From 04c51dea71b8bd78f56e9197c123d3e9b28b1a55 Mon Sep 17 00:00:00 2001 From: Mark Hinschberger Date: Thu, 9 Jan 2025 14:36:06 +0000 Subject: [PATCH 001/110] feat: init umbrella --- pages/umbrella.page.tsx | 172 ++++++++ src/components/primitives/Link.tsx | 1 + src/hooks/useModal.tsx | 10 + src/modules/umbrella/UmbrellaActions.tsx | 85 ++++ src/modules/umbrella/UmbrellaAssetsList.tsx | 127 ++++++ .../umbrella/UmbrellaAssetsListContainer.tsx | 110 +++++ .../umbrella/UmbrellaAssetsListItem.tsx | 173 ++++++++ .../umbrella/UmbrellaAssetsListItemLoader.tsx | 41 ++ .../umbrella/UmbrellaAssetsListMobileItem.tsx | 160 +++++++ .../UmbrellaAssetsListMobileItemLoader.tsx | 46 +++ src/modules/umbrella/UmbrellaHeader.tsx | 118 ++++++ .../umbrella/UmbrellaMarketSwitcher.tsx | 390 ++++++++++++++++++ src/modules/umbrella/UmbrellaModal.tsx | 15 + src/modules/umbrella/UmbrellaModalContent.tsx | 157 +++++++ src/ui-config/menu-items/index.tsx | 12 +- 15 files changed, 1616 insertions(+), 1 deletion(-) create mode 100644 pages/umbrella.page.tsx create mode 100644 src/modules/umbrella/UmbrellaActions.tsx create mode 100644 src/modules/umbrella/UmbrellaAssetsList.tsx create mode 100644 src/modules/umbrella/UmbrellaAssetsListContainer.tsx create mode 100644 src/modules/umbrella/UmbrellaAssetsListItem.tsx create mode 100644 src/modules/umbrella/UmbrellaAssetsListItemLoader.tsx create mode 100644 src/modules/umbrella/UmbrellaAssetsListMobileItem.tsx create mode 100644 src/modules/umbrella/UmbrellaAssetsListMobileItemLoader.tsx create mode 100644 src/modules/umbrella/UmbrellaHeader.tsx create mode 100644 src/modules/umbrella/UmbrellaMarketSwitcher.tsx create mode 100644 src/modules/umbrella/UmbrellaModal.tsx create mode 100644 src/modules/umbrella/UmbrellaModalContent.tsx diff --git a/pages/umbrella.page.tsx b/pages/umbrella.page.tsx new file mode 100644 index 0000000000..e039874362 --- /dev/null +++ b/pages/umbrella.page.tsx @@ -0,0 +1,172 @@ +import { Stake } from '@aave/contract-helpers'; +import { StakeUIUserData } from '@aave/contract-helpers/dist/esm/V3-uiStakeDataProvider-contract/types'; +import { ExternalLinkIcon } from '@heroicons/react/outline'; +import { Trans } from '@lingui/macro'; +import { Box, Button, Grid, Stack, SvgIcon, Typography, Container } from '@mui/material'; +import { BigNumber } from 'ethers/lib/ethers'; +import { formatEther } from 'ethers/lib/utils'; +import dynamic from 'next/dynamic'; +import { useEffect, useState } from 'react'; +import { ConnectWalletPaperStaking } from 'src/components/ConnectWalletPaperStaking'; +import { ContentContainer } from 'src/components/ContentContainer'; +import { Link } from 'src/components/primitives/Link'; +import { Warning } from 'src/components/primitives/Warning'; +import StyledToggleButton from 'src/components/StyledToggleButton'; +import StyledToggleButtonGroup from 'src/components/StyledToggleButtonGroup'; +import { MarketAssetsListContainer } from 'src/modules/umbrella/UmbrellaAssetsListContainer'; +import { MarketsTopPanel } from 'src/modules/markets/MarketsTopPanel'; + +import { StakeTokenFormatted, useGeneralStakeUiData } from 'src/hooks/stake/useGeneralStakeUiData'; +import { useUserStakeUiData } from 'src/hooks/stake/useUserStakeUiData'; +import { useModalContext } from 'src/hooks/useModal'; +import { MainLayout } from 'src/layouts/MainLayout'; +import { GetABPToken } from 'src/modules/staking/GetABPToken'; +import { GhoDiscountProgram } from 'src/modules/staking/GhoDiscountProgram'; +import { UmbrellaHeader } from 'src/modules/umbrella/UmbrellaHeader'; +import { StakingPanel } from 'src/modules/staking/StakingPanel'; +import { useRootStore } from 'src/store/root'; +import { ENABLE_TESTNET, STAGING_ENV } from 'src/utils/marketsAndNetworksConfig'; + +import { useWeb3Context } from '../src/libs/hooks/useWeb3Context'; + +const UmbrellaStakeModal = dynamic(() => + import('../src/modules/umbrella/UmbrellaModal').then((module) => module.UmbrellaModal) +); +const StakeCooldownModal = dynamic(() => + import('../src/components/transactions/StakeCooldown/StakeCooldownModal').then( + (module) => module.StakeCooldownModal + ) +); +const StakeRewardClaimModal = dynamic(() => + import('../src/components/transactions/StakeRewardClaim/StakeRewardClaimModal').then( + (module) => module.StakeRewardClaimModal + ) +); +const StakeRewardClaimRestakeModal = dynamic(() => + import( + '../src/components/transactions/StakeRewardClaimRestake/StakeRewardClaimRestakeModal' + ).then((module) => module.StakeRewardClaimRestakeModal) +); +const UnStakeModal = dynamic(() => + import('../src/components/transactions/UnStake/UnStakeModal').then( + (module) => module.UnStakeModal + ) +); +interface MarketContainerProps { + children: ReactNode; +} +export const marketContainerProps = { + sx: { + display: 'flex', + flexDirection: 'column', + flex: 1, + pb: '39px', + px: { + xs: 2, + xsm: 5, + sm: 12, + md: 5, + lg: 0, + xl: '96px', + xxl: 0, + }, + maxWidth: { + xs: 'unset', + lg: '1240px', + xl: 'unset', + xxl: '1440px', + }, + }, +}; +export const MarketContainer = ({ children }: MarketContainerProps) => { + return {children}; +}; + +// TODO: Hooks for staking tokens +// TODO: Hooks for user positions for top panel +export default function UmbrellaStaking() { + const { currentAccount } = useWeb3Context(); + + const currentMarketData = useRootStore((store) => store.currentMarketData); + const { data: stakeUserResult } = useUserStakeUiData(currentMarketData); + + const { data: stakeGeneralResult, isLoading: stakeGeneralResultLoading } = + useGeneralStakeUiData(currentMarketData); + + let stkAave: StakeTokenFormatted | undefined; + let stkBpt: StakeTokenFormatted | undefined; + let stkGho: StakeTokenFormatted | undefined; + let stkBptV2: StakeTokenFormatted | undefined; + + if (stakeGeneralResult && Array.isArray(stakeGeneralResult)) { + [stkAave, stkBpt, stkGho, stkBptV2] = stakeGeneralResult; + } + + let stkAaveUserData: StakeUIUserData | undefined; + let stkBptUserData: StakeUIUserData | undefined; + let stkGhoUserData: StakeUIUserData | undefined; + let stkBptV2UserData: StakeUIUserData | undefined; + if (stakeUserResult && Array.isArray(stakeUserResult)) { + [stkAaveUserData, stkBptUserData, stkGhoUserData, stkBptV2UserData] = stakeUserResult; + } + + const trackEvent = useRootStore((store) => store.trackEvent); + + useEffect(() => { + trackEvent('Page Viewed', { + 'Page Name': 'Staking', + }); + }, [trackEvent]); + + const tvl = { + 'Staked Aave': Number(stkAave?.totalSupplyUSDFormatted || '0'), + 'Staked GHO': Number(stkGho?.totalSupplyUSDFormatted || '0'), + 'Staked ABPT': Number(stkBpt?.totalSupplyUSDFormatted || '0'), + 'Staked ABPT V2': Number(stkBptV2?.totalSupplyUSDFormatted || '0'), + }; + + // Total AAVE Emissions (stkaave dps + stkbpt dps) + const stkEmission = formatEther( + BigNumber.from(stkAave?.distributionPerSecond || '0') + .add(stkBpt?.distributionPerSecond || '0') + .add(stkGho?.distributionPerSecond || '0') + .add(stkBptV2?.distributionPerSecond || '0') + .mul('86400') + ); + + console.log('UmbrellaStakeModal', UmbrellaStakeModal); + + return ( + <> + + + + + + + + ); +} + +UmbrellaStaking.getLayout = function getLayout(page: React.ReactElement) { + return ( + + {page} + {/** Modals */} + + + + + + {/** End of modals */} + + ); +}; diff --git a/src/components/primitives/Link.tsx b/src/components/primitives/Link.tsx index 770c9ab3b5..62b2a576d4 100644 --- a/src/components/primitives/Link.tsx +++ b/src/components/primitives/Link.tsx @@ -134,4 +134,5 @@ export const ROUTES = { `/reserve-overview/?underlyingAsset=${underlyingAsset}&marketName=${marketName}`, history: '/history', bridge: '/bridge', + umbrella: '/umbrella', }; diff --git a/src/hooks/useModal.tsx b/src/hooks/useModal.tsx index 20093837d8..3cc83ae053 100644 --- a/src/hooks/useModal.tsx +++ b/src/hooks/useModal.tsx @@ -32,6 +32,7 @@ export enum ModalType { GovRepresentatives, Bridge, ReadMode, + Umbrella, } export interface ModalArgsType { @@ -44,6 +45,7 @@ export interface ModalArgsType { isFrozen?: boolean; representatives?: Array<{ chainId: ChainId; representative: string }>; chainId?: number; + umbrellaAssetName?: string; } export type TxStateType = { @@ -95,6 +97,7 @@ export interface ModalContextType { openStakeCooldown: (stakeAssetName: Stake, icon: string) => void; openStakeRewardsClaim: (stakeAssetName: Stake, icon: string) => void; openStakeRewardsRestakeClaim: (stakeAssetName: Stake, icon: string) => void; + openUmbrella: (umbrellaAssetName: string, icon: string) => void; openClaimRewards: () => void; openEmode: () => void; openFaucet: (underlyingAsset: string) => void; @@ -263,6 +266,13 @@ export const ModalContextProvider: React.FC = ({ children }) setType(ModalType.StakeRewardsClaimRestake); setArgs({ stakeAssetName, icon }); }, + openUmbrella: (umbrellaAssetName, icon) => { + console.log('HELLO!!!'); + trackEvent(GENERAL.OPEN_MODAL, { modal: 'Umbrella', assetName: umbrellaAssetName }); + + setType(ModalType.Umbrella); + setArgs({ umbrellaAssetName, icon }); + }, openClaimRewards: () => { trackEvent(GENERAL.OPEN_MODAL, { modal: 'Claim' }); setType(ModalType.ClaimRewards); diff --git a/src/modules/umbrella/UmbrellaActions.tsx b/src/modules/umbrella/UmbrellaActions.tsx new file mode 100644 index 0000000000..dcf88e2d93 --- /dev/null +++ b/src/modules/umbrella/UmbrellaActions.tsx @@ -0,0 +1,85 @@ +import { ProtocolAction, Stake } from '@aave/contract-helpers'; +import { Trans } from '@lingui/macro'; +import { BoxProps } from '@mui/material'; +import { useRootStore } from 'src/store/root'; +import { useShallow } from 'zustand/shallow'; +import { useTransactionHandler } from 'src/helpers/useTransactionHandler'; +import { TxActionsWrapper } from 'src/components/transactions/TxActionsWrapper'; + +export interface StakeActionProps extends BoxProps { + amountToStake: string; + isWrongNetwork: boolean; + customGasPrice?: string; + symbol: string; + blocked: boolean; + selectedToken: string; + event: string; +} + +export const UmbrellaActions = ({ + amountToStake, + isWrongNetwork, + sx, + symbol, + blocked, + selectedToken, + event, + ...props +}: StakeActionProps) => { + const [stake, stakeWithPermit] = useRootStore( + useShallow((state) => [state.stake, state.stakeWithPermit]) + ); + + // once stk abpt v1 is deprecated, this check can be removed and we can always try permit + const tryPermit = selectedToken !== Stake.bpt; + + const { action, approval, requiresApproval, loadingTxns, approvalTxState, mainTxState } = + useTransactionHandler({ + tryPermit, + permitAction: ProtocolAction.stakeWithPermit, + protocolAction: ProtocolAction.stake, + handleGetTxns: async () => { + return stake({ + token: selectedToken, + amount: amountToStake.toString(), + }); + }, + handleGetPermitTxns: async (signature, deadline) => { + return stakeWithPermit({ + token: selectedToken, + amount: amountToStake.toString(), + signature: signature[0], + deadline, + }); + }, + eventTxInfo: { + amount: amountToStake, + assetName: selectedToken, + }, + skip: !amountToStake || parseFloat(amountToStake) === 0 || blocked, + deps: [amountToStake, selectedToken], + }); + + return ( + + approval([{ amount: amountToStake, underlyingAsset: selectedToken, permitType: 'STAKE' }]) + } + symbol={symbol} + requiresAmount + actionText={Stake} + tryPermit={tryPermit} + actionInProgressText={Staking} + sx={sx} + // event={STAKE.STAKE_BUTTON_MODAL} + {...props} + /> + ); +}; diff --git a/src/modules/umbrella/UmbrellaAssetsList.tsx b/src/modules/umbrella/UmbrellaAssetsList.tsx new file mode 100644 index 0000000000..b98745c8b5 --- /dev/null +++ b/src/modules/umbrella/UmbrellaAssetsList.tsx @@ -0,0 +1,127 @@ +import { Trans } from '@lingui/macro'; +import { useMediaQuery } from '@mui/material'; +import { useState } from 'react'; +import { VariableAPYTooltip } from 'src/components/infoTooltips/VariableAPYTooltip'; +import { ListColumn } from 'src/components/lists/ListColumn'; +import { ListHeaderTitle } from 'src/components/lists/ListHeaderTitle'; +import { ListHeaderWrapper } from 'src/components/lists/ListHeaderWrapper'; +import { ComputedReserveData } from 'src/hooks/app-data-provider/useAppDataProvider'; + +import { UmbrellaAssetsListItem } from './UmbrellaAssetsListItem'; +import { UmbrellaAssetsListItemLoader } from './UmbrellaAssetsListItemLoader'; +import { UmbrellaAssetsListMobileItem } from './UmbrellaAssetsListMobileItem'; +import { UmbrellaAssetsListMobileItemLoader } from './UmbrellaAssetsListMobileItemLoader'; + +const listHeaders = [ + { + title: Asset, + sortKey: 'symbol', + }, + { + title: APY, + sortKey: 'totalLiquidityUSD', + }, + // { + // title: Max Slashing, + // sortKey: 'supplyAPY', + // }, + { + title: Wallet Balance, + sortKey: 'totalDebtUSD', + }, + // { + // title: ( + // Borrow APY, variable} + // key="APY_list_variable_type" + // variant="subheader2" + // /> + // ), + // sortKey: 'variableBorrowAPY', + // }, +]; + +type MarketAssetsListProps = { + reserves: ComputedReserveData[]; + loading: boolean; +}; + +export default function MarketAssetsList({ reserves, loading }: MarketAssetsListProps) { + const isTableChangedToCards = useMediaQuery('(max-width:1125px)'); + const [sortName, setSortName] = useState(''); + const [sortDesc, setSortDesc] = useState(false); + if (sortDesc) { + if (sortName === 'symbol') { + reserves.sort((a, b) => (a.symbol.toUpperCase() < b.symbol.toUpperCase() ? -1 : 1)); + } else { + // eslint-disable-next-line @typescript-eslint/ban-ts-comment + // @ts-ignore + reserves.sort((a, b) => a[sortName] - b[sortName]); + } + } else { + if (sortName === 'symbol') { + reserves.sort((a, b) => (b.symbol.toUpperCase() < a.symbol.toUpperCase() ? -1 : 1)); + } else { + // eslint-disable-next-line @typescript-eslint/ban-ts-comment + // @ts-ignore + reserves.sort((a, b) => b[sortName] - a[sortName]); + } + } + + // Show loading state when loading + if (loading) { + return isTableChangedToCards ? ( + <> + + + + + ) : ( + <> + + + + + + ); + } + + // Hide list when no results, via search term or if a market has all/no frozen/unfrozen assets + if (reserves.length === 0) return null; + + return ( + <> + {!isTableChangedToCards && ( + + {listHeaders.map((col) => ( + + + {col.title} + + + ))} + + + )} + + {reserves.map((reserve) => + isTableChangedToCards ? ( + + ) : ( + + ) + )} + + ); +} diff --git a/src/modules/umbrella/UmbrellaAssetsListContainer.tsx b/src/modules/umbrella/UmbrellaAssetsListContainer.tsx new file mode 100644 index 0000000000..8a5ca20521 --- /dev/null +++ b/src/modules/umbrella/UmbrellaAssetsListContainer.tsx @@ -0,0 +1,110 @@ +import { API_ETH_MOCK_ADDRESS } from '@aave/contract-helpers'; +import { Trans } from '@lingui/macro'; +import { Box, Switch, Typography, useMediaQuery, useTheme } from '@mui/material'; +import { useState } from 'react'; +import { ListWrapper } from 'src/components/lists/ListWrapper'; +import { NoSearchResults } from 'src/components/NoSearchResults'; +import { Link } from 'src/components/primitives/Link'; +import { Warning } from 'src/components/primitives/Warning'; +import { TitleWithSearchBar } from 'src/components/TitleWithSearchBar'; +import { useAppDataContext } from 'src/hooks/app-data-provider/useAppDataProvider'; +import UmbrellaAssetsList from './UmbrellaAssetsList'; +import { useRootStore } from 'src/store/root'; +import { fetchIconSymbolAndName } from 'src/ui-config/reservePatches'; +import { getGhoReserve, GHO_MINTING_MARKETS, GHO_SYMBOL } from 'src/utils/ghoUtilities'; +import { useShallow } from 'zustand/shallow'; + +import { GENERAL } from '../../utils/mixPanelEvents'; + +function shouldDisplayGhoBanner(marketTitle: string, searchTerm: string): boolean { + // GHO banner is only displayed on markets where new GHO is mintable (i.e. Ethereum) + // If GHO is listed as a reserve, then it will be displayed in the normal market asset list + if (!GHO_MINTING_MARKETS.includes(marketTitle)) { + return false; + } + + if (!searchTerm) { + return true; + } + + const normalizedSearchTerm = searchTerm.toLowerCase().trim(); + return ( + normalizedSearchTerm.length <= 3 && GHO_SYMBOL.toLowerCase().includes(normalizedSearchTerm) + ); +} + +export const MarketAssetsListContainer = () => { + const { reserves, loading } = useAppDataContext(); + const [trackEvent, currentMarket, currentMarketData, currentNetworkConfig] = useRootStore( + useShallow((store) => [ + store.trackEvent, + store.currentMarket, + store.currentMarketData, + store.currentNetworkConfig, + ]) + ); + const [searchTerm, setSearchTerm] = useState(''); + const { breakpoints } = useTheme(); + const sm = useMediaQuery(breakpoints.down('sm')); + + const ghoReserve = getGhoReserve(reserves); + const displayGhoBanner = shouldDisplayGhoBanner(currentMarket, searchTerm); + + const filteredData = reserves + // Filter out any non-active reserves + .filter((res) => res.isActive) + // Filter out GHO if the banner is being displayed + .filter((res) => (displayGhoBanner ? res !== ghoReserve : true)) + // filter out any that don't meet search term criteria + .filter((res) => { + if (!searchTerm) return true; + const term = searchTerm.toLowerCase().trim(); + return ( + res.symbol.toLowerCase().includes(term) || + res.name.toLowerCase().includes(term) || + res.underlyingAsset.toLowerCase().includes(term) + ); + }) + // Transform the object for list to consume it + .map((reserve) => ({ + ...reserve, + ...(reserve.isWrappedBaseAsset + ? fetchIconSymbolAndName({ + symbol: currentNetworkConfig.baseAssetSymbol, + underlyingAsset: API_ETH_MOCK_ADDRESS.toLowerCase(), + }) + : {}), + })); + + return ( + + {currentMarketData.marketTitle} assets + + } + searchPlaceholder={sm ? 'Search asset' : 'Search asset name, symbol, or address'} + /> + } + > + {/* Unfrozen assets list */} + + + {/* Show no search results message if nothing hits in either list */} + {!loading && filteredData.length === 0 && !displayGhoBanner && ( + + We couldn't find any assets related to your search. Try again with a different + asset name, symbol, or address. + + } + /> + )} + + ); +}; diff --git a/src/modules/umbrella/UmbrellaAssetsListItem.tsx b/src/modules/umbrella/UmbrellaAssetsListItem.tsx new file mode 100644 index 0000000000..f6cfb79d89 --- /dev/null +++ b/src/modules/umbrella/UmbrellaAssetsListItem.tsx @@ -0,0 +1,173 @@ +import { ProtocolAction } from '@aave/contract-helpers'; +import { Trans } from '@lingui/macro'; +import { Box, Button, Typography } from '@mui/material'; +import { useRouter } from 'next/router'; +import { OffboardingTooltip } from 'src/components/infoTooltips/OffboardingToolTip'; +import { RenFILToolTip } from 'src/components/infoTooltips/RenFILToolTip'; +import { SpkAirdropTooltip } from 'src/components/infoTooltips/SpkAirdropTooltip'; +import { SuperFestTooltip } from 'src/components/infoTooltips/SuperFestTooltip'; +import { IsolatedEnabledBadge } from 'src/components/isolationMode/IsolatedBadge'; +import { NoData } from 'src/components/primitives/NoData'; +import { ReserveSubheader } from 'src/components/ReserveSubheader'; +import { AssetsBeingOffboarded } from 'src/components/Warnings/OffboardingWarning'; +import { useRootStore } from 'src/store/root'; +import { MARKETS } from 'src/utils/mixPanelEvents'; +import { showExternalIncentivesTooltip } from 'src/utils/utils'; +import { useShallow } from 'zustand/shallow'; + +import { IncentivesCard } from '../../components/incentives/IncentivesCard'; +import { AMPLToolTip } from '../../components/infoTooltips/AMPLToolTip'; +import { ListColumn } from '../../components/lists/ListColumn'; +import { ListItem } from '../../components/lists/ListItem'; +import { FormattedNumber } from '../../components/primitives/FormattedNumber'; +import { Link, ROUTES } from '../../components/primitives/Link'; +import { TokenIcon } from '../../components/primitives/TokenIcon'; +import { ComputedReserveData } from '../../hooks/app-data-provider/useAppDataProvider'; +import { useModalContext } from 'src/hooks/useModal'; + +export const UmbrellaAssetsListItem = ({ ...reserve }: ComputedReserveData) => { + const router = useRouter(); + const [trackEvent, currentMarket] = useRootStore( + useShallow((store) => [store.trackEvent, store.currentMarket]) + ); + const { openUmbrella } = useModalContext(); + + const externalIncentivesTooltipsSupplySide = showExternalIncentivesTooltip( + reserve.symbol, + currentMarket, + ProtocolAction.supply + ); + const externalIncentivesTooltipsBorrowSide = showExternalIncentivesTooltip( + reserve.symbol, + currentMarket, + ProtocolAction.borrow + ); + + console.log('reserve', reserve); + + return ( + { + // trackEvent(MARKETS.DETAILS_NAVIGATION, { + // type: 'Row', + // assetName: reserve.name, + // asset: reserve.underlyingAsset, + // market: currentMarket, + // }); + // router.push(ROUTES.reserveOverview(reserve.underlyingAsset, currentMarket)); + // }} + sx={{ cursor: 'pointer' }} + button + data-cy={`marketListItemListItem_${reserve.symbol.toUpperCase()}`} + > + + + + + {reserve.name} + + + + + {reserve.symbol} + + + + + {/* + + + + */} + + {/* + + {externalIncentivesTooltipsSupplySide.superFestRewards && } + {externalIncentivesTooltipsSupplySide.spkAirdrop && } + + } + market={currentMarket} + protocolAction={ProtocolAction.supply} + /> + */} + + + {reserve.borrowingEnabled || Number(reserve.totalDebt) > 0 ? ( + <> + {' '} + + + ) : ( + + )} + + + + 0 ? reserve.variableBorrowAPY : '-1'} + incentives={reserve.vIncentivesData || []} + address={reserve.variableDebtTokenAddress} + symbol={reserve.symbol} + variant="main16" + symbolsVariant="secondary16" + tooltip={ + <> + {externalIncentivesTooltipsBorrowSide.superFestRewards && } + {externalIncentivesTooltipsBorrowSide.spkAirdrop && } + + } + market={currentMarket} + protocolAction={ProtocolAction.borrow} + /> + {!reserve.borrowingEnabled && + Number(reserve.totalVariableDebt) > 0 && + !reserve.isFrozen && } + + + + {/* TODO: Open Modal for staking */} + + + + ); +}; diff --git a/src/modules/umbrella/UmbrellaAssetsListItemLoader.tsx b/src/modules/umbrella/UmbrellaAssetsListItemLoader.tsx new file mode 100644 index 0000000000..9b299abf5d --- /dev/null +++ b/src/modules/umbrella/UmbrellaAssetsListItemLoader.tsx @@ -0,0 +1,41 @@ +import { Box, Skeleton } from '@mui/material'; + +import { ListColumn } from '../../components/lists/ListColumn'; +import { ListItem } from '../../components/lists/ListItem'; + +export const UmbrellaAssetsListItemLoader = () => { + return ( + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + ); +}; diff --git a/src/modules/umbrella/UmbrellaAssetsListMobileItem.tsx b/src/modules/umbrella/UmbrellaAssetsListMobileItem.tsx new file mode 100644 index 0000000000..681951e377 --- /dev/null +++ b/src/modules/umbrella/UmbrellaAssetsListMobileItem.tsx @@ -0,0 +1,160 @@ +import { ProtocolAction } from '@aave/contract-helpers'; +import { Trans } from '@lingui/macro'; +import { Box, Button, Divider } from '@mui/material'; +import { SpkAirdropTooltip } from 'src/components/infoTooltips/SpkAirdropTooltip'; +import { SuperFestTooltip } from 'src/components/infoTooltips/SuperFestTooltip'; +import { VariableAPYTooltip } from 'src/components/infoTooltips/VariableAPYTooltip'; +import { NoData } from 'src/components/primitives/NoData'; +import { ReserveSubheader } from 'src/components/ReserveSubheader'; +import { useRootStore } from 'src/store/root'; +import { MARKETS } from 'src/utils/mixPanelEvents'; +import { showExternalIncentivesTooltip } from 'src/utils/utils'; +import { useShallow } from 'zustand/shallow'; + +import { IncentivesCard } from '../../components/incentives/IncentivesCard'; +import { FormattedNumber } from '../../components/primitives/FormattedNumber'; +import { Link, ROUTES } from '../../components/primitives/Link'; +import { Row } from '../../components/primitives/Row'; +import { ComputedReserveData } from '../../hooks/app-data-provider/useAppDataProvider'; +import { ListMobileItemWrapper } from '../dashboard/lists/ListMobileItemWrapper'; + +import { useModalContext } from 'src/hooks/useModal'; + +export const UmbrellaAssetsListMobileItem = ({ ...reserve }: ComputedReserveData) => { + const [trackEvent, currentMarket] = useRootStore( + useShallow((store) => [store.trackEvent, store.currentMarket]) + ); + const { openUmbrella } = useModalContext(); + + const externalIncentivesTooltipsSupplySide = showExternalIncentivesTooltip( + reserve.symbol, + currentMarket, + ProtocolAction.supply + ); + const externalIncentivesTooltipsBorrowSide = showExternalIncentivesTooltip( + reserve.symbol, + currentMarket, + ProtocolAction.borrow + ); + + return ( + + Total supplied} captionVariant="description" mb={3}> + + + + + + Supply APY} + captionVariant="description" + mb={3} + align="flex-start" + > + + {externalIncentivesTooltipsSupplySide.superFestRewards && } + {externalIncentivesTooltipsSupplySide.spkAirdrop && } + + } + market={currentMarket} + protocolAction={ProtocolAction.supply} + /> + + + + + Total borrowed} captionVariant="description" mb={3}> + + {Number(reserve.totalDebt) > 0 ? ( + <> + + + + ) : ( + + )} + + + Borrow APY, variable} + key="APY_list_mob_variable_type" + variant="description" + /> + } + captionVariant="description" + mb={3} + align="flex-start" + > + 0 ? reserve.variableBorrowAPY : '-1'} + incentives={reserve.vIncentivesData || []} + address={reserve.variableDebtTokenAddress} + symbol={reserve.symbol} + variant="secondary14" + tooltip={ + <> + {externalIncentivesTooltipsBorrowSide.superFestRewards && } + {externalIncentivesTooltipsBorrowSide.spkAirdrop && } + + } + market={currentMarket} + protocolAction={ProtocolAction.borrow} + /> + {!reserve.borrowingEnabled && + Number(reserve.totalVariableDebt) > 0 && + !reserve.isFrozen && } + + + + ); +}; diff --git a/src/modules/umbrella/UmbrellaAssetsListMobileItemLoader.tsx b/src/modules/umbrella/UmbrellaAssetsListMobileItemLoader.tsx new file mode 100644 index 0000000000..ef25dab684 --- /dev/null +++ b/src/modules/umbrella/UmbrellaAssetsListMobileItemLoader.tsx @@ -0,0 +1,46 @@ +import { Divider, Skeleton } from '@mui/material'; + +import { Row } from '../../components/primitives/Row'; +import { ListMobileItemWrapper } from '../dashboard/lists/ListMobileItemWrapper'; + +export const UmbrellaAssetsListMobileItemLoader = () => { + return ( + + } captionVariant="description" mb={3}> + + + } + captionVariant="description" + mb={3} + align="flex-start" + > + + + + + + } captionVariant="description" mb={3}> + + + } + captionVariant="description" + mb={3} + align="flex-start" + > + + + } + captionVariant="description" + mb={4} + align="flex-start" + > + + + + + + ); +}; diff --git a/src/modules/umbrella/UmbrellaHeader.tsx b/src/modules/umbrella/UmbrellaHeader.tsx new file mode 100644 index 0000000000..74cde724a9 --- /dev/null +++ b/src/modules/umbrella/UmbrellaHeader.tsx @@ -0,0 +1,118 @@ +import { Trans } from '@lingui/macro'; +import { Box, Stack, Typography, useMediaQuery, useTheme } from '@mui/material'; +import { FormattedNumber } from 'src/components/primitives/FormattedNumber'; +import { Row } from 'src/components/primitives/Row'; +import { TextWithTooltip } from 'src/components/TextWithTooltip'; +import { TopInfoPanel } from 'src/components/TopInfoPanel/TopInfoPanel'; +import { useRootStore } from 'src/store/root'; +import { GENERAL } from 'src/utils/mixPanelEvents'; +import { MarketSwitcher } from './UmbrellaMarketSwitcher'; +import { Link } from '../../components/primitives/Link'; +import { TopInfoPanelItem } from '../../components/TopInfoPanel/TopInfoPanelItem'; + +interface StakingHeaderProps { + tvl: { + [key: string]: number; + }; + stkEmission: string; + loading: boolean; +} + +export const UmbrellaHeader: React.FC = ({ tvl, stkEmission, loading }) => { + const theme = useTheme(); + const upToLG = useMediaQuery(theme.breakpoints.up('lg')); + const downToSM = useMediaQuery(theme.breakpoints.down('sm')); + const downToXSM = useMediaQuery(theme.breakpoints.down('xsm')); + + const valueTypographyVariant = downToSM ? 'main16' : 'main21'; + const symbolsTypographyVariant = downToSM ? 'secondary16' : 'secondary21'; + const trackEvent = useRootStore((store) => store.trackEvent); + + const total = Object.values(tvl || {}).reduce((acc, item) => acc + item, 0); + + const TotalFundsTooltip = () => { + return ( + + + {Object.entries(tvl) + .sort((a, b) => b[1] - a[1]) + .map(([key, value]) => ( + + + + ))} + + + ); + }; + + return ( + + {/* */} + + {/* */} + + Staking 00 + + + + + + + Users can stake their assets in the protocol and earn incentives. In the case of a + shortfall event, your stake can be slashed to cover the deficit, providing an + additional layer of protection for the protocol. + {' '} + + trackEvent(GENERAL.EXTERNAL_LINK, { + Link: 'Staking Risks', + }) + } + > + Learn more about risks involved + + + + } + > + + Funds in the Safety Module + + + } + loading={loading} + > + + + + Total emission per day} loading={loading}> + + + + ); +}; diff --git a/src/modules/umbrella/UmbrellaMarketSwitcher.tsx b/src/modules/umbrella/UmbrellaMarketSwitcher.tsx new file mode 100644 index 0000000000..f07fd110ae --- /dev/null +++ b/src/modules/umbrella/UmbrellaMarketSwitcher.tsx @@ -0,0 +1,390 @@ +import { ChevronDownIcon } from '@heroicons/react/outline'; +import { Trans } from '@lingui/macro'; +import { + Box, + BoxProps, + ListItemText, + MenuItem, + SvgIcon, + TextField, + Tooltip, + Typography, + useMediaQuery, + useTheme, +} from '@mui/material'; +import React, { useState } from 'react'; +import { useRootStore } from 'src/store/root'; +import { BaseNetworkConfig } from 'src/ui-config/networksConfig'; +import { DASHBOARD } from 'src/utils/mixPanelEvents'; +import { useShallow } from 'zustand/shallow'; + +import { + availableMarkets, + CustomMarket, + ENABLE_TESTNET, + MarketDataType, + marketsData, + networkConfigs, + STAGING_ENV, +} from 'src/utils/marketsAndNetworksConfig'; +import StyledToggleButton from 'src/components/StyledToggleButton'; +import StyledToggleButtonGroup from 'src/components/StyledToggleButtonGroup'; + +export const getMarketInfoById = (marketId: CustomMarket) => { + const market: MarketDataType = marketsData[marketId as CustomMarket]; + const network: BaseNetworkConfig = networkConfigs[market.chainId]; + const logo = market.logo || network.networkLogoPath; + + return { market, logo }; +}; + +export const getMarketHelpData = (marketName: string) => { + const testChains = [ + 'Görli', + 'Ropsten', + 'Mumbai', + 'Sepolia', + 'Fuji', + 'Testnet', + 'Kovan', + 'Rinkeby', + ]; + const arrayName = marketName.split(' '); + const testChainName = arrayName.filter((el) => testChains.indexOf(el) > -1); + const marketTitle = arrayName.filter((el) => !testChainName.includes(el)).join(' '); + + return { + name: marketTitle, + testChainName: testChainName[0], + }; +}; + +export type Market = { + marketTitle: string; + networkName: string; + networkLogo: string; + selected?: boolean; +}; + +type MarketLogoProps = { + size: number; + logo: string; + testChainName?: string; + sx?: BoxProps; +}; + +export const MarketLogo = ({ size, logo, testChainName, sx }: MarketLogoProps) => { + return ( + + + + {testChainName && ( + + + {testChainName.split('')[0]} + + + )} + + ); +}; + +enum SelectedMarketVersion { + V2, + V3, +} + +// TODO +// Fetch markets that are active for umbrella. +// Strip out any code not used for v2 +// Style to design specifications + +export const MarketSwitcher = () => { + const [selectedMarketVersion, setSelectedMarketVersion] = useState( + SelectedMarketVersion.V3 + ); + const theme = useTheme(); + const upToLG = useMediaQuery(theme.breakpoints.up('lg')); + const downToXSM = useMediaQuery(theme.breakpoints.down('xsm')); + const [trackEvent, currentMarket, setCurrentMarket] = useRootStore( + useShallow((store) => [store.trackEvent, store.currentMarket, store.setCurrentMarket]) + ); + + const isV3MarketsAvailable = availableMarkets + .map((marketId: CustomMarket) => { + const { market } = getMarketInfoById(marketId); + + return market.v3; + }) + .some((item) => !!item); + + const handleMarketSelect = (e: React.ChangeEvent) => { + trackEvent(DASHBOARD.CHANGE_MARKET, { market: e.target.value }); + setCurrentMarket(e.target.value as unknown as CustomMarket); + }; + + // const marketBlurbs: { [key: string]: JSX.Element } = { + // proto_mainnet_v3: ( + // Main Ethereum market with the largest selection of assets and yield options + // ), + // proto_lido_v3: ( + // Optimized for efficiency and risk by supporting blue-chip collateral assets + // ), + // }; + + return ( + null, + renderValue: (marketId) => { + const { market, logo } = getMarketInfoById(marketId as CustomMarket); + + return ( + + {/* Main Row with Market Name */} + + + + + {getMarketHelpData(market.marketTitle).name} {market.isFork ? 'Fork' : ''} + {/* {upToLG && + (currentMarket === 'proto_mainnet_v3' || currentMarket === 'proto_lido_v3') + ? 'Instance' + : ' Market'} */} + + + + {/* + V2 + */} + + + + + + + + {/* {marketBlurbs[currentMarket] && ( + + {marketBlurbs[currentMarket]} + + )} */} + + ); + }, + + sx: { + '&.MarketSwitcher__select .MuiSelect-outlined': { + pl: 0, + py: 0, + backgroundColor: 'transparent !important', + }, + '.MuiSelect-icon': { color: '#F1F1F3' }, + }, + MenuProps: { + anchorOrigin: { + vertical: 'bottom', + horizontal: 'right', + }, + transformOrigin: { + vertical: 'top', + horizontal: 'right', + }, + PaperProps: { + style: { + minWidth: 240, + }, + variant: 'outlined', + elevation: 0, + }, + }, + }} + > + + + + {ENABLE_TESTNET || STAGING_ENV ? 'Select Aave Testnet Market' : 'Select Aave Market'} + + + + {isV3MarketsAvailable && ( + + {/* { + if (value !== null) { + setSelectedMarketVersion(value); + } + }} + sx={{ + width: '100%', + height: '36px', + background: theme.palette.primary.main, + border: `1px solid ${ + theme.palette.mode === 'dark' ? 'rgba(235, 235, 237, 0.12)' : '#1B2030' + }`, + borderRadius: '6px', + marginTop: '16px', + marginBottom: '12px', + padding: '2px', + }} + > + + theme.palette.gradients.aaveGradient, + backgroundClip: 'text', + color: 'transparent', + } + : { + color: theme.palette.mode === 'dark' ? '#0F121D' : '#FFFFFF', + } + } + > + Version 3 + + + + theme.palette.gradients.aaveGradient, + backgroundClip: 'text', + color: 'transparent', + } + : { + color: theme.palette.mode === 'dark' ? '#0F121D' : '#FFFFFF', + } + } + > + Version 2 + + + */} + + )} + {availableMarkets.map((marketId: CustomMarket) => { + const { market, logo } = getMarketInfoById(marketId); + const marketNaming = getMarketHelpData(market.marketTitle); + return ( + + + + {marketNaming.name} {market.isFork ? 'Fork' : ''} + + + + {marketNaming.testChainName} + + + + ); + })} + + ); +}; diff --git a/src/modules/umbrella/UmbrellaModal.tsx b/src/modules/umbrella/UmbrellaModal.tsx new file mode 100644 index 0000000000..d6e60e1a73 --- /dev/null +++ b/src/modules/umbrella/UmbrellaModal.tsx @@ -0,0 +1,15 @@ +import React from 'react'; +import { ModalType, useModalContext } from 'src/hooks/useModal'; +import { BasicModal } from 'src/components/primitives/BasicModal'; +import { UmbrellaModalContent } from './UmbrellaModalContent'; + +export const UmbrellaModal = () => { + const { type, close, args } = useModalContext(); + return ( + + {args?.icon && args?.umbrellaAssetName && ( + + )} + + ); +}; diff --git a/src/modules/umbrella/UmbrellaModalContent.tsx b/src/modules/umbrella/UmbrellaModalContent.tsx new file mode 100644 index 0000000000..9c8bcf28d0 --- /dev/null +++ b/src/modules/umbrella/UmbrellaModalContent.tsx @@ -0,0 +1,157 @@ +import { ChainId, Stake } from '@aave/contract-helpers'; +import { normalize, valueToBigNumber } from '@aave/math-utils'; +import { Trans } from '@lingui/macro'; +import { Typography } from '@mui/material'; +import React, { useRef, useState } from 'react'; +import { useGeneralStakeUiData } from 'src/hooks/stake/useGeneralStakeUiData'; +import { useUserStakeUiData } from 'src/hooks/stake/useUserStakeUiData'; +import { useModalContext } from 'src/hooks/useModal'; +import { useWeb3Context } from 'src/libs/hooks/useWeb3Context'; +import { useRootStore } from 'src/store/root'; +import { stakeAssetNameFormatted, stakeConfig } from 'src/ui-config/stakeConfig'; +import { getNetworkConfig } from 'src/utils/marketsAndNetworksConfig'; +import { STAKE } from 'src/utils/mixPanelEvents'; +import { CooldownWarning } from 'src/components/Warnings/CooldownWarning'; +import { AssetInput } from 'src/components/transactions/AssetInput'; +import { TxErrorView } from 'src/components/transactions/FlowCommons/Error'; +import { GasEstimationError } from 'src/components/transactions/FlowCommons/GasEstimationError'; +import { TxSuccessView } from 'src/components/transactions/FlowCommons/Success'; +import { + DetailsNumberLine, + TxModalDetails, +} from 'src/components/transactions/FlowCommons/TxModalDetails'; +import { TxModalTitle } from 'src/components/transactions/FlowCommons/TxModalTitle'; +import { ChangeNetworkWarning } from 'src/components/transactions/Warnings/ChangeNetworkWarning'; +import { UmbrellaActions } from './UmbrellaActions'; +export type StakeProps = { + umbrellaAssetName: string; + icon: string; +}; +export enum ErrorType { + NOT_ENOUGH_BALANCE, +} + +export const UmbrellaModalContent = ({ umbrellaAssetName, icon }: StakeProps) => { + const { chainId: connectedChainId, readOnlyModeAddress } = useWeb3Context(); + const { gasLimit, mainTxState: txState, txError } = useModalContext(); + const currentMarketData = useRootStore((store) => store.currentMarketData); + const currentNetworkConfig = useRootStore((store) => store.currentNetworkConfig); + const currentChainId = useRootStore((store) => store.currentChainId); + + const { data: stakeUserResult } = useUserStakeUiData(currentMarketData, umbrellaAssetName); + const { data: stakeGeneralResult } = useGeneralStakeUiData(currentMarketData, umbrellaAssetName); + + const stakeData = stakeGeneralResult?.[0]; + const stakeUserData = stakeUserResult?.[0]; + + // states + const [_amount, setAmount] = useState(''); + const amountRef = useRef(); + + const walletBalance = normalize(stakeUserData?.underlyingTokenUserBalance || '0', 18); + + const isMaxSelected = _amount === '-1'; + const amount = isMaxSelected ? walletBalance : _amount; + + const handleChange = (value: string) => { + const maxSelected = value === '-1'; + amountRef.current = maxSelected ? walletBalance : value; + setAmount(value); + }; + + // staking token usd value + const amountInUsd = Number(amount) * Number(stakeData?.stakeTokenPriceUSDFormatted); + + // error handler + let blockingError: ErrorType | undefined = undefined; + if (valueToBigNumber(amount).gt(walletBalance)) { + blockingError = ErrorType.NOT_ENOUGH_BALANCE; + } + + const handleBlocked = () => { + switch (blockingError) { + case ErrorType.NOT_ENOUGH_BALANCE: + return Not enough balance on your wallet; + default: + return null; + } + }; + + const nameFormatted = stakeAssetNameFormatted(umbrellaAssetName); + + // is Network mismatched + const stakingChain = + currentNetworkConfig.isFork && currentNetworkConfig.underlyingChainId === stakeConfig.chainId + ? currentChainId + : stakeConfig.chainId; + const isWrongNetwork = connectedChainId !== stakingChain; + + const networkConfig = getNetworkConfig(stakingChain); + + if (txError && txError.blocking) { + return ; + } + if (txState.success) + return ( + Staked} + amount={amountRef.current} + symbol={nameFormatted} + /> + ); + + return ( + <> + + {isWrongNetwork && !readOnlyModeAddress && ( + + )} + + + + Wallet balance} + /> + {blockingError !== undefined && ( + + {handleBlocked()} + + )} + + Staking APR} + value={Number(stakeData?.stakeApy || '0') / 10000} + percent + /> + + + {txError && } + + + + ); +}; diff --git a/src/ui-config/menu-items/index.tsx b/src/ui-config/menu-items/index.tsx index fc446eeb4c..2c215cf3e0 100644 --- a/src/ui-config/menu-items/index.tsx +++ b/src/ui-config/menu-items/index.tsx @@ -31,13 +31,22 @@ export const navigation: Navigation[] = [ }, { link: ROUTES.staking, - title: t`Stake`, + title: t`Safety Module`, dataCy: 'menuStake', isVisible: () => process.env.NEXT_PUBLIC_ENABLE_STAKING === 'true' && process.env.NEXT_PUBLIC_ENV === 'prod' && !ENABLE_TESTNET, }, + { + link: ROUTES.umbrella, + title: t`Umbrella`, + // dataCy: 'menuGovernance', + // isVisible: () => + // process.env.NEXT_PUBLIC_ENABLE_GOVERNANCE === 'true' && + // process.env.NEXT_PUBLIC_ENV === 'prod' && + // !ENABLE_TESTNET, + }, { link: ROUTES.governance, title: t`Governance`, @@ -47,6 +56,7 @@ export const navigation: Navigation[] = [ // process.env.NEXT_PUBLIC_ENV === 'prod' && // !ENABLE_TESTNET, }, + { link: ROUTES.faucet, title: t`Faucet`, From 7a101b51d95a1b0f2bd8dce67d83aa02e2985f61 Mon Sep 17 00:00:00 2001 From: Mark Hinschberger Date: Thu, 9 Jan 2025 14:51:11 +0000 Subject: [PATCH 002/110] feat: separate sections --- pages/umbrella.page.tsx | 9 +- .../umbrella/UmbrellaAssetsListContainer.tsx | 4 +- .../UmbrellaStakedAssetsListContainer.tsx | 110 ++++++++++++++++++ 3 files changed, 119 insertions(+), 4 deletions(-) create mode 100644 src/modules/umbrella/UmbrellaStakedAssetsListContainer.tsx diff --git a/pages/umbrella.page.tsx b/pages/umbrella.page.tsx index e039874362..9681eb8408 100644 --- a/pages/umbrella.page.tsx +++ b/pages/umbrella.page.tsx @@ -13,7 +13,9 @@ import { Link } from 'src/components/primitives/Link'; import { Warning } from 'src/components/primitives/Warning'; import StyledToggleButton from 'src/components/StyledToggleButton'; import StyledToggleButtonGroup from 'src/components/StyledToggleButtonGroup'; -import { MarketAssetsListContainer } from 'src/modules/umbrella/UmbrellaAssetsListContainer'; +import { UmbrellaStakedAssetsListContainer } from 'src/modules/umbrella/UmbrellaStakedAssetsListContainer'; +import { UmbrellaAssetsListContainer } from 'src/modules/umbrella/UmbrellaAssetsListContainer'; + import { MarketsTopPanel } from 'src/modules/markets/MarketsTopPanel'; import { StakeTokenFormatted, useGeneralStakeUiData } from 'src/hooks/stake/useGeneralStakeUiData'; @@ -149,7 +151,10 @@ export default function UmbrellaStaking() { }} > - + + + + diff --git a/src/modules/umbrella/UmbrellaAssetsListContainer.tsx b/src/modules/umbrella/UmbrellaAssetsListContainer.tsx index 8a5ca20521..29f3c842b9 100644 --- a/src/modules/umbrella/UmbrellaAssetsListContainer.tsx +++ b/src/modules/umbrella/UmbrellaAssetsListContainer.tsx @@ -33,7 +33,7 @@ function shouldDisplayGhoBanner(marketTitle: string, searchTerm: string): boolea ); } -export const MarketAssetsListContainer = () => { +export const UmbrellaAssetsListContainer = () => { const { reserves, loading } = useAppDataContext(); const [trackEvent, currentMarket, currentMarketData, currentNetworkConfig] = useRootStore( useShallow((store) => [ @@ -83,7 +83,7 @@ export const MarketAssetsListContainer = () => { onSearchTermChange={setSearchTerm} title={ <> - {currentMarketData.marketTitle} assets + Assets to stake } searchPlaceholder={sm ? 'Search asset' : 'Search asset name, symbol, or address'} diff --git a/src/modules/umbrella/UmbrellaStakedAssetsListContainer.tsx b/src/modules/umbrella/UmbrellaStakedAssetsListContainer.tsx new file mode 100644 index 0000000000..8a90f3e55a --- /dev/null +++ b/src/modules/umbrella/UmbrellaStakedAssetsListContainer.tsx @@ -0,0 +1,110 @@ +import { API_ETH_MOCK_ADDRESS } from '@aave/contract-helpers'; +import { Trans } from '@lingui/macro'; +import { Box, Switch, Typography, useMediaQuery, useTheme } from '@mui/material'; +import { useState } from 'react'; +import { ListWrapper } from 'src/components/lists/ListWrapper'; +import { NoSearchResults } from 'src/components/NoSearchResults'; +import { Link } from 'src/components/primitives/Link'; +import { Warning } from 'src/components/primitives/Warning'; +import { TitleWithSearchBar } from 'src/components/TitleWithSearchBar'; +import { useAppDataContext } from 'src/hooks/app-data-provider/useAppDataProvider'; +import UmbrellaAssetsList from './UmbrellaAssetsList'; +import { useRootStore } from 'src/store/root'; +import { fetchIconSymbolAndName } from 'src/ui-config/reservePatches'; +import { getGhoReserve, GHO_MINTING_MARKETS, GHO_SYMBOL } from 'src/utils/ghoUtilities'; +import { useShallow } from 'zustand/shallow'; + +import { GENERAL } from '../../utils/mixPanelEvents'; + +function shouldDisplayGhoBanner(marketTitle: string, searchTerm: string): boolean { + // GHO banner is only displayed on markets where new GHO is mintable (i.e. Ethereum) + // If GHO is listed as a reserve, then it will be displayed in the normal market asset list + if (!GHO_MINTING_MARKETS.includes(marketTitle)) { + return false; + } + + if (!searchTerm) { + return true; + } + + const normalizedSearchTerm = searchTerm.toLowerCase().trim(); + return ( + normalizedSearchTerm.length <= 3 && GHO_SYMBOL.toLowerCase().includes(normalizedSearchTerm) + ); +} + +export const UmbrellaStakedAssetsListContainer = () => { + const { reserves, loading } = useAppDataContext(); + const [trackEvent, currentMarket, currentMarketData, currentNetworkConfig] = useRootStore( + useShallow((store) => [ + store.trackEvent, + store.currentMarket, + store.currentMarketData, + store.currentNetworkConfig, + ]) + ); + const [searchTerm, setSearchTerm] = useState(''); + const { breakpoints } = useTheme(); + const sm = useMediaQuery(breakpoints.down('sm')); + + const ghoReserve = getGhoReserve(reserves); + const displayGhoBanner = shouldDisplayGhoBanner(currentMarket, searchTerm); + + const filteredData = reserves + // Filter out any non-active reserves + .filter((res) => res.isActive) + // Filter out GHO if the banner is being displayed + .filter((res) => (displayGhoBanner ? res !== ghoReserve : true)) + // filter out any that don't meet search term criteria + .filter((res) => { + if (!searchTerm) return true; + const term = searchTerm.toLowerCase().trim(); + return ( + res.symbol.toLowerCase().includes(term) || + res.name.toLowerCase().includes(term) || + res.underlyingAsset.toLowerCase().includes(term) + ); + }) + // Transform the object for list to consume it + .map((reserve) => ({ + ...reserve, + ...(reserve.isWrappedBaseAsset + ? fetchIconSymbolAndName({ + symbol: currentNetworkConfig.baseAssetSymbol, + underlyingAsset: API_ETH_MOCK_ADDRESS.toLowerCase(), + }) + : {}), + })); + + return ( + + Your staked assets + + } + searchPlaceholder={sm ? 'Search asset' : 'Search asset name, symbol, or address'} + /> + } + > + {/* Unfrozen assets list */} + + + {/* Show no search results message if nothing hits in either list */} + {!loading && filteredData.length === 0 && !displayGhoBanner && ( + + We couldn't find any assets related to your search. Try again with a different + asset name, symbol, or address. + + } + /> + )} + + ); +}; From 0242e7640495a8cbc003438f46de9b10e64fc790 Mon Sep 17 00:00:00 2001 From: Mark Grothe Date: Thu, 9 Jan 2025 10:11:33 -0600 Subject: [PATCH 003/110] feat: init data provider service --- src/modules/umbrella/UmbrellaAssetsList.tsx | 12 + src/modules/umbrella/hooks/useStakeData.ts | 24 ++ .../services/StakeDataProviderService.ts | 108 +++++++ .../services/types/StakeDataProvider.ts | 226 ++++++++++++++ .../types/StakeDataProvider__factory.ts | 294 ++++++++++++++++++ src/modules/umbrella/services/types/common.ts | 43 +++ src/ui-config/SharedDependenciesProvider.tsx | 4 + 7 files changed, 711 insertions(+) create mode 100644 src/modules/umbrella/hooks/useStakeData.ts create mode 100644 src/modules/umbrella/services/StakeDataProviderService.ts create mode 100644 src/modules/umbrella/services/types/StakeDataProvider.ts create mode 100644 src/modules/umbrella/services/types/StakeDataProvider__factory.ts create mode 100644 src/modules/umbrella/services/types/common.ts diff --git a/src/modules/umbrella/UmbrellaAssetsList.tsx b/src/modules/umbrella/UmbrellaAssetsList.tsx index b98745c8b5..80b0640133 100644 --- a/src/modules/umbrella/UmbrellaAssetsList.tsx +++ b/src/modules/umbrella/UmbrellaAssetsList.tsx @@ -6,7 +6,10 @@ import { ListColumn } from 'src/components/lists/ListColumn'; import { ListHeaderTitle } from 'src/components/lists/ListHeaderTitle'; import { ListHeaderWrapper } from 'src/components/lists/ListHeaderWrapper'; import { ComputedReserveData } from 'src/hooks/app-data-provider/useAppDataProvider'; +import { useRootStore } from 'src/store/root'; +import { useShallow } from 'zustand/shallow'; +import { useStakeData, useUserStakeData } from './hooks/useStakeData'; import { UmbrellaAssetsListItem } from './UmbrellaAssetsListItem'; import { UmbrellaAssetsListItemLoader } from './UmbrellaAssetsListItemLoader'; import { UmbrellaAssetsListMobileItem } from './UmbrellaAssetsListMobileItem'; @@ -50,6 +53,15 @@ export default function MarketAssetsList({ reserves, loading }: MarketAssetsList const isTableChangedToCards = useMediaQuery('(max-width:1125px)'); const [sortName, setSortName] = useState(''); const [sortDesc, setSortDesc] = useState(false); + const [currentMarketData, user] = useRootStore( + useShallow((store) => [store.currentMarketData, store.account]) + ); + + const { data: stakeData } = useStakeData(currentMarketData); + const { data: userStakeData } = useUserStakeData(currentMarketData, user); + console.log(stakeData); + console.log(userStakeData); + if (sortDesc) { if (sortName === 'symbol') { reserves.sort((a, b) => (a.symbol.toUpperCase() < b.symbol.toUpperCase() ? -1 : 1)); diff --git a/src/modules/umbrella/hooks/useStakeData.ts b/src/modules/umbrella/hooks/useStakeData.ts new file mode 100644 index 0000000000..b71bf6ec47 --- /dev/null +++ b/src/modules/umbrella/hooks/useStakeData.ts @@ -0,0 +1,24 @@ +import { useQuery } from '@tanstack/react-query'; +import { MarketDataType } from 'src/ui-config/marketsConfig'; +import { useSharedDependencies } from 'src/ui-config/SharedDependenciesProvider'; + +export const useStakeData = (marketData: MarketDataType) => { + const { stakeDataService } = useSharedDependencies(); + return useQuery({ + queryFn: () => { + return stakeDataService.getStakeData(marketData); + }, + queryKey: ['getStkTokens', marketData.marketTitle], + }); +}; + +export const useUserStakeData = (marketData: MarketDataType, user: string) => { + const { stakeDataService } = useSharedDependencies(); + return useQuery({ + queryFn: () => { + return stakeDataService.getUserTakeData(marketData, user); + }, + queryKey: ['getUserStakeData', marketData.marketTitle, user], + enabled: !!user, + }); +}; diff --git a/src/modules/umbrella/services/StakeDataProviderService.ts b/src/modules/umbrella/services/StakeDataProviderService.ts new file mode 100644 index 0000000000..8204e4fc2f --- /dev/null +++ b/src/modules/umbrella/services/StakeDataProviderService.ts @@ -0,0 +1,108 @@ +import { Provider } from '@ethersproject/providers'; +import { MarketDataType } from 'src/ui-config/marketsConfig'; + +import { StakeDataStructOutput, StakeUserDataStructOutput } from './types/StakeDataProvider'; +import { StakeDataProvider__factory } from './types/StakeDataProvider__factory'; + +const STAKE_DATA_PROVIDER = '0x7ac3ffaa30455a06df9719f57956bc4bb33d29a0'; + +export interface StakeData { + stkToken: string; + stkTokenName: string; + stkTokenTotalSupply: string; + cooldownSeconds: string; + unstakeWindowSeconds: string; + asset: string; + isStataToken: boolean; + stataTokenUnderlying: string; + stataTokenAToken: string; + rewards: Rewards[]; +} + +export interface Rewards { + rewardAddress: string; + index: string; + maxEmissionPerSecond: string; + distributionEnd: string; + currentEmissionPerSecond: string; +} + +export interface StakeUserData { + stakeToken: string; + stkTokenName: string; + stakeTokenBalance: string; + stakeTokenRedeemableAmount: string; + underlyingTokenBalance: string; + cooldownAmount: string; + endOfCooldown: number; + withdrawalWindow: number; + rewards: UserRewards[]; +} + +export interface UserRewards { + rewardAddress: string; + accrued: string; +} + +export class StakeDataProviderService { + constructor(private readonly getProvider: (chainId: number) => Provider) {} + + private getStakeDataProvider(marketData: MarketDataType) { + const provider = this.getProvider(marketData.chainId); + return StakeDataProvider__factory.connect(STAKE_DATA_PROVIDER, provider); + } + + async getStakeData(marketData: MarketDataType) { + const stakeDataProvider = this.getStakeDataProvider(marketData); + const stakeData = await stakeDataProvider.getStakeData(); + return this.humanizeStakeData(stakeData); + } + + async getUserTakeData(marketData: MarketDataType, user: string) { + const stakeDataProvider = this.getStakeDataProvider(marketData); + const userStakeData = await stakeDataProvider.getUserStakeData(user); + return this.humanizeUserStakeData(userStakeData); + } + + humanizeStakeData(stakeData: StakeDataStructOutput[]): StakeData[] { + return stakeData.map((stakeData) => { + return { + stkToken: stakeData.stkToken.toLowerCase(), + stkTokenName: stakeData.stkTokenName, + stkTokenTotalSupply: stakeData.stkTokenTotalSupply.toString(), + cooldownSeconds: stakeData.cooldownSeconds.toString(), + unstakeWindowSeconds: stakeData.unstakeWindowSeconds.toString(), + asset: stakeData.asset.toLowerCase(), + isStataToken: stakeData.isStataToken, + stataTokenUnderlying: stakeData.stataTokenUnderlying.toLowerCase(), + stataTokenAToken: stakeData.stataTokenAToken.toLowerCase(), + rewards: stakeData.rewards.map((reward) => ({ + rewardAddress: reward.rewardAddress.toLowerCase(), + index: reward.index.toString(), + maxEmissionPerSecond: reward.maxEmissionPerSecond.toString(), + distributionEnd: reward.distributionEnd.toString(), + currentEmissionPerSecond: reward.currentEmissionPerSecond.toString(), + })), + }; + }); + } + + humanizeUserStakeData(userStakeData: StakeUserDataStructOutput[]): StakeUserData[] { + return userStakeData.map((userStakeData) => { + return { + stakeToken: userStakeData.stakeToken.toLowerCase(), + stkTokenName: userStakeData.stkTokenName, + stakeTokenBalance: userStakeData.stakeTokenBalance.toString(), + stakeTokenRedeemableAmount: userStakeData.stakeTokenRedeemableAmount.toString(), + underlyingTokenBalance: userStakeData.underlyingTokenBalance.toString(), + cooldownAmount: userStakeData.cooldownAmount.toString(), + endOfCooldown: userStakeData.endOfCooldown, + withdrawalWindow: userStakeData.withdrawalWindow, + rewards: userStakeData.rewards.map((reward, index) => ({ + rewardAddress: reward.toLowerCase(), + accrued: userStakeData.rewardsAccrued[index].toString(), + })), + }; + }); + } +} diff --git a/src/modules/umbrella/services/types/StakeDataProvider.ts b/src/modules/umbrella/services/types/StakeDataProvider.ts new file mode 100644 index 0000000000..d3503144b1 --- /dev/null +++ b/src/modules/umbrella/services/types/StakeDataProvider.ts @@ -0,0 +1,226 @@ +/* Autogenerated file. Do not edit manually. */ +/* eslint-disable */ +import type { + BaseContract, + BigNumber, + BigNumberish, + BytesLike, + CallOverrides, + PopulatedTransaction, + Signer, + utils, +} from 'ethers'; +import type { FunctionFragment, Result } from '@ethersproject/abi'; +import type { Listener, Provider } from '@ethersproject/providers'; +import type { TypedEventFilter, TypedEvent, TypedListener, OnEvent } from './common'; + +export type RewardStruct = { + rewardAddress: string; + index: BigNumberish; + maxEmissionPerSecond: BigNumberish; + distributionEnd: BigNumberish; + currentEmissionPerSecond: BigNumberish; +}; + +export type RewardStructOutput = [string, BigNumber, BigNumber, BigNumber, BigNumber] & { + rewardAddress: string; + index: BigNumber; + maxEmissionPerSecond: BigNumber; + distributionEnd: BigNumber; + currentEmissionPerSecond: BigNumber; +}; + +export type StakeDataStruct = { + stkToken: string; + stkTokenName: string; + stkTokenTotalSupply: BigNumberish; + cooldownSeconds: BigNumberish; + unstakeWindowSeconds: BigNumberish; + asset: string; + isStataToken: boolean; + stataTokenUnderlying: string; + stataTokenAToken: string; + rewards: RewardStruct[]; +}; + +export type StakeDataStructOutput = [ + string, + string, + BigNumber, + BigNumber, + BigNumber, + string, + boolean, + string, + string, + RewardStructOutput[] +] & { + stkToken: string; + stkTokenName: string; + stkTokenTotalSupply: BigNumber; + cooldownSeconds: BigNumber; + unstakeWindowSeconds: BigNumber; + asset: string; + isStataToken: boolean; + stataTokenUnderlying: string; + stataTokenAToken: string; + rewards: RewardStructOutput[]; +}; + +export type StakeUserDataStruct = { + stakeToken: string; + stkTokenName: string; + stakeTokenBalance: BigNumberish; + stakeTokenRedeemableAmount: BigNumberish; + underlyingTokenBalance: BigNumberish; + cooldownAmount: BigNumberish; + endOfCooldown: BigNumberish; + withdrawalWindow: BigNumberish; + rewards: string[]; + rewardsAccrued: BigNumberish[]; +}; + +export type StakeUserDataStructOutput = [ + string, + string, + BigNumber, + BigNumber, + BigNumber, + BigNumber, + number, + number, + string[], + BigNumber[] +] & { + stakeToken: string; + stkTokenName: string; + stakeTokenBalance: BigNumber; + stakeTokenRedeemableAmount: BigNumber; + underlyingTokenBalance: BigNumber; + cooldownAmount: BigNumber; + endOfCooldown: number; + withdrawalWindow: number; + rewards: string[]; + rewardsAccrued: BigNumber[]; +}; + +export interface StakeDataProviderInterface extends utils.Interface { + functions: { + 'getStakeData()': FunctionFragment; + 'getUserStakeData(address)': FunctionFragment; + 'rewardsController()': FunctionFragment; + 'stataTokenFactory()': FunctionFragment; + 'umbrella()': FunctionFragment; + }; + + getFunction( + nameOrSignatureOrTopic: + | 'getStakeData' + | 'getUserStakeData' + | 'rewardsController' + | 'stataTokenFactory' + | 'umbrella' + ): FunctionFragment; + + encodeFunctionData(functionFragment: 'getStakeData', values?: undefined): string; + encodeFunctionData(functionFragment: 'getUserStakeData', values: [string]): string; + encodeFunctionData(functionFragment: 'rewardsController', values?: undefined): string; + encodeFunctionData(functionFragment: 'stataTokenFactory', values?: undefined): string; + encodeFunctionData(functionFragment: 'umbrella', values?: undefined): string; + + decodeFunctionResult(functionFragment: 'getStakeData', data: BytesLike): Result; + decodeFunctionResult(functionFragment: 'getUserStakeData', data: BytesLike): Result; + decodeFunctionResult(functionFragment: 'rewardsController', data: BytesLike): Result; + decodeFunctionResult(functionFragment: 'stataTokenFactory', data: BytesLike): Result; + decodeFunctionResult(functionFragment: 'umbrella', data: BytesLike): Result; + + events: {}; +} + +export interface StakeDataProvider extends BaseContract { + connect(signerOrProvider: Signer | Provider | string): this; + attach(addressOrName: string): this; + deployed(): Promise; + + interface: StakeDataProviderInterface; + + queryFilter( + event: TypedEventFilter, + fromBlockOrBlockhash?: string | number | undefined, + toBlock?: string | number | undefined + ): Promise>; + + listeners( + eventFilter?: TypedEventFilter + ): Array>; + listeners(eventName?: string): Array; + removeAllListeners(eventFilter: TypedEventFilter): this; + removeAllListeners(eventName?: string): this; + off: OnEvent; + on: OnEvent; + once: OnEvent; + removeListener: OnEvent; + + functions: { + getStakeData(overrides?: CallOverrides): Promise<[StakeDataStructOutput[]]>; + + getUserStakeData( + user: string, + overrides?: CallOverrides + ): Promise<[StakeUserDataStructOutput[]]>; + + rewardsController(overrides?: CallOverrides): Promise<[string]>; + + stataTokenFactory(overrides?: CallOverrides): Promise<[string]>; + + umbrella(overrides?: CallOverrides): Promise<[string]>; + }; + + getStakeData(overrides?: CallOverrides): Promise; + + getUserStakeData(user: string, overrides?: CallOverrides): Promise; + + rewardsController(overrides?: CallOverrides): Promise; + + stataTokenFactory(overrides?: CallOverrides): Promise; + + umbrella(overrides?: CallOverrides): Promise; + + callStatic: { + getStakeData(overrides?: CallOverrides): Promise; + + getUserStakeData(user: string, overrides?: CallOverrides): Promise; + + rewardsController(overrides?: CallOverrides): Promise; + + stataTokenFactory(overrides?: CallOverrides): Promise; + + umbrella(overrides?: CallOverrides): Promise; + }; + + filters: {}; + + estimateGas: { + getStakeData(overrides?: CallOverrides): Promise; + + getUserStakeData(user: string, overrides?: CallOverrides): Promise; + + rewardsController(overrides?: CallOverrides): Promise; + + stataTokenFactory(overrides?: CallOverrides): Promise; + + umbrella(overrides?: CallOverrides): Promise; + }; + + populateTransaction: { + getStakeData(overrides?: CallOverrides): Promise; + + getUserStakeData(user: string, overrides?: CallOverrides): Promise; + + rewardsController(overrides?: CallOverrides): Promise; + + stataTokenFactory(overrides?: CallOverrides): Promise; + + umbrella(overrides?: CallOverrides): Promise; + }; +} diff --git a/src/modules/umbrella/services/types/StakeDataProvider__factory.ts b/src/modules/umbrella/services/types/StakeDataProvider__factory.ts new file mode 100644 index 0000000000..ca852c29a9 --- /dev/null +++ b/src/modules/umbrella/services/types/StakeDataProvider__factory.ts @@ -0,0 +1,294 @@ +/* Autogenerated file. Do not edit manually. */ +/* eslint-disable */ +import { Signer, utils, Contract, ContractFactory, Overrides } from 'ethers'; +import type { Provider, TransactionRequest } from '@ethersproject/providers'; +import type { StakeDataProvider, StakeDataProviderInterface } from './StakeDataProvider'; + +const _abi = [ + { + type: 'constructor', + inputs: [ + { + name: '_umbrella', + type: 'address', + internalType: 'contract IUmbrellaStkManager', + }, + { + name: '_rewardsController', + type: 'address', + internalType: 'contract IRewardsController', + }, + { + name: '_stataTokenFactory', + type: 'address', + internalType: 'contract IStataTokenFactory', + }, + ], + stateMutability: 'nonpayable', + }, + { + type: 'function', + name: 'getStakeData', + inputs: [], + outputs: [ + { + name: '', + type: 'tuple[]', + internalType: 'struct StakeData[]', + components: [ + { + name: 'stkToken', + type: 'address', + internalType: 'address', + }, + { + name: 'stkTokenName', + type: 'string', + internalType: 'string', + }, + { + name: 'stkTokenTotalSupply', + type: 'uint256', + internalType: 'uint256', + }, + { + name: 'cooldownSeconds', + type: 'uint256', + internalType: 'uint256', + }, + { + name: 'unstakeWindowSeconds', + type: 'uint256', + internalType: 'uint256', + }, + { + name: 'asset', + type: 'address', + internalType: 'address', + }, + { + name: 'isStataToken', + type: 'bool', + internalType: 'bool', + }, + { + name: 'stataTokenUnderlying', + type: 'address', + internalType: 'address', + }, + { + name: 'stataTokenAToken', + type: 'address', + internalType: 'address', + }, + { + name: 'rewards', + type: 'tuple[]', + internalType: 'struct Reward[]', + components: [ + { + name: 'rewardAddress', + type: 'address', + internalType: 'address', + }, + { + name: 'index', + type: 'uint256', + internalType: 'uint256', + }, + { + name: 'maxEmissionPerSecond', + type: 'uint256', + internalType: 'uint256', + }, + { + name: 'distributionEnd', + type: 'uint256', + internalType: 'uint256', + }, + { + name: 'currentEmissionPerSecond', + type: 'uint256', + internalType: 'uint256', + }, + ], + }, + ], + }, + ], + stateMutability: 'view', + }, + { + type: 'function', + name: 'getUserStakeData', + inputs: [ + { + name: 'user', + type: 'address', + internalType: 'address', + }, + ], + outputs: [ + { + name: '', + type: 'tuple[]', + internalType: 'struct StakeUserData[]', + components: [ + { + name: 'stakeToken', + type: 'address', + internalType: 'address', + }, + { + name: 'stkTokenName', + type: 'string', + internalType: 'string', + }, + { + name: 'stakeTokenBalance', + type: 'uint256', + internalType: 'uint256', + }, + { + name: 'stakeTokenRedeemableAmount', + type: 'uint256', + internalType: 'uint256', + }, + { + name: 'underlyingTokenBalance', + type: 'uint256', + internalType: 'uint256', + }, + { + name: 'cooldownAmount', + type: 'uint192', + internalType: 'uint192', + }, + { + name: 'endOfCooldown', + type: 'uint32', + internalType: 'uint32', + }, + { + name: 'withdrawalWindow', + type: 'uint32', + internalType: 'uint32', + }, + { + name: 'rewards', + type: 'address[]', + internalType: 'address[]', + }, + { + name: 'rewardsAccrued', + type: 'uint256[]', + internalType: 'uint256[]', + }, + ], + }, + ], + stateMutability: 'view', + }, + { + type: 'function', + name: 'rewardsController', + inputs: [], + outputs: [ + { + name: '', + type: 'address', + internalType: 'contract IRewardsController', + }, + ], + stateMutability: 'view', + }, + { + type: 'function', + name: 'stataTokenFactory', + inputs: [], + outputs: [ + { + name: '', + type: 'address', + internalType: 'contract IStataTokenFactory', + }, + ], + stateMutability: 'view', + }, + { + type: 'function', + name: 'umbrella', + inputs: [], + outputs: [ + { + name: '', + type: 'address', + internalType: 'contract IUmbrellaStkManager', + }, + ], + stateMutability: 'view', + }, +] as const; + +const _bytecode = + '0x60e060405234801562000010575f80fd5b506040516200173638038062001736833981016040819052620000339162000069565b6001600160a01b0392831660805290821660a0521660c052620000ba565b6001600160a01b038116811462000066575f80fd5b50565b5f805f606084860312156200007c575f80fd5b8351620000898162000051565b60208501519093506200009c8162000051565b6040850151909250620000af8162000051565b809150509250925092565b60805160a05160c051611623620001135f395f8181605e015261024801525f818160a20152818161037b0152818161059c015281816106310152610bca01525f818160c901528181610125015261095501526116235ff3fe608060405234801561000f575f80fd5b5060043610610055575f3560e01c80631494088f146100595780636bb65f531461009d57806384914262146100c4578063a16a09af146100eb578063e9ce34a514610100575b5f80fd5b6100807f000000000000000000000000000000000000000000000000000000000000000081565b6040516001600160a01b0390911681526020015b60405180910390f35b6100807f000000000000000000000000000000000000000000000000000000000000000081565b6100807f000000000000000000000000000000000000000000000000000000000000000081565b6100f3610120565b6040516100949190610f9c565b61011361010e3660046110ab565b610950565b6040516100949190611132565b60605f7f00000000000000000000000000000000000000000000000000000000000000006001600160a01b031663de3767766040518163ffffffff1660e01b81526004015f60405180830381865afa15801561017e573d5f803e3d5ffd5b505050506040513d5f823e601f3d908101601f191682016040526101a59190810190611309565b90505f815167ffffffffffffffff8111156101c2576101c2611230565b60405190808252806020026020018201604052801561024257816020015b60408051610140810182525f8082526060602083018190529282018190528282018190526080820181905260a0820181905260c0820181905260e082018190526101008201526101208101919091528152602001906001900390816101e05790505b5090505f7f00000000000000000000000000000000000000000000000000000000000000006001600160a01b031663529080176040518163ffffffff1660e01b81526004015f60405180830381865afa1580156102a1573d5f803e3d5ffd5b505050506040513d5f823e601f3d908101601f191682016040526102c89190810190611309565b90505f5b8351811015610947575f8482815181106102e8576102e8611343565b602002602001015190505f8190505f826001600160a01b03166338d52e0f6040518163ffffffff1660e01b8152600401602060405180830381865afa158015610333573d5f803e3d5ffd5b505050506040513d601f19601f820116820180604052508101906103579190611357565b60405163362a3fad60e01b81526001600160a01b0384811660048301529192505f917f0000000000000000000000000000000000000000000000000000000000000000169063362a3fad906024015f60405180830381865afa1580156103bf573d5f803e3d5ffd5b505050506040513d5f823e601f3d908101601f191682016040526103e69190810190611309565b90505f815167ffffffffffffffff81111561040357610403611230565b60405190808252806020026020018201604052801561046a57816020015b6104576040518060a001604052805f6001600160a01b031681526020015f81526020015f81526020015f81526020015f81525090565b8152602001906001900390816104215790505b5090505f6104788489610e7e565b90505f80821561054757856001600160a01b03166338d52e0f6040518163ffffffff1660e01b8152600401602060405180830381865afa1580156104be573d5f803e3d5ffd5b505050506040513d601f19601f820116820180604052508101906104e29190611357565b9150856001600160a01b031663a0c1f15e6040518163ffffffff1660e01b8152600401602060405180830381865afa158015610520573d5f803e3d5ffd5b505050506040513d601f19601f820116820180604052508101906105449190611357565b90505b5f5b855181101561070b575f86828151811061056557610565611343565b60209081029190910101516040516334fb3ea160e11b81526001600160a01b038b8116600483015280831660248301529192505f917f000000000000000000000000000000000000000000000000000000000000000016906369f67d4290604401608060405180830381865afa1580156105e1573d5f803e3d5ffd5b505050506040513d601f19601f820116820180604052508101906106059190611372565b604051630450881160e51b81526001600160a01b038c8116600483015284811660248301529192505f917f00000000000000000000000000000000000000000000000000000000000000001690638a11022090604401602060405180830381865afa158015610676573d5f803e3d5ffd5b505050506040513d601f19601f8201168201806040525081019061069a91906113df565b90506040518060a00160405280846001600160a01b03168152602001836020015181526020018360400151815260200183606001518152602001828152508885815181106106ea576106ea611343565b60200260200101819052505050508080610703906113f6565b915050610549565b506040518061014001604052808d8b8151811061072a5761072a611343565b60200260200101516001600160a01b03168152602001896001600160a01b03166306fdde036040518163ffffffff1660e01b81526004015f60405180830381865afa15801561077b573d5f803e3d5ffd5b505050506040513d5f823e601f3d908101601f191682016040526107a2919081019061141a565b8152602001896001600160a01b03166318160ddd6040518163ffffffff1660e01b8152600401602060405180830381865afa1580156107e3573d5f803e3d5ffd5b505050506040513d601f19601f8201168201806040525081019061080791906113df565b8152602001896001600160a01b031663218e4a156040518163ffffffff1660e01b8152600401602060405180830381865afa158015610848573d5f803e3d5ffd5b505050506040513d601f19601f8201168201806040525081019061086c91906113df565b8152602001896001600160a01b03166390b9f9e46040518163ffffffff1660e01b8152600401602060405180830381865afa1580156108ad573d5f803e3d5ffd5b505050506040513d601f19601f820116820180604052508101906108d191906113df565b8152602001876001600160a01b031681526020018415158152602001836001600160a01b03168152602001826001600160a01b03168152602001858152508b8a8151811061092157610921611343565b60200260200101819052505050505050505050808061093f906113f6565b9150506102cc565b50909392505050565b60605f7f00000000000000000000000000000000000000000000000000000000000000006001600160a01b031663de3767766040518163ffffffff1660e01b81526004015f60405180830381865afa1580156109ae573d5f803e3d5ffd5b505050506040513d5f823e601f3d908101601f191682016040526109d59190810190611309565b90505f815167ffffffffffffffff8111156109f2576109f2611230565b604051908082528060200260200182016040528015610a9057816020015b610a7d6040518061014001604052805f6001600160a01b03168152602001606081526020015f81526020015f81526020015f81526020015f6001600160c01b031681526020015f63ffffffff1681526020015f63ffffffff16815260200160608152602001606081525090565b815260200190600190039081610a105790505b5090505f5b8251811015610e76575f838281518110610ab157610ab1611343565b60209081029190910101516040516317c547a160e11b81526001600160a01b0388811660048301529192505f91831690632f8a8f4290602401606060405180830381865afa158015610b05573d5f803e3d5ffd5b505050506040513d601f19601f82011682018060405250810190610b2991906114c1565b6040516370a0823160e01b81526001600160a01b03898116600483015291925083915f91908316906370a0823190602401602060405180830381865afa158015610b75573d5f803e3d5ffd5b505050506040513d601f19601f82011682018060405250810190610b9991906113df565b60405160016204621960e51b031981526001600160a01b0384811660048301528b811660248301529192505f9182917f00000000000000000000000000000000000000000000000000000000000000009091169063ff73bce0906044015f60405180830381865afa158015610c10573d5f803e3d5ffd5b505050506040513d5f823e601f3d908101601f19168201604052610c379190810190611538565b91509150604051806101400160405280856001600160a01b03168152602001876001600160a01b03166306fdde036040518163ffffffff1660e01b81526004015f60405180830381865afa158015610c91573d5f803e3d5ffd5b505050506040513d5f823e601f3d908101601f19168201604052610cb8919081019061141a565b8152602001848152602001876001600160a01b0316634cdad506866040518263ffffffff1660e01b8152600401610cf191815260200190565b602060405180830381865afa158015610d0c573d5f803e3d5ffd5b505050506040513d601f19601f82011682018060405250810190610d3091906113df565b8152602001876001600160a01b03166338d52e0f6040518163ffffffff1660e01b8152600401602060405180830381865afa158015610d71573d5f803e3d5ffd5b505050506040513d601f19601f82011682018060405250810190610d959190611357565b6040516370a0823160e01b81526001600160a01b038f8116600483015291909116906370a0823190602401602060405180830381865afa158015610ddb573d5f803e3d5ffd5b505050506040513d601f19601f82011682018060405250810190610dff91906113df565b8152602001865f01516001600160c01b03168152602001866020015163ffffffff168152602001866040015163ffffffff16815260200183815260200182815250888881518110610e5257610e52611343565b60200260200101819052505050505050508080610e6e906113f6565b915050610a95565b509392505050565b5f805b8251811015610ed857828181518110610e9c57610e9c611343565b60200260200101516001600160a01b0316846001600160a01b031603610ec6576001915050610edd565b80610ed0816113f6565b915050610e81565b505f90505b92915050565b5f5b83811015610efd578181015183820152602001610ee5565b50505f910152565b5f8151808452610f1c816020860160208601610ee3565b601f01601f19169290920160200192915050565b5f8151808452602080850194508084015f5b83811015610f9157815180516001600160a01b03168852838101518489015260408082015190890152606080820151908901526080908101519088015260a09096019590820190600101610f42565b509495945050505050565b5f6020808301818452808551808352604092508286019150828160051b8701018488015f5b8381101561108657888303603f19018552815180516001600160a01b0316845261014088820151818a870152610ff982870182610f05565b89840151878b0152606080850151908801526080808501519088015260a0808501516001600160a01b039081169189019190915260c08086015115159089015260e08086015182169089015261010080860151909116908801526101209384015187820394880194909452915061107290508183610f30565b968901969450505090860190600101610fc1565b509098975050505050505050565b6001600160a01b03811681146110a8575f80fd5b50565b5f602082840312156110bb575f80fd5b81356110c681611094565b9392505050565b5f8151808452602080850194508084015f5b83811015610f915781516001600160a01b0316875295820195908201906001016110df565b5f8151808452602080850194508084015f5b83811015610f9157815187529582019590820190600101611116565b5f6020808301818452808551808352604092508286019150828160051b8701018488015f5b8381101561108657888303603f19018552815180516001600160a01b0316845261014088820151818a87015261118f82870182610f05565b89840151878b0152606080850151908801526080808501519088015260a0808501516001600160c01b03169088015260c08085015163ffffffff9081169189019190915260e0808601519091169088015261010080850151888303828a015291935091506111fd83826110cd565b92505050610120808301519250858203818701525061121c8183611104565b968901969450505090860190600101611157565b634e487b7160e01b5f52604160045260245ffd5b604051601f8201601f1916810167ffffffffffffffff8111828210171561126d5761126d611230565b604052919050565b5f67ffffffffffffffff82111561128e5761128e611230565b5060051b60200190565b5f82601f8301126112a7575f80fd5b815160206112bc6112b783611275565b611244565b82815260059290921b840181019181810190868411156112da575f80fd5b8286015b848110156112fe5780516112f181611094565b83529183019183016112de565b509695505050505050565b5f60208284031215611319575f80fd5b815167ffffffffffffffff81111561132f575f80fd5b61133b84828501611298565b949350505050565b634e487b7160e01b5f52603260045260245ffd5b5f60208284031215611367575f80fd5b81516110c681611094565b5f60808284031215611382575f80fd5b6040516080810181811067ffffffffffffffff821117156113a5576113a5611230565b60405282516113b381611094565b808252506020830151602082015260408301516040820152606083015160608201528091505092915050565b5f602082840312156113ef575f80fd5b5051919050565b5f6001820161141357634e487b7160e01b5f52601160045260245ffd5b5060010190565b5f6020828403121561142a575f80fd5b815167ffffffffffffffff80821115611441575f80fd5b818401915084601f830112611454575f80fd5b81518181111561146657611466611230565b611479601f8201601f1916602001611244565b915080825285602082850101111561148f575f80fd5b6114a0816020840160208601610ee3565b50949350505050565b805163ffffffff811681146114bc575f80fd5b919050565b5f606082840312156114d1575f80fd5b6040516060810181811067ffffffffffffffff821117156114f4576114f4611230565b60405282516001600160c01b038116811461150d575f80fd5b815261151b602084016114a9565b602082015261152c604084016114a9565b60408201529392505050565b5f8060408385031215611549575f80fd5b825167ffffffffffffffff80821115611560575f80fd5b61156c86838701611298565b9350602091508185015181811115611582575f80fd5b85019050601f81018613611594575f80fd5b80516115a26112b782611275565b81815260059190911b820183019083810190888311156115c0575f80fd5b928401925b828410156115de578351825292840192908401906115c5565b8095505050505050925092905056fea264697066735822122038b67c6525103dcc3ec4ab1639ba9d55a80185b02b504ee0d19d1b2d27630dd864736f6c63430008140033'; + +type StakeDataProviderConstructorParams = + | [signer?: Signer] + | ConstructorParameters; + +const isSuperArgs = ( + xs: StakeDataProviderConstructorParams +): xs is ConstructorParameters => xs.length > 1; + +export class StakeDataProvider__factory extends ContractFactory { + constructor(...args: StakeDataProviderConstructorParams) { + if (isSuperArgs(args)) { + super(...args); + } else { + super(_abi, _bytecode, args[0]); + } + } + + override deploy( + _umbrella: string, + _rewardsController: string, + _stataTokenFactory: string, + overrides?: Overrides & { from?: string } + ): Promise { + return super.deploy( + _umbrella, + _rewardsController, + _stataTokenFactory, + overrides || {} + ) as Promise; + } + override getDeployTransaction( + _umbrella: string, + _rewardsController: string, + _stataTokenFactory: string, + overrides?: Overrides & { from?: string } + ): TransactionRequest { + return super.getDeployTransaction( + _umbrella, + _rewardsController, + _stataTokenFactory, + overrides || {} + ); + } + override attach(address: string): StakeDataProvider { + return super.attach(address) as StakeDataProvider; + } + override connect(signer: Signer): StakeDataProvider__factory { + return super.connect(signer) as StakeDataProvider__factory; + } + + static readonly bytecode = _bytecode; + static readonly abi = _abi; + static createInterface(): StakeDataProviderInterface { + return new utils.Interface(_abi) as StakeDataProviderInterface; + } + static connect(address: string, signerOrProvider: Signer | Provider): StakeDataProvider { + return new Contract(address, _abi, signerOrProvider) as StakeDataProvider; + } +} diff --git a/src/modules/umbrella/services/types/common.ts b/src/modules/umbrella/services/types/common.ts new file mode 100644 index 0000000000..0fb82cd374 --- /dev/null +++ b/src/modules/umbrella/services/types/common.ts @@ -0,0 +1,43 @@ +/* Autogenerated file. Do not edit manually. */ +/* eslint-disable */ +import type { Listener } from '@ethersproject/providers'; +import type { Event, EventFilter } from 'ethers'; + +export interface TypedEvent< + TArgsArray extends Array = any, + TArgsObject = any, +> extends Event { + args: TArgsArray & TArgsObject; +} + +export interface TypedEventFilter<_TEvent extends TypedEvent> + extends EventFilter {} + +export interface TypedListener { + (...listenerArg: [...__TypechainArgsArray, TEvent]): void; +} + +type __TypechainArgsArray = T extends TypedEvent ? U : never; + +export interface OnEvent { + ( + eventFilter: TypedEventFilter, + listener: TypedListener, + ): TRes; + (eventName: string, listener: Listener): TRes; +} + +export type MinEthersFactory = { + deploy(...a: ARGS[]): Promise; +}; + +export type GetContractTypeFromFactory = F extends MinEthersFactory< + infer C, + any +> + ? C + : never; + +export type GetARGsTypeFromFactory = F extends MinEthersFactory + ? Parameters + : never; diff --git a/src/ui-config/SharedDependenciesProvider.tsx b/src/ui-config/SharedDependenciesProvider.tsx index b65f847bbf..791fbffd0b 100644 --- a/src/ui-config/SharedDependenciesProvider.tsx +++ b/src/ui-config/SharedDependenciesProvider.tsx @@ -1,4 +1,5 @@ import { createContext, PropsWithChildren, useContext } from 'react'; +import { StakeDataProviderService } from 'src/modules/umbrella/services/StakeDataProviderService'; import { ApprovedAmountService } from 'src/services/ApprovedAmountService'; import { DelegationTokenService } from 'src/services/DelegationTokenService'; import { ERC20Service } from 'src/services/Erc20Service'; @@ -36,6 +37,7 @@ interface SharedDependenciesContext { stkAbptMigrationService: StkAbptMigrationService; migrationService: MigrationService; erc20Service: ERC20Service; + stakeDataService: StakeDataProviderService; } const SharedDependenciesContext = createContext(null); @@ -67,6 +69,7 @@ export const SharedDependenciesProvider: React.FC = ({ childr const delegationTokenService = new DelegationTokenService(getGovernanceProvider); const stkAbptMigrationService = new StkAbptMigrationService(); const migrationService = new MigrationService(getProvider); + const stakeDataService = new StakeDataProviderService(getProvider); const uiPoolService = new UiPoolService(getProvider); const uiIncentivesService = new UiIncentivesService(getProvider); @@ -96,6 +99,7 @@ export const SharedDependenciesProvider: React.FC = ({ childr stkAbptMigrationService, migrationService, erc20Service, + stakeDataService, }} > {children} From f47be93e6bdd1cb06620c20089c82b57d49a4190 Mon Sep 17 00:00:00 2001 From: Mark Grothe Date: Thu, 9 Jan 2025 13:32:49 -0600 Subject: [PATCH 004/110] fix: addresses --- package.json | 5 +++-- src/services/UIPoolService.ts | 6 +++++- src/ui-config/marketsConfig.tsx | 15 ++++++++------- 3 files changed, 16 insertions(+), 10 deletions(-) diff --git a/package.json b/package.json index 3804746d2d..93ece17a72 100644 --- a/package.json +++ b/package.json @@ -33,7 +33,7 @@ "dependencies": { "@aave/contract-helpers": "1.30.5", "@aave/math-utils": "1.30.5", - "@bgd-labs/aave-address-book": "4.7.0", + "@bgd-labs/aave-address-book": "4.6.1-cee1c3d0f722d997f9cf5047b066186145847a41.0", "@emotion/cache": "11.10.3", "@emotion/react": "11.10.4", "@emotion/server": "latest", @@ -151,5 +151,6 @@ "budget": null, "budgetPercentIncreaseRed": 20, "showDetails": true - } + }, + "packageManager": "yarn@1.22.22+sha512.a6b2f7906b721bba3d67d4aff083df04dad64c399707841b7acf00f6b133b7ac24255f2652fa22ae3534329dc6180534e98d17432037ff6fd140556e2bb3137e" } diff --git a/src/services/UIPoolService.ts b/src/services/UIPoolService.ts index 7bf83cbb49..ff388f0581 100644 --- a/src/services/UIPoolService.ts +++ b/src/services/UIPoolService.ts @@ -6,7 +6,7 @@ import { UserReserveDataHumanized, } from '@aave/contract-helpers'; import { Provider } from '@ethersproject/providers'; -import { MarketDataType } from 'src/ui-config/marketsConfig'; +import { CustomMarket, MarketDataType } from 'src/ui-config/marketsConfig'; import { ENABLE_TESTNET } from 'src/utils/marketsAndNetworksConfig'; export type UserReservesDataHumanized = { @@ -35,6 +35,10 @@ export class UiPoolService { } private useLegacyUiPoolDataProvider(marketData: MarketDataType) { + if (marketData.market === CustomMarket.proto_base_sepolia_v3) { + return false; + } + if (ENABLE_TESTNET || !marketData.v3) { // it's a v2 market, or it does not have v3.1 upgrade return true; diff --git a/src/ui-config/marketsConfig.tsx b/src/ui-config/marketsConfig.tsx index fd092cfe2c..cb2cccfe41 100644 --- a/src/ui-config/marketsConfig.tsx +++ b/src/ui-config/marketsConfig.tsx @@ -8,6 +8,7 @@ import { AaveV3ArbitrumSepolia, AaveV3Avalanche, AaveV3Base, + AaveV3BaseSepolia, AaveV3BNB, AaveV3Ethereum, AaveV3EthereumEtherFi, @@ -407,13 +408,13 @@ export const marketsData: { permitDisabled: true, chainId: ChainId.base_sepolia, addresses: { - LENDING_POOL_ADDRESS_PROVIDER: '0xd449FeD49d9C443688d6816fE6872F21402e41de', // AaveV3BaseSepolia.POOL_ADDRESSES_PROVIDER, - LENDING_POOL: '0x07eA79F68B2B3df564D0A34F8e19D9B1e339814b', // AaveV3BaseSepolia.POOL, - WETH_GATEWAY: '0xF6Dac650dA5616Bc3206e969D7868e7c25805171', // AaveV3BaseSepolia.WETH_GATEWAY, - WALLET_BALANCE_PROVIDER: '0xdeB02056E277174566A1c425a8e60550142B70A2', // AaveV3BaseSepolia.WALLET_BALANCE_PROVIDER, - UI_POOL_DATA_PROVIDER: '0x884702E4b1d0a2900369E83d5765d537F469cAC9', // AaveV3BaseSepolia.UI_POOL_DATA_PROVIDER, - UI_INCENTIVE_DATA_PROVIDER: '0x52Cb5CDf732889be3fd5d5E3A5D589446e060C0D', // AaveV3BaseSepolia.UI_INCENTIVE_DATA_PROVIDER, - L2_ENCODER: '0x458d281bFFCE958E34571B33F1F26Bd42Aa27c44', // AaveV3BaseSepolia.L2_ENCODER, + LENDING_POOL_ADDRESS_PROVIDER: AaveV3BaseSepolia.POOL_ADDRESSES_PROVIDER, + LENDING_POOL: AaveV3BaseSepolia.POOL, + WETH_GATEWAY: AaveV3BaseSepolia.WETH_GATEWAY, + WALLET_BALANCE_PROVIDER: AaveV3BaseSepolia.WALLET_BALANCE_PROVIDER, + UI_POOL_DATA_PROVIDER: AaveV3BaseSepolia.UI_POOL_DATA_PROVIDER, + UI_INCENTIVE_DATA_PROVIDER: AaveV3BaseSepolia.UI_INCENTIVE_DATA_PROVIDER, + L2_ENCODER: AaveV3BaseSepolia.L2_ENCODER, }, }, [CustomMarket.proto_avalanche_v3]: { From 3c372538a12f0c47776bf35e869e1bb9c73d82fe Mon Sep 17 00:00:00 2001 From: Mark Grothe Date: Thu, 9 Jan 2025 16:50:36 -0600 Subject: [PATCH 005/110] fix: package json --- package.json | 3 +-- yarn.lock | 8 ++++---- 2 files changed, 5 insertions(+), 6 deletions(-) diff --git a/package.json b/package.json index 93ece17a72..47b5d70a53 100644 --- a/package.json +++ b/package.json @@ -151,6 +151,5 @@ "budget": null, "budgetPercentIncreaseRed": 20, "showDetails": true - }, - "packageManager": "yarn@1.22.22+sha512.a6b2f7906b721bba3d67d4aff083df04dad64c399707841b7acf00f6b133b7ac24255f2652fa22ae3534329dc6180534e98d17432037ff6fd140556e2bb3137e" + } } diff --git a/yarn.lock b/yarn.lock index 79a5f346b4..17327459f0 100644 --- a/yarn.lock +++ b/yarn.lock @@ -1066,10 +1066,10 @@ resolved "https://registry.yarnpkg.com/@bcoe/v8-coverage/-/v8-coverage-0.2.3.tgz#75a2e8b51cb758a7553d6804a5932d7aace75c39" integrity sha512-0hYQ8SB4Db5zvZB4axdMHGwEaQjkZzFjQiN9LVYvIFB2nSUHW9tYpxWriPrWDASIxiaXax83REcLxuSdnGPZtw== -"@bgd-labs/aave-address-book@4.7.0": - version "4.7.0" - resolved "https://registry.yarnpkg.com/@bgd-labs/aave-address-book/-/aave-address-book-4.7.0.tgz#4d64ff67dd83f32fcff71ffe7498bf9477c8586f" - integrity sha512-oxLDYy36woE1AuW97aXI7bk+v+/my0YAqaWbGokLJGc+An7/ABfF89cbn9aJqAx3fyT8DDRojGyrcGIeocnNBg== +"@bgd-labs/aave-address-book@4.6.1-cee1c3d0f722d997f9cf5047b066186145847a41.0": + version "4.6.1-cee1c3d0f722d997f9cf5047b066186145847a41.0" + resolved "https://registry.yarnpkg.com/@bgd-labs/aave-address-book/-/aave-address-book-4.6.1-cee1c3d0f722d997f9cf5047b066186145847a41.0.tgz#9583ab1ae69e602f3e633b746ce854e2b220c0ee" + integrity sha512-z6s9G6Pd2hKazxVwnYD/6bRTQxnxPsyv1g71WKSKXfxlfjzuK8jnyhIzZjXG19hxRSY/BvSe8Y16z/DHsUoLkQ== "@coinbase/wallet-sdk@4.2.3": version "4.2.3" From 2a21c6acf569c229bb4fc578ef32a0283cd836b1 Mon Sep 17 00:00:00 2001 From: Mark Grothe Date: Thu, 9 Jan 2025 21:15:00 -0600 Subject: [PATCH 006/110] feat: updated provider --- .../services/StakeDataProviderService.ts | 36 +-- .../services/types/StakeDataProvider.ts | 147 ++++++---- .../types/StakeDataProvider__factory.ts | 260 +++++++++--------- 3 files changed, 255 insertions(+), 188 deletions(-) diff --git a/src/modules/umbrella/services/StakeDataProviderService.ts b/src/modules/umbrella/services/StakeDataProviderService.ts index 8204e4fc2f..1aac3a5f7b 100644 --- a/src/modules/umbrella/services/StakeDataProviderService.ts +++ b/src/modules/umbrella/services/StakeDataProviderService.ts @@ -4,18 +4,19 @@ import { MarketDataType } from 'src/ui-config/marketsConfig'; import { StakeDataStructOutput, StakeUserDataStructOutput } from './types/StakeDataProvider'; import { StakeDataProvider__factory } from './types/StakeDataProvider__factory'; -const STAKE_DATA_PROVIDER = '0x7ac3ffaa30455a06df9719f57956bc4bb33d29a0'; +const STAKE_DATA_PROVIDER = '0x508b0d26b00bcfa1b1e9783d1194d4a5efe9d19e'; export interface StakeData { - stkToken: string; - stkTokenName: string; - stkTokenTotalSupply: string; + stakeToken: string; + stakeTokenName: string; + stakeTokenTotalSupply: string; cooldownSeconds: string; unstakeWindowSeconds: string; - asset: string; - isStataToken: boolean; - stataTokenUnderlying: string; - stataTokenAToken: string; + stakeTokenUnderlying: string; + underlyingIsWaToken: boolean; + waTokenUnderlying: string; + waTokenAToken: string; + waTokenPrice: string; rewards: Rewards[]; } @@ -29,7 +30,7 @@ export interface Rewards { export interface StakeUserData { stakeToken: string; - stkTokenName: string; + stakeTokenName: string; stakeTokenBalance: string; stakeTokenRedeemableAmount: string; underlyingTokenBalance: string; @@ -67,15 +68,16 @@ export class StakeDataProviderService { humanizeStakeData(stakeData: StakeDataStructOutput[]): StakeData[] { return stakeData.map((stakeData) => { return { - stkToken: stakeData.stkToken.toLowerCase(), - stkTokenName: stakeData.stkTokenName, - stkTokenTotalSupply: stakeData.stkTokenTotalSupply.toString(), + stakeToken: stakeData.stakeToken.toLowerCase(), + stakeTokenName: stakeData.stakeTokenName, + stakeTokenTotalSupply: stakeData.stakeTokenTotalSupply.toString(), cooldownSeconds: stakeData.cooldownSeconds.toString(), unstakeWindowSeconds: stakeData.unstakeWindowSeconds.toString(), - asset: stakeData.asset.toLowerCase(), - isStataToken: stakeData.isStataToken, - stataTokenUnderlying: stakeData.stataTokenUnderlying.toLowerCase(), - stataTokenAToken: stakeData.stataTokenAToken.toLowerCase(), + stakeTokenUnderlying: stakeData.stakeTokenUnderlying.toLowerCase(), + underlyingIsWaToken: stakeData.underlyingIsWaToken, + waTokenUnderlying: stakeData.waTokenUnderlying.toLowerCase(), + waTokenAToken: stakeData.waTokenAToken.toLowerCase(), + waTokenPrice: stakeData.waTokenPrice.toString(), // 8 decimals rewards: stakeData.rewards.map((reward) => ({ rewardAddress: reward.rewardAddress.toLowerCase(), index: reward.index.toString(), @@ -91,7 +93,7 @@ export class StakeDataProviderService { return userStakeData.map((userStakeData) => { return { stakeToken: userStakeData.stakeToken.toLowerCase(), - stkTokenName: userStakeData.stkTokenName, + stakeTokenName: userStakeData.stakeTokenName, stakeTokenBalance: userStakeData.stakeTokenBalance.toString(), stakeTokenRedeemableAmount: userStakeData.stakeTokenRedeemableAmount.toString(), underlyingTokenBalance: userStakeData.underlyingTokenBalance.toString(), diff --git a/src/modules/umbrella/services/types/StakeDataProvider.ts b/src/modules/umbrella/services/types/StakeDataProvider.ts index d3503144b1..7919ea5062 100644 --- a/src/modules/umbrella/services/types/StakeDataProvider.ts +++ b/src/modules/umbrella/services/types/StakeDataProvider.ts @@ -1,4 +1,5 @@ /* Autogenerated file. Do not edit manually. */ +/* tslint:disable */ /* eslint-disable */ import type { BaseContract, @@ -9,10 +10,15 @@ import type { PopulatedTransaction, Signer, utils, -} from 'ethers'; -import type { FunctionFragment, Result } from '@ethersproject/abi'; -import type { Listener, Provider } from '@ethersproject/providers'; -import type { TypedEventFilter, TypedEvent, TypedListener, OnEvent } from './common'; +} from "ethers"; +import type { FunctionFragment, Result } from "@ethersproject/abi"; +import type { Listener, Provider } from "@ethersproject/providers"; +import type { + TypedEventFilter, + TypedEvent, + TypedListener, + OnEvent, +} from "./common"; export type RewardStruct = { rewardAddress: string; @@ -22,7 +28,13 @@ export type RewardStruct = { currentEmissionPerSecond: BigNumberish; }; -export type RewardStructOutput = [string, BigNumber, BigNumber, BigNumber, BigNumber] & { +export type RewardStructOutput = [ + string, + BigNumber, + BigNumber, + BigNumber, + BigNumber +] & { rewardAddress: string; index: BigNumber; maxEmissionPerSecond: BigNumber; @@ -31,15 +43,16 @@ export type RewardStructOutput = [string, BigNumber, BigNumber, BigNumber, BigNu }; export type StakeDataStruct = { - stkToken: string; - stkTokenName: string; - stkTokenTotalSupply: BigNumberish; + stakeToken: string; + stakeTokenName: string; + stakeTokenTotalSupply: BigNumberish; cooldownSeconds: BigNumberish; unstakeWindowSeconds: BigNumberish; - asset: string; - isStataToken: boolean; - stataTokenUnderlying: string; - stataTokenAToken: string; + stakeTokenUnderlying: string; + underlyingIsWaToken: boolean; + waTokenUnderlying: string; + waTokenAToken: string; + waTokenPrice: BigNumberish; rewards: RewardStruct[]; }; @@ -53,23 +66,25 @@ export type StakeDataStructOutput = [ boolean, string, string, + BigNumber, RewardStructOutput[] ] & { - stkToken: string; - stkTokenName: string; - stkTokenTotalSupply: BigNumber; + stakeToken: string; + stakeTokenName: string; + stakeTokenTotalSupply: BigNumber; cooldownSeconds: BigNumber; unstakeWindowSeconds: BigNumber; - asset: string; - isStataToken: boolean; - stataTokenUnderlying: string; - stataTokenAToken: string; + stakeTokenUnderlying: string; + underlyingIsWaToken: boolean; + waTokenUnderlying: string; + waTokenAToken: string; + waTokenPrice: BigNumber; rewards: RewardStructOutput[]; }; export type StakeUserDataStruct = { stakeToken: string; - stkTokenName: string; + stakeTokenName: string; stakeTokenBalance: BigNumberish; stakeTokenRedeemableAmount: BigNumberish; underlyingTokenBalance: BigNumberish; @@ -93,7 +108,7 @@ export type StakeUserDataStructOutput = [ BigNumber[] ] & { stakeToken: string; - stkTokenName: string; + stakeTokenName: string; stakeTokenBalance: BigNumber; stakeTokenRedeemableAmount: BigNumber; underlyingTokenBalance: BigNumber; @@ -106,33 +121,57 @@ export type StakeUserDataStructOutput = [ export interface StakeDataProviderInterface extends utils.Interface { functions: { - 'getStakeData()': FunctionFragment; - 'getUserStakeData(address)': FunctionFragment; - 'rewardsController()': FunctionFragment; - 'stataTokenFactory()': FunctionFragment; - 'umbrella()': FunctionFragment; + "getStakeData()": FunctionFragment; + "getUserStakeData(address)": FunctionFragment; + "rewardsController()": FunctionFragment; + "stataTokenFactory()": FunctionFragment; + "umbrella()": FunctionFragment; }; getFunction( nameOrSignatureOrTopic: - | 'getStakeData' - | 'getUserStakeData' - | 'rewardsController' - | 'stataTokenFactory' - | 'umbrella' + | "getStakeData" + | "getUserStakeData" + | "rewardsController" + | "stataTokenFactory" + | "umbrella" ): FunctionFragment; - encodeFunctionData(functionFragment: 'getStakeData', values?: undefined): string; - encodeFunctionData(functionFragment: 'getUserStakeData', values: [string]): string; - encodeFunctionData(functionFragment: 'rewardsController', values?: undefined): string; - encodeFunctionData(functionFragment: 'stataTokenFactory', values?: undefined): string; - encodeFunctionData(functionFragment: 'umbrella', values?: undefined): string; - - decodeFunctionResult(functionFragment: 'getStakeData', data: BytesLike): Result; - decodeFunctionResult(functionFragment: 'getUserStakeData', data: BytesLike): Result; - decodeFunctionResult(functionFragment: 'rewardsController', data: BytesLike): Result; - decodeFunctionResult(functionFragment: 'stataTokenFactory', data: BytesLike): Result; - decodeFunctionResult(functionFragment: 'umbrella', data: BytesLike): Result; + encodeFunctionData( + functionFragment: "getStakeData", + values?: undefined + ): string; + encodeFunctionData( + functionFragment: "getUserStakeData", + values: [string] + ): string; + encodeFunctionData( + functionFragment: "rewardsController", + values?: undefined + ): string; + encodeFunctionData( + functionFragment: "stataTokenFactory", + values?: undefined + ): string; + encodeFunctionData(functionFragment: "umbrella", values?: undefined): string; + + decodeFunctionResult( + functionFragment: "getStakeData", + data: BytesLike + ): Result; + decodeFunctionResult( + functionFragment: "getUserStakeData", + data: BytesLike + ): Result; + decodeFunctionResult( + functionFragment: "rewardsController", + data: BytesLike + ): Result; + decodeFunctionResult( + functionFragment: "stataTokenFactory", + data: BytesLike + ): Result; + decodeFunctionResult(functionFragment: "umbrella", data: BytesLike): Result; events: {}; } @@ -154,7 +193,9 @@ export interface StakeDataProvider extends BaseContract { eventFilter?: TypedEventFilter ): Array>; listeners(eventName?: string): Array; - removeAllListeners(eventFilter: TypedEventFilter): this; + removeAllListeners( + eventFilter: TypedEventFilter + ): this; removeAllListeners(eventName?: string): this; off: OnEvent; on: OnEvent; @@ -178,7 +219,10 @@ export interface StakeDataProvider extends BaseContract { getStakeData(overrides?: CallOverrides): Promise; - getUserStakeData(user: string, overrides?: CallOverrides): Promise; + getUserStakeData( + user: string, + overrides?: CallOverrides + ): Promise; rewardsController(overrides?: CallOverrides): Promise; @@ -189,7 +233,10 @@ export interface StakeDataProvider extends BaseContract { callStatic: { getStakeData(overrides?: CallOverrides): Promise; - getUserStakeData(user: string, overrides?: CallOverrides): Promise; + getUserStakeData( + user: string, + overrides?: CallOverrides + ): Promise; rewardsController(overrides?: CallOverrides): Promise; @@ -203,7 +250,10 @@ export interface StakeDataProvider extends BaseContract { estimateGas: { getStakeData(overrides?: CallOverrides): Promise; - getUserStakeData(user: string, overrides?: CallOverrides): Promise; + getUserStakeData( + user: string, + overrides?: CallOverrides + ): Promise; rewardsController(overrides?: CallOverrides): Promise; @@ -215,7 +265,10 @@ export interface StakeDataProvider extends BaseContract { populateTransaction: { getStakeData(overrides?: CallOverrides): Promise; - getUserStakeData(user: string, overrides?: CallOverrides): Promise; + getUserStakeData( + user: string, + overrides?: CallOverrides + ): Promise; rewardsController(overrides?: CallOverrides): Promise; diff --git a/src/modules/umbrella/services/types/StakeDataProvider__factory.ts b/src/modules/umbrella/services/types/StakeDataProvider__factory.ts index ca852c29a9..b5cbf9010b 100644 --- a/src/modules/umbrella/services/types/StakeDataProvider__factory.ts +++ b/src/modules/umbrella/services/types/StakeDataProvider__factory.ts @@ -1,237 +1,246 @@ /* Autogenerated file. Do not edit manually. */ +/* tslint:disable */ /* eslint-disable */ -import { Signer, utils, Contract, ContractFactory, Overrides } from 'ethers'; -import type { Provider, TransactionRequest } from '@ethersproject/providers'; -import type { StakeDataProvider, StakeDataProviderInterface } from './StakeDataProvider'; +import { Signer, utils, Contract, ContractFactory, Overrides } from "ethers"; +import type { Provider, TransactionRequest } from "@ethersproject/providers"; +import type { + StakeDataProvider, + StakeDataProviderInterface, +} from "./StakeDataProvider"; const _abi = [ { - type: 'constructor', + type: "constructor", inputs: [ { - name: '_umbrella', - type: 'address', - internalType: 'contract IUmbrellaStkManager', + name: "_umbrella", + type: "address", + internalType: "contract IUmbrellaStkManager", }, { - name: '_rewardsController', - type: 'address', - internalType: 'contract IRewardsController', + name: "_rewardsController", + type: "address", + internalType: "contract IRewardsController", }, { - name: '_stataTokenFactory', - type: 'address', - internalType: 'contract IStataTokenFactory', + name: "_stataTokenFactory", + type: "address", + internalType: "contract IStataTokenFactory", }, ], - stateMutability: 'nonpayable', + stateMutability: "nonpayable", }, { - type: 'function', - name: 'getStakeData', + type: "function", + name: "getStakeData", inputs: [], outputs: [ { - name: '', - type: 'tuple[]', - internalType: 'struct StakeData[]', + name: "", + type: "tuple[]", + internalType: "struct StakeData[]", components: [ { - name: 'stkToken', - type: 'address', - internalType: 'address', + name: "stakeToken", + type: "address", + internalType: "address", }, { - name: 'stkTokenName', - type: 'string', - internalType: 'string', + name: "stakeTokenName", + type: "string", + internalType: "string", }, { - name: 'stkTokenTotalSupply', - type: 'uint256', - internalType: 'uint256', + name: "stakeTokenTotalSupply", + type: "uint256", + internalType: "uint256", }, { - name: 'cooldownSeconds', - type: 'uint256', - internalType: 'uint256', + name: "cooldownSeconds", + type: "uint256", + internalType: "uint256", }, { - name: 'unstakeWindowSeconds', - type: 'uint256', - internalType: 'uint256', + name: "unstakeWindowSeconds", + type: "uint256", + internalType: "uint256", }, { - name: 'asset', - type: 'address', - internalType: 'address', + name: "stakeTokenUnderlying", + type: "address", + internalType: "address", }, { - name: 'isStataToken', - type: 'bool', - internalType: 'bool', + name: "underlyingIsWaToken", + type: "bool", + internalType: "bool", }, { - name: 'stataTokenUnderlying', - type: 'address', - internalType: 'address', + name: "waTokenUnderlying", + type: "address", + internalType: "address", }, { - name: 'stataTokenAToken', - type: 'address', - internalType: 'address', + name: "waTokenAToken", + type: "address", + internalType: "address", }, { - name: 'rewards', - type: 'tuple[]', - internalType: 'struct Reward[]', + name: "waTokenPrice", + type: "uint256", + internalType: "uint256", + }, + { + name: "rewards", + type: "tuple[]", + internalType: "struct Reward[]", components: [ { - name: 'rewardAddress', - type: 'address', - internalType: 'address', + name: "rewardAddress", + type: "address", + internalType: "address", }, { - name: 'index', - type: 'uint256', - internalType: 'uint256', + name: "index", + type: "uint256", + internalType: "uint256", }, { - name: 'maxEmissionPerSecond', - type: 'uint256', - internalType: 'uint256', + name: "maxEmissionPerSecond", + type: "uint256", + internalType: "uint256", }, { - name: 'distributionEnd', - type: 'uint256', - internalType: 'uint256', + name: "distributionEnd", + type: "uint256", + internalType: "uint256", }, { - name: 'currentEmissionPerSecond', - type: 'uint256', - internalType: 'uint256', + name: "currentEmissionPerSecond", + type: "uint256", + internalType: "uint256", }, ], }, ], }, ], - stateMutability: 'view', + stateMutability: "view", }, { - type: 'function', - name: 'getUserStakeData', + type: "function", + name: "getUserStakeData", inputs: [ { - name: 'user', - type: 'address', - internalType: 'address', + name: "user", + type: "address", + internalType: "address", }, ], outputs: [ { - name: '', - type: 'tuple[]', - internalType: 'struct StakeUserData[]', + name: "", + type: "tuple[]", + internalType: "struct StakeUserData[]", components: [ { - name: 'stakeToken', - type: 'address', - internalType: 'address', + name: "stakeToken", + type: "address", + internalType: "address", }, { - name: 'stkTokenName', - type: 'string', - internalType: 'string', + name: "stakeTokenName", + type: "string", + internalType: "string", }, { - name: 'stakeTokenBalance', - type: 'uint256', - internalType: 'uint256', + name: "stakeTokenBalance", + type: "uint256", + internalType: "uint256", }, { - name: 'stakeTokenRedeemableAmount', - type: 'uint256', - internalType: 'uint256', + name: "stakeTokenRedeemableAmount", + type: "uint256", + internalType: "uint256", }, { - name: 'underlyingTokenBalance', - type: 'uint256', - internalType: 'uint256', + name: "underlyingTokenBalance", + type: "uint256", + internalType: "uint256", }, { - name: 'cooldownAmount', - type: 'uint192', - internalType: 'uint192', + name: "cooldownAmount", + type: "uint192", + internalType: "uint192", }, { - name: 'endOfCooldown', - type: 'uint32', - internalType: 'uint32', + name: "endOfCooldown", + type: "uint32", + internalType: "uint32", }, { - name: 'withdrawalWindow', - type: 'uint32', - internalType: 'uint32', + name: "withdrawalWindow", + type: "uint32", + internalType: "uint32", }, { - name: 'rewards', - type: 'address[]', - internalType: 'address[]', + name: "rewards", + type: "address[]", + internalType: "address[]", }, { - name: 'rewardsAccrued', - type: 'uint256[]', - internalType: 'uint256[]', + name: "rewardsAccrued", + type: "uint256[]", + internalType: "uint256[]", }, ], }, ], - stateMutability: 'view', + stateMutability: "view", }, { - type: 'function', - name: 'rewardsController', + type: "function", + name: "rewardsController", inputs: [], outputs: [ { - name: '', - type: 'address', - internalType: 'contract IRewardsController', + name: "", + type: "address", + internalType: "contract IRewardsController", }, ], - stateMutability: 'view', + stateMutability: "view", }, { - type: 'function', - name: 'stataTokenFactory', + type: "function", + name: "stataTokenFactory", inputs: [], outputs: [ { - name: '', - type: 'address', - internalType: 'contract IStataTokenFactory', + name: "", + type: "address", + internalType: "contract IStataTokenFactory", }, ], - stateMutability: 'view', + stateMutability: "view", }, { - type: 'function', - name: 'umbrella', + type: "function", + name: "umbrella", inputs: [], outputs: [ { - name: '', - type: 'address', - internalType: 'contract IUmbrellaStkManager', + name: "", + type: "address", + internalType: "contract IUmbrellaStkManager", }, ], - stateMutability: 'view', + stateMutability: "view", }, ] as const; const _bytecode = - '0x60e060405234801562000010575f80fd5b506040516200173638038062001736833981016040819052620000339162000069565b6001600160a01b0392831660805290821660a0521660c052620000ba565b6001600160a01b038116811462000066575f80fd5b50565b5f805f606084860312156200007c575f80fd5b8351620000898162000051565b60208501519093506200009c8162000051565b6040850151909250620000af8162000051565b809150509250925092565b60805160a05160c051611623620001135f395f8181605e015261024801525f818160a20152818161037b0152818161059c015281816106310152610bca01525f818160c901528181610125015261095501526116235ff3fe608060405234801561000f575f80fd5b5060043610610055575f3560e01c80631494088f146100595780636bb65f531461009d57806384914262146100c4578063a16a09af146100eb578063e9ce34a514610100575b5f80fd5b6100807f000000000000000000000000000000000000000000000000000000000000000081565b6040516001600160a01b0390911681526020015b60405180910390f35b6100807f000000000000000000000000000000000000000000000000000000000000000081565b6100807f000000000000000000000000000000000000000000000000000000000000000081565b6100f3610120565b6040516100949190610f9c565b61011361010e3660046110ab565b610950565b6040516100949190611132565b60605f7f00000000000000000000000000000000000000000000000000000000000000006001600160a01b031663de3767766040518163ffffffff1660e01b81526004015f60405180830381865afa15801561017e573d5f803e3d5ffd5b505050506040513d5f823e601f3d908101601f191682016040526101a59190810190611309565b90505f815167ffffffffffffffff8111156101c2576101c2611230565b60405190808252806020026020018201604052801561024257816020015b60408051610140810182525f8082526060602083018190529282018190528282018190526080820181905260a0820181905260c0820181905260e082018190526101008201526101208101919091528152602001906001900390816101e05790505b5090505f7f00000000000000000000000000000000000000000000000000000000000000006001600160a01b031663529080176040518163ffffffff1660e01b81526004015f60405180830381865afa1580156102a1573d5f803e3d5ffd5b505050506040513d5f823e601f3d908101601f191682016040526102c89190810190611309565b90505f5b8351811015610947575f8482815181106102e8576102e8611343565b602002602001015190505f8190505f826001600160a01b03166338d52e0f6040518163ffffffff1660e01b8152600401602060405180830381865afa158015610333573d5f803e3d5ffd5b505050506040513d601f19601f820116820180604052508101906103579190611357565b60405163362a3fad60e01b81526001600160a01b0384811660048301529192505f917f0000000000000000000000000000000000000000000000000000000000000000169063362a3fad906024015f60405180830381865afa1580156103bf573d5f803e3d5ffd5b505050506040513d5f823e601f3d908101601f191682016040526103e69190810190611309565b90505f815167ffffffffffffffff81111561040357610403611230565b60405190808252806020026020018201604052801561046a57816020015b6104576040518060a001604052805f6001600160a01b031681526020015f81526020015f81526020015f81526020015f81525090565b8152602001906001900390816104215790505b5090505f6104788489610e7e565b90505f80821561054757856001600160a01b03166338d52e0f6040518163ffffffff1660e01b8152600401602060405180830381865afa1580156104be573d5f803e3d5ffd5b505050506040513d601f19601f820116820180604052508101906104e29190611357565b9150856001600160a01b031663a0c1f15e6040518163ffffffff1660e01b8152600401602060405180830381865afa158015610520573d5f803e3d5ffd5b505050506040513d601f19601f820116820180604052508101906105449190611357565b90505b5f5b855181101561070b575f86828151811061056557610565611343565b60209081029190910101516040516334fb3ea160e11b81526001600160a01b038b8116600483015280831660248301529192505f917f000000000000000000000000000000000000000000000000000000000000000016906369f67d4290604401608060405180830381865afa1580156105e1573d5f803e3d5ffd5b505050506040513d601f19601f820116820180604052508101906106059190611372565b604051630450881160e51b81526001600160a01b038c8116600483015284811660248301529192505f917f00000000000000000000000000000000000000000000000000000000000000001690638a11022090604401602060405180830381865afa158015610676573d5f803e3d5ffd5b505050506040513d601f19601f8201168201806040525081019061069a91906113df565b90506040518060a00160405280846001600160a01b03168152602001836020015181526020018360400151815260200183606001518152602001828152508885815181106106ea576106ea611343565b60200260200101819052505050508080610703906113f6565b915050610549565b506040518061014001604052808d8b8151811061072a5761072a611343565b60200260200101516001600160a01b03168152602001896001600160a01b03166306fdde036040518163ffffffff1660e01b81526004015f60405180830381865afa15801561077b573d5f803e3d5ffd5b505050506040513d5f823e601f3d908101601f191682016040526107a2919081019061141a565b8152602001896001600160a01b03166318160ddd6040518163ffffffff1660e01b8152600401602060405180830381865afa1580156107e3573d5f803e3d5ffd5b505050506040513d601f19601f8201168201806040525081019061080791906113df565b8152602001896001600160a01b031663218e4a156040518163ffffffff1660e01b8152600401602060405180830381865afa158015610848573d5f803e3d5ffd5b505050506040513d601f19601f8201168201806040525081019061086c91906113df565b8152602001896001600160a01b03166390b9f9e46040518163ffffffff1660e01b8152600401602060405180830381865afa1580156108ad573d5f803e3d5ffd5b505050506040513d601f19601f820116820180604052508101906108d191906113df565b8152602001876001600160a01b031681526020018415158152602001836001600160a01b03168152602001826001600160a01b03168152602001858152508b8a8151811061092157610921611343565b60200260200101819052505050505050505050808061093f906113f6565b9150506102cc565b50909392505050565b60605f7f00000000000000000000000000000000000000000000000000000000000000006001600160a01b031663de3767766040518163ffffffff1660e01b81526004015f60405180830381865afa1580156109ae573d5f803e3d5ffd5b505050506040513d5f823e601f3d908101601f191682016040526109d59190810190611309565b90505f815167ffffffffffffffff8111156109f2576109f2611230565b604051908082528060200260200182016040528015610a9057816020015b610a7d6040518061014001604052805f6001600160a01b03168152602001606081526020015f81526020015f81526020015f81526020015f6001600160c01b031681526020015f63ffffffff1681526020015f63ffffffff16815260200160608152602001606081525090565b815260200190600190039081610a105790505b5090505f5b8251811015610e76575f838281518110610ab157610ab1611343565b60209081029190910101516040516317c547a160e11b81526001600160a01b0388811660048301529192505f91831690632f8a8f4290602401606060405180830381865afa158015610b05573d5f803e3d5ffd5b505050506040513d601f19601f82011682018060405250810190610b2991906114c1565b6040516370a0823160e01b81526001600160a01b03898116600483015291925083915f91908316906370a0823190602401602060405180830381865afa158015610b75573d5f803e3d5ffd5b505050506040513d601f19601f82011682018060405250810190610b9991906113df565b60405160016204621960e51b031981526001600160a01b0384811660048301528b811660248301529192505f9182917f00000000000000000000000000000000000000000000000000000000000000009091169063ff73bce0906044015f60405180830381865afa158015610c10573d5f803e3d5ffd5b505050506040513d5f823e601f3d908101601f19168201604052610c379190810190611538565b91509150604051806101400160405280856001600160a01b03168152602001876001600160a01b03166306fdde036040518163ffffffff1660e01b81526004015f60405180830381865afa158015610c91573d5f803e3d5ffd5b505050506040513d5f823e601f3d908101601f19168201604052610cb8919081019061141a565b8152602001848152602001876001600160a01b0316634cdad506866040518263ffffffff1660e01b8152600401610cf191815260200190565b602060405180830381865afa158015610d0c573d5f803e3d5ffd5b505050506040513d601f19601f82011682018060405250810190610d3091906113df565b8152602001876001600160a01b03166338d52e0f6040518163ffffffff1660e01b8152600401602060405180830381865afa158015610d71573d5f803e3d5ffd5b505050506040513d601f19601f82011682018060405250810190610d959190611357565b6040516370a0823160e01b81526001600160a01b038f8116600483015291909116906370a0823190602401602060405180830381865afa158015610ddb573d5f803e3d5ffd5b505050506040513d601f19601f82011682018060405250810190610dff91906113df565b8152602001865f01516001600160c01b03168152602001866020015163ffffffff168152602001866040015163ffffffff16815260200183815260200182815250888881518110610e5257610e52611343565b60200260200101819052505050505050508080610e6e906113f6565b915050610a95565b509392505050565b5f805b8251811015610ed857828181518110610e9c57610e9c611343565b60200260200101516001600160a01b0316846001600160a01b031603610ec6576001915050610edd565b80610ed0816113f6565b915050610e81565b505f90505b92915050565b5f5b83811015610efd578181015183820152602001610ee5565b50505f910152565b5f8151808452610f1c816020860160208601610ee3565b601f01601f19169290920160200192915050565b5f8151808452602080850194508084015f5b83811015610f9157815180516001600160a01b03168852838101518489015260408082015190890152606080820151908901526080908101519088015260a09096019590820190600101610f42565b509495945050505050565b5f6020808301818452808551808352604092508286019150828160051b8701018488015f5b8381101561108657888303603f19018552815180516001600160a01b0316845261014088820151818a870152610ff982870182610f05565b89840151878b0152606080850151908801526080808501519088015260a0808501516001600160a01b039081169189019190915260c08086015115159089015260e08086015182169089015261010080860151909116908801526101209384015187820394880194909452915061107290508183610f30565b968901969450505090860190600101610fc1565b509098975050505050505050565b6001600160a01b03811681146110a8575f80fd5b50565b5f602082840312156110bb575f80fd5b81356110c681611094565b9392505050565b5f8151808452602080850194508084015f5b83811015610f915781516001600160a01b0316875295820195908201906001016110df565b5f8151808452602080850194508084015f5b83811015610f9157815187529582019590820190600101611116565b5f6020808301818452808551808352604092508286019150828160051b8701018488015f5b8381101561108657888303603f19018552815180516001600160a01b0316845261014088820151818a87015261118f82870182610f05565b89840151878b0152606080850151908801526080808501519088015260a0808501516001600160c01b03169088015260c08085015163ffffffff9081169189019190915260e0808601519091169088015261010080850151888303828a015291935091506111fd83826110cd565b92505050610120808301519250858203818701525061121c8183611104565b968901969450505090860190600101611157565b634e487b7160e01b5f52604160045260245ffd5b604051601f8201601f1916810167ffffffffffffffff8111828210171561126d5761126d611230565b604052919050565b5f67ffffffffffffffff82111561128e5761128e611230565b5060051b60200190565b5f82601f8301126112a7575f80fd5b815160206112bc6112b783611275565b611244565b82815260059290921b840181019181810190868411156112da575f80fd5b8286015b848110156112fe5780516112f181611094565b83529183019183016112de565b509695505050505050565b5f60208284031215611319575f80fd5b815167ffffffffffffffff81111561132f575f80fd5b61133b84828501611298565b949350505050565b634e487b7160e01b5f52603260045260245ffd5b5f60208284031215611367575f80fd5b81516110c681611094565b5f60808284031215611382575f80fd5b6040516080810181811067ffffffffffffffff821117156113a5576113a5611230565b60405282516113b381611094565b808252506020830151602082015260408301516040820152606083015160608201528091505092915050565b5f602082840312156113ef575f80fd5b5051919050565b5f6001820161141357634e487b7160e01b5f52601160045260245ffd5b5060010190565b5f6020828403121561142a575f80fd5b815167ffffffffffffffff80821115611441575f80fd5b818401915084601f830112611454575f80fd5b81518181111561146657611466611230565b611479601f8201601f1916602001611244565b915080825285602082850101111561148f575f80fd5b6114a0816020840160208601610ee3565b50949350505050565b805163ffffffff811681146114bc575f80fd5b919050565b5f606082840312156114d1575f80fd5b6040516060810181811067ffffffffffffffff821117156114f4576114f4611230565b60405282516001600160c01b038116811461150d575f80fd5b815261151b602084016114a9565b602082015261152c604084016114a9565b60408201529392505050565b5f8060408385031215611549575f80fd5b825167ffffffffffffffff80821115611560575f80fd5b61156c86838701611298565b9350602091508185015181811115611582575f80fd5b85019050601f81018613611594575f80fd5b80516115a26112b782611275565b81815260059190911b820183019083810190888311156115c0575f80fd5b928401925b828410156115de578351825292840192908401906115c5565b8095505050505050925092905056fea264697066735822122038b67c6525103dcc3ec4ab1639ba9d55a80185b02b504ee0d19d1b2d27630dd864736f6c63430008140033'; + "0x60e060405234801562000010575f80fd5b50604051620017b3380380620017b3833981016040819052620000339162000069565b6001600160a01b0392831660805290821660a0521660c052620000ba565b6001600160a01b038116811462000066575f80fd5b50565b5f805f606084860312156200007c575f80fd5b8351620000898162000051565b60208501519093506200009c8162000051565b6040850151909250620000af8162000051565b809150509250925092565b60805160a05160c0516116a0620001135f395f8181605e015261025001525f818160a201528181610383015281816106070152818161069c0152610c3c01525f818160c90152818161012501526109c701526116a05ff3fe608060405234801561000f575f80fd5b5060043610610055575f3560e01c80631494088f146100595780636bb65f531461009d57806384914262146100c4578063a16a09af146100eb578063e9ce34a514610100575b5f80fd5b6100807f000000000000000000000000000000000000000000000000000000000000000081565b6040516001600160a01b0390911681526020015b60405180910390f35b6100807f000000000000000000000000000000000000000000000000000000000000000081565b6100807f000000000000000000000000000000000000000000000000000000000000000081565b6100f3610120565b604051610094919061100e565b61011361010e366004611128565b6109c2565b60405161009491906111af565b60605f7f00000000000000000000000000000000000000000000000000000000000000006001600160a01b031663de3767766040518163ffffffff1660e01b81526004015f60405180830381865afa15801561017e573d5f803e3d5ffd5b505050506040513d5f823e601f3d908101601f191682016040526101a59190810190611386565b90505f815167ffffffffffffffff8111156101c2576101c26112ad565b60405190808252806020026020018201604052801561024a57816020015b60408051610160810182525f8082526060602083018190529282018190528282018190526080820181905260a0820181905260c0820181905260e0820181905261010082018190526101208201526101408101919091528152602001906001900390816101e05790505b5090505f7f00000000000000000000000000000000000000000000000000000000000000006001600160a01b031663529080176040518163ffffffff1660e01b81526004015f60405180830381865afa1580156102a9573d5f803e3d5ffd5b505050506040513d5f823e601f3d908101601f191682016040526102d09190810190611386565b90505f5b83518110156109b9575f8482815181106102f0576102f06113c0565b602002602001015190505f8190505f826001600160a01b03166338d52e0f6040518163ffffffff1660e01b8152600401602060405180830381865afa15801561033b573d5f803e3d5ffd5b505050506040513d601f19601f8201168201806040525081019061035f91906113d4565b60405163362a3fad60e01b81526001600160a01b0384811660048301529192505f917f0000000000000000000000000000000000000000000000000000000000000000169063362a3fad906024015f60405180830381865afa1580156103c7573d5f803e3d5ffd5b505050506040513d5f823e601f3d908101601f191682016040526103ee9190810190611386565b90505f815167ffffffffffffffff81111561040b5761040b6112ad565b60405190808252806020026020018201604052801561047257816020015b61045f6040518060a001604052805f6001600160a01b031681526020015f81526020015f81526020015f81526020015f81525090565b8152602001906001900390816104295790505b5090505f6104808489610ef0565b90505f805f83156105b257866001600160a01b03166338d52e0f6040518163ffffffff1660e01b8152600401602060405180830381865afa1580156104c7573d5f803e3d5ffd5b505050506040513d601f19601f820116820180604052508101906104eb91906113d4565b9250866001600160a01b031663a0c1f15e6040518163ffffffff1660e01b8152600401602060405180830381865afa158015610529573d5f803e3d5ffd5b505050506040513d601f19601f8201168201806040525081019061054d91906113d4565b9150866001600160a01b03166350d25bcd6040518163ffffffff1660e01b8152600401602060405180830381865afa15801561058b573d5f803e3d5ffd5b505050506040513d601f19601f820116820180604052508101906105af91906113ef565b90505b5f5b8651811015610776575f8782815181106105d0576105d06113c0565b60209081029190910101516040516334fb3ea160e11b81526001600160a01b038c8116600483015280831660248301529192505f917f000000000000000000000000000000000000000000000000000000000000000016906369f67d4290604401608060405180830381865afa15801561064c573d5f803e3d5ffd5b505050506040513d601f19601f820116820180604052508101906106709190611406565b604051630450881160e51b81526001600160a01b038d8116600483015284811660248301529192505f917f00000000000000000000000000000000000000000000000000000000000000001690638a11022090604401602060405180830381865afa1580156106e1573d5f803e3d5ffd5b505050506040513d601f19601f8201168201806040525081019061070591906113ef565b90506040518060a00160405280846001600160a01b0316815260200183602001518152602001836040015181526020018360600151815260200182815250898581518110610755576107556113c0565b6020026020010181905250505050808061076e90611473565b9150506105b4565b506040518061016001604052808e8c81518110610795576107956113c0565b60200260200101516001600160a01b031681526020018a6001600160a01b03166306fdde036040518163ffffffff1660e01b81526004015f60405180830381865afa1580156107e6573d5f803e3d5ffd5b505050506040513d5f823e601f3d908101601f1916820160405261080d9190810190611497565b81526020018a6001600160a01b03166318160ddd6040518163ffffffff1660e01b8152600401602060405180830381865afa15801561084e573d5f803e3d5ffd5b505050506040513d601f19601f8201168201806040525081019061087291906113ef565b81526020018a6001600160a01b031663218e4a156040518163ffffffff1660e01b8152600401602060405180830381865afa1580156108b3573d5f803e3d5ffd5b505050506040513d601f19601f820116820180604052508101906108d791906113ef565b81526020018a6001600160a01b03166390b9f9e46040518163ffffffff1660e01b8152600401602060405180830381865afa158015610918573d5f803e3d5ffd5b505050506040513d601f19601f8201168201806040525081019061093c91906113ef565b8152602001886001600160a01b031681526020018515158152602001846001600160a01b03168152602001836001600160a01b03168152602001828152602001868152508c8b81518110610992576109926113c0565b602002602001018190525050505050505050505080806109b190611473565b9150506102d4565b50909392505050565b60605f7f00000000000000000000000000000000000000000000000000000000000000006001600160a01b031663de3767766040518163ffffffff1660e01b81526004015f60405180830381865afa158015610a20573d5f803e3d5ffd5b505050506040513d5f823e601f3d908101601f19168201604052610a479190810190611386565b90505f815167ffffffffffffffff811115610a6457610a646112ad565b604051908082528060200260200182016040528015610b0257816020015b610aef6040518061014001604052805f6001600160a01b03168152602001606081526020015f81526020015f81526020015f81526020015f6001600160c01b031681526020015f63ffffffff1681526020015f63ffffffff16815260200160608152602001606081525090565b815260200190600190039081610a825790505b5090505f5b8251811015610ee8575f838281518110610b2357610b236113c0565b60209081029190910101516040516317c547a160e11b81526001600160a01b0388811660048301529192505f91831690632f8a8f4290602401606060405180830381865afa158015610b77573d5f803e3d5ffd5b505050506040513d601f19601f82011682018060405250810190610b9b919061153e565b6040516370a0823160e01b81526001600160a01b03898116600483015291925083915f91908316906370a0823190602401602060405180830381865afa158015610be7573d5f803e3d5ffd5b505050506040513d601f19601f82011682018060405250810190610c0b91906113ef565b60405160016204621960e51b031981526001600160a01b0384811660048301528b811660248301529192505f9182917f00000000000000000000000000000000000000000000000000000000000000009091169063ff73bce0906044015f60405180830381865afa158015610c82573d5f803e3d5ffd5b505050506040513d5f823e601f3d908101601f19168201604052610ca991908101906115b5565b91509150604051806101400160405280856001600160a01b03168152602001876001600160a01b03166306fdde036040518163ffffffff1660e01b81526004015f60405180830381865afa158015610d03573d5f803e3d5ffd5b505050506040513d5f823e601f3d908101601f19168201604052610d2a9190810190611497565b8152602001848152602001876001600160a01b0316634cdad506866040518263ffffffff1660e01b8152600401610d6391815260200190565b602060405180830381865afa158015610d7e573d5f803e3d5ffd5b505050506040513d601f19601f82011682018060405250810190610da291906113ef565b8152602001876001600160a01b03166338d52e0f6040518163ffffffff1660e01b8152600401602060405180830381865afa158015610de3573d5f803e3d5ffd5b505050506040513d601f19601f82011682018060405250810190610e0791906113d4565b6040516370a0823160e01b81526001600160a01b038f8116600483015291909116906370a0823190602401602060405180830381865afa158015610e4d573d5f803e3d5ffd5b505050506040513d601f19601f82011682018060405250810190610e7191906113ef565b8152602001865f01516001600160c01b03168152602001866020015163ffffffff168152602001866040015163ffffffff16815260200183815260200182815250888881518110610ec457610ec46113c0565b60200260200101819052505050505050508080610ee090611473565b915050610b07565b509392505050565b5f805b8251811015610f4a57828181518110610f0e57610f0e6113c0565b60200260200101516001600160a01b0316846001600160a01b031603610f38576001915050610f4f565b80610f4281611473565b915050610ef3565b505f90505b92915050565b5f5b83811015610f6f578181015183820152602001610f57565b50505f910152565b5f8151808452610f8e816020860160208601610f55565b601f01601f19169290920160200192915050565b5f8151808452602080850194508084015f5b8381101561100357815180516001600160a01b03168852838101518489015260408082015190890152606080820151908901526080908101519088015260a09096019590820190600101610fb4565b509495945050505050565b5f6020808301818452808551808352604092508286019150828160051b8701018488015f5b8381101561110357888303603f19018552815180516001600160a01b0316845261016088820151818a87015261106b82870182610f77565b89840151878b0152606080850151908801526080808501519088015260a0808501516001600160a01b039081169189019190915260c08086015115159089015260e08086015182169089015261010080860151909116908801526101208085015190880152610140938401518782039488019490945291506110ef90508183610fa2565b968901969450505090860190600101611033565b509098975050505050505050565b6001600160a01b0381168114611125575f80fd5b50565b5f60208284031215611138575f80fd5b813561114381611111565b9392505050565b5f8151808452602080850194508084015f5b838110156110035781516001600160a01b03168752958201959082019060010161115c565b5f8151808452602080850194508084015f5b8381101561100357815187529582019590820190600101611193565b5f6020808301818452808551808352604092508286019150828160051b8701018488015f5b8381101561110357888303603f19018552815180516001600160a01b0316845261014088820151818a87015261120c82870182610f77565b89840151878b0152606080850151908801526080808501519088015260a0808501516001600160c01b03169088015260c08085015163ffffffff9081169189019190915260e0808601519091169088015261010080850151888303828a0152919350915061127a838261114a565b9250505061012080830151925085820381870152506112998183611181565b9689019694505050908601906001016111d4565b634e487b7160e01b5f52604160045260245ffd5b604051601f8201601f1916810167ffffffffffffffff811182821017156112ea576112ea6112ad565b604052919050565b5f67ffffffffffffffff82111561130b5761130b6112ad565b5060051b60200190565b5f82601f830112611324575f80fd5b81516020611339611334836112f2565b6112c1565b82815260059290921b84018101918181019086841115611357575f80fd5b8286015b8481101561137b57805161136e81611111565b835291830191830161135b565b509695505050505050565b5f60208284031215611396575f80fd5b815167ffffffffffffffff8111156113ac575f80fd5b6113b884828501611315565b949350505050565b634e487b7160e01b5f52603260045260245ffd5b5f602082840312156113e4575f80fd5b815161114381611111565b5f602082840312156113ff575f80fd5b5051919050565b5f60808284031215611416575f80fd5b6040516080810181811067ffffffffffffffff82111715611439576114396112ad565b604052825161144781611111565b808252506020830151602082015260408301516040820152606083015160608201528091505092915050565b5f6001820161149057634e487b7160e01b5f52601160045260245ffd5b5060010190565b5f602082840312156114a7575f80fd5b815167ffffffffffffffff808211156114be575f80fd5b818401915084601f8301126114d1575f80fd5b8151818111156114e3576114e36112ad565b6114f6601f8201601f19166020016112c1565b915080825285602082850101111561150c575f80fd5b61151d816020840160208601610f55565b50949350505050565b805163ffffffff81168114611539575f80fd5b919050565b5f6060828403121561154e575f80fd5b6040516060810181811067ffffffffffffffff82111715611571576115716112ad565b60405282516001600160c01b038116811461158a575f80fd5b815261159860208401611526565b60208201526115a960408401611526565b60408201529392505050565b5f80604083850312156115c6575f80fd5b825167ffffffffffffffff808211156115dd575f80fd5b6115e986838701611315565b93506020915081850151818111156115ff575f80fd5b85019050601f81018613611611575f80fd5b805161161f611334826112f2565b81815260059190911b8201830190838101908883111561163d575f80fd5b928401925b8284101561165b57835182529284019290840190611642565b8095505050505050925092905056fea2646970667358221220d88391380b7d4a72b92d162e21cd262b70a085d1e3e504635ed7725199b053dd64736f6c63430008140033"; type StakeDataProviderConstructorParams = | [signer?: Signer] @@ -288,7 +297,10 @@ export class StakeDataProvider__factory extends ContractFactory { static createInterface(): StakeDataProviderInterface { return new utils.Interface(_abi) as StakeDataProviderInterface; } - static connect(address: string, signerOrProvider: Signer | Provider): StakeDataProvider { + static connect( + address: string, + signerOrProvider: Signer | Provider + ): StakeDataProvider { return new Contract(address, _abi, signerOrProvider) as StakeDataProvider; } } From fe0dd1105b778ed6dad7772034f18113bd72ad6a Mon Sep 17 00:00:00 2001 From: Mark Hinschberger Date: Fri, 10 Jan 2025 16:03:01 +0000 Subject: [PATCH 007/110] chore: org folders --- pages/umbrella.page.tsx | 7 +- .../FlowCommons/TxModalDetails.tsx | 32 ++++ .../{ => StakeAssets}/UmbrellaAssetsList.tsx | 32 +++- .../UmbrellaAssetsListContainer.tsx | 2 +- .../UmbrellaAssetsListItem.tsx | 18 +- .../UmbrellaAssetsListItemLoader.tsx | 4 +- .../UmbrellaAssetsListMobileItem.tsx | 12 +- .../UmbrellaAssetsListMobileItemLoader.tsx | 4 +- .../UmbrellaStakeAssetsListItem.tsx | 154 ++++++++++++++++++ src/modules/umbrella/UmbrellaModalContent.tsx | 8 +- .../UmbrellaStakedAssetsListContainer.tsx | 4 +- src/modules/umbrella/hooks/useStakeData.ts | 68 ++++++++ 12 files changed, 312 insertions(+), 33 deletions(-) rename src/modules/umbrella/{ => StakeAssets}/UmbrellaAssetsList.tsx (77%) rename src/modules/umbrella/{ => StakeAssets}/UmbrellaAssetsListContainer.tsx (98%) rename src/modules/umbrella/{ => StakeAssets}/UmbrellaAssetsListItem.tsx (90%) rename src/modules/umbrella/{ => StakeAssets}/UmbrellaAssetsListItemLoader.tsx (88%) rename src/modules/umbrella/{ => StakeAssets}/UmbrellaAssetsListMobileItem.tsx (91%) rename src/modules/umbrella/{ => StakeAssets}/UmbrellaAssetsListMobileItemLoader.tsx (89%) create mode 100644 src/modules/umbrella/StakeAssets/UmbrellaStakeAssetsListItem.tsx rename src/modules/umbrella/{ => UserStakedAssets}/UmbrellaStakedAssetsListContainer.tsx (96%) diff --git a/pages/umbrella.page.tsx b/pages/umbrella.page.tsx index 9681eb8408..5a4e367b6b 100644 --- a/pages/umbrella.page.tsx +++ b/pages/umbrella.page.tsx @@ -13,8 +13,8 @@ import { Link } from 'src/components/primitives/Link'; import { Warning } from 'src/components/primitives/Warning'; import StyledToggleButton from 'src/components/StyledToggleButton'; import StyledToggleButtonGroup from 'src/components/StyledToggleButtonGroup'; -import { UmbrellaStakedAssetsListContainer } from 'src/modules/umbrella/UmbrellaStakedAssetsListContainer'; -import { UmbrellaAssetsListContainer } from 'src/modules/umbrella/UmbrellaAssetsListContainer'; +import { UmbrellaStakedAssetsListContainer } from 'src/modules/umbrella/UserStakedAssets/UmbrellaStakedAssetsListContainer'; +import { UmbrellaAssetsListContainer } from 'src/modules/umbrella/StakeAssets/UmbrellaAssetsListContainer'; import { MarketsTopPanel } from 'src/modules/markets/MarketsTopPanel'; @@ -151,7 +151,8 @@ export default function UmbrellaStaking() { }} > - +

TODO but can reuse most of existing

+ {/* */}
diff --git a/src/components/transactions/FlowCommons/TxModalDetails.tsx b/src/components/transactions/FlowCommons/TxModalDetails.tsx index ca60d4b7e8..f8fd8a97f3 100644 --- a/src/components/transactions/FlowCommons/TxModalDetails.tsx +++ b/src/components/transactions/FlowCommons/TxModalDetails.tsx @@ -362,3 +362,35 @@ export const DetailsUnwrapSwitch = ({ ); }; + +interface DetailsCooldownLineProps { + cooldownDays: number; + loading?: boolean; +} + +export const DetailsCooldownLine = ({ + cooldownDays, + loading = false, +}: DetailsCooldownLineProps) => { + return ( + Cooldown} captionVariant="description" mb={4}> + + {loading ? ( + + ) : ( + + + + Days + + + )} + + + ); +}; diff --git a/src/modules/umbrella/UmbrellaAssetsList.tsx b/src/modules/umbrella/StakeAssets/UmbrellaAssetsList.tsx similarity index 77% rename from src/modules/umbrella/UmbrellaAssetsList.tsx rename to src/modules/umbrella/StakeAssets/UmbrellaAssetsList.tsx index 80b0640133..82b48f33c8 100644 --- a/src/modules/umbrella/UmbrellaAssetsList.tsx +++ b/src/modules/umbrella/StakeAssets/UmbrellaAssetsList.tsx @@ -1,3 +1,4 @@ +import { useMemo } from 'react'; import { Trans } from '@lingui/macro'; import { useMediaQuery } from '@mui/material'; import { useState } from 'react'; @@ -8,12 +9,19 @@ import { ListHeaderWrapper } from 'src/components/lists/ListHeaderWrapper'; import { ComputedReserveData } from 'src/hooks/app-data-provider/useAppDataProvider'; import { useRootStore } from 'src/store/root'; import { useShallow } from 'zustand/shallow'; +import { TokenInfoWithBalance, useTokensBalance } from 'src/hooks/generic/useTokensBalance'; -import { useStakeData, useUserStakeData } from './hooks/useStakeData'; +import { + useStakeData, + useUserStakeData, + useStakedDataWithTokenBalances, +} from '../hooks/useStakeData'; import { UmbrellaAssetsListItem } from './UmbrellaAssetsListItem'; +import { UmbrellaStakeAssetsListItem } from './UmbrellaStakeAssetsListItem'; import { UmbrellaAssetsListItemLoader } from './UmbrellaAssetsListItemLoader'; import { UmbrellaAssetsListMobileItem } from './UmbrellaAssetsListMobileItem'; import { UmbrellaAssetsListMobileItemLoader } from './UmbrellaAssetsListMobileItemLoader'; +import { ChainId } from '@aave/contract-helpers'; const listHeaders = [ { @@ -30,7 +38,7 @@ const listHeaders = [ // }, { title: Wallet Balance, - sortKey: 'totalDebtUSD', + sortKey: 'totalUnderlyingBalance', }, // { // title: ( @@ -49,6 +57,8 @@ type MarketAssetsListProps = { loading: boolean; }; +// cast call 0x508b0d26b00bcfa1b1e9783d1194d4a5efe9d19e "rewardsController()("address")" --rpc-url https://virtual.base.rpc.tenderly.co/acca7349-4377-43ab-ba85-84530976e4e0 + export default function MarketAssetsList({ reserves, loading }: MarketAssetsListProps) { const isTableChangedToCards = useMediaQuery('(max-width:1125px)'); const [sortName, setSortName] = useState(''); @@ -56,12 +66,24 @@ export default function MarketAssetsList({ reserves, loading }: MarketAssetsList const [currentMarketData, user] = useRootStore( useShallow((store) => [store.currentMarketData, store.account]) ); + const currentChainId = useRootStore((store) => store.currentChainId); const { data: stakeData } = useStakeData(currentMarketData); const { data: userStakeData } = useUserStakeData(currentMarketData, user); - console.log(stakeData); - console.log(userStakeData); + const { data: stakedDataWithTokenBalances } = useStakedDataWithTokenBalances( + stakeData, + currentChainId, + user + ); + console.log('useStakeData --->', stakeData); + console.log('userStakeData --->', userStakeData); + console.log('stakedDataWithTokenBalances', stakedDataWithTokenBalances); + + // const underlyingStakedAssets = useMemo(() => { + // return userStakeData?.map((stakeData) => stakeData.stakeTokenUnderlying); + // }, [userStakeData]); + // console.log('underlyingStakedAssets', underlyingStakedAssets); if (sortDesc) { if (sortName === 'symbol') { reserves.sort((a, b) => (a.symbol.toUpperCase() < b.symbol.toUpperCase() ? -1 : 1)); @@ -131,7 +153,7 @@ export default function MarketAssetsList({ reserves, loading }: MarketAssetsList isTableChangedToCards ? ( ) : ( - + ) )} diff --git a/src/modules/umbrella/UmbrellaAssetsListContainer.tsx b/src/modules/umbrella/StakeAssets/UmbrellaAssetsListContainer.tsx similarity index 98% rename from src/modules/umbrella/UmbrellaAssetsListContainer.tsx rename to src/modules/umbrella/StakeAssets/UmbrellaAssetsListContainer.tsx index 29f3c842b9..cbec0492bf 100644 --- a/src/modules/umbrella/UmbrellaAssetsListContainer.tsx +++ b/src/modules/umbrella/StakeAssets/UmbrellaAssetsListContainer.tsx @@ -14,7 +14,7 @@ import { fetchIconSymbolAndName } from 'src/ui-config/reservePatches'; import { getGhoReserve, GHO_MINTING_MARKETS, GHO_SYMBOL } from 'src/utils/ghoUtilities'; import { useShallow } from 'zustand/shallow'; -import { GENERAL } from '../../utils/mixPanelEvents'; +import { GENERAL } from '../../../utils/mixPanelEvents'; function shouldDisplayGhoBanner(marketTitle: string, searchTerm: string): boolean { // GHO banner is only displayed on markets where new GHO is mintable (i.e. Ethereum) diff --git a/src/modules/umbrella/UmbrellaAssetsListItem.tsx b/src/modules/umbrella/StakeAssets/UmbrellaAssetsListItem.tsx similarity index 90% rename from src/modules/umbrella/UmbrellaAssetsListItem.tsx rename to src/modules/umbrella/StakeAssets/UmbrellaAssetsListItem.tsx index f6cfb79d89..40d5f13532 100644 --- a/src/modules/umbrella/UmbrellaAssetsListItem.tsx +++ b/src/modules/umbrella/StakeAssets/UmbrellaAssetsListItem.tsx @@ -15,14 +15,14 @@ import { MARKETS } from 'src/utils/mixPanelEvents'; import { showExternalIncentivesTooltip } from 'src/utils/utils'; import { useShallow } from 'zustand/shallow'; -import { IncentivesCard } from '../../components/incentives/IncentivesCard'; -import { AMPLToolTip } from '../../components/infoTooltips/AMPLToolTip'; -import { ListColumn } from '../../components/lists/ListColumn'; -import { ListItem } from '../../components/lists/ListItem'; -import { FormattedNumber } from '../../components/primitives/FormattedNumber'; -import { Link, ROUTES } from '../../components/primitives/Link'; -import { TokenIcon } from '../../components/primitives/TokenIcon'; -import { ComputedReserveData } from '../../hooks/app-data-provider/useAppDataProvider'; +import { IncentivesCard } from '../../../components/incentives/IncentivesCard'; +import { AMPLToolTip } from '../../../components/infoTooltips/AMPLToolTip'; +import { ListColumn } from '../../../components/lists/ListColumn'; +import { ListItem } from '../../../components/lists/ListItem'; +import { FormattedNumber } from '../../../components/primitives/FormattedNumber'; +import { Link, ROUTES } from '../../../components/primitives/Link'; +import { TokenIcon } from '../../../components/primitives/TokenIcon'; +import { ComputedReserveData } from '../../../hooks/app-data-provider/useAppDataProvider'; import { useModalContext } from 'src/hooks/useModal'; export const UmbrellaAssetsListItem = ({ ...reserve }: ComputedReserveData) => { @@ -43,8 +43,6 @@ export const UmbrellaAssetsListItem = ({ ...reserve }: ComputedReserveData) => { ProtocolAction.borrow ); - console.log('reserve', reserve); - return ( { return ( diff --git a/src/modules/umbrella/UmbrellaAssetsListMobileItem.tsx b/src/modules/umbrella/StakeAssets/UmbrellaAssetsListMobileItem.tsx similarity index 91% rename from src/modules/umbrella/UmbrellaAssetsListMobileItem.tsx rename to src/modules/umbrella/StakeAssets/UmbrellaAssetsListMobileItem.tsx index 681951e377..76e019dea0 100644 --- a/src/modules/umbrella/UmbrellaAssetsListMobileItem.tsx +++ b/src/modules/umbrella/StakeAssets/UmbrellaAssetsListMobileItem.tsx @@ -11,12 +11,12 @@ import { MARKETS } from 'src/utils/mixPanelEvents'; import { showExternalIncentivesTooltip } from 'src/utils/utils'; import { useShallow } from 'zustand/shallow'; -import { IncentivesCard } from '../../components/incentives/IncentivesCard'; -import { FormattedNumber } from '../../components/primitives/FormattedNumber'; -import { Link, ROUTES } from '../../components/primitives/Link'; -import { Row } from '../../components/primitives/Row'; -import { ComputedReserveData } from '../../hooks/app-data-provider/useAppDataProvider'; -import { ListMobileItemWrapper } from '../dashboard/lists/ListMobileItemWrapper'; +import { IncentivesCard } from '../../../components/incentives/IncentivesCard'; +import { FormattedNumber } from '../../../components/primitives/FormattedNumber'; +import { Link, ROUTES } from '../../../components/primitives/Link'; +import { Row } from '../../../components/primitives/Row'; +import { ComputedReserveData } from '../../../hooks/app-data-provider/useAppDataProvider'; +import { ListMobileItemWrapper } from '../../dashboard/lists/ListMobileItemWrapper'; import { useModalContext } from 'src/hooks/useModal'; diff --git a/src/modules/umbrella/UmbrellaAssetsListMobileItemLoader.tsx b/src/modules/umbrella/StakeAssets/UmbrellaAssetsListMobileItemLoader.tsx similarity index 89% rename from src/modules/umbrella/UmbrellaAssetsListMobileItemLoader.tsx rename to src/modules/umbrella/StakeAssets/UmbrellaAssetsListMobileItemLoader.tsx index ef25dab684..509e0cc997 100644 --- a/src/modules/umbrella/UmbrellaAssetsListMobileItemLoader.tsx +++ b/src/modules/umbrella/StakeAssets/UmbrellaAssetsListMobileItemLoader.tsx @@ -1,7 +1,7 @@ import { Divider, Skeleton } from '@mui/material'; -import { Row } from '../../components/primitives/Row'; -import { ListMobileItemWrapper } from '../dashboard/lists/ListMobileItemWrapper'; +import { Row } from '../../../components/primitives/Row'; +import { ListMobileItemWrapper } from '../../dashboard/lists/ListMobileItemWrapper'; export const UmbrellaAssetsListMobileItemLoader = () => { return ( diff --git a/src/modules/umbrella/StakeAssets/UmbrellaStakeAssetsListItem.tsx b/src/modules/umbrella/StakeAssets/UmbrellaStakeAssetsListItem.tsx new file mode 100644 index 0000000000..d3717c5693 --- /dev/null +++ b/src/modules/umbrella/StakeAssets/UmbrellaStakeAssetsListItem.tsx @@ -0,0 +1,154 @@ +import { ProtocolAction } from '@aave/contract-helpers'; +import { Trans } from '@lingui/macro'; +import { Box, Button, Typography } from '@mui/material'; +import { useRouter } from 'next/router'; +import { OffboardingTooltip } from 'src/components/infoTooltips/OffboardingToolTip'; +import { RenFILToolTip } from 'src/components/infoTooltips/RenFILToolTip'; +import { SpkAirdropTooltip } from 'src/components/infoTooltips/SpkAirdropTooltip'; +import { SuperFestTooltip } from 'src/components/infoTooltips/SuperFestTooltip'; +import { IsolatedEnabledBadge } from 'src/components/isolationMode/IsolatedBadge'; +import { NoData } from 'src/components/primitives/NoData'; +import { ReserveSubheader } from 'src/components/ReserveSubheader'; +import { AssetsBeingOffboarded } from 'src/components/Warnings/OffboardingWarning'; +import { useRootStore } from 'src/store/root'; +import { MARKETS } from 'src/utils/mixPanelEvents'; +import { showExternalIncentivesTooltip } from 'src/utils/utils'; +import { useShallow } from 'zustand/shallow'; + +import { IncentivesCard } from '../../../components/incentives/IncentivesCard'; +import { AMPLToolTip } from '../../../components/infoTooltips/AMPLToolTip'; +import { ListColumn } from '../../../components/lists/ListColumn'; +import { ListItem } from '../../../components/lists/ListItem'; +import { FormattedNumber } from '../../../components/primitives/FormattedNumber'; +import { Link, ROUTES } from '../../../components/primitives/Link'; +import { TokenIcon } from '../../../components/primitives/TokenIcon'; +import { ComputedReserveData } from '../../../hooks/app-data-provider/useAppDataProvider'; +import { useModalContext } from 'src/hooks/useModal'; + +export const UmbrellaStakeAssetsListItem = ({ ...reserve }: ComputedReserveData) => { + const router = useRouter(); + const [trackEvent, currentMarket] = useRootStore( + useShallow((store) => [store.trackEvent, store.currentMarket]) + ); + const { openUmbrella } = useModalContext(); + + const externalIncentivesTooltipsSupplySide = showExternalIncentivesTooltip( + reserve.symbol, + currentMarket, + ProtocolAction.supply + ); + const externalIncentivesTooltipsBorrowSide = showExternalIncentivesTooltip( + reserve.symbol, + currentMarket, + ProtocolAction.borrow + ); + + return ( + { + // trackEvent(MARKETS.DETAILS_NAVIGATION, { + // type: 'Row', + // assetName: reserve.name, + // asset: reserve.underlyingAsset, + // market: currentMarket, + // }); + // router.push(ROUTES.reserveOverview(reserve.underlyingAsset, currentMarket)); + // }} + sx={{ cursor: 'pointer' }} + button + data-cy={`marketListItemListItem_${reserve.symbol.toUpperCase()}`} + > + + + + + {reserve.name} + + + + + {reserve.symbol} + + + + + {/* + + + + */} + + {/* + + {externalIncentivesTooltipsSupplySide.superFestRewards && } + {externalIncentivesTooltipsSupplySide.spkAirdrop && } + + } + market={currentMarket} + protocolAction={ProtocolAction.supply} + /> + */} + + + {reserve.borrowingEnabled || Number(reserve.totalDebt) > 0 ? ( + <> + {' '} + + + ) : ( + + )} + + + + TODO: DECIMALS + {' '} + + + + {/* TODO: Open Modal for staking */} + + + + ); +}; diff --git a/src/modules/umbrella/UmbrellaModalContent.tsx b/src/modules/umbrella/UmbrellaModalContent.tsx index 9c8bcf28d0..e0e400582b 100644 --- a/src/modules/umbrella/UmbrellaModalContent.tsx +++ b/src/modules/umbrella/UmbrellaModalContent.tsx @@ -19,6 +19,7 @@ import { TxSuccessView } from 'src/components/transactions/FlowCommons/Success'; import { DetailsNumberLine, TxModalDetails, + DetailsCooldownLine, } from 'src/components/transactions/FlowCommons/TxModalDetails'; import { TxModalTitle } from 'src/components/transactions/FlowCommons/TxModalTitle'; import { ChangeNetworkWarning } from 'src/components/transactions/Warnings/ChangeNetworkWarning'; @@ -103,13 +104,15 @@ export const UmbrellaModalContent = ({ umbrellaAssetName, icon }: StakeProps) => return ( <> - {isWrongNetwork && !readOnlyModeAddress && ( + + {/* TODO do we handle this for markets? */} + {/* {isWrongNetwork && !readOnlyModeAddress && ( - )} + )} */} @@ -139,6 +142,7 @@ export const UmbrellaModalContent = ({ umbrellaAssetName, icon }: StakeProps) => value={Number(stakeData?.stakeApy || '0') / 10000} percent /> + {txError && } diff --git a/src/modules/umbrella/UmbrellaStakedAssetsListContainer.tsx b/src/modules/umbrella/UserStakedAssets/UmbrellaStakedAssetsListContainer.tsx similarity index 96% rename from src/modules/umbrella/UmbrellaStakedAssetsListContainer.tsx rename to src/modules/umbrella/UserStakedAssets/UmbrellaStakedAssetsListContainer.tsx index 8a90f3e55a..308ef169c4 100644 --- a/src/modules/umbrella/UmbrellaStakedAssetsListContainer.tsx +++ b/src/modules/umbrella/UserStakedAssets/UmbrellaStakedAssetsListContainer.tsx @@ -8,13 +8,13 @@ import { Link } from 'src/components/primitives/Link'; import { Warning } from 'src/components/primitives/Warning'; import { TitleWithSearchBar } from 'src/components/TitleWithSearchBar'; import { useAppDataContext } from 'src/hooks/app-data-provider/useAppDataProvider'; -import UmbrellaAssetsList from './UmbrellaAssetsList'; +import UmbrellaAssetsList from '../StakeAssets/UmbrellaAssetsList'; import { useRootStore } from 'src/store/root'; import { fetchIconSymbolAndName } from 'src/ui-config/reservePatches'; import { getGhoReserve, GHO_MINTING_MARKETS, GHO_SYMBOL } from 'src/utils/ghoUtilities'; import { useShallow } from 'zustand/shallow'; -import { GENERAL } from '../../utils/mixPanelEvents'; +import { GENERAL } from '../../../utils/mixPanelEvents'; function shouldDisplayGhoBanner(marketTitle: string, searchTerm: string): boolean { // GHO banner is only displayed on markets where new GHO is mintable (i.e. Ethereum) diff --git a/src/modules/umbrella/hooks/useStakeData.ts b/src/modules/umbrella/hooks/useStakeData.ts index b71bf6ec47..335570243a 100644 --- a/src/modules/umbrella/hooks/useStakeData.ts +++ b/src/modules/umbrella/hooks/useStakeData.ts @@ -1,6 +1,10 @@ import { useQuery } from '@tanstack/react-query'; import { MarketDataType } from 'src/ui-config/marketsConfig'; import { useSharedDependencies } from 'src/ui-config/SharedDependenciesProvider'; +import { TokenInfoWithBalance, useTokensBalance } from 'src/hooks/generic/useTokensBalance'; +import { Multicall } from 'ethereum-multicall'; +import { getProvider } from 'src/utils/marketsAndNetworksConfig'; +import { formatUnits } from '@ethersproject/units'; export const useStakeData = (marketData: MarketDataType) => { const { stakeDataService } = useSharedDependencies(); @@ -22,3 +26,67 @@ export const useUserStakeData = (marketData: MarketDataType, user: string) => { enabled: !!user, }); }; + +// TODO LINT +export const useStakedDataWithTokenBalances = (userStakeData, chainId, user) => { + return useQuery({ + queryKey: ['stakedDataWithTokenBalances', chainId, user, userStakeData], + enabled: !!userStakeData && userStakeData.length > 0, + queryFn: async () => { + const provider = getProvider(chainId); + const multicall = new Multicall({ + ethersProvider: provider, + tryAggregate: true, + multicallCustomContractAddress: '0xcA11bde05977b3631167028862bE2a173976CA11', // TODO double check this across all networks + }); + + const tokensToQuery = userStakeData.flatMap((stakeData) => [ + { + address: stakeData.waTokenUnderlying, + decimals: 18, // TODO Decimals + }, + { + address: stakeData.waTokenAToken, + decimals: 18, // TODO Decimals + }, + ]); + + const contractCallContext = tokensToQuery.map((token) => ({ + reference: token.address, + contractAddress: token.address, + abi: [ + { + name: 'balanceOf', + type: 'function', + stateMutability: 'view', + inputs: [{ name: 'account', type: 'address' }], + outputs: [{ name: 'balance', type: 'uint256' }], + }, + ], + calls: [{ reference: 'balanceOfCall', methodName: 'balanceOf', methodParameters: [user] }], + })); + + const { results } = await multicall.call(contractCallContext); + + // Map balances back to stake data + const enrichedData = userStakeData.map((stakeData) => { + const underlyingBalance = + results[stakeData.waTokenUnderlying]?.callsReturnContext[0]?.returnValues[0]; + const aTokenBalance = + results[stakeData.waTokenAToken]?.callsReturnContext[0]?.returnValues[0]; + + const totalUnderlyingBalance = + underlyingBalance && aTokenBalance + ? Number(formatUnits(underlyingBalance, 18)) + Number(formatUnits(aTokenBalance, 18)) + : 0; + + return { + ...stakeData, + totalUnderlyingBalance: totalUnderlyingBalance.toString(), + }; + }); + + return enrichedData; + }, + }); +}; From 06e18fa00784bd7cdee0d6b993fd2c0af370c0e8 Mon Sep 17 00:00:00 2001 From: Mark Grothe Date: Fri, 10 Jan 2025 11:38:57 -0600 Subject: [PATCH 008/110] fix: latest provider --- .../services/StakeDataProviderService.ts | 35 +- .../services/types/StakeDataProvider.ts | 164 ++++------ .../types/StakeDataProvider__factory.ts | 301 ++++++++++-------- 3 files changed, 259 insertions(+), 241 deletions(-) diff --git a/src/modules/umbrella/services/StakeDataProviderService.ts b/src/modules/umbrella/services/StakeDataProviderService.ts index 1aac3a5f7b..6f0c8bc99b 100644 --- a/src/modules/umbrella/services/StakeDataProviderService.ts +++ b/src/modules/umbrella/services/StakeDataProviderService.ts @@ -4,7 +4,7 @@ import { MarketDataType } from 'src/ui-config/marketsConfig'; import { StakeDataStructOutput, StakeUserDataStructOutput } from './types/StakeDataProvider'; import { StakeDataProvider__factory } from './types/StakeDataProvider__factory'; -const STAKE_DATA_PROVIDER = '0x508b0d26b00bcfa1b1e9783d1194d4a5efe9d19e'; +const STAKE_DATA_PROVIDER = '0xf102028324f28bc500c354a276b3da13d7463ae6'; export interface StakeData { stakeToken: string; @@ -31,13 +31,24 @@ export interface Rewards { export interface StakeUserData { stakeToken: string; stakeTokenName: string; + balances: StakeUserBalances; + cooldown: StakeUserCooldown; + underlyingTokenDecimals: number; + rewards: UserRewards[]; +} + +export interface StakeUserBalances { stakeTokenBalance: string; stakeTokenRedeemableAmount: string; underlyingTokenBalance: string; + underlyingWaTokenBalance: string; + underlyingWaTokenATokenBalance: string; +} + +export interface StakeUserCooldown { cooldownAmount: string; endOfCooldown: number; withdrawalWindow: number; - rewards: UserRewards[]; } export interface UserRewards { @@ -94,12 +105,20 @@ export class StakeDataProviderService { return { stakeToken: userStakeData.stakeToken.toLowerCase(), stakeTokenName: userStakeData.stakeTokenName, - stakeTokenBalance: userStakeData.stakeTokenBalance.toString(), - stakeTokenRedeemableAmount: userStakeData.stakeTokenRedeemableAmount.toString(), - underlyingTokenBalance: userStakeData.underlyingTokenBalance.toString(), - cooldownAmount: userStakeData.cooldownAmount.toString(), - endOfCooldown: userStakeData.endOfCooldown, - withdrawalWindow: userStakeData.withdrawalWindow, + balances: { + stakeTokenBalance: userStakeData.balances.stakeTokenBalance.toString(), + stakeTokenRedeemableAmount: userStakeData.balances.stakeTokenRedeemableAmount.toString(), + underlyingTokenBalance: userStakeData.balances.underlyingTokenBalance.toString(), + underlyingWaTokenBalance: userStakeData.balances.underlyingWaTokenBalance.toString(), + underlyingWaTokenATokenBalance: + userStakeData.balances.underlyingWaTokenATokenBalance.toString(), + }, + cooldown: { + cooldownAmount: userStakeData.cooldown.cooldownAmount.toString(), + endOfCooldown: userStakeData.cooldown.endOfCooldown, + withdrawalWindow: userStakeData.cooldown.withdrawalWindow, + }, + underlyingTokenDecimals: userStakeData.underlyingTokenDecimals, rewards: userStakeData.rewards.map((reward, index) => ({ rewardAddress: reward.toLowerCase(), accrued: userStakeData.rewardsAccrued[index].toString(), diff --git a/src/modules/umbrella/services/types/StakeDataProvider.ts b/src/modules/umbrella/services/types/StakeDataProvider.ts index 7919ea5062..ecc714cdd2 100644 --- a/src/modules/umbrella/services/types/StakeDataProvider.ts +++ b/src/modules/umbrella/services/types/StakeDataProvider.ts @@ -10,15 +10,10 @@ import type { PopulatedTransaction, Signer, utils, -} from "ethers"; -import type { FunctionFragment, Result } from "@ethersproject/abi"; -import type { Listener, Provider } from "@ethersproject/providers"; -import type { - TypedEventFilter, - TypedEvent, - TypedListener, - OnEvent, -} from "./common"; +} from 'ethers'; +import type { FunctionFragment, Result } from '@ethersproject/abi'; +import type { Listener, Provider } from '@ethersproject/providers'; +import type { TypedEventFilter, TypedEvent, TypedListener, OnEvent } from './common'; export type RewardStruct = { rewardAddress: string; @@ -28,13 +23,7 @@ export type RewardStruct = { currentEmissionPerSecond: BigNumberish; }; -export type RewardStructOutput = [ - string, - BigNumber, - BigNumber, - BigNumber, - BigNumber -] & { +export type RewardStructOutput = [string, BigNumber, BigNumber, BigNumber, BigNumber] & { rewardAddress: string; index: BigNumber; maxEmissionPerSecond: BigNumber; @@ -82,15 +71,46 @@ export type StakeDataStructOutput = [ rewards: RewardStructOutput[]; }; -export type StakeUserDataStruct = { - stakeToken: string; - stakeTokenName: string; +export type StakeUserBalancesStruct = { stakeTokenBalance: BigNumberish; stakeTokenRedeemableAmount: BigNumberish; underlyingTokenBalance: BigNumberish; + underlyingWaTokenBalance: BigNumberish; + underlyingWaTokenATokenBalance: BigNumberish; +}; + +export type StakeUserBalancesStructOutput = [ + BigNumber, + BigNumber, + BigNumber, + BigNumber, + BigNumber +] & { + stakeTokenBalance: BigNumber; + stakeTokenRedeemableAmount: BigNumber; + underlyingTokenBalance: BigNumber; + underlyingWaTokenBalance: BigNumber; + underlyingWaTokenATokenBalance: BigNumber; +}; + +export type StakeUserCooldownStruct = { cooldownAmount: BigNumberish; endOfCooldown: BigNumberish; withdrawalWindow: BigNumberish; +}; + +export type StakeUserCooldownStructOutput = [BigNumber, number, number] & { + cooldownAmount: BigNumber; + endOfCooldown: number; + withdrawalWindow: number; +}; + +export type StakeUserDataStruct = { + stakeToken: string; + stakeTokenName: string; + balances: StakeUserBalancesStruct; + cooldown: StakeUserCooldownStruct; + underlyingTokenDecimals: BigNumberish; rewards: string[]; rewardsAccrued: BigNumberish[]; }; @@ -98,80 +118,50 @@ export type StakeUserDataStruct = { export type StakeUserDataStructOutput = [ string, string, - BigNumber, - BigNumber, - BigNumber, - BigNumber, - number, + StakeUserBalancesStructOutput, + StakeUserCooldownStructOutput, number, string[], BigNumber[] ] & { stakeToken: string; stakeTokenName: string; - stakeTokenBalance: BigNumber; - stakeTokenRedeemableAmount: BigNumber; - underlyingTokenBalance: BigNumber; - cooldownAmount: BigNumber; - endOfCooldown: number; - withdrawalWindow: number; + balances: StakeUserBalancesStructOutput; + cooldown: StakeUserCooldownStructOutput; + underlyingTokenDecimals: number; rewards: string[]; rewardsAccrued: BigNumber[]; }; export interface StakeDataProviderInterface extends utils.Interface { functions: { - "getStakeData()": FunctionFragment; - "getUserStakeData(address)": FunctionFragment; - "rewardsController()": FunctionFragment; - "stataTokenFactory()": FunctionFragment; - "umbrella()": FunctionFragment; + 'getStakeData()': FunctionFragment; + 'getUserStakeData(address)': FunctionFragment; + 'rewardsController()': FunctionFragment; + 'stataTokenFactory()': FunctionFragment; + 'umbrella()': FunctionFragment; }; getFunction( nameOrSignatureOrTopic: - | "getStakeData" - | "getUserStakeData" - | "rewardsController" - | "stataTokenFactory" - | "umbrella" + | 'getStakeData' + | 'getUserStakeData' + | 'rewardsController' + | 'stataTokenFactory' + | 'umbrella' ): FunctionFragment; - encodeFunctionData( - functionFragment: "getStakeData", - values?: undefined - ): string; - encodeFunctionData( - functionFragment: "getUserStakeData", - values: [string] - ): string; - encodeFunctionData( - functionFragment: "rewardsController", - values?: undefined - ): string; - encodeFunctionData( - functionFragment: "stataTokenFactory", - values?: undefined - ): string; - encodeFunctionData(functionFragment: "umbrella", values?: undefined): string; - - decodeFunctionResult( - functionFragment: "getStakeData", - data: BytesLike - ): Result; - decodeFunctionResult( - functionFragment: "getUserStakeData", - data: BytesLike - ): Result; - decodeFunctionResult( - functionFragment: "rewardsController", - data: BytesLike - ): Result; - decodeFunctionResult( - functionFragment: "stataTokenFactory", - data: BytesLike - ): Result; - decodeFunctionResult(functionFragment: "umbrella", data: BytesLike): Result; + encodeFunctionData(functionFragment: 'getStakeData', values?: undefined): string; + encodeFunctionData(functionFragment: 'getUserStakeData', values: [string]): string; + encodeFunctionData(functionFragment: 'rewardsController', values?: undefined): string; + encodeFunctionData(functionFragment: 'stataTokenFactory', values?: undefined): string; + encodeFunctionData(functionFragment: 'umbrella', values?: undefined): string; + + decodeFunctionResult(functionFragment: 'getStakeData', data: BytesLike): Result; + decodeFunctionResult(functionFragment: 'getUserStakeData', data: BytesLike): Result; + decodeFunctionResult(functionFragment: 'rewardsController', data: BytesLike): Result; + decodeFunctionResult(functionFragment: 'stataTokenFactory', data: BytesLike): Result; + decodeFunctionResult(functionFragment: 'umbrella', data: BytesLike): Result; events: {}; } @@ -193,9 +183,7 @@ export interface StakeDataProvider extends BaseContract { eventFilter?: TypedEventFilter ): Array>; listeners(eventName?: string): Array; - removeAllListeners( - eventFilter: TypedEventFilter - ): this; + removeAllListeners(eventFilter: TypedEventFilter): this; removeAllListeners(eventName?: string): this; off: OnEvent; on: OnEvent; @@ -219,10 +207,7 @@ export interface StakeDataProvider extends BaseContract { getStakeData(overrides?: CallOverrides): Promise; - getUserStakeData( - user: string, - overrides?: CallOverrides - ): Promise; + getUserStakeData(user: string, overrides?: CallOverrides): Promise; rewardsController(overrides?: CallOverrides): Promise; @@ -233,10 +218,7 @@ export interface StakeDataProvider extends BaseContract { callStatic: { getStakeData(overrides?: CallOverrides): Promise; - getUserStakeData( - user: string, - overrides?: CallOverrides - ): Promise; + getUserStakeData(user: string, overrides?: CallOverrides): Promise; rewardsController(overrides?: CallOverrides): Promise; @@ -250,10 +232,7 @@ export interface StakeDataProvider extends BaseContract { estimateGas: { getStakeData(overrides?: CallOverrides): Promise; - getUserStakeData( - user: string, - overrides?: CallOverrides - ): Promise; + getUserStakeData(user: string, overrides?: CallOverrides): Promise; rewardsController(overrides?: CallOverrides): Promise; @@ -265,10 +244,7 @@ export interface StakeDataProvider extends BaseContract { populateTransaction: { getStakeData(overrides?: CallOverrides): Promise; - getUserStakeData( - user: string, - overrides?: CallOverrides - ): Promise; + getUserStakeData(user: string, overrides?: CallOverrides): Promise; rewardsController(overrides?: CallOverrides): Promise; diff --git a/src/modules/umbrella/services/types/StakeDataProvider__factory.ts b/src/modules/umbrella/services/types/StakeDataProvider__factory.ts index b5cbf9010b..07d3e04644 100644 --- a/src/modules/umbrella/services/types/StakeDataProvider__factory.ts +++ b/src/modules/umbrella/services/types/StakeDataProvider__factory.ts @@ -1,246 +1,272 @@ /* Autogenerated file. Do not edit manually. */ /* tslint:disable */ /* eslint-disable */ -import { Signer, utils, Contract, ContractFactory, Overrides } from "ethers"; -import type { Provider, TransactionRequest } from "@ethersproject/providers"; -import type { - StakeDataProvider, - StakeDataProviderInterface, -} from "./StakeDataProvider"; +import { Signer, utils, Contract, ContractFactory, Overrides } from 'ethers'; +import type { Provider, TransactionRequest } from '@ethersproject/providers'; +import type { StakeDataProvider, StakeDataProviderInterface } from './StakeDataProvider'; const _abi = [ { - type: "constructor", + type: 'constructor', inputs: [ { - name: "_umbrella", - type: "address", - internalType: "contract IUmbrellaStkManager", + name: '_umbrella', + type: 'address', + internalType: 'contract IUmbrellaStkManager', }, { - name: "_rewardsController", - type: "address", - internalType: "contract IRewardsController", + name: '_rewardsController', + type: 'address', + internalType: 'contract IRewardsController', }, { - name: "_stataTokenFactory", - type: "address", - internalType: "contract IStataTokenFactory", + name: '_stataTokenFactory', + type: 'address', + internalType: 'contract IStataTokenFactory', }, ], - stateMutability: "nonpayable", + stateMutability: 'nonpayable', }, { - type: "function", - name: "getStakeData", + type: 'function', + name: 'getStakeData', inputs: [], outputs: [ { - name: "", - type: "tuple[]", - internalType: "struct StakeData[]", + name: '', + type: 'tuple[]', + internalType: 'struct StakeData[]', components: [ { - name: "stakeToken", - type: "address", - internalType: "address", + name: 'stakeToken', + type: 'address', + internalType: 'address', }, { - name: "stakeTokenName", - type: "string", - internalType: "string", + name: 'stakeTokenName', + type: 'string', + internalType: 'string', }, { - name: "stakeTokenTotalSupply", - type: "uint256", - internalType: "uint256", + name: 'stakeTokenTotalSupply', + type: 'uint256', + internalType: 'uint256', }, { - name: "cooldownSeconds", - type: "uint256", - internalType: "uint256", + name: 'cooldownSeconds', + type: 'uint256', + internalType: 'uint256', }, { - name: "unstakeWindowSeconds", - type: "uint256", - internalType: "uint256", + name: 'unstakeWindowSeconds', + type: 'uint256', + internalType: 'uint256', }, { - name: "stakeTokenUnderlying", - type: "address", - internalType: "address", + name: 'stakeTokenUnderlying', + type: 'address', + internalType: 'address', }, { - name: "underlyingIsWaToken", - type: "bool", - internalType: "bool", + name: 'underlyingIsWaToken', + type: 'bool', + internalType: 'bool', }, { - name: "waTokenUnderlying", - type: "address", - internalType: "address", + name: 'waTokenUnderlying', + type: 'address', + internalType: 'address', }, { - name: "waTokenAToken", - type: "address", - internalType: "address", + name: 'waTokenAToken', + type: 'address', + internalType: 'address', }, { - name: "waTokenPrice", - type: "uint256", - internalType: "uint256", + name: 'waTokenPrice', + type: 'uint256', + internalType: 'uint256', }, { - name: "rewards", - type: "tuple[]", - internalType: "struct Reward[]", + name: 'rewards', + type: 'tuple[]', + internalType: 'struct Reward[]', components: [ { - name: "rewardAddress", - type: "address", - internalType: "address", + name: 'rewardAddress', + type: 'address', + internalType: 'address', }, { - name: "index", - type: "uint256", - internalType: "uint256", + name: 'index', + type: 'uint256', + internalType: 'uint256', }, { - name: "maxEmissionPerSecond", - type: "uint256", - internalType: "uint256", + name: 'maxEmissionPerSecond', + type: 'uint256', + internalType: 'uint256', }, { - name: "distributionEnd", - type: "uint256", - internalType: "uint256", + name: 'distributionEnd', + type: 'uint256', + internalType: 'uint256', }, { - name: "currentEmissionPerSecond", - type: "uint256", - internalType: "uint256", + name: 'currentEmissionPerSecond', + type: 'uint256', + internalType: 'uint256', }, ], }, ], }, ], - stateMutability: "view", + stateMutability: 'view', }, { - type: "function", - name: "getUserStakeData", + type: 'function', + name: 'getUserStakeData', inputs: [ { - name: "user", - type: "address", - internalType: "address", + name: 'user', + type: 'address', + internalType: 'address', }, ], outputs: [ { - name: "", - type: "tuple[]", - internalType: "struct StakeUserData[]", + name: '', + type: 'tuple[]', + internalType: 'struct StakeUserData[]', components: [ { - name: "stakeToken", - type: "address", - internalType: "address", + name: 'stakeToken', + type: 'address', + internalType: 'address', }, { - name: "stakeTokenName", - type: "string", - internalType: "string", + name: 'stakeTokenName', + type: 'string', + internalType: 'string', }, { - name: "stakeTokenBalance", - type: "uint256", - internalType: "uint256", - }, - { - name: "stakeTokenRedeemableAmount", - type: "uint256", - internalType: "uint256", - }, - { - name: "underlyingTokenBalance", - type: "uint256", - internalType: "uint256", - }, - { - name: "cooldownAmount", - type: "uint192", - internalType: "uint192", + name: 'balances', + type: 'tuple', + internalType: 'struct StakeUserBalances', + components: [ + { + name: 'stakeTokenBalance', + type: 'uint256', + internalType: 'uint256', + }, + { + name: 'stakeTokenRedeemableAmount', + type: 'uint256', + internalType: 'uint256', + }, + { + name: 'underlyingTokenBalance', + type: 'uint256', + internalType: 'uint256', + }, + { + name: 'underlyingWaTokenBalance', + type: 'uint256', + internalType: 'uint256', + }, + { + name: 'underlyingWaTokenATokenBalance', + type: 'uint256', + internalType: 'uint256', + }, + ], }, { - name: "endOfCooldown", - type: "uint32", - internalType: "uint32", + name: 'cooldown', + type: 'tuple', + internalType: 'struct StakeUserCooldown', + components: [ + { + name: 'cooldownAmount', + type: 'uint192', + internalType: 'uint192', + }, + { + name: 'endOfCooldown', + type: 'uint32', + internalType: 'uint32', + }, + { + name: 'withdrawalWindow', + type: 'uint32', + internalType: 'uint32', + }, + ], }, { - name: "withdrawalWindow", - type: "uint32", - internalType: "uint32", + name: 'underlyingTokenDecimals', + type: 'uint8', + internalType: 'uint8', }, { - name: "rewards", - type: "address[]", - internalType: "address[]", + name: 'rewards', + type: 'address[]', + internalType: 'address[]', }, { - name: "rewardsAccrued", - type: "uint256[]", - internalType: "uint256[]", + name: 'rewardsAccrued', + type: 'uint256[]', + internalType: 'uint256[]', }, ], }, ], - stateMutability: "view", + stateMutability: 'view', }, { - type: "function", - name: "rewardsController", + type: 'function', + name: 'rewardsController', inputs: [], outputs: [ { - name: "", - type: "address", - internalType: "contract IRewardsController", + name: '', + type: 'address', + internalType: 'contract IRewardsController', }, ], - stateMutability: "view", + stateMutability: 'view', }, { - type: "function", - name: "stataTokenFactory", + type: 'function', + name: 'stataTokenFactory', inputs: [], outputs: [ { - name: "", - type: "address", - internalType: "contract IStataTokenFactory", + name: '', + type: 'address', + internalType: 'contract IStataTokenFactory', }, ], - stateMutability: "view", + stateMutability: 'view', }, { - type: "function", - name: "umbrella", + type: 'function', + name: 'umbrella', inputs: [], outputs: [ { - name: "", - type: "address", - internalType: "contract IUmbrellaStkManager", + name: '', + type: 'address', + internalType: 'contract IUmbrellaStkManager', }, ], - stateMutability: "view", + stateMutability: 'view', }, ] as const; const _bytecode = - "0x60e060405234801562000010575f80fd5b50604051620017b3380380620017b3833981016040819052620000339162000069565b6001600160a01b0392831660805290821660a0521660c052620000ba565b6001600160a01b038116811462000066575f80fd5b50565b5f805f606084860312156200007c575f80fd5b8351620000898162000051565b60208501519093506200009c8162000051565b6040850151909250620000af8162000051565b809150509250925092565b60805160a05160c0516116a0620001135f395f8181605e015261025001525f818160a201528181610383015281816106070152818161069c0152610c3c01525f818160c90152818161012501526109c701526116a05ff3fe608060405234801561000f575f80fd5b5060043610610055575f3560e01c80631494088f146100595780636bb65f531461009d57806384914262146100c4578063a16a09af146100eb578063e9ce34a514610100575b5f80fd5b6100807f000000000000000000000000000000000000000000000000000000000000000081565b6040516001600160a01b0390911681526020015b60405180910390f35b6100807f000000000000000000000000000000000000000000000000000000000000000081565b6100807f000000000000000000000000000000000000000000000000000000000000000081565b6100f3610120565b604051610094919061100e565b61011361010e366004611128565b6109c2565b60405161009491906111af565b60605f7f00000000000000000000000000000000000000000000000000000000000000006001600160a01b031663de3767766040518163ffffffff1660e01b81526004015f60405180830381865afa15801561017e573d5f803e3d5ffd5b505050506040513d5f823e601f3d908101601f191682016040526101a59190810190611386565b90505f815167ffffffffffffffff8111156101c2576101c26112ad565b60405190808252806020026020018201604052801561024a57816020015b60408051610160810182525f8082526060602083018190529282018190528282018190526080820181905260a0820181905260c0820181905260e0820181905261010082018190526101208201526101408101919091528152602001906001900390816101e05790505b5090505f7f00000000000000000000000000000000000000000000000000000000000000006001600160a01b031663529080176040518163ffffffff1660e01b81526004015f60405180830381865afa1580156102a9573d5f803e3d5ffd5b505050506040513d5f823e601f3d908101601f191682016040526102d09190810190611386565b90505f5b83518110156109b9575f8482815181106102f0576102f06113c0565b602002602001015190505f8190505f826001600160a01b03166338d52e0f6040518163ffffffff1660e01b8152600401602060405180830381865afa15801561033b573d5f803e3d5ffd5b505050506040513d601f19601f8201168201806040525081019061035f91906113d4565b60405163362a3fad60e01b81526001600160a01b0384811660048301529192505f917f0000000000000000000000000000000000000000000000000000000000000000169063362a3fad906024015f60405180830381865afa1580156103c7573d5f803e3d5ffd5b505050506040513d5f823e601f3d908101601f191682016040526103ee9190810190611386565b90505f815167ffffffffffffffff81111561040b5761040b6112ad565b60405190808252806020026020018201604052801561047257816020015b61045f6040518060a001604052805f6001600160a01b031681526020015f81526020015f81526020015f81526020015f81525090565b8152602001906001900390816104295790505b5090505f6104808489610ef0565b90505f805f83156105b257866001600160a01b03166338d52e0f6040518163ffffffff1660e01b8152600401602060405180830381865afa1580156104c7573d5f803e3d5ffd5b505050506040513d601f19601f820116820180604052508101906104eb91906113d4565b9250866001600160a01b031663a0c1f15e6040518163ffffffff1660e01b8152600401602060405180830381865afa158015610529573d5f803e3d5ffd5b505050506040513d601f19601f8201168201806040525081019061054d91906113d4565b9150866001600160a01b03166350d25bcd6040518163ffffffff1660e01b8152600401602060405180830381865afa15801561058b573d5f803e3d5ffd5b505050506040513d601f19601f820116820180604052508101906105af91906113ef565b90505b5f5b8651811015610776575f8782815181106105d0576105d06113c0565b60209081029190910101516040516334fb3ea160e11b81526001600160a01b038c8116600483015280831660248301529192505f917f000000000000000000000000000000000000000000000000000000000000000016906369f67d4290604401608060405180830381865afa15801561064c573d5f803e3d5ffd5b505050506040513d601f19601f820116820180604052508101906106709190611406565b604051630450881160e51b81526001600160a01b038d8116600483015284811660248301529192505f917f00000000000000000000000000000000000000000000000000000000000000001690638a11022090604401602060405180830381865afa1580156106e1573d5f803e3d5ffd5b505050506040513d601f19601f8201168201806040525081019061070591906113ef565b90506040518060a00160405280846001600160a01b0316815260200183602001518152602001836040015181526020018360600151815260200182815250898581518110610755576107556113c0565b6020026020010181905250505050808061076e90611473565b9150506105b4565b506040518061016001604052808e8c81518110610795576107956113c0565b60200260200101516001600160a01b031681526020018a6001600160a01b03166306fdde036040518163ffffffff1660e01b81526004015f60405180830381865afa1580156107e6573d5f803e3d5ffd5b505050506040513d5f823e601f3d908101601f1916820160405261080d9190810190611497565b81526020018a6001600160a01b03166318160ddd6040518163ffffffff1660e01b8152600401602060405180830381865afa15801561084e573d5f803e3d5ffd5b505050506040513d601f19601f8201168201806040525081019061087291906113ef565b81526020018a6001600160a01b031663218e4a156040518163ffffffff1660e01b8152600401602060405180830381865afa1580156108b3573d5f803e3d5ffd5b505050506040513d601f19601f820116820180604052508101906108d791906113ef565b81526020018a6001600160a01b03166390b9f9e46040518163ffffffff1660e01b8152600401602060405180830381865afa158015610918573d5f803e3d5ffd5b505050506040513d601f19601f8201168201806040525081019061093c91906113ef565b8152602001886001600160a01b031681526020018515158152602001846001600160a01b03168152602001836001600160a01b03168152602001828152602001868152508c8b81518110610992576109926113c0565b602002602001018190525050505050505050505080806109b190611473565b9150506102d4565b50909392505050565b60605f7f00000000000000000000000000000000000000000000000000000000000000006001600160a01b031663de3767766040518163ffffffff1660e01b81526004015f60405180830381865afa158015610a20573d5f803e3d5ffd5b505050506040513d5f823e601f3d908101601f19168201604052610a479190810190611386565b90505f815167ffffffffffffffff811115610a6457610a646112ad565b604051908082528060200260200182016040528015610b0257816020015b610aef6040518061014001604052805f6001600160a01b03168152602001606081526020015f81526020015f81526020015f81526020015f6001600160c01b031681526020015f63ffffffff1681526020015f63ffffffff16815260200160608152602001606081525090565b815260200190600190039081610a825790505b5090505f5b8251811015610ee8575f838281518110610b2357610b236113c0565b60209081029190910101516040516317c547a160e11b81526001600160a01b0388811660048301529192505f91831690632f8a8f4290602401606060405180830381865afa158015610b77573d5f803e3d5ffd5b505050506040513d601f19601f82011682018060405250810190610b9b919061153e565b6040516370a0823160e01b81526001600160a01b03898116600483015291925083915f91908316906370a0823190602401602060405180830381865afa158015610be7573d5f803e3d5ffd5b505050506040513d601f19601f82011682018060405250810190610c0b91906113ef565b60405160016204621960e51b031981526001600160a01b0384811660048301528b811660248301529192505f9182917f00000000000000000000000000000000000000000000000000000000000000009091169063ff73bce0906044015f60405180830381865afa158015610c82573d5f803e3d5ffd5b505050506040513d5f823e601f3d908101601f19168201604052610ca991908101906115b5565b91509150604051806101400160405280856001600160a01b03168152602001876001600160a01b03166306fdde036040518163ffffffff1660e01b81526004015f60405180830381865afa158015610d03573d5f803e3d5ffd5b505050506040513d5f823e601f3d908101601f19168201604052610d2a9190810190611497565b8152602001848152602001876001600160a01b0316634cdad506866040518263ffffffff1660e01b8152600401610d6391815260200190565b602060405180830381865afa158015610d7e573d5f803e3d5ffd5b505050506040513d601f19601f82011682018060405250810190610da291906113ef565b8152602001876001600160a01b03166338d52e0f6040518163ffffffff1660e01b8152600401602060405180830381865afa158015610de3573d5f803e3d5ffd5b505050506040513d601f19601f82011682018060405250810190610e0791906113d4565b6040516370a0823160e01b81526001600160a01b038f8116600483015291909116906370a0823190602401602060405180830381865afa158015610e4d573d5f803e3d5ffd5b505050506040513d601f19601f82011682018060405250810190610e7191906113ef565b8152602001865f01516001600160c01b03168152602001866020015163ffffffff168152602001866040015163ffffffff16815260200183815260200182815250888881518110610ec457610ec46113c0565b60200260200101819052505050505050508080610ee090611473565b915050610b07565b509392505050565b5f805b8251811015610f4a57828181518110610f0e57610f0e6113c0565b60200260200101516001600160a01b0316846001600160a01b031603610f38576001915050610f4f565b80610f4281611473565b915050610ef3565b505f90505b92915050565b5f5b83811015610f6f578181015183820152602001610f57565b50505f910152565b5f8151808452610f8e816020860160208601610f55565b601f01601f19169290920160200192915050565b5f8151808452602080850194508084015f5b8381101561100357815180516001600160a01b03168852838101518489015260408082015190890152606080820151908901526080908101519088015260a09096019590820190600101610fb4565b509495945050505050565b5f6020808301818452808551808352604092508286019150828160051b8701018488015f5b8381101561110357888303603f19018552815180516001600160a01b0316845261016088820151818a87015261106b82870182610f77565b89840151878b0152606080850151908801526080808501519088015260a0808501516001600160a01b039081169189019190915260c08086015115159089015260e08086015182169089015261010080860151909116908801526101208085015190880152610140938401518782039488019490945291506110ef90508183610fa2565b968901969450505090860190600101611033565b509098975050505050505050565b6001600160a01b0381168114611125575f80fd5b50565b5f60208284031215611138575f80fd5b813561114381611111565b9392505050565b5f8151808452602080850194508084015f5b838110156110035781516001600160a01b03168752958201959082019060010161115c565b5f8151808452602080850194508084015f5b8381101561100357815187529582019590820190600101611193565b5f6020808301818452808551808352604092508286019150828160051b8701018488015f5b8381101561110357888303603f19018552815180516001600160a01b0316845261014088820151818a87015261120c82870182610f77565b89840151878b0152606080850151908801526080808501519088015260a0808501516001600160c01b03169088015260c08085015163ffffffff9081169189019190915260e0808601519091169088015261010080850151888303828a0152919350915061127a838261114a565b9250505061012080830151925085820381870152506112998183611181565b9689019694505050908601906001016111d4565b634e487b7160e01b5f52604160045260245ffd5b604051601f8201601f1916810167ffffffffffffffff811182821017156112ea576112ea6112ad565b604052919050565b5f67ffffffffffffffff82111561130b5761130b6112ad565b5060051b60200190565b5f82601f830112611324575f80fd5b81516020611339611334836112f2565b6112c1565b82815260059290921b84018101918181019086841115611357575f80fd5b8286015b8481101561137b57805161136e81611111565b835291830191830161135b565b509695505050505050565b5f60208284031215611396575f80fd5b815167ffffffffffffffff8111156113ac575f80fd5b6113b884828501611315565b949350505050565b634e487b7160e01b5f52603260045260245ffd5b5f602082840312156113e4575f80fd5b815161114381611111565b5f602082840312156113ff575f80fd5b5051919050565b5f60808284031215611416575f80fd5b6040516080810181811067ffffffffffffffff82111715611439576114396112ad565b604052825161144781611111565b808252506020830151602082015260408301516040820152606083015160608201528091505092915050565b5f6001820161149057634e487b7160e01b5f52601160045260245ffd5b5060010190565b5f602082840312156114a7575f80fd5b815167ffffffffffffffff808211156114be575f80fd5b818401915084601f8301126114d1575f80fd5b8151818111156114e3576114e36112ad565b6114f6601f8201601f19166020016112c1565b915080825285602082850101111561150c575f80fd5b61151d816020840160208601610f55565b50949350505050565b805163ffffffff81168114611539575f80fd5b919050565b5f6060828403121561154e575f80fd5b6040516060810181811067ffffffffffffffff82111715611571576115716112ad565b60405282516001600160c01b038116811461158a575f80fd5b815261159860208401611526565b60208201526115a960408401611526565b60408201529392505050565b5f80604083850312156115c6575f80fd5b825167ffffffffffffffff808211156115dd575f80fd5b6115e986838701611315565b93506020915081850151818111156115ff575f80fd5b85019050601f81018613611611575f80fd5b805161161f611334826112f2565b81815260059190911b8201830190838101908883111561163d575f80fd5b928401925b8284101561165b57835182529284019290840190611642565b8095505050505050925092905056fea2646970667358221220d88391380b7d4a72b92d162e21cd262b70a085d1e3e504635ed7725199b053dd64736f6c63430008140033"; + '0x60e060405234801562000010575f80fd5b5060405162001c3c38038062001c3c833981016040819052620000339162000069565b6001600160a01b0392831660805290821660a0521660c052620000ba565b6001600160a01b038116811462000066575f80fd5b50565b5f805f606084860312156200007c575f80fd5b8351620000898162000051565b60208501519093506200009c8162000051565b6040850151909250620000af8162000051565b809150509250925092565b60805160a05160c051611b226200011a5f395f8181605e015281816102500152610aa301525f818160a201528181610383015281816106070152818161069c0152610b9701525f818160c90152818161012501526109c70152611b225ff3fe608060405234801561000f575f80fd5b5060043610610055575f3560e01c80631494088f146100595780636bb65f531461009d57806384914262146100c4578063a16a09af146100eb578063e9ce34a514610100575b5f80fd5b6100807f000000000000000000000000000000000000000000000000000000000000000081565b6040516001600160a01b0390911681526020015b60405180910390f35b6100807f000000000000000000000000000000000000000000000000000000000000000081565b6100807f000000000000000000000000000000000000000000000000000000000000000081565b6100f3610120565b6040516100949190611444565b61011361010e36600461155e565b6109c2565b60405161009491906115e5565b60605f7f00000000000000000000000000000000000000000000000000000000000000006001600160a01b031663de3767766040518163ffffffff1660e01b81526004015f60405180830381865afa15801561017e573d5f803e3d5ffd5b505050506040513d5f823e601f3d908101601f191682016040526101a591908101906117e8565b90505f815167ffffffffffffffff8111156101c2576101c261170f565b60405190808252806020026020018201604052801561024a57816020015b60408051610160810182525f8082526060602083018190529282018190528282018190526080820181905260a0820181905260c0820181905260e0820181905261010082018190526101208201526101408101919091528152602001906001900390816101e05790505b5090505f7f00000000000000000000000000000000000000000000000000000000000000006001600160a01b031663529080176040518163ffffffff1660e01b81526004015f60405180830381865afa1580156102a9573d5f803e3d5ffd5b505050506040513d5f823e601f3d908101601f191682016040526102d091908101906117e8565b90505f5b83518110156109b9575f8482815181106102f0576102f0611822565b602002602001015190505f8190505f826001600160a01b03166338d52e0f6040518163ffffffff1660e01b8152600401602060405180830381865afa15801561033b573d5f803e3d5ffd5b505050506040513d601f19601f8201168201806040525081019061035f9190611836565b60405163362a3fad60e01b81526001600160a01b0384811660048301529192505f917f0000000000000000000000000000000000000000000000000000000000000000169063362a3fad906024015f60405180830381865afa1580156103c7573d5f803e3d5ffd5b505050506040513d5f823e601f3d908101601f191682016040526103ee91908101906117e8565b90505f815167ffffffffffffffff81111561040b5761040b61170f565b60405190808252806020026020018201604052801561047257816020015b61045f6040518060a001604052805f6001600160a01b031681526020015f81526020015f81526020015f81526020015f81525090565b8152602001906001900390816104295790505b5090505f6104808489610da5565b90505f805f83156105b257866001600160a01b03166338d52e0f6040518163ffffffff1660e01b8152600401602060405180830381865afa1580156104c7573d5f803e3d5ffd5b505050506040513d601f19601f820116820180604052508101906104eb9190611836565b9250866001600160a01b031663a0c1f15e6040518163ffffffff1660e01b8152600401602060405180830381865afa158015610529573d5f803e3d5ffd5b505050506040513d601f19601f8201168201806040525081019061054d9190611836565b9150866001600160a01b03166350d25bcd6040518163ffffffff1660e01b8152600401602060405180830381865afa15801561058b573d5f803e3d5ffd5b505050506040513d601f19601f820116820180604052508101906105af9190611851565b90505b5f5b8651811015610776575f8782815181106105d0576105d0611822565b60209081029190910101516040516334fb3ea160e11b81526001600160a01b038c8116600483015280831660248301529192505f917f000000000000000000000000000000000000000000000000000000000000000016906369f67d4290604401608060405180830381865afa15801561064c573d5f803e3d5ffd5b505050506040513d601f19601f820116820180604052508101906106709190611868565b604051630450881160e51b81526001600160a01b038d8116600483015284811660248301529192505f917f00000000000000000000000000000000000000000000000000000000000000001690638a11022090604401602060405180830381865afa1580156106e1573d5f803e3d5ffd5b505050506040513d601f19601f820116820180604052508101906107059190611851565b90506040518060a00160405280846001600160a01b031681526020018360200151815260200183604001518152602001836060015181526020018281525089858151811061075557610755611822565b6020026020010181905250505050808061076e906118d5565b9150506105b4565b506040518061016001604052808e8c8151811061079557610795611822565b60200260200101516001600160a01b031681526020018a6001600160a01b03166306fdde036040518163ffffffff1660e01b81526004015f60405180830381865afa1580156107e6573d5f803e3d5ffd5b505050506040513d5f823e601f3d908101601f1916820160405261080d91908101906118f9565b81526020018a6001600160a01b03166318160ddd6040518163ffffffff1660e01b8152600401602060405180830381865afa15801561084e573d5f803e3d5ffd5b505050506040513d601f19601f820116820180604052508101906108729190611851565b81526020018a6001600160a01b031663218e4a156040518163ffffffff1660e01b8152600401602060405180830381865afa1580156108b3573d5f803e3d5ffd5b505050506040513d601f19601f820116820180604052508101906108d79190611851565b81526020018a6001600160a01b03166390b9f9e46040518163ffffffff1660e01b8152600401602060405180830381865afa158015610918573d5f803e3d5ffd5b505050506040513d601f19601f8201168201806040525081019061093c9190611851565b8152602001886001600160a01b031681526020018515158152602001846001600160a01b03168152602001836001600160a01b03168152602001828152602001868152508c8b8151811061099257610992611822565b602002602001018190525050505050505050505080806109b1906118d5565b9150506102d4565b50909392505050565b60605f7f00000000000000000000000000000000000000000000000000000000000000006001600160a01b031663de3767766040518163ffffffff1660e01b81526004015f60405180830381865afa158015610a20573d5f803e3d5ffd5b505050506040513d5f823e601f3d908101601f19168201604052610a4791908101906117e8565b90505f815167ffffffffffffffff811115610a6457610a6461170f565b604051908082528060200260200182016040528015610a9d57816020015b610a8a611306565b815260200190600190039081610a825790505b5090505f7f00000000000000000000000000000000000000000000000000000000000000006001600160a01b031663529080176040518163ffffffff1660e01b81526004015f60405180830381865afa158015610afc573d5f803e3d5ffd5b505050506040513d5f823e601f3d908101601f19168201604052610b2391908101906117e8565b90505f5b8351811015610d9b575f848281518110610b4357610b43611822565b602002602001015190505f610b59888386610e0a565b90505f610b66898461107f565b60405160016204621960e51b031981526001600160a01b0385811660048301528b811660248301529192505f9182917f00000000000000000000000000000000000000000000000000000000000000009091169063ff73bce0906044015f60405180830381865afa158015610bdd573d5f803e3d5ffd5b505050506040513d5f823e601f3d908101601f19168201604052610c049190810190611988565b915091506040518060e00160405280866001600160a01b03168152602001866001600160a01b03166306fdde036040518163ffffffff1660e01b81526004015f60405180830381865afa158015610c5d573d5f803e3d5ffd5b505050506040513d5f823e601f3d908101601f19168201604052610c8491908101906118f9565b8152602001858152602001848152602001866001600160a01b03166338d52e0f6040518163ffffffff1660e01b8152600401602060405180830381865afa158015610cd1573d5f803e3d5ffd5b505050506040513d601f19601f82011682018060405250810190610cf59190611836565b6001600160a01b031663313ce5676040518163ffffffff1660e01b8152600401602060405180830381865afa158015610d30573d5f803e3d5ffd5b505050506040513d601f19601f82011682018060405250810190610d549190611a3d565b60ff16815260200183815260200182815250888781518110610d7857610d78611822565b602002602001018190525050505050508080610d93906118d5565b915050610b27565b5090949350505050565b5f805b8251811015610dff57828181518110610dc357610dc3611822565b60200260200101516001600160a01b0316846001600160a01b031603610ded576001915050610e04565b80610df7816118d5565b915050610da8565b505f90505b92915050565b610e376040518060a001604052805f81526020015f81526020015f81526020015f81526020015f81525090565b5f836001600160a01b03166338d52e0f6040518163ffffffff1660e01b8152600401602060405180830381865afa158015610e74573d5f803e3d5ffd5b505050506040513d601f19601f82011682018060405250810190610e989190611836565b90505f80610ea787848761114c565b6040805160a08101918290526370a0823160e01b9091526001600160a01b038a811660a483015292945090925090819088166370a0823160c48301602060405180830381865afa158015610efd573d5f803e3d5ffd5b505050506040513d601f19601f82011682018060405250810190610f219190611851565b81526040516370a0823160e01b81526001600160a01b038a81166004830152602090920191891690634cdad5069082906370a0823190602401602060405180830381865afa158015610f75573d5f803e3d5ffd5b505050506040513d601f19601f82011682018060405250810190610f999190611851565b6040518263ffffffff1660e01b8152600401610fb791815260200190565b602060405180830381865afa158015610fd2573d5f803e3d5ffd5b505050506040513d601f19601f82011682018060405250810190610ff69190611851565b81526040516370a0823160e01b81526001600160a01b038a811660048301526020909201918616906370a0823190602401602060405180830381865afa158015611042573d5f803e3d5ffd5b505050506040513d601f19601f820116820180604052508101906110669190611851565b8152602081019390935260409092015295945050505050565b604080516060810182525f80825260208201819052918101919091526040516317c547a160e11b81526001600160a01b0384811660048301525f9190841690632f8a8f4290602401606060405180830381865afa1580156110e2573d5f803e3d5ffd5b505050506040513d601f19601f820116820180604052508101906111069190611a75565b90506040518060600160405280825f01516001600160c01b03168152602001826020015163ffffffff168152602001826040015163ffffffff1681525091505092915050565b5f806111588484610da5565b156112fe575f846001600160a01b03166338d52e0f6040518163ffffffff1660e01b8152600401602060405180830381865afa15801561119a573d5f803e3d5ffd5b505050506040513d601f19601f820116820180604052508101906111be9190611836565b90505f856001600160a01b031663a0c1f15e6040518163ffffffff1660e01b8152600401602060405180830381865afa1580156111fd573d5f803e3d5ffd5b505050506040513d601f19601f820116820180604052508101906112219190611836565b6040516370a0823160e01b81526001600160a01b038981166004830152919250908316906370a0823190602401602060405180830381865afa158015611269573d5f803e3d5ffd5b505050506040513d601f19601f8201168201806040525081019061128d9190611851565b6040516370a0823160e01b81526001600160a01b038981166004830152919550908216906370a0823190602401602060405180830381865afa1580156112d5573d5f803e3d5ffd5b505050506040513d601f19601f820116820180604052508101906112f99190611851565b925050505b935093915050565b6040518060e001604052805f6001600160a01b03168152602001606081526020016113546040518060a001604052805f81526020015f81526020015f81526020015f81526020015f81525090565b8152604080516060810182525f80825260208281018290529282015291019081525f60208201526060604082018190529081015290565b5f5b838110156113a557818101518382015260200161138d565b50505f910152565b5f81518084526113c481602086016020860161138b565b601f01601f19169290920160200192915050565b5f8151808452602080850194508084015f5b8381101561143957815180516001600160a01b03168852838101518489015260408082015190890152606080820151908901526080908101519088015260a090960195908201906001016113ea565b509495945050505050565b5f6020808301818452808551808352604092508286019150828160051b8701018488015f5b8381101561153957888303603f19018552815180516001600160a01b0316845261016088820151818a8701526114a1828701826113ad565b89840151878b0152606080850151908801526080808501519088015260a0808501516001600160a01b039081169189019190915260c08086015115159089015260e0808601518216908901526101008086015190911690880152610120808501519088015261014093840151878203948801949094529150611525905081836113d8565b968901969450505090860190600101611469565b509098975050505050505050565b6001600160a01b038116811461155b575f80fd5b50565b5f6020828403121561156e575f80fd5b813561157981611547565b9392505050565b5f8151808452602080850194508084015f5b838110156114395781516001600160a01b031687529582019590820190600101611592565b5f8151808452602080850194508084015f5b83811015611439578151875295820195908201906001016115c9565b5f6020808301818452808551808352604092508286019150828160051b8701018488015f5b8381101561153957888303603f19018552815180516001600160a01b03168452878101516101a089860181905290611644828701826113ad565b915050878201516116828987018280518252602081015160208301526040810151604083015260608101516060830152608081015160808301525050565b50606082015180516001600160c01b031660e0870152602081015163ffffffff90811661010088015260409091015116610120860152608082015160ff1661014086015260a08201518582036101608701526116de8282611580565b91505060c082015191508481036101808601526116fb81836115b7565b96890196945050509086019060010161160a565b634e487b7160e01b5f52604160045260245ffd5b604051601f8201601f1916810167ffffffffffffffff8111828210171561174c5761174c61170f565b604052919050565b5f67ffffffffffffffff82111561176d5761176d61170f565b5060051b60200190565b5f82601f830112611786575f80fd5b8151602061179b61179683611754565b611723565b82815260059290921b840181019181810190868411156117b9575f80fd5b8286015b848110156117dd5780516117d081611547565b83529183019183016117bd565b509695505050505050565b5f602082840312156117f8575f80fd5b815167ffffffffffffffff81111561180e575f80fd5b61181a84828501611777565b949350505050565b634e487b7160e01b5f52603260045260245ffd5b5f60208284031215611846575f80fd5b815161157981611547565b5f60208284031215611861575f80fd5b5051919050565b5f60808284031215611878575f80fd5b6040516080810181811067ffffffffffffffff8211171561189b5761189b61170f565b60405282516118a981611547565b808252506020830151602082015260408301516040820152606083015160608201528091505092915050565b5f600182016118f257634e487b7160e01b5f52601160045260245ffd5b5060010190565b5f60208284031215611909575f80fd5b815167ffffffffffffffff80821115611920575f80fd5b818401915084601f830112611933575f80fd5b8151818111156119455761194561170f565b611958601f8201601f1916602001611723565b915080825285602082850101111561196e575f80fd5b61197f81602084016020860161138b565b50949350505050565b5f8060408385031215611999575f80fd5b825167ffffffffffffffff808211156119b0575f80fd5b6119bc86838701611777565b93506020915081850151818111156119d2575f80fd5b85019050601f810186136119e4575f80fd5b80516119f261179682611754565b81815260059190911b82018301908381019088831115611a10575f80fd5b928401925b82841015611a2e57835182529284019290840190611a15565b80955050505050509250929050565b5f60208284031215611a4d575f80fd5b815160ff81168114611579575f80fd5b805163ffffffff81168114611a70575f80fd5b919050565b5f60608284031215611a85575f80fd5b6040516060810181811067ffffffffffffffff82111715611aa857611aa861170f565b60405282516001600160c01b0381168114611ac1575f80fd5b8152611acf60208401611a5d565b6020820152611ae060408401611a5d565b6040820152939250505056fea2646970667358221220cd3097876e2153e01524c3eb0dca4621c8c90dce0d5fc267ae583a27b2809cc864736f6c63430008140033'; type StakeDataProviderConstructorParams = | [signer?: Signer] @@ -297,10 +323,7 @@ export class StakeDataProvider__factory extends ContractFactory { static createInterface(): StakeDataProviderInterface { return new utils.Interface(_abi) as StakeDataProviderInterface; } - static connect( - address: string, - signerOrProvider: Signer | Provider - ): StakeDataProvider { + static connect(address: string, signerOrProvider: Signer | Provider): StakeDataProvider { return new Contract(address, _abi, signerOrProvider) as StakeDataProvider; } } From 8397972611848ed5eb258ee5361251e3a69bda01 Mon Sep 17 00:00:00 2001 From: Mark Grothe Date: Fri, 10 Jan 2025 15:48:04 -0600 Subject: [PATCH 009/110] feat: udated provider --- .../services/StakeDataProviderService.ts | 19 ++++++--- .../services/types/StakeDataProvider.ts | 28 ++++++++----- .../types/StakeDataProvider__factory.ts | 40 ++++++++++++------- 3 files changed, 58 insertions(+), 29 deletions(-) diff --git a/src/modules/umbrella/services/StakeDataProviderService.ts b/src/modules/umbrella/services/StakeDataProviderService.ts index 6f0c8bc99b..7c15181697 100644 --- a/src/modules/umbrella/services/StakeDataProviderService.ts +++ b/src/modules/umbrella/services/StakeDataProviderService.ts @@ -1,10 +1,11 @@ +import { normalize } from '@aave/math-utils'; import { Provider } from '@ethersproject/providers'; import { MarketDataType } from 'src/ui-config/marketsConfig'; import { StakeDataStructOutput, StakeUserDataStructOutput } from './types/StakeDataProvider'; import { StakeDataProvider__factory } from './types/StakeDataProvider__factory'; -const STAKE_DATA_PROVIDER = '0xf102028324f28bc500c354a276b3da13d7463ae6'; +const STAKE_DATA_PROVIDER = '0x3e965db7b1baa260b65208e3f508ed84344ebd75'; export interface StakeData { stakeToken: string; @@ -14,10 +15,14 @@ export interface StakeData { unstakeWindowSeconds: string; stakeTokenUnderlying: string; underlyingIsWaToken: boolean; + waTokenData: WaTokenData; + rewards: Rewards[]; +} + +export interface WaTokenData { waTokenUnderlying: string; waTokenAToken: string; waTokenPrice: string; - rewards: Rewards[]; } export interface Rewards { @@ -26,6 +31,7 @@ export interface Rewards { maxEmissionPerSecond: string; distributionEnd: string; currentEmissionPerSecond: string; + apy: string; } export interface StakeUserData { @@ -86,15 +92,18 @@ export class StakeDataProviderService { unstakeWindowSeconds: stakeData.unstakeWindowSeconds.toString(), stakeTokenUnderlying: stakeData.stakeTokenUnderlying.toLowerCase(), underlyingIsWaToken: stakeData.underlyingIsWaToken, - waTokenUnderlying: stakeData.waTokenUnderlying.toLowerCase(), - waTokenAToken: stakeData.waTokenAToken.toLowerCase(), - waTokenPrice: stakeData.waTokenPrice.toString(), // 8 decimals + waTokenData: { + waTokenUnderlying: stakeData.waTokenData.waTokenUnderlying.toLowerCase(), + waTokenAToken: stakeData.waTokenData.waTokenAToken.toLowerCase(), + waTokenPrice: stakeData.waTokenData.waTokenPrice.toString(), // 8 decimals + }, rewards: stakeData.rewards.map((reward) => ({ rewardAddress: reward.rewardAddress.toLowerCase(), index: reward.index.toString(), maxEmissionPerSecond: reward.maxEmissionPerSecond.toString(), distributionEnd: reward.distributionEnd.toString(), currentEmissionPerSecond: reward.currentEmissionPerSecond.toString(), + apy: normalize(reward.apy.toString(), 18), })), }; }); diff --git a/src/modules/umbrella/services/types/StakeDataProvider.ts b/src/modules/umbrella/services/types/StakeDataProvider.ts index ecc714cdd2..382b5c2424 100644 --- a/src/modules/umbrella/services/types/StakeDataProvider.ts +++ b/src/modules/umbrella/services/types/StakeDataProvider.ts @@ -15,20 +15,34 @@ import type { FunctionFragment, Result } from '@ethersproject/abi'; import type { Listener, Provider } from '@ethersproject/providers'; import type { TypedEventFilter, TypedEvent, TypedListener, OnEvent } from './common'; +export type WaTokenDataStruct = { + waTokenUnderlying: string; + waTokenAToken: string; + waTokenPrice: BigNumberish; +}; + +export type WaTokenDataStructOutput = [string, string, BigNumber] & { + waTokenUnderlying: string; + waTokenAToken: string; + waTokenPrice: BigNumber; +}; + export type RewardStruct = { rewardAddress: string; index: BigNumberish; maxEmissionPerSecond: BigNumberish; distributionEnd: BigNumberish; currentEmissionPerSecond: BigNumberish; + apy: BigNumberish; }; -export type RewardStructOutput = [string, BigNumber, BigNumber, BigNumber, BigNumber] & { +export type RewardStructOutput = [string, BigNumber, BigNumber, BigNumber, BigNumber, BigNumber] & { rewardAddress: string; index: BigNumber; maxEmissionPerSecond: BigNumber; distributionEnd: BigNumber; currentEmissionPerSecond: BigNumber; + apy: BigNumber; }; export type StakeDataStruct = { @@ -39,9 +53,7 @@ export type StakeDataStruct = { unstakeWindowSeconds: BigNumberish; stakeTokenUnderlying: string; underlyingIsWaToken: boolean; - waTokenUnderlying: string; - waTokenAToken: string; - waTokenPrice: BigNumberish; + waTokenData: WaTokenDataStruct; rewards: RewardStruct[]; }; @@ -53,9 +65,7 @@ export type StakeDataStructOutput = [ BigNumber, string, boolean, - string, - string, - BigNumber, + WaTokenDataStructOutput, RewardStructOutput[] ] & { stakeToken: string; @@ -65,9 +75,7 @@ export type StakeDataStructOutput = [ unstakeWindowSeconds: BigNumber; stakeTokenUnderlying: string; underlyingIsWaToken: boolean; - waTokenUnderlying: string; - waTokenAToken: string; - waTokenPrice: BigNumber; + waTokenData: WaTokenDataStructOutput; rewards: RewardStructOutput[]; }; diff --git a/src/modules/umbrella/services/types/StakeDataProvider__factory.ts b/src/modules/umbrella/services/types/StakeDataProvider__factory.ts index 07d3e04644..da7d068826 100644 --- a/src/modules/umbrella/services/types/StakeDataProvider__factory.ts +++ b/src/modules/umbrella/services/types/StakeDataProvider__factory.ts @@ -73,19 +73,26 @@ const _abi = [ internalType: 'bool', }, { - name: 'waTokenUnderlying', - type: 'address', - internalType: 'address', - }, - { - name: 'waTokenAToken', - type: 'address', - internalType: 'address', - }, - { - name: 'waTokenPrice', - type: 'uint256', - internalType: 'uint256', + name: 'waTokenData', + type: 'tuple', + internalType: 'struct WaTokenData', + components: [ + { + name: 'waTokenUnderlying', + type: 'address', + internalType: 'address', + }, + { + name: 'waTokenAToken', + type: 'address', + internalType: 'address', + }, + { + name: 'waTokenPrice', + type: 'uint256', + internalType: 'uint256', + }, + ], }, { name: 'rewards', @@ -117,6 +124,11 @@ const _abi = [ type: 'uint256', internalType: 'uint256', }, + { + name: 'apy', + type: 'uint256', + internalType: 'uint256', + }, ], }, ], @@ -266,7 +278,7 @@ const _abi = [ ] as const; const _bytecode = - '0x60e060405234801562000010575f80fd5b5060405162001c3c38038062001c3c833981016040819052620000339162000069565b6001600160a01b0392831660805290821660a0521660c052620000ba565b6001600160a01b038116811462000066575f80fd5b50565b5f805f606084860312156200007c575f80fd5b8351620000898162000051565b60208501519093506200009c8162000051565b6040850151909250620000af8162000051565b809150509250925092565b60805160a05160c051611b226200011a5f395f8181605e015281816102500152610aa301525f818160a201528181610383015281816106070152818161069c0152610b9701525f818160c90152818161012501526109c70152611b225ff3fe608060405234801561000f575f80fd5b5060043610610055575f3560e01c80631494088f146100595780636bb65f531461009d57806384914262146100c4578063a16a09af146100eb578063e9ce34a514610100575b5f80fd5b6100807f000000000000000000000000000000000000000000000000000000000000000081565b6040516001600160a01b0390911681526020015b60405180910390f35b6100807f000000000000000000000000000000000000000000000000000000000000000081565b6100807f000000000000000000000000000000000000000000000000000000000000000081565b6100f3610120565b6040516100949190611444565b61011361010e36600461155e565b6109c2565b60405161009491906115e5565b60605f7f00000000000000000000000000000000000000000000000000000000000000006001600160a01b031663de3767766040518163ffffffff1660e01b81526004015f60405180830381865afa15801561017e573d5f803e3d5ffd5b505050506040513d5f823e601f3d908101601f191682016040526101a591908101906117e8565b90505f815167ffffffffffffffff8111156101c2576101c261170f565b60405190808252806020026020018201604052801561024a57816020015b60408051610160810182525f8082526060602083018190529282018190528282018190526080820181905260a0820181905260c0820181905260e0820181905261010082018190526101208201526101408101919091528152602001906001900390816101e05790505b5090505f7f00000000000000000000000000000000000000000000000000000000000000006001600160a01b031663529080176040518163ffffffff1660e01b81526004015f60405180830381865afa1580156102a9573d5f803e3d5ffd5b505050506040513d5f823e601f3d908101601f191682016040526102d091908101906117e8565b90505f5b83518110156109b9575f8482815181106102f0576102f0611822565b602002602001015190505f8190505f826001600160a01b03166338d52e0f6040518163ffffffff1660e01b8152600401602060405180830381865afa15801561033b573d5f803e3d5ffd5b505050506040513d601f19601f8201168201806040525081019061035f9190611836565b60405163362a3fad60e01b81526001600160a01b0384811660048301529192505f917f0000000000000000000000000000000000000000000000000000000000000000169063362a3fad906024015f60405180830381865afa1580156103c7573d5f803e3d5ffd5b505050506040513d5f823e601f3d908101601f191682016040526103ee91908101906117e8565b90505f815167ffffffffffffffff81111561040b5761040b61170f565b60405190808252806020026020018201604052801561047257816020015b61045f6040518060a001604052805f6001600160a01b031681526020015f81526020015f81526020015f81526020015f81525090565b8152602001906001900390816104295790505b5090505f6104808489610da5565b90505f805f83156105b257866001600160a01b03166338d52e0f6040518163ffffffff1660e01b8152600401602060405180830381865afa1580156104c7573d5f803e3d5ffd5b505050506040513d601f19601f820116820180604052508101906104eb9190611836565b9250866001600160a01b031663a0c1f15e6040518163ffffffff1660e01b8152600401602060405180830381865afa158015610529573d5f803e3d5ffd5b505050506040513d601f19601f8201168201806040525081019061054d9190611836565b9150866001600160a01b03166350d25bcd6040518163ffffffff1660e01b8152600401602060405180830381865afa15801561058b573d5f803e3d5ffd5b505050506040513d601f19601f820116820180604052508101906105af9190611851565b90505b5f5b8651811015610776575f8782815181106105d0576105d0611822565b60209081029190910101516040516334fb3ea160e11b81526001600160a01b038c8116600483015280831660248301529192505f917f000000000000000000000000000000000000000000000000000000000000000016906369f67d4290604401608060405180830381865afa15801561064c573d5f803e3d5ffd5b505050506040513d601f19601f820116820180604052508101906106709190611868565b604051630450881160e51b81526001600160a01b038d8116600483015284811660248301529192505f917f00000000000000000000000000000000000000000000000000000000000000001690638a11022090604401602060405180830381865afa1580156106e1573d5f803e3d5ffd5b505050506040513d601f19601f820116820180604052508101906107059190611851565b90506040518060a00160405280846001600160a01b031681526020018360200151815260200183604001518152602001836060015181526020018281525089858151811061075557610755611822565b6020026020010181905250505050808061076e906118d5565b9150506105b4565b506040518061016001604052808e8c8151811061079557610795611822565b60200260200101516001600160a01b031681526020018a6001600160a01b03166306fdde036040518163ffffffff1660e01b81526004015f60405180830381865afa1580156107e6573d5f803e3d5ffd5b505050506040513d5f823e601f3d908101601f1916820160405261080d91908101906118f9565b81526020018a6001600160a01b03166318160ddd6040518163ffffffff1660e01b8152600401602060405180830381865afa15801561084e573d5f803e3d5ffd5b505050506040513d601f19601f820116820180604052508101906108729190611851565b81526020018a6001600160a01b031663218e4a156040518163ffffffff1660e01b8152600401602060405180830381865afa1580156108b3573d5f803e3d5ffd5b505050506040513d601f19601f820116820180604052508101906108d79190611851565b81526020018a6001600160a01b03166390b9f9e46040518163ffffffff1660e01b8152600401602060405180830381865afa158015610918573d5f803e3d5ffd5b505050506040513d601f19601f8201168201806040525081019061093c9190611851565b8152602001886001600160a01b031681526020018515158152602001846001600160a01b03168152602001836001600160a01b03168152602001828152602001868152508c8b8151811061099257610992611822565b602002602001018190525050505050505050505080806109b1906118d5565b9150506102d4565b50909392505050565b60605f7f00000000000000000000000000000000000000000000000000000000000000006001600160a01b031663de3767766040518163ffffffff1660e01b81526004015f60405180830381865afa158015610a20573d5f803e3d5ffd5b505050506040513d5f823e601f3d908101601f19168201604052610a4791908101906117e8565b90505f815167ffffffffffffffff811115610a6457610a6461170f565b604051908082528060200260200182016040528015610a9d57816020015b610a8a611306565b815260200190600190039081610a825790505b5090505f7f00000000000000000000000000000000000000000000000000000000000000006001600160a01b031663529080176040518163ffffffff1660e01b81526004015f60405180830381865afa158015610afc573d5f803e3d5ffd5b505050506040513d5f823e601f3d908101601f19168201604052610b2391908101906117e8565b90505f5b8351811015610d9b575f848281518110610b4357610b43611822565b602002602001015190505f610b59888386610e0a565b90505f610b66898461107f565b60405160016204621960e51b031981526001600160a01b0385811660048301528b811660248301529192505f9182917f00000000000000000000000000000000000000000000000000000000000000009091169063ff73bce0906044015f60405180830381865afa158015610bdd573d5f803e3d5ffd5b505050506040513d5f823e601f3d908101601f19168201604052610c049190810190611988565b915091506040518060e00160405280866001600160a01b03168152602001866001600160a01b03166306fdde036040518163ffffffff1660e01b81526004015f60405180830381865afa158015610c5d573d5f803e3d5ffd5b505050506040513d5f823e601f3d908101601f19168201604052610c8491908101906118f9565b8152602001858152602001848152602001866001600160a01b03166338d52e0f6040518163ffffffff1660e01b8152600401602060405180830381865afa158015610cd1573d5f803e3d5ffd5b505050506040513d601f19601f82011682018060405250810190610cf59190611836565b6001600160a01b031663313ce5676040518163ffffffff1660e01b8152600401602060405180830381865afa158015610d30573d5f803e3d5ffd5b505050506040513d601f19601f82011682018060405250810190610d549190611a3d565b60ff16815260200183815260200182815250888781518110610d7857610d78611822565b602002602001018190525050505050508080610d93906118d5565b915050610b27565b5090949350505050565b5f805b8251811015610dff57828181518110610dc357610dc3611822565b60200260200101516001600160a01b0316846001600160a01b031603610ded576001915050610e04565b80610df7816118d5565b915050610da8565b505f90505b92915050565b610e376040518060a001604052805f81526020015f81526020015f81526020015f81526020015f81525090565b5f836001600160a01b03166338d52e0f6040518163ffffffff1660e01b8152600401602060405180830381865afa158015610e74573d5f803e3d5ffd5b505050506040513d601f19601f82011682018060405250810190610e989190611836565b90505f80610ea787848761114c565b6040805160a08101918290526370a0823160e01b9091526001600160a01b038a811660a483015292945090925090819088166370a0823160c48301602060405180830381865afa158015610efd573d5f803e3d5ffd5b505050506040513d601f19601f82011682018060405250810190610f219190611851565b81526040516370a0823160e01b81526001600160a01b038a81166004830152602090920191891690634cdad5069082906370a0823190602401602060405180830381865afa158015610f75573d5f803e3d5ffd5b505050506040513d601f19601f82011682018060405250810190610f999190611851565b6040518263ffffffff1660e01b8152600401610fb791815260200190565b602060405180830381865afa158015610fd2573d5f803e3d5ffd5b505050506040513d601f19601f82011682018060405250810190610ff69190611851565b81526040516370a0823160e01b81526001600160a01b038a811660048301526020909201918616906370a0823190602401602060405180830381865afa158015611042573d5f803e3d5ffd5b505050506040513d601f19601f820116820180604052508101906110669190611851565b8152602081019390935260409092015295945050505050565b604080516060810182525f80825260208201819052918101919091526040516317c547a160e11b81526001600160a01b0384811660048301525f9190841690632f8a8f4290602401606060405180830381865afa1580156110e2573d5f803e3d5ffd5b505050506040513d601f19601f820116820180604052508101906111069190611a75565b90506040518060600160405280825f01516001600160c01b03168152602001826020015163ffffffff168152602001826040015163ffffffff1681525091505092915050565b5f806111588484610da5565b156112fe575f846001600160a01b03166338d52e0f6040518163ffffffff1660e01b8152600401602060405180830381865afa15801561119a573d5f803e3d5ffd5b505050506040513d601f19601f820116820180604052508101906111be9190611836565b90505f856001600160a01b031663a0c1f15e6040518163ffffffff1660e01b8152600401602060405180830381865afa1580156111fd573d5f803e3d5ffd5b505050506040513d601f19601f820116820180604052508101906112219190611836565b6040516370a0823160e01b81526001600160a01b038981166004830152919250908316906370a0823190602401602060405180830381865afa158015611269573d5f803e3d5ffd5b505050506040513d601f19601f8201168201806040525081019061128d9190611851565b6040516370a0823160e01b81526001600160a01b038981166004830152919550908216906370a0823190602401602060405180830381865afa1580156112d5573d5f803e3d5ffd5b505050506040513d601f19601f820116820180604052508101906112f99190611851565b925050505b935093915050565b6040518060e001604052805f6001600160a01b03168152602001606081526020016113546040518060a001604052805f81526020015f81526020015f81526020015f81526020015f81525090565b8152604080516060810182525f80825260208281018290529282015291019081525f60208201526060604082018190529081015290565b5f5b838110156113a557818101518382015260200161138d565b50505f910152565b5f81518084526113c481602086016020860161138b565b601f01601f19169290920160200192915050565b5f8151808452602080850194508084015f5b8381101561143957815180516001600160a01b03168852838101518489015260408082015190890152606080820151908901526080908101519088015260a090960195908201906001016113ea565b509495945050505050565b5f6020808301818452808551808352604092508286019150828160051b8701018488015f5b8381101561153957888303603f19018552815180516001600160a01b0316845261016088820151818a8701526114a1828701826113ad565b89840151878b0152606080850151908801526080808501519088015260a0808501516001600160a01b039081169189019190915260c08086015115159089015260e0808601518216908901526101008086015190911690880152610120808501519088015261014093840151878203948801949094529150611525905081836113d8565b968901969450505090860190600101611469565b509098975050505050505050565b6001600160a01b038116811461155b575f80fd5b50565b5f6020828403121561156e575f80fd5b813561157981611547565b9392505050565b5f8151808452602080850194508084015f5b838110156114395781516001600160a01b031687529582019590820190600101611592565b5f8151808452602080850194508084015f5b83811015611439578151875295820195908201906001016115c9565b5f6020808301818452808551808352604092508286019150828160051b8701018488015f5b8381101561153957888303603f19018552815180516001600160a01b03168452878101516101a089860181905290611644828701826113ad565b915050878201516116828987018280518252602081015160208301526040810151604083015260608101516060830152608081015160808301525050565b50606082015180516001600160c01b031660e0870152602081015163ffffffff90811661010088015260409091015116610120860152608082015160ff1661014086015260a08201518582036101608701526116de8282611580565b91505060c082015191508481036101808601526116fb81836115b7565b96890196945050509086019060010161160a565b634e487b7160e01b5f52604160045260245ffd5b604051601f8201601f1916810167ffffffffffffffff8111828210171561174c5761174c61170f565b604052919050565b5f67ffffffffffffffff82111561176d5761176d61170f565b5060051b60200190565b5f82601f830112611786575f80fd5b8151602061179b61179683611754565b611723565b82815260059290921b840181019181810190868411156117b9575f80fd5b8286015b848110156117dd5780516117d081611547565b83529183019183016117bd565b509695505050505050565b5f602082840312156117f8575f80fd5b815167ffffffffffffffff81111561180e575f80fd5b61181a84828501611777565b949350505050565b634e487b7160e01b5f52603260045260245ffd5b5f60208284031215611846575f80fd5b815161157981611547565b5f60208284031215611861575f80fd5b5051919050565b5f60808284031215611878575f80fd5b6040516080810181811067ffffffffffffffff8211171561189b5761189b61170f565b60405282516118a981611547565b808252506020830151602082015260408301516040820152606083015160608201528091505092915050565b5f600182016118f257634e487b7160e01b5f52601160045260245ffd5b5060010190565b5f60208284031215611909575f80fd5b815167ffffffffffffffff80821115611920575f80fd5b818401915084601f830112611933575f80fd5b8151818111156119455761194561170f565b611958601f8201601f1916602001611723565b915080825285602082850101111561196e575f80fd5b61197f81602084016020860161138b565b50949350505050565b5f8060408385031215611999575f80fd5b825167ffffffffffffffff808211156119b0575f80fd5b6119bc86838701611777565b93506020915081850151818111156119d2575f80fd5b85019050601f810186136119e4575f80fd5b80516119f261179682611754565b81815260059190911b82018301908381019088831115611a10575f80fd5b928401925b82841015611a2e57835182529284019290840190611a15565b80955050505050509250929050565b5f60208284031215611a4d575f80fd5b815160ff81168114611579575f80fd5b805163ffffffff81168114611a70575f80fd5b919050565b5f60608284031215611a85575f80fd5b6040516060810181811067ffffffffffffffff82111715611aa857611aa861170f565b60405282516001600160c01b0381168114611ac1575f80fd5b8152611acf60208401611a5d565b6020820152611ae060408401611a5d565b6040820152939250505056fea2646970667358221220cd3097876e2153e01524c3eb0dca4621c8c90dce0d5fc267ae583a27b2809cc864736f6c63430008140033'; + '0x60e060405234801562000010575f80fd5b5060405162001da538038062001da5833981016040819052620000339162000069565b6001600160a01b0392831660805290821660a0521660c052620000ba565b6001600160a01b038116811462000066575f80fd5b50565b5f805f606084860312156200007c575f80fd5b8351620000898162000051565b60208501519093506200009c8162000051565b6040850151909250620000af8162000051565b809150509250925092565b60805160a05160c051611c8b6200011a5f395f8181605e0152818161025c015261069601525f818160a20152818161078a015281816109bc01528181610b090152610b9e01525f818160c90152818161012501526105ba0152611c8b5ff3fe608060405234801561000f575f80fd5b5060043610610055575f3560e01c80631494088f146100595780636bb65f531461009d57806384914262146100c4578063a16a09af146100eb578063e9ce34a514610100575b5f80fd5b6100807f000000000000000000000000000000000000000000000000000000000000000081565b6040516001600160a01b0390911681526020015b60405180910390f35b6100807f000000000000000000000000000000000000000000000000000000000000000081565b6100807f000000000000000000000000000000000000000000000000000000000000000081565b6100f3610120565b6040516100949190611572565b61011361010e366004611699565b6105b5565b6040516100949190611719565b60605f7f00000000000000000000000000000000000000000000000000000000000000006001600160a01b031663de3767766040518163ffffffff1660e01b81526004015f60405180830381865afa15801561017e573d5f803e3d5ffd5b505050506040513d5f823e601f3d908101601f191682016040526101a5919081019061191c565b90505f815167ffffffffffffffff8111156101c2576101c2611843565b60405190808252806020026020018201604052801561025657816020015b61024360408051610120810182525f808252606060208084018290528385018390528184018390526080840183905260a0840183905260c08401839052845191820185528282528101829052928301529060e08201908152602001606081525090565b8152602001906001900390816101e05790505b5090505f7f00000000000000000000000000000000000000000000000000000000000000006001600160a01b031663529080176040518163ffffffff1660e01b81526004015f60405180830381865afa1580156102b5573d5f803e3d5ffd5b505050506040513d5f823e601f3d908101601f191682016040526102dc919081019061191c565b90505f5b83518110156105ac575f8482815181106102fc576102fc611956565b602002602001015190505f8190505f826001600160a01b03166338d52e0f6040518163ffffffff1660e01b8152600401602060405180830381865afa158015610347573d5f803e3d5ffd5b505050506040513d601f19601f8201168201806040525081019061036b919061196a565b90505f6103788484610998565b90505f6103858388610cf1565b90506040518061012001604052808a88815181106103a5576103a5611956565b60200260200101516001600160a01b03168152602001866001600160a01b03166306fdde036040518163ffffffff1660e01b81526004015f60405180830381865afa1580156103f6573d5f803e3d5ffd5b505050506040513d5f823e601f3d908101601f1916820160405261041d9190810190611985565b8152602001866001600160a01b03166318160ddd6040518163ffffffff1660e01b8152600401602060405180830381865afa15801561045e573d5f803e3d5ffd5b505050506040513d601f19601f820116820180604052508101906104829190611a0b565b8152602001866001600160a01b031663218e4a156040518163ffffffff1660e01b8152600401602060405180830381865afa1580156104c3573d5f803e3d5ffd5b505050506040513d601f19601f820116820180604052508101906104e79190611a0b565b8152602001866001600160a01b03166390b9f9e46040518163ffffffff1660e01b8152600401602060405180830381865afa158015610528573d5f803e3d5ffd5b505050506040513d601f19601f8201168201806040525081019061054c9190611a0b565b81526001600160a01b0380861660208301528351161515604082015260608101839052608001839052885189908890811061058957610589611956565b6020026020010181905250505050505080806105a490611a36565b9150506102e0565b50909392505050565b60605f7f00000000000000000000000000000000000000000000000000000000000000006001600160a01b031663de3767766040518163ffffffff1660e01b81526004015f60405180830381865afa158015610613573d5f803e3d5ffd5b505050506040513d5f823e601f3d908101601f1916820160405261063a919081019061191c565b90505f815167ffffffffffffffff81111561065757610657611843565b60405190808252806020026020018201604052801561069057816020015b61067d61142a565b8152602001906001900390816106755790505b5090505f7f00000000000000000000000000000000000000000000000000000000000000006001600160a01b031663529080176040518163ffffffff1660e01b81526004015f60405180830381865afa1580156106ef573d5f803e3d5ffd5b505050506040513d5f823e601f3d908101601f19168201604052610716919081019061191c565b90505f5b835181101561098e575f84828151811061073657610736611956565b602002602001015190505f61074c888386610e8f565b90505f6107598984611104565b60405160016204621960e51b031981526001600160a01b0385811660048301528b811660248301529192505f9182917f00000000000000000000000000000000000000000000000000000000000000009091169063ff73bce0906044015f60405180830381865afa1580156107d0573d5f803e3d5ffd5b505050506040513d5f823e601f3d908101601f191682016040526107f79190810190611a4e565b915091506040518060e00160405280866001600160a01b03168152602001866001600160a01b03166306fdde036040518163ffffffff1660e01b81526004015f60405180830381865afa158015610850573d5f803e3d5ffd5b505050506040513d5f823e601f3d908101601f191682016040526108779190810190611985565b8152602001858152602001848152602001866001600160a01b03166338d52e0f6040518163ffffffff1660e01b8152600401602060405180830381865afa1580156108c4573d5f803e3d5ffd5b505050506040513d601f19601f820116820180604052508101906108e8919061196a565b6001600160a01b031663313ce5676040518163ffffffff1660e01b8152600401602060405180830381865afa158015610923573d5f803e3d5ffd5b505050506040513d601f19601f820116820180604052508101906109479190611b03565b60ff1681526020018381526020018281525088878151811061096b5761096b611956565b60200260200101819052505050505050808061098690611a36565b91505061071a565b5090949350505050565b60405163362a3fad60e01b81526001600160a01b0382811660048301526060915f917f0000000000000000000000000000000000000000000000000000000000000000169063362a3fad906024015f60405180830381865afa158015610a00573d5f803e3d5ffd5b505050506040513d5f823e601f3d908101601f19168201604052610a27919081019061191c565b90505f815167ffffffffffffffff811115610a4457610a44611843565b604051908082528060200260200182016040528015610ab157816020015b610a9e6040518060c001604052805f6001600160a01b031681526020015f81526020015f81526020015f81526020015f81526020015f81525090565b815260200190600190039081610a625790505b5090505f5b8251811015610ce6575f838281518110610ad257610ad2611956565b60209081029190910101516040516334fb3ea160e11b81526001600160a01b03888116600483015280831660248301529192505f917f000000000000000000000000000000000000000000000000000000000000000016906369f67d4290604401608060405180830381865afa158015610b4e573d5f803e3d5ffd5b505050506040513d601f19601f82011682018060405250810190610b729190611b23565b604051630450881160e51b81526001600160a01b03898116600483015284811660248301529192505f917f00000000000000000000000000000000000000000000000000000000000000001690638a11022090604401602060405180830381865afa158015610be3573d5f803e3d5ffd5b505050506040513d601f19601f82011682018060405250810190610c079190611a0b565b90506040518060c00160405280846001600160a01b03168152602001836020015181526020018360400151815260200183606001518152602001828152602001610cb0838c6001600160a01b03166318160ddd6040518163ffffffff1660e01b8152600401602060405180830381865afa158015610c87573d5f803e3d5ffd5b505050506040513d601f19601f82011682018060405250810190610cab9190611a0b565b6111d1565b815250858581518110610cc557610cc5611956565b60200260200101819052505050508080610cde90611a36565b915050610ab6565b509150505b92915050565b604080516060810182525f8082526020820181905291810191909152610d17838361120d565b15610e6c576040518060600160405280846001600160a01b03166338d52e0f6040518163ffffffff1660e01b8152600401602060405180830381865afa158015610d63573d5f803e3d5ffd5b505050506040513d601f19601f82011682018060405250810190610d87919061196a565b6001600160a01b03168152602001846001600160a01b031663a0c1f15e6040518163ffffffff1660e01b8152600401602060405180830381865afa158015610dd1573d5f803e3d5ffd5b505050506040513d601f19601f82011682018060405250810190610df5919061196a565b6001600160a01b03168152602001846001600160a01b03166350d25bcd6040518163ffffffff1660e01b8152600401602060405180830381865afa158015610e3f573d5f803e3d5ffd5b505050506040513d601f19601f82011682018060405250810190610e639190611a0b565b90529050610ceb565b50604080516060810182525f808252602082018190529181019190915292915050565b610ebc6040518060a001604052805f81526020015f81526020015f81526020015f81526020015f81525090565b5f836001600160a01b03166338d52e0f6040518163ffffffff1660e01b8152600401602060405180830381865afa158015610ef9573d5f803e3d5ffd5b505050506040513d601f19601f82011682018060405250810190610f1d919061196a565b90505f80610f2c878487611270565b6040805160a08101918290526370a0823160e01b9091526001600160a01b038a811660a483015292945090925090819088166370a0823160c48301602060405180830381865afa158015610f82573d5f803e3d5ffd5b505050506040513d601f19601f82011682018060405250810190610fa69190611a0b565b81526040516370a0823160e01b81526001600160a01b038a81166004830152602090920191891690634cdad5069082906370a0823190602401602060405180830381865afa158015610ffa573d5f803e3d5ffd5b505050506040513d601f19601f8201168201806040525081019061101e9190611a0b565b6040518263ffffffff1660e01b815260040161103c91815260200190565b602060405180830381865afa158015611057573d5f803e3d5ffd5b505050506040513d601f19601f8201168201806040525081019061107b9190611a0b565b81526040516370a0823160e01b81526001600160a01b038a811660048301526020909201918616906370a0823190602401602060405180830381865afa1580156110c7573d5f803e3d5ffd5b505050506040513d601f19601f820116820180604052508101906110eb9190611a0b565b8152602081019390935260409092015295945050505050565b604080516060810182525f80825260208201819052918101919091526040516317c547a160e11b81526001600160a01b0384811660048301525f9190841690632f8a8f4290602401606060405180830381865afa158015611167573d5f803e3d5ffd5b505050506040513d601f19601f8201168201806040525081019061118b9190611ba8565b90506040518060600160405280825f01516001600160c01b03168152602001826020015163ffffffff168152602001826040015163ffffffff1681525091505092915050565b5f815f036111e057505f610ceb565b816127106111f26301e1338086611c1f565b6111fc9190611c1f565b6112069190611c36565b9392505050565b5f805b82518110156112675782818151811061122b5761122b611956565b60200260200101516001600160a01b0316846001600160a01b031603611255576001915050610ceb565b8061125f81611a36565b915050611210565b505f9392505050565b5f8061127c848461120d565b15611422575f846001600160a01b03166338d52e0f6040518163ffffffff1660e01b8152600401602060405180830381865afa1580156112be573d5f803e3d5ffd5b505050506040513d601f19601f820116820180604052508101906112e2919061196a565b90505f856001600160a01b031663a0c1f15e6040518163ffffffff1660e01b8152600401602060405180830381865afa158015611321573d5f803e3d5ffd5b505050506040513d601f19601f82011682018060405250810190611345919061196a565b6040516370a0823160e01b81526001600160a01b038981166004830152919250908316906370a0823190602401602060405180830381865afa15801561138d573d5f803e3d5ffd5b505050506040513d601f19601f820116820180604052508101906113b19190611a0b565b6040516370a0823160e01b81526001600160a01b038981166004830152919550908216906370a0823190602401602060405180830381865afa1580156113f9573d5f803e3d5ffd5b505050506040513d601f19601f8201168201806040525081019061141d9190611a0b565b925050505b935093915050565b6040518060e001604052805f6001600160a01b03168152602001606081526020016114786040518060a001604052805f81526020015f81526020015f81526020015f81526020015f81525090565b8152604080516060810182525f80825260208281018290529282015291019081525f60208201526060604082018190529081015290565b5f5b838110156114c95781810151838201526020016114b1565b50505f910152565b5f81518084526114e88160208601602086016114af565b601f01601f19169290920160200192915050565b5f8151808452602080850194508084015f5b8381101561156757815180516001600160a01b03168852838101518489015260408082015190890152606080820151908901526080808201519089015260a0908101519088015260c0909601959082019060010161150e565b509495945050505050565b5f6020808301818452808551808352604092508286019150828160051b8701018488015f5b8381101561167457888303603f19018552815180516001600160a01b0316845261016088820151818a8701526115cf828701826114d1565b838a0151878b0152606080850151908801526080808501519088015260a0808501516001600160a01b038116828a01529193509150505060c08281015180151587830152505060e08281015180516001600160a01b039081168884015260208201511661010088015260408101516101208801525050610100820151915084810361014086015261166081836114fc565b968901969450505090860190600101611597565b509098975050505050505050565b6001600160a01b0381168114611696575f80fd5b50565b5f602082840312156116a9575f80fd5b813561120681611682565b5f8151808452602080850194508084015f5b838110156115675781516001600160a01b0316875295820195908201906001016116c6565b5f8151808452602080850194508084015f5b83811015611567578151875295820195908201906001016116fd565b5f6020808301818452808551808352604092508286019150828160051b8701018488015f5b8381101561167457888303603f19018552815180516001600160a01b03168452878101516101a089860181905290611778828701826114d1565b915050878201516117b68987018280518252602081015160208301526040810151604083015260608101516060830152608081015160808301525050565b50606082015180516001600160c01b031660e0870152602081015163ffffffff90811661010088015260409091015116610120860152608082015160ff1661014086015260a082015185820361016087015261181282826116b4565b91505060c0820151915084810361018086015261182f81836116eb565b96890196945050509086019060010161173e565b634e487b7160e01b5f52604160045260245ffd5b604051601f8201601f1916810167ffffffffffffffff8111828210171561188057611880611843565b604052919050565b5f67ffffffffffffffff8211156118a1576118a1611843565b5060051b60200190565b5f82601f8301126118ba575f80fd5b815160206118cf6118ca83611888565b611857565b82815260059290921b840181019181810190868411156118ed575f80fd5b8286015b8481101561191157805161190481611682565b83529183019183016118f1565b509695505050505050565b5f6020828403121561192c575f80fd5b815167ffffffffffffffff811115611942575f80fd5b61194e848285016118ab565b949350505050565b634e487b7160e01b5f52603260045260245ffd5b5f6020828403121561197a575f80fd5b815161120681611682565b5f60208284031215611995575f80fd5b815167ffffffffffffffff808211156119ac575f80fd5b818401915084601f8301126119bf575f80fd5b8151818111156119d1576119d1611843565b6119e4601f8201601f1916602001611857565b91508082528560208285010111156119fa575f80fd5b610ce68160208401602086016114af565b5f60208284031215611a1b575f80fd5b5051919050565b634e487b7160e01b5f52601160045260245ffd5b5f60018201611a4757611a47611a22565b5060010190565b5f8060408385031215611a5f575f80fd5b825167ffffffffffffffff80821115611a76575f80fd5b611a82868387016118ab565b9350602091508185015181811115611a98575f80fd5b85019050601f81018613611aaa575f80fd5b8051611ab86118ca82611888565b81815260059190911b82018301908381019088831115611ad6575f80fd5b928401925b82841015611af457835182529284019290840190611adb565b80955050505050509250929050565b5f60208284031215611b13575f80fd5b815160ff81168114611206575f80fd5b5f60808284031215611b33575f80fd5b6040516080810181811067ffffffffffffffff82111715611b5657611b56611843565b6040528251611b6481611682565b808252506020830151602082015260408301516040820152606083015160608201528091505092915050565b805163ffffffff81168114611ba3575f80fd5b919050565b5f60608284031215611bb8575f80fd5b6040516060810181811067ffffffffffffffff82111715611bdb57611bdb611843565b60405282516001600160c01b0381168114611bf4575f80fd5b8152611c0260208401611b90565b6020820152611c1360408401611b90565b60408201529392505050565b8082028115828204841417610ceb57610ceb611a22565b5f82611c5057634e487b7160e01b5f52601260045260245ffd5b50049056fea264697066735822122035d336e5989939d96f95bcc2af578d616c6c2c48bd84dc50571e74cf99b2b46964736f6c63430008140033'; type StakeDataProviderConstructorParams = | [signer?: Signer] From dc8b0bac94b7f35ad0f55664d12ee7dcd6943c80 Mon Sep 17 00:00:00 2001 From: Mark Hinschberger Date: Mon, 13 Jan 2025 17:17:39 +0000 Subject: [PATCH 010/110] chore: user stake list vars --- .../UmbrellaUserAssetsListItemLoader.tsx | 41 +++++ .../UmbrellaUserStakeAssetsList.tsx | 161 +++++++++++++++++ ... UmbrellaUserStakeAssetsListContainer.tsx} | 2 +- .../UmbrellaUserStakeAssetsListItem.tsx | 171 ++++++++++++++++++ 4 files changed, 374 insertions(+), 1 deletion(-) create mode 100644 src/modules/umbrella/UserStakedAssets/UmbrellaUserAssetsListItemLoader.tsx create mode 100644 src/modules/umbrella/UserStakedAssets/UmbrellaUserStakeAssetsList.tsx rename src/modules/umbrella/UserStakedAssets/{UmbrellaStakedAssetsListContainer.tsx => UmbrellaUserStakeAssetsListContainer.tsx} (98%) create mode 100644 src/modules/umbrella/UserStakedAssets/UmbrellaUserStakeAssetsListItem.tsx diff --git a/src/modules/umbrella/UserStakedAssets/UmbrellaUserAssetsListItemLoader.tsx b/src/modules/umbrella/UserStakedAssets/UmbrellaUserAssetsListItemLoader.tsx new file mode 100644 index 0000000000..b4c150cd40 --- /dev/null +++ b/src/modules/umbrella/UserStakedAssets/UmbrellaUserAssetsListItemLoader.tsx @@ -0,0 +1,41 @@ +import { Box, Skeleton } from '@mui/material'; + +import { ListColumn } from '../../../components/lists/ListColumn'; +import { ListItem } from '../../../components/lists/ListItem'; + +export const UmbrellaUserAssetsListItemLoader = () => { + return ( + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + ); +}; diff --git a/src/modules/umbrella/UserStakedAssets/UmbrellaUserStakeAssetsList.tsx b/src/modules/umbrella/UserStakedAssets/UmbrellaUserStakeAssetsList.tsx new file mode 100644 index 0000000000..2b558b6f7d --- /dev/null +++ b/src/modules/umbrella/UserStakedAssets/UmbrellaUserStakeAssetsList.tsx @@ -0,0 +1,161 @@ +import { useMemo } from 'react'; +import { Trans } from '@lingui/macro'; +import { useMediaQuery } from '@mui/material'; +import { useState } from 'react'; +import { VariableAPYTooltip } from 'src/components/infoTooltips/VariableAPYTooltip'; +import { ListColumn } from 'src/components/lists/ListColumn'; +import { ListHeaderTitle } from 'src/components/lists/ListHeaderTitle'; +import { ListHeaderWrapper } from 'src/components/lists/ListHeaderWrapper'; +import { ComputedReserveData } from 'src/hooks/app-data-provider/useAppDataProvider'; +import { useRootStore } from 'src/store/root'; +import { useShallow } from 'zustand/shallow'; +import { TokenInfoWithBalance, useTokensBalance } from 'src/hooks/generic/useTokensBalance'; + +import { + useStakeData, + useUserStakeData, + useStakedDataWithTokenBalances, +} from '../hooks/useStakeData'; +import { UmbrellaUserStakeAssetsListItem } from './UmbrellaUserStakeAssetsListItem'; +// import { UmbrellaStakeAssetsListItem } from './UmbrellaStakeAssetsListItem'; +import { UmbrellaUserAssetsListItemLoader } from './UmbrellaUserAssetsListItemLoader'; +import { UmbrellaAssetsListMobileItem } from './UmbrellaAssetsListMobileItem'; +import { UmbrellaAssetsListMobileItemLoader } from './UmbrellaAssetsListMobileItemLoader'; +import { ChainId } from '@aave/contract-helpers'; + +const listHeaders = [ + { + title: Asset, + sortKey: 'symbol', + }, + { + title: APY, + sortKey: 'totalLiquidityUSD', + }, + // { + // title: Max Slashing, + // sortKey: 'supplyAPY', + // }, + { + title: Wallet Balance, + sortKey: 'totalUnderlyingBalance', + }, + // { + // title: ( + // Borrow APY, variable} + // key="APY_list_variable_type" + // variant="subheader2" + // /> + // ), + // sortKey: 'variableBorrowAPY', + // }, +]; + +type MarketAssetsListProps = { + reserves: ComputedReserveData[]; + loading: boolean; +}; + +// cast call 0x508b0d26b00bcfa1b1e9783d1194d4a5efe9d19e "rewardsController()("address")" --rpc-url https://virtual.base.rpc.tenderly.co/acca7349-4377-43ab-ba85-84530976e4e0 + +export default function MarketAssetsList({ reserves, loading }: MarketAssetsListProps) { + const isTableChangedToCards = useMediaQuery('(max-width:1125px)'); + const [sortName, setSortName] = useState(''); + const [sortDesc, setSortDesc] = useState(false); + const [currentMarketData, user] = useRootStore( + useShallow((store) => [store.currentMarketData, store.account]) + ); + const currentChainId = useRootStore((store) => store.currentChainId); + + const { data: stakeData } = useStakeData(currentMarketData); + const { data: userStakeData } = useUserStakeData(currentMarketData, user); + const { data: stakedDataWithTokenBalances } = useStakedDataWithTokenBalances( + stakeData, + currentChainId, + user + ); + console.log('useStakeData --->', stakeData); + console.log('userStakeData --->', userStakeData); + console.log('stakedDataWithTokenBalances', stakedDataWithTokenBalances); + + // const underlyingStakedAssets = useMemo(() => { + // return userStakeData?.map((stakeData) => stakeData.stakeTokenUnderlying); + // }, [userStakeData]); + + // console.log('underlyingStakedAssets', underlyingStakedAssets); + if (sortDesc) { + if (sortName === 'symbol') { + reserves.sort((a, b) => (a.symbol.toUpperCase() < b.symbol.toUpperCase() ? -1 : 1)); + } else { + // eslint-disable-next-line @typescript-eslint/ban-ts-comment + // @ts-ignore + reserves.sort((a, b) => a[sortName] - b[sortName]); + } + } else { + if (sortName === 'symbol') { + reserves.sort((a, b) => (b.symbol.toUpperCase() < a.symbol.toUpperCase() ? -1 : 1)); + } else { + // eslint-disable-next-line @typescript-eslint/ban-ts-comment + // @ts-ignore + reserves.sort((a, b) => b[sortName] - a[sortName]); + } + } + + // Show loading state when loading + if (loading) { + return isTableChangedToCards ? ( + <> + + + + + ) : ( + <> + + + + + + ); + } + + // Hide list when no results, via search term or if a market has all/no frozen/unfrozen assets + if (reserves.length === 0) return null; + + return ( + <> + {!isTableChangedToCards && ( + + {listHeaders.map((col) => ( + + + {col.title} + + + ))} + + + )} + + {reserves.map((reserve) => + isTableChangedToCards ? ( + + ) : ( + + ) + )} + + ); +} diff --git a/src/modules/umbrella/UserStakedAssets/UmbrellaStakedAssetsListContainer.tsx b/src/modules/umbrella/UserStakedAssets/UmbrellaUserStakeAssetsListContainer.tsx similarity index 98% rename from src/modules/umbrella/UserStakedAssets/UmbrellaStakedAssetsListContainer.tsx rename to src/modules/umbrella/UserStakedAssets/UmbrellaUserStakeAssetsListContainer.tsx index 308ef169c4..6b94119b00 100644 --- a/src/modules/umbrella/UserStakedAssets/UmbrellaStakedAssetsListContainer.tsx +++ b/src/modules/umbrella/UserStakedAssets/UmbrellaUserStakeAssetsListContainer.tsx @@ -8,7 +8,7 @@ import { Link } from 'src/components/primitives/Link'; import { Warning } from 'src/components/primitives/Warning'; import { TitleWithSearchBar } from 'src/components/TitleWithSearchBar'; import { useAppDataContext } from 'src/hooks/app-data-provider/useAppDataProvider'; -import UmbrellaAssetsList from '../StakeAssets/UmbrellaAssetsList'; +import UmbrellaAssetsList from './UmbrellaUserStakeAssetsList'; import { useRootStore } from 'src/store/root'; import { fetchIconSymbolAndName } from 'src/ui-config/reservePatches'; import { getGhoReserve, GHO_MINTING_MARKETS, GHO_SYMBOL } from 'src/utils/ghoUtilities'; diff --git a/src/modules/umbrella/UserStakedAssets/UmbrellaUserStakeAssetsListItem.tsx b/src/modules/umbrella/UserStakedAssets/UmbrellaUserStakeAssetsListItem.tsx new file mode 100644 index 0000000000..0576138ebe --- /dev/null +++ b/src/modules/umbrella/UserStakedAssets/UmbrellaUserStakeAssetsListItem.tsx @@ -0,0 +1,171 @@ +import { ProtocolAction } from '@aave/contract-helpers'; +import { Trans } from '@lingui/macro'; +import { Box, Button, Typography } from '@mui/material'; +import { useRouter } from 'next/router'; +import { OffboardingTooltip } from 'src/components/infoTooltips/OffboardingToolTip'; +import { RenFILToolTip } from 'src/components/infoTooltips/RenFILToolTip'; +import { SpkAirdropTooltip } from 'src/components/infoTooltips/SpkAirdropTooltip'; +import { SuperFestTooltip } from 'src/components/infoTooltips/SuperFestTooltip'; +import { IsolatedEnabledBadge } from 'src/components/isolationMode/IsolatedBadge'; +import { NoData } from 'src/components/primitives/NoData'; +import { ReserveSubheader } from 'src/components/ReserveSubheader'; +import { AssetsBeingOffboarded } from 'src/components/Warnings/OffboardingWarning'; +import { useRootStore } from 'src/store/root'; +import { MARKETS } from 'src/utils/mixPanelEvents'; +import { showExternalIncentivesTooltip } from 'src/utils/utils'; +import { useShallow } from 'zustand/shallow'; + +import { IncentivesCard } from '../../../components/incentives/IncentivesCard'; +import { AMPLToolTip } from '../../../components/infoTooltips/AMPLToolTip'; +import { ListColumn } from '../../../components/lists/ListColumn'; +import { ListItem } from '../../../components/lists/ListItem'; +import { FormattedNumber } from '../../../components/primitives/FormattedNumber'; +import { Link, ROUTES } from '../../../components/primitives/Link'; +import { TokenIcon } from '../../../components/primitives/TokenIcon'; +import { ComputedReserveData } from '../../../hooks/app-data-provider/useAppDataProvider'; +import { useModalContext } from 'src/hooks/useModal'; + +export const UmbrellaUserStakeAssetsListItem = ({ ...reserve }: ComputedReserveData) => { + const router = useRouter(); + const [trackEvent, currentMarket] = useRootStore( + useShallow((store) => [store.trackEvent, store.currentMarket]) + ); + const { openUmbrella } = useModalContext(); + + const externalIncentivesTooltipsSupplySide = showExternalIncentivesTooltip( + reserve.symbol, + currentMarket, + ProtocolAction.supply + ); + const externalIncentivesTooltipsBorrowSide = showExternalIncentivesTooltip( + reserve.symbol, + currentMarket, + ProtocolAction.borrow + ); + + return ( + { + // trackEvent(MARKETS.DETAILS_NAVIGATION, { + // type: 'Row', + // assetName: reserve.name, + // asset: reserve.underlyingAsset, + // market: currentMarket, + // }); + // router.push(ROUTES.reserveOverview(reserve.underlyingAsset, currentMarket)); + // }} + sx={{ cursor: 'pointer' }} + button + data-cy={`marketListItemListItem_${reserve.symbol.toUpperCase()}`} + > + + + + + {reserve.name} + + + + + {reserve.symbol} + + + + + {/* + + + + */} + + {/* + + {externalIncentivesTooltipsSupplySide.superFestRewards && } + {externalIncentivesTooltipsSupplySide.spkAirdrop && } + + } + market={currentMarket} + protocolAction={ProtocolAction.supply} + /> + */} + + + {reserve.borrowingEnabled || Number(reserve.totalDebt) > 0 ? ( + <> + {' '} + + + ) : ( + + )} + + + + 0 ? reserve.variableBorrowAPY : '-1'} + incentives={reserve.vIncentivesData || []} + address={reserve.variableDebtTokenAddress} + symbol={reserve.symbol} + variant="main16" + symbolsVariant="secondary16" + tooltip={ + <> + {externalIncentivesTooltipsBorrowSide.superFestRewards && } + {externalIncentivesTooltipsBorrowSide.spkAirdrop && } + + } + market={currentMarket} + protocolAction={ProtocolAction.borrow} + /> + {!reserve.borrowingEnabled && + Number(reserve.totalVariableDebt) > 0 && + !reserve.isFrozen && } + + + + {/* TODO: Open Modal for staking */} + + + + ); +}; From 99d8e26c352d849a3eb48e63bf896c10a4a7f388 Mon Sep 17 00:00:00 2001 From: Mark Grothe Date: Mon, 13 Jan 2025 11:20:57 -0600 Subject: [PATCH 011/110] fix: underlying decimals --- .../umbrella/services/StakeDataProviderService.ts | 6 +++--- .../umbrella/services/types/StakeDataProvider.ts | 8 ++++---- .../services/types/StakeDataProvider__factory.ts | 12 ++++++------ 3 files changed, 13 insertions(+), 13 deletions(-) diff --git a/src/modules/umbrella/services/StakeDataProviderService.ts b/src/modules/umbrella/services/StakeDataProviderService.ts index 7c15181697..9ecb30b32a 100644 --- a/src/modules/umbrella/services/StakeDataProviderService.ts +++ b/src/modules/umbrella/services/StakeDataProviderService.ts @@ -5,7 +5,7 @@ import { MarketDataType } from 'src/ui-config/marketsConfig'; import { StakeDataStructOutput, StakeUserDataStructOutput } from './types/StakeDataProvider'; import { StakeDataProvider__factory } from './types/StakeDataProvider__factory'; -const STAKE_DATA_PROVIDER = '0x3e965db7b1baa260b65208e3f508ed84344ebd75'; +const STAKE_DATA_PROVIDER = '0x9f35cc835458fed692862fd96cfd3445cbd8ef9e'; export interface StakeData { stakeToken: string; @@ -14,6 +14,7 @@ export interface StakeData { cooldownSeconds: string; unstakeWindowSeconds: string; stakeTokenUnderlying: string; + underlyingTokenDecimals: number; underlyingIsWaToken: boolean; waTokenData: WaTokenData; rewards: Rewards[]; @@ -39,7 +40,6 @@ export interface StakeUserData { stakeTokenName: string; balances: StakeUserBalances; cooldown: StakeUserCooldown; - underlyingTokenDecimals: number; rewards: UserRewards[]; } @@ -91,6 +91,7 @@ export class StakeDataProviderService { cooldownSeconds: stakeData.cooldownSeconds.toString(), unstakeWindowSeconds: stakeData.unstakeWindowSeconds.toString(), stakeTokenUnderlying: stakeData.stakeTokenUnderlying.toLowerCase(), + underlyingTokenDecimals: stakeData.underlyingTokenDecimals, underlyingIsWaToken: stakeData.underlyingIsWaToken, waTokenData: { waTokenUnderlying: stakeData.waTokenData.waTokenUnderlying.toLowerCase(), @@ -127,7 +128,6 @@ export class StakeDataProviderService { endOfCooldown: userStakeData.cooldown.endOfCooldown, withdrawalWindow: userStakeData.cooldown.withdrawalWindow, }, - underlyingTokenDecimals: userStakeData.underlyingTokenDecimals, rewards: userStakeData.rewards.map((reward, index) => ({ rewardAddress: reward.toLowerCase(), accrued: userStakeData.rewardsAccrued[index].toString(), diff --git a/src/modules/umbrella/services/types/StakeDataProvider.ts b/src/modules/umbrella/services/types/StakeDataProvider.ts index 382b5c2424..cb3cabefbc 100644 --- a/src/modules/umbrella/services/types/StakeDataProvider.ts +++ b/src/modules/umbrella/services/types/StakeDataProvider.ts @@ -55,6 +55,7 @@ export type StakeDataStruct = { underlyingIsWaToken: boolean; waTokenData: WaTokenDataStruct; rewards: RewardStruct[]; + underlyingTokenDecimals: BigNumberish; }; export type StakeDataStructOutput = [ @@ -66,7 +67,8 @@ export type StakeDataStructOutput = [ string, boolean, WaTokenDataStructOutput, - RewardStructOutput[] + RewardStructOutput[], + number ] & { stakeToken: string; stakeTokenName: string; @@ -77,6 +79,7 @@ export type StakeDataStructOutput = [ underlyingIsWaToken: boolean; waTokenData: WaTokenDataStructOutput; rewards: RewardStructOutput[]; + underlyingTokenDecimals: number; }; export type StakeUserBalancesStruct = { @@ -118,7 +121,6 @@ export type StakeUserDataStruct = { stakeTokenName: string; balances: StakeUserBalancesStruct; cooldown: StakeUserCooldownStruct; - underlyingTokenDecimals: BigNumberish; rewards: string[]; rewardsAccrued: BigNumberish[]; }; @@ -128,7 +130,6 @@ export type StakeUserDataStructOutput = [ string, StakeUserBalancesStructOutput, StakeUserCooldownStructOutput, - number, string[], BigNumber[] ] & { @@ -136,7 +137,6 @@ export type StakeUserDataStructOutput = [ stakeTokenName: string; balances: StakeUserBalancesStructOutput; cooldown: StakeUserCooldownStructOutput; - underlyingTokenDecimals: number; rewards: string[]; rewardsAccrued: BigNumber[]; }; diff --git a/src/modules/umbrella/services/types/StakeDataProvider__factory.ts b/src/modules/umbrella/services/types/StakeDataProvider__factory.ts index da7d068826..3e6324b881 100644 --- a/src/modules/umbrella/services/types/StakeDataProvider__factory.ts +++ b/src/modules/umbrella/services/types/StakeDataProvider__factory.ts @@ -131,6 +131,11 @@ const _abi = [ }, ], }, + { + name: 'underlyingTokenDecimals', + type: 'uint8', + internalType: 'uint8', + }, ], }, ], @@ -216,11 +221,6 @@ const _abi = [ }, ], }, - { - name: 'underlyingTokenDecimals', - type: 'uint8', - internalType: 'uint8', - }, { name: 'rewards', type: 'address[]', @@ -278,7 +278,7 @@ const _abi = [ ] as const; const _bytecode = - '0x60e060405234801562000010575f80fd5b5060405162001da538038062001da5833981016040819052620000339162000069565b6001600160a01b0392831660805290821660a0521660c052620000ba565b6001600160a01b038116811462000066575f80fd5b50565b5f805f606084860312156200007c575f80fd5b8351620000898162000051565b60208501519093506200009c8162000051565b6040850151909250620000af8162000051565b809150509250925092565b60805160a05160c051611c8b6200011a5f395f8181605e0152818161025c015261069601525f818160a20152818161078a015281816109bc01528181610b090152610b9e01525f818160c90152818161012501526105ba0152611c8b5ff3fe608060405234801561000f575f80fd5b5060043610610055575f3560e01c80631494088f146100595780636bb65f531461009d57806384914262146100c4578063a16a09af146100eb578063e9ce34a514610100575b5f80fd5b6100807f000000000000000000000000000000000000000000000000000000000000000081565b6040516001600160a01b0390911681526020015b60405180910390f35b6100807f000000000000000000000000000000000000000000000000000000000000000081565b6100807f000000000000000000000000000000000000000000000000000000000000000081565b6100f3610120565b6040516100949190611572565b61011361010e366004611699565b6105b5565b6040516100949190611719565b60605f7f00000000000000000000000000000000000000000000000000000000000000006001600160a01b031663de3767766040518163ffffffff1660e01b81526004015f60405180830381865afa15801561017e573d5f803e3d5ffd5b505050506040513d5f823e601f3d908101601f191682016040526101a5919081019061191c565b90505f815167ffffffffffffffff8111156101c2576101c2611843565b60405190808252806020026020018201604052801561025657816020015b61024360408051610120810182525f808252606060208084018290528385018390528184018390526080840183905260a0840183905260c08401839052845191820185528282528101829052928301529060e08201908152602001606081525090565b8152602001906001900390816101e05790505b5090505f7f00000000000000000000000000000000000000000000000000000000000000006001600160a01b031663529080176040518163ffffffff1660e01b81526004015f60405180830381865afa1580156102b5573d5f803e3d5ffd5b505050506040513d5f823e601f3d908101601f191682016040526102dc919081019061191c565b90505f5b83518110156105ac575f8482815181106102fc576102fc611956565b602002602001015190505f8190505f826001600160a01b03166338d52e0f6040518163ffffffff1660e01b8152600401602060405180830381865afa158015610347573d5f803e3d5ffd5b505050506040513d601f19601f8201168201806040525081019061036b919061196a565b90505f6103788484610998565b90505f6103858388610cf1565b90506040518061012001604052808a88815181106103a5576103a5611956565b60200260200101516001600160a01b03168152602001866001600160a01b03166306fdde036040518163ffffffff1660e01b81526004015f60405180830381865afa1580156103f6573d5f803e3d5ffd5b505050506040513d5f823e601f3d908101601f1916820160405261041d9190810190611985565b8152602001866001600160a01b03166318160ddd6040518163ffffffff1660e01b8152600401602060405180830381865afa15801561045e573d5f803e3d5ffd5b505050506040513d601f19601f820116820180604052508101906104829190611a0b565b8152602001866001600160a01b031663218e4a156040518163ffffffff1660e01b8152600401602060405180830381865afa1580156104c3573d5f803e3d5ffd5b505050506040513d601f19601f820116820180604052508101906104e79190611a0b565b8152602001866001600160a01b03166390b9f9e46040518163ffffffff1660e01b8152600401602060405180830381865afa158015610528573d5f803e3d5ffd5b505050506040513d601f19601f8201168201806040525081019061054c9190611a0b565b81526001600160a01b0380861660208301528351161515604082015260608101839052608001839052885189908890811061058957610589611956565b6020026020010181905250505050505080806105a490611a36565b9150506102e0565b50909392505050565b60605f7f00000000000000000000000000000000000000000000000000000000000000006001600160a01b031663de3767766040518163ffffffff1660e01b81526004015f60405180830381865afa158015610613573d5f803e3d5ffd5b505050506040513d5f823e601f3d908101601f1916820160405261063a919081019061191c565b90505f815167ffffffffffffffff81111561065757610657611843565b60405190808252806020026020018201604052801561069057816020015b61067d61142a565b8152602001906001900390816106755790505b5090505f7f00000000000000000000000000000000000000000000000000000000000000006001600160a01b031663529080176040518163ffffffff1660e01b81526004015f60405180830381865afa1580156106ef573d5f803e3d5ffd5b505050506040513d5f823e601f3d908101601f19168201604052610716919081019061191c565b90505f5b835181101561098e575f84828151811061073657610736611956565b602002602001015190505f61074c888386610e8f565b90505f6107598984611104565b60405160016204621960e51b031981526001600160a01b0385811660048301528b811660248301529192505f9182917f00000000000000000000000000000000000000000000000000000000000000009091169063ff73bce0906044015f60405180830381865afa1580156107d0573d5f803e3d5ffd5b505050506040513d5f823e601f3d908101601f191682016040526107f79190810190611a4e565b915091506040518060e00160405280866001600160a01b03168152602001866001600160a01b03166306fdde036040518163ffffffff1660e01b81526004015f60405180830381865afa158015610850573d5f803e3d5ffd5b505050506040513d5f823e601f3d908101601f191682016040526108779190810190611985565b8152602001858152602001848152602001866001600160a01b03166338d52e0f6040518163ffffffff1660e01b8152600401602060405180830381865afa1580156108c4573d5f803e3d5ffd5b505050506040513d601f19601f820116820180604052508101906108e8919061196a565b6001600160a01b031663313ce5676040518163ffffffff1660e01b8152600401602060405180830381865afa158015610923573d5f803e3d5ffd5b505050506040513d601f19601f820116820180604052508101906109479190611b03565b60ff1681526020018381526020018281525088878151811061096b5761096b611956565b60200260200101819052505050505050808061098690611a36565b91505061071a565b5090949350505050565b60405163362a3fad60e01b81526001600160a01b0382811660048301526060915f917f0000000000000000000000000000000000000000000000000000000000000000169063362a3fad906024015f60405180830381865afa158015610a00573d5f803e3d5ffd5b505050506040513d5f823e601f3d908101601f19168201604052610a27919081019061191c565b90505f815167ffffffffffffffff811115610a4457610a44611843565b604051908082528060200260200182016040528015610ab157816020015b610a9e6040518060c001604052805f6001600160a01b031681526020015f81526020015f81526020015f81526020015f81526020015f81525090565b815260200190600190039081610a625790505b5090505f5b8251811015610ce6575f838281518110610ad257610ad2611956565b60209081029190910101516040516334fb3ea160e11b81526001600160a01b03888116600483015280831660248301529192505f917f000000000000000000000000000000000000000000000000000000000000000016906369f67d4290604401608060405180830381865afa158015610b4e573d5f803e3d5ffd5b505050506040513d601f19601f82011682018060405250810190610b729190611b23565b604051630450881160e51b81526001600160a01b03898116600483015284811660248301529192505f917f00000000000000000000000000000000000000000000000000000000000000001690638a11022090604401602060405180830381865afa158015610be3573d5f803e3d5ffd5b505050506040513d601f19601f82011682018060405250810190610c079190611a0b565b90506040518060c00160405280846001600160a01b03168152602001836020015181526020018360400151815260200183606001518152602001828152602001610cb0838c6001600160a01b03166318160ddd6040518163ffffffff1660e01b8152600401602060405180830381865afa158015610c87573d5f803e3d5ffd5b505050506040513d601f19601f82011682018060405250810190610cab9190611a0b565b6111d1565b815250858581518110610cc557610cc5611956565b60200260200101819052505050508080610cde90611a36565b915050610ab6565b509150505b92915050565b604080516060810182525f8082526020820181905291810191909152610d17838361120d565b15610e6c576040518060600160405280846001600160a01b03166338d52e0f6040518163ffffffff1660e01b8152600401602060405180830381865afa158015610d63573d5f803e3d5ffd5b505050506040513d601f19601f82011682018060405250810190610d87919061196a565b6001600160a01b03168152602001846001600160a01b031663a0c1f15e6040518163ffffffff1660e01b8152600401602060405180830381865afa158015610dd1573d5f803e3d5ffd5b505050506040513d601f19601f82011682018060405250810190610df5919061196a565b6001600160a01b03168152602001846001600160a01b03166350d25bcd6040518163ffffffff1660e01b8152600401602060405180830381865afa158015610e3f573d5f803e3d5ffd5b505050506040513d601f19601f82011682018060405250810190610e639190611a0b565b90529050610ceb565b50604080516060810182525f808252602082018190529181019190915292915050565b610ebc6040518060a001604052805f81526020015f81526020015f81526020015f81526020015f81525090565b5f836001600160a01b03166338d52e0f6040518163ffffffff1660e01b8152600401602060405180830381865afa158015610ef9573d5f803e3d5ffd5b505050506040513d601f19601f82011682018060405250810190610f1d919061196a565b90505f80610f2c878487611270565b6040805160a08101918290526370a0823160e01b9091526001600160a01b038a811660a483015292945090925090819088166370a0823160c48301602060405180830381865afa158015610f82573d5f803e3d5ffd5b505050506040513d601f19601f82011682018060405250810190610fa69190611a0b565b81526040516370a0823160e01b81526001600160a01b038a81166004830152602090920191891690634cdad5069082906370a0823190602401602060405180830381865afa158015610ffa573d5f803e3d5ffd5b505050506040513d601f19601f8201168201806040525081019061101e9190611a0b565b6040518263ffffffff1660e01b815260040161103c91815260200190565b602060405180830381865afa158015611057573d5f803e3d5ffd5b505050506040513d601f19601f8201168201806040525081019061107b9190611a0b565b81526040516370a0823160e01b81526001600160a01b038a811660048301526020909201918616906370a0823190602401602060405180830381865afa1580156110c7573d5f803e3d5ffd5b505050506040513d601f19601f820116820180604052508101906110eb9190611a0b565b8152602081019390935260409092015295945050505050565b604080516060810182525f80825260208201819052918101919091526040516317c547a160e11b81526001600160a01b0384811660048301525f9190841690632f8a8f4290602401606060405180830381865afa158015611167573d5f803e3d5ffd5b505050506040513d601f19601f8201168201806040525081019061118b9190611ba8565b90506040518060600160405280825f01516001600160c01b03168152602001826020015163ffffffff168152602001826040015163ffffffff1681525091505092915050565b5f815f036111e057505f610ceb565b816127106111f26301e1338086611c1f565b6111fc9190611c1f565b6112069190611c36565b9392505050565b5f805b82518110156112675782818151811061122b5761122b611956565b60200260200101516001600160a01b0316846001600160a01b031603611255576001915050610ceb565b8061125f81611a36565b915050611210565b505f9392505050565b5f8061127c848461120d565b15611422575f846001600160a01b03166338d52e0f6040518163ffffffff1660e01b8152600401602060405180830381865afa1580156112be573d5f803e3d5ffd5b505050506040513d601f19601f820116820180604052508101906112e2919061196a565b90505f856001600160a01b031663a0c1f15e6040518163ffffffff1660e01b8152600401602060405180830381865afa158015611321573d5f803e3d5ffd5b505050506040513d601f19601f82011682018060405250810190611345919061196a565b6040516370a0823160e01b81526001600160a01b038981166004830152919250908316906370a0823190602401602060405180830381865afa15801561138d573d5f803e3d5ffd5b505050506040513d601f19601f820116820180604052508101906113b19190611a0b565b6040516370a0823160e01b81526001600160a01b038981166004830152919550908216906370a0823190602401602060405180830381865afa1580156113f9573d5f803e3d5ffd5b505050506040513d601f19601f8201168201806040525081019061141d9190611a0b565b925050505b935093915050565b6040518060e001604052805f6001600160a01b03168152602001606081526020016114786040518060a001604052805f81526020015f81526020015f81526020015f81526020015f81525090565b8152604080516060810182525f80825260208281018290529282015291019081525f60208201526060604082018190529081015290565b5f5b838110156114c95781810151838201526020016114b1565b50505f910152565b5f81518084526114e88160208601602086016114af565b601f01601f19169290920160200192915050565b5f8151808452602080850194508084015f5b8381101561156757815180516001600160a01b03168852838101518489015260408082015190890152606080820151908901526080808201519089015260a0908101519088015260c0909601959082019060010161150e565b509495945050505050565b5f6020808301818452808551808352604092508286019150828160051b8701018488015f5b8381101561167457888303603f19018552815180516001600160a01b0316845261016088820151818a8701526115cf828701826114d1565b838a0151878b0152606080850151908801526080808501519088015260a0808501516001600160a01b038116828a01529193509150505060c08281015180151587830152505060e08281015180516001600160a01b039081168884015260208201511661010088015260408101516101208801525050610100820151915084810361014086015261166081836114fc565b968901969450505090860190600101611597565b509098975050505050505050565b6001600160a01b0381168114611696575f80fd5b50565b5f602082840312156116a9575f80fd5b813561120681611682565b5f8151808452602080850194508084015f5b838110156115675781516001600160a01b0316875295820195908201906001016116c6565b5f8151808452602080850194508084015f5b83811015611567578151875295820195908201906001016116fd565b5f6020808301818452808551808352604092508286019150828160051b8701018488015f5b8381101561167457888303603f19018552815180516001600160a01b03168452878101516101a089860181905290611778828701826114d1565b915050878201516117b68987018280518252602081015160208301526040810151604083015260608101516060830152608081015160808301525050565b50606082015180516001600160c01b031660e0870152602081015163ffffffff90811661010088015260409091015116610120860152608082015160ff1661014086015260a082015185820361016087015261181282826116b4565b91505060c0820151915084810361018086015261182f81836116eb565b96890196945050509086019060010161173e565b634e487b7160e01b5f52604160045260245ffd5b604051601f8201601f1916810167ffffffffffffffff8111828210171561188057611880611843565b604052919050565b5f67ffffffffffffffff8211156118a1576118a1611843565b5060051b60200190565b5f82601f8301126118ba575f80fd5b815160206118cf6118ca83611888565b611857565b82815260059290921b840181019181810190868411156118ed575f80fd5b8286015b8481101561191157805161190481611682565b83529183019183016118f1565b509695505050505050565b5f6020828403121561192c575f80fd5b815167ffffffffffffffff811115611942575f80fd5b61194e848285016118ab565b949350505050565b634e487b7160e01b5f52603260045260245ffd5b5f6020828403121561197a575f80fd5b815161120681611682565b5f60208284031215611995575f80fd5b815167ffffffffffffffff808211156119ac575f80fd5b818401915084601f8301126119bf575f80fd5b8151818111156119d1576119d1611843565b6119e4601f8201601f1916602001611857565b91508082528560208285010111156119fa575f80fd5b610ce68160208401602086016114af565b5f60208284031215611a1b575f80fd5b5051919050565b634e487b7160e01b5f52601160045260245ffd5b5f60018201611a4757611a47611a22565b5060010190565b5f8060408385031215611a5f575f80fd5b825167ffffffffffffffff80821115611a76575f80fd5b611a82868387016118ab565b9350602091508185015181811115611a98575f80fd5b85019050601f81018613611aaa575f80fd5b8051611ab86118ca82611888565b81815260059190911b82018301908381019088831115611ad6575f80fd5b928401925b82841015611af457835182529284019290840190611adb565b80955050505050509250929050565b5f60208284031215611b13575f80fd5b815160ff81168114611206575f80fd5b5f60808284031215611b33575f80fd5b6040516080810181811067ffffffffffffffff82111715611b5657611b56611843565b6040528251611b6481611682565b808252506020830151602082015260408301516040820152606083015160608201528091505092915050565b805163ffffffff81168114611ba3575f80fd5b919050565b5f60608284031215611bb8575f80fd5b6040516060810181811067ffffffffffffffff82111715611bdb57611bdb611843565b60405282516001600160c01b0381168114611bf4575f80fd5b8152611c0260208401611b90565b6020820152611c1360408401611b90565b60408201529392505050565b8082028115828204841417610ceb57610ceb611a22565b5f82611c5057634e487b7160e01b5f52601260045260245ffd5b50049056fea264697066735822122035d336e5989939d96f95bcc2af578d616c6c2c48bd84dc50571e74cf99b2b46964736f6c63430008140033'; + '0x60e060405234801562000010575f80fd5b5060405162001dc738038062001dc7833981016040819052620000339162000069565b6001600160a01b0392831660805290821660a0521660c052620000ba565b6001600160a01b038116811462000066575f80fd5b50565b5f805f606084860312156200007c575f80fd5b8351620000898162000051565b60208501519093506200009c8162000051565b6040850151909250620000af8162000051565b809150509250925092565b60805160a05160c051611cad6200011a5f395f8181605e01528181610262015261077601525f818160a20152818161086a015281816109d501528181610b220152610bb701525f818160c901528181610125015261069a0152611cad5ff3fe608060405234801561000f575f80fd5b5060043610610055575f3560e01c80631494088f146100595780636bb65f531461009d57806384914262146100c4578063a16a09af146100eb578063e9ce34a514610100575b5f80fd5b6100807f000000000000000000000000000000000000000000000000000000000000000081565b6040516001600160a01b0390911681526020015b60405180910390f35b6100807f000000000000000000000000000000000000000000000000000000000000000081565b6100807f000000000000000000000000000000000000000000000000000000000000000081565b6100f3610120565b6040516100949190611587565b61011361010e3660046116c6565b610695565b6040516100949190611746565b60605f7f00000000000000000000000000000000000000000000000000000000000000006001600160a01b031663de3767766040518163ffffffff1660e01b81526004015f60405180830381865afa15801561017e573d5f803e3d5ffd5b505050506040513d5f823e601f3d908101601f191682016040526101a5919081019061193e565b90505f815167ffffffffffffffff8111156101c2576101c2611865565b60405190808252806020026020018201604052801561025c57816020015b61024960408051610140810182525f808252606060208084018290528385018390528184018390526080840183905260a0840183905260c08401839052845191820185528282528101829052928301529060e08201908152606060208201525f60409091015290565b8152602001906001900390816101e05790505b5090505f7f00000000000000000000000000000000000000000000000000000000000000006001600160a01b031663529080176040518163ffffffff1660e01b81526004015f60405180830381865afa1580156102bb573d5f803e3d5ffd5b505050506040513d5f823e601f3d908101601f191682016040526102e2919081019061193e565b90505f5b835181101561068c575f84828151811061030257610302611978565b602002602001015190505f8190505f826001600160a01b03166338d52e0f6040518163ffffffff1660e01b8152600401602060405180830381865afa15801561034d573d5f803e3d5ffd5b505050506040513d601f19601f82011682018060405250810190610371919061198c565b90505f61037e84846109b1565b90505f61038b8388610d0a565b90506040518061014001604052808a88815181106103ab576103ab611978565b60200260200101516001600160a01b03168152602001866001600160a01b03166306fdde036040518163ffffffff1660e01b81526004015f60405180830381865afa1580156103fc573d5f803e3d5ffd5b505050506040513d5f823e601f3d908101601f1916820160405261042391908101906119a7565b8152602001866001600160a01b03166318160ddd6040518163ffffffff1660e01b8152600401602060405180830381865afa158015610464573d5f803e3d5ffd5b505050506040513d601f19601f820116820180604052508101906104889190611a2d565b8152602001866001600160a01b031663218e4a156040518163ffffffff1660e01b8152600401602060405180830381865afa1580156104c9573d5f803e3d5ffd5b505050506040513d601f19601f820116820180604052508101906104ed9190611a2d565b8152602001866001600160a01b03166390b9f9e46040518163ffffffff1660e01b8152600401602060405180830381865afa15801561052e573d5f803e3d5ffd5b505050506040513d601f19601f820116820180604052508101906105529190611a2d565b8152602001846001600160a01b031681526020015f6001600160a01b0316835f01516001600160a01b0316141515158152602001828152602001838152602001866001600160a01b03166338d52e0f6040518163ffffffff1660e01b8152600401602060405180830381865afa1580156105ce573d5f803e3d5ffd5b505050506040513d601f19601f820116820180604052508101906105f2919061198c565b6001600160a01b031663313ce5676040518163ffffffff1660e01b8152600401602060405180830381865afa15801561062d573d5f803e3d5ffd5b505050506040513d601f19601f820116820180604052508101906106519190611a44565b60ff1681525088878151811061066957610669611978565b60200260200101819052505050505050808061068490611a78565b9150506102e6565b50909392505050565b60605f7f00000000000000000000000000000000000000000000000000000000000000006001600160a01b031663de3767766040518163ffffffff1660e01b81526004015f60405180830381865afa1580156106f3573d5f803e3d5ffd5b505050506040513d5f823e601f3d908101601f1916820160405261071a919081019061193e565b90505f815167ffffffffffffffff81111561073757610737611865565b60405190808252806020026020018201604052801561077057816020015b61075d611443565b8152602001906001900390816107555790505b5090505f7f00000000000000000000000000000000000000000000000000000000000000006001600160a01b031663529080176040518163ffffffff1660e01b81526004015f60405180830381865afa1580156107cf573d5f803e3d5ffd5b505050506040513d5f823e601f3d908101601f191682016040526107f6919081019061193e565b90505f5b83518110156109a7575f84828151811061081657610816611978565b602002602001015190505f61082c888386610ea8565b90505f610839898461111d565b60405160016204621960e51b031981526001600160a01b0385811660048301528b811660248301529192505f9182917f00000000000000000000000000000000000000000000000000000000000000009091169063ff73bce0906044015f60405180830381865afa1580156108b0573d5f803e3d5ffd5b505050506040513d5f823e601f3d908101601f191682016040526108d79190810190611a90565b915091506040518060c00160405280866001600160a01b03168152602001866001600160a01b03166306fdde036040518163ffffffff1660e01b81526004015f60405180830381865afa158015610930573d5f803e3d5ffd5b505050506040513d5f823e601f3d908101601f1916820160405261095791908101906119a7565b81526020018581526020018481526020018381526020018281525088878151811061098457610984611978565b60200260200101819052505050505050808061099f90611a78565b9150506107fa565b5090949350505050565b60405163362a3fad60e01b81526001600160a01b0382811660048301526060915f917f0000000000000000000000000000000000000000000000000000000000000000169063362a3fad906024015f60405180830381865afa158015610a19573d5f803e3d5ffd5b505050506040513d5f823e601f3d908101601f19168201604052610a40919081019061193e565b90505f815167ffffffffffffffff811115610a5d57610a5d611865565b604051908082528060200260200182016040528015610aca57816020015b610ab76040518060c001604052805f6001600160a01b031681526020015f81526020015f81526020015f81526020015f81526020015f81525090565b815260200190600190039081610a7b5790505b5090505f5b8251811015610cff575f838281518110610aeb57610aeb611978565b60209081029190910101516040516334fb3ea160e11b81526001600160a01b03888116600483015280831660248301529192505f917f000000000000000000000000000000000000000000000000000000000000000016906369f67d4290604401608060405180830381865afa158015610b67573d5f803e3d5ffd5b505050506040513d601f19601f82011682018060405250810190610b8b9190611b45565b604051630450881160e51b81526001600160a01b03898116600483015284811660248301529192505f917f00000000000000000000000000000000000000000000000000000000000000001690638a11022090604401602060405180830381865afa158015610bfc573d5f803e3d5ffd5b505050506040513d601f19601f82011682018060405250810190610c209190611a2d565b90506040518060c00160405280846001600160a01b03168152602001836020015181526020018360400151815260200183606001518152602001828152602001610cc9838c6001600160a01b03166318160ddd6040518163ffffffff1660e01b8152600401602060405180830381865afa158015610ca0573d5f803e3d5ffd5b505050506040513d601f19601f82011682018060405250810190610cc49190611a2d565b6111ea565b815250858581518110610cde57610cde611978565b60200260200101819052505050508080610cf790611a78565b915050610acf565b509150505b92915050565b604080516060810182525f8082526020820181905291810191909152610d308383611226565b15610e85576040518060600160405280846001600160a01b03166338d52e0f6040518163ffffffff1660e01b8152600401602060405180830381865afa158015610d7c573d5f803e3d5ffd5b505050506040513d601f19601f82011682018060405250810190610da0919061198c565b6001600160a01b03168152602001846001600160a01b031663a0c1f15e6040518163ffffffff1660e01b8152600401602060405180830381865afa158015610dea573d5f803e3d5ffd5b505050506040513d601f19601f82011682018060405250810190610e0e919061198c565b6001600160a01b03168152602001846001600160a01b03166350d25bcd6040518163ffffffff1660e01b8152600401602060405180830381865afa158015610e58573d5f803e3d5ffd5b505050506040513d601f19601f82011682018060405250810190610e7c9190611a2d565b90529050610d04565b50604080516060810182525f808252602082018190529181019190915292915050565b610ed56040518060a001604052805f81526020015f81526020015f81526020015f81526020015f81525090565b5f836001600160a01b03166338d52e0f6040518163ffffffff1660e01b8152600401602060405180830381865afa158015610f12573d5f803e3d5ffd5b505050506040513d601f19601f82011682018060405250810190610f36919061198c565b90505f80610f45878487611289565b6040805160a08101918290526370a0823160e01b9091526001600160a01b038a811660a483015292945090925090819088166370a0823160c48301602060405180830381865afa158015610f9b573d5f803e3d5ffd5b505050506040513d601f19601f82011682018060405250810190610fbf9190611a2d565b81526040516370a0823160e01b81526001600160a01b038a81166004830152602090920191891690634cdad5069082906370a0823190602401602060405180830381865afa158015611013573d5f803e3d5ffd5b505050506040513d601f19601f820116820180604052508101906110379190611a2d565b6040518263ffffffff1660e01b815260040161105591815260200190565b602060405180830381865afa158015611070573d5f803e3d5ffd5b505050506040513d601f19601f820116820180604052508101906110949190611a2d565b81526040516370a0823160e01b81526001600160a01b038a811660048301526020909201918616906370a0823190602401602060405180830381865afa1580156110e0573d5f803e3d5ffd5b505050506040513d601f19601f820116820180604052508101906111049190611a2d565b8152602081019390935260409092015295945050505050565b604080516060810182525f80825260208201819052918101919091526040516317c547a160e11b81526001600160a01b0384811660048301525f9190841690632f8a8f4290602401606060405180830381865afa158015611180573d5f803e3d5ffd5b505050506040513d601f19601f820116820180604052508101906111a49190611bca565b90506040518060600160405280825f01516001600160c01b03168152602001826020015163ffffffff168152602001826040015163ffffffff1681525091505092915050565b5f815f036111f957505f610d04565b8161271061120b6301e1338086611c41565b6112159190611c41565b61121f9190611c58565b9392505050565b5f805b82518110156112805782818151811061124457611244611978565b60200260200101516001600160a01b0316846001600160a01b03160361126e576001915050610d04565b8061127881611a78565b915050611229565b505f9392505050565b5f806112958484611226565b1561143b575f846001600160a01b03166338d52e0f6040518163ffffffff1660e01b8152600401602060405180830381865afa1580156112d7573d5f803e3d5ffd5b505050506040513d601f19601f820116820180604052508101906112fb919061198c565b90505f856001600160a01b031663a0c1f15e6040518163ffffffff1660e01b8152600401602060405180830381865afa15801561133a573d5f803e3d5ffd5b505050506040513d601f19601f8201168201806040525081019061135e919061198c565b6040516370a0823160e01b81526001600160a01b038981166004830152919250908316906370a0823190602401602060405180830381865afa1580156113a6573d5f803e3d5ffd5b505050506040513d601f19601f820116820180604052508101906113ca9190611a2d565b6040516370a0823160e01b81526001600160a01b038981166004830152919550908216906370a0823190602401602060405180830381865afa158015611412573d5f803e3d5ffd5b505050506040513d601f19601f820116820180604052508101906114369190611a2d565b925050505b935093915050565b6040518060c001604052805f6001600160a01b03168152602001606081526020016114916040518060a001604052805f81526020015f81526020015f81526020015f81526020015f81525090565b8152604080516060810182525f808252602082810182905292820152910190815260200160608152602001606081525090565b5f5b838110156114de5781810151838201526020016114c6565b50505f910152565b5f81518084526114fd8160208601602086016114c4565b601f01601f19169290920160200192915050565b5f8151808452602080850194508084015f5b8381101561157c57815180516001600160a01b03168852838101518489015260408082015190890152606080820151908901526080808201519089015260a0908101519088015260c09096019590820190600101611523565b509495945050505050565b5f6020808301818452808551808352604092508286019150828160051b8701018488015f5b838110156116a157888303603f19018552815180516001600160a01b0316845261018088820151818a8701526115e4828701826114e6565b838a0151878b0152606080850151908801526080808501519088015260a0808501516001600160a01b038116828a01529193509150505060c08281015180151587830152505060e08281015180516001600160a01b0390811688840152602082015116610100880152604081015161012088015250506101008201518582036101408701526116738282611511565b915050610120820151915061168e61016086018360ff169052565b95880195935050908601906001016115ac565b509098975050505050505050565b6001600160a01b03811681146116c3575f80fd5b50565b5f602082840312156116d6575f80fd5b813561121f816116af565b5f8151808452602080850194508084015f5b8381101561157c5781516001600160a01b0316875295820195908201906001016116f3565b5f8151808452602080850194508084015f5b8381101561157c5781518752958201959082019060010161172a565b5f6020808301818452808551808352604092508286019150828160051b8701018488015f5b838110156116a157888303603f19018552815180516001600160a01b0316845287810151610180898601819052906117a5828701826114e6565b898401518051888c01528b8101516060808a0191909152818c01516080808b01919091528183015160a0808c018290529382015160c08c01528288015180516001600160c01b031660e08d0152602081015163ffffffff9081166101008e0152604090910151166101208c0152818801518b86036101408d0152949650939450909161183186866116e1565b955080870151965050505050508481036101608601526118518183611718565b96890196945050509086019060010161176b565b634e487b7160e01b5f52604160045260245ffd5b604051601f8201601f1916810167ffffffffffffffff811182821017156118a2576118a2611865565b604052919050565b5f67ffffffffffffffff8211156118c3576118c3611865565b5060051b60200190565b5f82601f8301126118dc575f80fd5b815160206118f16118ec836118aa565b611879565b82815260059290921b8401810191818101908684111561190f575f80fd5b8286015b84811015611933578051611926816116af565b8352918301918301611913565b509695505050505050565b5f6020828403121561194e575f80fd5b815167ffffffffffffffff811115611964575f80fd5b611970848285016118cd565b949350505050565b634e487b7160e01b5f52603260045260245ffd5b5f6020828403121561199c575f80fd5b815161121f816116af565b5f602082840312156119b7575f80fd5b815167ffffffffffffffff808211156119ce575f80fd5b818401915084601f8301126119e1575f80fd5b8151818111156119f3576119f3611865565b611a06601f8201601f1916602001611879565b9150808252856020828501011115611a1c575f80fd5b610cff8160208401602086016114c4565b5f60208284031215611a3d575f80fd5b5051919050565b5f60208284031215611a54575f80fd5b815160ff8116811461121f575f80fd5b634e487b7160e01b5f52601160045260245ffd5b5f60018201611a8957611a89611a64565b5060010190565b5f8060408385031215611aa1575f80fd5b825167ffffffffffffffff80821115611ab8575f80fd5b611ac4868387016118cd565b9350602091508185015181811115611ada575f80fd5b85019050601f81018613611aec575f80fd5b8051611afa6118ec826118aa565b81815260059190911b82018301908381019088831115611b18575f80fd5b928401925b82841015611b3657835182529284019290840190611b1d565b80955050505050509250929050565b5f60808284031215611b55575f80fd5b6040516080810181811067ffffffffffffffff82111715611b7857611b78611865565b6040528251611b86816116af565b808252506020830151602082015260408301516040820152606083015160608201528091505092915050565b805163ffffffff81168114611bc5575f80fd5b919050565b5f60608284031215611bda575f80fd5b6040516060810181811067ffffffffffffffff82111715611bfd57611bfd611865565b60405282516001600160c01b0381168114611c16575f80fd5b8152611c2460208401611bb2565b6020820152611c3560408401611bb2565b60408201529392505050565b8082028115828204841417610d0457610d04611a64565b5f82611c7257634e487b7160e01b5f52601260045260245ffd5b50049056fea2646970667358221220c7c477e40ef6066a8f195b8211f010ba14cb0590758aaa93cc61efa8a7fa853664736f6c63430008140033'; type StakeDataProviderConstructorParams = | [signer?: Signer] From 59064ae62706cb5a44236e04a581e3bb18b53ec5 Mon Sep 17 00:00:00 2001 From: Joaquin Battilana Date: Wed, 15 Jan 2025 16:15:58 -0300 Subject: [PATCH 012/110] feat: lint --- package.json | 3 +- pages/umbrella.page.tsx | 12 +- .../StakeAssets/UmbrellaAssetsList.tsx | 11 +- .../UmbrellaAssetsListContainer.tsx | 2 +- .../StakeAssets/UmbrellaAssetsListItem.tsx | 2 +- .../UmbrellaAssetsListMobileItem.tsx | 3 +- .../UmbrellaStakeAssetsListItem.tsx | 2 +- src/modules/umbrella/UmbrellaActions.tsx | 101 ++++-- src/modules/umbrella/UmbrellaHeader.tsx | 3 +- .../umbrella/UmbrellaMarketSwitcher.tsx | 9 +- src/modules/umbrella/UmbrellaModal.tsx | 3 +- src/modules/umbrella/UmbrellaModalContent.tsx | 22 +- .../UmbrellaUserStakeAssetsList.tsx | 15 +- .../UmbrellaUserStakeAssetsListContainer.tsx | 2 +- .../UmbrellaUserStakeAssetsListItem.tsx | 2 +- src/modules/umbrella/hooks/useStakeData.ts | 6 +- .../umbrella/services/StakeGatewayService.ts | 24 ++ .../umbrella/services/types/StakeGateway.ts | 304 ++++++++++++++++++ .../services/types/StakeGateway__factory.ts | 200 ++++++++++++ src/modules/umbrella/services/types/common.ts | 11 +- 20 files changed, 650 insertions(+), 87 deletions(-) create mode 100644 src/modules/umbrella/services/StakeGatewayService.ts create mode 100644 src/modules/umbrella/services/types/StakeGateway.ts create mode 100644 src/modules/umbrella/services/types/StakeGateway__factory.ts diff --git a/package.json b/package.json index 47b5d70a53..c07d9d5dcd 100644 --- a/package.json +++ b/package.json @@ -151,5 +151,6 @@ "budget": null, "budgetPercentIncreaseRed": 20, "showDetails": true - } + }, + "packageManager": "yarn@1.22.19+sha1.4ba7fc5c6e704fce2066ecbfb0b0d8976fe62447" } diff --git a/pages/umbrella.page.tsx b/pages/umbrella.page.tsx index 5a4e367b6b..1b4a2df188 100644 --- a/pages/umbrella.page.tsx +++ b/pages/umbrella.page.tsx @@ -2,7 +2,7 @@ import { Stake } from '@aave/contract-helpers'; import { StakeUIUserData } from '@aave/contract-helpers/dist/esm/V3-uiStakeDataProvider-contract/types'; import { ExternalLinkIcon } from '@heroicons/react/outline'; import { Trans } from '@lingui/macro'; -import { Box, Button, Grid, Stack, SvgIcon, Typography, Container } from '@mui/material'; +import { Box, Button, Container, Grid, Stack, SvgIcon, Typography } from '@mui/material'; import { BigNumber } from 'ethers/lib/ethers'; import { formatEther } from 'ethers/lib/utils'; import dynamic from 'next/dynamic'; @@ -13,19 +13,17 @@ import { Link } from 'src/components/primitives/Link'; import { Warning } from 'src/components/primitives/Warning'; import StyledToggleButton from 'src/components/StyledToggleButton'; import StyledToggleButtonGroup from 'src/components/StyledToggleButtonGroup'; -import { UmbrellaStakedAssetsListContainer } from 'src/modules/umbrella/UserStakedAssets/UmbrellaStakedAssetsListContainer'; -import { UmbrellaAssetsListContainer } from 'src/modules/umbrella/StakeAssets/UmbrellaAssetsListContainer'; - -import { MarketsTopPanel } from 'src/modules/markets/MarketsTopPanel'; - import { StakeTokenFormatted, useGeneralStakeUiData } from 'src/hooks/stake/useGeneralStakeUiData'; import { useUserStakeUiData } from 'src/hooks/stake/useUserStakeUiData'; import { useModalContext } from 'src/hooks/useModal'; import { MainLayout } from 'src/layouts/MainLayout'; +import { MarketsTopPanel } from 'src/modules/markets/MarketsTopPanel'; import { GetABPToken } from 'src/modules/staking/GetABPToken'; import { GhoDiscountProgram } from 'src/modules/staking/GhoDiscountProgram'; -import { UmbrellaHeader } from 'src/modules/umbrella/UmbrellaHeader'; import { StakingPanel } from 'src/modules/staking/StakingPanel'; +import { UmbrellaAssetsListContainer } from 'src/modules/umbrella/StakeAssets/UmbrellaAssetsListContainer'; +import { UmbrellaHeader } from 'src/modules/umbrella/UmbrellaHeader'; +import { UmbrellaStakedAssetsListContainer } from 'src/modules/umbrella/UserStakedAssets/UmbrellaStakedAssetsListContainer'; import { useRootStore } from 'src/store/root'; import { ENABLE_TESTNET, STAGING_ENV } from 'src/utils/marketsAndNetworksConfig'; diff --git a/src/modules/umbrella/StakeAssets/UmbrellaAssetsList.tsx b/src/modules/umbrella/StakeAssets/UmbrellaAssetsList.tsx index 82b48f33c8..b3294dc7e5 100644 --- a/src/modules/umbrella/StakeAssets/UmbrellaAssetsList.tsx +++ b/src/modules/umbrella/StakeAssets/UmbrellaAssetsList.tsx @@ -1,27 +1,26 @@ -import { useMemo } from 'react'; +import { ChainId } from '@aave/contract-helpers'; import { Trans } from '@lingui/macro'; import { useMediaQuery } from '@mui/material'; -import { useState } from 'react'; +import { useMemo, useState } from 'react'; import { VariableAPYTooltip } from 'src/components/infoTooltips/VariableAPYTooltip'; import { ListColumn } from 'src/components/lists/ListColumn'; import { ListHeaderTitle } from 'src/components/lists/ListHeaderTitle'; import { ListHeaderWrapper } from 'src/components/lists/ListHeaderWrapper'; import { ComputedReserveData } from 'src/hooks/app-data-provider/useAppDataProvider'; +import { TokenInfoWithBalance, useTokensBalance } from 'src/hooks/generic/useTokensBalance'; import { useRootStore } from 'src/store/root'; import { useShallow } from 'zustand/shallow'; -import { TokenInfoWithBalance, useTokensBalance } from 'src/hooks/generic/useTokensBalance'; import { useStakeData, - useUserStakeData, useStakedDataWithTokenBalances, + useUserStakeData, } from '../hooks/useStakeData'; import { UmbrellaAssetsListItem } from './UmbrellaAssetsListItem'; -import { UmbrellaStakeAssetsListItem } from './UmbrellaStakeAssetsListItem'; import { UmbrellaAssetsListItemLoader } from './UmbrellaAssetsListItemLoader'; import { UmbrellaAssetsListMobileItem } from './UmbrellaAssetsListMobileItem'; import { UmbrellaAssetsListMobileItemLoader } from './UmbrellaAssetsListMobileItemLoader'; -import { ChainId } from '@aave/contract-helpers'; +import { UmbrellaStakeAssetsListItem } from './UmbrellaStakeAssetsListItem'; const listHeaders = [ { diff --git a/src/modules/umbrella/StakeAssets/UmbrellaAssetsListContainer.tsx b/src/modules/umbrella/StakeAssets/UmbrellaAssetsListContainer.tsx index cbec0492bf..190c6049b9 100644 --- a/src/modules/umbrella/StakeAssets/UmbrellaAssetsListContainer.tsx +++ b/src/modules/umbrella/StakeAssets/UmbrellaAssetsListContainer.tsx @@ -8,13 +8,13 @@ import { Link } from 'src/components/primitives/Link'; import { Warning } from 'src/components/primitives/Warning'; import { TitleWithSearchBar } from 'src/components/TitleWithSearchBar'; import { useAppDataContext } from 'src/hooks/app-data-provider/useAppDataProvider'; -import UmbrellaAssetsList from './UmbrellaAssetsList'; import { useRootStore } from 'src/store/root'; import { fetchIconSymbolAndName } from 'src/ui-config/reservePatches'; import { getGhoReserve, GHO_MINTING_MARKETS, GHO_SYMBOL } from 'src/utils/ghoUtilities'; import { useShallow } from 'zustand/shallow'; import { GENERAL } from '../../../utils/mixPanelEvents'; +import UmbrellaAssetsList from './UmbrellaAssetsList'; function shouldDisplayGhoBanner(marketTitle: string, searchTerm: string): boolean { // GHO banner is only displayed on markets where new GHO is mintable (i.e. Ethereum) diff --git a/src/modules/umbrella/StakeAssets/UmbrellaAssetsListItem.tsx b/src/modules/umbrella/StakeAssets/UmbrellaAssetsListItem.tsx index 40d5f13532..609d25284a 100644 --- a/src/modules/umbrella/StakeAssets/UmbrellaAssetsListItem.tsx +++ b/src/modules/umbrella/StakeAssets/UmbrellaAssetsListItem.tsx @@ -10,6 +10,7 @@ import { IsolatedEnabledBadge } from 'src/components/isolationMode/IsolatedBadge import { NoData } from 'src/components/primitives/NoData'; import { ReserveSubheader } from 'src/components/ReserveSubheader'; import { AssetsBeingOffboarded } from 'src/components/Warnings/OffboardingWarning'; +import { useModalContext } from 'src/hooks/useModal'; import { useRootStore } from 'src/store/root'; import { MARKETS } from 'src/utils/mixPanelEvents'; import { showExternalIncentivesTooltip } from 'src/utils/utils'; @@ -23,7 +24,6 @@ import { FormattedNumber } from '../../../components/primitives/FormattedNumber' import { Link, ROUTES } from '../../../components/primitives/Link'; import { TokenIcon } from '../../../components/primitives/TokenIcon'; import { ComputedReserveData } from '../../../hooks/app-data-provider/useAppDataProvider'; -import { useModalContext } from 'src/hooks/useModal'; export const UmbrellaAssetsListItem = ({ ...reserve }: ComputedReserveData) => { const router = useRouter(); diff --git a/src/modules/umbrella/StakeAssets/UmbrellaAssetsListMobileItem.tsx b/src/modules/umbrella/StakeAssets/UmbrellaAssetsListMobileItem.tsx index 76e019dea0..55b38eab27 100644 --- a/src/modules/umbrella/StakeAssets/UmbrellaAssetsListMobileItem.tsx +++ b/src/modules/umbrella/StakeAssets/UmbrellaAssetsListMobileItem.tsx @@ -6,6 +6,7 @@ import { SuperFestTooltip } from 'src/components/infoTooltips/SuperFestTooltip'; import { VariableAPYTooltip } from 'src/components/infoTooltips/VariableAPYTooltip'; import { NoData } from 'src/components/primitives/NoData'; import { ReserveSubheader } from 'src/components/ReserveSubheader'; +import { useModalContext } from 'src/hooks/useModal'; import { useRootStore } from 'src/store/root'; import { MARKETS } from 'src/utils/mixPanelEvents'; import { showExternalIncentivesTooltip } from 'src/utils/utils'; @@ -18,8 +19,6 @@ import { Row } from '../../../components/primitives/Row'; import { ComputedReserveData } from '../../../hooks/app-data-provider/useAppDataProvider'; import { ListMobileItemWrapper } from '../../dashboard/lists/ListMobileItemWrapper'; -import { useModalContext } from 'src/hooks/useModal'; - export const UmbrellaAssetsListMobileItem = ({ ...reserve }: ComputedReserveData) => { const [trackEvent, currentMarket] = useRootStore( useShallow((store) => [store.trackEvent, store.currentMarket]) diff --git a/src/modules/umbrella/StakeAssets/UmbrellaStakeAssetsListItem.tsx b/src/modules/umbrella/StakeAssets/UmbrellaStakeAssetsListItem.tsx index d3717c5693..f26678922c 100644 --- a/src/modules/umbrella/StakeAssets/UmbrellaStakeAssetsListItem.tsx +++ b/src/modules/umbrella/StakeAssets/UmbrellaStakeAssetsListItem.tsx @@ -10,6 +10,7 @@ import { IsolatedEnabledBadge } from 'src/components/isolationMode/IsolatedBadge import { NoData } from 'src/components/primitives/NoData'; import { ReserveSubheader } from 'src/components/ReserveSubheader'; import { AssetsBeingOffboarded } from 'src/components/Warnings/OffboardingWarning'; +import { useModalContext } from 'src/hooks/useModal'; import { useRootStore } from 'src/store/root'; import { MARKETS } from 'src/utils/mixPanelEvents'; import { showExternalIncentivesTooltip } from 'src/utils/utils'; @@ -23,7 +24,6 @@ import { FormattedNumber } from '../../../components/primitives/FormattedNumber' import { Link, ROUTES } from '../../../components/primitives/Link'; import { TokenIcon } from '../../../components/primitives/TokenIcon'; import { ComputedReserveData } from '../../../hooks/app-data-provider/useAppDataProvider'; -import { useModalContext } from 'src/hooks/useModal'; export const UmbrellaStakeAssetsListItem = ({ ...reserve }: ComputedReserveData) => { const router = useRouter(); diff --git a/src/modules/umbrella/UmbrellaActions.tsx b/src/modules/umbrella/UmbrellaActions.tsx index dcf88e2d93..1b91860293 100644 --- a/src/modules/umbrella/UmbrellaActions.tsx +++ b/src/modules/umbrella/UmbrellaActions.tsx @@ -1,10 +1,15 @@ -import { ProtocolAction, Stake } from '@aave/contract-helpers'; import { Trans } from '@lingui/macro'; import { BoxProps } from '@mui/material'; +import { TxActionsWrapper } from 'src/components/transactions/TxActionsWrapper'; +import { useApprovalTx } from 'src/hooks/useApprovalTx'; +import { useApprovedAmount } from 'src/hooks/useApprovedAmount'; +import { useModalContext } from 'src/hooks/useModal'; +import { useWeb3Context } from 'src/libs/hooks/useWeb3Context'; import { useRootStore } from 'src/store/root'; +import { getErrorTextFromError, TxAction } from 'src/ui-config/errorMapping'; import { useShallow } from 'zustand/shallow'; -import { useTransactionHandler } from 'src/helpers/useTransactionHandler'; -import { TxActionsWrapper } from 'src/components/transactions/TxActionsWrapper'; + +import { StakeGatewayService } from './services/StakeGatewayService'; export interface StakeActionProps extends BoxProps { amountToStake: string; @@ -26,39 +31,69 @@ export const UmbrellaActions = ({ event, ...props }: StakeActionProps) => { - const [stake, stakeWithPermit] = useRootStore( - useShallow((state) => [state.stake, state.stakeWithPermit]) + const [estimateGasLimit, tryPermit] = useRootStore( + useShallow((state) => [state.estimateGasLimit, state.tryPermit]) ); - // once stk abpt v1 is deprecated, this check can be removed and we can always try permit - const tryPermit = selectedToken !== Stake.bpt; + const { + approvalTxState, + mainTxState, + loadingTxns, + setLoadingTxns, + setApprovalTxState, + setMainTxState, + setGasLimit, + setTxError, + } = useModalContext(); + + const { data: approvedAmount } = useApprovedAmount({ + chainId: 1, + token: selectedToken, + spender: '', + }); + + const {} = useApprovalTx({}); + + const { currentAccount, sendTx } = useWeb3Context(); + + const requiresApproval = false; + + const permitAvailable = tryPermit({ reserveAddress: selectedToken, os }); + + const usePermit = permitAvailable && walletApprovalMethodPreference === ApprovalMethod.PERMIT; + + const action = async () => { + try { + setMainTxState({ ...mainTxState, loading: true }); + const stakeService = new StakeGatewayService(''); + let stakeTxData = stakeService.stake(currentAccount, '', ''); + stakeTxData = await estimateGasLimit(stakeTxData); + const tx = await sendTx(stakeTxData); + await tx.wait(1); + setMainTxState({ + txHash: tx.hash, + loading: false, + success: true, + }); + + // addTransaction(response.hash, { + // action, + // txState: 'success', + // asset: poolAddress, + // amount: amountToSupply, + // assetName: symbol, + // }); - const { action, approval, requiresApproval, loadingTxns, approvalTxState, mainTxState } = - useTransactionHandler({ - tryPermit, - permitAction: ProtocolAction.stakeWithPermit, - protocolAction: ProtocolAction.stake, - handleGetTxns: async () => { - return stake({ - token: selectedToken, - amount: amountToStake.toString(), - }); - }, - handleGetPermitTxns: async (signature, deadline) => { - return stakeWithPermit({ - token: selectedToken, - amount: amountToStake.toString(), - signature: signature[0], - deadline, - }); - }, - eventTxInfo: { - amount: amountToStake, - assetName: selectedToken, - }, - skip: !amountToStake || parseFloat(amountToStake) === 0 || blocked, - deps: [amountToStake, selectedToken], - }); + // queryClient.invalidateQueries({ queryKey: queryKeysFactory.pool }); + } catch (error) { + const parsedError = getErrorTextFromError(error, TxAction.GAS_ESTIMATION, false); + setTxError(parsedError); + setMainTxState({ + txHash: undefined, + loading: false, + }); + } + }; return ( { const market: MarketDataType = marketsData[marketId as CustomMarket]; diff --git a/src/modules/umbrella/UmbrellaModal.tsx b/src/modules/umbrella/UmbrellaModal.tsx index d6e60e1a73..7ac6f0a58a 100644 --- a/src/modules/umbrella/UmbrellaModal.tsx +++ b/src/modules/umbrella/UmbrellaModal.tsx @@ -1,6 +1,7 @@ import React from 'react'; -import { ModalType, useModalContext } from 'src/hooks/useModal'; import { BasicModal } from 'src/components/primitives/BasicModal'; +import { ModalType, useModalContext } from 'src/hooks/useModal'; + import { UmbrellaModalContent } from './UmbrellaModalContent'; export const UmbrellaModal = () => { diff --git a/src/modules/umbrella/UmbrellaModalContent.tsx b/src/modules/umbrella/UmbrellaModalContent.tsx index e0e400582b..697f909cc1 100644 --- a/src/modules/umbrella/UmbrellaModalContent.tsx +++ b/src/modules/umbrella/UmbrellaModalContent.tsx @@ -3,27 +3,29 @@ import { normalize, valueToBigNumber } from '@aave/math-utils'; import { Trans } from '@lingui/macro'; import { Typography } from '@mui/material'; import React, { useRef, useState } from 'react'; -import { useGeneralStakeUiData } from 'src/hooks/stake/useGeneralStakeUiData'; -import { useUserStakeUiData } from 'src/hooks/stake/useUserStakeUiData'; -import { useModalContext } from 'src/hooks/useModal'; -import { useWeb3Context } from 'src/libs/hooks/useWeb3Context'; -import { useRootStore } from 'src/store/root'; -import { stakeAssetNameFormatted, stakeConfig } from 'src/ui-config/stakeConfig'; -import { getNetworkConfig } from 'src/utils/marketsAndNetworksConfig'; -import { STAKE } from 'src/utils/mixPanelEvents'; -import { CooldownWarning } from 'src/components/Warnings/CooldownWarning'; import { AssetInput } from 'src/components/transactions/AssetInput'; import { TxErrorView } from 'src/components/transactions/FlowCommons/Error'; import { GasEstimationError } from 'src/components/transactions/FlowCommons/GasEstimationError'; import { TxSuccessView } from 'src/components/transactions/FlowCommons/Success'; import { + DetailsCooldownLine, DetailsNumberLine, TxModalDetails, - DetailsCooldownLine, } from 'src/components/transactions/FlowCommons/TxModalDetails'; import { TxModalTitle } from 'src/components/transactions/FlowCommons/TxModalTitle'; import { ChangeNetworkWarning } from 'src/components/transactions/Warnings/ChangeNetworkWarning'; +import { CooldownWarning } from 'src/components/Warnings/CooldownWarning'; +import { useGeneralStakeUiData } from 'src/hooks/stake/useGeneralStakeUiData'; +import { useUserStakeUiData } from 'src/hooks/stake/useUserStakeUiData'; +import { useModalContext } from 'src/hooks/useModal'; +import { useWeb3Context } from 'src/libs/hooks/useWeb3Context'; +import { useRootStore } from 'src/store/root'; +import { stakeAssetNameFormatted, stakeConfig } from 'src/ui-config/stakeConfig'; +import { getNetworkConfig } from 'src/utils/marketsAndNetworksConfig'; +import { STAKE } from 'src/utils/mixPanelEvents'; + import { UmbrellaActions } from './UmbrellaActions'; + export type StakeProps = { umbrellaAssetName: string; icon: string; diff --git a/src/modules/umbrella/UserStakedAssets/UmbrellaUserStakeAssetsList.tsx b/src/modules/umbrella/UserStakedAssets/UmbrellaUserStakeAssetsList.tsx index 2b558b6f7d..e53585c79a 100644 --- a/src/modules/umbrella/UserStakedAssets/UmbrellaUserStakeAssetsList.tsx +++ b/src/modules/umbrella/UserStakedAssets/UmbrellaUserStakeAssetsList.tsx @@ -1,27 +1,26 @@ -import { useMemo } from 'react'; +import { ChainId } from '@aave/contract-helpers'; import { Trans } from '@lingui/macro'; import { useMediaQuery } from '@mui/material'; -import { useState } from 'react'; +import { useMemo, useState } from 'react'; import { VariableAPYTooltip } from 'src/components/infoTooltips/VariableAPYTooltip'; import { ListColumn } from 'src/components/lists/ListColumn'; import { ListHeaderTitle } from 'src/components/lists/ListHeaderTitle'; import { ListHeaderWrapper } from 'src/components/lists/ListHeaderWrapper'; import { ComputedReserveData } from 'src/hooks/app-data-provider/useAppDataProvider'; +import { TokenInfoWithBalance, useTokensBalance } from 'src/hooks/generic/useTokensBalance'; import { useRootStore } from 'src/store/root'; import { useShallow } from 'zustand/shallow'; -import { TokenInfoWithBalance, useTokensBalance } from 'src/hooks/generic/useTokensBalance'; import { useStakeData, - useUserStakeData, useStakedDataWithTokenBalances, + useUserStakeData, } from '../hooks/useStakeData'; -import { UmbrellaUserStakeAssetsListItem } from './UmbrellaUserStakeAssetsListItem'; -// import { UmbrellaStakeAssetsListItem } from './UmbrellaStakeAssetsListItem'; -import { UmbrellaUserAssetsListItemLoader } from './UmbrellaUserAssetsListItemLoader'; import { UmbrellaAssetsListMobileItem } from './UmbrellaAssetsListMobileItem'; import { UmbrellaAssetsListMobileItemLoader } from './UmbrellaAssetsListMobileItemLoader'; -import { ChainId } from '@aave/contract-helpers'; +// import { UmbrellaStakeAssetsListItem } from './UmbrellaStakeAssetsListItem'; +import { UmbrellaUserAssetsListItemLoader } from './UmbrellaUserAssetsListItemLoader'; +import { UmbrellaUserStakeAssetsListItem } from './UmbrellaUserStakeAssetsListItem'; const listHeaders = [ { diff --git a/src/modules/umbrella/UserStakedAssets/UmbrellaUserStakeAssetsListContainer.tsx b/src/modules/umbrella/UserStakedAssets/UmbrellaUserStakeAssetsListContainer.tsx index 6b94119b00..c646f6defd 100644 --- a/src/modules/umbrella/UserStakedAssets/UmbrellaUserStakeAssetsListContainer.tsx +++ b/src/modules/umbrella/UserStakedAssets/UmbrellaUserStakeAssetsListContainer.tsx @@ -8,13 +8,13 @@ import { Link } from 'src/components/primitives/Link'; import { Warning } from 'src/components/primitives/Warning'; import { TitleWithSearchBar } from 'src/components/TitleWithSearchBar'; import { useAppDataContext } from 'src/hooks/app-data-provider/useAppDataProvider'; -import UmbrellaAssetsList from './UmbrellaUserStakeAssetsList'; import { useRootStore } from 'src/store/root'; import { fetchIconSymbolAndName } from 'src/ui-config/reservePatches'; import { getGhoReserve, GHO_MINTING_MARKETS, GHO_SYMBOL } from 'src/utils/ghoUtilities'; import { useShallow } from 'zustand/shallow'; import { GENERAL } from '../../../utils/mixPanelEvents'; +import UmbrellaAssetsList from './UmbrellaUserStakeAssetsList'; function shouldDisplayGhoBanner(marketTitle: string, searchTerm: string): boolean { // GHO banner is only displayed on markets where new GHO is mintable (i.e. Ethereum) diff --git a/src/modules/umbrella/UserStakedAssets/UmbrellaUserStakeAssetsListItem.tsx b/src/modules/umbrella/UserStakedAssets/UmbrellaUserStakeAssetsListItem.tsx index 0576138ebe..1ec5985e42 100644 --- a/src/modules/umbrella/UserStakedAssets/UmbrellaUserStakeAssetsListItem.tsx +++ b/src/modules/umbrella/UserStakedAssets/UmbrellaUserStakeAssetsListItem.tsx @@ -10,6 +10,7 @@ import { IsolatedEnabledBadge } from 'src/components/isolationMode/IsolatedBadge import { NoData } from 'src/components/primitives/NoData'; import { ReserveSubheader } from 'src/components/ReserveSubheader'; import { AssetsBeingOffboarded } from 'src/components/Warnings/OffboardingWarning'; +import { useModalContext } from 'src/hooks/useModal'; import { useRootStore } from 'src/store/root'; import { MARKETS } from 'src/utils/mixPanelEvents'; import { showExternalIncentivesTooltip } from 'src/utils/utils'; @@ -23,7 +24,6 @@ import { FormattedNumber } from '../../../components/primitives/FormattedNumber' import { Link, ROUTES } from '../../../components/primitives/Link'; import { TokenIcon } from '../../../components/primitives/TokenIcon'; import { ComputedReserveData } from '../../../hooks/app-data-provider/useAppDataProvider'; -import { useModalContext } from 'src/hooks/useModal'; export const UmbrellaUserStakeAssetsListItem = ({ ...reserve }: ComputedReserveData) => { const router = useRouter(); diff --git a/src/modules/umbrella/hooks/useStakeData.ts b/src/modules/umbrella/hooks/useStakeData.ts index 335570243a..4f7af60a6e 100644 --- a/src/modules/umbrella/hooks/useStakeData.ts +++ b/src/modules/umbrella/hooks/useStakeData.ts @@ -1,10 +1,10 @@ +import { formatUnits } from '@ethersproject/units'; import { useQuery } from '@tanstack/react-query'; +import { Multicall } from 'ethereum-multicall'; +import { TokenInfoWithBalance, useTokensBalance } from 'src/hooks/generic/useTokensBalance'; import { MarketDataType } from 'src/ui-config/marketsConfig'; import { useSharedDependencies } from 'src/ui-config/SharedDependenciesProvider'; -import { TokenInfoWithBalance, useTokensBalance } from 'src/hooks/generic/useTokensBalance'; -import { Multicall } from 'ethereum-multicall'; import { getProvider } from 'src/utils/marketsAndNetworksConfig'; -import { formatUnits } from '@ethersproject/units'; export const useStakeData = (marketData: MarketDataType) => { const { stakeDataService } = useSharedDependencies(); diff --git a/src/modules/umbrella/services/StakeGatewayService.ts b/src/modules/umbrella/services/StakeGatewayService.ts new file mode 100644 index 0000000000..960464aecf --- /dev/null +++ b/src/modules/umbrella/services/StakeGatewayService.ts @@ -0,0 +1,24 @@ +import { gasLimitRecommendations, ProtocolAction } from '@aave/contract-helpers'; +import { BigNumber, PopulatedTransaction } from 'ethers'; + +import { StakeGatewayInterface } from './types/StakeGateway'; +import { StakeGateway__factory } from './types/StakeGateway__factory'; + +export class StakeGatewayService { + private readonly interface: StakeGatewayInterface; + + constructor(private readonly stakeGatewayAddress: string) { + this.interface = StakeGateway__factory.createInterface(); + } + + stake(user: string, stakeTokenAddress: string, amount: string) { + const tx: PopulatedTransaction = {}; + const txData = this.interface.encodeFunctionData('stake', [stakeTokenAddress, amount]); + tx.data = txData; + tx.from = user; + tx.to = this.stakeGatewayAddress; + // TODO: change properly + tx.gasLimit = BigNumber.from(gasLimitRecommendations[ProtocolAction.supply].recommended); + return tx; + } +} diff --git a/src/modules/umbrella/services/types/StakeGateway.ts b/src/modules/umbrella/services/types/StakeGateway.ts new file mode 100644 index 0000000000..7714dc18ee --- /dev/null +++ b/src/modules/umbrella/services/types/StakeGateway.ts @@ -0,0 +1,304 @@ +/* Autogenerated file. Do not edit manually. */ +/* tslint:disable */ +/* eslint-disable */ +import type { + BaseContract, + BigNumber, + BigNumberish, + BytesLike, + CallOverrides, + ContractTransaction, + Overrides, + PopulatedTransaction, + Signer, + utils, +} from "ethers"; +import type { FunctionFragment, Result } from "@ethersproject/abi"; +import type { Listener, Provider } from "@ethersproject/providers"; +import type { + TypedEventFilter, + TypedEvent, + TypedListener, + OnEvent, +} from "./common"; + +export interface StakeGatewayInterface extends utils.Interface { + functions: { + "stake(address,uint256)": FunctionFragment; + "stakeATokens(address,uint256)": FunctionFragment; + "stakeATokensWithPermit(address,uint256,uint256,uint8,bytes32,bytes32)": FunctionFragment; + "stakeWithPermit(address,uint256,uint256,uint8,bytes32,bytes32)": FunctionFragment; + "stataTokenFactory()": FunctionFragment; + }; + + getFunction( + nameOrSignatureOrTopic: + | "stake" + | "stakeATokens" + | "stakeATokensWithPermit" + | "stakeWithPermit" + | "stataTokenFactory" + ): FunctionFragment; + + encodeFunctionData( + functionFragment: "stake", + values: [string, BigNumberish] + ): string; + encodeFunctionData( + functionFragment: "stakeATokens", + values: [string, BigNumberish] + ): string; + encodeFunctionData( + functionFragment: "stakeATokensWithPermit", + values: [ + string, + BigNumberish, + BigNumberish, + BigNumberish, + BytesLike, + BytesLike + ] + ): string; + encodeFunctionData( + functionFragment: "stakeWithPermit", + values: [ + string, + BigNumberish, + BigNumberish, + BigNumberish, + BytesLike, + BytesLike + ] + ): string; + encodeFunctionData( + functionFragment: "stataTokenFactory", + values?: undefined + ): string; + + decodeFunctionResult(functionFragment: "stake", data: BytesLike): Result; + decodeFunctionResult( + functionFragment: "stakeATokens", + data: BytesLike + ): Result; + decodeFunctionResult( + functionFragment: "stakeATokensWithPermit", + data: BytesLike + ): Result; + decodeFunctionResult( + functionFragment: "stakeWithPermit", + data: BytesLike + ): Result; + decodeFunctionResult( + functionFragment: "stataTokenFactory", + data: BytesLike + ): Result; + + events: {}; +} + +export interface StakeGateway extends BaseContract { + connect(signerOrProvider: Signer | Provider | string): this; + attach(addressOrName: string): this; + deployed(): Promise; + + interface: StakeGatewayInterface; + + queryFilter( + event: TypedEventFilter, + fromBlockOrBlockhash?: string | number | undefined, + toBlock?: string | number | undefined + ): Promise>; + + listeners( + eventFilter?: TypedEventFilter + ): Array>; + listeners(eventName?: string): Array; + removeAllListeners( + eventFilter: TypedEventFilter + ): this; + removeAllListeners(eventName?: string): this; + off: OnEvent; + on: OnEvent; + once: OnEvent; + removeListener: OnEvent; + + functions: { + stake( + stakeToken: string, + amount: BigNumberish, + overrides?: Overrides & { from?: string } + ): Promise; + + stakeATokens( + stakeToken: string, + amount: BigNumberish, + overrides?: Overrides & { from?: string } + ): Promise; + + stakeATokensWithPermit( + stakeToken: string, + amount: BigNumberish, + deadline: BigNumberish, + v: BigNumberish, + r: BytesLike, + s: BytesLike, + overrides?: Overrides & { from?: string } + ): Promise; + + stakeWithPermit( + stakeToken: string, + amount: BigNumberish, + deadline: BigNumberish, + v: BigNumberish, + r: BytesLike, + s: BytesLike, + overrides?: Overrides & { from?: string } + ): Promise; + + stataTokenFactory(overrides?: CallOverrides): Promise<[string]>; + }; + + stake( + stakeToken: string, + amount: BigNumberish, + overrides?: Overrides & { from?: string } + ): Promise; + + stakeATokens( + stakeToken: string, + amount: BigNumberish, + overrides?: Overrides & { from?: string } + ): Promise; + + stakeATokensWithPermit( + stakeToken: string, + amount: BigNumberish, + deadline: BigNumberish, + v: BigNumberish, + r: BytesLike, + s: BytesLike, + overrides?: Overrides & { from?: string } + ): Promise; + + stakeWithPermit( + stakeToken: string, + amount: BigNumberish, + deadline: BigNumberish, + v: BigNumberish, + r: BytesLike, + s: BytesLike, + overrides?: Overrides & { from?: string } + ): Promise; + + stataTokenFactory(overrides?: CallOverrides): Promise; + + callStatic: { + stake( + stakeToken: string, + amount: BigNumberish, + overrides?: CallOverrides + ): Promise; + + stakeATokens( + stakeToken: string, + amount: BigNumberish, + overrides?: CallOverrides + ): Promise; + + stakeATokensWithPermit( + stakeToken: string, + amount: BigNumberish, + deadline: BigNumberish, + v: BigNumberish, + r: BytesLike, + s: BytesLike, + overrides?: CallOverrides + ): Promise; + + stakeWithPermit( + stakeToken: string, + amount: BigNumberish, + deadline: BigNumberish, + v: BigNumberish, + r: BytesLike, + s: BytesLike, + overrides?: CallOverrides + ): Promise; + + stataTokenFactory(overrides?: CallOverrides): Promise; + }; + + filters: {}; + + estimateGas: { + stake( + stakeToken: string, + amount: BigNumberish, + overrides?: Overrides & { from?: string } + ): Promise; + + stakeATokens( + stakeToken: string, + amount: BigNumberish, + overrides?: Overrides & { from?: string } + ): Promise; + + stakeATokensWithPermit( + stakeToken: string, + amount: BigNumberish, + deadline: BigNumberish, + v: BigNumberish, + r: BytesLike, + s: BytesLike, + overrides?: Overrides & { from?: string } + ): Promise; + + stakeWithPermit( + stakeToken: string, + amount: BigNumberish, + deadline: BigNumberish, + v: BigNumberish, + r: BytesLike, + s: BytesLike, + overrides?: Overrides & { from?: string } + ): Promise; + + stataTokenFactory(overrides?: CallOverrides): Promise; + }; + + populateTransaction: { + stake( + stakeToken: string, + amount: BigNumberish, + overrides?: Overrides & { from?: string } + ): Promise; + + stakeATokens( + stakeToken: string, + amount: BigNumberish, + overrides?: Overrides & { from?: string } + ): Promise; + + stakeATokensWithPermit( + stakeToken: string, + amount: BigNumberish, + deadline: BigNumberish, + v: BigNumberish, + r: BytesLike, + s: BytesLike, + overrides?: Overrides & { from?: string } + ): Promise; + + stakeWithPermit( + stakeToken: string, + amount: BigNumberish, + deadline: BigNumberish, + v: BigNumberish, + r: BytesLike, + s: BytesLike, + overrides?: Overrides & { from?: string } + ): Promise; + + stataTokenFactory(overrides?: CallOverrides): Promise; + }; +} diff --git a/src/modules/umbrella/services/types/StakeGateway__factory.ts b/src/modules/umbrella/services/types/StakeGateway__factory.ts new file mode 100644 index 0000000000..6057c9d586 --- /dev/null +++ b/src/modules/umbrella/services/types/StakeGateway__factory.ts @@ -0,0 +1,200 @@ +/* Autogenerated file. Do not edit manually. */ +/* tslint:disable */ +/* eslint-disable */ +import { Signer, utils, Contract, ContractFactory, Overrides } from "ethers"; +import type { Provider, TransactionRequest } from "@ethersproject/providers"; +import type { StakeGateway, StakeGatewayInterface } from "./StakeGateway"; + +const _abi = [ + { + type: "constructor", + inputs: [ + { + name: "_stataTokenFactory", + type: "address", + internalType: "contract IStataTokenFactory", + }, + ], + stateMutability: "nonpayable", + }, + { + type: "function", + name: "stake", + inputs: [ + { + name: "stakeToken", + type: "address", + internalType: "contract IERC4626StakeToken", + }, + { + name: "amount", + type: "uint256", + internalType: "uint256", + }, + ], + outputs: [], + stateMutability: "nonpayable", + }, + { + type: "function", + name: "stakeATokens", + inputs: [ + { + name: "stakeToken", + type: "address", + internalType: "contract IERC4626StakeToken", + }, + { + name: "amount", + type: "uint256", + internalType: "uint256", + }, + ], + outputs: [], + stateMutability: "nonpayable", + }, + { + type: "function", + name: "stakeATokensWithPermit", + inputs: [ + { + name: "stakeToken", + type: "address", + internalType: "contract IERC4626StakeToken", + }, + { + name: "amount", + type: "uint256", + internalType: "uint256", + }, + { + name: "deadline", + type: "uint256", + internalType: "uint256", + }, + { + name: "v", + type: "uint8", + internalType: "uint8", + }, + { + name: "r", + type: "bytes32", + internalType: "bytes32", + }, + { + name: "s", + type: "bytes32", + internalType: "bytes32", + }, + ], + outputs: [], + stateMutability: "nonpayable", + }, + { + type: "function", + name: "stakeWithPermit", + inputs: [ + { + name: "stakeToken", + type: "address", + internalType: "contract IERC4626StakeToken", + }, + { + name: "amount", + type: "uint256", + internalType: "uint256", + }, + { + name: "deadline", + type: "uint256", + internalType: "uint256", + }, + { + name: "v", + type: "uint8", + internalType: "uint8", + }, + { + name: "r", + type: "bytes32", + internalType: "bytes32", + }, + { + name: "s", + type: "bytes32", + internalType: "bytes32", + }, + ], + outputs: [], + stateMutability: "nonpayable", + }, + { + type: "function", + name: "stataTokenFactory", + inputs: [], + outputs: [ + { + name: "", + type: "address", + internalType: "contract IStataTokenFactory", + }, + ], + stateMutability: "view", + }, +] as const; + +const _bytecode = + "0x60a060405234801561001057600080fd5b50604051610e2b380380610e2b83398101604081905261002f91610040565b6001600160a01b0316608052610070565b60006020828403121561005257600080fd5b81516001600160a01b038116811461006957600080fd5b9392505050565b608051610d856100a660003960008181606101528181610176015281816104a50152818161077201526109d10152610d856000f3fe608060405234801561001057600080fd5b50600436106100575760003560e01c80631494088f1461005c5780634868658f1461009f57806373d6a889146100b4578063adc9772e146100c7578063dd8866b7146100da575b600080fd5b6100837f000000000000000000000000000000000000000000000000000000000000000081565b6040516001600160a01b03909116815260200160405180910390f35b6100b26100ad366004610c21565b6100ed565b005b6100b26100c2366004610c21565b61041c565b6100b26100d5366004610c83565b6106e9565b6100b26100e8366004610c83565b610948565b6000866001600160a01b03166338d52e0f6040518163ffffffff1660e01b8152600401602060405180830381865afa15801561012d573d6000803e3d6000fd5b505050506040513d601f19601f820116820180604052508101906101519190610caf565b6040516369853e0360e11b81526001600160a01b0380831660048301529192506000917f0000000000000000000000000000000000000000000000000000000000000000169063d30a7c0690602401602060405180830381865afa1580156101bd573d6000803e3d6000fd5b505050506040513d601f19601f820116820180604052508101906101e19190610caf565b90506000816001600160a01b031663a0c1f15e6040518163ffffffff1660e01b8152600401602060405180830381865afa158015610223573d6000803e3d6000fd5b505050506040513d601f19601f820116820180604052508101906102479190610caf565b905060001988036102bd576040516370a0823160e01b81523360048201526001600160a01b038216906370a0823190602401602060405180830381865afa158015610296573d6000803e3d6000fd5b505050506040513d601f19601f820116820180604052508101906102ba9190610cd3565b97505b60405163d505accf60e01b81526001600160a01b0382169063d505accf906102f590339030908d908d908d908d908d90600401610cec565b600060405180830381600087803b15801561030f57600080fd5b505af1158015610323573d6000803e3d6000fd5b505060405163e25ec34960e01b8152600481018b9052306024820152600092506001600160a01b038516915063e25ec349906044016020604051808303816000875af1158015610377573d6000803e3d6000fd5b505050506040513d601f19601f8201168201806040525081019061039b9190610cd3565b604051636e553f6560e01b8152600481018290523360248201529091506001600160a01b038b1690636e553f65906044016020604051808303816000875af11580156103eb573d6000803e3d6000fd5b505050506040513d601f19601f8201168201806040525081019061040f9190610cd3565b5050505050505050505050565b6000866001600160a01b03166338d52e0f6040518163ffffffff1660e01b8152600401602060405180830381865afa15801561045c573d6000803e3d6000fd5b505050506040513d601f19601f820116820180604052508101906104809190610caf565b6040516369853e0360e11b81526001600160a01b0380831660048301529192506000917f0000000000000000000000000000000000000000000000000000000000000000169063d30a7c0690602401602060405180830381865afa1580156104ec573d6000803e3d6000fd5b505050506040513d601f19601f820116820180604052508101906105109190610caf565b60405163d505accf60e01b81529091506001600160a01b0383169063d505accf9061054b90339030908c908c908c908c908c90600401610cec565b600060405180830381600087803b15801561056557600080fd5b505af1158015610579573d6000803e3d6000fd5b50506040516323b872dd60e01b8152336004820152306024820152604481018a90526001600160a01b03851692506323b872dd91506064016020604051808303816000875af11580156105d0573d6000803e3d6000fd5b505050506040513d601f19601f820116820180604052508101906105f49190610d2d565b50604051636e553f6560e01b8152600481018890523060248201526000906001600160a01b03831690636e553f65906044016020604051808303816000875af1158015610645573d6000803e3d6000fd5b505050506040513d601f19601f820116820180604052508101906106699190610cd3565b604051636e553f6560e01b8152600481018290523360248201529091506001600160a01b038a1690636e553f65906044016020604051808303816000875af11580156106b9573d6000803e3d6000fd5b505050506040513d601f19601f820116820180604052508101906106dd9190610cd3565b50505050505050505050565b6000826001600160a01b03166338d52e0f6040518163ffffffff1660e01b8152600401602060405180830381865afa158015610729573d6000803e3d6000fd5b505050506040513d601f19601f8201168201806040525081019061074d9190610caf565b6040516369853e0360e11b81526001600160a01b0380831660048301529192506000917f0000000000000000000000000000000000000000000000000000000000000000169063d30a7c0690602401602060405180830381865afa1580156107b9573d6000803e3d6000fd5b505050506040513d601f19601f820116820180604052508101906107dd9190610caf565b6040516323b872dd60e01b8152336004820152306024820152604481018590529091506001600160a01b038316906323b872dd906064016020604051808303816000875af1158015610833573d6000803e3d6000fd5b505050506040513d601f19601f820116820180604052508101906108579190610d2d565b50604051636e553f6560e01b8152600481018490523060248201526000906001600160a01b03831690636e553f65906044016020604051808303816000875af11580156108a8573d6000803e3d6000fd5b505050506040513d601f19601f820116820180604052508101906108cc9190610cd3565b604051636e553f6560e01b8152600481018290523360248201529091506001600160a01b03861690636e553f65906044016020604051808303816000875af115801561091c573d6000803e3d6000fd5b505050506040513d601f19601f820116820180604052508101906109409190610cd3565b505050505050565b6000826001600160a01b03166338d52e0f6040518163ffffffff1660e01b8152600401602060405180830381865afa158015610988573d6000803e3d6000fd5b505050506040513d601f19601f820116820180604052508101906109ac9190610caf565b6040516369853e0360e11b81526001600160a01b0380831660048301529192506000917f0000000000000000000000000000000000000000000000000000000000000000169063d30a7c0690602401602060405180830381865afa158015610a18573d6000803e3d6000fd5b505050506040513d601f19601f82011682018060405250810190610a3c9190610caf565b90506000816001600160a01b031663a0c1f15e6040518163ffffffff1660e01b8152600401602060405180830381865afa158015610a7e573d6000803e3d6000fd5b505050506040513d601f19601f82011682018060405250810190610aa29190610caf565b90506000198403610b18576040516370a0823160e01b81523360048201526001600160a01b038216906370a0823190602401602060405180830381865afa158015610af1573d6000803e3d6000fd5b505050506040513d601f19601f82011682018060405250810190610b159190610cd3565b93505b60405163e25ec34960e01b8152600481018590523060248201526000906001600160a01b0384169063e25ec349906044016020604051808303816000875af1158015610b68573d6000803e3d6000fd5b505050506040513d601f19601f82011682018060405250810190610b8c9190610cd3565b604051636e553f6560e01b8152600481018290523360248201529091506001600160a01b03871690636e553f65906044016020604051808303816000875af1158015610bdc573d6000803e3d6000fd5b505050506040513d601f19601f82011682018060405250810190610c009190610cd3565b50505050505050565b6001600160a01b0381168114610c1e57600080fd5b50565b60008060008060008060c08789031215610c3a57600080fd5b8635610c4581610c09565b95506020870135945060408701359350606087013560ff81168114610c6957600080fd5b9598949750929560808101359460a0909101359350915050565b60008060408385031215610c9657600080fd5b8235610ca181610c09565b946020939093013593505050565b600060208284031215610cc157600080fd5b8151610ccc81610c09565b9392505050565b600060208284031215610ce557600080fd5b5051919050565b6001600160a01b0397881681529590961660208601526040850193909352606084019190915260ff16608083015260a082015260c081019190915260e00190565b600060208284031215610d3f57600080fd5b81518015158114610ccc57600080fdfea264697066735822122028e1f48bca56775964a55029f8b38bc74c1c720cb0aee439c3b916647587611e64736f6c63430008140033"; + +type StakeGatewayConstructorParams = + | [signer?: Signer] + | ConstructorParameters; + +const isSuperArgs = ( + xs: StakeGatewayConstructorParams +): xs is ConstructorParameters => xs.length > 1; + +export class StakeGateway__factory extends ContractFactory { + constructor(...args: StakeGatewayConstructorParams) { + if (isSuperArgs(args)) { + super(...args); + } else { + super(_abi, _bytecode, args[0]); + } + } + + override deploy( + _stataTokenFactory: string, + overrides?: Overrides & { from?: string } + ): Promise { + return super.deploy( + _stataTokenFactory, + overrides || {} + ) as Promise; + } + override getDeployTransaction( + _stataTokenFactory: string, + overrides?: Overrides & { from?: string } + ): TransactionRequest { + return super.getDeployTransaction(_stataTokenFactory, overrides || {}); + } + override attach(address: string): StakeGateway { + return super.attach(address) as StakeGateway; + } + override connect(signer: Signer): StakeGateway__factory { + return super.connect(signer) as StakeGateway__factory; + } + + static readonly bytecode = _bytecode; + static readonly abi = _abi; + static createInterface(): StakeGatewayInterface { + return new utils.Interface(_abi) as StakeGatewayInterface; + } + static connect( + address: string, + signerOrProvider: Signer | Provider + ): StakeGateway { + return new Contract(address, _abi, signerOrProvider) as StakeGateway; + } +} diff --git a/src/modules/umbrella/services/types/common.ts b/src/modules/umbrella/services/types/common.ts index 0fb82cd374..2fc40c7fb1 100644 --- a/src/modules/umbrella/services/types/common.ts +++ b/src/modules/umbrella/services/types/common.ts @@ -1,11 +1,12 @@ /* Autogenerated file. Do not edit manually. */ +/* tslint:disable */ /* eslint-disable */ -import type { Listener } from '@ethersproject/providers'; -import type { Event, EventFilter } from 'ethers'; +import type { Listener } from "@ethersproject/providers"; +import type { Event, EventFilter } from "ethers"; export interface TypedEvent< TArgsArray extends Array = any, - TArgsObject = any, + TArgsObject = any > extends Event { args: TArgsArray & TArgsObject; } @@ -22,7 +23,7 @@ type __TypechainArgsArray = T extends TypedEvent ? U : never; export interface OnEvent { ( eventFilter: TypedEventFilter, - listener: TypedListener, + listener: TypedListener ): TRes; (eventName: string, listener: Listener): TRes; } @@ -39,5 +40,5 @@ export type GetContractTypeFromFactory = F extends MinEthersFactory< : never; export type GetARGsTypeFromFactory = F extends MinEthersFactory - ? Parameters + ? Parameters : never; From 74e3c09c4b8b74a2466ff46d8d52992ff3378ea6 Mon Sep 17 00:00:00 2001 From: Joaquin Battilana Date: Thu, 16 Jan 2025 03:18:07 -0300 Subject: [PATCH 013/110] feat: added basic selectors --- src/hooks/useModal.tsx | 9 +++++---- src/modules/umbrella/UmbrellaModalContent.tsx | 9 ++++----- src/modules/umbrella/hooks/useStakeData.ts | 12 +++++++++--- 3 files changed, 18 insertions(+), 12 deletions(-) diff --git a/src/hooks/useModal.tsx b/src/hooks/useModal.tsx index 3cc83ae053..1609786f49 100644 --- a/src/hooks/useModal.tsx +++ b/src/hooks/useModal.tsx @@ -42,6 +42,7 @@ export interface ModalArgsType { power?: string; icon?: string; stakeAssetName?: Stake; + uStakeToken?: string; isFrozen?: boolean; representatives?: Array<{ chainId: ChainId; representative: string }>; chainId?: number; @@ -97,7 +98,7 @@ export interface ModalContextType { openStakeCooldown: (stakeAssetName: Stake, icon: string) => void; openStakeRewardsClaim: (stakeAssetName: Stake, icon: string) => void; openStakeRewardsRestakeClaim: (stakeAssetName: Stake, icon: string) => void; - openUmbrella: (umbrellaAssetName: string, icon: string) => void; + openUmbrella: (uStakeToken: string, icon: string) => void; openClaimRewards: () => void; openEmode: () => void; openFaucet: (underlyingAsset: string) => void; @@ -266,12 +267,12 @@ export const ModalContextProvider: React.FC = ({ children }) setType(ModalType.StakeRewardsClaimRestake); setArgs({ stakeAssetName, icon }); }, - openUmbrella: (umbrellaAssetName, icon) => { + openUmbrella: (uStakeToken, icon) => { console.log('HELLO!!!'); - trackEvent(GENERAL.OPEN_MODAL, { modal: 'Umbrella', assetName: umbrellaAssetName }); + trackEvent(GENERAL.OPEN_MODAL, { modal: 'Umbrella', uStakeToken: uStakeToken }); setType(ModalType.Umbrella); - setArgs({ umbrellaAssetName, icon }); + setArgs({ uStakeToken, icon }); }, openClaimRewards: () => { trackEvent(GENERAL.OPEN_MODAL, { modal: 'Claim' }); diff --git a/src/modules/umbrella/UmbrellaModalContent.tsx b/src/modules/umbrella/UmbrellaModalContent.tsx index 697f909cc1..3c33d35126 100644 --- a/src/modules/umbrella/UmbrellaModalContent.tsx +++ b/src/modules/umbrella/UmbrellaModalContent.tsx @@ -25,6 +25,7 @@ import { getNetworkConfig } from 'src/utils/marketsAndNetworksConfig'; import { STAKE } from 'src/utils/mixPanelEvents'; import { UmbrellaActions } from './UmbrellaActions'; +import { selectStakeDataByAddress, selectUserStakeDataByAddress, useStakeData, useUserStakeData } from './hooks/useStakeData'; export type StakeProps = { umbrellaAssetName: string; @@ -40,12 +41,10 @@ export const UmbrellaModalContent = ({ umbrellaAssetName, icon }: StakeProps) => const currentMarketData = useRootStore((store) => store.currentMarketData); const currentNetworkConfig = useRootStore((store) => store.currentNetworkConfig); const currentChainId = useRootStore((store) => store.currentChainId); + const user = useRootStore((store) => store.account); - const { data: stakeUserResult } = useUserStakeUiData(currentMarketData, umbrellaAssetName); - const { data: stakeGeneralResult } = useGeneralStakeUiData(currentMarketData, umbrellaAssetName); - - const stakeData = stakeGeneralResult?.[0]; - const stakeUserData = stakeUserResult?.[0]; + const { data: stakeData } = useStakeData(currentMarketData, { select: (stakeData) => selectStakeDataByAddress(stakeData, umbrellaAssetName)}); + const { data: userStakeData } = useUserStakeData(currentMarketData, user, { select: (userStakeData) => selectUserStakeDataByAddress(userStakeData, umbrellaAssetName)}); // states const [_amount, setAmount] = useState(''); diff --git a/src/modules/umbrella/hooks/useStakeData.ts b/src/modules/umbrella/hooks/useStakeData.ts index 4f7af60a6e..455d6fb7bf 100644 --- a/src/modules/umbrella/hooks/useStakeData.ts +++ b/src/modules/umbrella/hooks/useStakeData.ts @@ -1,22 +1,27 @@ import { formatUnits } from '@ethersproject/units'; import { useQuery } from '@tanstack/react-query'; import { Multicall } from 'ethereum-multicall'; -import { TokenInfoWithBalance, useTokensBalance } from 'src/hooks/generic/useTokensBalance'; +import { HookOpts } from 'src/hooks/commonTypes'; import { MarketDataType } from 'src/ui-config/marketsConfig'; import { useSharedDependencies } from 'src/ui-config/SharedDependenciesProvider'; import { getProvider } from 'src/utils/marketsAndNetworksConfig'; +import { StakeData, StakeUserData } from '../services/StakeDataProviderService'; -export const useStakeData = (marketData: MarketDataType) => { +export const selectStakeDataByAddress = (stakeData: StakeData[], address: string) => stakeData.find(elem => elem.stakeToken === address); +export const selectUserStakeDataByAddress = (stakeData: StakeUserData[], address: string) => stakeData.find(elem => elem.stakeToken === address); + +export const useStakeData = (marketData: MarketDataType, opts?: HookOpts) => { const { stakeDataService } = useSharedDependencies(); return useQuery({ queryFn: () => { return stakeDataService.getStakeData(marketData); }, queryKey: ['getStkTokens', marketData.marketTitle], + ...opts, }); }; -export const useUserStakeData = (marketData: MarketDataType, user: string) => { +export const useUserStakeData = (marketData: MarketDataType, user: string, opts?:HookOpts) => { const { stakeDataService } = useSharedDependencies(); return useQuery({ queryFn: () => { @@ -24,6 +29,7 @@ export const useUserStakeData = (marketData: MarketDataType, user: string) => { }, queryKey: ['getUserStakeData', marketData.marketTitle, user], enabled: !!user, + ...opts, }); }; From c020cd7f0daa6f53035c118342bd5dd6c93d0f8a Mon Sep 17 00:00:00 2001 From: Joaquin Battilana Date: Thu, 16 Jan 2025 04:08:09 -0300 Subject: [PATCH 014/110] feat: added new interfaces + types --- .../UmbrellaAssetsListContainer.tsx | 26 +- .../services/StakeDataProviderService.ts | 10 + .../services/types/StakeDataProvider.ts | 133 +++++-- .../types/StakeDataProvider__factory.ts | 327 ++++++++++-------- .../umbrella/services/types/StakeGateway.ts | 85 ++++- .../services/types/StakeGateway__factory.ts | 93 ++++- 6 files changed, 462 insertions(+), 212 deletions(-) diff --git a/src/modules/umbrella/StakeAssets/UmbrellaAssetsListContainer.tsx b/src/modules/umbrella/StakeAssets/UmbrellaAssetsListContainer.tsx index 190c6049b9..0299951a92 100644 --- a/src/modules/umbrella/StakeAssets/UmbrellaAssetsListContainer.tsx +++ b/src/modules/umbrella/StakeAssets/UmbrellaAssetsListContainer.tsx @@ -10,28 +10,11 @@ import { TitleWithSearchBar } from 'src/components/TitleWithSearchBar'; import { useAppDataContext } from 'src/hooks/app-data-provider/useAppDataProvider'; import { useRootStore } from 'src/store/root'; import { fetchIconSymbolAndName } from 'src/ui-config/reservePatches'; -import { getGhoReserve, GHO_MINTING_MARKETS, GHO_SYMBOL } from 'src/utils/ghoUtilities'; import { useShallow } from 'zustand/shallow'; import { GENERAL } from '../../../utils/mixPanelEvents'; import UmbrellaAssetsList from './UmbrellaAssetsList'; - -function shouldDisplayGhoBanner(marketTitle: string, searchTerm: string): boolean { - // GHO banner is only displayed on markets where new GHO is mintable (i.e. Ethereum) - // If GHO is listed as a reserve, then it will be displayed in the normal market asset list - if (!GHO_MINTING_MARKETS.includes(marketTitle)) { - return false; - } - - if (!searchTerm) { - return true; - } - - const normalizedSearchTerm = searchTerm.toLowerCase().trim(); - return ( - normalizedSearchTerm.length <= 3 && GHO_SYMBOL.toLowerCase().includes(normalizedSearchTerm) - ); -} +import { useStakeData } from '../hooks/useStakeData'; export const UmbrellaAssetsListContainer = () => { const { reserves, loading } = useAppDataContext(); @@ -47,14 +30,11 @@ export const UmbrellaAssetsListContainer = () => { const { breakpoints } = useTheme(); const sm = useMediaQuery(breakpoints.down('sm')); - const ghoReserve = getGhoReserve(reserves); - const displayGhoBanner = shouldDisplayGhoBanner(currentMarket, searchTerm); + const { data } = useStakeData(currentMarketData); const filteredData = reserves // Filter out any non-active reserves .filter((res) => res.isActive) - // Filter out GHO if the banner is being displayed - .filter((res) => (displayGhoBanner ? res !== ghoReserve : true)) // filter out any that don't meet search term criteria .filter((res) => { if (!searchTerm) return true; @@ -94,7 +74,7 @@ export const UmbrellaAssetsListContainer = () => { {/* Show no search results message if nothing hits in either list */} - {!loading && filteredData.length === 0 && !displayGhoBanner && ( + {!loading && filteredData.length === 0 && ( ({ diff --git a/src/modules/umbrella/services/types/StakeDataProvider.ts b/src/modules/umbrella/services/types/StakeDataProvider.ts index cb3cabefbc..23d4e96fce 100644 --- a/src/modules/umbrella/services/types/StakeDataProvider.ts +++ b/src/modules/umbrella/services/types/StakeDataProvider.ts @@ -10,20 +10,41 @@ import type { PopulatedTransaction, Signer, utils, -} from 'ethers'; -import type { FunctionFragment, Result } from '@ethersproject/abi'; -import type { Listener, Provider } from '@ethersproject/providers'; -import type { TypedEventFilter, TypedEvent, TypedListener, OnEvent } from './common'; +} from "ethers"; +import type { FunctionFragment, Result } from "@ethersproject/abi"; +import type { Listener, Provider } from "@ethersproject/providers"; +import type { + TypedEventFilter, + TypedEvent, + TypedListener, + OnEvent, +} from "./common"; export type WaTokenDataStruct = { waTokenUnderlying: string; + waTokenUnderlyingName: string; + waTokenUnderlyingSymbol: string; waTokenAToken: string; + waTokenATokenName: string; + waTokenATokenSymbol: string; waTokenPrice: BigNumberish; }; -export type WaTokenDataStructOutput = [string, string, BigNumber] & { +export type WaTokenDataStructOutput = [ + string, + string, + string, + string, + string, + string, + BigNumber +] & { waTokenUnderlying: string; + waTokenUnderlyingName: string; + waTokenUnderlyingSymbol: string; waTokenAToken: string; + waTokenATokenName: string; + waTokenATokenSymbol: string; waTokenPrice: BigNumber; }; @@ -36,7 +57,14 @@ export type RewardStruct = { apy: BigNumberish; }; -export type RewardStructOutput = [string, BigNumber, BigNumber, BigNumber, BigNumber, BigNumber] & { +export type RewardStructOutput = [ + string, + BigNumber, + BigNumber, + BigNumber, + BigNumber, + BigNumber +] & { rewardAddress: string; index: BigNumber; maxEmissionPerSecond: BigNumber; @@ -48,6 +76,7 @@ export type RewardStructOutput = [string, BigNumber, BigNumber, BigNumber, BigNu export type StakeDataStruct = { stakeToken: string; stakeTokenName: string; + stakeTokenSymbol: string; stakeTokenTotalSupply: BigNumberish; cooldownSeconds: BigNumberish; unstakeWindowSeconds: BigNumberish; @@ -59,6 +88,7 @@ export type StakeDataStruct = { }; export type StakeDataStructOutput = [ + string, string, string, BigNumber, @@ -72,6 +102,7 @@ export type StakeDataStructOutput = [ ] & { stakeToken: string; stakeTokenName: string; + stakeTokenSymbol: string; stakeTokenTotalSupply: BigNumber; cooldownSeconds: BigNumber; unstakeWindowSeconds: BigNumber; @@ -143,33 +174,57 @@ export type StakeUserDataStructOutput = [ export interface StakeDataProviderInterface extends utils.Interface { functions: { - 'getStakeData()': FunctionFragment; - 'getUserStakeData(address)': FunctionFragment; - 'rewardsController()': FunctionFragment; - 'stataTokenFactory()': FunctionFragment; - 'umbrella()': FunctionFragment; + "getStakeData()": FunctionFragment; + "getUserStakeData(address)": FunctionFragment; + "rewardsController()": FunctionFragment; + "stataTokenFactory()": FunctionFragment; + "umbrella()": FunctionFragment; }; getFunction( nameOrSignatureOrTopic: - | 'getStakeData' - | 'getUserStakeData' - | 'rewardsController' - | 'stataTokenFactory' - | 'umbrella' + | "getStakeData" + | "getUserStakeData" + | "rewardsController" + | "stataTokenFactory" + | "umbrella" ): FunctionFragment; - encodeFunctionData(functionFragment: 'getStakeData', values?: undefined): string; - encodeFunctionData(functionFragment: 'getUserStakeData', values: [string]): string; - encodeFunctionData(functionFragment: 'rewardsController', values?: undefined): string; - encodeFunctionData(functionFragment: 'stataTokenFactory', values?: undefined): string; - encodeFunctionData(functionFragment: 'umbrella', values?: undefined): string; - - decodeFunctionResult(functionFragment: 'getStakeData', data: BytesLike): Result; - decodeFunctionResult(functionFragment: 'getUserStakeData', data: BytesLike): Result; - decodeFunctionResult(functionFragment: 'rewardsController', data: BytesLike): Result; - decodeFunctionResult(functionFragment: 'stataTokenFactory', data: BytesLike): Result; - decodeFunctionResult(functionFragment: 'umbrella', data: BytesLike): Result; + encodeFunctionData( + functionFragment: "getStakeData", + values?: undefined + ): string; + encodeFunctionData( + functionFragment: "getUserStakeData", + values: [string] + ): string; + encodeFunctionData( + functionFragment: "rewardsController", + values?: undefined + ): string; + encodeFunctionData( + functionFragment: "stataTokenFactory", + values?: undefined + ): string; + encodeFunctionData(functionFragment: "umbrella", values?: undefined): string; + + decodeFunctionResult( + functionFragment: "getStakeData", + data: BytesLike + ): Result; + decodeFunctionResult( + functionFragment: "getUserStakeData", + data: BytesLike + ): Result; + decodeFunctionResult( + functionFragment: "rewardsController", + data: BytesLike + ): Result; + decodeFunctionResult( + functionFragment: "stataTokenFactory", + data: BytesLike + ): Result; + decodeFunctionResult(functionFragment: "umbrella", data: BytesLike): Result; events: {}; } @@ -191,7 +246,9 @@ export interface StakeDataProvider extends BaseContract { eventFilter?: TypedEventFilter ): Array>; listeners(eventName?: string): Array; - removeAllListeners(eventFilter: TypedEventFilter): this; + removeAllListeners( + eventFilter: TypedEventFilter + ): this; removeAllListeners(eventName?: string): this; off: OnEvent; on: OnEvent; @@ -215,7 +272,10 @@ export interface StakeDataProvider extends BaseContract { getStakeData(overrides?: CallOverrides): Promise; - getUserStakeData(user: string, overrides?: CallOverrides): Promise; + getUserStakeData( + user: string, + overrides?: CallOverrides + ): Promise; rewardsController(overrides?: CallOverrides): Promise; @@ -226,7 +286,10 @@ export interface StakeDataProvider extends BaseContract { callStatic: { getStakeData(overrides?: CallOverrides): Promise; - getUserStakeData(user: string, overrides?: CallOverrides): Promise; + getUserStakeData( + user: string, + overrides?: CallOverrides + ): Promise; rewardsController(overrides?: CallOverrides): Promise; @@ -240,7 +303,10 @@ export interface StakeDataProvider extends BaseContract { estimateGas: { getStakeData(overrides?: CallOverrides): Promise; - getUserStakeData(user: string, overrides?: CallOverrides): Promise; + getUserStakeData( + user: string, + overrides?: CallOverrides + ): Promise; rewardsController(overrides?: CallOverrides): Promise; @@ -252,7 +318,10 @@ export interface StakeDataProvider extends BaseContract { populateTransaction: { getStakeData(overrides?: CallOverrides): Promise; - getUserStakeData(user: string, overrides?: CallOverrides): Promise; + getUserStakeData( + user: string, + overrides?: CallOverrides + ): Promise; rewardsController(overrides?: CallOverrides): Promise; diff --git a/src/modules/umbrella/services/types/StakeDataProvider__factory.ts b/src/modules/umbrella/services/types/StakeDataProvider__factory.ts index 3e6324b881..1128f905d1 100644 --- a/src/modules/umbrella/services/types/StakeDataProvider__factory.ts +++ b/src/modules/umbrella/services/types/StakeDataProvider__factory.ts @@ -1,284 +1,312 @@ /* Autogenerated file. Do not edit manually. */ /* tslint:disable */ /* eslint-disable */ -import { Signer, utils, Contract, ContractFactory, Overrides } from 'ethers'; -import type { Provider, TransactionRequest } from '@ethersproject/providers'; -import type { StakeDataProvider, StakeDataProviderInterface } from './StakeDataProvider'; +import { Signer, utils, Contract, ContractFactory, Overrides } from "ethers"; +import type { Provider, TransactionRequest } from "@ethersproject/providers"; +import type { + StakeDataProvider, + StakeDataProviderInterface, +} from "./StakeDataProvider"; const _abi = [ { - type: 'constructor', + type: "constructor", inputs: [ { - name: '_umbrella', - type: 'address', - internalType: 'contract IUmbrellaStkManager', + name: "_umbrella", + type: "address", + internalType: "contract IUmbrellaStkManager", }, { - name: '_rewardsController', - type: 'address', - internalType: 'contract IRewardsController', + name: "_rewardsController", + type: "address", + internalType: "contract IRewardsController", }, { - name: '_stataTokenFactory', - type: 'address', - internalType: 'contract IStataTokenFactory', + name: "_stataTokenFactory", + type: "address", + internalType: "contract IStataTokenFactory", }, ], - stateMutability: 'nonpayable', + stateMutability: "nonpayable", }, { - type: 'function', - name: 'getStakeData', + type: "function", + name: "getStakeData", inputs: [], outputs: [ { - name: '', - type: 'tuple[]', - internalType: 'struct StakeData[]', + name: "", + type: "tuple[]", + internalType: "struct StakeData[]", components: [ { - name: 'stakeToken', - type: 'address', - internalType: 'address', + name: "stakeToken", + type: "address", + internalType: "address", }, { - name: 'stakeTokenName', - type: 'string', - internalType: 'string', + name: "stakeTokenName", + type: "string", + internalType: "string", }, { - name: 'stakeTokenTotalSupply', - type: 'uint256', - internalType: 'uint256', + name: "stakeTokenSymbol", + type: "string", + internalType: "string", }, { - name: 'cooldownSeconds', - type: 'uint256', - internalType: 'uint256', + name: "stakeTokenTotalSupply", + type: "uint256", + internalType: "uint256", }, { - name: 'unstakeWindowSeconds', - type: 'uint256', - internalType: 'uint256', + name: "cooldownSeconds", + type: "uint256", + internalType: "uint256", }, { - name: 'stakeTokenUnderlying', - type: 'address', - internalType: 'address', + name: "unstakeWindowSeconds", + type: "uint256", + internalType: "uint256", }, { - name: 'underlyingIsWaToken', - type: 'bool', - internalType: 'bool', + name: "stakeTokenUnderlying", + type: "address", + internalType: "address", }, { - name: 'waTokenData', - type: 'tuple', - internalType: 'struct WaTokenData', + name: "underlyingIsWaToken", + type: "bool", + internalType: "bool", + }, + { + name: "waTokenData", + type: "tuple", + internalType: "struct WaTokenData", components: [ { - name: 'waTokenUnderlying', - type: 'address', - internalType: 'address', + name: "waTokenUnderlying", + type: "address", + internalType: "address", + }, + { + name: "waTokenUnderlyingName", + type: "string", + internalType: "string", + }, + { + name: "waTokenUnderlyingSymbol", + type: "string", + internalType: "string", + }, + { + name: "waTokenAToken", + type: "address", + internalType: "address", + }, + { + name: "waTokenATokenName", + type: "string", + internalType: "string", }, { - name: 'waTokenAToken', - type: 'address', - internalType: 'address', + name: "waTokenATokenSymbol", + type: "string", + internalType: "string", }, { - name: 'waTokenPrice', - type: 'uint256', - internalType: 'uint256', + name: "waTokenPrice", + type: "uint256", + internalType: "uint256", }, ], }, { - name: 'rewards', - type: 'tuple[]', - internalType: 'struct Reward[]', + name: "rewards", + type: "tuple[]", + internalType: "struct Reward[]", components: [ { - name: 'rewardAddress', - type: 'address', - internalType: 'address', + name: "rewardAddress", + type: "address", + internalType: "address", }, { - name: 'index', - type: 'uint256', - internalType: 'uint256', + name: "index", + type: "uint256", + internalType: "uint256", }, { - name: 'maxEmissionPerSecond', - type: 'uint256', - internalType: 'uint256', + name: "maxEmissionPerSecond", + type: "uint256", + internalType: "uint256", }, { - name: 'distributionEnd', - type: 'uint256', - internalType: 'uint256', + name: "distributionEnd", + type: "uint256", + internalType: "uint256", }, { - name: 'currentEmissionPerSecond', - type: 'uint256', - internalType: 'uint256', + name: "currentEmissionPerSecond", + type: "uint256", + internalType: "uint256", }, { - name: 'apy', - type: 'uint256', - internalType: 'uint256', + name: "apy", + type: "uint256", + internalType: "uint256", }, ], }, { - name: 'underlyingTokenDecimals', - type: 'uint8', - internalType: 'uint8', + name: "underlyingTokenDecimals", + type: "uint8", + internalType: "uint8", }, ], }, ], - stateMutability: 'view', + stateMutability: "view", }, { - type: 'function', - name: 'getUserStakeData', + type: "function", + name: "getUserStakeData", inputs: [ { - name: 'user', - type: 'address', - internalType: 'address', + name: "user", + type: "address", + internalType: "address", }, ], outputs: [ { - name: '', - type: 'tuple[]', - internalType: 'struct StakeUserData[]', + name: "", + type: "tuple[]", + internalType: "struct StakeUserData[]", components: [ { - name: 'stakeToken', - type: 'address', - internalType: 'address', + name: "stakeToken", + type: "address", + internalType: "address", }, { - name: 'stakeTokenName', - type: 'string', - internalType: 'string', + name: "stakeTokenName", + type: "string", + internalType: "string", }, { - name: 'balances', - type: 'tuple', - internalType: 'struct StakeUserBalances', + name: "balances", + type: "tuple", + internalType: "struct StakeUserBalances", components: [ { - name: 'stakeTokenBalance', - type: 'uint256', - internalType: 'uint256', + name: "stakeTokenBalance", + type: "uint256", + internalType: "uint256", }, { - name: 'stakeTokenRedeemableAmount', - type: 'uint256', - internalType: 'uint256', + name: "stakeTokenRedeemableAmount", + type: "uint256", + internalType: "uint256", }, { - name: 'underlyingTokenBalance', - type: 'uint256', - internalType: 'uint256', + name: "underlyingTokenBalance", + type: "uint256", + internalType: "uint256", }, { - name: 'underlyingWaTokenBalance', - type: 'uint256', - internalType: 'uint256', + name: "underlyingWaTokenBalance", + type: "uint256", + internalType: "uint256", }, { - name: 'underlyingWaTokenATokenBalance', - type: 'uint256', - internalType: 'uint256', + name: "underlyingWaTokenATokenBalance", + type: "uint256", + internalType: "uint256", }, ], }, { - name: 'cooldown', - type: 'tuple', - internalType: 'struct StakeUserCooldown', + name: "cooldown", + type: "tuple", + internalType: "struct StakeUserCooldown", components: [ { - name: 'cooldownAmount', - type: 'uint192', - internalType: 'uint192', + name: "cooldownAmount", + type: "uint192", + internalType: "uint192", }, { - name: 'endOfCooldown', - type: 'uint32', - internalType: 'uint32', + name: "endOfCooldown", + type: "uint32", + internalType: "uint32", }, { - name: 'withdrawalWindow', - type: 'uint32', - internalType: 'uint32', + name: "withdrawalWindow", + type: "uint32", + internalType: "uint32", }, ], }, { - name: 'rewards', - type: 'address[]', - internalType: 'address[]', + name: "rewards", + type: "address[]", + internalType: "address[]", }, { - name: 'rewardsAccrued', - type: 'uint256[]', - internalType: 'uint256[]', + name: "rewardsAccrued", + type: "uint256[]", + internalType: "uint256[]", }, ], }, ], - stateMutability: 'view', + stateMutability: "view", }, { - type: 'function', - name: 'rewardsController', + type: "function", + name: "rewardsController", inputs: [], outputs: [ { - name: '', - type: 'address', - internalType: 'contract IRewardsController', + name: "", + type: "address", + internalType: "contract IRewardsController", }, ], - stateMutability: 'view', + stateMutability: "view", }, { - type: 'function', - name: 'stataTokenFactory', + type: "function", + name: "stataTokenFactory", inputs: [], outputs: [ { - name: '', - type: 'address', - internalType: 'contract IStataTokenFactory', + name: "", + type: "address", + internalType: "contract IStataTokenFactory", }, ], - stateMutability: 'view', + stateMutability: "view", }, { - type: 'function', - name: 'umbrella', + type: "function", + name: "umbrella", inputs: [], outputs: [ { - name: '', - type: 'address', - internalType: 'contract IUmbrellaStkManager', + name: "", + type: "address", + internalType: "contract IUmbrellaStkManager", }, ], - stateMutability: 'view', + stateMutability: "view", }, ] as const; const _bytecode = - '0x60e060405234801562000010575f80fd5b5060405162001dc738038062001dc7833981016040819052620000339162000069565b6001600160a01b0392831660805290821660a0521660c052620000ba565b6001600160a01b038116811462000066575f80fd5b50565b5f805f606084860312156200007c575f80fd5b8351620000898162000051565b60208501519093506200009c8162000051565b6040850151909250620000af8162000051565b809150509250925092565b60805160a05160c051611cad6200011a5f395f8181605e01528181610262015261077601525f818160a20152818161086a015281816109d501528181610b220152610bb701525f818160c901528181610125015261069a0152611cad5ff3fe608060405234801561000f575f80fd5b5060043610610055575f3560e01c80631494088f146100595780636bb65f531461009d57806384914262146100c4578063a16a09af146100eb578063e9ce34a514610100575b5f80fd5b6100807f000000000000000000000000000000000000000000000000000000000000000081565b6040516001600160a01b0390911681526020015b60405180910390f35b6100807f000000000000000000000000000000000000000000000000000000000000000081565b6100807f000000000000000000000000000000000000000000000000000000000000000081565b6100f3610120565b6040516100949190611587565b61011361010e3660046116c6565b610695565b6040516100949190611746565b60605f7f00000000000000000000000000000000000000000000000000000000000000006001600160a01b031663de3767766040518163ffffffff1660e01b81526004015f60405180830381865afa15801561017e573d5f803e3d5ffd5b505050506040513d5f823e601f3d908101601f191682016040526101a5919081019061193e565b90505f815167ffffffffffffffff8111156101c2576101c2611865565b60405190808252806020026020018201604052801561025c57816020015b61024960408051610140810182525f808252606060208084018290528385018390528184018390526080840183905260a0840183905260c08401839052845191820185528282528101829052928301529060e08201908152606060208201525f60409091015290565b8152602001906001900390816101e05790505b5090505f7f00000000000000000000000000000000000000000000000000000000000000006001600160a01b031663529080176040518163ffffffff1660e01b81526004015f60405180830381865afa1580156102bb573d5f803e3d5ffd5b505050506040513d5f823e601f3d908101601f191682016040526102e2919081019061193e565b90505f5b835181101561068c575f84828151811061030257610302611978565b602002602001015190505f8190505f826001600160a01b03166338d52e0f6040518163ffffffff1660e01b8152600401602060405180830381865afa15801561034d573d5f803e3d5ffd5b505050506040513d601f19601f82011682018060405250810190610371919061198c565b90505f61037e84846109b1565b90505f61038b8388610d0a565b90506040518061014001604052808a88815181106103ab576103ab611978565b60200260200101516001600160a01b03168152602001866001600160a01b03166306fdde036040518163ffffffff1660e01b81526004015f60405180830381865afa1580156103fc573d5f803e3d5ffd5b505050506040513d5f823e601f3d908101601f1916820160405261042391908101906119a7565b8152602001866001600160a01b03166318160ddd6040518163ffffffff1660e01b8152600401602060405180830381865afa158015610464573d5f803e3d5ffd5b505050506040513d601f19601f820116820180604052508101906104889190611a2d565b8152602001866001600160a01b031663218e4a156040518163ffffffff1660e01b8152600401602060405180830381865afa1580156104c9573d5f803e3d5ffd5b505050506040513d601f19601f820116820180604052508101906104ed9190611a2d565b8152602001866001600160a01b03166390b9f9e46040518163ffffffff1660e01b8152600401602060405180830381865afa15801561052e573d5f803e3d5ffd5b505050506040513d601f19601f820116820180604052508101906105529190611a2d565b8152602001846001600160a01b031681526020015f6001600160a01b0316835f01516001600160a01b0316141515158152602001828152602001838152602001866001600160a01b03166338d52e0f6040518163ffffffff1660e01b8152600401602060405180830381865afa1580156105ce573d5f803e3d5ffd5b505050506040513d601f19601f820116820180604052508101906105f2919061198c565b6001600160a01b031663313ce5676040518163ffffffff1660e01b8152600401602060405180830381865afa15801561062d573d5f803e3d5ffd5b505050506040513d601f19601f820116820180604052508101906106519190611a44565b60ff1681525088878151811061066957610669611978565b60200260200101819052505050505050808061068490611a78565b9150506102e6565b50909392505050565b60605f7f00000000000000000000000000000000000000000000000000000000000000006001600160a01b031663de3767766040518163ffffffff1660e01b81526004015f60405180830381865afa1580156106f3573d5f803e3d5ffd5b505050506040513d5f823e601f3d908101601f1916820160405261071a919081019061193e565b90505f815167ffffffffffffffff81111561073757610737611865565b60405190808252806020026020018201604052801561077057816020015b61075d611443565b8152602001906001900390816107555790505b5090505f7f00000000000000000000000000000000000000000000000000000000000000006001600160a01b031663529080176040518163ffffffff1660e01b81526004015f60405180830381865afa1580156107cf573d5f803e3d5ffd5b505050506040513d5f823e601f3d908101601f191682016040526107f6919081019061193e565b90505f5b83518110156109a7575f84828151811061081657610816611978565b602002602001015190505f61082c888386610ea8565b90505f610839898461111d565b60405160016204621960e51b031981526001600160a01b0385811660048301528b811660248301529192505f9182917f00000000000000000000000000000000000000000000000000000000000000009091169063ff73bce0906044015f60405180830381865afa1580156108b0573d5f803e3d5ffd5b505050506040513d5f823e601f3d908101601f191682016040526108d79190810190611a90565b915091506040518060c00160405280866001600160a01b03168152602001866001600160a01b03166306fdde036040518163ffffffff1660e01b81526004015f60405180830381865afa158015610930573d5f803e3d5ffd5b505050506040513d5f823e601f3d908101601f1916820160405261095791908101906119a7565b81526020018581526020018481526020018381526020018281525088878151811061098457610984611978565b60200260200101819052505050505050808061099f90611a78565b9150506107fa565b5090949350505050565b60405163362a3fad60e01b81526001600160a01b0382811660048301526060915f917f0000000000000000000000000000000000000000000000000000000000000000169063362a3fad906024015f60405180830381865afa158015610a19573d5f803e3d5ffd5b505050506040513d5f823e601f3d908101601f19168201604052610a40919081019061193e565b90505f815167ffffffffffffffff811115610a5d57610a5d611865565b604051908082528060200260200182016040528015610aca57816020015b610ab76040518060c001604052805f6001600160a01b031681526020015f81526020015f81526020015f81526020015f81526020015f81525090565b815260200190600190039081610a7b5790505b5090505f5b8251811015610cff575f838281518110610aeb57610aeb611978565b60209081029190910101516040516334fb3ea160e11b81526001600160a01b03888116600483015280831660248301529192505f917f000000000000000000000000000000000000000000000000000000000000000016906369f67d4290604401608060405180830381865afa158015610b67573d5f803e3d5ffd5b505050506040513d601f19601f82011682018060405250810190610b8b9190611b45565b604051630450881160e51b81526001600160a01b03898116600483015284811660248301529192505f917f00000000000000000000000000000000000000000000000000000000000000001690638a11022090604401602060405180830381865afa158015610bfc573d5f803e3d5ffd5b505050506040513d601f19601f82011682018060405250810190610c209190611a2d565b90506040518060c00160405280846001600160a01b03168152602001836020015181526020018360400151815260200183606001518152602001828152602001610cc9838c6001600160a01b03166318160ddd6040518163ffffffff1660e01b8152600401602060405180830381865afa158015610ca0573d5f803e3d5ffd5b505050506040513d601f19601f82011682018060405250810190610cc49190611a2d565b6111ea565b815250858581518110610cde57610cde611978565b60200260200101819052505050508080610cf790611a78565b915050610acf565b509150505b92915050565b604080516060810182525f8082526020820181905291810191909152610d308383611226565b15610e85576040518060600160405280846001600160a01b03166338d52e0f6040518163ffffffff1660e01b8152600401602060405180830381865afa158015610d7c573d5f803e3d5ffd5b505050506040513d601f19601f82011682018060405250810190610da0919061198c565b6001600160a01b03168152602001846001600160a01b031663a0c1f15e6040518163ffffffff1660e01b8152600401602060405180830381865afa158015610dea573d5f803e3d5ffd5b505050506040513d601f19601f82011682018060405250810190610e0e919061198c565b6001600160a01b03168152602001846001600160a01b03166350d25bcd6040518163ffffffff1660e01b8152600401602060405180830381865afa158015610e58573d5f803e3d5ffd5b505050506040513d601f19601f82011682018060405250810190610e7c9190611a2d565b90529050610d04565b50604080516060810182525f808252602082018190529181019190915292915050565b610ed56040518060a001604052805f81526020015f81526020015f81526020015f81526020015f81525090565b5f836001600160a01b03166338d52e0f6040518163ffffffff1660e01b8152600401602060405180830381865afa158015610f12573d5f803e3d5ffd5b505050506040513d601f19601f82011682018060405250810190610f36919061198c565b90505f80610f45878487611289565b6040805160a08101918290526370a0823160e01b9091526001600160a01b038a811660a483015292945090925090819088166370a0823160c48301602060405180830381865afa158015610f9b573d5f803e3d5ffd5b505050506040513d601f19601f82011682018060405250810190610fbf9190611a2d565b81526040516370a0823160e01b81526001600160a01b038a81166004830152602090920191891690634cdad5069082906370a0823190602401602060405180830381865afa158015611013573d5f803e3d5ffd5b505050506040513d601f19601f820116820180604052508101906110379190611a2d565b6040518263ffffffff1660e01b815260040161105591815260200190565b602060405180830381865afa158015611070573d5f803e3d5ffd5b505050506040513d601f19601f820116820180604052508101906110949190611a2d565b81526040516370a0823160e01b81526001600160a01b038a811660048301526020909201918616906370a0823190602401602060405180830381865afa1580156110e0573d5f803e3d5ffd5b505050506040513d601f19601f820116820180604052508101906111049190611a2d565b8152602081019390935260409092015295945050505050565b604080516060810182525f80825260208201819052918101919091526040516317c547a160e11b81526001600160a01b0384811660048301525f9190841690632f8a8f4290602401606060405180830381865afa158015611180573d5f803e3d5ffd5b505050506040513d601f19601f820116820180604052508101906111a49190611bca565b90506040518060600160405280825f01516001600160c01b03168152602001826020015163ffffffff168152602001826040015163ffffffff1681525091505092915050565b5f815f036111f957505f610d04565b8161271061120b6301e1338086611c41565b6112159190611c41565b61121f9190611c58565b9392505050565b5f805b82518110156112805782818151811061124457611244611978565b60200260200101516001600160a01b0316846001600160a01b03160361126e576001915050610d04565b8061127881611a78565b915050611229565b505f9392505050565b5f806112958484611226565b1561143b575f846001600160a01b03166338d52e0f6040518163ffffffff1660e01b8152600401602060405180830381865afa1580156112d7573d5f803e3d5ffd5b505050506040513d601f19601f820116820180604052508101906112fb919061198c565b90505f856001600160a01b031663a0c1f15e6040518163ffffffff1660e01b8152600401602060405180830381865afa15801561133a573d5f803e3d5ffd5b505050506040513d601f19601f8201168201806040525081019061135e919061198c565b6040516370a0823160e01b81526001600160a01b038981166004830152919250908316906370a0823190602401602060405180830381865afa1580156113a6573d5f803e3d5ffd5b505050506040513d601f19601f820116820180604052508101906113ca9190611a2d565b6040516370a0823160e01b81526001600160a01b038981166004830152919550908216906370a0823190602401602060405180830381865afa158015611412573d5f803e3d5ffd5b505050506040513d601f19601f820116820180604052508101906114369190611a2d565b925050505b935093915050565b6040518060c001604052805f6001600160a01b03168152602001606081526020016114916040518060a001604052805f81526020015f81526020015f81526020015f81526020015f81525090565b8152604080516060810182525f808252602082810182905292820152910190815260200160608152602001606081525090565b5f5b838110156114de5781810151838201526020016114c6565b50505f910152565b5f81518084526114fd8160208601602086016114c4565b601f01601f19169290920160200192915050565b5f8151808452602080850194508084015f5b8381101561157c57815180516001600160a01b03168852838101518489015260408082015190890152606080820151908901526080808201519089015260a0908101519088015260c09096019590820190600101611523565b509495945050505050565b5f6020808301818452808551808352604092508286019150828160051b8701018488015f5b838110156116a157888303603f19018552815180516001600160a01b0316845261018088820151818a8701526115e4828701826114e6565b838a0151878b0152606080850151908801526080808501519088015260a0808501516001600160a01b038116828a01529193509150505060c08281015180151587830152505060e08281015180516001600160a01b0390811688840152602082015116610100880152604081015161012088015250506101008201518582036101408701526116738282611511565b915050610120820151915061168e61016086018360ff169052565b95880195935050908601906001016115ac565b509098975050505050505050565b6001600160a01b03811681146116c3575f80fd5b50565b5f602082840312156116d6575f80fd5b813561121f816116af565b5f8151808452602080850194508084015f5b8381101561157c5781516001600160a01b0316875295820195908201906001016116f3565b5f8151808452602080850194508084015f5b8381101561157c5781518752958201959082019060010161172a565b5f6020808301818452808551808352604092508286019150828160051b8701018488015f5b838110156116a157888303603f19018552815180516001600160a01b0316845287810151610180898601819052906117a5828701826114e6565b898401518051888c01528b8101516060808a0191909152818c01516080808b01919091528183015160a0808c018290529382015160c08c01528288015180516001600160c01b031660e08d0152602081015163ffffffff9081166101008e0152604090910151166101208c0152818801518b86036101408d0152949650939450909161183186866116e1565b955080870151965050505050508481036101608601526118518183611718565b96890196945050509086019060010161176b565b634e487b7160e01b5f52604160045260245ffd5b604051601f8201601f1916810167ffffffffffffffff811182821017156118a2576118a2611865565b604052919050565b5f67ffffffffffffffff8211156118c3576118c3611865565b5060051b60200190565b5f82601f8301126118dc575f80fd5b815160206118f16118ec836118aa565b611879565b82815260059290921b8401810191818101908684111561190f575f80fd5b8286015b84811015611933578051611926816116af565b8352918301918301611913565b509695505050505050565b5f6020828403121561194e575f80fd5b815167ffffffffffffffff811115611964575f80fd5b611970848285016118cd565b949350505050565b634e487b7160e01b5f52603260045260245ffd5b5f6020828403121561199c575f80fd5b815161121f816116af565b5f602082840312156119b7575f80fd5b815167ffffffffffffffff808211156119ce575f80fd5b818401915084601f8301126119e1575f80fd5b8151818111156119f3576119f3611865565b611a06601f8201601f1916602001611879565b9150808252856020828501011115611a1c575f80fd5b610cff8160208401602086016114c4565b5f60208284031215611a3d575f80fd5b5051919050565b5f60208284031215611a54575f80fd5b815160ff8116811461121f575f80fd5b634e487b7160e01b5f52601160045260245ffd5b5f60018201611a8957611a89611a64565b5060010190565b5f8060408385031215611aa1575f80fd5b825167ffffffffffffffff80821115611ab8575f80fd5b611ac4868387016118cd565b9350602091508185015181811115611ada575f80fd5b85019050601f81018613611aec575f80fd5b8051611afa6118ec826118aa565b81815260059190911b82018301908381019088831115611b18575f80fd5b928401925b82841015611b3657835182529284019290840190611b1d565b80955050505050509250929050565b5f60808284031215611b55575f80fd5b6040516080810181811067ffffffffffffffff82111715611b7857611b78611865565b6040528251611b86816116af565b808252506020830151602082015260408301516040820152606083015160608201528091505092915050565b805163ffffffff81168114611bc5575f80fd5b919050565b5f60608284031215611bda575f80fd5b6040516060810181811067ffffffffffffffff82111715611bfd57611bfd611865565b60405282516001600160c01b0381168114611c16575f80fd5b8152611c2460208401611bb2565b6020820152611c3560408401611bb2565b60408201529392505050565b8082028115828204841417610d0457610d04611a64565b5f82611c7257634e487b7160e01b5f52601260045260245ffd5b50049056fea2646970667358221220c7c477e40ef6066a8f195b8211f010ba14cb0590758aaa93cc61efa8a7fa853664736f6c63430008140033'; + "0x60e06040523480156200001157600080fd5b50604051620021e2380380620021e283398101604081905262000034916200006b565b6001600160a01b0392831660805290821660a0521660c052620000bf565b6001600160a01b03811681146200006857600080fd5b50565b6000806000606084860312156200008157600080fd5b83516200008e8162000052565b6020850151909350620000a18162000052565b6040850151909250620000b48162000052565b809150509250925092565b60805160a05160c0516120be620001246000396000818160610152818161020b01526107ad01526000818160a5015281816108aa01528181610a1e01528181610b790152610c1101526000818160cc0152818161012901526106cb01526120be6000f3fe608060405234801561001057600080fd5b50600436106100575760003560e01c80631494088f1461005c5780636bb65f53146100a057806384914262146100c7578063a16a09af146100ee578063e9ce34a514610103575b600080fd5b6100837f000000000000000000000000000000000000000000000000000000000000000081565b6040516001600160a01b0390911681526020015b60405180910390f35b6100837f000000000000000000000000000000000000000000000000000000000000000081565b6100837f000000000000000000000000000000000000000000000000000000000000000081565b6100f6610123565b6040516100979190611964565b610116610111366004611aa6565b6106c5565b6040516100979190611b2c565b606060007f00000000000000000000000000000000000000000000000000000000000000006001600160a01b031663de3767766040518163ffffffff1660e01b8152600401600060405180830381865afa158015610185573d6000803e3d6000fd5b505050506040513d6000823e601f3d908101601f191682016040526101ad9190810190611d2c565b90506000815167ffffffffffffffff8111156101cb576101cb611c4d565b60405190808252806020026020018201604052801561020457816020015b6101f16116b7565b8152602001906001900390816101e95790505b50905060007f00000000000000000000000000000000000000000000000000000000000000006001600160a01b031663529080176040518163ffffffff1660e01b8152600401600060405180830381865afa158015610267573d6000803e3d6000fd5b505050506040513d6000823e601f3d908101601f1916820160405261028f9190810190611d2c565b905060005b83518110156106bc5760008482815181106102b1576102b1611d69565b6020026020010151905060008190506000826001600160a01b03166338d52e0f6040518163ffffffff1660e01b8152600401602060405180830381865afa158015610300573d6000803e3d6000fd5b505050506040513d601f19601f820116820180604052508101906103249190611d7f565b9050600061033284846109f9565b905060006103408388610d68565b90506040518061016001604052808a888151811061036057610360611d69565b60200260200101516001600160a01b03168152602001866001600160a01b03166306fdde036040518163ffffffff1660e01b8152600401600060405180830381865afa1580156103b4573d6000803e3d6000fd5b505050506040513d6000823e601f3d908101601f191682016040526103dc9190810190611d9c565b8152602001866001600160a01b03166395d89b416040518163ffffffff1660e01b8152600401600060405180830381865afa15801561041f573d6000803e3d6000fd5b505050506040513d6000823e601f3d908101601f191682016040526104479190810190611d9c565b8152602001866001600160a01b03166318160ddd6040518163ffffffff1660e01b8152600401602060405180830381865afa15801561048a573d6000803e3d6000fd5b505050506040513d601f19601f820116820180604052508101906104ae9190611e27565b8152602001866001600160a01b031663218e4a156040518163ffffffff1660e01b8152600401602060405180830381865afa1580156104f1573d6000803e3d6000fd5b505050506040513d601f19601f820116820180604052508101906105159190611e27565b8152602001866001600160a01b03166390b9f9e46040518163ffffffff1660e01b8152600401602060405180830381865afa158015610558573d6000803e3d6000fd5b505050506040513d601f19601f8201168201806040525081019061057c9190611e27565b8152602001846001600160a01b0316815260200160006001600160a01b031683600001516001600160a01b0316141515158152602001828152602001838152602001866001600160a01b03166338d52e0f6040518163ffffffff1660e01b8152600401602060405180830381865afa1580156105fc573d6000803e3d6000fd5b505050506040513d601f19601f820116820180604052508101906106209190611d7f565b6001600160a01b031663313ce5676040518163ffffffff1660e01b8152600401602060405180830381865afa15801561065d573d6000803e3d6000fd5b505050506040513d601f19601f820116820180604052508101906106819190611e40565b60ff1681525088878151811061069957610699611d69565b6020026020010181905250505050505080806106b490611e79565b915050610294565b50909392505050565b606060007f00000000000000000000000000000000000000000000000000000000000000006001600160a01b031663de3767766040518163ffffffff1660e01b8152600401600060405180830381865afa158015610727573d6000803e3d6000fd5b505050506040513d6000823e601f3d908101601f1916820160405261074f9190810190611d2c565b90506000815167ffffffffffffffff81111561076d5761076d611c4d565b6040519080825280602002602001820160405280156107a657816020015b61079361172b565b81526020019060019003908161078b5790505b50905060007f00000000000000000000000000000000000000000000000000000000000000006001600160a01b031663529080176040518163ffffffff1660e01b8152600401600060405180830381865afa158015610809573d6000803e3d6000fd5b505050506040513d6000823e601f3d908101601f191682016040526108319190810190611d2c565b905060005b83518110156109ef57600084828151811061085357610853611d69565b60200260200101519050600061086a8883866110f6565b90506000610878898461137c565b60405160016204621960e51b031981526001600160a01b0385811660048301528b8116602483015291925060009182917f00000000000000000000000000000000000000000000000000000000000000009091169063ff73bce090604401600060405180830381865afa1580156108f3573d6000803e3d6000fd5b505050506040513d6000823e601f3d908101601f1916820160405261091b9190810190611e92565b915091506040518060c00160405280866001600160a01b03168152602001866001600160a01b03166306fdde036040518163ffffffff1660e01b8152600401600060405180830381865afa158015610977573d6000803e3d6000fd5b505050506040513d6000823e601f3d908101601f1916820160405261099f9190810190611d9c565b8152602001858152602001848152602001838152602001828152508887815181106109cc576109cc611d69565b6020026020010181905250505050505080806109e790611e79565b915050610836565b5090949350505050565b60405163362a3fad60e01b81526001600160a01b0382811660048301526060916000917f0000000000000000000000000000000000000000000000000000000000000000169063362a3fad90602401600060405180830381865afa158015610a65573d6000803e3d6000fd5b505050506040513d6000823e601f3d908101601f19168201604052610a8d9190810190611d2c565b90506000815167ffffffffffffffff811115610aab57610aab611c4d565b604051908082528060200260200182016040528015610b1e57816020015b610b0b6040518060c0016040528060006001600160a01b0316815260200160008152602001600081526020016000815260200160008152602001600081525090565b815260200190600190039081610ac95790505b50905060005b8251811015610d5d576000838281518110610b4157610b41611d69565b60209081029190910101516040516334fb3ea160e11b81526001600160a01b03888116600483015280831660248301529192506000917f000000000000000000000000000000000000000000000000000000000000000016906369f67d4290604401608060405180830381865afa158015610bc0573d6000803e3d6000fd5b505050506040513d601f19601f82011682018060405250810190610be49190611f4d565b604051630450881160e51b81526001600160a01b03898116600483015284811660248301529192506000917f00000000000000000000000000000000000000000000000000000000000000001690638a11022090604401602060405180830381865afa158015610c58573d6000803e3d6000fd5b505050506040513d601f19601f82011682018060405250810190610c7c9190611e27565b90506040518060c00160405280846001600160a01b03168152602001836020015181526020018360400151815260200183606001518152602001828152602001610d27838c6001600160a01b03166318160ddd6040518163ffffffff1660e01b8152600401602060405180830381865afa158015610cfe573d6000803e3d6000fd5b505050506040513d601f19601f82011682018060405250810190610d229190611e27565b61144e565b815250858581518110610d3c57610d3c611d69565b60200260200101819052505050508080610d5590611e79565b915050610b24565b509150505b92915050565b610d706117b3565b610d7a838361148d565b1561108e576000836001600160a01b03166338d52e0f6040518163ffffffff1660e01b8152600401602060405180830381865afa158015610dbf573d6000803e3d6000fd5b505050506040513d601f19601f82011682018060405250810190610de39190611d7f565b90506000846001600160a01b031663a0c1f15e6040518163ffffffff1660e01b8152600401602060405180830381865afa158015610e25573d6000803e3d6000fd5b505050506040513d601f19601f82011682018060405250810190610e499190611d7f565b90506040518060e00160405280836001600160a01b03168152602001836001600160a01b03166306fdde036040518163ffffffff1660e01b8152600401600060405180830381865afa158015610ea3573d6000803e3d6000fd5b505050506040513d6000823e601f3d908101601f19168201604052610ecb9190810190611d9c565b8152602001836001600160a01b03166395d89b416040518163ffffffff1660e01b8152600401600060405180830381865afa158015610f0e573d6000803e3d6000fd5b505050506040513d6000823e601f3d908101601f19168201604052610f369190810190611d9c565b8152602001826001600160a01b03168152602001826001600160a01b03166306fdde036040518163ffffffff1660e01b8152600401600060405180830381865afa158015610f88573d6000803e3d6000fd5b505050506040513d6000823e601f3d908101601f19168201604052610fb09190810190611d9c565b8152602001826001600160a01b03166395d89b416040518163ffffffff1660e01b8152600401600060405180830381865afa158015610ff3573d6000803e3d6000fd5b505050506040513d6000823e601f3d908101601f1916820160405261101b9190810190611d9c565b8152602001866001600160a01b03166350d25bcd6040518163ffffffff1660e01b8152600401602060405180830381865afa15801561105e573d6000803e3d6000fd5b505050506040513d601f19601f820116820180604052508101906110829190611e27565b81525092505050610d62565b506040805160e081018252600080825282516020818101855282825280840191909152835180820185528281528385015260608301829052835180820185528281526080840152835190810190935280835260a082019290925260c081019190915292915050565b6111286040518060a0016040528060008152602001600081526020016000815260200160008152602001600081525090565b6000836001600160a01b03166338d52e0f6040518163ffffffff1660e01b8152600401602060405180830381865afa158015611168573d6000803e3d6000fd5b505050506040513d601f19601f8201168201806040525081019061118c9190611d7f565b905060008061119c8784876114f2565b6040805160a08101918290526370a0823160e01b9091526001600160a01b038a811660a483015292945090925090819088166370a0823160c48301602060405180830381865afa1580156111f4573d6000803e3d6000fd5b505050506040513d601f19601f820116820180604052508101906112189190611e27565b81526040516370a0823160e01b81526001600160a01b038a81166004830152602090920191891690634cdad5069082906370a0823190602401602060405180830381865afa15801561126e573d6000803e3d6000fd5b505050506040513d601f19601f820116820180604052508101906112929190611e27565b6040518263ffffffff1660e01b81526004016112b091815260200190565b602060405180830381865afa1580156112cd573d6000803e3d6000fd5b505050506040513d601f19601f820116820180604052508101906112f19190611e27565b81526040516370a0823160e01b81526001600160a01b038a811660048301526020909201918616906370a0823190602401602060405180830381865afa15801561133f573d6000803e3d6000fd5b505050506040513d601f19601f820116820180604052508101906113639190611e27565b8152602081019390935260409092015295945050505050565b60408051606081018252600080825260208201819052918101919091526040516317c547a160e11b81526001600160a01b03848116600483015260009190841690632f8a8f4290602401606060405180830381865afa1580156113e3573d6000803e3d6000fd5b505050506040513d601f19601f820116820180604052508101906114079190611fd5565b9050604051806060016040528082600001516001600160c01b03168152602001826020015163ffffffff168152602001826040015163ffffffff1681525091505092915050565b60008160000361146057506000610d62565b816127106114726301e133808661204f565b61147c919061204f565b6114869190612066565b9392505050565b6000805b82518110156114e8578281815181106114ac576114ac611d69565b60200260200101516001600160a01b0316846001600160a01b0316036114d6576001915050610d62565b806114e081611e79565b915050611491565b5060009392505050565b6000806114ff848461148d565b156116af576000846001600160a01b03166338d52e0f6040518163ffffffff1660e01b8152600401602060405180830381865afa158015611544573d6000803e3d6000fd5b505050506040513d601f19601f820116820180604052508101906115689190611d7f565b90506000856001600160a01b031663a0c1f15e6040518163ffffffff1660e01b8152600401602060405180830381865afa1580156115aa573d6000803e3d6000fd5b505050506040513d601f19601f820116820180604052508101906115ce9190611d7f565b6040516370a0823160e01b81526001600160a01b038981166004830152919250908316906370a0823190602401602060405180830381865afa158015611618573d6000803e3d6000fd5b505050506040513d601f19601f8201168201806040525081019061163c9190611e27565b6040516370a0823160e01b81526001600160a01b038981166004830152919550908216906370a0823190602401602060405180830381865afa158015611686573d6000803e3d6000fd5b505050506040513d601f19601f820116820180604052508101906116aa9190611e27565b925050505b935093915050565b60405180610160016040528060006001600160a01b03168152602001606081526020016060815260200160008152602001600081526020016000815260200160006001600160a01b031681526020016000151581526020016117176117b3565b815260606020820152600060409091015290565b6040518060c0016040528060006001600160a01b031681526020016060815260200161177f6040518060a0016040528060008152602001600081526020016000815260200160008152602001600081525090565b8152604080516060810182526000808252602082810182905292820152910190815260200160608152602001606081525090565b6040518060e0016040528060006001600160a01b03168152602001606081526020016060815260200160006001600160a01b031681526020016060815260200160608152602001600081525090565b60005b8381101561181d578181015183820152602001611805565b50506000910152565b6000815180845261183e816020860160208601611802565b601f01601f19169290920160200192915050565b600060018060a01b03808351168452602083015160e0602086015261187a60e0860182611826565b9050604084015185820360408701526118938282611826565b9150508160608501511660608601526080840151915084810360808601526118bb8183611826565b91505060a083015184820360a08601526118d58282611826565b91505060c083015160c08501528091505092915050565b600081518084526020808501945080840160005b8381101561195957815180516001600160a01b03168852838101518489015260408082015190890152606080820151908901526080808201519089015260a0908101519088015260c09096019590820190600101611900565b509495945050505050565b60006020808301818452808551808352604092508286019150828160051b87010184880160005b83811015611a8057888303603f19018552815180516001600160a01b0316845261016088820151818a8701526119c382870182611826565b91505087820151858203898701526119db8282611826565b606084810151908801526080808501519088015260a0808501519088015260c0808501516001600160a01b03169088015260e08085015115159088015261010080850151888303828a01529193509150611a358382611852565b925050506101208083015186830382880152611a5183826118ec565b92505050610140808301519250611a6c8187018460ff169052565b50958801959350509086019060010161198b565b509098975050505050505050565b6001600160a01b0381168114611aa357600080fd5b50565b600060208284031215611ab857600080fd5b813561148681611a8e565b600081518084526020808501945080840160005b838110156119595781516001600160a01b031687529582019590820190600101611ad7565b600081518084526020808501945080840160005b8381101561195957815187529582019590820190600101611b10565b60006020808301818452808551808352604092508286019150828160051b87010184880160005b83811015611a8057888303603f19018552815180516001600160a01b031684528781015161018089860181905290611b8d82870182611826565b898401518051888c01528b8101516060808a0191909152818c01516080808b01919091528183015160a0808c018290529382015160c08c01528288015180516001600160c01b031660e08d0152602081015163ffffffff9081166101008e0152604090910151166101208c0152818801518b86036101408d01529496509394509091611c198686611ac3565b95508087015196505050505050848103610160860152611c398183611afc565b968901969450505090860190600101611b53565b634e487b7160e01b600052604160045260246000fd5b604051601f8201601f1916810167ffffffffffffffff81118282101715611c8c57611c8c611c4d565b604052919050565b600067ffffffffffffffff821115611cae57611cae611c4d565b5060051b60200190565b600082601f830112611cc957600080fd5b81516020611cde611cd983611c94565b611c63565b82815260059290921b84018101918181019086841115611cfd57600080fd5b8286015b84811015611d21578051611d1481611a8e565b8352918301918301611d01565b509695505050505050565b600060208284031215611d3e57600080fd5b815167ffffffffffffffff811115611d5557600080fd5b611d6184828501611cb8565b949350505050565b634e487b7160e01b600052603260045260246000fd5b600060208284031215611d9157600080fd5b815161148681611a8e565b600060208284031215611dae57600080fd5b815167ffffffffffffffff80821115611dc657600080fd5b818401915084601f830112611dda57600080fd5b815181811115611dec57611dec611c4d565b611dff601f8201601f1916602001611c63565b9150808252856020828501011115611e1657600080fd5b610d5d816020840160208601611802565b600060208284031215611e3957600080fd5b5051919050565b600060208284031215611e5257600080fd5b815160ff8116811461148657600080fd5b634e487b7160e01b600052601160045260246000fd5b600060018201611e8b57611e8b611e63565b5060010190565b60008060408385031215611ea557600080fd5b825167ffffffffffffffff80821115611ebd57600080fd5b611ec986838701611cb8565b9350602091508185015181811115611ee057600080fd5b85019050601f81018613611ef357600080fd5b8051611f01611cd982611c94565b81815260059190911b82018301908381019088831115611f2057600080fd5b928401925b82841015611f3e57835182529284019290840190611f25565b80955050505050509250929050565b600060808284031215611f5f57600080fd5b6040516080810181811067ffffffffffffffff82111715611f8257611f82611c4d565b6040528251611f9081611a8e565b808252506020830151602082015260408301516040820152606083015160608201528091505092915050565b805163ffffffff81168114611fd057600080fd5b919050565b600060608284031215611fe757600080fd5b6040516060810181811067ffffffffffffffff8211171561200a5761200a611c4d565b60405282516001600160c01b038116811461202457600080fd5b815261203260208401611fbc565b602082015261204360408401611fbc565b60408201529392505050565b8082028115828204841417610d6257610d62611e63565b60008261208357634e487b7160e01b600052601260045260246000fd5b50049056fea2646970667358221220ef21de45a872bdcb3620ec38833021260333d05894eaebb43051da4ded8898b864736f6c63430008140033"; type StakeDataProviderConstructorParams = | [signer?: Signer] @@ -335,7 +363,10 @@ export class StakeDataProvider__factory extends ContractFactory { static createInterface(): StakeDataProviderInterface { return new utils.Interface(_abi) as StakeDataProviderInterface; } - static connect(address: string, signerOrProvider: Signer | Provider): StakeDataProvider { + static connect( + address: string, + signerOrProvider: Signer | Provider + ): StakeDataProvider { return new Contract(address, _abi, signerOrProvider) as StakeDataProvider; } } diff --git a/src/modules/umbrella/services/types/StakeGateway.ts b/src/modules/umbrella/services/types/StakeGateway.ts index 7714dc18ee..87f01c120c 100644 --- a/src/modules/umbrella/services/types/StakeGateway.ts +++ b/src/modules/umbrella/services/types/StakeGateway.ts @@ -24,6 +24,8 @@ import type { export interface StakeGatewayInterface extends utils.Interface { functions: { + "redeem(address,uint256)": FunctionFragment; + "redeemATokens(address,uint256)": FunctionFragment; "stake(address,uint256)": FunctionFragment; "stakeATokens(address,uint256)": FunctionFragment; "stakeATokensWithPermit(address,uint256,uint256,uint8,bytes32,bytes32)": FunctionFragment; @@ -33,6 +35,8 @@ export interface StakeGatewayInterface extends utils.Interface { getFunction( nameOrSignatureOrTopic: + | "redeem" + | "redeemATokens" | "stake" | "stakeATokens" | "stakeATokensWithPermit" @@ -40,6 +44,14 @@ export interface StakeGatewayInterface extends utils.Interface { | "stataTokenFactory" ): FunctionFragment; + encodeFunctionData( + functionFragment: "redeem", + values: [string, BigNumberish] + ): string; + encodeFunctionData( + functionFragment: "redeemATokens", + values: [string, BigNumberish] + ): string; encodeFunctionData( functionFragment: "stake", values: [string, BigNumberish] @@ -75,6 +87,11 @@ export interface StakeGatewayInterface extends utils.Interface { values?: undefined ): string; + decodeFunctionResult(functionFragment: "redeem", data: BytesLike): Result; + decodeFunctionResult( + functionFragment: "redeemATokens", + data: BytesLike + ): Result; decodeFunctionResult(functionFragment: "stake", data: BytesLike): Result; decodeFunctionResult( functionFragment: "stakeATokens", @@ -123,6 +140,18 @@ export interface StakeGateway extends BaseContract { removeListener: OnEvent; functions: { + redeem( + stakeToken: string, + amount: BigNumberish, + overrides?: Overrides & { from?: string } + ): Promise; + + redeemATokens( + stakeToken: string, + amount: BigNumberish, + overrides?: Overrides & { from?: string } + ): Promise; + stake( stakeToken: string, amount: BigNumberish, @@ -158,6 +187,18 @@ export interface StakeGateway extends BaseContract { stataTokenFactory(overrides?: CallOverrides): Promise<[string]>; }; + redeem( + stakeToken: string, + amount: BigNumberish, + overrides?: Overrides & { from?: string } + ): Promise; + + redeemATokens( + stakeToken: string, + amount: BigNumberish, + overrides?: Overrides & { from?: string } + ): Promise; + stake( stakeToken: string, amount: BigNumberish, @@ -193,17 +234,29 @@ export interface StakeGateway extends BaseContract { stataTokenFactory(overrides?: CallOverrides): Promise; callStatic: { + redeem( + stakeToken: string, + amount: BigNumberish, + overrides?: CallOverrides + ): Promise; + + redeemATokens( + stakeToken: string, + amount: BigNumberish, + overrides?: CallOverrides + ): Promise; + stake( stakeToken: string, amount: BigNumberish, overrides?: CallOverrides - ): Promise; + ): Promise; stakeATokens( stakeToken: string, amount: BigNumberish, overrides?: CallOverrides - ): Promise; + ): Promise; stakeATokensWithPermit( stakeToken: string, @@ -213,7 +266,7 @@ export interface StakeGateway extends BaseContract { r: BytesLike, s: BytesLike, overrides?: CallOverrides - ): Promise; + ): Promise; stakeWithPermit( stakeToken: string, @@ -223,7 +276,7 @@ export interface StakeGateway extends BaseContract { r: BytesLike, s: BytesLike, overrides?: CallOverrides - ): Promise; + ): Promise; stataTokenFactory(overrides?: CallOverrides): Promise; }; @@ -231,6 +284,18 @@ export interface StakeGateway extends BaseContract { filters: {}; estimateGas: { + redeem( + stakeToken: string, + amount: BigNumberish, + overrides?: Overrides & { from?: string } + ): Promise; + + redeemATokens( + stakeToken: string, + amount: BigNumberish, + overrides?: Overrides & { from?: string } + ): Promise; + stake( stakeToken: string, amount: BigNumberish, @@ -267,6 +332,18 @@ export interface StakeGateway extends BaseContract { }; populateTransaction: { + redeem( + stakeToken: string, + amount: BigNumberish, + overrides?: Overrides & { from?: string } + ): Promise; + + redeemATokens( + stakeToken: string, + amount: BigNumberish, + overrides?: Overrides & { from?: string } + ): Promise; + stake( stakeToken: string, amount: BigNumberish, diff --git a/src/modules/umbrella/services/types/StakeGateway__factory.ts b/src/modules/umbrella/services/types/StakeGateway__factory.ts index 6057c9d586..c6a6f67b9c 100644 --- a/src/modules/umbrella/services/types/StakeGateway__factory.ts +++ b/src/modules/umbrella/services/types/StakeGateway__factory.ts @@ -17,6 +17,54 @@ const _abi = [ ], stateMutability: "nonpayable", }, + { + type: "function", + name: "redeem", + inputs: [ + { + name: "stakeToken", + type: "address", + internalType: "contract IERC4626StakeToken", + }, + { + name: "amount", + type: "uint256", + internalType: "uint256", + }, + ], + outputs: [ + { + name: "shares", + type: "uint256", + internalType: "uint256", + }, + ], + stateMutability: "nonpayable", + }, + { + type: "function", + name: "redeemATokens", + inputs: [ + { + name: "stakeToken", + type: "address", + internalType: "contract IERC4626StakeToken", + }, + { + name: "amount", + type: "uint256", + internalType: "uint256", + }, + ], + outputs: [ + { + name: "shares", + type: "uint256", + internalType: "uint256", + }, + ], + stateMutability: "nonpayable", + }, { type: "function", name: "stake", @@ -32,7 +80,13 @@ const _abi = [ internalType: "uint256", }, ], - outputs: [], + outputs: [ + { + name: "shares", + type: "uint256", + internalType: "uint256", + }, + ], stateMutability: "nonpayable", }, { @@ -50,7 +104,13 @@ const _abi = [ internalType: "uint256", }, ], - outputs: [], + outputs: [ + { + name: "shares", + type: "uint256", + internalType: "uint256", + }, + ], stateMutability: "nonpayable", }, { @@ -88,7 +148,13 @@ const _abi = [ internalType: "bytes32", }, ], - outputs: [], + outputs: [ + { + name: "shares", + type: "uint256", + internalType: "uint256", + }, + ], stateMutability: "nonpayable", }, { @@ -126,7 +192,13 @@ const _abi = [ internalType: "bytes32", }, ], - outputs: [], + outputs: [ + { + name: "shares", + type: "uint256", + internalType: "uint256", + }, + ], stateMutability: "nonpayable", }, { @@ -142,10 +214,21 @@ const _abi = [ ], stateMutability: "view", }, + { + type: "error", + name: "SafeERC20FailedOperation", + inputs: [ + { + name: "token", + type: "address", + internalType: "address", + }, + ], + }, ] as const; const _bytecode = - "0x60a060405234801561001057600080fd5b50604051610e2b380380610e2b83398101604081905261002f91610040565b6001600160a01b0316608052610070565b60006020828403121561005257600080fd5b81516001600160a01b038116811461006957600080fd5b9392505050565b608051610d856100a660003960008181606101528181610176015281816104a50152818161077201526109d10152610d856000f3fe608060405234801561001057600080fd5b50600436106100575760003560e01c80631494088f1461005c5780634868658f1461009f57806373d6a889146100b4578063adc9772e146100c7578063dd8866b7146100da575b600080fd5b6100837f000000000000000000000000000000000000000000000000000000000000000081565b6040516001600160a01b03909116815260200160405180910390f35b6100b26100ad366004610c21565b6100ed565b005b6100b26100c2366004610c21565b61041c565b6100b26100d5366004610c83565b6106e9565b6100b26100e8366004610c83565b610948565b6000866001600160a01b03166338d52e0f6040518163ffffffff1660e01b8152600401602060405180830381865afa15801561012d573d6000803e3d6000fd5b505050506040513d601f19601f820116820180604052508101906101519190610caf565b6040516369853e0360e11b81526001600160a01b0380831660048301529192506000917f0000000000000000000000000000000000000000000000000000000000000000169063d30a7c0690602401602060405180830381865afa1580156101bd573d6000803e3d6000fd5b505050506040513d601f19601f820116820180604052508101906101e19190610caf565b90506000816001600160a01b031663a0c1f15e6040518163ffffffff1660e01b8152600401602060405180830381865afa158015610223573d6000803e3d6000fd5b505050506040513d601f19601f820116820180604052508101906102479190610caf565b905060001988036102bd576040516370a0823160e01b81523360048201526001600160a01b038216906370a0823190602401602060405180830381865afa158015610296573d6000803e3d6000fd5b505050506040513d601f19601f820116820180604052508101906102ba9190610cd3565b97505b60405163d505accf60e01b81526001600160a01b0382169063d505accf906102f590339030908d908d908d908d908d90600401610cec565b600060405180830381600087803b15801561030f57600080fd5b505af1158015610323573d6000803e3d6000fd5b505060405163e25ec34960e01b8152600481018b9052306024820152600092506001600160a01b038516915063e25ec349906044016020604051808303816000875af1158015610377573d6000803e3d6000fd5b505050506040513d601f19601f8201168201806040525081019061039b9190610cd3565b604051636e553f6560e01b8152600481018290523360248201529091506001600160a01b038b1690636e553f65906044016020604051808303816000875af11580156103eb573d6000803e3d6000fd5b505050506040513d601f19601f8201168201806040525081019061040f9190610cd3565b5050505050505050505050565b6000866001600160a01b03166338d52e0f6040518163ffffffff1660e01b8152600401602060405180830381865afa15801561045c573d6000803e3d6000fd5b505050506040513d601f19601f820116820180604052508101906104809190610caf565b6040516369853e0360e11b81526001600160a01b0380831660048301529192506000917f0000000000000000000000000000000000000000000000000000000000000000169063d30a7c0690602401602060405180830381865afa1580156104ec573d6000803e3d6000fd5b505050506040513d601f19601f820116820180604052508101906105109190610caf565b60405163d505accf60e01b81529091506001600160a01b0383169063d505accf9061054b90339030908c908c908c908c908c90600401610cec565b600060405180830381600087803b15801561056557600080fd5b505af1158015610579573d6000803e3d6000fd5b50506040516323b872dd60e01b8152336004820152306024820152604481018a90526001600160a01b03851692506323b872dd91506064016020604051808303816000875af11580156105d0573d6000803e3d6000fd5b505050506040513d601f19601f820116820180604052508101906105f49190610d2d565b50604051636e553f6560e01b8152600481018890523060248201526000906001600160a01b03831690636e553f65906044016020604051808303816000875af1158015610645573d6000803e3d6000fd5b505050506040513d601f19601f820116820180604052508101906106699190610cd3565b604051636e553f6560e01b8152600481018290523360248201529091506001600160a01b038a1690636e553f65906044016020604051808303816000875af11580156106b9573d6000803e3d6000fd5b505050506040513d601f19601f820116820180604052508101906106dd9190610cd3565b50505050505050505050565b6000826001600160a01b03166338d52e0f6040518163ffffffff1660e01b8152600401602060405180830381865afa158015610729573d6000803e3d6000fd5b505050506040513d601f19601f8201168201806040525081019061074d9190610caf565b6040516369853e0360e11b81526001600160a01b0380831660048301529192506000917f0000000000000000000000000000000000000000000000000000000000000000169063d30a7c0690602401602060405180830381865afa1580156107b9573d6000803e3d6000fd5b505050506040513d601f19601f820116820180604052508101906107dd9190610caf565b6040516323b872dd60e01b8152336004820152306024820152604481018590529091506001600160a01b038316906323b872dd906064016020604051808303816000875af1158015610833573d6000803e3d6000fd5b505050506040513d601f19601f820116820180604052508101906108579190610d2d565b50604051636e553f6560e01b8152600481018490523060248201526000906001600160a01b03831690636e553f65906044016020604051808303816000875af11580156108a8573d6000803e3d6000fd5b505050506040513d601f19601f820116820180604052508101906108cc9190610cd3565b604051636e553f6560e01b8152600481018290523360248201529091506001600160a01b03861690636e553f65906044016020604051808303816000875af115801561091c573d6000803e3d6000fd5b505050506040513d601f19601f820116820180604052508101906109409190610cd3565b505050505050565b6000826001600160a01b03166338d52e0f6040518163ffffffff1660e01b8152600401602060405180830381865afa158015610988573d6000803e3d6000fd5b505050506040513d601f19601f820116820180604052508101906109ac9190610caf565b6040516369853e0360e11b81526001600160a01b0380831660048301529192506000917f0000000000000000000000000000000000000000000000000000000000000000169063d30a7c0690602401602060405180830381865afa158015610a18573d6000803e3d6000fd5b505050506040513d601f19601f82011682018060405250810190610a3c9190610caf565b90506000816001600160a01b031663a0c1f15e6040518163ffffffff1660e01b8152600401602060405180830381865afa158015610a7e573d6000803e3d6000fd5b505050506040513d601f19601f82011682018060405250810190610aa29190610caf565b90506000198403610b18576040516370a0823160e01b81523360048201526001600160a01b038216906370a0823190602401602060405180830381865afa158015610af1573d6000803e3d6000fd5b505050506040513d601f19601f82011682018060405250810190610b159190610cd3565b93505b60405163e25ec34960e01b8152600481018590523060248201526000906001600160a01b0384169063e25ec349906044016020604051808303816000875af1158015610b68573d6000803e3d6000fd5b505050506040513d601f19601f82011682018060405250810190610b8c9190610cd3565b604051636e553f6560e01b8152600481018290523360248201529091506001600160a01b03871690636e553f65906044016020604051808303816000875af1158015610bdc573d6000803e3d6000fd5b505050506040513d601f19601f82011682018060405250810190610c009190610cd3565b50505050505050565b6001600160a01b0381168114610c1e57600080fd5b50565b60008060008060008060c08789031215610c3a57600080fd5b8635610c4581610c09565b95506020870135945060408701359350606087013560ff81168114610c6957600080fd5b9598949750929560808101359460a0909101359350915050565b60008060408385031215610c9657600080fd5b8235610ca181610c09565b946020939093013593505050565b600060208284031215610cc157600080fd5b8151610ccc81610c09565b9392505050565b600060208284031215610ce557600080fd5b5051919050565b6001600160a01b0397881681529590961660208601526040850193909352606084019190915260ff16608083015260a082015260c081019190915260e00190565b600060208284031215610d3f57600080fd5b81518015158114610ccc57600080fdfea264697066735822122028e1f48bca56775964a55029f8b38bc74c1c720cb0aee439c3b916647587611e64736f6c63430008140033"; + "0x60a060405234801561001057600080fd5b50604051610f66380380610f6683398101604081905261002f91610040565b6001600160a01b0316608052610070565b60006020828403121561005257600080fd5b81516001600160a01b038116811461006957600080fd5b9392505050565b608051610edc61008a600039600060ad0152610edc6000f3fe608060405234801561001057600080fd5b506004361061007d5760003560e01c80634868658f1161005b5780634868658f146100fa57806373d6a8891461010d578063adc9772e14610120578063dd8866b71461013357600080fd5b806301b8a710146100825780631494088f146100a85780631e9a6950146100e7575b600080fd5b610095610090366004610d7f565b610146565b6040519081526020015b60405180910390f35b6100cf7f000000000000000000000000000000000000000000000000000000000000000081565b6040516001600160a01b03909116815260200161009f565b6100956100f5366004610d7f565b61015b565b610095610108366004610dab565b610169565b61009561011b366004610dab565b610327565b61009561012e366004610d7f565b610465565b610095610141366004610d7f565b610473565b6000610154828460016105c9565b9392505050565b6000610154828460006105c9565b600080876001600160a01b03166338d52e0f6040518163ffffffff1660e01b8152600401602060405180830381865afa1580156101aa573d6000803e3d6000fd5b505050506040513d601f19601f820116820180604052508101906101ce9190610e0d565b90506000816001600160a01b031663a0c1f15e6040518163ffffffff1660e01b8152600401602060405180830381865afa158015610210573d6000803e3d6000fd5b505050506040513d601f19601f820116820180604052508101906102349190610e0d565b905060001988036102aa576040516370a0823160e01b81523360048201526001600160a01b038216906370a0823190602401602060405180830381865afa158015610283573d6000803e3d6000fd5b505050506040513d601f19601f820116820180604052508101906102a79190610e2a565b97505b60405163d505accf60e01b81526001600160a01b0382169063d505accf906102e290339030908d908d908d908d908d90600401610e43565b600060405180830381600087803b1580156102fc57600080fd5b505af192505050801561030d575060015b5061031a888a6001610854565b9998505050505050505050565b600080876001600160a01b03166338d52e0f6040518163ffffffff1660e01b8152600401602060405180830381865afa158015610368573d6000803e3d6000fd5b505050506040513d601f19601f8201168201806040525081019061038c9190610e0d565b90506000816001600160a01b03166338d52e0f6040518163ffffffff1660e01b8152600401602060405180830381865afa1580156103ce573d6000803e3d6000fd5b505050506040513d601f19601f820116820180604052508101906103f29190610e0d565b60405163d505accf60e01b81529091506001600160a01b0382169063d505accf9061042d90339030908d908d908d908d908d90600401610e43565b600060405180830381600087803b15801561044757600080fd5b505af1925050508015610458575060015b5061031a888a6000610854565b600061015482846000610854565b600080836001600160a01b03166338d52e0f6040518163ffffffff1660e01b8152600401602060405180830381865afa1580156104b4573d6000803e3d6000fd5b505050506040513d601f19601f820116820180604052508101906104d89190610e0d565b90506000816001600160a01b031663a0c1f15e6040518163ffffffff1660e01b8152600401602060405180830381865afa15801561051a573d6000803e3d6000fd5b505050506040513d601f19601f8201168201806040525081019061053e9190610e0d565b905060001984036105b4576040516370a0823160e01b81523360048201526001600160a01b038216906370a0823190602401602060405180830381865afa15801561058d573d6000803e3d6000fd5b505050506040513d601f19601f820116820180604052508101906105b19190610e2a565b93505b6105c084866001610854565b95945050505050565b600080841161061f5760405162461bcd60e51b815260206004820181905260248201527f416d6f756e74206d7573742062652067726561746572207468616e207a65726f60448201526064015b60405180910390fd5b6000836001600160a01b03166338d52e0f6040518163ffffffff1660e01b8152600401602060405180830381865afa15801561065f573d6000803e3d6000fd5b505050506040513d601f19601f820116820180604052508101906106839190610e0d565b90506001600160a01b0381166106d15760405162461bcd60e51b815260206004820152601360248201527224b73b30b634b21039ba30b5b2903a37b5b2b760691b6044820152606401610616565b604051635d043b2960e11b8152600481018690523060248201523360448201526000906001600160a01b0386169063ba087652906064016020604051808303816000875af1158015610727573d6000803e3d6000fd5b505050506040513d601f19601f8201168201806040525081019061074b9190610e2a565b905083156107d3576040516304876fcd60e11b8152600481018290523360248201523060448201526001600160a01b0383169063090edf9a906064016020604051808303816000875af11580156107a6573d6000803e3d6000fd5b505050506040513d601f19601f820116820180604052508101906107ca9190610e2a565b92505050610154565b604051635d043b2960e11b8152600481018290523360248201523060448201526001600160a01b0383169063ba087652906064016020604051808303816000875af1158015610826573d6000803e3d6000fd5b505050506040513d601f19601f8201168201806040525081019061084a9190610e2a565b9695505050505050565b60008084116108a55760405162461bcd60e51b815260206004820181905260248201527f416d6f756e74206d7573742062652067726561746572207468616e207a65726f6044820152606401610616565b6000836001600160a01b03166338d52e0f6040518163ffffffff1660e01b8152600401602060405180830381865afa1580156108e5573d6000803e3d6000fd5b505050506040513d601f19601f820116820180604052508101906109099190610e0d565b90506001600160a01b0381166109575760405162461bcd60e51b815260206004820152601360248201527224b73b30b634b21039ba30b5b2903a37b5b2b760691b6044820152606401610616565b6000836109c557816001600160a01b03166338d52e0f6040518163ffffffff1660e01b8152600401602060405180830381865afa15801561099c573d6000803e3d6000fd5b505050506040513d601f19601f820116820180604052508101906109c09190610e0d565b610a27565b816001600160a01b031663a0c1f15e6040518163ffffffff1660e01b8152600401602060405180830381865afa158015610a03573d6000803e3d6000fd5b505050506040513d601f19601f82011682018060405250810190610a279190610e0d565b9050610a3e6001600160a01b038216333089610c96565b60405163095ea7b360e01b81526001600160a01b0383811660048301526024820188905282169063095ea7b3906044016020604051808303816000875af1158015610a8d573d6000803e3d6000fd5b505050506040513d601f19601f82011682018060405250810190610ab19190610e84565b5060008415610b325760405163e25ec34960e01b8152600481018890523060248201526001600160a01b0384169063e25ec349906044016020604051808303816000875af1158015610b07573d6000803e3d6000fd5b505050506040513d601f19601f82011682018060405250810190610b2b9190610e2a565b9050610ba6565b604051636e553f6560e01b8152600481018890523060248201526001600160a01b03841690636e553f65906044016020604051808303816000875af1158015610b7f573d6000803e3d6000fd5b505050506040513d601f19601f82011682018060405250810190610ba39190610e2a565b90505b60405163095ea7b360e01b81526001600160a01b0387811660048301526024820183905284169063095ea7b3906044016020604051808303816000875af1158015610bf5573d6000803e3d6000fd5b505050506040513d601f19601f82011682018060405250810190610c199190610e84565b50604051636e553f6560e01b8152600481018290523360248201526001600160a01b03871690636e553f65906044016020604051808303816000875af1158015610c67573d6000803e3d6000fd5b505050506040513d601f19601f82011682018060405250810190610c8b9190610e2a565b979650505050505050565b604080516001600160a01b0385811660248301528416604482015260648082018490528251808303909101815260849091019091526020810180516001600160e01b03166323b872dd60e01b179052610cf0908590610cf6565b50505050565b600080602060008451602086016000885af180610d19576040513d6000823e3d81fd5b50506000513d91508115610d31578060011415610d3e565b6001600160a01b0384163b155b15610cf057604051635274afe760e01b81526001600160a01b0385166004820152602401610616565b6001600160a01b0381168114610d7c57600080fd5b50565b60008060408385031215610d9257600080fd5b8235610d9d81610d67565b946020939093013593505050565b60008060008060008060c08789031215610dc457600080fd5b8635610dcf81610d67565b95506020870135945060408701359350606087013560ff81168114610df357600080fd5b9598949750929560808101359460a0909101359350915050565b600060208284031215610e1f57600080fd5b815161015481610d67565b600060208284031215610e3c57600080fd5b5051919050565b6001600160a01b0397881681529590961660208601526040850193909352606084019190915260ff16608083015260a082015260c081019190915260e00190565b600060208284031215610e9657600080fd5b8151801515811461015457600080fdfea26469706673582212201f459ecb9a00bf627bd8b5d690e1be08cf4a62d809fd4ca8b3b2b1ebd111854764736f6c63430008140033"; type StakeGatewayConstructorParams = | [signer?: Signer] From 4cb9eb4ca545843b84d3032c7e7662d5d476a43d Mon Sep 17 00:00:00 2001 From: Mark Hinschberger Date: Thu, 16 Jan 2025 13:02:39 +0000 Subject: [PATCH 015/110] feat: balance breakdown --- pages/umbrella.page.tsx | 2 - src/components/primitives/TokenIcon.tsx | 25 ++- .../StakeAssets/UmbrellaAssetsList.tsx | 76 +++++-- .../StakeAssets/UmbrellaAssetsListItem.tsx | 38 ++-- .../UmbrellaAssetsListMobileItem.tsx | 3 +- .../UmbrellaStakeAssetsListItem.tsx | 100 ++++----- src/modules/umbrella/helpers/Helpers.tsx | 169 +++++++++++++++ src/modules/umbrella/hooks/useStakeData.ts | 196 ++++++++++++------ 8 files changed, 441 insertions(+), 168 deletions(-) create mode 100644 src/modules/umbrella/helpers/Helpers.tsx diff --git a/pages/umbrella.page.tsx b/pages/umbrella.page.tsx index 5a4e367b6b..9b14977ac3 100644 --- a/pages/umbrella.page.tsx +++ b/pages/umbrella.page.tsx @@ -136,8 +136,6 @@ export default function UmbrellaStaking() { .mul('86400') ); - console.log('UmbrellaStakeModal', UmbrellaStakeModal); - return ( <> diff --git a/src/components/primitives/TokenIcon.tsx b/src/components/primitives/TokenIcon.tsx index 76ee6da6ed..232ccffaef 100644 --- a/src/components/primitives/TokenIcon.tsx +++ b/src/components/primitives/TokenIcon.tsx @@ -139,6 +139,7 @@ ATokenIcon.displayName = 'ATokenIcon'; interface TokenIconProps extends IconProps { symbol: string; aToken?: boolean; + aTokens?: boolean[]; } /** @@ -205,9 +206,18 @@ interface MultiTokenIconProps extends IconProps { symbols: string[]; badgeSymbol?: string; aToken?: boolean; + aTokens?: boolean[]; } -export function MultiTokenIcon({ symbols, badgeSymbol, ...rest }: MultiTokenIconProps) { +export function MultiTokenIcon({ + symbols, + badgeSymbol, + aToken = false, + aTokens: providedATokens, + ...rest +}: MultiTokenIconProps) { + const aTokens = providedATokens || symbols.map((_, index) => (index === 0 ? aToken : false)); + if (!badgeSymbol) return ( @@ -216,6 +226,7 @@ export function MultiTokenIcon({ symbols, badgeSymbol, ...rest }: MultiTokenIcon {...rest} key={symbol} symbol={symbol} + aToken={aTokens[ix]} sx={{ ml: ix === 0 ? 0 : `calc(-1 * 0.5em)`, ...rest.sx }} /> ))} @@ -233,6 +244,7 @@ export function MultiTokenIcon({ symbols, badgeSymbol, ...rest }: MultiTokenIcon {...rest} key={symbol} symbol={symbol} + aToken={aTokens[ix]} sx={{ ml: ix === 0 ? 0 : 'calc(-1 * 0.5em)', ...rest.sx }} /> ))} @@ -240,11 +252,14 @@ export function MultiTokenIcon({ symbols, badgeSymbol, ...rest }: MultiTokenIcon ); } -export function TokenIcon({ symbol, ...rest }: TokenIconProps) { +export function TokenIcon({ symbol, aToken, aTokens, ...rest }: TokenIconProps) { const symbolChunks = symbol.split('_'); if (symbolChunks.length > 1) { - const [badge, ...symbols] = symbolChunks; - return ; + if (symbolChunks[0].startsWith('pools/')) { + const [badge, ...symbols] = symbolChunks; + return ; + } + return ; } - return ; + return ; } diff --git a/src/modules/umbrella/StakeAssets/UmbrellaAssetsList.tsx b/src/modules/umbrella/StakeAssets/UmbrellaAssetsList.tsx index 82b48f33c8..f10a7f0605 100644 --- a/src/modules/umbrella/StakeAssets/UmbrellaAssetsList.tsx +++ b/src/modules/umbrella/StakeAssets/UmbrellaAssetsList.tsx @@ -2,21 +2,28 @@ import { useMemo } from 'react'; import { Trans } from '@lingui/macro'; import { useMediaQuery } from '@mui/material'; import { useState } from 'react'; -import { VariableAPYTooltip } from 'src/components/infoTooltips/VariableAPYTooltip'; +// import { VariableAPYTooltip } from 'src/components/infoTooltips/VariableAPYTooltip'; import { ListColumn } from 'src/components/lists/ListColumn'; import { ListHeaderTitle } from 'src/components/lists/ListHeaderTitle'; import { ListHeaderWrapper } from 'src/components/lists/ListHeaderWrapper'; import { ComputedReserveData } from 'src/hooks/app-data-provider/useAppDataProvider'; import { useRootStore } from 'src/store/root'; import { useShallow } from 'zustand/shallow'; -import { TokenInfoWithBalance, useTokensBalance } from 'src/hooks/generic/useTokensBalance'; import { useStakeData, useUserStakeData, - useStakedDataWithTokenBalances, + useMergedStakeData, + MergedStakeData, } from '../hooks/useStakeData'; -import { UmbrellaAssetsListItem } from './UmbrellaAssetsListItem'; + +import { + StakeData, + // StakeUserData, + // StakeUserBalances, + // StakeUserCooldown, +} from '../services/StakeDataProviderService'; + import { UmbrellaStakeAssetsListItem } from './UmbrellaStakeAssetsListItem'; import { UmbrellaAssetsListItemLoader } from './UmbrellaAssetsListItemLoader'; import { UmbrellaAssetsListMobileItem } from './UmbrellaAssetsListMobileItem'; @@ -57,8 +64,6 @@ type MarketAssetsListProps = { loading: boolean; }; -// cast call 0x508b0d26b00bcfa1b1e9783d1194d4a5efe9d19e "rewardsController()("address")" --rpc-url https://virtual.base.rpc.tenderly.co/acca7349-4377-43ab-ba85-84530976e4e0 - export default function MarketAssetsList({ reserves, loading }: MarketAssetsListProps) { const isTableChangedToCards = useMediaQuery('(max-width:1125px)'); const [sortName, setSortName] = useState(''); @@ -69,21 +74,48 @@ export default function MarketAssetsList({ reserves, loading }: MarketAssetsList const currentChainId = useRootStore((store) => store.currentChainId); const { data: stakeData } = useStakeData(currentMarketData); - const { data: userStakeData } = useUserStakeData(currentMarketData, user); - const { data: stakedDataWithTokenBalances } = useStakedDataWithTokenBalances( - stakeData, - currentChainId, - user + const { data: userStakeData = [] } = useUserStakeData(currentMarketData, user); + // const { data: stakedDataWithTokenBalances } = useStakedDataWithTokenBalances( + // userStakeData, + // currentChainId, + // user + // ); + + // const filteredGhoToken = useMemo(() => { + + // } + + // sum all three for every case for available to stake + + // underlyingTokenBalance + // : + // "0" + // underlyingWaTokenATokenBalance + // : + // "0" // underling USDC + // underlyingWaTokenBalance + // : + // "49002102" // underling USDC + + // TODO: Handle GHO Situation + const filteredGhoToken: StakeData[] = useMemo(() => { + if (!stakeData) return []; + return stakeData?.filter( + (item) => item.waTokenData.waTokenUnderlying !== '0x0000000000000000000000000000000000000000' + ); + }, [stakeData]); + + const stakedDataWithTokenBalances: MergedStakeData[] = useMergedStakeData( + filteredGhoToken, + userStakeData, + reserves ); console.log('useStakeData --->', stakeData); console.log('userStakeData --->', userStakeData); console.log('stakedDataWithTokenBalances', stakedDataWithTokenBalances); - // const underlyingStakedAssets = useMemo(() => { - // return userStakeData?.map((stakeData) => stakeData.stakeTokenUnderlying); - // }, [userStakeData]); + console.log('reserves ---', reserves); - // console.log('underlyingStakedAssets', underlyingStakedAssets); if (sortDesc) { if (sortName === 'symbol') { reserves.sort((a, b) => (a.symbol.toUpperCase() < b.symbol.toUpperCase() ? -1 : 1)); @@ -121,7 +153,7 @@ export default function MarketAssetsList({ reserves, loading }: MarketAssetsList } // Hide list when no results, via search term or if a market has all/no frozen/unfrozen assets - if (reserves.length === 0) return null; + if (stakedDataWithTokenBalances.length === 0) return null; return ( <> @@ -149,11 +181,17 @@ export default function MarketAssetsList({ reserves, loading }: MarketAssetsList )} - {reserves.map((reserve) => + {stakedDataWithTokenBalances.map((umbrellaStakeAsset) => isTableChangedToCards ? ( - + ) : ( - + ) )} diff --git a/src/modules/umbrella/StakeAssets/UmbrellaAssetsListItem.tsx b/src/modules/umbrella/StakeAssets/UmbrellaAssetsListItem.tsx index 40d5f13532..dc1a22ed03 100644 --- a/src/modules/umbrella/StakeAssets/UmbrellaAssetsListItem.tsx +++ b/src/modules/umbrella/StakeAssets/UmbrellaAssetsListItem.tsx @@ -25,23 +25,26 @@ import { TokenIcon } from '../../../components/primitives/TokenIcon'; import { ComputedReserveData } from '../../../hooks/app-data-provider/useAppDataProvider'; import { useModalContext } from 'src/hooks/useModal'; -export const UmbrellaAssetsListItem = ({ ...reserve }: ComputedReserveData) => { +import { MergedStakeData } from '../hooks/useStakeData'; + +export const UmbrellaAssetsListItem = ({ ...reserve }: MergedStakeData) => { const router = useRouter(); + console.log('what the reserve look lit', reserve); const [trackEvent, currentMarket] = useRootStore( useShallow((store) => [store.trackEvent, store.currentMarket]) ); const { openUmbrella } = useModalContext(); - const externalIncentivesTooltipsSupplySide = showExternalIncentivesTooltip( - reserve.symbol, - currentMarket, - ProtocolAction.supply - ); - const externalIncentivesTooltipsBorrowSide = showExternalIncentivesTooltip( - reserve.symbol, - currentMarket, - ProtocolAction.borrow - ); + // const externalIncentivesTooltipsSupplySide = showExternalIncentivesTooltip( + // reserve.symbol, + // currentMarket, + // ProtocolAction.supply + // ); + // const externalIncentivesTooltipsBorrowSide = showExternalIncentivesTooltip( + // reserve.symbol, + // currentMarket, + // ProtocolAction.borrow + // ); return ( { - {/* + - */} + HELLO + {/* { /> */} - + {/* {reserve.borrowingEnabled || Number(reserve.totalDebt) > 0 ? ( <> {' '} @@ -112,9 +116,9 @@ export const UmbrellaAssetsListItem = ({ ...reserve }: ComputedReserveData) => { ) : ( )} - + */} - + {/* 0 ? reserve.variableBorrowAPY : '-1'} incentives={reserve.vIncentivesData || []} @@ -134,7 +138,7 @@ export const UmbrellaAssetsListItem = ({ ...reserve }: ComputedReserveData) => { {!reserve.borrowingEnabled && Number(reserve.totalVariableDebt) > 0 && !reserve.isFrozen && } - + */} {/* TODO: Open Modal for staking */} diff --git a/src/modules/umbrella/StakeAssets/UmbrellaAssetsListMobileItem.tsx b/src/modules/umbrella/StakeAssets/UmbrellaAssetsListMobileItem.tsx index 76e019dea0..1a370cb694 100644 --- a/src/modules/umbrella/StakeAssets/UmbrellaAssetsListMobileItem.tsx +++ b/src/modules/umbrella/StakeAssets/UmbrellaAssetsListMobileItem.tsx @@ -19,8 +19,9 @@ import { ComputedReserveData } from '../../../hooks/app-data-provider/useAppData import { ListMobileItemWrapper } from '../../dashboard/lists/ListMobileItemWrapper'; import { useModalContext } from 'src/hooks/useModal'; +import { MergedStakeData } from '../hooks/useStakeData'; -export const UmbrellaAssetsListMobileItem = ({ ...reserve }: ComputedReserveData) => { +export const UmbrellaAssetsListMobileItem = ({ ...reserve }: MergedStakeData) => { const [trackEvent, currentMarket] = useRootStore( useShallow((store) => [store.trackEvent, store.currentMarket]) ); diff --git a/src/modules/umbrella/StakeAssets/UmbrellaStakeAssetsListItem.tsx b/src/modules/umbrella/StakeAssets/UmbrellaStakeAssetsListItem.tsx index d3717c5693..f877813881 100644 --- a/src/modules/umbrella/StakeAssets/UmbrellaStakeAssetsListItem.tsx +++ b/src/modules/umbrella/StakeAssets/UmbrellaStakeAssetsListItem.tsx @@ -14,6 +14,7 @@ import { useRootStore } from 'src/store/root'; import { MARKETS } from 'src/utils/mixPanelEvents'; import { showExternalIncentivesTooltip } from 'src/utils/utils'; import { useShallow } from 'zustand/shallow'; +import { normalize } from '@aave/math-utils'; import { IncentivesCard } from '../../../components/incentives/IncentivesCard'; import { AMPLToolTip } from '../../../components/infoTooltips/AMPLToolTip'; @@ -24,24 +25,19 @@ import { Link, ROUTES } from '../../../components/primitives/Link'; import { TokenIcon } from '../../../components/primitives/TokenIcon'; import { ComputedReserveData } from '../../../hooks/app-data-provider/useAppDataProvider'; import { useModalContext } from 'src/hooks/useModal'; +import { UmbrellaAssetBreakdown } from 'src/modules/umbrella/helpers/Helpers'; -export const UmbrellaStakeAssetsListItem = ({ ...reserve }: ComputedReserveData) => { +import { MergedStakeData } from '../hooks/useStakeData'; + +export const UmbrellaStakeAssetsListItem = ({ ...umbrellaStakeAsset }: MergedStakeData) => { const router = useRouter(); const [trackEvent, currentMarket] = useRootStore( useShallow((store) => [store.trackEvent, store.currentMarket]) ); + const { openUmbrella } = useModalContext(); - const externalIncentivesTooltipsSupplySide = showExternalIncentivesTooltip( - reserve.symbol, - currentMarket, - ProtocolAction.supply - ); - const externalIncentivesTooltipsBorrowSide = showExternalIncentivesTooltip( - reserve.symbol, - currentMarket, - ProtocolAction.borrow - ); + console.log('umbrellaStakeAsset', umbrellaStakeAsset); return ( { // trackEvent(MARKETS.DETAILS_NAVIGATION, { // type: 'Row', - // assetName: reserve.name, - // asset: reserve.underlyingAsset, + // assetName: umbrellaStakeAsset.name, + // asset: umbrellaStakeAsset.underlyingAsset, // market: currentMarket, // }); - // router.push(ROUTES.reserveOverview(reserve.underlyingAsset, currentMarket)); + // router.push(ROUTES.umbrellaStakeAssetOverview(umbrellaStakeAsset.underlyingAsset, currentMarket)); // }} sx={{ cursor: 'pointer' }} button - data-cy={`marketListItemListItem_${reserve.symbol.toUpperCase()}`} + // data-cy={`marketListItemListItem_${umbrellaStakeAsset.symbol.toUpperCase()}`} > - + - {reserve.name} + {umbrellaStakeAsset.name} - {reserve.symbol} + {umbrellaStakeAsset.symbol} - {/* - - - - */} - {/* - TODO: APY + + + - {externalIncentivesTooltipsSupplySide.superFestRewards && } - {externalIncentivesTooltipsSupplySide.spkAirdrop && } - + /> + - */} - - - {reserve.borrowingEnabled || Number(reserve.totalDebt) > 0 ? ( - <> - {' '} - - - ) : ( - - )} - - - - TODO: DECIMALS - {' '} @@ -124,26 +105,23 @@ export const UmbrellaStakeAssetsListItem = ({ ...reserve }: ComputedReserveData) ); From 81d1a22cdc048dfec33b3e88240b3542f5fbebf8 Mon Sep 17 00:00:00 2001 From: Mark Hinschberger Date: Mon, 20 Jan 2025 11:51:14 +0000 Subject: [PATCH 032/110] chore: some cleanup --- .../UmbrellaAssetsListMobileItem.tsx | 4 +- .../UmbrellaStakeAssetsListItem.tsx | 38 ++++++------------- 2 files changed, 12 insertions(+), 30 deletions(-) diff --git a/src/modules/umbrella/StakeAssets/UmbrellaAssetsListMobileItem.tsx b/src/modules/umbrella/StakeAssets/UmbrellaAssetsListMobileItem.tsx index a54d36f521..1ef90a5b75 100644 --- a/src/modules/umbrella/StakeAssets/UmbrellaAssetsListMobileItem.tsx +++ b/src/modules/umbrella/StakeAssets/UmbrellaAssetsListMobileItem.tsx @@ -14,9 +14,7 @@ import { AvailableToStakeItem } from '../AvailableToStakeItem'; import { AvailableToClaimItem } from '../AvailableToClaimItem'; export const UmbrellaAssetsListMobileItem = ({ ...umbrellaStakeAsset }: MergedStakeData) => { - const [trackEvent, currentMarket] = useRootStore( - useShallow((store) => [store.trackEvent, store.currentMarket]) - ); + const [currentMarket] = useRootStore(useShallow((store) => [store.currentMarket])); const { openUmbrella } = useModalContext(); return ( diff --git a/src/modules/umbrella/StakeAssets/UmbrellaStakeAssetsListItem.tsx b/src/modules/umbrella/StakeAssets/UmbrellaStakeAssetsListItem.tsx index e53d6045c6..949c413dc6 100644 --- a/src/modules/umbrella/StakeAssets/UmbrellaStakeAssetsListItem.tsx +++ b/src/modules/umbrella/StakeAssets/UmbrellaStakeAssetsListItem.tsx @@ -1,46 +1,30 @@ -import { ProtocolAction } from '@aave/contract-helpers'; -import { normalize } from '@aave/math-utils'; import { Trans } from '@lingui/macro'; import { Box, Button, Typography } from '@mui/material'; -import { useRouter } from 'next/router'; -import { OffboardingTooltip } from 'src/components/infoTooltips/OffboardingToolTip'; -import { RenFILToolTip } from 'src/components/infoTooltips/RenFILToolTip'; -import { SpkAirdropTooltip } from 'src/components/infoTooltips/SpkAirdropTooltip'; -import { SuperFestTooltip } from 'src/components/infoTooltips/SuperFestTooltip'; -import { IsolatedEnabledBadge } from 'src/components/isolationMode/IsolatedBadge'; -import { NoData } from 'src/components/primitives/NoData'; -import { ReserveSubheader } from 'src/components/ReserveSubheader'; -import { AssetsBeingOffboarded } from 'src/components/Warnings/OffboardingWarning'; +// import { useRouter } from 'next/router'; + import { MergedStakeData } from 'src/hooks/stake/useUmbrellaSummary'; import { useModalContext } from 'src/hooks/useModal'; -import { UmbrellaAssetBreakdown } from 'src/modules/umbrella/helpers/Helpers'; import { useRewardsApy } from 'src/modules/umbrella/hooks/useStakeData'; -import { useRootStore } from 'src/store/root'; -import { MARKETS } from 'src/utils/mixPanelEvents'; -import { showExternalIncentivesTooltip } from 'src/utils/utils'; -import { useShallow } from 'zustand/shallow'; +// import { useRootStore } from 'src/store/root'; + +// import { useShallow } from 'zustand/shallow'; -import { IncentivesCard } from '../../../components/incentives/IncentivesCard'; -import { AMPLToolTip } from '../../../components/infoTooltips/AMPLToolTip'; import { ListColumn } from '../../../components/lists/ListColumn'; import { ListItem } from '../../../components/lists/ListItem'; -import { FormattedNumber } from '../../../components/primitives/FormattedNumber'; -import { Link, ROUTES } from '../../../components/primitives/Link'; + import { TokenIcon } from '../../../components/primitives/TokenIcon'; -import { ComputedReserveData } from '../../../hooks/app-data-provider/useAppDataProvider'; import { StakingApyItem } from '../StakingApyItem'; import { AvailableToStakeItem } from '../AvailableToStakeItem'; import { AvailableToClaimItem } from '../AvailableToClaimItem'; export const UmbrellaStakeAssetsListItem = ({ ...umbrellaStakeAsset }: MergedStakeData) => { - const router = useRouter(); - const [trackEvent, currentMarket] = useRootStore( - useShallow((store) => [store.trackEvent, store.currentMarket]) - ); + // const [trackEvent, currentMarket] = useRootStore( + // useShallow((store) => [store.trackEvent, store.currentMarket]) + // ); const { openUmbrella } = useModalContext(); - const APY = useRewardsApy(umbrellaStakeAsset.rewards); + // const APY = useRewardsApy(umbrellaStakeAsset.rewards); return ( { + onClick={() => { openUmbrella(umbrellaStakeAsset.stakeToken, umbrellaStakeAsset.symbol); }} > From 2fc6b35cf75d72af3287652c77307ed7d374cdfd Mon Sep 17 00:00:00 2001 From: Mark Hinschberger Date: Mon, 20 Jan 2025 12:00:12 +0000 Subject: [PATCH 033/110] chore: cleanup files --- pages/umbrella.page.tsx | 27 +- src/locales/el/messages.js | 2 +- src/locales/en/messages.js | 2 +- src/locales/en/messages.po | 82 ++++- src/locales/es/messages.js | 2 +- src/locales/fr/messages.js | 2 +- .../StakeAssets/UmbrellaAssetsListItem.tsx | 5 +- .../UmbrellaAssetsListMobileItem.tsx | 6 +- .../UmbrellaStakeAssetsListItem.tsx | 11 +- src/modules/umbrella/UmbrellaActions.tsx | 12 +- .../umbrella/UmbrellaMarketSwitcher.tsx | 6 +- src/modules/umbrella/UmbrellaModalContent.tsx | 24 +- .../UmbrellaUserAssetsListItemLoader.tsx | 82 ++--- .../UmbrellaUserStakeAssetsList.tsx | 244 ++++++------- .../UmbrellaUserStakeAssetsListContainer.tsx | 202 +++++------ .../UmbrellaUserStakeAssetsListItem.tsx | 320 +++++++++--------- src/modules/umbrella/helpers/Helpers.tsx | 12 +- 17 files changed, 544 insertions(+), 497 deletions(-) diff --git a/pages/umbrella.page.tsx b/pages/umbrella.page.tsx index 73f15551e1..ea6f86505d 100644 --- a/pages/umbrella.page.tsx +++ b/pages/umbrella.page.tsx @@ -1,17 +1,14 @@ -import { ReactNode } from 'react'; -import { StakeUIUserData } from '@aave/contract-helpers/dist/esm/V3-uiStakeDataProvider-contract/types'; +// import { StakeUIUserData } from '@aave/contract-helpers/dist/esm/V3-uiStakeDataProvider-contract/types'; import { Trans } from '@lingui/macro'; import { Box, Container } from '@mui/material'; import { BigNumber } from 'ethers/lib/ethers'; import { formatEther } from 'ethers/lib/utils'; import dynamic from 'next/dynamic'; -import { useEffect } from 'react'; - +import { ReactNode, useEffect } from 'react'; +import { ConnectWalletPaper } from 'src/components/ConnectWalletPaper'; import { StakeTokenFormatted, useGeneralStakeUiData } from 'src/hooks/stake/useGeneralStakeUiData'; -import { useUserStakeUiData } from 'src/hooks/stake/useUserStakeUiData'; +// import { useUserStakeUiData } from 'src/hooks/stake/useUserStakeUiData'; import { MainLayout } from 'src/layouts/MainLayout'; -import { ConnectWalletPaper } from 'src/components/ConnectWalletPaper'; - import { UmbrellaAssetsListContainer } from 'src/modules/umbrella/StakeAssets/UmbrellaAssetsListContainer'; import { UmbrellaHeader } from 'src/modules/umbrella/UmbrellaHeader'; // import { UmbrellaStakedAssetsListContainer } from 'src/modules/umbrella/UserStakedAssets/UmbrellaStakedAssetsListContainer'; @@ -78,7 +75,7 @@ export default function UmbrellaStaking() { const { currentAccount } = useWeb3Context(); const currentMarketData = useRootStore((store) => store.currentMarketData); - const { data: stakeUserResult } = useUserStakeUiData(currentMarketData); + // const { data: stakeUserResult } = useUserStakeUiData(currentMarketData); const { data: stakeGeneralResult, isLoading: stakeGeneralResultLoading } = useGeneralStakeUiData(currentMarketData); @@ -92,13 +89,13 @@ export default function UmbrellaStaking() { [stkAave, stkBpt, stkGho, stkBptV2] = stakeGeneralResult; } - let stkAaveUserData: StakeUIUserData | undefined; - let stkBptUserData: StakeUIUserData | undefined; - let stkGhoUserData: StakeUIUserData | undefined; - let stkBptV2UserData: StakeUIUserData | undefined; - if (stakeUserResult && Array.isArray(stakeUserResult)) { - [stkAaveUserData, stkBptUserData, stkGhoUserData, stkBptV2UserData] = stakeUserResult; - } + // let stkAaveUserData: StakeUIUserData | undefined; + // let stkBptUserData: StakeUIUserData | undefined; + // let stkGhoUserData: StakeUIUserData | undefined; + // let stkBptV2UserData: StakeUIUserData | undefined; + // if (stakeUserResult && Array.isArray(stakeUserResult)) { + // [stkAaveUserData, stkBptUserData, stkGhoUserData, stkBptV2UserData] = stakeUserResult; + // } const trackEvent = useRootStore((store) => store.trackEvent); diff --git a/src/locales/el/messages.js b/src/locales/el/messages.js index 7af50651b7..347291c749 100644 --- a/src/locales/el/messages.js +++ b/src/locales/el/messages.js @@ -1 +1 @@ -/*eslint-disable*/module.exports={messages:JSON.parse("{\"+0xecS\":[\"Εάν ΔΕΝ ξεκλειδώσετε εντός \",[\"0\"],\" του παραθύρου ξεκλειδώματος, θα πρέπει να ενεργοποιήσετε ξανά τη διαδικασία ψύξης.\"],\"+EGVI0\":\"Receive (est.)\",\"+VR63W\":[\"Η συμμετοχή σε αυτό το αποθεματικό \",[\"symbol\"],\" δίνει ετήσιες ανταμοιβές.\"],\"+bmKdK\":\"Use your AAVE, stkAAVE, or aAave balance to delegate your voting and proposition powers. You will not be sending any tokens, only the rights to vote and propose changes to the protocol. You can re-delegate or revoke power to self at any time.\",\"+eOPG+\":\"Φαίνεται ότι δεν μπορούμε να αλλάξουμε το δίκτυο αυτόματα. Ελέγξτε αν μπορείτε να το αλλάξετε από το πορτοφόλι.\",\"+i3Pd2\":\"Ανώτατο όριο δανεισμού\",\"+kLZGu\":\"Supplied asset amount\",\"+nuEh/\":\"Estimated time\",\"+xMFF8\":\"Remind me\",\"/57U31\":\"Amount to migrate\",\"/7ykiW\":\"Borrowing this amount will reduce your health factor and increase risk of liquidation.\",\"/YA5pU\":\"E-Mode increases your LTV for a selected category of assets, meaning that when E-mode is enabled, you will have higher borrowing power over assets of the same E-mode category which are defined by Aave Governance. You can enter E-Mode from your <0>Dashboard. To learn more about E-Mode and applied restrictionn, see the <1>help guide or the <2>Aave V3 Technical Paper.\",\"/izjs/\":\"Minimum staked Aave amount\",\"/jQctM\":\"To\",\"/lDBHm\":\"ΣΥΧΝΕΣ ΕΡΩΤΗΣΕΙΣ\",\"/yNlZf\":\"Ο σταθερός δανεισμός δεν είναι ενεργοποιημένος\",\"/yQcJM\":\"Συνολική αξία\",\"00AB2i\":\"Ο χρήστης δεν δανείστηκε το καθορισμένο νόμισμα\",\"00OflG\":\"There is not enough liquidity for the target asset to perform the switch. Try lowering the amount.\",\"08/rZ9\":\"The cooldown period is the time required prior to unstaking your tokens (20 days). You can only withdraw your assets from the Security Module after the cooldown period and within the unstake window.<0>Learn more\",\"0AmQcW\":\"Rate change\",\"0BF3yK\":\"Sorry, we couldn't find the page you were looking for.\",\"0TAbjq\":\"Recent Transactions\",\"0jhlyw\":\"Liquidation risk\",\"0ojY+Y\":\"Current v2 Balance\",\"0thX3P\":\"Collateral change\",\"0wGCWc\":\"Αυτό είναι το συνολικό ποσό που μπορείτε να προμηθεύσετε σε αυτό το αποθεματικό. Μπορείτε να προμηθεύσετε το υπόλοιπο του πορτοφολιού σας μέχρι να επιτευχθεί το ανώτατο όριο προμηθειών.\",\"1AsVfF\":\"Price data is not currently available for this reserve on the protocol subgraph\",\"1LjK22\":\"Transaction history\",\"1Onqx8\":[\"Έγκριση του \",[\"symbol\"],\"...\"],\"1Ue8sX\":\"Παρακαλούμε συνδέστε ένα πορτοφόλι για να δείτε τις προσωπικές σας πληροφορίες εδώ.\",\"1bpx9A\":\"...\",\"1kWUB+\":\"Ρευστοποίηση <0/> κατώτατο όριο\",\"1m9Qqc\":\"Withdrawing and Switching\",\"1oyh4g\":\"Borrow rate\",\"1t7rez\":\"Asset supply is limited to a certain amount to reduce protocol exposure to the asset and to help manage risks involved.\",\"2CAPu2\":\"You've successfully withdrew & switched tokens.\",\"2Eoi/a\":\"Προβολή λεπτομερειών\",\"2FYpfJ\":\"Περισσότερα\",\"2O3qp5\":\"Διαθέσιμη ρευστότητα\",\"2OM8/D\":[\"Asset cannot be migrated due to supply cap restriction in \",[\"marketName\"],\" v3 market.\"],\"2Q4GU4\":\"Blocked Address\",\"2ZGocC\":\"Aave is a fully decentralized, community governed protocol by the AAVE token-holders. AAVE token-holders collectively discuss, propose, and vote on upgrades to the protocol. AAVE token-holders (Ethereum network only) can either vote themselves on new proposals or delagate to an address of choice. To learn more check out the Governance\",\"2a6G7d\":\"Please enter a valid wallet address.\",\"2bAhR7\":\"Meet GHO\",\"2eBWE6\":\"I acknowledge the risks involved.\",\"2o/xRt\":\"Επίτευξη του ανώτατου ορίου εφοδιασμού στο αποθεματικό-στόχο. Δοκιμάστε να \\nμειώσετε την ποσότητα.\",\"2uJToh\":[[\"0\"],[\"name\"]],\"2x58bP\":\"Ο σταθερός δανεισμός είναι ενεργοποιημένος\",\"34Qfwy\":\"Υπέρβαση του ανώτατου ορίου δανεισμού\",\"39eQRj\":[\"Δανεισμός \",[\"symbol\"]],\"3BL1xB\":\"Σύνολο παρεχόμενων\",\"3BnIWi\":\"Switched\",\"3K0oMo\":\"Υπολειπόμενη προσφορά\",\"3MoZhl\":\"Δεν υπάρχουν επαρκείς εξασφαλίσεις για την κάλυψη ενός νέου δανείου\",\"3Np5O8\":[\"Προσφορά \",[\"symbol\"]],\"3O8YTV\":\"Total interest accrued\",\"3mXg0z\":\"Μέγιστο LTV\",\"3q3mFy\":\"Αποπληρωμή\",\"3qsjtp\":\"Ο σταθμισμένος μέσος όρος του APY για όλα τα παρεχόμενα περιουσιακά στοιχεία, συμπεριλαμβανομένων των κινήτρων.\",\"3rL+os\":\"Μπορείτε να αποσύρετε τα περιουσιακά σας στοιχεία από τη Μονάδα Ασφαλείας μόνο αφού λήξει η περίοδος αναμονής και το παράθυρο ξεκλειδώματος είναι ενεργό.\",\"42UgDM\":[\"Migrate to \",[\"0\"],\" v3 Market\"],\"49UFQA\":\"Αποτελέσματα ψηφοφορίας\",\"4DMZUI\":\"View Transactions\",\"4HtGBb\":\"ΜΕΓΙΣΤΟ\",\"4Y5H+g\":\"Terms\",\"4YYh4d\":\"Maximum available to borrow\",\"4iPAI3\":\"Minimum GHO borrow amount\",\"4lDFps\":\"Sign to continue\",\"4wyw8H\":\"Transactions\",\"5JSSxX\":[\"Your \",[\"networkName\"],\" wallet is empty. Get free test assets at\"],\"5K7kGO\":\"τεκμηρίωση\",\"5NOSGa\":\"Debt ceiling limits the amount possible to borrow against this asset by protocol users. Debt ceiling is specific to assets in isolation mode and is denoted in USD.\",\"5Ncc6j\":[\"Αυτό το περιουσιακό στοιχείο έχει σχεδόν φτάσει στο όριο της προσφοράς του. Μόνο \",[\"messageValue\"],\" μπορεί να παρασχεθεί σε αυτή την αγορά.\"],\"5cZ/KX\":\"Η προσφορά μεταβλητού χρέους δεν είναι μηδενική\",\"5che++\":\"Για να ζητήσετε πρόσβαση σε αυτή την αδειοδοτημένη αγορά, επισκεφθείτε την ιστοσελίδα: <0>Όνομα Παρόχου Πρόσβασης\",\"5ctNdV\":[\"Minimum \",[\"0\"],\" received\"],\"5hDe9v\":\"Απαιτούμενη δράση επιδότησης\",\"5rsnKT\":\"Διαθέσιμες ανταμοιβές\",\"5yC5m5\":\"View all votes\",\"6/dCYd\":\"Επισκόπηση\",\"60crCe\":\"All transactions\",\"62Xcjh\":\"Εγγύηση\",\"65A04M\":\"Ισπανικά\",\"6G8s+q\":\"Signing\",\"6Jrv+z\":[\"Αποπληρωμή \",[\"symbol\"]],\"6NGLTR\":\"Discountable amount\",\"6Xr0UU\":\"Ψύξη...\",\"6bxci/\":\"Δύναμη ψήφου\",\"6f8S68\":\"Αγορές\",\"6g1gi0\":\"Προτάσεις\",\"6gvoHP\":\"Copy error message\",\"6h3Q5G\":\"repaid\",\"6s8L6f\":\"Αλλαγή Δικτύου\",\"6yAAbq\":\"APY, borrow rate\",\"70wH1Q\":\"APR\",\"73Auuq\":\"Discount parameters are decided by the Aave community and may be changed over time. Check Governance for updates and vote to participate. <0>Learn more\",\"75qcAQ\":[[\"stepName\"]],\"7ITr5L\":\"Συντελεστής υγείας\",\"7T/o5R\":\"Επιτεύχθηκε\",\"7YlcXu\":\"Fork mode is ON\",\"7Z76Iw\":\"Borrowing is unavailable because you’re using Isolation mode. To manage Isolation mode visit your <0>Dashboard.\",\"7aKlMS\":\"Share on Lens\",\"7er5fP\":\"Διεκδικήστε τα όλα\",\"7hb2+s\":\"Time remaining until the withdraw period ends.\",\"7l88b8\":\"Data couldn't be fetched, please reload graph.\",\"7p5kLi\":\"Ταμπλό\",\"7sofdl\":\"Withdraw and Switch\",\"8+6BI0\":\"Προσοχή - Είστε πολύ κοντά στην ρευστοποίηση. Εξετάστε το ενδεχόμενο να καταθέσετε περισσότερες εγγυήσεις ή να εξοφλήσετε κάποιες από τις δανειακές σας θέσεις\",\"87pUEW\":[\"Το πορτοφόλι σας \",[\"name\"],\" είναι άδειο. Αγοράστε ή μεταφέρετε περιουσιακά στοιχεία.\"],\"8F1i42\":\"Page not found\",\"8G8M0u\":\"Loading data...\",\"8Iu1QS\":\"withdrew\",\"8JL93T\":\"Όλες οι προτάσεις\",\"8Q51DU\":\"Add to wallet\",\"8X/oyn\":\"Μη έγκυρο ποσό για νομισματοκοπία\",\"8Z5FPv\":\"Αποσυνδέστε το πορτοφόλι\",\"8Zz7s5\":\"περιουσιακά στοιχεία\",\"8aLW8H\":\"Balance to revoke\",\"8bOT3H\":\"Ποσοστό χρησιμοποίησης\",\"8sLe4/\":\"View contract\",\"8t/M0y\":\"Please connect your wallet to be able to bridge your tokens.\",\"8vETh9\":\"Εμφάνιση\",\"94OHPx\":\"Εισέρχεστε σε λειτουργία απομόνωσης\",\"9CDK3/\":[\"Ο δανεισμός δεν είναι επί του παρόντος διαθέσιμος για \",[\"0\"],\".\"],\"9GIj3z\":\"Μέγεθος Αποθεματικού\",\"9Knqb4\":\"Staking balance\",\"9OBKm7\":\"Απαρτία\",\"9QHoGr\":\"Τρέχουσες ψήφοι\",\"9Rw96f\":[\"Αυτό το περιουσιακό στοιχείο έχει σχεδόν φτάσει στο όριο δανεισμού του. Υπάρχει μόνο \",[\"messageValue\"],\" διαθέσιμο για δανεισμό από αυτή την αγορά.\"],\"9Xj/qR\":[\"Some migrated assets will not be used as collateral due to enabled isolation mode in \",[\"marketName\"],\" V3 Market. Visit <0>\",[\"marketName\"],\" V3 Dashboard to manage isolation mode.\"],\"9c6vDV\":\"Αυτό το περιουσιακό στοιχείο έχει φτάσει στο όριο της προσφοράς του. Τίποτα δεν είναι διαθέσιμο για προμήθεια από αυτή την αγορά.\",\"9kTWHA\":\"MAI has been paused due to a community decision. Supply, borrows and repays are impacted. <0>More details\",\"9lXchd\":\"Underlying token\",\"9rWaKF\":\"Bridged Via CCIP\",\"9xSooW\":\"Δεδομένου ότι πρόκειται για ένα δοκιμαστικό δίκτυο, μπορείτε να αποκτήσετε οποιοδήποτε από τα περιουσιακά στοιχεία αν έχετε ETH στο πορτοφόλι σας\",\"A/lwoe\":\"Choose one of the on-ramp services\",\"A6dCI6\":[\"Maximum amount available to borrow is <0/> \",[\"0\"],\" (<1/>).\"],\"AReoaV\":\"Τα δάνεια σας\",\"ARu1L4\":\"Repaid\",\"AV7cGz\":\"Αναθεώρηση λεπτομερειών έγκρισης συναλλαγής\",\"AZOjB8\":\"Fetching data...\",\"Ai0jas\":\"Join the community discussion\",\"Ajl2rq\":\"Η δύναμη δανεισμού και τα περιουσιακά στοιχεία είναι περιορισμένα λόγω της λειτουργίας απομόνωσης.\",\"AqgYNC\":\"Protocol borrow cap at 100% for this asset. Further borrowing unavailable.\",\"B3EcQR\":\"Thank you for voting!!\",\"B6aXGH\":\"Σταθερό\",\"B9Gqbz\":\"Variable rate\",\"BDFEd+\":\"stETH supplied as collateral will continue to accrue staking rewards provided by daily rebases.\",\"BE2mP0\":\"Borrowed assets\",\"BJyN77\":\"Due to health factor impact, a flashloan is required to perform this transaction, but Aave Governance has disabled flashloan availability for this asset. Try lowering the amount or supplying additional collateral.\",\"BNL4Ep\":\"Η χρήση εγγύησης είναι περιορισμένη λόγω της λειτουργίας απομόνωσης. <0>Μάθετε περισσότερα\",\"BQ/wCO\":\"Migrate your assets\",\"BjLdl1\":\"At a discount\",\"BnhYo8\":\"Κατηγορία περιουσιακών στοιχείων\",\"Bq9Y7e\":\"This asset is frozen due to an Aave community decision. <0>More details\",\"BqWMDJ\":\"Βρύση\",\"BqynZO\":\"Optimized for efficiency and risk by supporting blue-chip collateral assets\",\"Bsu7zX\":\"The fee includes the gas cost to complete the transaction on the destination chain and the fee paid to Chainlink CCIP service providers. You can chose to pay in the network token or GHO. <0>Learn more\",\"BwJKBw\":\"of\",\"CDrsH+\":\"Techpaper\",\"CK1KXz\":\"Μεγιστο\",\"CMHmbm\":\"Slippage\",\"CZXzs4\":\"Greek\",\"CcRNG6\":\"Switching\",\"CkTRmy\":[\"Διεκδίκηση \",[\"symbol\"]],\"CsqtLm\":\"Please connect your wallet to see migration tool.\",\"CtGlFb\":[[\"networkName\"],\" Βρύση\"],\"Cxt2YY\":\"Watch wallet\",\"D33VQU\":\"This action will reduce health factor of V3 below liquidation threshold. Increase migrated collateral or reduce migrated borrow to continue.\",\"D9BLRG\":\"This asset has been paused due to a community decision. Supply, withdraw, borrows and repays are impacted.\",\"DAma/S\":\"Η εγγύηση είναι (ως επί το πλείστον) το ίδιο νόμισμα που δανείζεται\",\"DCnFg0\":[\"Addresses (\",[\"0\"],\")\"],\"DG3Lv1\":\"I fully understand the risks of migrating.\",\"DONJcV\":\"Το υποκείμενο περιουσιακό στοιχείο δεν μπορεί να διασωθεί\",\"DR+4uL\":\"Supply balance after switch\",\"DWjrck\":[\"Asset cannot be migrated to \",[\"marketName\"],\" V3 Market due to E-mode restrictions. You can disable or manage E-mode categories in your <0>V3 Dashboard\"],\"Dj+3wB\":\"Aave ανά μήνα\",\"DuEq2K\":\"Εξασφάλιση\",\"DxfsGs\":\"You can report incident to our <0>Discord or<1>Github.\",\"Dzma+E\":\"Main Ethereum market with the largest selection of assets and yield options\",\"E/QGRL\":\"Απενεργοποιημένο\",\"EBL9Gz\":\"COPIED!\",\"ES8dkb\":\"Fixed rate\",\"EZd3Dk\":[\"Restaking \",[\"symbol\"]],\"Ebgc76\":[\"Ανάληψη \",[\"symbol\"]],\"EdQY6l\":\"Κανένα\",\"EjvKQ+\":\"Minimum USD value received\",\"Enslfm\":\"Destination\",\"EvE9nO\":[\"Reactivate cooldown period to unstake \",[\"0\"],\" \",[\"stakedToken\"]],\"EvECnL\":\"Migrate to v3\",\"EzMQbh\":\"The source chain time to finality is the main factor that determines the time to destination. <0>Learn more\",\"F40cwT\":\"Legacy Markets\",\"F6TdXL\":\"Μάθετε περισσότερα.\",\"FHlMf/\":\"Current v2 balance\",\"FHpxjF\":[\"Reserve factor is a percentage of interest which goes to a \",[\"0\"],\" that is controlled by Aave governance to promote ecosystem growth.\"],\"FOBZa6\":\"Δανεισμός χρησιμοποιημένης ισχύος\",\"FPKEug\":\"Η λειτουργία δεν υποστηρίζεται\",\"FbmMe7\":\"Linked addresses\",\"Fdp03t\":\"ενεργοποίηση\",\"Fjw9N+\":\"Περιουσιακά στοιχεία προς προμήθεια\",\"FmN0fk\":\"Restake\",\"GDGLIs\":\"GHO is a native decentralized, collateral-backed digital asset pegged to USD. It is created by users via borrowing against multiple collateral. When user repays their GHO borrow position, the protocol burns that user's GHO. All the interest payments accrued by minters of GHO would be directly transferred to the AaveDAO treasury.\",\"GQrBTq\":\"Switch E-Mode\",\"GWswcZ\":\"This asset is frozen due to an Aave Protocol Governance decision. On the 20th of December 2022, renFIL will no longer be supported and cannot be bridged back to its native network. It is recommended to withdraw supply positions and repay borrow positions so that renFIL can be bridged back to FIL before the deadline. After this date, it will no longer be possible to convert renFIL to FIL. <0>More details\",\"GX8GKD\":\"Περιουσιακά Στοιχεία\",\"GgEj+0\":\"Read-only mode. Connect to a wallet to perform transactions.\",\"GjkIKV\":\"τελειώνει\",\"GoK/QN\":\"Thank you for submitting feedback!\",\"GtP2hp\":[\"Ο δανεισμός δεν είναι διαθέσιμος επειδή έχετε ενεργοποιήσει τη λειτουργία Αποδοτικότητας (E-Mode) για την κατηγορία \",[\"0\"],\". Για να διαχειριστείτε τις κατηγορίες E-Mode επισκεφθείτε τον <0>Πίνακα ελέγχου.\"],\"H6Ma8Z\":\"Discount\",\"HB/wfS\":[[\"tooltipText\"]],\"HKDsQN\":\"Rewards can be claimed through\",\"Ha/U5f\":\"This is a program initiated and implemented by the decentralised ZKSync community. Aave Labs does not guarantee the program and accepts no liability.\",\"HciqKU\":\"This is a program initiated and implemented by the decentralised Aave community. Aave Labs does not guarantee the program and accepts no liability.\",\"Hi6Ttn\":\"Sorry, an unexpected error happened. In the meantime you may try reloading the page, or come back later.\",\"HkEDbS\":[[\"d\"],\"η\"],\"HmkYqM\":\"Παράθυρο ξεκλειδώματος\",\"HpK/8d\":\"Reload\",\"HrnC47\":\"Save and share\",\"HvJKMU\":[\"Asset cannot be migrated to \",[\"marketName\"],\" v3 Market since collateral asset will enable isolation mode.\"],\"Hvwnm9\":[\"Maximum amount available to supply is limited because protocol supply cap is at \",[\"0\"],\"%.\"],\"I8CX2c\":\"Το συνολικό ποσό των περιουσιακών σας στοιχείων σε δολάρια ΗΠΑ που μπορούν να χρησιμοποιηθούν ως εγγύηση για δανεισμό περιουσιακών στοιχείων.\",\"IAD2SB\":[\"Claiming \",[\"symbol\"]],\"IG9X9/\":\"Borrowing of this asset is limited to a certain amount to minimize liquidity pool insolvency.\",\"IOIx8L\":\"This asset is planned to be offboarded due to an Aave Protocol Governance decision. <0>More details\",\"IP+I/j\":\"Περίοδος ψύξης\",\"IaA40H\":\"Ρευστοποίηση στο\",\"J/hVSQ\":[[\"0\"]],\"JCoxL6\":\"Manage analytics\",\"JK9zf1\":[\"Estimated compounding interest, including discount for Staking \",[\"0\"],\"AAVE in Safety Module.\"],\"JOqFba\":[\"Unstaking \",[\"symbol\"]],\"JPrLjO\":\"Δεν μπορείτε να χρησιμοποιήσετε αυτό το νόμισμα ως εγγύηση\",\"JU6q+W\":\"Ανταμοιβή(ες) προς διεκδίκηση\",\"JYKRJS\":\"Κλειδώστε\",\"JZMxX0\":\"Δεν υπάρχει αρκετό υπόλοιπο στο πορτοφόλι σας\",\"Jgflkm\":\"Get GHO\",\"JoMQnI\":\"Υπόλοιπο πορτοφολιού\",\"JtwD8u\":\"Borrow balance after repay\",\"JumYTK\":\"Supplied assets\",\"K05qZY\":\"Withdraw & Switch\",\"KAz/NV\":\"Protocol debt ceiling is at 100% for this asset. Further borrowing against this asset is unavailable.\",\"KLXVqE\":[\"stETH tokens will be migrated to Wrapped stETH using Lido Protocol wrapper which leads to supply balance change after migration: \",[\"0\"]],\"KLd6ky\":\"Use connected account\",\"KRpokz\":\"VIEW TX\",\"KSlpka\":\"Αυτό αντιπροσωπεύει το κατώτατο όριο στο οποίο μια θέση δανεισμού θα θεωρηθεί υποεγγυημένη και θα υπόκειται σε ρευστοποίηση για κάθε εγγύηση. Για παράδειγμα, εάν μια εγγύηση έχει κατώτατο όριο ρευστοποίησης 80%, αυτό σημαίνει ότι η θέση θα ρευστοποιηθεί όταν η αξία του χρέους ανέρχεται στο 80% της αξίας της εγγύησης.\",\"KYAjf3\":\"Απομονωμένο\",\"KZwRuD\":[[\"notifyText\"]],\"KkPgim\":\"Switching E-Mode\",\"KnN1Tu\":\"Λήγει\",\"KoOBI2\":\"Due to internal stETH mechanics required for rebasing support, it is not possible to perform a collateral switch where stETH is the source token.\",\"KojyJ4\":\"Λάθος δίκτυο\",\"KsqhWn\":\"Κλείδωμα\",\"KuBTQq\":\"Εισάγετε διεύθυνση ETH\",\"KvG1xW\":\"Διεκδίκηση\",\"L+8Lzs\":\"Τρέχον LTV\",\"L+qiq+\":\"Αγορά\",\"LDzfVJ\":\"Send Feedback\",\"LIrMcF\":\"Δεν υπάρχει δικαίωμα ψήφου\",\"LL0zks\":\"Μπορεί να αποτελέσει εγγύηση\",\"LLdJWu\":\"Διεκδικήσιμο AAVE\",\"LSIpNK\":\"Δεν επιτρέπεται ο δανεισμός και η αποπληρωμή στο ίδιο block\",\"LVt3TI\":[\"<0>Slippage tolerance <1>\",[\"selectedSlippage\"],\"% <2>\",[\"0\"],\"\"],\"LjafV8\":\"Maximum collateral amount to use\",\"LtpQew\":\"Let us know how we can make the app better for you. For user support related inquiries please reach out on\",\"LvVpD/\":\"Emode\",\"M2sknc\":\"Tip: Try increasing slippage or reduce input amount\",\"M7wPsD\":\"Switch\",\"MIy2RJ\":\"Maximum amount received\",\"MZ/nQf\":\"Διεύθυνση παραλήπτη\",\"Ma/MtY\":\"προβολή κλειδώματος\",\"McHlGl\":\"APY change\",\"MeCCA+\":\"APY, μεταβλητό\",\"MghdTe\":\"Εάν ο συντελεστής υγείας πέσει κάτω από το 1, ενδέχεται να ενεργοποιηθεί η ρευστοποίηση των εγγυήσεών σας.\",\"Mm/DVQ\":\"Ακυρώσατε τη συναλλαγή.\",\"MnE2QX\":\"Borrow info\",\"MrmQHg\":\"View Bridge Transactions\",\"MuDFEQ\":\"Μη έγκυρη τιμή επιστροφής της συνάρτησης εκτελεστή flashloan\",\"N5kUMV\":\"Asset can be only used as collateral in isolation mode with limited borrowing power. To enter isolation mode, disable all other collateral.\",\"N6Pxr9\":\"View all\",\"NF0e1Q\":\"Εκκρεμεί...\",\"NK9ikO\":\"Wallet Balance\",\"NMt2CB\":\"Amount claimable\",\"NcFGxG\":\"Collector Contract\",\"NfpPeS\":\"Τίποτα κλειδωμένο\",\"Nh9DAo\":[[\"m\"],\"λ\"],\"O+sCUU\":\"Υπέρβαση του ανώτατου ορίου νομισματοκοπείου χωρίς αντίκρισμα\",\"O+tyU+\":[\"Maximum amount available to borrow against this asset is limited because debt ceiling is at \",[\"0\"],\"%.\"],\"O3oNi5\":\"Email\",\"OFjZGo\":\"Unstake\",\"OR8cYX\":\"Επισκόπηση πρότασης\",\"OYuJ9K\":\"Protocol debt ceiling is at 100% for this asset. Futher borrowing against this asset is unavailable.\",\"OfhWJH\":\"Reset\",\"Og2SKn\":\"απενεργοποιημένο\",\"On0aF2\":\"Website\",\"OsyKSt\":\"Ανάληψη\",\"P1dURE\":\"Revoke power\",\"P2WCD/\":[\"Underlying asset does not exist in \",[\"marketName\"],\" v3 Market, hence this position cannot be migrated.\"],\"P2sL6B\":\"Όταν πραγματοποιείται ρευστοποίηση, οι ρευστοποιητές επιστρέφουν έως και το 50% του ανεξόφλητου δανεισμένου ποσού για λογαριασμό του δανειολήπτη. Σε αντάλλαγμα, μπορούν να αγοράσουν τις εξασφαλίσεις με έκπτωση και να κρατήσουν τη διαφορά (ποινή ρευστοποίησης) ως μπόνους.\",\"P6sRoL\":\"Stake ABPT\",\"P72/OW\":\"Ο σταθμισμένος μέσος όρος του APY για όλα τα δανειακά περιουσιακά στοιχεία, συμπεριλαμβανομένων των κινήτρων.\",\"P7e6Ug\":\"Please connect your wallet to view transaction history.\",\"PByO0X\":\"Votes\",\"PI+kVe\":\"Disable fork\",\"PJK9u/\":\"Borrow apy\",\"PLUB/s\":\"Fee\",\"PcBUgb\":\"Κατώτατο όριο ρευστοποίησης\",\"PjU6bu\":\"This asset is eligible for SPK incentive program. Aave Labs does not guarantee the program and accepts no liability.\",\"PpqD5g\":\"Η ενεργοποίηση αυτού του περιουσιακού στοιχείου ως εγγύηση αυξάνει τη δανειοληπτική σας ικανότητα και τον Συντελεστή Υγείας. Ωστόσο, μπορεί να ρευστοποιηθεί εάν ο συντελεστής υγείας σας πέσει κάτω από το 1.\",\"PsOFSf\":\"This action will reduce V2 health factor below liquidation threshold. retain collateral or migrate borrow position to continue.\",\"Pu4bI/\":[[\"currentMethod\"]],\"Q0LzKi\":\"View TX\",\"Q4eNqa\":\"The Aave Balancer Pool Token (ABPT) is a liquidity pool token. You can receive ABPT by depositing a combination of AAVE + wstETH in the Balancer liquidity pool. You can then stake your BPT in the Safety Module to secure the protocol and earn Safety Incentives.\",\"QQYsQ7\":\"Withdrawing\",\"QWYCs/\":\"Stake GHO\",\"R+30X3\":\"Δεν έχει επιτευχθεί\",\"RCU5PY\":\"Age\",\"RIfckG\":[\"Απενεργοποίηση \",[\"symbol\"],\" ως εγγύηση\"],\"RMtxNk\":\"Διαφορικό\",\"RNK49r\":\"Μη έγκυρη υπογραφή\",\"RS0o7b\":\"Κατάσταση\",\"RU+LqV\":\"Λεπτομέρειες πρότασης\",\"RbXH+k\":\"AAVE, GHO, and ABPT holders (Ethereum network only) can stake their assets in the Safety Module to add more security to the protocol and earn Safety Incentives. In the case of a shortfall event, your stake can be slashed to cover the deficit, providing an additional layer of protection for the protocol.\",\"RiSYV4\":\"Το περιουσιακό στοιχείο δεν περιλαμβάνεται στον κατάλογο\",\"Rj01Fz\":\"Σύνδεσμοι\",\"RmWFEe\":\"Κλείδωμα APR\",\"RoafuO\":\"Send feedback\",\"RtBLm7\":\"Ο συντελεστής υγείας είναι μικρότερος από το όριο ρευστοποίησης\",\"RxzN1M\":\"Ενεργοποιημένο\",\"SDav7h\":\"Κεφάλαια στην Μονάδα Ασφάλειας\",\"SENccp\":\"If the error continues to happen,<0/> you may report it to this\",\"SIWumd\":\"Show Frozen or paused assets\",\"SM58dD\":\"Amount in cooldown\",\"SSMiac\":\"Failed to load proposal voters. Please refresh the page.\",\"SSQVIz\":\"Liquidation Threshold\",\"SUb8x0\":\"Σύνολο διαθέσιμων\",\"SWIgh4\":\"Fees exceed wallet balance\",\"SY9hVo\":\"Read-only mode allows to see address positions in Aave, but you won't be able to perform transactions.\",\"SZRUQ4\":\"Max slippage\",\"Sa1UE/\":\"Protocol borrow cap is at 100% for this asset. Further borrowing unavailable.\",\"Sk2zW9\":\"Απενεργοποίηση E-Mode\",\"SxaD0o\":\"Ο πάροχος διευθύνσεων κοινόχρηστων ταμείων δεν είναι εγγεγραμμένος\",\"T/AIqG\":\"Protocol supply cap at 100% for this asset. Further supply unavailable.\",\"T0xCO9\":\"Can't validate the wallet address. Try again.\",\"T4OhVl\":\"GHO balance\",\"T6uYU2\":\"Δανεισμός\",\"TFxQlw\":\"Ποινή ρευστοποίησης\",\"TUI7iB\":\"To περιουσιακό στοιχείο μπορεί να χρησιμοποιηθεί ως εγγύηση μόνο σε λειτουργία απομόνωσης.\",\"TbjyhA\":\"Docs\",\"TduuS0\":\"Ο χρήστης δεν έχει ανεξόφλητο χρέος σταθερού επιτοκίου σε αυτό το αποθεματικό\",\"TeCFg/\":\"Borrow rate change\",\"Tg1JyO\":\"Bridge history\",\"TskbEN\":\"Holders of stkAAVE receive a discount on the GHO borrowing rate\",\"TszKts\":\"Borrow balance after switch\",\"TtZL6q\":\"Discount model parameters\",\"TwJI9F\":\"Asset has been successfully sent to CCIP contract. You can check the status of the transactions below\",\"Tz0GSZ\":\"blocked activities\",\"U/eBjN\":\"Reload the page\",\"U2r8nY\":\"Choose how much voting/proposition power to give to someone else by delegating some of your AAVE, stkAAVE or aAave balance. Your tokens will remain in your account, but your delegate will be able to vote or propose on your behalf. If your AAVE, stkAAVE or aAave balance changes, your delegate's voting/proposition power will be automatically adjusted.\",\"U8IubP\":\"The app is running in testnet mode. Learn how it works in\",\"U9btTk\":\"Το περιουσιακό στοιχείο δεν είναι δανείσιμο σε λειτουργία απομόνωσης\",\"UAOZRe\":\"Price impact is the spread between the total value of the entry tokens switched and the destination tokens obtained (in USD), which results from the limited liquidity of the trading pair.\",\"UE3KJZ\":\"Transaction history is not currently available for this market\",\"URmyfc\":\"Λεπτομέρειες\",\"UTTKmT\":\"Stake cooldown activated\",\"UXeR72\":\"Τα κεφάλαια αυτά έχουν δανειστεί και δεν είναι διαθέσιμα για ανάληψη αυτή τη στιγμή.\",\"UYb8CM\":\"Learn more about the SPK rewards\",\"UbRrG0\":\"Ο δείκτης μέγιστου LTV αντιπροσωπεύει τη μέγιστη δανειοληπτική ικανότητα μιας συγκεκριμένης εγγύησης. Για παράδειγμα, εάν μια εγγύηση έχει LTV 75%, ο χρήστης μπορεί να δανειστεί έως και 0,75 ETH στο κύριο νόμισμα για κάθε 1 ETH αξίας εγγύησης.\",\"UpndFj\":\"Δεν υπάρχουν ανταμοιβές για διεκδίκηση\",\"V0f2Xv\":\"Reserve factor\",\"V1HK43\":\"Migration risks\",\"VATFH9\":\"Covered debt\",\"VHOVEJ\":\"Συνδέστε το πορτοφόλι\",\"VMfYUK\":\"Ασφάλεια των κατατεθειμένων εξασφαλίσεών σας έναντι των δανειζόμενων περιουσιακών στοιχείων και της υποκείμενης αξίας τους.\",\"VOAZJh\":\"Σύνολο δανείων\",\"ViKYxK\":\"ΥΠΕΡ\",\"W1SSoD\":\"Αναθεώρηση λεπτομερειών συναλλαγής\",\"W5hVah\":\"Τίποτα δεν έχει παρασχεθεί ακόμη\",\"W5kTFy\":\"Voting\",\"W8ekPc\":\"Back to Dashboard\",\"WMPbRK\":\"Μη υποστηριζόμενο\",\"WNGZwH\":\"Το E-Mode αυξάνει το LTV σας για μια επιλεγμένη κατηγορία περιουσιακών στοιχείων έως και <0/>. <1>Μάθετε περισσότερα\",\"WPWG/y\":\"Κατάσταση & διαμόρφωση αποθεματικού\",\"WZLQSU\":\"Ο χρήστης δεν μπορεί να κάνει ανάληψη μεγαλύτερη από το διαθέσιμο υπόλοιπο\",\"WaZyaV\":\"<0>Ampleforth is a rebasing asset. Visit the <1>documentation to learn more.\",\"WfU+XN\":\"Because this asset is paused, no actions can be taken until further notice\",\"Wjmqs2\":\"No results found. You can import a custom token with a contract address\",\"WkZ6C6\":\"Για να δανειστείτε πρέπει να προσκομίσετε οποιοδήποτε περιουσιακό στοιχείο που θα χρησιμοποιηθεί ως εγγύηση.\",\"WyMiQm\":\"You've successfully switched tokens.\",\"X/ITG9\":\"Κείμενο σφάλματος αντιγραφής\",\"X3Pp6x\":\"Χρησιμοποιείται ως εγγύηση\",\"X4Zt7j\":\"Η ενέργεια δεν μπορεί να εκτελεστεί επειδή η εφεδρεία βρίσκεται σε παύση\",\"XBdKOj\":\"Representative smart contract wallet (ie. Safe) addresses on other chains.\",\"XZzneG\":\"Θα βγείτε από τη λειτουργία απομόνωσης και άλλα tokens μπορούν πλέον να χρησιμοποιηθούν ως εγγύηση\",\"Xg5y9S\":\"Amount to Bridge\",\"Xn4hUi\":\"Please always be aware of your <0>Health Factor (HF) when partially migrating a position and that your rates will be updated to V3 rates.\",\"Y5kGkc\":\"ΨΗΦΙΣΤΕ ΚΑΤΑ\",\"YDIOks\":\"Ενεργοποίηση E-Mode\",\"YSodyW\":\"This action will reduce your health factor. Please be mindful of the increased risk of collateral liquidation.\",\"YXOWXM\":\"The total amount bridged minus CCIP fees. Paying in network token does not impact gho amount.\",\"YirHq7\":\"Feedback\",\"YogbCJ\":\"Testnet mode is ON\",\"YrDxdO\":\"Εάν το δάνειο προς αξία υπερβεί το όριο ρευστοποίησης, η παρεχόμενη εγγύηση σας μπορεί να ρευστοποιηθεί.\",\"YyIM65\":\"Δεν τηρήθηκαν οι όροι επανεξισορρόπησης των επιτοκίων\",\"YyydIq\":[\"Add \",[\"0\"],\" to wallet to track your balance.\"],\"ZBvhI+\":\"Διακυβέρνηση Aave\",\"ZIIRAd\":\"Raw-Ipfs\",\"ZRq4tX\":\"Λειτουργία αποδοτικότητας (E-Mode)\",\"ZSqEW+\":\"Manage E-Mode\",\"ZUFYFE\":\"Disable testnet\",\"Zbyywy\":\"Μέγιστη περικοπή\",\"ZfUGFb\":\"Πριν από την προμήθεια\",\"ZlsSDH\":\"Αξία ρευστοποίησης\",\"ZrEc8j\":\"We couldn't find any assets related to your search. Try again with a different asset name, symbol, or address.\",\"ZsLF7e\":\"ενεργοποιημένο\",\"a0YQoQ\":\"Enter a valid address\",\"a2fBZn\":\"Χρόνος που απομένει για το ξεκλείδωμα\",\"a5RYZd\":\"Η απενεργοποίηση αυτού του περιουσιακού στοιχείου ως εγγύηση επηρεάζει τη δανειοληπτική σας ικανότητα και τον Συντελεστή Υγείας.\",\"a7u1N9\":\"Price\",\"a9D+6D\":\"Unstaked\",\"aEtiwq\":\"Ψηφίστε ΚΑΤΑ\",\"aMmFE1\":\"Buy Crypto With Fiat\",\"aOKIms\":\"Οι παράμετροι της συστοιχίας που θα έπρεπε να είναι ίσου μήκους δεν είναι\",\"aX31hk\":\"Your balance is lower than the selected amount.\",\"adUsDd\":\"An error has occurred fetching the proposal.\",\"al6Pyz\":\"Exceeds the discount\",\"aoXTT7\":\"Δανεισμός APY, μεταβλητό\",\"aqX1Yp\":\"This asset is eligible for rewards through SuperFest. Aave Labs does not guarantee the program and accepts no liability.\",\"avgETN\":\"Eligible for the Merit program.\",\"b4NS3e\":\"Προειδοποίηση περιόδου ψύξης\",\"bSruit\":\"ZKSync Ignite Program rewards are claimed through the\",\"bUUVED\":\"Περιουσιακό στοιχείο\",\"bXQ/Og\":\"Μοιραστείτε το στο twitter\",\"bXr0ee\":\"Τα απομονωμένα περιουσιακά στοιχεία έχουν περιορισμένη δανειοληπτική ικανότητα και άλλα περιουσιακά στοιχεία δεν μπορούν να χρησιμοποιηθούν ως εγγύηση.\",\"bYmAV1\":\"Addresses\",\"bguKoJ\":\"Το αιτούμενο ποσό είναι μεγαλύτερο από το μέγιστο μέγεθος δανείου στη λειτουργία σταθερού επιτοκίου\",\"bwSQI0\":\"Προσφορά\",\"bxN6EM\":\"Cannot disable E-Mode\",\"bxmzSh\":\"Δεν υπάρχουν επαρκείς εγγυήσεις για την αποπληρωμή αυτού του ποσού χρέους με\",\"c91vuQ\":\"Η διεύθυνση δεν είναι συμβόλαιο\",\"c97os2\":\"Aave aToken\",\"c9b44w\":\"Δεν μπορείτε να αποσύρετε αυτό το ποσό, διότι θα προκληθεί κλήση εγγύησης\",\"cBc+4A\":\"Αυτό είναι το συνολικό ποσό που μπορείτε να δανειστείτε. Μπορείτε να δανειστείτε με βάση την εξασφάλισή σας και μέχρι να επιτευχθεί το ανώτατο όριο δανεισμού.\",\"cIl5kp\":\"Your voting power is based on your AAVE/stkAAVE balance and received delegations.\",\"cLo09S\":\"Λεπτομέρειες κινδύνου\",\"cNT+ij\":\"Ο δανεισμός δεν είναι διαθέσιμος επειδή έχετε ενεργοποιήσει τη Λειτουργία Αποδοτικότητας (E-Mode) και τη λειτουργία Απομόνωσης. Για να διαχειριστείτε τη λειτουργία E-Mode και τη λειτουργία Απομόνωσης, επισκεφθείτε τον <0>Πίνακα ελέγχου.\",\"cZOeBk\":\"Something went wrong fetching bridge message, please try again later.\",\"ceix5S\":\"To submit a proposal for minor changes to the protocol, you'll need at least 80.00K power. If you want to change the core code base, you'll need 320k power.<0>Learn more.\",\"ciybUa\":\"Ψηφίστε ΥΠΕΡ\",\"ckf7gX\":[\"Αποπληρώνοντας \",[\"symbol\"]],\"cp1ZDP\":[\"Bridge \",[\"symbol\"]],\"cqnmnD\":\"Effective interest rate\",\"cqwIvs\":\"Συζήτηση φόρουμ\",\"csDS2L\":\"Διαθέσιμο\",\"cu7Stb\":\"Δεν συμμετείχατε στην παρούσα πρόταση\",\"dE6BLF\":\"Διακυβέρνηση\",\"dEgA5A\":\"Cancel\",\"dIsyWh\":\"Η επικύρωση του Ltv απέτυχε\",\"dMtLDE\":\"to\",\"dOB5nW\":[\"Maximum amount available to supply is <0/> \",[\"0\"],\" (<1/>).\"],\"dVfODp\":\"Δεν έχετε αρκετά χρήματα στο πορτοφόλι σας για να αποπληρώσετε ολόκληρο το ποσό. Εάν προχωρήσετε στην αποπληρωμή με το τρέχον ποσό των χρημάτων σας, θα εξακολουθείτε να έχετε μια μικρή θέση δανεισμού στο ταμπλό σας.\",\"dXUQFX\":\"Περιουσιακά στοιχεία προς δανεισμό\",\"dgr1aY\":\"Borrowing is disabled due to an Aave community decision. <0>More details\",\"djsg0o\":\"Χρησιμοποίηση εγγυήσεων\",\"dpc0qG\":\"Μεταβλητό\",\"drdV8R\":\"Liquidation\",\"dxW8cS\":\"Aave debt token\",\"e4V3oW\":\"Top 10 addresses\",\"eD8WX/\":\"Η δράση απαιτεί ενεργό απόθεμα\",\"eJRJ04\":\"Amount to unstake\",\"eLh0cL\":\"Slippage is the difference between the quoted and received amounts from changing market conditions between the moment the transaction is submitted and its verification.\",\"ePK91l\":\"Edit\",\"eVpCmf\":\"Staking Rewards\",\"eVqvtf\":\"Bridge GHO\",\"eYdurp\":\"No transactions yet.\",\"ebLGGN\":\"Σύνολο δανεικών\",\"ecqEvn\":\"Το υπόλοιπο των εγγυήσεων είναι 0\",\"efdrrk\":\"Available on\",\"enruNF\":\"starts\",\"eqLYiD\":\"Ξεκλειδώστε τώρα\",\"euScGB\":\"APY with discount applied\",\"evw5ha\":\"Καθαρή αξία\",\"ezcU16\":\"Get ABP Token\",\"f3W0Ej\":[\"Αλλάξατε σε ποσοστό \",[\"0\"]],\"fH9i8k\":\"You've successfully switched borrow position.\",\"fHcELk\":\"Καθαρό APR\",\"fMJQZK\":\"Borrowed\",\"fZ5Vnu\":\"Received\",\"firl9Q\":\"Το τρέχον δάνειο προς αξία με βάση τις παρεχόμενες εξασφαλίσεις σας.\",\"flRCF/\":\"Staking discount\",\"fldjW9\":\"Preview tx and migrate\",\"fsBGk0\":\"Υπόλοιπο\",\"fu1Dbh\":[\"Ανάληψη \",[\"symbol\"]],\"fwjWSI\":\"Supplied\",\"fwyTMb\":\"Migrate to stkABPT v2\",\"g0mals\":\"You can not disable E-Mode because that could cause liquidation. To exit E-Mode supply or repay borrowed positions.\",\"g2UNkE\":\"Powered by\",\"g8KGoA\":\"FAQS\",\"g9zzqS\":\"Voted NAY\",\"gDd2gk\":\"about SuperFest.\",\"gFFh9h\":\"Όλα έτοιμα!\",\"gIMJlW\":\"Λειτουργία Testnet\",\"gOzPxe\":\"This asset is frozen due to an Aave Protocol Governance decision. <0>More details\",\"gTHi2T\":\"Ο χρήστης προσπαθεί να δανειστεί πολλαπλά περιουσιακά στοιχεία, συμπεριλαμβανομένου ενός απομονωμένου περιουσιακού στοιχείου\",\"gVW59Y\":\"Please connect your wallet to get free testnet assets.\",\"gcFNxP\":\"Approve Confirmed\",\"gncRUO\":\"This address is blocked on app.aave.com because it is associated with one or more\",\"goff7V\":\"Η μηδενική διεύθυνση δεν είναι έγκυρη\",\"gp+f1B\":\"Version 3\",\"gr8mYw\":\"You may borrow up to <0/> GHO at <1/> (max discount)\",\"gvTM4B\":\"Το καθαρό ΑΡΥ είναι η συνδυασμένη επίδραση όλων των θέσεων προσφοράς και δανεισμού στην καθαρή αξία, συμπεριλαμβανομένων των κινήτρων. Είναι δυνατόν να υπάρχει αρνητικό καθαρό APY εάν το χρεωστικό APY είναι υψηλότερο από το προσφερόμενο APY.\",\"gzcch9\":\"Μη έγκυρη αμοιβή πρωτοκόλλου γέφυρας\",\"h33MxW\":\"Representing smart contract wallet (ie. Safe) addresses on other chains.\",\"h3ilK+\":\".CSV\",\"hB23LY\":\"Activate Cooldown\",\"hIS4N0\":\"Καθαρό APY\",\"hRWvpI\":\"Claimed\",\"hdmy/o\":\"Το % της συνολικής δανειοληπτικής σας δύναμης που χρησιμοποιείται. Αυτό βασίζεται στο ποσό της παρεχόμενης εξασφάλισής σας και στο συνολικό ποσό που μπορείτε να δανειστείτε.\",\"hehnjM\":\"Ποσό\",\"hjDCQr\":\"Υπήρξε κάποιο σφάλμα. Προσπαθήστε να αλλάξετε τις παραμέτρους ή <0><1>αντιγράψτε το σφάλμα\",\"hom7qf\":\"Διεκδίκηση\",\"hpHJ4I\":\"Liquidated collateral\",\"hpuVIp\":\"Users who stake AAVE in Safety Module (i.e. stkAAVE holders) receive a discount on GHO borrow interest rate.\",\"huQ6Tz\":[\"Δανεισμός \",[\"symbol\"]],\"hxi7vE\":\"Borrow balance\",\"i2JTiw\":\"You may enter a custom amount in the field.\",\"iB5+/J\":\"About GHO\",\"iChbOF\":\"Ασυνεπείς παράμετροι flashloan\",\"iEPVHF\":\"Δεν έχει αρκετή δύναμη ψήφου για να συμμετάσχει στην παρούσα πρόταση\",\"iEW87X\":\"Delegated power\",\"iEju36\":[\"Ψηφίσατε \",[\"0\"]],\"iFq2YN\":\"Borrowable\",\"iMVZk9\":\"Select slippage tolerance\",\"iPMIoT\":\"Εισάγετε ένα ποσό\",\"iSLIjg\":\"Connect\",\"iUo5rv\":\"tokens δεν είναι το ίδιο με το να τα κλειδώνετε. Εάν επιθυμείτε να κλειδώσετε τα\",\"iZxa38\":\"Use it to vote for or against active proposals.\",\"if5PH+\":\"Collector Info\",\"igkfR1\":[\"In Isolation mode, you cannot supply other assets as collateral. A global debt ceiling limits the borrowing power of the isolated asset. To exit isolation mode disable \",[\"0\"],\" as collateral before borrowing another asset. Read more in our <0>FAQ\"],\"il0sEG\":\"H χρήση εγγυήσεων είναι περιορισμένη λόγω της λειτουργίας Απομόνωσης.\",\"j+K1Xj\":\"Amount After Fee\",\"jA2QeW\":\"Προμηθεύοντας το\",\"jFi7dz\":\"Interest rate that is determined by Aave Governance. This rate may be changed over time depending on the need for the GHO supply to contract/expand. <0>Learn more\",\"jG3UJ7\":\"Απενεργοποίηση E-Mode\",\"jKYzR1\":\"Ενεργοποίηση E-Mode\",\"jMam5g\":[[\"0\"],\" Υπόλοιπο\"],\"jSYv+Z\":\"Enabling E-Mode allows you to maximize your borrowing power, however, borrowing is restricted to assets within the selected category. <0>Learn more about how it works and the applied restrictions.\",\"jaKbwW\":[[\"s\"],\"δ\"],\"jbFMap\":\"Χρόνος ψύξης που έχει απομείνει\",\"jeMZNr\":[[\"0\"],\" on-ramp service is provided by External Provider and by selecting you agree to Terms of the Provider. Your access to the service might be reliant on the External Provider being operational.\"],\"jfl9OP\":\"Migrated\",\"jmXdoY\":\"Στο E-Mode ορισμένα περιουσιακά στοιχεία δεν είναι δανείσιμα. Βγείτε από το E-Mode για να αποκτήσετε πρόσβαση σε όλα τα περιουσιακά στοιχεία\",\"jpctdh\":\"View\",\"jqzUyM\":\"Μη διαθέσιμο\",\"k/sb6z\":\"Επιλέξτε γλώσσα\",\"k3wP3f\":\"<0>Attention: Parameter changes via governance can alter your account health factor and risk of liquidation. Follow the <1>Aave governance forum for updates.\",\"kACpF3\":[\"Διεκδίκηση \",[\"0\"]],\"kH6wUX\":\"Επίδραση στην τιμή\",\"kIpSye\":[[\"numSelected\"],\"/\",[\"numAvailable\"],\" assets selected\"],\"kN1Yg5\":\"Για την εξόφληση εκ μέρους ενός χρήστη απαιτείται ένα ρητό ποσό προς εξόφληση\",\"kRTD40\":[\"Repayment amount to reach \",[\"0\"],\"% utilization\"],\"kjN9tT\":\"Υπέρβαση του ανώτατου ορίου προσφοράς\",\"knxE+G\":\".JSON\",\"ks2LWT\":\"Το ανώτατο όριο χρέους δεν είναι μηδενικό\",\"kwwn6i\":\"Users who stake AAVE in Safety Module (i.e. stkAAVE holders) receive a discount on GHO borrow interest rate. The discount applies to 100 GHO for every 1 stkAAVE held. Use the calculator below to see GHO borrow rate with the discount applied.\",\"kz3wtK\":\"and about SPK program\",\"kzZyM4\":\"DAI balance will be converted via DSR contracts and then supplied as sDAI. Switching incurs no additional costs and no slippage.\",\"lNVG7i\":\"Select an asset\",\"lU2d1/\":[\"Asset cannot be migrated due to insufficient liquidity or borrow cap limitation in \",[\"marketName\"],\" v3 market.\"],\"lVhKKI\":\"Voted YAE\",\"lWLqxB\":\"We couldn't find any transactions related to your search. Try again with a different asset name, or reset filters.\",\"lYGfRP\":\"Αγγλικά\",\"lfEjIE\":\"Μάθετε περισσότερα στον οδηγό <0>Συχνών Ερωτήσεων\",\"lt6bpt\":\"Collateral to repay with\",\"m/IEhi\":\"Συνολικές εκπομπές ανά ημέρα\",\"m7r7Hh\":\"Selected borrow assets\",\"mDDK4p\":\"Balancer Pool\",\"mIM0qu\":\"Expected amount to repay\",\"mUAFd6\":\"Version 2\",\"masO5Z\":\"E-Mode increases your LTV for a selected category of assets. <0>Learn more\",\"mdNjKU\":[\"Your \",[\"name\"],\" wallet is empty. Purchase or transfer assets or use <0>\",[\"0\"],\" to transfer your \",[\"network\"],\" assets.\"],\"muiOng\":[\"Buy \",[\"cryptoSymbol\"],\" with Fiat\"],\"mvCXBY\":\"Stake AAVE\",\"mwdzil\":\"Εντάξει, Κλείσιμο\",\"mzI/c+\":\"Download\",\"mzdIia\":\"Το περιουσιακό στοιχείο δεν μπορεί να χρησιμοποιηθεί ως εγγύηση.\",\"n+SX4g\":\"Προγραμματιστές\",\"n8Psk4\":\"We couldn’t detect a wallet. Connect a wallet to stake and view your balance.\",\"nJIhzm\":\"Προσφορά apy\",\"nJgsQu\":\"Με δύναμη ψήφου <0/>\",\"nLC6tu\":\"Γαλλικά\",\"nN2T8p\":\"During the cooldown period, you will not earn any merit rewards. However, rewards earned up to this point will remain unaffected.\",\"nNHV0z\":\"Migrating multiple collaterals and borrowed assets at the same time can be an expensive operation and might fail in certain situations.<0>Therefore it’s not recommended to migrate positions with more than 5 assets (deposited + borrowed) at the same time.\",\"nNbnzu\":\"Proposition\",\"nOy4ob\":\"We suggest you go back to the Dashboard.\",\"nPGNMh\":\"Μπορεί να εκτελεστεί\",\"nUK1ou\":[\"Assets with zero LTV (\",[\"0\"],\") must be withdrawn or disabled as collateral to perform this action\"],\"nakd8r\":\"stkAAVE holders get a discount on GHO borrow rate\",\"nh2EJK\":[\"Παρακαλώ μεταβείτε στο \",[\"networkName\"],\".\"],\"njBeMm\":\"Both\",\"ntkAoE\":\"Discount applied for <0/> staking AAVE\",\"ntyFSE\":[[\"h\"],\"ω\"],\"nwtY4N\":\"Something went wrong\",\"nxyWvj\":\"Withdrawing this amount will reduce your health factor and increase risk of liquidation.\",\"o17QVP\":\"Ο συντελεστής υγείας και το δάνειο προς αξία καθορίζουν τη διασφάλιση των εξασφαλίσεών σας. Για να αποφύγετε τις ρευστοποιήσεις μπορείτε να παράσχετε περισσότερες εξασφαλίσεις ή να εξοφλήσετε δανειακές θέσεις.\",\"o1xc2V\":\"Η προσφορά AToken δεν είναι μηδενική\",\"o4tCu3\":\"Borrow APY\",\"o5ooMr\":\"Χρέος\",\"o7J4JM\":\"Φίλτρο\",\"oHFrpj\":\"Ψύξτε για ξεκλείδωμα\",\"oJ5ZiG\":\"Ο χρήστης δεν έχει ανεξόφλητο χρέος μεταβλητού επιτοκίου σε αυτό το αποθεματικό\",\"oRBGin\":\"Please connect your wallet to be able to switch your tokens.\",\"oUwXhx\":\"Test Assets\",\"oWklJD\":\"Το σταθερό επιτόκιο θα <0>μείνει το ίδιο για όλη τη διάρκεια του δανείου σας. Συνιστάται για μακροχρόνιες περιόδους δανεισμού και για χρήστες που προτιμούν την προβλεψιμότητα.\",\"odnIK3\":\"Time remaining until the 48 hour withdraw period starts.\",\"oiK5nY\":\"The current incentives period, decided on by the Aave community, has ended. Governance is in the process on renewing, check for updates. <0>Learn more.\",\"olREoo\":\"All borrow positions outside of this category must be closed to enable this category.\",\"om/XHs\":\"Διαθέσιμο για προμήθεια\",\"ov0+mq\":\"Eligible for the ZKSync Ignite program.\",\"ovT1pF\":[\"Per the community, the \",[\"market\"],\" has been frozen.\"],\"ow3fug\":\"Nothing found\",\"owSsI3\":\"Signatures ready\",\"p+R52m\":\"Go to Balancer Pool\",\"p2A+s1\":[\"Η περίοδος ψύξης είναι \",[\"0\"],\". Μετά την \",[\"1\"],\" περίοδο ψύξης, θα εισέλθετε στο παράθυρο ξεκλειδώματος \",[\"2\"],\". Θα συνεχίσετε να λαμβάνετε ανταμοιβές κατά τη διάρκεια της ψύξης και του παραθύρου ξεκλειδώματος.\"],\"p2S64u\":\"The loan to value of the migrated positions would cause liquidation. Increase migrated collateral or reduce migrated borrow to continue.\",\"p2Z2Qi\":\"Αυτό το περιουσιακό στοιχείο έχει φθάσει στο ανώτατο όριο δανεισμού του. Τίποτα δεν είναι διαθέσιμο για δανεισμό από αυτή την αγορά.\",\"p3j+mb\":\"Το υπόλοιπο της ανταμοιβής σας είναι 0\",\"p45alK\":\"Set up delegation\",\"p6u2s1\":\"Minimum amount of debt to be repaid\",\"pDgeaz\":[[\"title\"]],\"pdZqBk\":\"Το υποκείμενο υπόλοιπο πρέπει να είναι μεγαλύτερο από 0\",\"pgWG9H\":\"Δεν υπάρχει αρκετό κλειδωμένο υπόλοιπο\",\"piPrJ7\":\"παρακαλούμε ελέγξτε ότι το ποσό που θέλετε να παρέχετε δεν χρησιμοποιείται επί του παρόντος για κλείδωμα. Εάν χρησιμοποιείται για κλείδωμα, η συναλλαγή σας ενδέχεται να αποτύχει.\",\"pjO/iH\":\"Minimum amount received\",\"pooutM\":\"Voting is on\",\"pqaM5s\":\"Confirming transaction\",\"ptaxX3\":[\"Καταλαβαίνω πώς λειτουργεί η ψύξη (\",[\"0\"],\") και το ξεκλείδωμα (\",[\"1\"],\")\"],\"py2iiY\":\"Ο καλών αυτής της συνάρτησης πρέπει να είναι ένα κοινόχρηστο ταμείο\",\"q/51mF\":\"Migrate to V3\",\"q3df11\":\"Interest rate strategy\",\"q6lAbz\":\"Κλειδωμένο\",\"qB4kPi\":\"Προσφορά APY\",\"qENI8q\":\"Γενικές ρυθμίσεις\",\"qGz5zl\":\"Collateral balance after repay\",\"qOqbD6\":\"αντιγράψτε το σφάλμα\",\"qXCkEM\":\"Συνδέστε το πορτοφόλι σας για να δείτε τις προμήθειες, τα δάνεια και τις ανοιχτές θέσεις σας.\",\"qY2jnw\":\"Μη έγκυρη λήξη\",\"qf/fr+\":\"Interest accrued\",\"quYPUU\":\"Variable interest rate will <0>fluctuate based on the market conditions.\",\"quzIeW\":\"User is in isolation mode or LTV is zero\",\"qvnz3q\":\"Μη έγκυρη ποσότητα προς καύση\",\"rHgdb0\":\"Migrate to Aave V3\",\"rOrHHe\":\"Το ποσό πρέπει να είναι μεγαλύτερο από 0\",\"rQ+R+0\":\"Selected supply assets\",\"rSayea\":\"APY\",\"rTBDeu\":[\"Asset cannot be migrated because you have isolated collateral in \",[\"marketName\"],\" v3 Market which limits borrowable assets. You can manage your collateral in <0>\",[\"marketName\"],\" V3 Dashboard\"],\"rcT+yy\":\"Εμφάνιση περιουσιακών στοιχείων με υπόλοιπο 0\",\"rf8POi\":\"Borrowed asset amount\",\"riNWOA\":\"E-Mode\",\"rjGI/Q\":\"Privacy\",\"rnKPW1\":\"Watch a wallet balance in read-only mode\",\"ruc7X+\":\"Add stkAAVE to see borrow APY with the discount\",\"rvbaFU\":[\"Bridging \",[\"symbol\"]],\"rwVVB7\":\"Διεκδικήστε όλες τις ανταμοιβές\",\"rwyUva\":\"These assets are temporarily frozen or paused by Aave community decisions, meaning that further supply / borrow, or rate swap of these assets are unavailable. Withdrawals and debt repayments are allowed. Follow the <0>Aave governance forum for further updates.\",\"rxJW5W\":\"Your proposition power is based on your AAVE/stkAAVE balance and received delegations.\",\"s2jJnW\":\"You don't have any bridge transactions\",\"s5wBAq\":[\"Unstake \",[\"symbol\"]],\"sJbIdI\":\"Enter ETH address or ENS\",\"sK+Nag\":\"Αναθεώρηση συναλλαγής\",\"sP2+gB\":\"ΚΑΤΑ\",\"sQv06Y\":\"for\",\"sTtO6J\":\"Confirm transaction\",\"sXKb3l\":\"Exchange rate\",\"sb0q4+\":\"Μπορείτε να ξεκλειδώσετε εδώ\",\"smJNwH\":\"Διαθέσιμο για δανεισμό\",\"solypO\":\"Ο παράγοντας υγείας δεν είναι κάτω από το όριο\",\"sr0UJD\":\"Πηγαίνετε Πίσω\",\"ss5GCK\":\"Η διεύθυνση του παρόχου διευθύνσεων κοινόχρηστου ταμείου είναι άκυρη\",\"swEgK4\":\"Οι πληροφορίες ψήφου σας\",\"t+wtgf\":\"Τίποτα δανεισμένο ακόμα\",\"t/YqKh\":\"Remove\",\"t81DpC\":[\"Approve \",[\"symbol\"],\" to continue\"],\"tCnbEs\":\"Τιμή Oracle\",\"tFZLf8\":\"Αυτός ο υπολογισμός gas είναι μόνο μια εκτίμηση. Το πορτοφόλι σας θα καθορίσει την τιμή της συναλλαγής. Μπορείτε να τροποποιήσετε τις ρυθμίσεις gas απευθείας από τον πάροχο του πορτοφολιού σας.\",\"tHuvQI\":\"Go to V3 Dashboard\",\"tKv7cI\":\"Switch borrow position\",\"tOcg3N\":\"Since this asset is frozen, the only available actions are withdraw and repay which can be accessed from the <0>Dashboard\",\"tOuXfv\":[\"Borrow amount to reach \",[\"0\"],\"% utilization\"],\"te9Bfl\":\"Παρακαλώ, συνδέστε το πορτοφόλι σας\",\"tt5yma\":\"Οι προμήθειές σας\",\"ttoh5c\":\"Switch to\",\"u3ZeYl\":\"Η συναλλαγή απέτυχε\",\"u706uF\":\"Άκυρη πριμοδότηση flashloan\",\"u8Gfu7\":[\"No search results\",[\"0\"]],\"uAQUqI\":\"Status\",\"uHMwk8\":\"No assets selected to migrate.\",\"uJPHuY\":\"Migrating\",\"uY8O30\":\"To continue, you need to grant Aave smart contracts permission to move your funds from your wallet. Depending on the asset and wallet you use, it is done by signing the permission message (gas free), or by submitting an approval transaction (requires gas). <0>Learn more\",\"udFheE\":\"Για την αποπληρωμή ενός συγκεκριμένου τύπου χρέους, ο χρήστης πρέπει να έχει χρέος αυτού του τύπου\",\"ulNuNq\":\"Export data to\",\"ulup2p\":\"Buy Crypto with Fiat\",\"umICAY\":\"<0><1><2/>Add stkAAVE to see borrow rate with discount\",\"usB84Z\":\"Maximum amount available to borrow is limited because protocol borrow cap is nearly reached.\",\"uwAUvj\":\"COPY IMAGE\",\"v8x7Mg\":\"Insufficient collateral to cover new borrow position. Wallet must have borrowing power remaining to perform debt switch.\",\"vEqxH9\":\"Restaked\",\"vLyv1R\":\"Απόκρυψη\",\"vMba49\":\"Ο δανεισμός δεν είναι ενεργοποιημένος\",\"vMpNwt\":\"Approve with\",\"vXIe7J\":\"Γλώσσα\",\"vesuBJ\":\"Σας επιτρέπει να αποφασίσετε αν θα χρησιμοποιήσετε ένα παρεχόμενο περιουσιακό στοιχείο ως εγγύηση. Ένα περιουσιακό στοιχείο που χρησιμοποιείται ως εγγύηση θα επηρεάσει τη δανειοληπτική σας ικανότητα και τον συντελεστή υγείας.\",\"w+V9Cx\":\"Σταθερό νόμισμα\",\"w/JtJ3\":\"Η σταθερή προσφορά χρέους δεν είναι μηδενική\",\"w4VBY+\":\"Ανταμοιβές APR\",\"w9dLMW\":[[\"label\"]],\"wAOL+X\":[\"Εσείς \",[\"action\"],\" <0/> \",[\"symbol\"]],\"wBIsjb\":\"Discord channel\",\"wQZbc/\":\"Ο καλών της συνάρτησης δεν είναι AToken\",\"wRRqvW\":\"Δεν έχετε προμήθειες σε αυτό το νόμισμα\",\"wZFvVU\":\"ΨΗΦΙΣΤΕ ΥΠΕΡ\",\"wb/r1O\":[\"Βρύση \",[\"0\"]],\"wdxz7K\":\"Source\",\"weH1nG\":\"The Aave Protocol is programmed to always use the price of 1 GHO = $1. This is different from using market pricing via oracles for other crypto assets. This creates stabilizing arbitrage opportunities when the price of GHO fluctuates.\",\"wh7Ezv\":\"You have no AAVE/stkAAVE/aAave balance to delegate.\",\"wlsIx7\":\"With testnet Faucet you can get free assets to test the Aave Protocol. Make sure to switch your wallet provider to the appropriate testnet network, select desired asset, and click ‘Faucet’ to get tokens transferred to your wallet. The assets on a testnet are not “real,” meaning they have no monetary value. <0>Learn more\",\"wmE285\":\"Get ABP v2 Token\",\"wyRrcJ\":\"As a result of governance decisions, this ABPT staking pool is now deprecated. You have the flexibility to either migrate all of your tokens to v2 or unstake them without any cooldown period.\",\"x5KiLL\":\"Selected assets have successfully migrated. Visit the Market Dashboard to see them.\",\"x7F2p6\":\"Τρέχον διαφορικό\",\"x7K5ib\":[\"Your \",[\"networkName\"],\" wallet is empty. Get free test \",[\"0\"],\" at\"],\"x9iLRD\":\"tokens, παρακαλούμε μεταβείτε στο\",\"xNy/UG\":\"Αποπληρωμή με\",\"xPm8wv\":\"Μάθετε περισσότερα για τους κινδύνους\",\"xXYpZl\":[[\"0\"],\" Βρύση\"],\"xaVBSS\":\"Οι πληροφορίες σας\",\"xaWZ6f\":\"APY type change\",\"xh6k71\":\"Collateral usage is limited because of isolation mode.\",\"xvIklc\":\"Flashloan is disabled for this asset, hence this position cannot be migrated.\",\"y5rS9U\":\"Migrate\",\"y66tBm\":[\"Ενεργοποίηση \",[\"symbol\"],\" ως εγγύηση\"],\"yB1YpA\":\"Σκοτεινή λειτουργία\",\"yCrG6m\":\"Συνολικό μέγεθος της αγοράς\",\"yJUUbn\":\"Επισκόπηση συναλλαγής\",\"yLGmLX\":[\"Restake \",[\"symbol\"]],\"yW1oWB\":\"Τύπος APY\",\"yYHqJe\":\"Μη έγκυρη διεύθυνση\",\"yZwLw6\":\"Track wallet\",\"yh2sjd\":[\"Price impact \",[\"0\"],\"%\"],\"yhvj6d\":\"Δεν μπορείτε να αλλάξετε τη χρήση ως λειτουργία εγγύησης για αυτό το νόμισμα, διότι θα προκαλέσει κλήση εγγύησης\",\"ylmtBZ\":\"The app is running in fork mode.\",\"ymNY32\":[\"Δεν υπάρχουν αρκετά κεφάλαια στο\",[\"0\"],\"αποθεματικό για δανεισμό\"],\"yz7wBu\":\"Κλείσιμο\",\"z4uGQg\":\"Υπέρβαση του ανώτατου ορίου χρέους\",\"z5UQOM\":\"Η εγγύηση που έχει επιλεγεί δεν μπορεί να ρευστοποιηθεί\",\"z5Y+p6\":[\"Παροχή \",[\"symbol\"]],\"zCjNKs\":\"Η ενέργεια δεν μπορεί να εκτελεστεί επειδή το αποθεματικό έχει παγώσει\",\"zRHytX\":\"Isolated Debt Ceiling\",\"zTOjMP\":\"Protocol supply cap is at 100% for this asset. Further supply unavailable.\",\"zVdRUG\":\"Submission did not work, please try again later or contact wecare@avara.xyz\",\"zevmS2\":\"<0><1><2/>Add <3/> stkAAVE to borrow at <4/> (max discount)\",\"zgtIDV\":\"Υπολειπόμενο χρέος\",\"zmTPiV\":\"Υπόλοιπο προσφοράς\",\"zpPbZl\":\"Liquidation risk parameters\",\"zucql+\":\"Μενού\",\"zwWKhA\":\"Μάθετε περισσότερα\",\"zy9fXn\":[\"Asset is frozen in \",[\"marketName\"],\" v3 market, hence this position cannot be migrated.\"],\"zys+R6\":\"Be mindful of the network congestion and gas prices.\",\"zzzTXS\":\"Merit Program rewards are claimed through the\"}")}; \ No newline at end of file +/*eslint-disable*/module.exports={messages:JSON.parse("{\"+0xecS\":[\"Εάν ΔΕΝ ξεκλειδώσετε εντός \",[\"0\"],\" του παραθύρου ξεκλειδώματος, θα πρέπει να ενεργοποιήσετε ξανά τη διαδικασία ψύξης.\"],\"+EGVI0\":\"Receive (est.)\",\"+VR63W\":[\"Η συμμετοχή σε αυτό το αποθεματικό \",[\"symbol\"],\" δίνει ετήσιες ανταμοιβές.\"],\"+bmKdK\":\"Use your AAVE, stkAAVE, or aAave balance to delegate your voting and proposition powers. You will not be sending any tokens, only the rights to vote and propose changes to the protocol. You can re-delegate or revoke power to self at any time.\",\"+eOPG+\":\"Φαίνεται ότι δεν μπορούμε να αλλάξουμε το δίκτυο αυτόματα. Ελέγξτε αν μπορείτε να το αλλάξετε από το πορτοφόλι.\",\"+i3Pd2\":\"Ανώτατο όριο δανεισμού\",\"+kLZGu\":\"Supplied asset amount\",\"+nuEh/\":\"Estimated time\",\"+xMFF8\":\"Remind me\",\"/57U31\":\"Amount to migrate\",\"/7ykiW\":\"Borrowing this amount will reduce your health factor and increase risk of liquidation.\",\"/YA5pU\":\"E-Mode increases your LTV for a selected category of assets, meaning that when E-mode is enabled, you will have higher borrowing power over assets of the same E-mode category which are defined by Aave Governance. You can enter E-Mode from your <0>Dashboard. To learn more about E-Mode and applied restrictionn, see the <1>help guide or the <2>Aave V3 Technical Paper.\",\"/izjs/\":\"Minimum staked Aave amount\",\"/jQctM\":\"To\",\"/lDBHm\":\"ΣΥΧΝΕΣ ΕΡΩΤΗΣΕΙΣ\",\"/yNlZf\":\"Ο σταθερός δανεισμός δεν είναι ενεργοποιημένος\",\"/yQcJM\":\"Συνολική αξία\",\"00AB2i\":\"Ο χρήστης δεν δανείστηκε το καθορισμένο νόμισμα\",\"00OflG\":\"There is not enough liquidity for the target asset to perform the switch. Try lowering the amount.\",\"08/rZ9\":\"The cooldown period is the time required prior to unstaking your tokens (20 days). You can only withdraw your assets from the Security Module after the cooldown period and within the unstake window.<0>Learn more\",\"0AmQcW\":\"Rate change\",\"0BF3yK\":\"Sorry, we couldn't find the page you were looking for.\",\"0TAbjq\":\"Recent Transactions\",\"0jhlyw\":\"Liquidation risk\",\"0ojY+Y\":\"Current v2 Balance\",\"0thX3P\":\"Collateral change\",\"0wGCWc\":\"Αυτό είναι το συνολικό ποσό που μπορείτε να προμηθεύσετε σε αυτό το αποθεματικό. Μπορείτε να προμηθεύσετε το υπόλοιπο του πορτοφολιού σας μέχρι να επιτευχθεί το ανώτατο όριο προμηθειών.\",\"1AsVfF\":\"Price data is not currently available for this reserve on the protocol subgraph\",\"1LjK22\":\"Transaction history\",\"1Onqx8\":[\"Έγκριση του \",[\"symbol\"],\"...\"],\"1Ue8sX\":\"Παρακαλούμε συνδέστε ένα πορτοφόλι για να δείτε τις προσωπικές σας πληροφορίες εδώ.\",\"1bpx9A\":\"...\",\"1kWUB+\":\"Ρευστοποίηση <0/> κατώτατο όριο\",\"1m9Qqc\":\"Withdrawing and Switching\",\"1oyh4g\":\"Borrow rate\",\"1t7rez\":\"Asset supply is limited to a certain amount to reduce protocol exposure to the asset and to help manage risks involved.\",\"2CAPu2\":\"You've successfully withdrew & switched tokens.\",\"2Eoi/a\":\"Προβολή λεπτομερειών\",\"2FYpfJ\":\"Περισσότερα\",\"2O3qp5\":\"Διαθέσιμη ρευστότητα\",\"2OM8/D\":[\"Asset cannot be migrated due to supply cap restriction in \",[\"marketName\"],\" v3 market.\"],\"2Q4GU4\":\"Blocked Address\",\"2ZGocC\":\"Aave is a fully decentralized, community governed protocol by the AAVE token-holders. AAVE token-holders collectively discuss, propose, and vote on upgrades to the protocol. AAVE token-holders (Ethereum network only) can either vote themselves on new proposals or delagate to an address of choice. To learn more check out the Governance\",\"2a6G7d\":\"Please enter a valid wallet address.\",\"2bAhR7\":\"Meet GHO\",\"2eBWE6\":\"I acknowledge the risks involved.\",\"2o/xRt\":\"Επίτευξη του ανώτατου ορίου εφοδιασμού στο αποθεματικό-στόχο. Δοκιμάστε να \\nμειώσετε την ποσότητα.\",\"2uJToh\":[[\"0\"],[\"name\"]],\"2x58bP\":\"Ο σταθερός δανεισμός είναι ενεργοποιημένος\",\"34Qfwy\":\"Υπέρβαση του ανώτατου ορίου δανεισμού\",\"39eQRj\":[\"Δανεισμός \",[\"symbol\"]],\"3BL1xB\":\"Σύνολο παρεχόμενων\",\"3BnIWi\":\"Switched\",\"3K0oMo\":\"Υπολειπόμενη προσφορά\",\"3MoZhl\":\"Δεν υπάρχουν επαρκείς εξασφαλίσεις για την κάλυψη ενός νέου δανείου\",\"3Np5O8\":[\"Προσφορά \",[\"symbol\"]],\"3O8YTV\":\"Total interest accrued\",\"3mXg0z\":\"Μέγιστο LTV\",\"3q3mFy\":\"Αποπληρωμή\",\"3qsjtp\":\"Ο σταθμισμένος μέσος όρος του APY για όλα τα παρεχόμενα περιουσιακά στοιχεία, συμπεριλαμβανομένων των κινήτρων.\",\"3rL+os\":\"Μπορείτε να αποσύρετε τα περιουσιακά σας στοιχεία από τη Μονάδα Ασφαλείας μόνο αφού λήξει η περίοδος αναμονής και το παράθυρο ξεκλειδώματος είναι ενεργό.\",\"42UgDM\":[\"Migrate to \",[\"0\"],\" v3 Market\"],\"49UFQA\":\"Αποτελέσματα ψηφοφορίας\",\"4DMZUI\":\"View Transactions\",\"4HtGBb\":\"ΜΕΓΙΣΤΟ\",\"4Y5H+g\":\"Terms\",\"4YYh4d\":\"Maximum available to borrow\",\"4iPAI3\":\"Minimum GHO borrow amount\",\"4lDFps\":\"Sign to continue\",\"4wyw8H\":\"Transactions\",\"5JSSxX\":[\"Your \",[\"networkName\"],\" wallet is empty. Get free test assets at\"],\"5K7kGO\":\"τεκμηρίωση\",\"5NOSGa\":\"Debt ceiling limits the amount possible to borrow against this asset by protocol users. Debt ceiling is specific to assets in isolation mode and is denoted in USD.\",\"5Ncc6j\":[\"Αυτό το περιουσιακό στοιχείο έχει σχεδόν φτάσει στο όριο της προσφοράς του. Μόνο \",[\"messageValue\"],\" μπορεί να παρασχεθεί σε αυτή την αγορά.\"],\"5cZ/KX\":\"Η προσφορά μεταβλητού χρέους δεν είναι μηδενική\",\"5che++\":\"Για να ζητήσετε πρόσβαση σε αυτή την αδειοδοτημένη αγορά, επισκεφθείτε την ιστοσελίδα: <0>Όνομα Παρόχου Πρόσβασης\",\"5ctNdV\":[\"Minimum \",[\"0\"],\" received\"],\"5hDe9v\":\"Απαιτούμενη δράση επιδότησης\",\"5rsnKT\":\"Διαθέσιμες ανταμοιβές\",\"5yC5m5\":\"View all votes\",\"6/dCYd\":\"Επισκόπηση\",\"60crCe\":\"All transactions\",\"62Xcjh\":\"Εγγύηση\",\"65A04M\":\"Ισπανικά\",\"6G8s+q\":\"Signing\",\"6Jrv+z\":[\"Αποπληρωμή \",[\"symbol\"]],\"6NGLTR\":\"Discountable amount\",\"6Xr0UU\":\"Ψύξη...\",\"6bxci/\":\"Δύναμη ψήφου\",\"6f8S68\":\"Αγορές\",\"6g1gi0\":\"Προτάσεις\",\"6gvoHP\":\"Copy error message\",\"6h3Q5G\":\"repaid\",\"6lFSyT\":\"Available to Stake\",\"6s8L6f\":\"Αλλαγή Δικτύου\",\"6yAAbq\":\"APY, borrow rate\",\"70wH1Q\":\"APR\",\"72c5Qo\":\"Total\",\"73Auuq\":\"Discount parameters are decided by the Aave community and may be changed over time. Check Governance for updates and vote to participate. <0>Learn more\",\"75qcAQ\":[[\"stepName\"]],\"7ITr5L\":\"Συντελεστής υγείας\",\"7T/o5R\":\"Επιτεύχθηκε\",\"7YlcXu\":\"Fork mode is ON\",\"7Z76Iw\":\"Borrowing is unavailable because you’re using Isolation mode. To manage Isolation mode visit your <0>Dashboard.\",\"7aKlMS\":\"Share on Lens\",\"7er5fP\":\"Διεκδικήστε τα όλα\",\"7hb2+s\":\"Time remaining until the withdraw period ends.\",\"7l88b8\":\"Data couldn't be fetched, please reload graph.\",\"7p5kLi\":\"Ταμπλό\",\"7sofdl\":\"Withdraw and Switch\",\"8+6BI0\":\"Προσοχή - Είστε πολύ κοντά στην ρευστοποίηση. Εξετάστε το ενδεχόμενο να καταθέσετε περισσότερες εγγυήσεις ή να εξοφλήσετε κάποιες από τις δανειακές σας θέσεις\",\"87pUEW\":[\"Το πορτοφόλι σας \",[\"name\"],\" είναι άδειο. Αγοράστε ή μεταφέρετε περιουσιακά στοιχεία.\"],\"8F1i42\":\"Page not found\",\"8G8M0u\":\"Loading data...\",\"8Iu1QS\":\"withdrew\",\"8JL93T\":\"Όλες οι προτάσεις\",\"8Q51DU\":\"Add to wallet\",\"8X/oyn\":\"Μη έγκυρο ποσό για νομισματοκοπία\",\"8Z5FPv\":\"Αποσυνδέστε το πορτοφόλι\",\"8Zz7s5\":\"περιουσιακά στοιχεία\",\"8aLW8H\":\"Balance to revoke\",\"8bOT3H\":\"Ποσοστό χρησιμοποίησης\",\"8sLe4/\":\"View contract\",\"8t/M0y\":\"Please connect your wallet to be able to bridge your tokens.\",\"8vETh9\":\"Εμφάνιση\",\"94OHPx\":\"Εισέρχεστε σε λειτουργία απομόνωσης\",\"9CDK3/\":[\"Ο δανεισμός δεν είναι επί του παρόντος διαθέσιμος για \",[\"0\"],\".\"],\"9GIj3z\":\"Μέγεθος Αποθεματικού\",\"9Knqb4\":\"Staking balance\",\"9OBKm7\":\"Απαρτία\",\"9QHoGr\":\"Τρέχουσες ψήφοι\",\"9Rw96f\":[\"Αυτό το περιουσιακό στοιχείο έχει σχεδόν φτάσει στο όριο δανεισμού του. Υπάρχει μόνο \",[\"messageValue\"],\" διαθέσιμο για δανεισμό από αυτή την αγορά.\"],\"9Xj/qR\":[\"Some migrated assets will not be used as collateral due to enabled isolation mode in \",[\"marketName\"],\" V3 Market. Visit <0>\",[\"marketName\"],\" V3 Dashboard to manage isolation mode.\"],\"9c6vDV\":\"Αυτό το περιουσιακό στοιχείο έχει φτάσει στο όριο της προσφοράς του. Τίποτα δεν είναι διαθέσιμο για προμήθεια από αυτή την αγορά.\",\"9kTWHA\":\"MAI has been paused due to a community decision. Supply, borrows and repays are impacted. <0>More details\",\"9lXchd\":\"Underlying token\",\"9rWaKF\":\"Bridged Via CCIP\",\"9xSooW\":\"Δεδομένου ότι πρόκειται για ένα δοκιμαστικό δίκτυο, μπορείτε να αποκτήσετε οποιοδήποτε από τα περιουσιακά στοιχεία αν έχετε ETH στο πορτοφόλι σας\",\"A/lwoe\":\"Choose one of the on-ramp services\",\"A6dCI6\":[\"Maximum amount available to borrow is <0/> \",[\"0\"],\" (<1/>).\"],\"AReoaV\":\"Τα δάνεια σας\",\"ARu1L4\":\"Repaid\",\"AV7cGz\":\"Αναθεώρηση λεπτομερειών έγκρισης συναλλαγής\",\"AZOjB8\":\"Fetching data...\",\"Ai0jas\":\"Join the community discussion\",\"Ajl2rq\":\"Η δύναμη δανεισμού και τα περιουσιακά στοιχεία είναι περιορισμένα λόγω της λειτουργίας απομόνωσης.\",\"AqgYNC\":\"Protocol borrow cap at 100% for this asset. Further borrowing unavailable.\",\"B3EcQR\":\"Thank you for voting!!\",\"B6aXGH\":\"Σταθερό\",\"B9Gqbz\":\"Variable rate\",\"BDFEd+\":\"stETH supplied as collateral will continue to accrue staking rewards provided by daily rebases.\",\"BE2mP0\":\"Borrowed assets\",\"BJyN77\":\"Due to health factor impact, a flashloan is required to perform this transaction, but Aave Governance has disabled flashloan availability for this asset. Try lowering the amount or supplying additional collateral.\",\"BNL4Ep\":\"Η χρήση εγγύησης είναι περιορισμένη λόγω της λειτουργίας απομόνωσης. <0>Μάθετε περισσότερα\",\"BQ/wCO\":\"Migrate your assets\",\"BjLdl1\":\"At a discount\",\"BnhYo8\":\"Κατηγορία περιουσιακών στοιχείων\",\"Bq9Y7e\":\"This asset is frozen due to an Aave community decision. <0>More details\",\"BqWMDJ\":\"Βρύση\",\"BqynZO\":\"Optimized for efficiency and risk by supporting blue-chip collateral assets\",\"Bsu7zX\":\"The fee includes the gas cost to complete the transaction on the destination chain and the fee paid to Chainlink CCIP service providers. You can chose to pay in the network token or GHO. <0>Learn more\",\"BwJKBw\":\"of\",\"CDrsH+\":\"Techpaper\",\"CK1KXz\":\"Μεγιστο\",\"CMHmbm\":\"Slippage\",\"CZXzs4\":\"Greek\",\"CcRNG6\":\"Switching\",\"CkTRmy\":[\"Διεκδίκηση \",[\"symbol\"]],\"CsqtLm\":\"Please connect your wallet to see migration tool.\",\"CtGlFb\":[[\"networkName\"],\" Βρύση\"],\"Cxt2YY\":\"Watch wallet\",\"D33VQU\":\"This action will reduce health factor of V3 below liquidation threshold. Increase migrated collateral or reduce migrated borrow to continue.\",\"D9BLRG\":\"This asset has been paused due to a community decision. Supply, withdraw, borrows and repays are impacted.\",\"DAma/S\":\"Η εγγύηση είναι (ως επί το πλείστον) το ίδιο νόμισμα που δανείζεται\",\"DCnFg0\":[\"Addresses (\",[\"0\"],\")\"],\"DG3Lv1\":\"I fully understand the risks of migrating.\",\"DONJcV\":\"Το υποκείμενο περιουσιακό στοιχείο δεν μπορεί να διασωθεί\",\"DR+4uL\":\"Supply balance after switch\",\"DWjrck\":[\"Asset cannot be migrated to \",[\"marketName\"],\" V3 Market due to E-mode restrictions. You can disable or manage E-mode categories in your <0>V3 Dashboard\"],\"Dj+3wB\":\"Aave ανά μήνα\",\"DuEq2K\":\"Εξασφάλιση\",\"DxfsGs\":\"You can report incident to our <0>Discord or<1>Github.\",\"Dzma+E\":\"Main Ethereum market with the largest selection of assets and yield options\",\"E/QGRL\":\"Απενεργοποιημένο\",\"EBL9Gz\":\"COPIED!\",\"ES8dkb\":\"Fixed rate\",\"EZd3Dk\":[\"Restaking \",[\"symbol\"]],\"Ebgc76\":[\"Ανάληψη \",[\"symbol\"]],\"EdQY6l\":\"Κανένα\",\"EjvKQ+\":\"Minimum USD value received\",\"Enslfm\":\"Destination\",\"EvE9nO\":[\"Reactivate cooldown period to unstake \",[\"0\"],\" \",[\"stakedToken\"]],\"EvECnL\":\"Migrate to v3\",\"EzMQbh\":\"The source chain time to finality is the main factor that determines the time to destination. <0>Learn more\",\"F40cwT\":\"Legacy Markets\",\"F6TdXL\":\"Μάθετε περισσότερα.\",\"FDDPeZ\":\"Users can stake their assets in the protocol and earn incentives. In the case of a shortfall event, your stake can be slashed to cover the deficit, providing an additional layer of protection for the protocol.\",\"FHlMf/\":\"Current v2 balance\",\"FHpxjF\":[\"Reserve factor is a percentage of interest which goes to a \",[\"0\"],\" that is controlled by Aave governance to promote ecosystem growth.\"],\"FOBZa6\":\"Δανεισμός χρησιμοποιημένης ισχύος\",\"FPKEug\":\"Η λειτουργία δεν υποστηρίζεται\",\"FbmMe7\":\"Linked addresses\",\"Fdp03t\":\"ενεργοποίηση\",\"Fjw9N+\":\"Περιουσιακά στοιχεία προς προμήθεια\",\"FmN0fk\":\"Restake\",\"GDGLIs\":\"GHO is a native decentralized, collateral-backed digital asset pegged to USD. It is created by users via borrowing against multiple collateral. When user repays their GHO borrow position, the protocol burns that user's GHO. All the interest payments accrued by minters of GHO would be directly transferred to the AaveDAO treasury.\",\"GQrBTq\":\"Switch E-Mode\",\"GWswcZ\":\"This asset is frozen due to an Aave Protocol Governance decision. On the 20th of December 2022, renFIL will no longer be supported and cannot be bridged back to its native network. It is recommended to withdraw supply positions and repay borrow positions so that renFIL can be bridged back to FIL before the deadline. After this date, it will no longer be possible to convert renFIL to FIL. <0>More details\",\"GX8GKD\":\"Περιουσιακά Στοιχεία\",\"GgEj+0\":\"Read-only mode. Connect to a wallet to perform transactions.\",\"GjkIKV\":\"τελειώνει\",\"GoK/QN\":\"Thank you for submitting feedback!\",\"GtP2hp\":[\"Ο δανεισμός δεν είναι διαθέσιμος επειδή έχετε ενεργοποιήσει τη λειτουργία Αποδοτικότητας (E-Mode) για την κατηγορία \",[\"0\"],\". Για να διαχειριστείτε τις κατηγορίες E-Mode επισκεφθείτε τον <0>Πίνακα ελέγχου.\"],\"H6Ma8Z\":\"Discount\",\"HB/wfS\":[[\"tooltipText\"]],\"HKDsQN\":\"Rewards can be claimed through\",\"Ha/U5f\":\"This is a program initiated and implemented by the decentralised ZKSync community. Aave Labs does not guarantee the program and accepts no liability.\",\"HciqKU\":\"This is a program initiated and implemented by the decentralised Aave community. Aave Labs does not guarantee the program and accepts no liability.\",\"Hi6Ttn\":\"Sorry, an unexpected error happened. In the meantime you may try reloading the page, or come back later.\",\"HkEDbS\":[[\"d\"],\"η\"],\"HmkYqM\":\"Παράθυρο ξεκλειδώματος\",\"HpK/8d\":\"Reload\",\"HrnC47\":\"Save and share\",\"HuVZMK\":\"Days\",\"HvJKMU\":[\"Asset cannot be migrated to \",[\"marketName\"],\" v3 Market since collateral asset will enable isolation mode.\"],\"Hvwnm9\":[\"Maximum amount available to supply is limited because protocol supply cap is at \",[\"0\"],\"%.\"],\"I8CX2c\":\"Το συνολικό ποσό των περιουσιακών σας στοιχείων σε δολάρια ΗΠΑ που μπορούν να χρησιμοποιηθούν ως εγγύηση για δανεισμό περιουσιακών στοιχείων.\",\"IAD2SB\":[\"Claiming \",[\"symbol\"]],\"IG9X9/\":\"Borrowing of this asset is limited to a certain amount to minimize liquidity pool insolvency.\",\"IOIx8L\":\"This asset is planned to be offboarded due to an Aave Protocol Governance decision. <0>More details\",\"IP+I/j\":\"Περίοδος ψύξης\",\"IaA40H\":\"Ρευστοποίηση στο\",\"J/hVSQ\":[[\"0\"]],\"JCoxL6\":\"Manage analytics\",\"JK9zf1\":[\"Estimated compounding interest, including discount for Staking \",[\"0\"],\"AAVE in Safety Module.\"],\"JOqFba\":[\"Unstaking \",[\"symbol\"]],\"JPrLjO\":\"Δεν μπορείτε να χρησιμοποιήσετε αυτό το νόμισμα ως εγγύηση\",\"JU6q+W\":\"Ανταμοιβή(ες) προς διεκδίκηση\",\"JYKRJS\":\"Κλειδώστε\",\"JZMxX0\":\"Δεν υπάρχει αρκετό υπόλοιπο στο πορτοφόλι σας\",\"Jgflkm\":\"Get GHO\",\"JoMQnI\":\"Υπόλοιπο πορτοφολιού\",\"JtwD8u\":\"Borrow balance after repay\",\"JumYTK\":\"Supplied assets\",\"K05qZY\":\"Withdraw & Switch\",\"KAz/NV\":\"Protocol debt ceiling is at 100% for this asset. Further borrowing against this asset is unavailable.\",\"KLXVqE\":[\"stETH tokens will be migrated to Wrapped stETH using Lido Protocol wrapper which leads to supply balance change after migration: \",[\"0\"]],\"KLd6ky\":\"Use connected account\",\"KRpokz\":\"VIEW TX\",\"KSlpka\":\"Αυτό αντιπροσωπεύει το κατώτατο όριο στο οποίο μια θέση δανεισμού θα θεωρηθεί υποεγγυημένη και θα υπόκειται σε ρευστοποίηση για κάθε εγγύηση. Για παράδειγμα, εάν μια εγγύηση έχει κατώτατο όριο ρευστοποίησης 80%, αυτό σημαίνει ότι η θέση θα ρευστοποιηθεί όταν η αξία του χρέους ανέρχεται στο 80% της αξίας της εγγύησης.\",\"KYAjf3\":\"Απομονωμένο\",\"KZwRuD\":[[\"notifyText\"]],\"KkPgim\":\"Switching E-Mode\",\"KnN1Tu\":\"Λήγει\",\"KoOBI2\":\"Due to internal stETH mechanics required for rebasing support, it is not possible to perform a collateral switch where stETH is the source token.\",\"KojyJ4\":\"Λάθος δίκτυο\",\"KsqhWn\":\"Κλείδωμα\",\"KuBTQq\":\"Εισάγετε διεύθυνση ETH\",\"KvG1xW\":\"Διεκδίκηση\",\"L+8Lzs\":\"Τρέχον LTV\",\"L+qiq+\":\"Αγορά\",\"LDzfVJ\":\"Send Feedback\",\"LIrMcF\":\"Δεν υπάρχει δικαίωμα ψήφου\",\"LL0zks\":\"Μπορεί να αποτελέσει εγγύηση\",\"LLdJWu\":\"Διεκδικήσιμο AAVE\",\"LSIpNK\":\"Δεν επιτρέπεται ο δανεισμός και η αποπληρωμή στο ίδιο block\",\"LVt3TI\":[\"<0>Slippage tolerance <1>\",[\"selectedSlippage\"],\"% <2>\",[\"0\"],\"\"],\"LjafV8\":\"Maximum collateral amount to use\",\"LtpQew\":\"Let us know how we can make the app better for you. For user support related inquiries please reach out on\",\"LvVpD/\":\"Emode\",\"M2sknc\":\"Tip: Try increasing slippage or reduce input amount\",\"M7wPsD\":\"Switch\",\"MFu33y\":\"Staking 00\",\"MIy2RJ\":\"Maximum amount received\",\"MZ/nQf\":\"Διεύθυνση παραλήπτη\",\"Ma/MtY\":\"προβολή κλειδώματος\",\"McHlGl\":\"APY change\",\"MeCCA+\":\"APY, μεταβλητό\",\"MghdTe\":\"Εάν ο συντελεστής υγείας πέσει κάτω από το 1, ενδέχεται να ενεργοποιηθεί η ρευστοποίηση των εγγυήσεών σας.\",\"Mm/DVQ\":\"Ακυρώσατε τη συναλλαγή.\",\"MnE2QX\":\"Borrow info\",\"MrmQHg\":\"View Bridge Transactions\",\"MuDFEQ\":\"Μη έγκυρη τιμή επιστροφής της συνάρτησης εκτελεστή flashloan\",\"N5kUMV\":\"Asset can be only used as collateral in isolation mode with limited borrowing power. To enter isolation mode, disable all other collateral.\",\"N6Pxr9\":\"View all\",\"NF0e1Q\":\"Εκκρεμεί...\",\"NK9ikO\":\"Wallet Balance\",\"NMt2CB\":\"Amount claimable\",\"NcFGxG\":\"Collector Contract\",\"NfpPeS\":\"Τίποτα κλειδωμένο\",\"Nh9DAo\":[[\"m\"],\"λ\"],\"O+sCUU\":\"Υπέρβαση του ανώτατου ορίου νομισματοκοπείου χωρίς αντίκρισμα\",\"O+tyU+\":[\"Maximum amount available to borrow against this asset is limited because debt ceiling is at \",[\"0\"],\"%.\"],\"O3oNi5\":\"Email\",\"OFjZGo\":\"Unstake\",\"OR8cYX\":\"Επισκόπηση πρότασης\",\"OYuJ9K\":\"Protocol debt ceiling is at 100% for this asset. Futher borrowing against this asset is unavailable.\",\"OfhWJH\":\"Reset\",\"Og2SKn\":\"απενεργοποιημένο\",\"On0aF2\":\"Website\",\"OsyKSt\":\"Ανάληψη\",\"P1dURE\":\"Revoke power\",\"P2WCD/\":[\"Underlying asset does not exist in \",[\"marketName\"],\" v3 Market, hence this position cannot be migrated.\"],\"P2sL6B\":\"Όταν πραγματοποιείται ρευστοποίηση, οι ρευστοποιητές επιστρέφουν έως και το 50% του ανεξόφλητου δανεισμένου ποσού για λογαριασμό του δανειολήπτη. Σε αντάλλαγμα, μπορούν να αγοράσουν τις εξασφαλίσεις με έκπτωση και να κρατήσουν τη διαφορά (ποινή ρευστοποίησης) ως μπόνους.\",\"P6sRoL\":\"Stake ABPT\",\"P72/OW\":\"Ο σταθμισμένος μέσος όρος του APY για όλα τα δανειακά περιουσιακά στοιχεία, συμπεριλαμβανομένων των κινήτρων.\",\"P7e6Ug\":\"Please connect your wallet to view transaction history.\",\"PByO0X\":\"Votes\",\"PI+kVe\":\"Disable fork\",\"PJK9u/\":\"Borrow apy\",\"PLUB/s\":\"Fee\",\"PP5ZA8\":[\"Participating in staking \",[\"symbol\"],\" gives annualized rewards. Your wallet balance is the sum of your aTokens and underlying assets. The breakdown to stake is below\"],\"PcBUgb\":\"Κατώτατο όριο ρευστοποίησης\",\"PjU6bu\":\"This asset is eligible for SPK incentive program. Aave Labs does not guarantee the program and accepts no liability.\",\"PpqD5g\":\"Η ενεργοποίηση αυτού του περιουσιακού στοιχείου ως εγγύηση αυξάνει τη δανειοληπτική σας ικανότητα και τον Συντελεστή Υγείας. Ωστόσο, μπορεί να ρευστοποιηθεί εάν ο συντελεστής υγείας σας πέσει κάτω από το 1.\",\"PsOFSf\":\"This action will reduce V2 health factor below liquidation threshold. retain collateral or migrate borrow position to continue.\",\"Pu4bI/\":[[\"currentMethod\"]],\"Q0LzKi\":\"View TX\",\"Q4eNqa\":\"The Aave Balancer Pool Token (ABPT) is a liquidity pool token. You can receive ABPT by depositing a combination of AAVE + wstETH in the Balancer liquidity pool. You can then stake your BPT in the Safety Module to secure the protocol and earn Safety Incentives.\",\"QQYsQ7\":\"Withdrawing\",\"QWYCs/\":\"Stake GHO\",\"R+30X3\":\"Δεν έχει επιτευχθεί\",\"RCU5PY\":\"Age\",\"RIfckG\":[\"Απενεργοποίηση \",[\"symbol\"],\" ως εγγύηση\"],\"RMtxNk\":\"Διαφορικό\",\"RNK49r\":\"Μη έγκυρη υπογραφή\",\"RS0o7b\":\"Κατάσταση\",\"RU+LqV\":\"Λεπτομέρειες πρότασης\",\"RYTgZX\":\"lorem ipsum\",\"RbXH+k\":\"AAVE, GHO, and ABPT holders (Ethereum network only) can stake their assets in the Safety Module to add more security to the protocol and earn Safety Incentives. In the case of a shortfall event, your stake can be slashed to cover the deficit, providing an additional layer of protection for the protocol.\",\"RiSYV4\":\"Το περιουσιακό στοιχείο δεν περιλαμβάνεται στον κατάλογο\",\"Rj01Fz\":\"Σύνδεσμοι\",\"RmWFEe\":\"Κλείδωμα APR\",\"RoafuO\":\"Send feedback\",\"RtBLm7\":\"Ο συντελεστής υγείας είναι μικρότερος από το όριο ρευστοποίησης\",\"RxzN1M\":\"Ενεργοποιημένο\",\"SDav7h\":\"Κεφάλαια στην Μονάδα Ασφάλειας\",\"SENccp\":\"If the error continues to happen,<0/> you may report it to this\",\"SIWumd\":\"Show Frozen or paused assets\",\"SM58dD\":\"Amount in cooldown\",\"SSMiac\":\"Failed to load proposal voters. Please refresh the page.\",\"SSQVIz\":\"Liquidation Threshold\",\"SUb8x0\":\"Σύνολο διαθέσιμων\",\"SWIgh4\":\"Fees exceed wallet balance\",\"SY9hVo\":\"Read-only mode allows to see address positions in Aave, but you won't be able to perform transactions.\",\"SZRUQ4\":\"Max slippage\",\"Sa1UE/\":\"Protocol borrow cap is at 100% for this asset. Further borrowing unavailable.\",\"Sk2zW9\":\"Απενεργοποίηση E-Mode\",\"SxaD0o\":\"Ο πάροχος διευθύνσεων κοινόχρηστων ταμείων δεν είναι εγγεγραμμένος\",\"T/AIqG\":\"Protocol supply cap at 100% for this asset. Further supply unavailable.\",\"T0xCO9\":\"Can't validate the wallet address. Try again.\",\"T4OhVl\":\"GHO balance\",\"T6uYU2\":\"Δανεισμός\",\"TFxQlw\":\"Ποινή ρευστοποίησης\",\"TQ7WsV\":\"Available to stake\",\"TUI7iB\":\"To περιουσιακό στοιχείο μπορεί να χρησιμοποιηθεί ως εγγύηση μόνο σε λειτουργία απομόνωσης.\",\"TbjyhA\":\"Docs\",\"TduuS0\":\"Ο χρήστης δεν έχει ανεξόφλητο χρέος σταθερού επιτοκίου σε αυτό το αποθεματικό\",\"TeCFg/\":\"Borrow rate change\",\"Tg1JyO\":\"Bridge history\",\"TskbEN\":\"Holders of stkAAVE receive a discount on the GHO borrowing rate\",\"TszKts\":\"Borrow balance after switch\",\"TtZL6q\":\"Discount model parameters\",\"TwJI9F\":\"Asset has been successfully sent to CCIP contract. You can check the status of the transactions below\",\"Tz0GSZ\":\"blocked activities\",\"U/eBjN\":\"Reload the page\",\"U2r8nY\":\"Choose how much voting/proposition power to give to someone else by delegating some of your AAVE, stkAAVE or aAave balance. Your tokens will remain in your account, but your delegate will be able to vote or propose on your behalf. If your AAVE, stkAAVE or aAave balance changes, your delegate's voting/proposition power will be automatically adjusted.\",\"U8IubP\":\"The app is running in testnet mode. Learn how it works in\",\"U9btTk\":\"Το περιουσιακό στοιχείο δεν είναι δανείσιμο σε λειτουργία απομόνωσης\",\"UAOZRe\":\"Price impact is the spread between the total value of the entry tokens switched and the destination tokens obtained (in USD), which results from the limited liquidity of the trading pair.\",\"UE3KJZ\":\"Transaction history is not currently available for this market\",\"URmyfc\":\"Λεπτομέρειες\",\"UTTKmT\":\"Stake cooldown activated\",\"UXeR72\":\"Τα κεφάλαια αυτά έχουν δανειστεί και δεν είναι διαθέσιμα για ανάληψη αυτή τη στιγμή.\",\"UYb8CM\":\"Learn more about the SPK rewards\",\"UbRrG0\":\"Ο δείκτης μέγιστου LTV αντιπροσωπεύει τη μέγιστη δανειοληπτική ικανότητα μιας συγκεκριμένης εγγύησης. Για παράδειγμα, εάν μια εγγύηση έχει LTV 75%, ο χρήστης μπορεί να δανειστεί έως και 0,75 ETH στο κύριο νόμισμα για κάθε 1 ETH αξίας εγγύησης.\",\"UpndFj\":\"Δεν υπάρχουν ανταμοιβές για διεκδίκηση\",\"V0f2Xv\":\"Reserve factor\",\"V1HK43\":\"Migration risks\",\"VATFH9\":\"Covered debt\",\"VHOVEJ\":\"Συνδέστε το πορτοφόλι\",\"VMfYUK\":\"Ασφάλεια των κατατεθειμένων εξασφαλίσεών σας έναντι των δανειζόμενων περιουσιακών στοιχείων και της υποκείμενης αξίας τους.\",\"VOAZJh\":\"Σύνολο δανείων\",\"ViKYxK\":\"ΥΠΕΡ\",\"W1SSoD\":\"Αναθεώρηση λεπτομερειών συναλλαγής\",\"W5hVah\":\"Τίποτα δεν έχει παρασχεθεί ακόμη\",\"W5kTFy\":\"Voting\",\"W8ekPc\":\"Back to Dashboard\",\"WMPbRK\":\"Μη υποστηριζόμενο\",\"WNGZwH\":\"Το E-Mode αυξάνει το LTV σας για μια επιλεγμένη κατηγορία περιουσιακών στοιχείων έως και <0/>. <1>Μάθετε περισσότερα\",\"WPWG/y\":\"Κατάσταση & διαμόρφωση αποθεματικού\",\"WZLQSU\":\"Ο χρήστης δεν μπορεί να κάνει ανάληψη μεγαλύτερη από το διαθέσιμο υπόλοιπο\",\"WaZyaV\":\"<0>Ampleforth is a rebasing asset. Visit the <1>documentation to learn more.\",\"WfU+XN\":\"Because this asset is paused, no actions can be taken until further notice\",\"Wjmqs2\":\"No results found. You can import a custom token with a contract address\",\"WkZ6C6\":\"Για να δανειστείτε πρέπει να προσκομίσετε οποιοδήποτε περιουσιακό στοιχείο που θα χρησιμοποιηθεί ως εγγύηση.\",\"WyMiQm\":\"You've successfully switched tokens.\",\"X/ITG9\":\"Κείμενο σφάλματος αντιγραφής\",\"X3Pp6x\":\"Χρησιμοποιείται ως εγγύηση\",\"X4Zt7j\":\"Η ενέργεια δεν μπορεί να εκτελεστεί επειδή η εφεδρεία βρίσκεται σε παύση\",\"XBdKOj\":\"Representative smart contract wallet (ie. Safe) addresses on other chains.\",\"XZzneG\":\"Θα βγείτε από τη λειτουργία απομόνωσης και άλλα tokens μπορούν πλέον να χρησιμοποιηθούν ως εγγύηση\",\"Xg5y9S\":\"Amount to Bridge\",\"Xn4hUi\":\"Please always be aware of your <0>Health Factor (HF) when partially migrating a position and that your rates will be updated to V3 rates.\",\"Xy71ST\":\"Umbrella\",\"Y5kGkc\":\"ΨΗΦΙΣΤΕ ΚΑΤΑ\",\"YDIOks\":\"Ενεργοποίηση E-Mode\",\"YSodyW\":\"This action will reduce your health factor. Please be mindful of the increased risk of collateral liquidation.\",\"YXOWXM\":\"The total amount bridged minus CCIP fees. Paying in network token does not impact gho amount.\",\"YirHq7\":\"Feedback\",\"YogbCJ\":\"Testnet mode is ON\",\"YrDxdO\":\"Εάν το δάνειο προς αξία υπερβεί το όριο ρευστοποίησης, η παρεχόμενη εγγύηση σας μπορεί να ρευστοποιηθεί.\",\"YyIM65\":\"Δεν τηρήθηκαν οι όροι επανεξισορρόπησης των επιτοκίων\",\"YyydIq\":[\"Add \",[\"0\"],\" to wallet to track your balance.\"],\"ZBvhI+\":\"Διακυβέρνηση Aave\",\"ZIIRAd\":\"Raw-Ipfs\",\"ZRq4tX\":\"Λειτουργία αποδοτικότητας (E-Mode)\",\"ZSqEW+\":\"Manage E-Mode\",\"ZUFYFE\":\"Disable testnet\",\"Zbyywy\":\"Μέγιστη περικοπή\",\"ZfUGFb\":\"Πριν από την προμήθεια\",\"ZiXN+B\":\"Assets to stake\",\"ZlsSDH\":\"Αξία ρευστοποίησης\",\"ZrEc8j\":\"We couldn't find any assets related to your search. Try again with a different asset name, symbol, or address.\",\"ZsLF7e\":\"ενεργοποιημένο\",\"a0YQoQ\":\"Enter a valid address\",\"a2fBZn\":\"Χρόνος που απομένει για το ξεκλείδωμα\",\"a5RYZd\":\"Η απενεργοποίηση αυτού του περιουσιακού στοιχείου ως εγγύηση επηρεάζει τη δανειοληπτική σας ικανότητα και τον Συντελεστή Υγείας.\",\"a7u1N9\":\"Price\",\"a9D+6D\":\"Unstaked\",\"aEtiwq\":\"Ψηφίστε ΚΑΤΑ\",\"aMmFE1\":\"Buy Crypto With Fiat\",\"aOKIms\":\"Οι παράμετροι της συστοιχίας που θα έπρεπε να είναι ίσου μήκους δεν είναι\",\"aX31hk\":\"Your balance is lower than the selected amount.\",\"adUsDd\":\"An error has occurred fetching the proposal.\",\"al6Pyz\":\"Exceeds the discount\",\"aoXTT7\":\"Δανεισμός APY, μεταβλητό\",\"aqX1Yp\":\"This asset is eligible for rewards through SuperFest. Aave Labs does not guarantee the program and accepts no liability.\",\"avgETN\":\"Eligible for the Merit program.\",\"b4NS3e\":\"Προειδοποίηση περιόδου ψύξης\",\"bNEQeI\":\"Cooldown\",\"bSruit\":\"ZKSync Ignite Program rewards are claimed through the\",\"bUUVED\":\"Περιουσιακό στοιχείο\",\"bXQ/Og\":\"Μοιραστείτε το στο twitter\",\"bXr0ee\":\"Τα απομονωμένα περιουσιακά στοιχεία έχουν περιορισμένη δανειοληπτική ικανότητα και άλλα περιουσιακά στοιχεία δεν μπορούν να χρησιμοποιηθούν ως εγγύηση.\",\"bYmAV1\":\"Addresses\",\"bguKoJ\":\"Το αιτούμενο ποσό είναι μεγαλύτερο από το μέγιστο μέγεθος δανείου στη λειτουργία σταθερού επιτοκίου\",\"bwSQI0\":\"Προσφορά\",\"bxN6EM\":\"Cannot disable E-Mode\",\"bxmzSh\":\"Δεν υπάρχουν επαρκείς εγγυήσεις για την αποπληρωμή αυτού του ποσού χρέους με\",\"c91vuQ\":\"Η διεύθυνση δεν είναι συμβόλαιο\",\"c97os2\":\"Aave aToken\",\"c9b44w\":\"Δεν μπορείτε να αποσύρετε αυτό το ποσό, διότι θα προκληθεί κλήση εγγύησης\",\"cBc+4A\":\"Αυτό είναι το συνολικό ποσό που μπορείτε να δανειστείτε. Μπορείτε να δανειστείτε με βάση την εξασφάλισή σας και μέχρι να επιτευχθεί το ανώτατο όριο δανεισμού.\",\"cIl5kp\":\"Your voting power is based on your AAVE/stkAAVE balance and received delegations.\",\"cLo09S\":\"Λεπτομέρειες κινδύνου\",\"cNT+ij\":\"Ο δανεισμός δεν είναι διαθέσιμος επειδή έχετε ενεργοποιήσει τη Λειτουργία Αποδοτικότητας (E-Mode) και τη λειτουργία Απομόνωσης. Για να διαχειριστείτε τη λειτουργία E-Mode και τη λειτουργία Απομόνωσης, επισκεφθείτε τον <0>Πίνακα ελέγχου.\",\"cZOeBk\":\"Something went wrong fetching bridge message, please try again later.\",\"ceix5S\":\"To submit a proposal for minor changes to the protocol, you'll need at least 80.00K power. If you want to change the core code base, you'll need 320k power.<0>Learn more.\",\"ciybUa\":\"Ψηφίστε ΥΠΕΡ\",\"ckf7gX\":[\"Αποπληρώνοντας \",[\"symbol\"]],\"cp1ZDP\":[\"Bridge \",[\"symbol\"]],\"cqnmnD\":\"Effective interest rate\",\"cqwIvs\":\"Συζήτηση φόρουμ\",\"csDS2L\":\"Διαθέσιμο\",\"cu7Stb\":\"Δεν συμμετείχατε στην παρούσα πρόταση\",\"dE6BLF\":\"Διακυβέρνηση\",\"dEgA5A\":\"Cancel\",\"dIsyWh\":\"Η επικύρωση του Ltv απέτυχε\",\"dMtLDE\":\"to\",\"dOB5nW\":[\"Maximum amount available to supply is <0/> \",[\"0\"],\" (<1/>).\"],\"dVfODp\":\"Δεν έχετε αρκετά χρήματα στο πορτοφόλι σας για να αποπληρώσετε ολόκληρο το ποσό. Εάν προχωρήσετε στην αποπληρωμή με το τρέχον ποσό των χρημάτων σας, θα εξακολουθείτε να έχετε μια μικρή θέση δανεισμού στο ταμπλό σας.\",\"dXUQFX\":\"Περιουσιακά στοιχεία προς δανεισμό\",\"dgr1aY\":\"Borrowing is disabled due to an Aave community decision. <0>More details\",\"djsg0o\":\"Χρησιμοποίηση εγγυήσεων\",\"dpc0qG\":\"Μεταβλητό\",\"drdV8R\":\"Liquidation\",\"dxW8cS\":\"Aave debt token\",\"e4V3oW\":\"Top 10 addresses\",\"eD8WX/\":\"Η δράση απαιτεί ενεργό απόθεμα\",\"eJRJ04\":\"Amount to unstake\",\"eLh0cL\":\"Slippage is the difference between the quoted and received amounts from changing market conditions between the moment the transaction is submitted and its verification.\",\"ePK91l\":\"Edit\",\"eVpCmf\":\"Staking Rewards\",\"eVqvtf\":\"Bridge GHO\",\"eYdurp\":\"No transactions yet.\",\"ebLGGN\":\"Σύνολο δανεικών\",\"ecqEvn\":\"Το υπόλοιπο των εγγυήσεων είναι 0\",\"efdrrk\":\"Available on\",\"enruNF\":\"starts\",\"eqLYiD\":\"Ξεκλειδώστε τώρα\",\"euScGB\":\"APY with discount applied\",\"evw5ha\":\"Καθαρή αξία\",\"ezcU16\":\"Get ABP Token\",\"f3W0Ej\":[\"Αλλάξατε σε ποσοστό \",[\"0\"]],\"fH9i8k\":\"You've successfully switched borrow position.\",\"fHcELk\":\"Καθαρό APR\",\"fMJQZK\":\"Borrowed\",\"fZ5Vnu\":\"Received\",\"firl9Q\":\"Το τρέχον δάνειο προς αξία με βάση τις παρεχόμενες εξασφαλίσεις σας.\",\"flRCF/\":\"Staking discount\",\"fldjW9\":\"Preview tx and migrate\",\"fsBGk0\":\"Υπόλοιπο\",\"fu1Dbh\":[\"Ανάληψη \",[\"symbol\"]],\"fwjWSI\":\"Supplied\",\"fwyTMb\":\"Migrate to stkABPT v2\",\"g0mals\":\"You can not disable E-Mode because that could cause liquidation. To exit E-Mode supply or repay borrowed positions.\",\"g2UNkE\":\"Powered by\",\"g8KGoA\":\"FAQS\",\"g9zzqS\":\"Voted NAY\",\"gDd2gk\":\"about SuperFest.\",\"gFFh9h\":\"Όλα έτοιμα!\",\"gIMJlW\":\"Λειτουργία Testnet\",\"gOzPxe\":\"This asset is frozen due to an Aave Protocol Governance decision. <0>More details\",\"gTHi2T\":\"Ο χρήστης προσπαθεί να δανειστεί πολλαπλά περιουσιακά στοιχεία, συμπεριλαμβανομένου ενός απομονωμένου περιουσιακού στοιχείου\",\"gVW59Y\":\"Please connect your wallet to get free testnet assets.\",\"gcFNxP\":\"Approve Confirmed\",\"gncRUO\":\"This address is blocked on app.aave.com because it is associated with one or more\",\"goff7V\":\"Η μηδενική διεύθυνση δεν είναι έγκυρη\",\"gp+f1B\":\"Version 3\",\"gr8mYw\":\"You may borrow up to <0/> GHO at <1/> (max discount)\",\"gvTM4B\":\"Το καθαρό ΑΡΥ είναι η συνδυασμένη επίδραση όλων των θέσεων προσφοράς και δανεισμού στην καθαρή αξία, συμπεριλαμβανομένων των κινήτρων. Είναι δυνατόν να υπάρχει αρνητικό καθαρό APY εάν το χρεωστικό APY είναι υψηλότερο από το προσφερόμενο APY.\",\"gzcch9\":\"Μη έγκυρη αμοιβή πρωτοκόλλου γέφυρας\",\"h33MxW\":\"Representing smart contract wallet (ie. Safe) addresses on other chains.\",\"h3ilK+\":\".CSV\",\"hB23LY\":\"Activate Cooldown\",\"hIJzBh\":\"Available to Claim\",\"hIS4N0\":\"Καθαρό APY\",\"hRWvpI\":\"Claimed\",\"hdmy/o\":\"Το % της συνολικής δανειοληπτικής σας δύναμης που χρησιμοποιείται. Αυτό βασίζεται στο ποσό της παρεχόμενης εξασφάλισής σας και στο συνολικό ποσό που μπορείτε να δανειστείτε.\",\"hehnjM\":\"Ποσό\",\"hjDCQr\":\"Υπήρξε κάποιο σφάλμα. Προσπαθήστε να αλλάξετε τις παραμέτρους ή <0><1>αντιγράψτε το σφάλμα\",\"hom7qf\":\"Διεκδίκηση\",\"hpHJ4I\":\"Liquidated collateral\",\"hpuVIp\":\"Users who stake AAVE in Safety Module (i.e. stkAAVE holders) receive a discount on GHO borrow interest rate.\",\"huQ6Tz\":[\"Δανεισμός \",[\"symbol\"]],\"hxi7vE\":\"Borrow balance\",\"i2JTiw\":\"You may enter a custom amount in the field.\",\"iB5+/J\":\"About GHO\",\"iChbOF\":\"Ασυνεπείς παράμετροι flashloan\",\"iEPVHF\":\"Δεν έχει αρκετή δύναμη ψήφου για να συμμετάσχει στην παρούσα πρόταση\",\"iEW87X\":\"Delegated power\",\"iEju36\":[\"Ψηφίσατε \",[\"0\"]],\"iFq2YN\":\"Borrowable\",\"iGxyIA\":\"Safety Module\",\"iMVZk9\":\"Select slippage tolerance\",\"iPMIoT\":\"Εισάγετε ένα ποσό\",\"iSLIjg\":\"Connect\",\"iUo5rv\":\"tokens δεν είναι το ίδιο με το να τα κλειδώνετε. Εάν επιθυμείτε να κλειδώσετε τα\",\"iZxa38\":\"Use it to vote for or against active proposals.\",\"if5PH+\":\"Collector Info\",\"igkfR1\":[\"In Isolation mode, you cannot supply other assets as collateral. A global debt ceiling limits the borrowing power of the isolated asset. To exit isolation mode disable \",[\"0\"],\" as collateral before borrowing another asset. Read more in our <0>FAQ\"],\"il0sEG\":\"H χρήση εγγυήσεων είναι περιορισμένη λόγω της λειτουργίας Απομόνωσης.\",\"j+K1Xj\":\"Amount After Fee\",\"jA2QeW\":\"Προμηθεύοντας το\",\"jFi7dz\":\"Interest rate that is determined by Aave Governance. This rate may be changed over time depending on the need for the GHO supply to contract/expand. <0>Learn more\",\"jG3UJ7\":\"Απενεργοποίηση E-Mode\",\"jKYzR1\":\"Ενεργοποίηση E-Mode\",\"jMam5g\":[[\"0\"],\" Υπόλοιπο\"],\"jSYv+Z\":\"Enabling E-Mode allows you to maximize your borrowing power, however, borrowing is restricted to assets within the selected category. <0>Learn more about how it works and the applied restrictions.\",\"jaKbwW\":[[\"s\"],\"δ\"],\"jbFMap\":\"Χρόνος ψύξης που έχει απομείνει\",\"jeMZNr\":[[\"0\"],\" on-ramp service is provided by External Provider and by selecting you agree to Terms of the Provider. Your access to the service might be reliant on the External Provider being operational.\"],\"jfl9OP\":\"Migrated\",\"jmXdoY\":\"Στο E-Mode ορισμένα περιουσιακά στοιχεία δεν είναι δανείσιμα. Βγείτε από το E-Mode για να αποκτήσετε πρόσβαση σε όλα τα περιουσιακά στοιχεία\",\"jpctdh\":\"View\",\"jqzUyM\":\"Μη διαθέσιμο\",\"k/sb6z\":\"Επιλέξτε γλώσσα\",\"k3wP3f\":\"<0>Attention: Parameter changes via governance can alter your account health factor and risk of liquidation. Follow the <1>Aave governance forum for updates.\",\"kACpF3\":[\"Διεκδίκηση \",[\"0\"]],\"kH6wUX\":\"Επίδραση στην τιμή\",\"kIC28N\":\"Available to claim\",\"kIpSye\":[[\"numSelected\"],\"/\",[\"numAvailable\"],\" assets selected\"],\"kN1Yg5\":\"Για την εξόφληση εκ μέρους ενός χρήστη απαιτείται ένα ρητό ποσό προς εξόφληση\",\"kRTD40\":[\"Repayment amount to reach \",[\"0\"],\"% utilization\"],\"kjN9tT\":\"Υπέρβαση του ανώτατου ορίου προσφοράς\",\"knxE+G\":\".JSON\",\"ks2LWT\":\"Το ανώτατο όριο χρέους δεν είναι μηδενικό\",\"kwwn6i\":\"Users who stake AAVE in Safety Module (i.e. stkAAVE holders) receive a discount on GHO borrow interest rate. The discount applies to 100 GHO for every 1 stkAAVE held. Use the calculator below to see GHO borrow rate with the discount applied.\",\"kz3wtK\":\"and about SPK program\",\"kzZyM4\":\"DAI balance will be converted via DSR contracts and then supplied as sDAI. Switching incurs no additional costs and no slippage.\",\"lNVG7i\":\"Select an asset\",\"lU2d1/\":[\"Asset cannot be migrated due to insufficient liquidity or borrow cap limitation in \",[\"marketName\"],\" v3 market.\"],\"lVhKKI\":\"Voted YAE\",\"lWLqxB\":\"We couldn't find any transactions related to your search. Try again with a different asset name, or reset filters.\",\"lYGfRP\":\"Αγγλικά\",\"lfEjIE\":\"Μάθετε περισσότερα στον οδηγό <0>Συχνών Ερωτήσεων\",\"lt6bpt\":\"Collateral to repay with\",\"m/IEhi\":\"Συνολικές εκπομπές ανά ημέρα\",\"m7r7Hh\":\"Selected borrow assets\",\"mDDK4p\":\"Balancer Pool\",\"mIM0qu\":\"Expected amount to repay\",\"mUAFd6\":\"Version 2\",\"masO5Z\":\"E-Mode increases your LTV for a selected category of assets. <0>Learn more\",\"mdNjKU\":[\"Your \",[\"name\"],\" wallet is empty. Purchase or transfer assets or use <0>\",[\"0\"],\" to transfer your \",[\"network\"],\" assets.\"],\"muiOng\":[\"Buy \",[\"cryptoSymbol\"],\" with Fiat\"],\"mvCXBY\":\"Stake AAVE\",\"mwdzil\":\"Εντάξει, Κλείσιμο\",\"mzI/c+\":\"Download\",\"mzdIia\":\"Το περιουσιακό στοιχείο δεν μπορεί να χρησιμοποιηθεί ως εγγύηση.\",\"n+SX4g\":\"Προγραμματιστές\",\"n8Psk4\":\"We couldn’t detect a wallet. Connect a wallet to stake and view your balance.\",\"nJIhzm\":\"Προσφορά apy\",\"nJgsQu\":\"Με δύναμη ψήφου <0/>\",\"nLC6tu\":\"Γαλλικά\",\"nN2T8p\":\"During the cooldown period, you will not earn any merit rewards. However, rewards earned up to this point will remain unaffected.\",\"nNHV0z\":\"Migrating multiple collaterals and borrowed assets at the same time can be an expensive operation and might fail in certain situations.<0>Therefore it’s not recommended to migrate positions with more than 5 assets (deposited + borrowed) at the same time.\",\"nNbnzu\":\"Proposition\",\"nOy4ob\":\"We suggest you go back to the Dashboard.\",\"nPGNMh\":\"Μπορεί να εκτελεστεί\",\"nUK1ou\":[\"Assets with zero LTV (\",[\"0\"],\") must be withdrawn or disabled as collateral to perform this action\"],\"nakd8r\":\"stkAAVE holders get a discount on GHO borrow rate\",\"nh2EJK\":[\"Παρακαλώ μεταβείτε στο \",[\"networkName\"],\".\"],\"njBeMm\":\"Both\",\"noN5Xf\":\"We couldn’t detect a wallet. Connect a wallet to view your staking positions and rewards.\",\"ntkAoE\":\"Discount applied for <0/> staking AAVE\",\"ntyFSE\":[[\"h\"],\"ω\"],\"nwtY4N\":\"Something went wrong\",\"nxyWvj\":\"Withdrawing this amount will reduce your health factor and increase risk of liquidation.\",\"o17QVP\":\"Ο συντελεστής υγείας και το δάνειο προς αξία καθορίζουν τη διασφάλιση των εξασφαλίσεών σας. Για να αποφύγετε τις ρευστοποιήσεις μπορείτε να παράσχετε περισσότερες εξασφαλίσεις ή να εξοφλήσετε δανειακές θέσεις.\",\"o1xc2V\":\"Η προσφορά AToken δεν είναι μηδενική\",\"o4tCu3\":\"Borrow APY\",\"o5ooMr\":\"Χρέος\",\"o7J4JM\":\"Φίλτρο\",\"oHFrpj\":\"Ψύξτε για ξεκλείδωμα\",\"oJ5ZiG\":\"Ο χρήστης δεν έχει ανεξόφλητο χρέος μεταβλητού επιτοκίου σε αυτό το αποθεματικό\",\"oRBGin\":\"Please connect your wallet to be able to switch your tokens.\",\"oUwXhx\":\"Test Assets\",\"oWklJD\":\"Το σταθερό επιτόκιο θα <0>μείνει το ίδιο για όλη τη διάρκεια του δανείου σας. Συνιστάται για μακροχρόνιες περιόδους δανεισμού και για χρήστες που προτιμούν την προβλεψιμότητα.\",\"odnIK3\":\"Time remaining until the 48 hour withdraw period starts.\",\"oiK5nY\":\"The current incentives period, decided on by the Aave community, has ended. Governance is in the process on renewing, check for updates. <0>Learn more.\",\"olREoo\":\"All borrow positions outside of this category must be closed to enable this category.\",\"om/XHs\":\"Διαθέσιμο για προμήθεια\",\"ov0+mq\":\"Eligible for the ZKSync Ignite program.\",\"ovT1pF\":[\"Per the community, the \",[\"market\"],\" has been frozen.\"],\"ow3fug\":\"Nothing found\",\"owSsI3\":\"Signatures ready\",\"p+R52m\":\"Go to Balancer Pool\",\"p2A+s1\":[\"Η περίοδος ψύξης είναι \",[\"0\"],\". Μετά την \",[\"1\"],\" περίοδο ψύξης, θα εισέλθετε στο παράθυρο ξεκλειδώματος \",[\"2\"],\". Θα συνεχίσετε να λαμβάνετε ανταμοιβές κατά τη διάρκεια της ψύξης και του παραθύρου ξεκλειδώματος.\"],\"p2S64u\":\"The loan to value of the migrated positions would cause liquidation. Increase migrated collateral or reduce migrated borrow to continue.\",\"p2Z2Qi\":\"Αυτό το περιουσιακό στοιχείο έχει φθάσει στο ανώτατο όριο δανεισμού του. Τίποτα δεν είναι διαθέσιμο για δανεισμό από αυτή την αγορά.\",\"p3j+mb\":\"Το υπόλοιπο της ανταμοιβής σας είναι 0\",\"p45alK\":\"Set up delegation\",\"p6u2s1\":\"Minimum amount of debt to be repaid\",\"pDgeaz\":[[\"title\"]],\"pdZqBk\":\"Το υποκείμενο υπόλοιπο πρέπει να είναι μεγαλύτερο από 0\",\"pgWG9H\":\"Δεν υπάρχει αρκετό κλειδωμένο υπόλοιπο\",\"piPrJ7\":\"παρακαλούμε ελέγξτε ότι το ποσό που θέλετε να παρέχετε δεν χρησιμοποιείται επί του παρόντος για κλείδωμα. Εάν χρησιμοποιείται για κλείδωμα, η συναλλαγή σας ενδέχεται να αποτύχει.\",\"pjO/iH\":\"Minimum amount received\",\"pooutM\":\"Voting is on\",\"pqaM5s\":\"Confirming transaction\",\"ptaxX3\":[\"Καταλαβαίνω πώς λειτουργεί η ψύξη (\",[\"0\"],\") και το ξεκλείδωμα (\",[\"1\"],\")\"],\"py2iiY\":\"Ο καλών αυτής της συνάρτησης πρέπει να είναι ένα κοινόχρηστο ταμείο\",\"q/51mF\":\"Migrate to V3\",\"q3df11\":\"Interest rate strategy\",\"q6lAbz\":\"Κλειδωμένο\",\"qB4kPi\":\"Προσφορά APY\",\"qENI8q\":\"Γενικές ρυθμίσεις\",\"qGz5zl\":\"Collateral balance after repay\",\"qOqbD6\":\"αντιγράψτε το σφάλμα\",\"qXCkEM\":\"Συνδέστε το πορτοφόλι σας για να δείτε τις προμήθειες, τα δάνεια και τις ανοιχτές θέσεις σας.\",\"qY2jnw\":\"Μη έγκυρη λήξη\",\"qf/fr+\":\"Interest accrued\",\"quYPUU\":\"Variable interest rate will <0>fluctuate based on the market conditions.\",\"quzIeW\":\"User is in isolation mode or LTV is zero\",\"qvnz3q\":\"Μη έγκυρη ποσότητα προς καύση\",\"rHgdb0\":\"Migrate to Aave V3\",\"rOrHHe\":\"Το ποσό πρέπει να είναι μεγαλύτερο από 0\",\"rQ+R+0\":\"Selected supply assets\",\"rSayea\":\"APY\",\"rTBDeu\":[\"Asset cannot be migrated because you have isolated collateral in \",[\"marketName\"],\" v3 Market which limits borrowable assets. You can manage your collateral in <0>\",[\"marketName\"],\" V3 Dashboard\"],\"rcT+yy\":\"Εμφάνιση περιουσιακών στοιχείων με υπόλοιπο 0\",\"rf8POi\":\"Borrowed asset amount\",\"riNWOA\":\"E-Mode\",\"rjGI/Q\":\"Privacy\",\"rnKPW1\":\"Watch a wallet balance in read-only mode\",\"ruc7X+\":\"Add stkAAVE to see borrow APY with the discount\",\"rvbaFU\":[\"Bridging \",[\"symbol\"]],\"rwVVB7\":\"Διεκδικήστε όλες τις ανταμοιβές\",\"rwyUva\":\"These assets are temporarily frozen or paused by Aave community decisions, meaning that further supply / borrow, or rate swap of these assets are unavailable. Withdrawals and debt repayments are allowed. Follow the <0>Aave governance forum for further updates.\",\"rxJW5W\":\"Your proposition power is based on your AAVE/stkAAVE balance and received delegations.\",\"s2jJnW\":\"You don't have any bridge transactions\",\"s5wBAq\":[\"Unstake \",[\"symbol\"]],\"sJbIdI\":\"Enter ETH address or ENS\",\"sK+Nag\":\"Αναθεώρηση συναλλαγής\",\"sP2+gB\":\"ΚΑΤΑ\",\"sQv06Y\":\"for\",\"sTtO6J\":\"Confirm transaction\",\"sXKb3l\":\"Exchange rate\",\"sb0q4+\":\"Μπορείτε να ξεκλειδώσετε εδώ\",\"smJNwH\":\"Διαθέσιμο για δανεισμό\",\"solypO\":\"Ο παράγοντας υγείας δεν είναι κάτω από το όριο\",\"sr0UJD\":\"Πηγαίνετε Πίσω\",\"ss5GCK\":\"Η διεύθυνση του παρόχου διευθύνσεων κοινόχρηστου ταμείου είναι άκυρη\",\"swEgK4\":\"Οι πληροφορίες ψήφου σας\",\"t+wtgf\":\"Τίποτα δανεισμένο ακόμα\",\"t/YqKh\":\"Remove\",\"t81DpC\":[\"Approve \",[\"symbol\"],\" to continue\"],\"tCnbEs\":\"Τιμή Oracle\",\"tFZLf8\":\"Αυτός ο υπολογισμός gas είναι μόνο μια εκτίμηση. Το πορτοφόλι σας θα καθορίσει την τιμή της συναλλαγής. Μπορείτε να τροποποιήσετε τις ρυθμίσεις gas απευθείας από τον πάροχο του πορτοφολιού σας.\",\"tHuvQI\":\"Go to V3 Dashboard\",\"tKv7cI\":\"Switch borrow position\",\"tOcg3N\":\"Since this asset is frozen, the only available actions are withdraw and repay which can be accessed from the <0>Dashboard\",\"tOuXfv\":[\"Borrow amount to reach \",[\"0\"],\"% utilization\"],\"te9Bfl\":\"Παρακαλώ, συνδέστε το πορτοφόλι σας\",\"tt5yma\":\"Οι προμήθειές σας\",\"ttoh5c\":\"Switch to\",\"u3ZeYl\":\"Η συναλλαγή απέτυχε\",\"u706uF\":\"Άκυρη πριμοδότηση flashloan\",\"u8Gfu7\":[\"No search results\",[\"0\"]],\"uAQUqI\":\"Status\",\"uHMwk8\":\"No assets selected to migrate.\",\"uJPHuY\":\"Migrating\",\"uY8O30\":\"To continue, you need to grant Aave smart contracts permission to move your funds from your wallet. Depending on the asset and wallet you use, it is done by signing the permission message (gas free), or by submitting an approval transaction (requires gas). <0>Learn more\",\"udFheE\":\"Για την αποπληρωμή ενός συγκεκριμένου τύπου χρέους, ο χρήστης πρέπει να έχει χρέος αυτού του τύπου\",\"ulNuNq\":\"Export data to\",\"ulup2p\":\"Buy Crypto with Fiat\",\"umICAY\":\"<0><1><2/>Add stkAAVE to see borrow rate with discount\",\"usB84Z\":\"Maximum amount available to borrow is limited because protocol borrow cap is nearly reached.\",\"uwAUvj\":\"COPY IMAGE\",\"v8x7Mg\":\"Insufficient collateral to cover new borrow position. Wallet must have borrowing power remaining to perform debt switch.\",\"vEqxH9\":\"Restaked\",\"vLyv1R\":\"Απόκρυψη\",\"vMba49\":\"Ο δανεισμός δεν είναι ενεργοποιημένος\",\"vMpNwt\":\"Approve with\",\"vXIe7J\":\"Γλώσσα\",\"vesuBJ\":\"Σας επιτρέπει να αποφασίσετε αν θα χρησιμοποιήσετε ένα παρεχόμενο περιουσιακό στοιχείο ως εγγύηση. Ένα περιουσιακό στοιχείο που χρησιμοποιείται ως εγγύηση θα επηρεάσει τη δανειοληπτική σας ικανότητα και τον συντελεστή υγείας.\",\"w+V9Cx\":\"Σταθερό νόμισμα\",\"w/JtJ3\":\"Η σταθερή προσφορά χρέους δεν είναι μηδενική\",\"w4VBY+\":\"Ανταμοιβές APR\",\"w9dLMW\":[[\"label\"]],\"wAOL+X\":[\"Εσείς \",[\"action\"],\" <0/> \",[\"symbol\"]],\"wBIsjb\":\"Discord channel\",\"wQZbc/\":\"Ο καλών της συνάρτησης δεν είναι AToken\",\"wRRqvW\":\"Δεν έχετε προμήθειες σε αυτό το νόμισμα\",\"wZFvVU\":\"ΨΗΦΙΣΤΕ ΥΠΕΡ\",\"wb/r1O\":[\"Βρύση \",[\"0\"]],\"wdxz7K\":\"Source\",\"weH1nG\":\"The Aave Protocol is programmed to always use the price of 1 GHO = $1. This is different from using market pricing via oracles for other crypto assets. This creates stabilizing arbitrage opportunities when the price of GHO fluctuates.\",\"wh7Ezv\":\"You have no AAVE/stkAAVE/aAave balance to delegate.\",\"wlsIx7\":\"With testnet Faucet you can get free assets to test the Aave Protocol. Make sure to switch your wallet provider to the appropriate testnet network, select desired asset, and click ‘Faucet’ to get tokens transferred to your wallet. The assets on a testnet are not “real,” meaning they have no monetary value. <0>Learn more\",\"wmE285\":\"Get ABP v2 Token\",\"wyRrcJ\":\"As a result of governance decisions, this ABPT staking pool is now deprecated. You have the flexibility to either migrate all of your tokens to v2 or unstake them without any cooldown period.\",\"x5KiLL\":\"Selected assets have successfully migrated. Visit the Market Dashboard to see them.\",\"x7F2p6\":\"Τρέχον διαφορικό\",\"x7K5ib\":[\"Your \",[\"networkName\"],\" wallet is empty. Get free test \",[\"0\"],\" at\"],\"x9iLRD\":\"tokens, παρακαλούμε μεταβείτε στο\",\"xNy/UG\":\"Αποπληρωμή με\",\"xPm8wv\":\"Μάθετε περισσότερα για τους κινδύνους\",\"xXYpZl\":[[\"0\"],\" Βρύση\"],\"xaVBSS\":\"Οι πληροφορίες σας\",\"xaWZ6f\":\"APY type change\",\"xh6k71\":\"Collateral usage is limited because of isolation mode.\",\"xvIklc\":\"Flashloan is disabled for this asset, hence this position cannot be migrated.\",\"y5rS9U\":\"Migrate\",\"y66tBm\":[\"Ενεργοποίηση \",[\"symbol\"],\" ως εγγύηση\"],\"yB1YpA\":\"Σκοτεινή λειτουργία\",\"yCrG6m\":\"Συνολικό μέγεθος της αγοράς\",\"yJUUbn\":\"Επισκόπηση συναλλαγής\",\"yLGmLX\":[\"Restake \",[\"symbol\"]],\"yW1oWB\":\"Τύπος APY\",\"yYHqJe\":\"Μη έγκυρη διεύθυνση\",\"yZwLw6\":\"Track wallet\",\"yh2sjd\":[\"Price impact \",[\"0\"],\"%\"],\"yhvj6d\":\"Δεν μπορείτε να αλλάξετε τη χρήση ως λειτουργία εγγύησης για αυτό το νόμισμα, διότι θα προκαλέσει κλήση εγγύησης\",\"ylmtBZ\":\"The app is running in fork mode.\",\"ymNY32\":[\"Δεν υπάρχουν αρκετά κεφάλαια στο\",[\"0\"],\"αποθεματικό για δανεισμό\"],\"yz7wBu\":\"Κλείσιμο\",\"z4uGQg\":\"Υπέρβαση του ανώτατου ορίου χρέους\",\"z5UQOM\":\"Η εγγύηση που έχει επιλεγεί δεν μπορεί να ρευστοποιηθεί\",\"z5Y+p6\":[\"Παροχή \",[\"symbol\"]],\"zCjNKs\":\"Η ενέργεια δεν μπορεί να εκτελεστεί επειδή το αποθεματικό έχει παγώσει\",\"zRHytX\":\"Isolated Debt Ceiling\",\"zTOjMP\":\"Protocol supply cap is at 100% for this asset. Further supply unavailable.\",\"zVdRUG\":\"Submission did not work, please try again later or contact wecare@avara.xyz\",\"zevmS2\":\"<0><1><2/>Add <3/> stkAAVE to borrow at <4/> (max discount)\",\"zgtIDV\":\"Υπολειπόμενο χρέος\",\"zmTPiV\":\"Υπόλοιπο προσφοράς\",\"zpPbZl\":\"Liquidation risk parameters\",\"zucql+\":\"Μενού\",\"zwWKhA\":\"Μάθετε περισσότερα\",\"zy9fXn\":[\"Asset is frozen in \",[\"marketName\"],\" v3 market, hence this position cannot be migrated.\"],\"zys+R6\":\"Be mindful of the network congestion and gas prices.\",\"zzzTXS\":\"Merit Program rewards are claimed through the\"}")}; \ No newline at end of file diff --git a/src/locales/en/messages.js b/src/locales/en/messages.js index dbf504f112..9659f3be76 100644 --- a/src/locales/en/messages.js +++ b/src/locales/en/messages.js @@ -1 +1 @@ -/*eslint-disable*/module.exports={messages:JSON.parse("{\"+0xecS\":[\"If you DO NOT unstake within \",[\"0\"],\" of unstake window, you will need to activate cooldown process again.\"],\"+EGVI0\":\"Receive (est.)\",\"+VR63W\":[\"Participating in this \",[\"symbol\"],\" reserve gives annualized rewards.\"],\"+bmKdK\":\"Use your AAVE, stkAAVE, or aAave balance to delegate your voting and proposition powers. You will not be sending any tokens, only the rights to vote and propose changes to the protocol. You can re-delegate or revoke power to self at any time.\",\"+eOPG+\":\"Seems like we can't switch the network automatically. Please check if you can change it from the wallet.\",\"+i3Pd2\":\"Borrow cap\",\"+kLZGu\":\"Supplied asset amount\",\"+nuEh/\":\"Estimated time\",\"+xMFF8\":\"Remind me\",\"/57U31\":\"Amount to migrate\",\"/7ykiW\":\"Borrowing this amount will reduce your health factor and increase risk of liquidation.\",\"/YA5pU\":\"E-Mode increases your LTV for a selected category of assets, meaning that when E-mode is enabled, you will have higher borrowing power over assets of the same E-mode category which are defined by Aave Governance. You can enter E-Mode from your <0>Dashboard. To learn more about E-Mode and applied restrictionn, see the <1>help guide or the <2>Aave V3 Technical Paper.\",\"/izjs/\":\"Minimum staked Aave amount\",\"/jQctM\":\"To\",\"/lDBHm\":\"FAQ\",\"/yNlZf\":\"Stable borrowing is not enabled\",\"/yQcJM\":\"Total worth\",\"00AB2i\":\"User did not borrow the specified currency\",\"00OflG\":\"There is not enough liquidity for the target asset to perform the switch. Try lowering the amount.\",\"08/rZ9\":\"The cooldown period is the time required prior to unstaking your tokens (20 days). You can only withdraw your assets from the Security Module after the cooldown period and within the unstake window.<0>Learn more\",\"0AmQcW\":\"Rate change\",\"0BF3yK\":\"Sorry, we couldn't find the page you were looking for.\",\"0TAbjq\":\"Recent Transactions\",\"0jhlyw\":\"Liquidation risk\",\"0ojY+Y\":\"Current v2 Balance\",\"0thX3P\":\"Collateral change\",\"0wGCWc\":\"This is the total amount that you are able to supply to in this reserve. You are able to supply your wallet balance up until the supply cap is reached.\",\"1AsVfF\":\"Price data is not currently available for this reserve on the protocol subgraph\",\"1LjK22\":\"Transaction history\",\"1Onqx8\":[\"Approving \",[\"symbol\"],\"...\"],\"1Ue8sX\":\"Please connect a wallet to view your personal information here.\",\"1bpx9A\":\"...\",\"1kWUB+\":\"Liquidation <0/> threshold\",\"1m9Qqc\":\"Withdrawing and Switching\",\"1oyh4g\":\"Borrow rate\",\"1t7rez\":\"Asset supply is limited to a certain amount to reduce protocol exposure to the asset and to help manage risks involved.\",\"2CAPu2\":\"You've successfully withdrew & switched tokens.\",\"2Eoi/a\":\"View details\",\"2FYpfJ\":\"More\",\"2O3qp5\":\"Available liquidity\",\"2OM8/D\":[\"Asset cannot be migrated due to supply cap restriction in \",[\"marketName\"],\" v3 market.\"],\"2Q4GU4\":\"Blocked Address\",\"2ZGocC\":\"Aave is a fully decentralized, community governed protocol by the AAVE token-holders. AAVE token-holders collectively discuss, propose, and vote on upgrades to the protocol. AAVE token-holders (Ethereum network only) can either vote themselves on new proposals or delagate to an address of choice. To learn more check out the Governance\",\"2a6G7d\":\"Please enter a valid wallet address.\",\"2bAhR7\":\"Meet GHO\",\"2eBWE6\":\"I acknowledge the risks involved.\",\"2o/xRt\":\"Supply cap on target reserve reached. Try lowering the amount.\",\"2uJToh\":[[\"0\"],[\"name\"]],\"2x58bP\":\"Stable borrowing is enabled\",\"34Qfwy\":\"Borrow cap is exceeded\",\"39eQRj\":[\"Borrow \",[\"symbol\"]],\"3BL1xB\":\"Total supplied\",\"3BnIWi\":\"Switched\",\"3K0oMo\":\"Remaining supply\",\"3MoZhl\":\"There is not enough collateral to cover a new borrow\",\"3Np5O8\":[\"Supply \",[\"symbol\"]],\"3O8YTV\":\"Total interest accrued\",\"3mXg0z\":\"Max LTV\",\"3q3mFy\":\"Repay\",\"3qsjtp\":\"The weighted average of APY for all supplied assets, including incentives.\",\"3rL+os\":\"You can only withdraw your assets from the Security Module after the cooldown period ends and the unstake window is active.\",\"42UgDM\":[\"Migrate to \",[\"0\"],\" v3 Market\"],\"49UFQA\":\"Voting results\",\"4DMZUI\":\"View Transactions\",\"4HtGBb\":\"MAX\",\"4Y5H+g\":\"Terms\",\"4YYh4d\":\"Maximum available to borrow\",\"4iPAI3\":\"Minimum GHO borrow amount\",\"4lDFps\":\"Sign to continue\",\"4wyw8H\":\"Transactions\",\"5JSSxX\":[\"Your \",[\"networkName\"],\" wallet is empty. Get free test assets at\"],\"5K7kGO\":\"documentation\",\"5NOSGa\":\"Debt ceiling limits the amount possible to borrow against this asset by protocol users. Debt ceiling is specific to assets in isolation mode and is denoted in USD.\",\"5Ncc6j\":[\"This asset has almost reached its supply cap. There can only be \",[\"messageValue\"],\" supplied to this market.\"],\"5cZ/KX\":\"Variable debt supply is not zero\",\"5che++\":\"To request access for this permissioned market, please visit: <0>Acces Provider Name\",\"5ctNdV\":[\"Minimum \",[\"0\"],\" received\"],\"5hDe9v\":\"Allowance required action\",\"5rsnKT\":\"Available rewards\",\"5yC5m5\":\"View all votes\",\"6/dCYd\":\"Overview\",\"60crCe\":\"All transactions\",\"62Xcjh\":\"Collateral\",\"65A04M\":\"Spanish\",\"6G8s+q\":\"Signing\",\"6Jrv+z\":[\"Repay \",[\"symbol\"]],\"6NGLTR\":\"Discountable amount\",\"6Xr0UU\":\"Cooling down...\",\"6bxci/\":\"Voting power\",\"6f8S68\":\"Markets\",\"6g1gi0\":\"Proposals\",\"6gvoHP\":\"Copy error message\",\"6h3Q5G\":\"repaid\",\"6s8L6f\":\"Switch Network\",\"6yAAbq\":\"APY, borrow rate\",\"70wH1Q\":\"APR\",\"73Auuq\":\"Discount parameters are decided by the Aave community and may be changed over time. Check Governance for updates and vote to participate. <0>Learn more\",\"75qcAQ\":[[\"stepName\"]],\"7ITr5L\":\"Health factor\",\"7T/o5R\":\"Reached\",\"7YlcXu\":\"Fork mode is ON\",\"7Z76Iw\":\"Borrowing is unavailable because you’re using Isolation mode. To manage Isolation mode visit your <0>Dashboard.\",\"7aKlMS\":\"Share on Lens\",\"7er5fP\":\"Claim all\",\"7hb2+s\":\"Time remaining until the withdraw period ends.\",\"7l88b8\":\"Data couldn't be fetched, please reload graph.\",\"7p5kLi\":\"Dashboard\",\"7sofdl\":\"Withdraw and Switch\",\"8+6BI0\":\"Be careful - You are very close to liquidation. Consider depositing more collateral or paying down some of your borrowed positions\",\"87pUEW\":[\"Your \",[\"name\"],\" wallet is empty. Purchase or transfer assets.\"],\"8F1i42\":\"Page not found\",\"8G8M0u\":\"Loading data...\",\"8Iu1QS\":\"withdrew\",\"8JL93T\":\"All proposals\",\"8Q51DU\":\"Add to wallet\",\"8X/oyn\":\"Invalid amount to mint\",\"8Z5FPv\":\"Disconnect Wallet\",\"8Zz7s5\":\"assets\",\"8aLW8H\":\"Balance to revoke\",\"8bOT3H\":\"Utilization Rate\",\"8sLe4/\":\"View contract\",\"8t/M0y\":\"Please connect your wallet to be able to bridge your tokens.\",\"8vETh9\":\"Show\",\"94OHPx\":\"You are entering Isolation mode\",\"9CDK3/\":[\"Borrowing is currently unavailable for \",[\"0\"],\".\"],\"9GIj3z\":\"Reserve Size\",\"9Knqb4\":\"Staking balance\",\"9OBKm7\":\"Quorum\",\"9QHoGr\":\"Current votes\",\"9Rw96f\":[\"This asset has almost reached its borrow cap. There is only \",[\"messageValue\"],\" available to be borrowed from this market.\"],\"9Xj/qR\":[\"Some migrated assets will not be used as collateral due to enabled isolation mode in \",[\"marketName\"],\" V3 Market. Visit <0>\",[\"marketName\"],\" V3 Dashboard to manage isolation mode.\"],\"9c6vDV\":\"This asset has reached its supply cap. Nothing is available to be supplied from this market.\",\"9kTWHA\":\"MAI has been paused due to a community decision. Supply, borrows and repays are impacted. <0>More details\",\"9lXchd\":\"Underlying token\",\"9rWaKF\":\"Bridged Via CCIP\",\"9xSooW\":\"Since this is a test network, you can get any of the assets if you have ETH on your wallet\",\"A/lwoe\":\"Choose one of the on-ramp services\",\"A6dCI6\":[\"Maximum amount available to borrow is <0/> \",[\"0\"],\" (<1/>).\"],\"AReoaV\":\"Your borrows\",\"ARu1L4\":\"Repaid\",\"AV7cGz\":\"Review approval tx details\",\"AZOjB8\":\"Fetching data...\",\"Ai0jas\":\"Join the community discussion\",\"Ajl2rq\":\"Borrowing power and assets are limited due to Isolation mode.\",\"AqgYNC\":\"Protocol borrow cap at 100% for this asset. Further borrowing unavailable.\",\"B3EcQR\":\"Thank you for voting!!\",\"B6aXGH\":\"Stable\",\"B9Gqbz\":\"Variable rate\",\"BDFEd+\":\"stETH supplied as collateral will continue to accrue staking rewards provided by daily rebases.\",\"BE2mP0\":\"Borrowed assets\",\"BJyN77\":\"Due to health factor impact, a flashloan is required to perform this transaction, but Aave Governance has disabled flashloan availability for this asset. Try lowering the amount or supplying additional collateral.\",\"BNL4Ep\":\"Collateral usage is limited because of isolation mode. <0>Learn More\",\"BQ/wCO\":\"Migrate your assets\",\"BjLdl1\":\"At a discount\",\"BnhYo8\":\"Asset category\",\"Bq9Y7e\":\"This asset is frozen due to an Aave community decision. <0>More details\",\"BqWMDJ\":\"Faucet\",\"BqynZO\":\"Optimized for efficiency and risk by supporting blue-chip collateral assets\",\"Bsu7zX\":\"The fee includes the gas cost to complete the transaction on the destination chain and the fee paid to Chainlink CCIP service providers. You can chose to pay in the network token or GHO. <0>Learn more\",\"BwJKBw\":\"of\",\"CDrsH+\":\"Techpaper\",\"CK1KXz\":\"Max\",\"CMHmbm\":\"Slippage\",\"CZXzs4\":\"Greek\",\"CcRNG6\":\"Switching\",\"CkTRmy\":[\"Claim \",[\"symbol\"]],\"CsqtLm\":\"Please connect your wallet to see migration tool.\",\"CtGlFb\":[[\"networkName\"],\" Faucet\"],\"Cxt2YY\":\"Watch wallet\",\"D33VQU\":\"This action will reduce health factor of V3 below liquidation threshold. Increase migrated collateral or reduce migrated borrow to continue.\",\"D9BLRG\":\"This asset has been paused due to a community decision. Supply, withdraw, borrows and repays are impacted.\",\"DAma/S\":\"Collateral is (mostly) the same currency that is being borrowed\",\"DCnFg0\":[\"Addresses (\",[\"0\"],\")\"],\"DG3Lv1\":\"I fully understand the risks of migrating.\",\"DONJcV\":\"The underlying asset cannot be rescued\",\"DR+4uL\":\"Supply balance after switch\",\"DWjrck\":[\"Asset cannot be migrated to \",[\"marketName\"],\" V3 Market due to E-mode restrictions. You can disable or manage E-mode categories in your <0>V3 Dashboard\"],\"Dj+3wB\":\"Aave per month\",\"DuEq2K\":\"Collateralization\",\"DxfsGs\":\"You can report incident to our <0>Discord or<1>Github.\",\"Dzma+E\":\"Main Ethereum market with the largest selection of assets and yield options\",\"E/QGRL\":\"Disabled\",\"EBL9Gz\":\"COPIED!\",\"ES8dkb\":\"Fixed rate\",\"EZd3Dk\":[\"Restaking \",[\"symbol\"]],\"Ebgc76\":[\"Withdrawing \",[\"symbol\"]],\"EdQY6l\":\"None\",\"EjvKQ+\":\"Minimum USD value received\",\"Enslfm\":\"Destination\",\"EvE9nO\":[\"Reactivate cooldown period to unstake \",[\"0\"],\" \",[\"stakedToken\"]],\"EvECnL\":\"Migrate to v3\",\"EzMQbh\":\"The source chain time to finality is the main factor that determines the time to destination. <0>Learn more\",\"F40cwT\":\"Legacy Markets\",\"F6TdXL\":\"Learn more.\",\"FHlMf/\":\"Current v2 balance\",\"FHpxjF\":[\"Reserve factor is a percentage of interest which goes to a \",[\"0\"],\" that is controlled by Aave governance to promote ecosystem growth.\"],\"FOBZa6\":\"Borrow power used\",\"FPKEug\":\"Operation not supported\",\"FbmMe7\":\"Linked addresses\",\"Fdp03t\":\"on\",\"Fjw9N+\":\"Assets to supply\",\"FmN0fk\":\"Restake\",\"GDGLIs\":\"GHO is a native decentralized, collateral-backed digital asset pegged to USD. It is created by users via borrowing against multiple collateral. When user repays their GHO borrow position, the protocol burns that user's GHO. All the interest payments accrued by minters of GHO would be directly transferred to the AaveDAO treasury.\",\"GQrBTq\":\"Switch E-Mode\",\"GWswcZ\":\"This asset is frozen due to an Aave Protocol Governance decision. On the 20th of December 2022, renFIL will no longer be supported and cannot be bridged back to its native network. It is recommended to withdraw supply positions and repay borrow positions so that renFIL can be bridged back to FIL before the deadline. After this date, it will no longer be possible to convert renFIL to FIL. <0>More details\",\"GX8GKD\":\"Assets\",\"GgEj+0\":\"Read-only mode. Connect to a wallet to perform transactions.\",\"GjkIKV\":\"ends\",\"GoK/QN\":\"Thank you for submitting feedback!\",\"GtP2hp\":[\"Borrowing is unavailable because you’ve enabled Efficiency Mode (E-Mode) for \",[\"0\"],\" category. To manage E-Mode categories visit your <0>Dashboard.\"],\"H6Ma8Z\":\"Discount\",\"HB/wfS\":[[\"tooltipText\"]],\"HKDsQN\":\"Rewards can be claimed through\",\"Ha/U5f\":\"This is a program initiated and implemented by the decentralised ZKSync community. Aave Labs does not guarantee the program and accepts no liability.\",\"HciqKU\":\"This is a program initiated and implemented by the decentralised Aave community. Aave Labs does not guarantee the program and accepts no liability.\",\"Hi6Ttn\":\"Sorry, an unexpected error happened. In the meantime you may try reloading the page, or come back later.\",\"HkEDbS\":[[\"d\"],\"d\"],\"HmkYqM\":\"Unstake window\",\"HpK/8d\":\"Reload\",\"HrnC47\":\"Save and share\",\"HvJKMU\":[\"Asset cannot be migrated to \",[\"marketName\"],\" v3 Market since collateral asset will enable isolation mode.\"],\"Hvwnm9\":[\"Maximum amount available to supply is limited because protocol supply cap is at \",[\"0\"],\"%.\"],\"I8CX2c\":\"The total amount of your assets denominated in USD that can be used as collateral for borrowing assets.\",\"IAD2SB\":[\"Claiming \",[\"symbol\"]],\"IG9X9/\":\"Borrowing of this asset is limited to a certain amount to minimize liquidity pool insolvency.\",\"IOIx8L\":\"This asset is planned to be offboarded due to an Aave Protocol Governance decision. <0>More details\",\"IP+I/j\":\"Cooldown period\",\"IaA40H\":\"Liquidation at\",\"J/hVSQ\":[[\"0\"]],\"JCoxL6\":\"Manage analytics\",\"JK9zf1\":[\"Estimated compounding interest, including discount for Staking \",[\"0\"],\"AAVE in Safety Module.\"],\"JOqFba\":[\"Unstaking \",[\"symbol\"]],\"JPrLjO\":\"You can not use this currency as collateral\",\"JU6q+W\":\"Reward(s) to claim\",\"JYKRJS\":\"Stake\",\"JZMxX0\":\"Not enough balance on your wallet\",\"Jgflkm\":\"Get GHO\",\"JoMQnI\":\"Wallet balance\",\"JtwD8u\":\"Borrow balance after repay\",\"JumYTK\":\"Supplied assets\",\"K05qZY\":\"Withdraw & Switch\",\"KAz/NV\":\"Protocol debt ceiling is at 100% for this asset. Further borrowing against this asset is unavailable.\",\"KLXVqE\":[\"stETH tokens will be migrated to Wrapped stETH using Lido Protocol wrapper which leads to supply balance change after migration: \",[\"0\"]],\"KLd6ky\":\"Use connected account\",\"KRpokz\":\"VIEW TX\",\"KSlpka\":\"This represents the threshold at which a borrow position will be considered undercollateralized and subject to liquidation for each collateral. For example, if a collateral has a liquidation threshold of 80%, it means that the position will be liquidated when the debt value is worth 80% of the collateral value.\",\"KYAjf3\":\"Isolated\",\"KZwRuD\":[[\"notifyText\"]],\"KkPgim\":\"Switching E-Mode\",\"KnN1Tu\":\"Expires\",\"KoOBI2\":\"Due to internal stETH mechanics required for rebasing support, it is not possible to perform a collateral switch where stETH is the source token.\",\"KojyJ4\":\"Wrong Network\",\"KsqhWn\":\"Staking\",\"KuBTQq\":\"Enter ETH address\",\"KvG1xW\":\"Claiming\",\"L+8Lzs\":\"Current LTV\",\"L+qiq+\":\"Market\",\"LDzfVJ\":\"Send Feedback\",\"LIrMcF\":\"No voting power\",\"LL0zks\":\"Can be collateral\",\"LLdJWu\":\"Claimable AAVE\",\"LSIpNK\":\"Borrow and repay in same block is not allowed\",\"LVt3TI\":[\"<0>Slippage tolerance <1>\",[\"selectedSlippage\"],\"% <2>\",[\"0\"],\"\"],\"LjafV8\":\"Maximum collateral amount to use\",\"LtpQew\":\"Let us know how we can make the app better for you. For user support related inquiries please reach out on\",\"LvVpD/\":\"Emode\",\"M2sknc\":\"Tip: Try increasing slippage or reduce input amount\",\"M7wPsD\":\"Switch\",\"MIy2RJ\":\"Maximum amount received\",\"MZ/nQf\":\"Recipient address\",\"Ma/MtY\":\"staking view\",\"McHlGl\":\"APY change\",\"MeCCA+\":\"APY, variable\",\"MghdTe\":\"If the health factor goes below 1, the liquidation of your collateral might be triggered.\",\"Mm/DVQ\":\"You cancelled the transaction.\",\"MnE2QX\":\"Borrow info\",\"MrmQHg\":\"View Bridge Transactions\",\"MuDFEQ\":\"Invalid return value of the flashloan executor function\",\"N5kUMV\":\"Asset can be only used as collateral in isolation mode with limited borrowing power. To enter isolation mode, disable all other collateral.\",\"N6Pxr9\":\"View all\",\"NF0e1Q\":\"Pending...\",\"NK9ikO\":\"Wallet Balance\",\"NMt2CB\":\"Amount claimable\",\"NcFGxG\":\"Collector Contract\",\"NfpPeS\":\"Nothing staked\",\"Nh9DAo\":[[\"m\"],\"m\"],\"O+sCUU\":\"Unbacked mint cap is exceeded\",\"O+tyU+\":[\"Maximum amount available to borrow against this asset is limited because debt ceiling is at \",[\"0\"],\"%.\"],\"O3oNi5\":\"Email\",\"OFjZGo\":\"Unstake\",\"OR8cYX\":\"Proposal overview\",\"OYuJ9K\":\"Protocol debt ceiling is at 100% for this asset. Futher borrowing against this asset is unavailable.\",\"OfhWJH\":\"Reset\",\"Og2SKn\":\"disabled\",\"On0aF2\":\"Website\",\"OsyKSt\":\"Withdraw\",\"P1dURE\":\"Revoke power\",\"P2WCD/\":[\"Underlying asset does not exist in \",[\"marketName\"],\" v3 Market, hence this position cannot be migrated.\"],\"P2sL6B\":\"When a liquidation occurs, liquidators repay up to 50% of the outstanding borrowed amount on behalf of the borrower. In return, they can buy the collateral at a discount and keep the difference (liquidation penalty) as a bonus.\",\"P6sRoL\":\"Stake ABPT\",\"P72/OW\":\"The weighted average of APY for all borrowed assets, including incentives.\",\"P7e6Ug\":\"Please connect your wallet to view transaction history.\",\"PByO0X\":\"Votes\",\"PI+kVe\":\"Disable fork\",\"PJK9u/\":\"Borrow apy\",\"PLUB/s\":\"Fee\",\"PcBUgb\":\"Liquidation threshold\",\"PjU6bu\":\"This asset is eligible for SPK incentive program. Aave Labs does not guarantee the program and accepts no liability.\",\"PpqD5g\":\"Enabling this asset as collateral increases your borrowing power and Health Factor. However, it can get liquidated if your health factor drops below 1.\",\"PsOFSf\":\"This action will reduce V2 health factor below liquidation threshold. retain collateral or migrate borrow position to continue.\",\"Pu4bI/\":[[\"currentMethod\"]],\"Q0LzKi\":\"View TX\",\"Q4eNqa\":\"The Aave Balancer Pool Token (ABPT) is a liquidity pool token. You can receive ABPT by depositing a combination of AAVE + wstETH in the Balancer liquidity pool. You can then stake your BPT in the Safety Module to secure the protocol and earn Safety Incentives.\",\"QQYsQ7\":\"Withdrawing\",\"QWYCs/\":\"Stake GHO\",\"R+30X3\":\"Not reached\",\"RCU5PY\":\"Age\",\"RIfckG\":[\"Disable \",[\"symbol\"],\" as collateral\"],\"RMtxNk\":\"Differential\",\"RNK49r\":\"Invalid signature\",\"RS0o7b\":\"State\",\"RU+LqV\":\"Proposal details\",\"RbXH+k\":\"AAVE, GHO, and ABPT holders (Ethereum network only) can stake their assets in the Safety Module to add more security to the protocol and earn Safety Incentives. In the case of a shortfall event, your stake can be slashed to cover the deficit, providing an additional layer of protection for the protocol.\",\"RiSYV4\":\"Asset is not listed\",\"Rj01Fz\":\"Links\",\"RmWFEe\":\"Staking APR\",\"RoafuO\":\"Send feedback\",\"RtBLm7\":\"Health factor is lesser than the liquidation threshold\",\"RxzN1M\":\"Enabled\",\"SDav7h\":\"Funds in the Safety Module\",\"SENccp\":\"If the error continues to happen,<0/> you may report it to this\",\"SIWumd\":\"Show Frozen or paused assets\",\"SM58dD\":\"Amount in cooldown\",\"SSMiac\":\"Failed to load proposal voters. Please refresh the page.\",\"SSQVIz\":\"Liquidation Threshold\",\"SUb8x0\":\"Total available\",\"SWIgh4\":\"Fees exceed wallet balance\",\"SY9hVo\":\"Read-only mode allows to see address positions in Aave, but you won't be able to perform transactions.\",\"SZRUQ4\":\"Max slippage\",\"Sa1UE/\":\"Protocol borrow cap is at 100% for this asset. Further borrowing unavailable.\",\"Sk2zW9\":\"Disabling E-Mode\",\"SxaD0o\":\"Pool addresses provider is not registered\",\"T/AIqG\":\"Protocol supply cap at 100% for this asset. Further supply unavailable.\",\"T0xCO9\":\"Can't validate the wallet address. Try again.\",\"T4OhVl\":\"GHO balance\",\"T6uYU2\":\"Borrow\",\"TFxQlw\":\"Liquidation penalty\",\"TUI7iB\":\"Asset can only be used as collateral in isolation mode only.\",\"TbjyhA\":\"Docs\",\"TduuS0\":\"User does not have outstanding stable rate debt on this reserve\",\"TeCFg/\":\"Borrow rate change\",\"Tg1JyO\":\"Bridge history\",\"TskbEN\":\"Holders of stkAAVE receive a discount on the GHO borrowing rate\",\"TszKts\":\"Borrow balance after switch\",\"TtZL6q\":\"Discount model parameters\",\"TwJI9F\":\"Asset has been successfully sent to CCIP contract. You can check the status of the transactions below\",\"Tz0GSZ\":\"blocked activities\",\"U/eBjN\":\"Reload the page\",\"U2r8nY\":\"Choose how much voting/proposition power to give to someone else by delegating some of your AAVE, stkAAVE or aAave balance. Your tokens will remain in your account, but your delegate will be able to vote or propose on your behalf. If your AAVE, stkAAVE or aAave balance changes, your delegate's voting/proposition power will be automatically adjusted.\",\"U8IubP\":\"The app is running in testnet mode. Learn how it works in\",\"U9btTk\":\"Asset is not borrowable in isolation mode\",\"UAOZRe\":\"Price impact is the spread between the total value of the entry tokens switched and the destination tokens obtained (in USD), which results from the limited liquidity of the trading pair.\",\"UE3KJZ\":\"Transaction history is not currently available for this market\",\"URmyfc\":\"Details\",\"UTTKmT\":\"Stake cooldown activated\",\"UXeR72\":\"These funds have been borrowed and are not available for withdrawal at this time.\",\"UYb8CM\":\"Learn more about the SPK rewards\",\"UbRrG0\":\"The Maximum LTV ratio represents the maximum borrowing power of a specific collateral. For example, if a collateral has an LTV of 75%, the user can borrow up to 0.75 worth of ETH in the principal currency for every 1 ETH worth of collateral.\",\"UpndFj\":\"No rewards to claim\",\"V0f2Xv\":\"Reserve factor\",\"V1HK43\":\"Migration risks\",\"VATFH9\":\"Covered debt\",\"VHOVEJ\":\"Connect wallet\",\"VMfYUK\":\"Safety of your deposited collateral against the borrowed assets and its underlying value.\",\"VOAZJh\":\"Total borrows\",\"ViKYxK\":\"YAE\",\"W1SSoD\":\"Review tx details\",\"W5hVah\":\"Nothing supplied yet\",\"W5kTFy\":\"Voting\",\"W8ekPc\":\"Back to Dashboard\",\"WMPbRK\":\"Unbacked\",\"WNGZwH\":\"E-Mode increases your LTV for a selected category of assets up to<0/>. <1>Learn more\",\"WPWG/y\":\"Reserve status & configuration\",\"WZLQSU\":\"User cannot withdraw more than the available balance\",\"WaZyaV\":\"<0>Ampleforth is a rebasing asset. Visit the <1>documentation to learn more.\",\"WfU+XN\":\"Because this asset is paused, no actions can be taken until further notice\",\"Wjmqs2\":\"No results found. You can import a custom token with a contract address\",\"WkZ6C6\":\"To borrow you need to supply any asset to be used as collateral.\",\"WyMiQm\":\"You've successfully switched tokens.\",\"X/ITG9\":\"Copy error text\",\"X3Pp6x\":\"Used as collateral\",\"X4Zt7j\":\"Action cannot be performed because the reserve is paused\",\"XBdKOj\":\"Representative smart contract wallet (ie. Safe) addresses on other chains.\",\"XZzneG\":\"You will exit isolation mode and other tokens can now be used as collateral\",\"Xg5y9S\":\"Amount to Bridge\",\"Xn4hUi\":\"Please always be aware of your <0>Health Factor (HF) when partially migrating a position and that your rates will be updated to V3 rates.\",\"Y5kGkc\":\"VOTE NAY\",\"YDIOks\":\"Enabling E-Mode\",\"YSodyW\":\"This action will reduce your health factor. Please be mindful of the increased risk of collateral liquidation.\",\"YXOWXM\":\"The total amount bridged minus CCIP fees. Paying in network token does not impact gho amount.\",\"YirHq7\":\"Feedback\",\"YogbCJ\":\"Testnet mode is ON\",\"YrDxdO\":\"If your loan to value goes above the liquidation threshold your collateral supplied may be liquidated.\",\"YyIM65\":\"Interest rate rebalance conditions were not met\",\"YyydIq\":[\"Add \",[\"0\"],\" to wallet to track your balance.\"],\"ZBvhI+\":\"Aave Governance\",\"ZIIRAd\":\"Raw-Ipfs\",\"ZRq4tX\":\"Efficiency mode (E-Mode)\",\"ZSqEW+\":\"Manage E-Mode\",\"ZUFYFE\":\"Disable testnet\",\"Zbyywy\":\"Max slashing\",\"ZfUGFb\":\"Before supplying\",\"ZlsSDH\":\"Liquidation value\",\"ZrEc8j\":\"We couldn't find any assets related to your search. Try again with a different asset name, symbol, or address.\",\"ZsLF7e\":\"enabled\",\"a0YQoQ\":\"Enter a valid address\",\"a2fBZn\":\"Time left to unstake\",\"a5RYZd\":\"Disabling this asset as collateral affects your borrowing power and Health Factor.\",\"a7u1N9\":\"Price\",\"a9D+6D\":\"Unstaked\",\"aEtiwq\":\"Vote NAY\",\"aMmFE1\":\"Buy Crypto With Fiat\",\"aOKIms\":\"Array parameters that should be equal length are not\",\"aX31hk\":\"Your balance is lower than the selected amount.\",\"adUsDd\":\"An error has occurred fetching the proposal.\",\"al6Pyz\":\"Exceeds the discount\",\"aoXTT7\":\"Borrow APY, variable\",\"aqX1Yp\":\"This asset is eligible for rewards through SuperFest. Aave Labs does not guarantee the program and accepts no liability.\",\"avgETN\":\"Eligible for the Merit program.\",\"b4NS3e\":\"Cooldown period warning\",\"bSruit\":\"ZKSync Ignite Program rewards are claimed through the\",\"bUUVED\":\"Asset\",\"bXQ/Og\":\"Share on twitter\",\"bXr0ee\":\"Isolated assets have limited borrowing power and other assets cannot be used as collateral.\",\"bYmAV1\":\"Addresses\",\"bguKoJ\":\"The requested amount is greater than the max loan size in stable rate mode\",\"bwSQI0\":\"Supply\",\"bxN6EM\":\"Cannot disable E-Mode\",\"bxmzSh\":\"Not enough collateral to repay this amount of debt with\",\"c91vuQ\":\"Address is not a contract\",\"c97os2\":\"Aave aToken\",\"c9b44w\":\"You can not withdraw this amount because it will cause collateral call\",\"cBc+4A\":\"This is the total amount available for you to borrow. You can borrow based on your collateral and until the borrow cap is reached.\",\"cIl5kp\":\"Your voting power is based on your AAVE/stkAAVE balance and received delegations.\",\"cLo09S\":\"Risk details\",\"cNT+ij\":\"Borrowing is unavailable because you’ve enabled Efficiency Mode (E-Mode) and Isolation mode. To manage E-Mode and Isolation mode visit your <0>Dashboard.\",\"cZOeBk\":\"Something went wrong fetching bridge message, please try again later.\",\"ceix5S\":\"To submit a proposal for minor changes to the protocol, you'll need at least 80.00K power. If you want to change the core code base, you'll need 320k power.<0>Learn more.\",\"ciybUa\":\"Vote YAE\",\"ckf7gX\":[\"Repaying \",[\"symbol\"]],\"cp1ZDP\":[\"Bridge \",[\"symbol\"]],\"cqnmnD\":\"Effective interest rate\",\"cqwIvs\":\"Forum discussion\",\"csDS2L\":\"Available\",\"cu7Stb\":\"You did not participate in this proposal\",\"dE6BLF\":\"Governance\",\"dEgA5A\":\"Cancel\",\"dIsyWh\":\"Ltv validation failed\",\"dMtLDE\":\"to\",\"dOB5nW\":[\"Maximum amount available to supply is <0/> \",[\"0\"],\" (<1/>).\"],\"dVfODp\":\"You don’t have enough funds in your wallet to repay the full amount. If you proceed to repay with your current amount of funds, you will still have a small borrowing position in your dashboard.\",\"dXUQFX\":\"Assets to borrow\",\"dgr1aY\":\"Borrowing is disabled due to an Aave community decision. <0>More details\",\"djsg0o\":\"Collateral usage\",\"dpc0qG\":\"Variable\",\"drdV8R\":\"Liquidation\",\"dxW8cS\":\"Aave debt token\",\"e4V3oW\":\"Top 10 addresses\",\"eD8WX/\":\"Action requires an active reserve\",\"eJRJ04\":\"Amount to unstake\",\"eLh0cL\":\"Slippage is the difference between the quoted and received amounts from changing market conditions between the moment the transaction is submitted and its verification.\",\"ePK91l\":\"Edit\",\"eVpCmf\":\"Staking Rewards\",\"eVqvtf\":\"Bridge GHO\",\"eYdurp\":\"No transactions yet.\",\"ebLGGN\":\"Total borrowed\",\"ecqEvn\":\"The collateral balance is 0\",\"efdrrk\":\"Available on\",\"enruNF\":\"starts\",\"eqLYiD\":\"Unstake now\",\"euScGB\":\"APY with discount applied\",\"evw5ha\":\"Net worth\",\"ezcU16\":\"Get ABP Token\",\"f3W0Ej\":[\"You switched to \",[\"0\"],\" rate\"],\"fH9i8k\":\"You've successfully switched borrow position.\",\"fHcELk\":\"Net APR\",\"fMJQZK\":\"Borrowed\",\"fZ5Vnu\":\"Received\",\"firl9Q\":\"Your current loan to value based on your collateral supplied.\",\"flRCF/\":\"Staking discount\",\"fldjW9\":\"Preview tx and migrate\",\"fsBGk0\":\"Balance\",\"fu1Dbh\":[\"Withdraw \",[\"symbol\"]],\"fwjWSI\":\"Supplied\",\"fwyTMb\":\"Migrate to stkABPT v2\",\"g0mals\":\"You can not disable E-Mode because that could cause liquidation. To exit E-Mode supply or repay borrowed positions.\",\"g2UNkE\":\"Powered by\",\"g8KGoA\":\"FAQS\",\"g9zzqS\":\"Voted NAY\",\"gDd2gk\":\"about SuperFest.\",\"gFFh9h\":\"All done!\",\"gIMJlW\":\"Testnet mode\",\"gOzPxe\":\"This asset is frozen due to an Aave Protocol Governance decision. <0>More details\",\"gTHi2T\":\"User is trying to borrow multiple assets including a siloed one\",\"gVW59Y\":\"Please connect your wallet to get free testnet assets.\",\"gcFNxP\":\"Approve Confirmed\",\"gncRUO\":\"This address is blocked on app.aave.com because it is associated with one or more\",\"goff7V\":\"Zero address not valid\",\"gp+f1B\":\"Version 3\",\"gr8mYw\":\"You may borrow up to <0/> GHO at <1/> (max discount)\",\"gvTM4B\":\"Net APY is the combined effect of all supply and borrow positions on net worth, including incentives. It is possible to have a negative net APY if debt APY is higher than supply APY.\",\"gzcch9\":\"Invalid bridge protocol fee\",\"h33MxW\":\"Representing smart contract wallet (ie. Safe) addresses on other chains.\",\"h3ilK+\":\".CSV\",\"hB23LY\":\"Activate Cooldown\",\"hIS4N0\":\"Net APY\",\"hRWvpI\":\"Claimed\",\"hdmy/o\":\"The % of your total borrowing power used. This is based on the amount of your collateral supplied and the total amount that you can borrow.\",\"hehnjM\":\"Amount\",\"hjDCQr\":\"There was some error. Please try changing the parameters or <0><1>copy the error\",\"hom7qf\":\"Claim\",\"hpHJ4I\":\"Liquidated collateral\",\"hpuVIp\":\"Users who stake AAVE in Safety Module (i.e. stkAAVE holders) receive a discount on GHO borrow interest rate.\",\"huQ6Tz\":[\"Borrowing \",[\"symbol\"]],\"hxi7vE\":\"Borrow balance\",\"i2JTiw\":\"You may enter a custom amount in the field.\",\"iB5+/J\":\"About GHO\",\"iChbOF\":\"Inconsistent flashloan parameters\",\"iEPVHF\":\"Not enough voting power to participate in this proposal\",\"iEW87X\":\"Delegated power\",\"iEju36\":[\"You voted \",[\"0\"]],\"iFq2YN\":\"Borrowable\",\"iMVZk9\":\"Select slippage tolerance\",\"iPMIoT\":\"Enter an amount\",\"iSLIjg\":\"Connect\",\"iUo5rv\":\"tokens is not the same as staking them. If you wish to stake your\",\"iZxa38\":\"Use it to vote for or against active proposals.\",\"if5PH+\":\"Collector Info\",\"igkfR1\":[\"In Isolation mode, you cannot supply other assets as collateral. A global debt ceiling limits the borrowing power of the isolated asset. To exit isolation mode disable \",[\"0\"],\" as collateral before borrowing another asset. Read more in our <0>FAQ\"],\"il0sEG\":\"Collateral usage is limited because of Isolation mode.\",\"j+K1Xj\":\"Amount After Fee\",\"jA2QeW\":\"Supplying your\",\"jFi7dz\":\"Interest rate that is determined by Aave Governance. This rate may be changed over time depending on the need for the GHO supply to contract/expand. <0>Learn more\",\"jG3UJ7\":\"Disable E-Mode\",\"jKYzR1\":\"Enable E-Mode\",\"jMam5g\":[[\"0\"],\" Balance\"],\"jSYv+Z\":\"Enabling E-Mode allows you to maximize your borrowing power, however, borrowing is restricted to assets within the selected category. <0>Learn more about how it works and the applied restrictions.\",\"jaKbwW\":[[\"s\"],\"s\"],\"jbFMap\":\"Cooldown time left\",\"jeMZNr\":[[\"0\"],\" on-ramp service is provided by External Provider and by selecting you agree to Terms of the Provider. Your access to the service might be reliant on the External Provider being operational.\"],\"jfl9OP\":\"Migrated\",\"jmXdoY\":\"In E-Mode some assets are not borrowable. Exit E-Mode to get access to all assets\",\"jpctdh\":\"View\",\"jqzUyM\":\"Unavailable\",\"k/sb6z\":\"Select language\",\"k3wP3f\":\"<0>Attention: Parameter changes via governance can alter your account health factor and risk of liquidation. Follow the <1>Aave governance forum for updates.\",\"kACpF3\":[\"Claim \",[\"0\"]],\"kH6wUX\":\"Price impact\",\"kIpSye\":[[\"numSelected\"],\"/\",[\"numAvailable\"],\" assets selected\"],\"kN1Yg5\":\"To repay on behalf of a user an explicit amount to repay is needed\",\"kRTD40\":[\"Repayment amount to reach \",[\"0\"],\"% utilization\"],\"kjN9tT\":\"Supply cap is exceeded\",\"knxE+G\":\".JSON\",\"ks2LWT\":\"Debt ceiling is not zero\",\"kwwn6i\":\"Users who stake AAVE in Safety Module (i.e. stkAAVE holders) receive a discount on GHO borrow interest rate. The discount applies to 100 GHO for every 1 stkAAVE held. Use the calculator below to see GHO borrow rate with the discount applied.\",\"kz3wtK\":\"and about SPK program\",\"kzZyM4\":\"DAI balance will be converted via DSR contracts and then supplied as sDAI. Switching incurs no additional costs and no slippage.\",\"lNVG7i\":\"Select an asset\",\"lU2d1/\":[\"Asset cannot be migrated due to insufficient liquidity or borrow cap limitation in \",[\"marketName\"],\" v3 market.\"],\"lVhKKI\":\"Voted YAE\",\"lWLqxB\":\"We couldn't find any transactions related to your search. Try again with a different asset name, or reset filters.\",\"lYGfRP\":\"English\",\"lfEjIE\":\"Learn more in our <0>FAQ guide\",\"lt6bpt\":\"Collateral to repay with\",\"m/IEhi\":\"Total emission per day\",\"m7r7Hh\":\"Selected borrow assets\",\"mDDK4p\":\"Balancer Pool\",\"mIM0qu\":\"Expected amount to repay\",\"mUAFd6\":\"Version 2\",\"masO5Z\":\"E-Mode increases your LTV for a selected category of assets. <0>Learn more\",\"mdNjKU\":[\"Your \",[\"name\"],\" wallet is empty. Purchase or transfer assets or use <0>\",[\"0\"],\" to transfer your \",[\"network\"],\" assets.\"],\"muiOng\":[\"Buy \",[\"cryptoSymbol\"],\" with Fiat\"],\"mvCXBY\":\"Stake AAVE\",\"mwdzil\":\"Ok, Close\",\"mzI/c+\":\"Download\",\"mzdIia\":\"Asset cannot be used as collateral.\",\"n+SX4g\":\"Developers\",\"n8Psk4\":\"We couldn’t detect a wallet. Connect a wallet to stake and view your balance.\",\"nJIhzm\":\"Supply apy\",\"nJgsQu\":\"With a voting power of <0/>\",\"nLC6tu\":\"French\",\"nN2T8p\":\"During the cooldown period, you will not earn any merit rewards. However, rewards earned up to this point will remain unaffected.\",\"nNHV0z\":\"Migrating multiple collaterals and borrowed assets at the same time can be an expensive operation and might fail in certain situations.<0>Therefore it’s not recommended to migrate positions with more than 5 assets (deposited + borrowed) at the same time.\",\"nNbnzu\":\"Proposition\",\"nOy4ob\":\"We suggest you go back to the Dashboard.\",\"nPGNMh\":\"Can be executed\",\"nUK1ou\":[\"Assets with zero LTV (\",[\"0\"],\") must be withdrawn or disabled as collateral to perform this action\"],\"nakd8r\":\"stkAAVE holders get a discount on GHO borrow rate\",\"nh2EJK\":[\"Please switch to \",[\"networkName\"],\".\"],\"njBeMm\":\"Both\",\"ntkAoE\":\"Discount applied for <0/> staking AAVE\",\"ntyFSE\":[[\"h\"],\"h\"],\"nwtY4N\":\"Something went wrong\",\"nxyWvj\":\"Withdrawing this amount will reduce your health factor and increase risk of liquidation.\",\"o17QVP\":\"Your health factor and loan to value determine the assurance of your collateral. To avoid liquidations you can supply more collateral or repay borrow positions.\",\"o1xc2V\":\"AToken supply is not zero\",\"o4tCu3\":\"Borrow APY\",\"o5ooMr\":\"Debt\",\"o7J4JM\":\"Filter\",\"oHFrpj\":\"Cooldown to unstake\",\"oJ5ZiG\":\"User does not have outstanding variable rate debt on this reserve\",\"oRBGin\":\"Please connect your wallet to be able to switch your tokens.\",\"oUwXhx\":\"Test Assets\",\"oWklJD\":\"Stable interest rate will <0>stay the same for the duration of your loan. Recommended for long-term loan periods and for users who prefer predictability.\",\"odnIK3\":\"Time remaining until the 48 hour withdraw period starts.\",\"oiK5nY\":\"The current incentives period, decided on by the Aave community, has ended. Governance is in the process on renewing, check for updates. <0>Learn more.\",\"olREoo\":\"All borrow positions outside of this category must be closed to enable this category.\",\"om/XHs\":\"Available to supply\",\"ov0+mq\":\"Eligible for the ZKSync Ignite program.\",\"ovT1pF\":[\"Per the community, the \",[\"market\"],\" has been frozen.\"],\"ow3fug\":\"Nothing found\",\"owSsI3\":\"Signatures ready\",\"p+R52m\":\"Go to Balancer Pool\",\"p2A+s1\":[\"The cooldown period is \",[\"0\"],\". After \",[\"1\"],\" of cooldown, you will enter unstake window of \",[\"2\"],\". You will continue receiving rewards during cooldown and unstake window.\"],\"p2S64u\":\"The loan to value of the migrated positions would cause liquidation. Increase migrated collateral or reduce migrated borrow to continue.\",\"p2Z2Qi\":\"This asset has reached its borrow cap. Nothing is available to be borrowed from this market.\",\"p3j+mb\":\"Your reward balance is 0\",\"p45alK\":\"Set up delegation\",\"p6u2s1\":\"Minimum amount of debt to be repaid\",\"pDgeaz\":[[\"title\"]],\"pdZqBk\":\"The underlying balance needs to be greater than 0\",\"pgWG9H\":\"Not enough staked balance\",\"piPrJ7\":\"please check that the amount you want to supply is not currently being used for staking. If it is being used for staking, your transaction might fail.\",\"pjO/iH\":\"Minimum amount received\",\"pooutM\":\"Voting is on\",\"pqaM5s\":\"Confirming transaction\",\"ptaxX3\":[\"I understand how cooldown (\",[\"0\"],\") and unstaking (\",[\"1\"],\") work\"],\"py2iiY\":\"The caller of this function must be a pool\",\"q/51mF\":\"Migrate to V3\",\"q3df11\":\"Interest rate strategy\",\"q6lAbz\":\"Staked\",\"qB4kPi\":\"Supply APY\",\"qENI8q\":\"Global settings\",\"qGz5zl\":\"Collateral balance after repay\",\"qOqbD6\":\"copy the error\",\"qXCkEM\":\"Please connect your wallet to see your supplies, borrowings, and open positions.\",\"qY2jnw\":\"Invalid expiration\",\"qf/fr+\":\"Interest accrued\",\"quYPUU\":\"Variable interest rate will <0>fluctuate based on the market conditions.\",\"quzIeW\":\"User is in isolation mode or LTV is zero\",\"qvnz3q\":\"Invalid amount to burn\",\"rHgdb0\":\"Migrate to Aave V3\",\"rOrHHe\":\"Amount must be greater than 0\",\"rQ+R+0\":\"Selected supply assets\",\"rSayea\":\"APY\",\"rTBDeu\":[\"Asset cannot be migrated because you have isolated collateral in \",[\"marketName\"],\" v3 Market which limits borrowable assets. You can manage your collateral in <0>\",[\"marketName\"],\" V3 Dashboard\"],\"rcT+yy\":\"Show assets with 0 balance\",\"rf8POi\":\"Borrowed asset amount\",\"riNWOA\":\"E-Mode\",\"rjGI/Q\":\"Privacy\",\"rnKPW1\":\"Watch a wallet balance in read-only mode\",\"ruc7X+\":\"Add stkAAVE to see borrow APY with the discount\",\"rvbaFU\":[\"Bridging \",[\"symbol\"]],\"rwVVB7\":\"Claim all rewards\",\"rwyUva\":\"These assets are temporarily frozen or paused by Aave community decisions, meaning that further supply / borrow, or rate swap of these assets are unavailable. Withdrawals and debt repayments are allowed. Follow the <0>Aave governance forum for further updates.\",\"rxJW5W\":\"Your proposition power is based on your AAVE/stkAAVE balance and received delegations.\",\"s2jJnW\":\"You don't have any bridge transactions\",\"s5wBAq\":[\"Unstake \",[\"symbol\"]],\"sJbIdI\":\"Enter ETH address or ENS\",\"sK+Nag\":\"Review tx\",\"sP2+gB\":\"NAY\",\"sQv06Y\":\"for\",\"sTtO6J\":\"Confirm transaction\",\"sXKb3l\":\"Exchange rate\",\"sb0q4+\":\"You unstake here\",\"smJNwH\":\"Available to borrow\",\"solypO\":\"Health factor is not below the threshold\",\"sr0UJD\":\"Go Back\",\"ss5GCK\":\"The address of the pool addresses provider is invalid\",\"swEgK4\":\"Your voting info\",\"t+wtgf\":\"Nothing borrowed yet\",\"t/YqKh\":\"Remove\",\"t81DpC\":[\"Approve \",[\"symbol\"],\" to continue\"],\"tCnbEs\":\"Oracle price\",\"tFZLf8\":\"This gas calculation is only an estimation. Your wallet will set the price of the transaction. You can modify the gas settings directly from your wallet provider.\",\"tHuvQI\":\"Go to V3 Dashboard\",\"tKv7cI\":\"Switch borrow position\",\"tOcg3N\":\"Since this asset is frozen, the only available actions are withdraw and repay which can be accessed from the <0>Dashboard\",\"tOuXfv\":[\"Borrow amount to reach \",[\"0\"],\"% utilization\"],\"te9Bfl\":\"Please, connect your wallet\",\"tt5yma\":\"Your supplies\",\"ttoh5c\":\"Switch to\",\"u3ZeYl\":\"Transaction failed\",\"u706uF\":\"Invalid flashloan premium\",\"u8Gfu7\":[\"No search results\",[\"0\"]],\"uAQUqI\":\"Status\",\"uHMwk8\":\"No assets selected to migrate.\",\"uJPHuY\":\"Migrating\",\"uY8O30\":\"To continue, you need to grant Aave smart contracts permission to move your funds from your wallet. Depending on the asset and wallet you use, it is done by signing the permission message (gas free), or by submitting an approval transaction (requires gas). <0>Learn more\",\"udFheE\":\"For repayment of a specific type of debt, the user needs to have debt that type\",\"ulNuNq\":\"Export data to\",\"ulup2p\":\"Buy Crypto with Fiat\",\"umICAY\":\"<0><1><2/>Add stkAAVE to see borrow rate with discount\",\"usB84Z\":\"Maximum amount available to borrow is limited because protocol borrow cap is nearly reached.\",\"uwAUvj\":\"COPY IMAGE\",\"v8x7Mg\":\"Insufficient collateral to cover new borrow position. Wallet must have borrowing power remaining to perform debt switch.\",\"vEqxH9\":\"Restaked\",\"vLyv1R\":\"Hide\",\"vMba49\":\"Borrowing is not enabled\",\"vMpNwt\":\"Approve with\",\"vXIe7J\":\"Language\",\"vesuBJ\":\"Allows you to decide whether to use a supplied asset as collateral. An asset used as collateral will affect your borrowing power and health factor.\",\"w+V9Cx\":\"Stablecoin\",\"w/JtJ3\":\"Stable debt supply is not zero\",\"w4VBY+\":\"Rewards APR\",\"w9dLMW\":[[\"label\"]],\"wAOL+X\":[\"You \",[\"action\"],\" <0/> \",[\"symbol\"]],\"wBIsjb\":\"Discord channel\",\"wQZbc/\":\"The caller of the function is not an AToken\",\"wRRqvW\":\"You do not have supplies in this currency\",\"wZFvVU\":\"VOTE YAE\",\"wb/r1O\":[\"Faucet \",[\"0\"]],\"wdxz7K\":\"Source\",\"weH1nG\":\"The Aave Protocol is programmed to always use the price of 1 GHO = $1. This is different from using market pricing via oracles for other crypto assets. This creates stabilizing arbitrage opportunities when the price of GHO fluctuates.\",\"wh7Ezv\":\"You have no AAVE/stkAAVE/aAave balance to delegate.\",\"wlsIx7\":\"With testnet Faucet you can get free assets to test the Aave Protocol. Make sure to switch your wallet provider to the appropriate testnet network, select desired asset, and click ‘Faucet’ to get tokens transferred to your wallet. The assets on a testnet are not “real,” meaning they have no monetary value. <0>Learn more\",\"wmE285\":\"Get ABP v2 Token\",\"wyRrcJ\":\"As a result of governance decisions, this ABPT staking pool is now deprecated. You have the flexibility to either migrate all of your tokens to v2 or unstake them without any cooldown period.\",\"x5KiLL\":\"Selected assets have successfully migrated. Visit the Market Dashboard to see them.\",\"x7F2p6\":\"Current differential\",\"x7K5ib\":[\"Your \",[\"networkName\"],\" wallet is empty. Get free test \",[\"0\"],\" at\"],\"x9iLRD\":\"tokens, please go to the\",\"xNy/UG\":\"Repay with\",\"xPm8wv\":\"Learn more about risks involved\",\"xXYpZl\":[[\"0\"],\" Faucet\"],\"xaVBSS\":\"Your info\",\"xaWZ6f\":\"APY type change\",\"xh6k71\":\"Collateral usage is limited because of isolation mode.\",\"xvIklc\":\"Flashloan is disabled for this asset, hence this position cannot be migrated.\",\"y5rS9U\":\"Migrate\",\"y66tBm\":[\"Enable \",[\"symbol\"],\" as collateral\"],\"yB1YpA\":\"Dark mode\",\"yCrG6m\":\"Total market size\",\"yJUUbn\":\"Transaction overview\",\"yLGmLX\":[\"Restake \",[\"symbol\"]],\"yW1oWB\":\"APY type\",\"yYHqJe\":\"Not a valid address\",\"yZwLw6\":\"Track wallet\",\"yh2sjd\":[\"Price impact \",[\"0\"],\"%\"],\"yhvj6d\":\"You can not switch usage as collateral mode for this currency, because it will cause collateral call\",\"ylmtBZ\":\"The app is running in fork mode.\",\"ymNY32\":[\"There are not enough funds in the\",[\"0\"],\"reserve to borrow\"],\"yz7wBu\":\"Close\",\"z4uGQg\":\"Debt ceiling is exceeded\",\"z5UQOM\":\"The collateral chosen cannot be liquidated\",\"z5Y+p6\":[\"Supplying \",[\"symbol\"]],\"zCjNKs\":\"Action cannot be performed because the reserve is frozen\",\"zRHytX\":\"Isolated Debt Ceiling\",\"zTOjMP\":\"Protocol supply cap is at 100% for this asset. Further supply unavailable.\",\"zVdRUG\":\"Submission did not work, please try again later or contact wecare@avara.xyz\",\"zevmS2\":\"<0><1><2/>Add <3/> stkAAVE to borrow at <4/> (max discount)\",\"zgtIDV\":\"Remaining debt\",\"zmTPiV\":\"Supply balance\",\"zpPbZl\":\"Liquidation risk parameters\",\"zucql+\":\"Menu\",\"zwWKhA\":\"Learn more\",\"zy9fXn\":[\"Asset is frozen in \",[\"marketName\"],\" v3 market, hence this position cannot be migrated.\"],\"zys+R6\":\"Be mindful of the network congestion and gas prices.\",\"zzzTXS\":\"Merit Program rewards are claimed through the\"}")}; \ No newline at end of file +/*eslint-disable*/module.exports={messages:JSON.parse("{\"+0xecS\":[\"If you DO NOT unstake within \",[\"0\"],\" of unstake window, you will need to activate cooldown process again.\"],\"+EGVI0\":\"Receive (est.)\",\"+VR63W\":[\"Participating in this \",[\"symbol\"],\" reserve gives annualized rewards.\"],\"+bmKdK\":\"Use your AAVE, stkAAVE, or aAave balance to delegate your voting and proposition powers. You will not be sending any tokens, only the rights to vote and propose changes to the protocol. You can re-delegate or revoke power to self at any time.\",\"+eOPG+\":\"Seems like we can't switch the network automatically. Please check if you can change it from the wallet.\",\"+i3Pd2\":\"Borrow cap\",\"+kLZGu\":\"Supplied asset amount\",\"+nuEh/\":\"Estimated time\",\"+xMFF8\":\"Remind me\",\"/57U31\":\"Amount to migrate\",\"/7ykiW\":\"Borrowing this amount will reduce your health factor and increase risk of liquidation.\",\"/YA5pU\":\"E-Mode increases your LTV for a selected category of assets, meaning that when E-mode is enabled, you will have higher borrowing power over assets of the same E-mode category which are defined by Aave Governance. You can enter E-Mode from your <0>Dashboard. To learn more about E-Mode and applied restrictionn, see the <1>help guide or the <2>Aave V3 Technical Paper.\",\"/izjs/\":\"Minimum staked Aave amount\",\"/jQctM\":\"To\",\"/lDBHm\":\"FAQ\",\"/yNlZf\":\"Stable borrowing is not enabled\",\"/yQcJM\":\"Total worth\",\"00AB2i\":\"User did not borrow the specified currency\",\"00OflG\":\"There is not enough liquidity for the target asset to perform the switch. Try lowering the amount.\",\"08/rZ9\":\"The cooldown period is the time required prior to unstaking your tokens (20 days). You can only withdraw your assets from the Security Module after the cooldown period and within the unstake window.<0>Learn more\",\"0AmQcW\":\"Rate change\",\"0BF3yK\":\"Sorry, we couldn't find the page you were looking for.\",\"0TAbjq\":\"Recent Transactions\",\"0jhlyw\":\"Liquidation risk\",\"0ojY+Y\":\"Current v2 Balance\",\"0thX3P\":\"Collateral change\",\"0wGCWc\":\"This is the total amount that you are able to supply to in this reserve. You are able to supply your wallet balance up until the supply cap is reached.\",\"1AsVfF\":\"Price data is not currently available for this reserve on the protocol subgraph\",\"1LjK22\":\"Transaction history\",\"1Onqx8\":[\"Approving \",[\"symbol\"],\"...\"],\"1Ue8sX\":\"Please connect a wallet to view your personal information here.\",\"1bpx9A\":\"...\",\"1kWUB+\":\"Liquidation <0/> threshold\",\"1m9Qqc\":\"Withdrawing and Switching\",\"1oyh4g\":\"Borrow rate\",\"1t7rez\":\"Asset supply is limited to a certain amount to reduce protocol exposure to the asset and to help manage risks involved.\",\"2CAPu2\":\"You've successfully withdrew & switched tokens.\",\"2Eoi/a\":\"View details\",\"2FYpfJ\":\"More\",\"2O3qp5\":\"Available liquidity\",\"2OM8/D\":[\"Asset cannot be migrated due to supply cap restriction in \",[\"marketName\"],\" v3 market.\"],\"2Q4GU4\":\"Blocked Address\",\"2ZGocC\":\"Aave is a fully decentralized, community governed protocol by the AAVE token-holders. AAVE token-holders collectively discuss, propose, and vote on upgrades to the protocol. AAVE token-holders (Ethereum network only) can either vote themselves on new proposals or delagate to an address of choice. To learn more check out the Governance\",\"2a6G7d\":\"Please enter a valid wallet address.\",\"2bAhR7\":\"Meet GHO\",\"2eBWE6\":\"I acknowledge the risks involved.\",\"2o/xRt\":\"Supply cap on target reserve reached. Try lowering the amount.\",\"2uJToh\":[[\"0\"],[\"name\"]],\"2x58bP\":\"Stable borrowing is enabled\",\"34Qfwy\":\"Borrow cap is exceeded\",\"39eQRj\":[\"Borrow \",[\"symbol\"]],\"3BL1xB\":\"Total supplied\",\"3BnIWi\":\"Switched\",\"3K0oMo\":\"Remaining supply\",\"3MoZhl\":\"There is not enough collateral to cover a new borrow\",\"3Np5O8\":[\"Supply \",[\"symbol\"]],\"3O8YTV\":\"Total interest accrued\",\"3mXg0z\":\"Max LTV\",\"3q3mFy\":\"Repay\",\"3qsjtp\":\"The weighted average of APY for all supplied assets, including incentives.\",\"3rL+os\":\"You can only withdraw your assets from the Security Module after the cooldown period ends and the unstake window is active.\",\"42UgDM\":[\"Migrate to \",[\"0\"],\" v3 Market\"],\"49UFQA\":\"Voting results\",\"4DMZUI\":\"View Transactions\",\"4HtGBb\":\"MAX\",\"4Y5H+g\":\"Terms\",\"4YYh4d\":\"Maximum available to borrow\",\"4iPAI3\":\"Minimum GHO borrow amount\",\"4lDFps\":\"Sign to continue\",\"4wyw8H\":\"Transactions\",\"5JSSxX\":[\"Your \",[\"networkName\"],\" wallet is empty. Get free test assets at\"],\"5K7kGO\":\"documentation\",\"5NOSGa\":\"Debt ceiling limits the amount possible to borrow against this asset by protocol users. Debt ceiling is specific to assets in isolation mode and is denoted in USD.\",\"5Ncc6j\":[\"This asset has almost reached its supply cap. There can only be \",[\"messageValue\"],\" supplied to this market.\"],\"5cZ/KX\":\"Variable debt supply is not zero\",\"5che++\":\"To request access for this permissioned market, please visit: <0>Acces Provider Name\",\"5ctNdV\":[\"Minimum \",[\"0\"],\" received\"],\"5hDe9v\":\"Allowance required action\",\"5rsnKT\":\"Available rewards\",\"5yC5m5\":\"View all votes\",\"6/dCYd\":\"Overview\",\"60crCe\":\"All transactions\",\"62Xcjh\":\"Collateral\",\"65A04M\":\"Spanish\",\"6G8s+q\":\"Signing\",\"6Jrv+z\":[\"Repay \",[\"symbol\"]],\"6NGLTR\":\"Discountable amount\",\"6Xr0UU\":\"Cooling down...\",\"6bxci/\":\"Voting power\",\"6f8S68\":\"Markets\",\"6g1gi0\":\"Proposals\",\"6gvoHP\":\"Copy error message\",\"6h3Q5G\":\"repaid\",\"6lFSyT\":\"Available to Stake\",\"6s8L6f\":\"Switch Network\",\"6yAAbq\":\"APY, borrow rate\",\"70wH1Q\":\"APR\",\"72c5Qo\":\"Total\",\"73Auuq\":\"Discount parameters are decided by the Aave community and may be changed over time. Check Governance for updates and vote to participate. <0>Learn more\",\"75qcAQ\":[[\"stepName\"]],\"7ITr5L\":\"Health factor\",\"7T/o5R\":\"Reached\",\"7YlcXu\":\"Fork mode is ON\",\"7Z76Iw\":\"Borrowing is unavailable because you’re using Isolation mode. To manage Isolation mode visit your <0>Dashboard.\",\"7aKlMS\":\"Share on Lens\",\"7er5fP\":\"Claim all\",\"7hb2+s\":\"Time remaining until the withdraw period ends.\",\"7l88b8\":\"Data couldn't be fetched, please reload graph.\",\"7p5kLi\":\"Dashboard\",\"7sofdl\":\"Withdraw and Switch\",\"8+6BI0\":\"Be careful - You are very close to liquidation. Consider depositing more collateral or paying down some of your borrowed positions\",\"87pUEW\":[\"Your \",[\"name\"],\" wallet is empty. Purchase or transfer assets.\"],\"8F1i42\":\"Page not found\",\"8G8M0u\":\"Loading data...\",\"8Iu1QS\":\"withdrew\",\"8JL93T\":\"All proposals\",\"8Q51DU\":\"Add to wallet\",\"8X/oyn\":\"Invalid amount to mint\",\"8Z5FPv\":\"Disconnect Wallet\",\"8Zz7s5\":\"assets\",\"8aLW8H\":\"Balance to revoke\",\"8bOT3H\":\"Utilization Rate\",\"8sLe4/\":\"View contract\",\"8t/M0y\":\"Please connect your wallet to be able to bridge your tokens.\",\"8vETh9\":\"Show\",\"94OHPx\":\"You are entering Isolation mode\",\"9CDK3/\":[\"Borrowing is currently unavailable for \",[\"0\"],\".\"],\"9GIj3z\":\"Reserve Size\",\"9Knqb4\":\"Staking balance\",\"9OBKm7\":\"Quorum\",\"9QHoGr\":\"Current votes\",\"9Rw96f\":[\"This asset has almost reached its borrow cap. There is only \",[\"messageValue\"],\" available to be borrowed from this market.\"],\"9Xj/qR\":[\"Some migrated assets will not be used as collateral due to enabled isolation mode in \",[\"marketName\"],\" V3 Market. Visit <0>\",[\"marketName\"],\" V3 Dashboard to manage isolation mode.\"],\"9c6vDV\":\"This asset has reached its supply cap. Nothing is available to be supplied from this market.\",\"9kTWHA\":\"MAI has been paused due to a community decision. Supply, borrows and repays are impacted. <0>More details\",\"9lXchd\":\"Underlying token\",\"9rWaKF\":\"Bridged Via CCIP\",\"9xSooW\":\"Since this is a test network, you can get any of the assets if you have ETH on your wallet\",\"A/lwoe\":\"Choose one of the on-ramp services\",\"A6dCI6\":[\"Maximum amount available to borrow is <0/> \",[\"0\"],\" (<1/>).\"],\"AReoaV\":\"Your borrows\",\"ARu1L4\":\"Repaid\",\"AV7cGz\":\"Review approval tx details\",\"AZOjB8\":\"Fetching data...\",\"Ai0jas\":\"Join the community discussion\",\"Ajl2rq\":\"Borrowing power and assets are limited due to Isolation mode.\",\"AqgYNC\":\"Protocol borrow cap at 100% for this asset. Further borrowing unavailable.\",\"B3EcQR\":\"Thank you for voting!!\",\"B6aXGH\":\"Stable\",\"B9Gqbz\":\"Variable rate\",\"BDFEd+\":\"stETH supplied as collateral will continue to accrue staking rewards provided by daily rebases.\",\"BE2mP0\":\"Borrowed assets\",\"BJyN77\":\"Due to health factor impact, a flashloan is required to perform this transaction, but Aave Governance has disabled flashloan availability for this asset. Try lowering the amount or supplying additional collateral.\",\"BNL4Ep\":\"Collateral usage is limited because of isolation mode. <0>Learn More\",\"BQ/wCO\":\"Migrate your assets\",\"BjLdl1\":\"At a discount\",\"BnhYo8\":\"Asset category\",\"Bq9Y7e\":\"This asset is frozen due to an Aave community decision. <0>More details\",\"BqWMDJ\":\"Faucet\",\"BqynZO\":\"Optimized for efficiency and risk by supporting blue-chip collateral assets\",\"Bsu7zX\":\"The fee includes the gas cost to complete the transaction on the destination chain and the fee paid to Chainlink CCIP service providers. You can chose to pay in the network token or GHO. <0>Learn more\",\"BwJKBw\":\"of\",\"CDrsH+\":\"Techpaper\",\"CK1KXz\":\"Max\",\"CMHmbm\":\"Slippage\",\"CZXzs4\":\"Greek\",\"CcRNG6\":\"Switching\",\"CkTRmy\":[\"Claim \",[\"symbol\"]],\"CsqtLm\":\"Please connect your wallet to see migration tool.\",\"CtGlFb\":[[\"networkName\"],\" Faucet\"],\"Cxt2YY\":\"Watch wallet\",\"D33VQU\":\"This action will reduce health factor of V3 below liquidation threshold. Increase migrated collateral or reduce migrated borrow to continue.\",\"D9BLRG\":\"This asset has been paused due to a community decision. Supply, withdraw, borrows and repays are impacted.\",\"DAma/S\":\"Collateral is (mostly) the same currency that is being borrowed\",\"DCnFg0\":[\"Addresses (\",[\"0\"],\")\"],\"DG3Lv1\":\"I fully understand the risks of migrating.\",\"DONJcV\":\"The underlying asset cannot be rescued\",\"DR+4uL\":\"Supply balance after switch\",\"DWjrck\":[\"Asset cannot be migrated to \",[\"marketName\"],\" V3 Market due to E-mode restrictions. You can disable or manage E-mode categories in your <0>V3 Dashboard\"],\"Dj+3wB\":\"Aave per month\",\"DuEq2K\":\"Collateralization\",\"DxfsGs\":\"You can report incident to our <0>Discord or<1>Github.\",\"Dzma+E\":\"Main Ethereum market with the largest selection of assets and yield options\",\"E/QGRL\":\"Disabled\",\"EBL9Gz\":\"COPIED!\",\"ES8dkb\":\"Fixed rate\",\"EZd3Dk\":[\"Restaking \",[\"symbol\"]],\"Ebgc76\":[\"Withdrawing \",[\"symbol\"]],\"EdQY6l\":\"None\",\"EjvKQ+\":\"Minimum USD value received\",\"Enslfm\":\"Destination\",\"EvE9nO\":[\"Reactivate cooldown period to unstake \",[\"0\"],\" \",[\"stakedToken\"]],\"EvECnL\":\"Migrate to v3\",\"EzMQbh\":\"The source chain time to finality is the main factor that determines the time to destination. <0>Learn more\",\"F40cwT\":\"Legacy Markets\",\"F6TdXL\":\"Learn more.\",\"FDDPeZ\":\"Users can stake their assets in the protocol and earn incentives. In the case of a shortfall event, your stake can be slashed to cover the deficit, providing an additional layer of protection for the protocol.\",\"FHlMf/\":\"Current v2 balance\",\"FHpxjF\":[\"Reserve factor is a percentage of interest which goes to a \",[\"0\"],\" that is controlled by Aave governance to promote ecosystem growth.\"],\"FOBZa6\":\"Borrow power used\",\"FPKEug\":\"Operation not supported\",\"FbmMe7\":\"Linked addresses\",\"Fdp03t\":\"on\",\"Fjw9N+\":\"Assets to supply\",\"FmN0fk\":\"Restake\",\"GDGLIs\":\"GHO is a native decentralized, collateral-backed digital asset pegged to USD. It is created by users via borrowing against multiple collateral. When user repays their GHO borrow position, the protocol burns that user's GHO. All the interest payments accrued by minters of GHO would be directly transferred to the AaveDAO treasury.\",\"GQrBTq\":\"Switch E-Mode\",\"GWswcZ\":\"This asset is frozen due to an Aave Protocol Governance decision. On the 20th of December 2022, renFIL will no longer be supported and cannot be bridged back to its native network. It is recommended to withdraw supply positions and repay borrow positions so that renFIL can be bridged back to FIL before the deadline. After this date, it will no longer be possible to convert renFIL to FIL. <0>More details\",\"GX8GKD\":\"Assets\",\"GgEj+0\":\"Read-only mode. Connect to a wallet to perform transactions.\",\"GjkIKV\":\"ends\",\"GoK/QN\":\"Thank you for submitting feedback!\",\"GtP2hp\":[\"Borrowing is unavailable because you’ve enabled Efficiency Mode (E-Mode) for \",[\"0\"],\" category. To manage E-Mode categories visit your <0>Dashboard.\"],\"H6Ma8Z\":\"Discount\",\"HB/wfS\":[[\"tooltipText\"]],\"HKDsQN\":\"Rewards can be claimed through\",\"Ha/U5f\":\"This is a program initiated and implemented by the decentralised ZKSync community. Aave Labs does not guarantee the program and accepts no liability.\",\"HciqKU\":\"This is a program initiated and implemented by the decentralised Aave community. Aave Labs does not guarantee the program and accepts no liability.\",\"Hi6Ttn\":\"Sorry, an unexpected error happened. In the meantime you may try reloading the page, or come back later.\",\"HkEDbS\":[[\"d\"],\"d\"],\"HmkYqM\":\"Unstake window\",\"HpK/8d\":\"Reload\",\"HrnC47\":\"Save and share\",\"HuVZMK\":\"Days\",\"HvJKMU\":[\"Asset cannot be migrated to \",[\"marketName\"],\" v3 Market since collateral asset will enable isolation mode.\"],\"Hvwnm9\":[\"Maximum amount available to supply is limited because protocol supply cap is at \",[\"0\"],\"%.\"],\"I8CX2c\":\"The total amount of your assets denominated in USD that can be used as collateral for borrowing assets.\",\"IAD2SB\":[\"Claiming \",[\"symbol\"]],\"IG9X9/\":\"Borrowing of this asset is limited to a certain amount to minimize liquidity pool insolvency.\",\"IOIx8L\":\"This asset is planned to be offboarded due to an Aave Protocol Governance decision. <0>More details\",\"IP+I/j\":\"Cooldown period\",\"IaA40H\":\"Liquidation at\",\"J/hVSQ\":[[\"0\"]],\"JCoxL6\":\"Manage analytics\",\"JK9zf1\":[\"Estimated compounding interest, including discount for Staking \",[\"0\"],\"AAVE in Safety Module.\"],\"JOqFba\":[\"Unstaking \",[\"symbol\"]],\"JPrLjO\":\"You can not use this currency as collateral\",\"JU6q+W\":\"Reward(s) to claim\",\"JYKRJS\":\"Stake\",\"JZMxX0\":\"Not enough balance on your wallet\",\"Jgflkm\":\"Get GHO\",\"JoMQnI\":\"Wallet balance\",\"JtwD8u\":\"Borrow balance after repay\",\"JumYTK\":\"Supplied assets\",\"K05qZY\":\"Withdraw & Switch\",\"KAz/NV\":\"Protocol debt ceiling is at 100% for this asset. Further borrowing against this asset is unavailable.\",\"KLXVqE\":[\"stETH tokens will be migrated to Wrapped stETH using Lido Protocol wrapper which leads to supply balance change after migration: \",[\"0\"]],\"KLd6ky\":\"Use connected account\",\"KRpokz\":\"VIEW TX\",\"KSlpka\":\"This represents the threshold at which a borrow position will be considered undercollateralized and subject to liquidation for each collateral. For example, if a collateral has a liquidation threshold of 80%, it means that the position will be liquidated when the debt value is worth 80% of the collateral value.\",\"KYAjf3\":\"Isolated\",\"KZwRuD\":[[\"notifyText\"]],\"KkPgim\":\"Switching E-Mode\",\"KnN1Tu\":\"Expires\",\"KoOBI2\":\"Due to internal stETH mechanics required for rebasing support, it is not possible to perform a collateral switch where stETH is the source token.\",\"KojyJ4\":\"Wrong Network\",\"KsqhWn\":\"Staking\",\"KuBTQq\":\"Enter ETH address\",\"KvG1xW\":\"Claiming\",\"L+8Lzs\":\"Current LTV\",\"L+qiq+\":\"Market\",\"LDzfVJ\":\"Send Feedback\",\"LIrMcF\":\"No voting power\",\"LL0zks\":\"Can be collateral\",\"LLdJWu\":\"Claimable AAVE\",\"LSIpNK\":\"Borrow and repay in same block is not allowed\",\"LVt3TI\":[\"<0>Slippage tolerance <1>\",[\"selectedSlippage\"],\"% <2>\",[\"0\"],\"\"],\"LjafV8\":\"Maximum collateral amount to use\",\"LtpQew\":\"Let us know how we can make the app better for you. For user support related inquiries please reach out on\",\"LvVpD/\":\"Emode\",\"M2sknc\":\"Tip: Try increasing slippage or reduce input amount\",\"M7wPsD\":\"Switch\",\"MFu33y\":\"Staking 00\",\"MIy2RJ\":\"Maximum amount received\",\"MZ/nQf\":\"Recipient address\",\"Ma/MtY\":\"staking view\",\"McHlGl\":\"APY change\",\"MeCCA+\":\"APY, variable\",\"MghdTe\":\"If the health factor goes below 1, the liquidation of your collateral might be triggered.\",\"Mm/DVQ\":\"You cancelled the transaction.\",\"MnE2QX\":\"Borrow info\",\"MrmQHg\":\"View Bridge Transactions\",\"MuDFEQ\":\"Invalid return value of the flashloan executor function\",\"N5kUMV\":\"Asset can be only used as collateral in isolation mode with limited borrowing power. To enter isolation mode, disable all other collateral.\",\"N6Pxr9\":\"View all\",\"NF0e1Q\":\"Pending...\",\"NK9ikO\":\"Wallet Balance\",\"NMt2CB\":\"Amount claimable\",\"NcFGxG\":\"Collector Contract\",\"NfpPeS\":\"Nothing staked\",\"Nh9DAo\":[[\"m\"],\"m\"],\"O+sCUU\":\"Unbacked mint cap is exceeded\",\"O+tyU+\":[\"Maximum amount available to borrow against this asset is limited because debt ceiling is at \",[\"0\"],\"%.\"],\"O3oNi5\":\"Email\",\"OFjZGo\":\"Unstake\",\"OR8cYX\":\"Proposal overview\",\"OYuJ9K\":\"Protocol debt ceiling is at 100% for this asset. Futher borrowing against this asset is unavailable.\",\"OfhWJH\":\"Reset\",\"Og2SKn\":\"disabled\",\"On0aF2\":\"Website\",\"OsyKSt\":\"Withdraw\",\"P1dURE\":\"Revoke power\",\"P2WCD/\":[\"Underlying asset does not exist in \",[\"marketName\"],\" v3 Market, hence this position cannot be migrated.\"],\"P2sL6B\":\"When a liquidation occurs, liquidators repay up to 50% of the outstanding borrowed amount on behalf of the borrower. In return, they can buy the collateral at a discount and keep the difference (liquidation penalty) as a bonus.\",\"P6sRoL\":\"Stake ABPT\",\"P72/OW\":\"The weighted average of APY for all borrowed assets, including incentives.\",\"P7e6Ug\":\"Please connect your wallet to view transaction history.\",\"PByO0X\":\"Votes\",\"PI+kVe\":\"Disable fork\",\"PJK9u/\":\"Borrow apy\",\"PLUB/s\":\"Fee\",\"PP5ZA8\":[\"Participating in staking \",[\"symbol\"],\" gives annualized rewards. Your wallet balance is the sum of your aTokens and underlying assets. The breakdown to stake is below\"],\"PcBUgb\":\"Liquidation threshold\",\"PjU6bu\":\"This asset is eligible for SPK incentive program. Aave Labs does not guarantee the program and accepts no liability.\",\"PpqD5g\":\"Enabling this asset as collateral increases your borrowing power and Health Factor. However, it can get liquidated if your health factor drops below 1.\",\"PsOFSf\":\"This action will reduce V2 health factor below liquidation threshold. retain collateral or migrate borrow position to continue.\",\"Pu4bI/\":[[\"currentMethod\"]],\"Q0LzKi\":\"View TX\",\"Q4eNqa\":\"The Aave Balancer Pool Token (ABPT) is a liquidity pool token. You can receive ABPT by depositing a combination of AAVE + wstETH in the Balancer liquidity pool. You can then stake your BPT in the Safety Module to secure the protocol and earn Safety Incentives.\",\"QQYsQ7\":\"Withdrawing\",\"QWYCs/\":\"Stake GHO\",\"R+30X3\":\"Not reached\",\"RCU5PY\":\"Age\",\"RIfckG\":[\"Disable \",[\"symbol\"],\" as collateral\"],\"RMtxNk\":\"Differential\",\"RNK49r\":\"Invalid signature\",\"RS0o7b\":\"State\",\"RU+LqV\":\"Proposal details\",\"RYTgZX\":\"lorem ipsum\",\"RbXH+k\":\"AAVE, GHO, and ABPT holders (Ethereum network only) can stake their assets in the Safety Module to add more security to the protocol and earn Safety Incentives. In the case of a shortfall event, your stake can be slashed to cover the deficit, providing an additional layer of protection for the protocol.\",\"RiSYV4\":\"Asset is not listed\",\"Rj01Fz\":\"Links\",\"RmWFEe\":\"Staking APR\",\"RoafuO\":\"Send feedback\",\"RtBLm7\":\"Health factor is lesser than the liquidation threshold\",\"RxzN1M\":\"Enabled\",\"SDav7h\":\"Funds in the Safety Module\",\"SENccp\":\"If the error continues to happen,<0/> you may report it to this\",\"SIWumd\":\"Show Frozen or paused assets\",\"SM58dD\":\"Amount in cooldown\",\"SSMiac\":\"Failed to load proposal voters. Please refresh the page.\",\"SSQVIz\":\"Liquidation Threshold\",\"SUb8x0\":\"Total available\",\"SWIgh4\":\"Fees exceed wallet balance\",\"SY9hVo\":\"Read-only mode allows to see address positions in Aave, but you won't be able to perform transactions.\",\"SZRUQ4\":\"Max slippage\",\"Sa1UE/\":\"Protocol borrow cap is at 100% for this asset. Further borrowing unavailable.\",\"Sk2zW9\":\"Disabling E-Mode\",\"SxaD0o\":\"Pool addresses provider is not registered\",\"T/AIqG\":\"Protocol supply cap at 100% for this asset. Further supply unavailable.\",\"T0xCO9\":\"Can't validate the wallet address. Try again.\",\"T4OhVl\":\"GHO balance\",\"T6uYU2\":\"Borrow\",\"TFxQlw\":\"Liquidation penalty\",\"TQ7WsV\":\"Available to stake\",\"TUI7iB\":\"Asset can only be used as collateral in isolation mode only.\",\"TbjyhA\":\"Docs\",\"TduuS0\":\"User does not have outstanding stable rate debt on this reserve\",\"TeCFg/\":\"Borrow rate change\",\"Tg1JyO\":\"Bridge history\",\"TskbEN\":\"Holders of stkAAVE receive a discount on the GHO borrowing rate\",\"TszKts\":\"Borrow balance after switch\",\"TtZL6q\":\"Discount model parameters\",\"TwJI9F\":\"Asset has been successfully sent to CCIP contract. You can check the status of the transactions below\",\"Tz0GSZ\":\"blocked activities\",\"U/eBjN\":\"Reload the page\",\"U2r8nY\":\"Choose how much voting/proposition power to give to someone else by delegating some of your AAVE, stkAAVE or aAave balance. Your tokens will remain in your account, but your delegate will be able to vote or propose on your behalf. If your AAVE, stkAAVE or aAave balance changes, your delegate's voting/proposition power will be automatically adjusted.\",\"U8IubP\":\"The app is running in testnet mode. Learn how it works in\",\"U9btTk\":\"Asset is not borrowable in isolation mode\",\"UAOZRe\":\"Price impact is the spread between the total value of the entry tokens switched and the destination tokens obtained (in USD), which results from the limited liquidity of the trading pair.\",\"UE3KJZ\":\"Transaction history is not currently available for this market\",\"URmyfc\":\"Details\",\"UTTKmT\":\"Stake cooldown activated\",\"UXeR72\":\"These funds have been borrowed and are not available for withdrawal at this time.\",\"UYb8CM\":\"Learn more about the SPK rewards\",\"UbRrG0\":\"The Maximum LTV ratio represents the maximum borrowing power of a specific collateral. For example, if a collateral has an LTV of 75%, the user can borrow up to 0.75 worth of ETH in the principal currency for every 1 ETH worth of collateral.\",\"UpndFj\":\"No rewards to claim\",\"V0f2Xv\":\"Reserve factor\",\"V1HK43\":\"Migration risks\",\"VATFH9\":\"Covered debt\",\"VHOVEJ\":\"Connect wallet\",\"VMfYUK\":\"Safety of your deposited collateral against the borrowed assets and its underlying value.\",\"VOAZJh\":\"Total borrows\",\"ViKYxK\":\"YAE\",\"W1SSoD\":\"Review tx details\",\"W5hVah\":\"Nothing supplied yet\",\"W5kTFy\":\"Voting\",\"W8ekPc\":\"Back to Dashboard\",\"WMPbRK\":\"Unbacked\",\"WNGZwH\":\"E-Mode increases your LTV for a selected category of assets up to<0/>. <1>Learn more\",\"WPWG/y\":\"Reserve status & configuration\",\"WZLQSU\":\"User cannot withdraw more than the available balance\",\"WaZyaV\":\"<0>Ampleforth is a rebasing asset. Visit the <1>documentation to learn more.\",\"WfU+XN\":\"Because this asset is paused, no actions can be taken until further notice\",\"Wjmqs2\":\"No results found. You can import a custom token with a contract address\",\"WkZ6C6\":\"To borrow you need to supply any asset to be used as collateral.\",\"WyMiQm\":\"You've successfully switched tokens.\",\"X/ITG9\":\"Copy error text\",\"X3Pp6x\":\"Used as collateral\",\"X4Zt7j\":\"Action cannot be performed because the reserve is paused\",\"XBdKOj\":\"Representative smart contract wallet (ie. Safe) addresses on other chains.\",\"XZzneG\":\"You will exit isolation mode and other tokens can now be used as collateral\",\"Xg5y9S\":\"Amount to Bridge\",\"Xn4hUi\":\"Please always be aware of your <0>Health Factor (HF) when partially migrating a position and that your rates will be updated to V3 rates.\",\"Xy71ST\":\"Umbrella\",\"Y5kGkc\":\"VOTE NAY\",\"YDIOks\":\"Enabling E-Mode\",\"YSodyW\":\"This action will reduce your health factor. Please be mindful of the increased risk of collateral liquidation.\",\"YXOWXM\":\"The total amount bridged minus CCIP fees. Paying in network token does not impact gho amount.\",\"YirHq7\":\"Feedback\",\"YogbCJ\":\"Testnet mode is ON\",\"YrDxdO\":\"If your loan to value goes above the liquidation threshold your collateral supplied may be liquidated.\",\"YyIM65\":\"Interest rate rebalance conditions were not met\",\"YyydIq\":[\"Add \",[\"0\"],\" to wallet to track your balance.\"],\"ZBvhI+\":\"Aave Governance\",\"ZIIRAd\":\"Raw-Ipfs\",\"ZRq4tX\":\"Efficiency mode (E-Mode)\",\"ZSqEW+\":\"Manage E-Mode\",\"ZUFYFE\":\"Disable testnet\",\"Zbyywy\":\"Max slashing\",\"ZfUGFb\":\"Before supplying\",\"ZiXN+B\":\"Assets to stake\",\"ZlsSDH\":\"Liquidation value\",\"ZrEc8j\":\"We couldn't find any assets related to your search. Try again with a different asset name, symbol, or address.\",\"ZsLF7e\":\"enabled\",\"a0YQoQ\":\"Enter a valid address\",\"a2fBZn\":\"Time left to unstake\",\"a5RYZd\":\"Disabling this asset as collateral affects your borrowing power and Health Factor.\",\"a7u1N9\":\"Price\",\"a9D+6D\":\"Unstaked\",\"aEtiwq\":\"Vote NAY\",\"aMmFE1\":\"Buy Crypto With Fiat\",\"aOKIms\":\"Array parameters that should be equal length are not\",\"aX31hk\":\"Your balance is lower than the selected amount.\",\"adUsDd\":\"An error has occurred fetching the proposal.\",\"al6Pyz\":\"Exceeds the discount\",\"aoXTT7\":\"Borrow APY, variable\",\"aqX1Yp\":\"This asset is eligible for rewards through SuperFest. Aave Labs does not guarantee the program and accepts no liability.\",\"avgETN\":\"Eligible for the Merit program.\",\"b4NS3e\":\"Cooldown period warning\",\"bNEQeI\":\"Cooldown\",\"bSruit\":\"ZKSync Ignite Program rewards are claimed through the\",\"bUUVED\":\"Asset\",\"bXQ/Og\":\"Share on twitter\",\"bXr0ee\":\"Isolated assets have limited borrowing power and other assets cannot be used as collateral.\",\"bYmAV1\":\"Addresses\",\"bguKoJ\":\"The requested amount is greater than the max loan size in stable rate mode\",\"bwSQI0\":\"Supply\",\"bxN6EM\":\"Cannot disable E-Mode\",\"bxmzSh\":\"Not enough collateral to repay this amount of debt with\",\"c91vuQ\":\"Address is not a contract\",\"c97os2\":\"Aave aToken\",\"c9b44w\":\"You can not withdraw this amount because it will cause collateral call\",\"cBc+4A\":\"This is the total amount available for you to borrow. You can borrow based on your collateral and until the borrow cap is reached.\",\"cIl5kp\":\"Your voting power is based on your AAVE/stkAAVE balance and received delegations.\",\"cLo09S\":\"Risk details\",\"cNT+ij\":\"Borrowing is unavailable because you’ve enabled Efficiency Mode (E-Mode) and Isolation mode. To manage E-Mode and Isolation mode visit your <0>Dashboard.\",\"cZOeBk\":\"Something went wrong fetching bridge message, please try again later.\",\"ceix5S\":\"To submit a proposal for minor changes to the protocol, you'll need at least 80.00K power. If you want to change the core code base, you'll need 320k power.<0>Learn more.\",\"ciybUa\":\"Vote YAE\",\"ckf7gX\":[\"Repaying \",[\"symbol\"]],\"cp1ZDP\":[\"Bridge \",[\"symbol\"]],\"cqnmnD\":\"Effective interest rate\",\"cqwIvs\":\"Forum discussion\",\"csDS2L\":\"Available\",\"cu7Stb\":\"You did not participate in this proposal\",\"dE6BLF\":\"Governance\",\"dEgA5A\":\"Cancel\",\"dIsyWh\":\"Ltv validation failed\",\"dMtLDE\":\"to\",\"dOB5nW\":[\"Maximum amount available to supply is <0/> \",[\"0\"],\" (<1/>).\"],\"dVfODp\":\"You don’t have enough funds in your wallet to repay the full amount. If you proceed to repay with your current amount of funds, you will still have a small borrowing position in your dashboard.\",\"dXUQFX\":\"Assets to borrow\",\"dgr1aY\":\"Borrowing is disabled due to an Aave community decision. <0>More details\",\"djsg0o\":\"Collateral usage\",\"dpc0qG\":\"Variable\",\"drdV8R\":\"Liquidation\",\"dxW8cS\":\"Aave debt token\",\"e4V3oW\":\"Top 10 addresses\",\"eD8WX/\":\"Action requires an active reserve\",\"eJRJ04\":\"Amount to unstake\",\"eLh0cL\":\"Slippage is the difference between the quoted and received amounts from changing market conditions between the moment the transaction is submitted and its verification.\",\"ePK91l\":\"Edit\",\"eVpCmf\":\"Staking Rewards\",\"eVqvtf\":\"Bridge GHO\",\"eYdurp\":\"No transactions yet.\",\"ebLGGN\":\"Total borrowed\",\"ecqEvn\":\"The collateral balance is 0\",\"efdrrk\":\"Available on\",\"enruNF\":\"starts\",\"eqLYiD\":\"Unstake now\",\"euScGB\":\"APY with discount applied\",\"evw5ha\":\"Net worth\",\"ezcU16\":\"Get ABP Token\",\"f3W0Ej\":[\"You switched to \",[\"0\"],\" rate\"],\"fH9i8k\":\"You've successfully switched borrow position.\",\"fHcELk\":\"Net APR\",\"fMJQZK\":\"Borrowed\",\"fZ5Vnu\":\"Received\",\"firl9Q\":\"Your current loan to value based on your collateral supplied.\",\"flRCF/\":\"Staking discount\",\"fldjW9\":\"Preview tx and migrate\",\"fsBGk0\":\"Balance\",\"fu1Dbh\":[\"Withdraw \",[\"symbol\"]],\"fwjWSI\":\"Supplied\",\"fwyTMb\":\"Migrate to stkABPT v2\",\"g0mals\":\"You can not disable E-Mode because that could cause liquidation. To exit E-Mode supply or repay borrowed positions.\",\"g2UNkE\":\"Powered by\",\"g8KGoA\":\"FAQS\",\"g9zzqS\":\"Voted NAY\",\"gDd2gk\":\"about SuperFest.\",\"gFFh9h\":\"All done!\",\"gIMJlW\":\"Testnet mode\",\"gOzPxe\":\"This asset is frozen due to an Aave Protocol Governance decision. <0>More details\",\"gTHi2T\":\"User is trying to borrow multiple assets including a siloed one\",\"gVW59Y\":\"Please connect your wallet to get free testnet assets.\",\"gcFNxP\":\"Approve Confirmed\",\"gncRUO\":\"This address is blocked on app.aave.com because it is associated with one or more\",\"goff7V\":\"Zero address not valid\",\"gp+f1B\":\"Version 3\",\"gr8mYw\":\"You may borrow up to <0/> GHO at <1/> (max discount)\",\"gvTM4B\":\"Net APY is the combined effect of all supply and borrow positions on net worth, including incentives. It is possible to have a negative net APY if debt APY is higher than supply APY.\",\"gzcch9\":\"Invalid bridge protocol fee\",\"h33MxW\":\"Representing smart contract wallet (ie. Safe) addresses on other chains.\",\"h3ilK+\":\".CSV\",\"hB23LY\":\"Activate Cooldown\",\"hIJzBh\":\"Available to Claim\",\"hIS4N0\":\"Net APY\",\"hRWvpI\":\"Claimed\",\"hdmy/o\":\"The % of your total borrowing power used. This is based on the amount of your collateral supplied and the total amount that you can borrow.\",\"hehnjM\":\"Amount\",\"hjDCQr\":\"There was some error. Please try changing the parameters or <0><1>copy the error\",\"hom7qf\":\"Claim\",\"hpHJ4I\":\"Liquidated collateral\",\"hpuVIp\":\"Users who stake AAVE in Safety Module (i.e. stkAAVE holders) receive a discount on GHO borrow interest rate.\",\"huQ6Tz\":[\"Borrowing \",[\"symbol\"]],\"hxi7vE\":\"Borrow balance\",\"i2JTiw\":\"You may enter a custom amount in the field.\",\"iB5+/J\":\"About GHO\",\"iChbOF\":\"Inconsistent flashloan parameters\",\"iEPVHF\":\"Not enough voting power to participate in this proposal\",\"iEW87X\":\"Delegated power\",\"iEju36\":[\"You voted \",[\"0\"]],\"iFq2YN\":\"Borrowable\",\"iGxyIA\":\"Safety Module\",\"iMVZk9\":\"Select slippage tolerance\",\"iPMIoT\":\"Enter an amount\",\"iSLIjg\":\"Connect\",\"iUo5rv\":\"tokens is not the same as staking them. If you wish to stake your\",\"iZxa38\":\"Use it to vote for or against active proposals.\",\"if5PH+\":\"Collector Info\",\"igkfR1\":[\"In Isolation mode, you cannot supply other assets as collateral. A global debt ceiling limits the borrowing power of the isolated asset. To exit isolation mode disable \",[\"0\"],\" as collateral before borrowing another asset. Read more in our <0>FAQ\"],\"il0sEG\":\"Collateral usage is limited because of Isolation mode.\",\"j+K1Xj\":\"Amount After Fee\",\"jA2QeW\":\"Supplying your\",\"jFi7dz\":\"Interest rate that is determined by Aave Governance. This rate may be changed over time depending on the need for the GHO supply to contract/expand. <0>Learn more\",\"jG3UJ7\":\"Disable E-Mode\",\"jKYzR1\":\"Enable E-Mode\",\"jMam5g\":[[\"0\"],\" Balance\"],\"jSYv+Z\":\"Enabling E-Mode allows you to maximize your borrowing power, however, borrowing is restricted to assets within the selected category. <0>Learn more about how it works and the applied restrictions.\",\"jaKbwW\":[[\"s\"],\"s\"],\"jbFMap\":\"Cooldown time left\",\"jeMZNr\":[[\"0\"],\" on-ramp service is provided by External Provider and by selecting you agree to Terms of the Provider. Your access to the service might be reliant on the External Provider being operational.\"],\"jfl9OP\":\"Migrated\",\"jmXdoY\":\"In E-Mode some assets are not borrowable. Exit E-Mode to get access to all assets\",\"jpctdh\":\"View\",\"jqzUyM\":\"Unavailable\",\"k/sb6z\":\"Select language\",\"k3wP3f\":\"<0>Attention: Parameter changes via governance can alter your account health factor and risk of liquidation. Follow the <1>Aave governance forum for updates.\",\"kACpF3\":[\"Claim \",[\"0\"]],\"kH6wUX\":\"Price impact\",\"kIC28N\":\"Available to claim\",\"kIpSye\":[[\"numSelected\"],\"/\",[\"numAvailable\"],\" assets selected\"],\"kN1Yg5\":\"To repay on behalf of a user an explicit amount to repay is needed\",\"kRTD40\":[\"Repayment amount to reach \",[\"0\"],\"% utilization\"],\"kjN9tT\":\"Supply cap is exceeded\",\"knxE+G\":\".JSON\",\"ks2LWT\":\"Debt ceiling is not zero\",\"kwwn6i\":\"Users who stake AAVE in Safety Module (i.e. stkAAVE holders) receive a discount on GHO borrow interest rate. The discount applies to 100 GHO for every 1 stkAAVE held. Use the calculator below to see GHO borrow rate with the discount applied.\",\"kz3wtK\":\"and about SPK program\",\"kzZyM4\":\"DAI balance will be converted via DSR contracts and then supplied as sDAI. Switching incurs no additional costs and no slippage.\",\"lNVG7i\":\"Select an asset\",\"lU2d1/\":[\"Asset cannot be migrated due to insufficient liquidity or borrow cap limitation in \",[\"marketName\"],\" v3 market.\"],\"lVhKKI\":\"Voted YAE\",\"lWLqxB\":\"We couldn't find any transactions related to your search. Try again with a different asset name, or reset filters.\",\"lYGfRP\":\"English\",\"lfEjIE\":\"Learn more in our <0>FAQ guide\",\"lt6bpt\":\"Collateral to repay with\",\"m/IEhi\":\"Total emission per day\",\"m7r7Hh\":\"Selected borrow assets\",\"mDDK4p\":\"Balancer Pool\",\"mIM0qu\":\"Expected amount to repay\",\"mUAFd6\":\"Version 2\",\"masO5Z\":\"E-Mode increases your LTV for a selected category of assets. <0>Learn more\",\"mdNjKU\":[\"Your \",[\"name\"],\" wallet is empty. Purchase or transfer assets or use <0>\",[\"0\"],\" to transfer your \",[\"network\"],\" assets.\"],\"muiOng\":[\"Buy \",[\"cryptoSymbol\"],\" with Fiat\"],\"mvCXBY\":\"Stake AAVE\",\"mwdzil\":\"Ok, Close\",\"mzI/c+\":\"Download\",\"mzdIia\":\"Asset cannot be used as collateral.\",\"n+SX4g\":\"Developers\",\"n8Psk4\":\"We couldn’t detect a wallet. Connect a wallet to stake and view your balance.\",\"nJIhzm\":\"Supply apy\",\"nJgsQu\":\"With a voting power of <0/>\",\"nLC6tu\":\"French\",\"nN2T8p\":\"During the cooldown period, you will not earn any merit rewards. However, rewards earned up to this point will remain unaffected.\",\"nNHV0z\":\"Migrating multiple collaterals and borrowed assets at the same time can be an expensive operation and might fail in certain situations.<0>Therefore it’s not recommended to migrate positions with more than 5 assets (deposited + borrowed) at the same time.\",\"nNbnzu\":\"Proposition\",\"nOy4ob\":\"We suggest you go back to the Dashboard.\",\"nPGNMh\":\"Can be executed\",\"nUK1ou\":[\"Assets with zero LTV (\",[\"0\"],\") must be withdrawn or disabled as collateral to perform this action\"],\"nakd8r\":\"stkAAVE holders get a discount on GHO borrow rate\",\"nh2EJK\":[\"Please switch to \",[\"networkName\"],\".\"],\"njBeMm\":\"Both\",\"noN5Xf\":\"We couldn’t detect a wallet. Connect a wallet to view your staking positions and rewards.\",\"ntkAoE\":\"Discount applied for <0/> staking AAVE\",\"ntyFSE\":[[\"h\"],\"h\"],\"nwtY4N\":\"Something went wrong\",\"nxyWvj\":\"Withdrawing this amount will reduce your health factor and increase risk of liquidation.\",\"o17QVP\":\"Your health factor and loan to value determine the assurance of your collateral. To avoid liquidations you can supply more collateral or repay borrow positions.\",\"o1xc2V\":\"AToken supply is not zero\",\"o4tCu3\":\"Borrow APY\",\"o5ooMr\":\"Debt\",\"o7J4JM\":\"Filter\",\"oHFrpj\":\"Cooldown to unstake\",\"oJ5ZiG\":\"User does not have outstanding variable rate debt on this reserve\",\"oRBGin\":\"Please connect your wallet to be able to switch your tokens.\",\"oUwXhx\":\"Test Assets\",\"oWklJD\":\"Stable interest rate will <0>stay the same for the duration of your loan. Recommended for long-term loan periods and for users who prefer predictability.\",\"odnIK3\":\"Time remaining until the 48 hour withdraw period starts.\",\"oiK5nY\":\"The current incentives period, decided on by the Aave community, has ended. Governance is in the process on renewing, check for updates. <0>Learn more.\",\"olREoo\":\"All borrow positions outside of this category must be closed to enable this category.\",\"om/XHs\":\"Available to supply\",\"ov0+mq\":\"Eligible for the ZKSync Ignite program.\",\"ovT1pF\":[\"Per the community, the \",[\"market\"],\" has been frozen.\"],\"ow3fug\":\"Nothing found\",\"owSsI3\":\"Signatures ready\",\"p+R52m\":\"Go to Balancer Pool\",\"p2A+s1\":[\"The cooldown period is \",[\"0\"],\". After \",[\"1\"],\" of cooldown, you will enter unstake window of \",[\"2\"],\". You will continue receiving rewards during cooldown and unstake window.\"],\"p2S64u\":\"The loan to value of the migrated positions would cause liquidation. Increase migrated collateral or reduce migrated borrow to continue.\",\"p2Z2Qi\":\"This asset has reached its borrow cap. Nothing is available to be borrowed from this market.\",\"p3j+mb\":\"Your reward balance is 0\",\"p45alK\":\"Set up delegation\",\"p6u2s1\":\"Minimum amount of debt to be repaid\",\"pDgeaz\":[[\"title\"]],\"pdZqBk\":\"The underlying balance needs to be greater than 0\",\"pgWG9H\":\"Not enough staked balance\",\"piPrJ7\":\"please check that the amount you want to supply is not currently being used for staking. If it is being used for staking, your transaction might fail.\",\"pjO/iH\":\"Minimum amount received\",\"pooutM\":\"Voting is on\",\"pqaM5s\":\"Confirming transaction\",\"ptaxX3\":[\"I understand how cooldown (\",[\"0\"],\") and unstaking (\",[\"1\"],\") work\"],\"py2iiY\":\"The caller of this function must be a pool\",\"q/51mF\":\"Migrate to V3\",\"q3df11\":\"Interest rate strategy\",\"q6lAbz\":\"Staked\",\"qB4kPi\":\"Supply APY\",\"qENI8q\":\"Global settings\",\"qGz5zl\":\"Collateral balance after repay\",\"qOqbD6\":\"copy the error\",\"qXCkEM\":\"Please connect your wallet to see your supplies, borrowings, and open positions.\",\"qY2jnw\":\"Invalid expiration\",\"qf/fr+\":\"Interest accrued\",\"quYPUU\":\"Variable interest rate will <0>fluctuate based on the market conditions.\",\"quzIeW\":\"User is in isolation mode or LTV is zero\",\"qvnz3q\":\"Invalid amount to burn\",\"rHgdb0\":\"Migrate to Aave V3\",\"rOrHHe\":\"Amount must be greater than 0\",\"rQ+R+0\":\"Selected supply assets\",\"rSayea\":\"APY\",\"rTBDeu\":[\"Asset cannot be migrated because you have isolated collateral in \",[\"marketName\"],\" v3 Market which limits borrowable assets. You can manage your collateral in <0>\",[\"marketName\"],\" V3 Dashboard\"],\"rcT+yy\":\"Show assets with 0 balance\",\"rf8POi\":\"Borrowed asset amount\",\"riNWOA\":\"E-Mode\",\"rjGI/Q\":\"Privacy\",\"rnKPW1\":\"Watch a wallet balance in read-only mode\",\"ruc7X+\":\"Add stkAAVE to see borrow APY with the discount\",\"rvbaFU\":[\"Bridging \",[\"symbol\"]],\"rwVVB7\":\"Claim all rewards\",\"rwyUva\":\"These assets are temporarily frozen or paused by Aave community decisions, meaning that further supply / borrow, or rate swap of these assets are unavailable. Withdrawals and debt repayments are allowed. Follow the <0>Aave governance forum for further updates.\",\"rxJW5W\":\"Your proposition power is based on your AAVE/stkAAVE balance and received delegations.\",\"s2jJnW\":\"You don't have any bridge transactions\",\"s5wBAq\":[\"Unstake \",[\"symbol\"]],\"sJbIdI\":\"Enter ETH address or ENS\",\"sK+Nag\":\"Review tx\",\"sP2+gB\":\"NAY\",\"sQv06Y\":\"for\",\"sTtO6J\":\"Confirm transaction\",\"sXKb3l\":\"Exchange rate\",\"sb0q4+\":\"You unstake here\",\"smJNwH\":\"Available to borrow\",\"solypO\":\"Health factor is not below the threshold\",\"sr0UJD\":\"Go Back\",\"ss5GCK\":\"The address of the pool addresses provider is invalid\",\"swEgK4\":\"Your voting info\",\"t+wtgf\":\"Nothing borrowed yet\",\"t/YqKh\":\"Remove\",\"t81DpC\":[\"Approve \",[\"symbol\"],\" to continue\"],\"tCnbEs\":\"Oracle price\",\"tFZLf8\":\"This gas calculation is only an estimation. Your wallet will set the price of the transaction. You can modify the gas settings directly from your wallet provider.\",\"tHuvQI\":\"Go to V3 Dashboard\",\"tKv7cI\":\"Switch borrow position\",\"tOcg3N\":\"Since this asset is frozen, the only available actions are withdraw and repay which can be accessed from the <0>Dashboard\",\"tOuXfv\":[\"Borrow amount to reach \",[\"0\"],\"% utilization\"],\"te9Bfl\":\"Please, connect your wallet\",\"tt5yma\":\"Your supplies\",\"ttoh5c\":\"Switch to\",\"u3ZeYl\":\"Transaction failed\",\"u706uF\":\"Invalid flashloan premium\",\"u8Gfu7\":[\"No search results\",[\"0\"]],\"uAQUqI\":\"Status\",\"uHMwk8\":\"No assets selected to migrate.\",\"uJPHuY\":\"Migrating\",\"uY8O30\":\"To continue, you need to grant Aave smart contracts permission to move your funds from your wallet. Depending on the asset and wallet you use, it is done by signing the permission message (gas free), or by submitting an approval transaction (requires gas). <0>Learn more\",\"udFheE\":\"For repayment of a specific type of debt, the user needs to have debt that type\",\"ulNuNq\":\"Export data to\",\"ulup2p\":\"Buy Crypto with Fiat\",\"umICAY\":\"<0><1><2/>Add stkAAVE to see borrow rate with discount\",\"usB84Z\":\"Maximum amount available to borrow is limited because protocol borrow cap is nearly reached.\",\"uwAUvj\":\"COPY IMAGE\",\"v8x7Mg\":\"Insufficient collateral to cover new borrow position. Wallet must have borrowing power remaining to perform debt switch.\",\"vEqxH9\":\"Restaked\",\"vLyv1R\":\"Hide\",\"vMba49\":\"Borrowing is not enabled\",\"vMpNwt\":\"Approve with\",\"vXIe7J\":\"Language\",\"vesuBJ\":\"Allows you to decide whether to use a supplied asset as collateral. An asset used as collateral will affect your borrowing power and health factor.\",\"w+V9Cx\":\"Stablecoin\",\"w/JtJ3\":\"Stable debt supply is not zero\",\"w4VBY+\":\"Rewards APR\",\"w9dLMW\":[[\"label\"]],\"wAOL+X\":[\"You \",[\"action\"],\" <0/> \",[\"symbol\"]],\"wBIsjb\":\"Discord channel\",\"wQZbc/\":\"The caller of the function is not an AToken\",\"wRRqvW\":\"You do not have supplies in this currency\",\"wZFvVU\":\"VOTE YAE\",\"wb/r1O\":[\"Faucet \",[\"0\"]],\"wdxz7K\":\"Source\",\"weH1nG\":\"The Aave Protocol is programmed to always use the price of 1 GHO = $1. This is different from using market pricing via oracles for other crypto assets. This creates stabilizing arbitrage opportunities when the price of GHO fluctuates.\",\"wh7Ezv\":\"You have no AAVE/stkAAVE/aAave balance to delegate.\",\"wlsIx7\":\"With testnet Faucet you can get free assets to test the Aave Protocol. Make sure to switch your wallet provider to the appropriate testnet network, select desired asset, and click ‘Faucet’ to get tokens transferred to your wallet. The assets on a testnet are not “real,” meaning they have no monetary value. <0>Learn more\",\"wmE285\":\"Get ABP v2 Token\",\"wyRrcJ\":\"As a result of governance decisions, this ABPT staking pool is now deprecated. You have the flexibility to either migrate all of your tokens to v2 or unstake them without any cooldown period.\",\"x5KiLL\":\"Selected assets have successfully migrated. Visit the Market Dashboard to see them.\",\"x7F2p6\":\"Current differential\",\"x7K5ib\":[\"Your \",[\"networkName\"],\" wallet is empty. Get free test \",[\"0\"],\" at\"],\"x9iLRD\":\"tokens, please go to the\",\"xNy/UG\":\"Repay with\",\"xPm8wv\":\"Learn more about risks involved\",\"xXYpZl\":[[\"0\"],\" Faucet\"],\"xaVBSS\":\"Your info\",\"xaWZ6f\":\"APY type change\",\"xh6k71\":\"Collateral usage is limited because of isolation mode.\",\"xvIklc\":\"Flashloan is disabled for this asset, hence this position cannot be migrated.\",\"y5rS9U\":\"Migrate\",\"y66tBm\":[\"Enable \",[\"symbol\"],\" as collateral\"],\"yB1YpA\":\"Dark mode\",\"yCrG6m\":\"Total market size\",\"yJUUbn\":\"Transaction overview\",\"yLGmLX\":[\"Restake \",[\"symbol\"]],\"yW1oWB\":\"APY type\",\"yYHqJe\":\"Not a valid address\",\"yZwLw6\":\"Track wallet\",\"yh2sjd\":[\"Price impact \",[\"0\"],\"%\"],\"yhvj6d\":\"You can not switch usage as collateral mode for this currency, because it will cause collateral call\",\"ylmtBZ\":\"The app is running in fork mode.\",\"ymNY32\":[\"There are not enough funds in the\",[\"0\"],\"reserve to borrow\"],\"yz7wBu\":\"Close\",\"z4uGQg\":\"Debt ceiling is exceeded\",\"z5UQOM\":\"The collateral chosen cannot be liquidated\",\"z5Y+p6\":[\"Supplying \",[\"symbol\"]],\"zCjNKs\":\"Action cannot be performed because the reserve is frozen\",\"zRHytX\":\"Isolated Debt Ceiling\",\"zTOjMP\":\"Protocol supply cap is at 100% for this asset. Further supply unavailable.\",\"zVdRUG\":\"Submission did not work, please try again later or contact wecare@avara.xyz\",\"zevmS2\":\"<0><1><2/>Add <3/> stkAAVE to borrow at <4/> (max discount)\",\"zgtIDV\":\"Remaining debt\",\"zmTPiV\":\"Supply balance\",\"zpPbZl\":\"Liquidation risk parameters\",\"zucql+\":\"Menu\",\"zwWKhA\":\"Learn more\",\"zy9fXn\":[\"Asset is frozen in \",[\"marketName\"],\" v3 market, hence this position cannot be migrated.\"],\"zys+R6\":\"Be mindful of the network congestion and gas prices.\",\"zzzTXS\":\"Merit Program rewards are claimed through the\"}")}; \ No newline at end of file diff --git a/src/locales/en/messages.po b/src/locales/en/messages.po index 06e45640fd..cb392767e3 100644 --- a/src/locales/en/messages.po +++ b/src/locales/en/messages.po @@ -422,6 +422,10 @@ msgstr "Copy error message" msgid "repaid" msgstr "repaid" +#: src/modules/umbrella/StakeAssets/UmbrellaAssetsList.tsx +msgid "Available to Stake" +msgstr "Available to Stake" + #: src/components/transactions/Warnings/ChangeNetworkWarning.tsx msgid "Switch Network" msgstr "Switch Network" @@ -438,9 +442,15 @@ msgstr "APY, borrow rate" #: src/components/incentives/IncentivesTooltipContent.tsx #: src/components/incentives/MeritIncentivesTooltipContent.tsx #: src/components/incentives/ZkSyncIgniteIncentivesTooltipContent.tsx +#: src/modules/umbrella/StakingApyItem.tsx +#: src/modules/umbrella/StakingApyItem.tsx msgid "APR" msgstr "APR" +#: src/modules/umbrella/helpers/Helpers.tsx +msgid "Total" +msgstr "Total" + #: src/modules/reserve-overview/Gho/GhoDiscountCalculator.tsx msgid "Discount parameters are decided by the Aave community and may be changed over time. Check Governance for updates and vote to participate. <0>Learn more" msgstr "Discount parameters are decided by the Aave community and may be changed over time. Check Governance for updates and vote to participate. <0>Learn more" @@ -876,6 +886,10 @@ msgstr "Legacy Markets" msgid "Learn more." msgstr "Learn more." +#: src/modules/umbrella/UmbrellaHeader.tsx +msgid "Users can stake their assets in the protocol and earn incentives. In the case of a shortfall event, your stake can be slashed to cover the deficit, providing an additional layer of protection for the protocol." +msgstr "Users can stake their assets in the protocol and earn incentives. In the case of a shortfall event, your stake can be slashed to cover the deficit, providing an additional layer of protection for the protocol." + #: src/modules/migration/MigrationList.tsx #: src/modules/migration/MigrationList.tsx msgid "Current v2 balance" @@ -985,6 +999,10 @@ msgstr "Reload" msgid "Save and share" msgstr "Save and share" +#: src/components/transactions/FlowCommons/TxModalDetails.tsx +msgid "Days" +msgstr "Days" + #: src/components/infoTooltips/MigrationDisabledTooltip.tsx msgid "Asset cannot be migrated to {marketName} v3 Market since collateral asset will enable isolation mode." msgstr "Asset cannot be migrated to {marketName} v3 Market since collateral asset will enable isolation mode." @@ -1038,6 +1056,7 @@ msgstr "Liquidation at" #: src/modules/dashboard/DashboardEModeButton.tsx #: src/modules/reserve-overview/ReserveTopDetailsWrapper.tsx #: src/modules/staking/GhoDiscountProgram.tsx +#: src/modules/umbrella/UmbrellaMarketSwitcher.tsx msgid "{0}" msgstr "{0}" @@ -1064,11 +1083,15 @@ msgstr "Reward(s) to claim" #: src/components/transactions/Stake/StakeActions.tsx #: src/modules/staking/StakingPanel.tsx #: src/modules/staking/StakingPanel.tsx -#: src/ui-config/menu-items/index.tsx +#: src/modules/umbrella/StakeAssets/UmbrellaAssetsListItem.tsx +#: src/modules/umbrella/StakeAssets/UmbrellaAssetsListMobileItem.tsx +#: src/modules/umbrella/StakeAssets/UmbrellaStakeAssetsListItem.tsx +#: src/modules/umbrella/UmbrellaActions.tsx msgid "Stake" msgstr "Stake" #: src/components/transactions/Stake/StakeModalContent.tsx +#: src/modules/umbrella/UmbrellaModalContent.tsx msgid "Not enough balance on your wallet" msgstr "Not enough balance on your wallet" @@ -1085,6 +1108,7 @@ msgstr "Get GHO" #: src/components/transactions/Supply/SupplyModalContent.tsx #: src/modules/dashboard/lists/SupplyAssetsList/SupplyAssetsList.tsx #: src/modules/faucet/FaucetAssetsList.tsx +#: src/modules/umbrella/UmbrellaModalContent.tsx msgid "Wallet balance" msgstr "Wallet balance" @@ -1147,6 +1171,7 @@ msgstr "Wrong Network" #: src/components/transactions/Stake/StakeActions.tsx #: src/modules/staking/StakingHeader.tsx +#: src/modules/umbrella/UmbrellaActions.tsx msgid "Staking" msgstr "Staking" @@ -1226,6 +1251,10 @@ msgstr "Tip: Try increasing slippage or reduce input amount" msgid "Switch" msgstr "Switch" +#: src/modules/umbrella/UmbrellaHeader.tsx +msgid "Staking 00" +msgstr "Staking 00" + #: src/components/transactions/DebtSwitch/DebtSwitchModalContent.tsx msgid "Maximum amount received" msgstr "Maximum amount received" @@ -1397,6 +1426,10 @@ msgstr "Borrow apy" msgid "Fee" msgstr "Fee" +#: src/modules/umbrella/helpers/Helpers.tsx +msgid "Participating in staking {symbol} gives annualized rewards. Your wallet balance is the sum of your aTokens and underlying assets. The breakdown to stake is below" +msgstr "Participating in staking {symbol} gives annualized rewards. Your wallet balance is the sum of your aTokens and underlying assets. The breakdown to stake is below" + #: src/components/transactions/Swap/SwapModalDetails.tsx #: src/modules/migration/MigrationListMobileItem.tsx #: src/modules/reserve-overview/ReserveEModePanel.tsx @@ -1465,6 +1498,12 @@ msgstr "State" msgid "Proposal details" msgstr "Proposal details" +#: src/modules/umbrella/AvailableToClaimItem.tsx +#: src/modules/umbrella/AvailableToStakeItem.tsx +#: src/modules/umbrella/StakingApyItem.tsx +msgid "lorem ipsum" +msgstr "lorem ipsum" + #: src/modules/staking/StakingHeader.tsx msgid "AAVE, GHO, and ABPT holders (Ethereum network only) can stake their assets in the Safety Module to add more security to the protocol and earn Safety Incentives. In the case of a shortfall event, your stake can be slashed to cover the deficit, providing an additional layer of protection for the protocol." msgstr "AAVE, GHO, and ABPT holders (Ethereum network only) can stake their assets in the Safety Module to add more security to the protocol and earn Safety Incentives. In the case of a shortfall event, your stake can be slashed to cover the deficit, providing an additional layer of protection for the protocol." @@ -1499,6 +1538,7 @@ msgid "Enabled" msgstr "Enabled" #: src/modules/staking/StakingHeader.tsx +#: src/modules/umbrella/UmbrellaHeader.tsx msgid "Funds in the Safety Module" msgstr "Funds in the Safety Module" @@ -1583,6 +1623,10 @@ msgstr "Borrow" msgid "Liquidation penalty" msgstr "Liquidation penalty" +#: src/modules/umbrella/StakeAssets/UmbrellaAssetsListMobileItem.tsx +msgid "Available to stake" +msgstr "Available to stake" + #: src/modules/reserve-overview/SupplyInfo.tsx msgid "Asset can only be used as collateral in isolation mode only." msgstr "Asset can only be used as collateral in isolation mode only." @@ -1789,6 +1833,10 @@ msgstr "Amount to Bridge" msgid "Please always be aware of your <0>Health Factor (HF) when partially migrating a position and that your rates will be updated to V3 rates." msgstr "Please always be aware of your <0>Health Factor (HF) when partially migrating a position and that your rates will be updated to V3 rates." +#: src/ui-config/menu-items/index.tsx +msgid "Umbrella" +msgstr "Umbrella" + #: src/components/transactions/GovVote/GovVoteActions.tsx #: src/components/transactions/GovVote/GovVoteActions.tsx msgid "VOTE NAY" @@ -1856,11 +1904,16 @@ msgstr "Max slashing" msgid "Before supplying" msgstr "Before supplying" +#: src/modules/umbrella/StakeAssets/UmbrellaAssetsListContainer.tsx +msgid "Assets to stake" +msgstr "Assets to stake" + #: src/modules/dashboard/LiquidationRiskParametresModal/components/HFContent.tsx msgid "Liquidation value" msgstr "Liquidation value" #: src/modules/markets/MarketAssetsListContainer.tsx +#: src/modules/umbrella/StakeAssets/UmbrellaAssetsListContainer.tsx msgid "We couldn't find any assets related to your search. Try again with a different asset name, symbol, or address." msgstr "We couldn't find any assets related to your search. Try again with a different asset name, symbol, or address." @@ -1929,6 +1982,10 @@ msgstr "Eligible for the Merit program." msgid "Cooldown period warning" msgstr "Cooldown period warning" +#: src/components/transactions/FlowCommons/TxModalDetails.tsx +msgid "Cooldown" +msgstr "Cooldown" + #: src/components/incentives/ZkSyncIgniteIncentivesTooltipContent.tsx msgid "ZKSync Ignite Program rewards are claimed through the" msgstr "ZKSync Ignite Program rewards are claimed through the" @@ -1940,6 +1997,7 @@ msgstr "ZKSync Ignite Program rewards are claimed through the" #: src/modules/dashboard/lists/SuppliedPositionsList/SuppliedPositionsList.tsx #: src/modules/faucet/FaucetAssetsList.tsx #: src/modules/markets/MarketAssetsList.tsx +#: src/modules/umbrella/StakeAssets/UmbrellaAssetsList.tsx msgid "Asset" msgstr "Asset" @@ -2186,6 +2244,7 @@ msgid "You've successfully switched borrow position." msgstr "You've successfully switched borrow position." #: src/components/incentives/IncentivesTooltipContent.tsx +#: src/modules/umbrella/StakingApyItem.tsx msgid "Net APR" msgstr "Net APR" @@ -2316,6 +2375,10 @@ msgstr ".CSV" msgid "Activate Cooldown" msgstr "Activate Cooldown" +#: src/modules/umbrella/StakeAssets/UmbrellaAssetsList.tsx +msgid "Available to Claim" +msgstr "Available to Claim" + #: src/modules/dashboard/DashboardTopPanel.tsx msgid "Net APY" msgstr "Net APY" @@ -2393,6 +2456,10 @@ msgstr "You voted {0}" msgid "Borrowable" msgstr "Borrowable" +#: src/ui-config/menu-items/index.tsx +msgid "Safety Module" +msgstr "Safety Module" + #: src/modules/dashboard/lists/SlippageList.tsx msgid "Select slippage tolerance" msgstr "Select slippage tolerance" @@ -2503,6 +2570,10 @@ msgstr "Claim {0}" msgid "Price impact" msgstr "Price impact" +#: src/modules/umbrella/StakeAssets/UmbrellaAssetsListMobileItem.tsx +msgid "Available to claim" +msgstr "Available to claim" + #: src/modules/migration/MigrationMobileList.tsx msgid "{numSelected}/{numAvailable} assets selected" msgstr "{numSelected}/{numAvailable} assets selected" @@ -2570,6 +2641,7 @@ msgid "Collateral to repay with" msgstr "Collateral to repay with" #: src/modules/staking/StakingHeader.tsx +#: src/modules/umbrella/UmbrellaHeader.tsx msgid "Total emission per day" msgstr "Total emission per day" @@ -2676,6 +2748,10 @@ msgstr "Please switch to {networkName}." msgid "Both" msgstr "Both" +#: pages/umbrella.page.tsx +msgid "We couldn’t detect a wallet. Connect a wallet to view your staking positions and rewards." +msgstr "We couldn’t detect a wallet. Connect a wallet to view your staking positions and rewards." + #: src/components/transactions/Borrow/GhoBorrowModalContent.tsx msgid "Discount applied for <0/> staking AAVE" msgstr "Discount applied for <0/> staking AAVE" @@ -2851,6 +2927,7 @@ msgstr "Interest rate strategy" #: src/components/transactions/Stake/StakeModalContent.tsx #: src/modules/staking/StakingPanel.tsx #: src/modules/staking/StakingPanel.tsx +#: src/modules/umbrella/UmbrellaModalContent.tsx msgid "Staked" msgstr "Staked" @@ -2925,6 +3002,8 @@ msgstr "Selected supply assets" #: src/modules/history/actions/BorrowRateModeBlock.tsx #: src/modules/history/actions/BorrowRateModeBlock.tsx #: src/modules/reserve-overview/SupplyInfo.tsx +#: src/modules/umbrella/StakeAssets/UmbrellaAssetsList.tsx +#: src/modules/umbrella/StakeAssets/UmbrellaAssetsListMobileItem.tsx msgid "APY" msgstr "APY" @@ -3256,6 +3335,7 @@ msgid "Repay with" msgstr "Repay with" #: src/modules/staking/StakingHeader.tsx +#: src/modules/umbrella/UmbrellaHeader.tsx msgid "Learn more about risks involved" msgstr "Learn more about risks involved" diff --git a/src/locales/es/messages.js b/src/locales/es/messages.js index 1c89bc037b..91813fed70 100644 --- a/src/locales/es/messages.js +++ b/src/locales/es/messages.js @@ -1 +1 @@ -/*eslint-disable*/module.exports={messages:JSON.parse("{\"+0xecS\":[\"Si NO unstakeas entre \",[\"0\"],\" de la ventana de unstakeo, necesitarás activar el proceso de cooldown de nuevo.\"],\"+EGVI0\":\"Recibir (est.)\",\"+VR63W\":[\"Participar en esta reserva de \",[\"symbol\"],\" da recompensas anuales.\"],\"+bmKdK\":\"Utiliza tu balance de AAVE, stkAAVE o aAava para delegar tu voto y poder de proposición. No enviarás ningún token, solo los derechos de votar y proponer cambios en el protocolo. Puedes volver a delegar o revocar el poder de vuelta en cualquier momento.\",\"+eOPG+\":\"Parece que no podemos cambiar la red automáticamente. Por favor, comprueba si puedes cambiarla desde la cartera.\",\"+i3Pd2\":\"Límite del préstamo\",\"+kLZGu\":\"Cantidad de activos suministrados\",\"+nuEh/\":\"Estimated time\",\"+xMFF8\":\"Remind me\",\"/57U31\":\"Cantidad para migrar\",\"/7ykiW\":\"Tomar prestado esta cantidad reducirá tu factor de salud y aumentará el riesgo de liquidación.\",\"/YA5pU\":\"E-Mode increases your LTV for a selected category of assets, meaning that when E-mode is enabled, you will have higher borrowing power over assets of the same E-mode category which are defined by Aave Governance. You can enter E-Mode from your <0>Dashboard. To learn more about E-Mode and applied restrictionn, see the <1>help guide or the <2>Aave V3 Technical Paper.\",\"/izjs/\":\"Cantidad mínima de Aave stakeado\",\"/jQctM\":\"To\",\"/lDBHm\":\"Preguntas frecuentes\",\"/yNlZf\":\"El préstamo estable no está habilitado\",\"/yQcJM\":\"Valor total\",\"00AB2i\":\"El usuario no tomó prestado el activo especificado\",\"00OflG\":\"No hay suficiente liquidez para que el activo seleccionado realice el cambio. Prueba reduciendo la cantidad.\",\"08/rZ9\":\"El periodo de cooldown es el tiempo requerido antes de unstakear tus tokens (20 días). Solo puedes retirar tus activos del Módulo de Seguridad después del periodo de cooldown y dentro de la ventana de unstakeo.<0>Aprende más\",\"0AmQcW\":\"Cambio de tasa\",\"0BF3yK\":\"Lo sentimos, no hemos podido encontrar la página que estabas buscando.\",\"0TAbjq\":\"Recent Transactions\",\"0jhlyw\":\"Riesgo de liquidación\",\"0ojY+Y\":\"Balance actual v2\",\"0thX3P\":\"Cambio de garantía\",\"0wGCWc\":\"Esta es la cantidad total que puedes suministrar en esta reserva. Puedes suministrar el balance de tu cartera hasta que se alcance el límite de suministro.\",\"1AsVfF\":\"Los datos de los precios no están disponibles actualmente para esta reserva en el subgraph del protocolo\",\"1LjK22\":\"Historial de transacciones\",\"1Onqx8\":[\"Aprobando \",[\"symbol\"],\"...\"],\"1Ue8sX\":\"Por favor conecta una cartera para ver tu información personal aquí.\",\"1bpx9A\":\"...\",\"1kWUB+\":\"Umbral <0/> de liquidación\",\"1m9Qqc\":\"Retirando y Cambiando\",\"1oyh4g\":\"Borrow rate\",\"1t7rez\":\"El suministro de activos está limitado a una cierta cantidad para reducir la exposición del protocolo a este activo y ayudar a manejar los riesgos implicados.\",\"2CAPu2\":\"Has retirado y cambiado tokens con éxito.\",\"2Eoi/a\":\"Ver detalles\",\"2FYpfJ\":\"Más\",\"2O3qp5\":\"Liquidez disponible\",\"2OM8/D\":[\"Este activo no se puede migrar debido a una restricción del límite de suministro en el mercado v3 de \",[\"marketName\"],\".\"],\"2Q4GU4\":\"Dirección bloqueada\",\"2ZGocC\":\"Aave es un protocolo totalmente descentralizado, gobernado por la comunidad de poseedores de tokens AAVE. Los poseedores de tokens AAVE discuten, proponen y votan colectivamente sobre las actualizaciones del protocolo. Los poseedores de tokens AAVE (solo en la red Ethereum) pueden votar ellos mismos sobre nuevas propuestas o delegarse a una dirección de su elección. Para aprender más, consulta la\",\"2a6G7d\":\"Por favor introduce una dirección de cartera válida.\",\"2bAhR7\":\"Conoce GHO\",\"2eBWE6\":\"Acepto los riesgos involucadros.\",\"2o/xRt\":\"Se ha alcanzado el límite de suministro en la reserva especificada. Prueba reduciendo la cantidad.\",\"2uJToh\":[[\"0\"],[\"name\"]],\"2x58bP\":\"El préstamo estable no está habilitado\",\"34Qfwy\":\"El límite del préstamo se ha sobrepasado\",\"39eQRj\":[\"Tomar prestado \",[\"symbol\"]],\"3BL1xB\":\"Total suministrado\",\"3BnIWi\":\"Cambiado\",\"3K0oMo\":\"Suministro restante\",\"3MoZhl\":\"No hay suficiente garantía para cubrir un nuevo préstamo\",\"3Np5O8\":[\"Suministrar \",[\"symbol\"]],\"3O8YTV\":\"Interés total acumulado\",\"3mXg0z\":\"LTV máximo\",\"3q3mFy\":\"Pagar\",\"3qsjtp\":\"El promedio ponderado de APY para todos los activos suministrados, incluidos los incentivos.\",\"3rL+os\":\"Solo puedes retirar tus activos del Módulo de Seguridad después de que finalice el período de cooldown y la ventana de unstakeo esté activa.\",\"42UgDM\":[\"Migrar al mercado V3 de \",[\"0\"]],\"49UFQA\":\"Resultados de la votación\",\"4DMZUI\":\"Ver Transacciones\",\"4HtGBb\":\"MAX\",\"4Y5H+g\":\"Términos\",\"4YYh4d\":\"Máximo disponible para tomar prestado\",\"4iPAI3\":\"Cantidad de préstamo mínima de GHO\",\"4lDFps\":\"Firma para continuar\",\"4wyw8H\":\"Transacciones\",\"5JSSxX\":[\"Tu cartera de \",[\"networkName\"],\" está vacía. Consigue activos de prueba gratis en\"],\"5K7kGO\":\"documentación\",\"5NOSGa\":\"El límite de deuda limita la cantidad posible que los usuarios del protocolo pueden tomar prestado contra este activo. El límite de deuda es específico para los activos en isolation mode y se indica en USD.\",\"5Ncc6j\":[\"Este activo casi ha alcanzado su límite de suministro. Solo se puede suministrar \",[\"messageValue\"],\" a este mercado.\"],\"5cZ/KX\":\"El suministro de deuda variable no es cero\",\"5che++\":\"Para solicitar acceso a este mercado, porfavor visita: <0>Nombre del proveedor de acceso\",\"5ctNdV\":[\"Mínimo \",[\"0\"],\" recibido\"],\"5hDe9v\":\"Acción de permiso requerida\",\"5rsnKT\":\"Recompensas disponibles\",\"5yC5m5\":\"Ver todos los votos\",\"6/dCYd\":\"Resumen\",\"60crCe\":\"Todas las transacciones\",\"62Xcjh\":\"Garantía\",\"65A04M\":\"Español\",\"6G8s+q\":\"Firmando\",\"6Jrv+z\":[\"Pagar \",[\"symbol\"]],\"6NGLTR\":\"Cantidad descontable\",\"6Xr0UU\":\"Cooling down...\",\"6bxci/\":\"Poder de votación\",\"6f8S68\":\"Mercados\",\"6g1gi0\":\"Propuestas\",\"6gvoHP\":\"Copiar mensaje de error\",\"6h3Q5G\":\"reembolsado\",\"6s8L6f\":\"Cambiar de red\",\"6yAAbq\":\"APY, tasa de préstamo\",\"70wH1Q\":\"APR\",\"73Auuq\":\"Los parámetros de descuento son decididos por la comunidad de Aave y pueden cambiar con el tiempo. Consulta el Gobierno para ver actualizaciones y vota para participar. <0>-Aprende más\",\"75qcAQ\":[[\"stepName\"]],\"7ITr5L\":\"Factor de salud\",\"7T/o5R\":\"Alcanzado\",\"7YlcXu\":\"El fork mode está activado\",\"7Z76Iw\":\"Tomar prestado no está disponible porque estás usando el Isolation mode. Para administrar el Isolation mode, visita tu <0>Panel de control.\",\"7aKlMS\":\"Compartir en Lens\",\"7er5fP\":\"Reclamar todo\",\"7hb2+s\":\"Time remaining until the withdraw period ends.\",\"7l88b8\":\"No se pudieron recuperar los datos, por favor recarga el gráfico.\",\"7p5kLi\":\"Panel de control\",\"7sofdl\":\"Retirar y Cambiar\",\"8+6BI0\":\"Ten cuidado - Estás muy cerca de la liquidación. Considera depositar más garantía o pagar alguno de tus préstamos\",\"87pUEW\":[\"Tu cartera de \",[\"name\"],\" está vacía. Compra o transfiere activos.\"],\"8F1i42\":\"Página no encontrada\",\"8G8M0u\":\"Cargando datos...\",\"8Iu1QS\":\"retirado\",\"8JL93T\":\"Todas las propuestas\",\"8Q51DU\":\"Añadir a la cartera\",\"8X/oyn\":\"Cantidad invalidad para generar\",\"8Z5FPv\":\"Desconectar cartera\",\"8Zz7s5\":\"activos\",\"8aLW8H\":\"Balance a revocar\",\"8bOT3H\":\"Tasa de uso\",\"8sLe4/\":\"Ver contrato\",\"8t/M0y\":\"Please connect your wallet to be able to bridge your tokens.\",\"8vETh9\":\"Mostrar\",\"94OHPx\":\"Estás entrando en el Isolation mode\",\"9CDK3/\":[\"Tomar prestado no está disponible actualmente para \",[\"0\"],\".\"],\"9GIj3z\":\"Tamaño de la reserva\",\"9Knqb4\":\"Balance stakeado\",\"9OBKm7\":\"Quorum\",\"9QHoGr\":\"Votos actuales\",\"9Rw96f\":[\"Este activo casi ha alcanzado su límite de préstamo. Solo hay \",[\"messageValue\"],\" disponibles para ser prestado de este mercado.\"],\"9Xj/qR\":[\"Algunos activos migrados no se utilizarán como garantía debido al isolation mode habilitado en el mercado V3 de \",[\"marketName\"],\". Visita el <0>Panel de control de \",[\"marketName\"],\" V3 para administrar el isolation mode.\"],\"9c6vDV\":\"Este activo ha alcanzado su límite de suministro. No queda nada disponible para ser suministrado desde este mercado.\",\"9kTWHA\":\"MAI ha sido pausado debido a una decisión de la comunidad. Los suministros, préstamos y pagos se han visto afectados. <0>Más información\",\"9lXchd\":\"Token subyacente\",\"9rWaKF\":\"Bridged Via CCIP\",\"9xSooW\":\"Puesto que esta es una red de pruebas, puedes obtener cualquiera de los activos si tienes ETH en tu cartera\",\"A/lwoe\":\"Elige uno de los servicios on-ramp\",\"A6dCI6\":[\"La máxima cantidad disponible para tomar prestado es <0/> \",[\"0\"],\" (<1/>).\"],\"AReoaV\":\"Tus préstamos\",\"ARu1L4\":\"Pagado\",\"AV7cGz\":\"Revisa los detalles del approve\",\"AZOjB8\":\"Recuperando datos...\",\"Ai0jas\":\"Únete a la discusión de la comunidad\",\"Ajl2rq\":\"El poder de préstamo y los activos están limitados debido al Isolation mode.\",\"AqgYNC\":\"El límite de préstamo del protocolo está al 100% para este activo. No es posible tomar más prestado.\",\"B3EcQR\":\"¡Gracias por votar!\",\"B6aXGH\":\"Estable\",\"B9Gqbz\":\"Tasa variable\",\"BDFEd+\":\"stETH suministrado como garantía continuará acumulando recompensas de staking proporcionadas por rebases diarios.\",\"BE2mP0\":\"Borrowed assets\",\"BJyN77\":\"Debido al impacto del factor de salud, se requiere un préstamo flash para realizar esta transacción, pero el Gobierno de Aave ha inhabilitado la disponibilidad de préstamos flash para este activo. Intenta reducir la cantidad o suministrar garantía adicional.\",\"BNL4Ep\":\"El uso como garantía está limitado debido al isolation mode. <0>Aprende más\",\"BQ/wCO\":\"Migrate your assets\",\"BjLdl1\":\"Con un descuento\",\"BnhYo8\":\"Categoría de activos\",\"Bq9Y7e\":\"Este activo está congelado debido a una decisión de la comunidad de Aave. <0>Más información\",\"BqWMDJ\":\"Faucet\",\"BqynZO\":\"Optimized for efficiency and risk by supporting blue-chip collateral assets\",\"Bsu7zX\":\"The fee includes the gas cost to complete the transaction on the destination chain and the fee paid to Chainlink CCIP service providers. You can chose to pay in the network token or GHO. <0>Learn more\",\"BwJKBw\":\"de\",\"CDrsH+\":\"Documento técnico\",\"CK1KXz\":\"Max\",\"CMHmbm\":\"Deslizamiento\",\"CZXzs4\":\"Griego\",\"CcRNG6\":\"Cambiando\",\"CkTRmy\":[\"Reclamar \",[\"symbol\"]],\"CsqtLm\":\"Por favor conecta tu cartera para ver la herramienta de migración.\",\"CtGlFb\":[\"Faucet \",[\"networkName\"]],\"Cxt2YY\":\"Watch wallet\",\"D33VQU\":\"Esta acción reducirá el factor de salud de V3 por debajo del umbral de liquidación. Aumenta la garantía migrada o reduce el préstamo migrado para continuar.\",\"D9BLRG\":\"Este activo ha sido pausado debido a una decisión de la comunidad. El suministro, los retiros, los préstamos y los pagos se han visto afectados.\",\"DAma/S\":\"La garantía es (en su mayoría) el mismo activo que se está tomando prestado\",\"DCnFg0\":[\"Direcciones (\",[\"0\"],\")\"],\"DG3Lv1\":\"Entiendo completamente los riesgos de migrar.\",\"DONJcV\":\"El activo base no puede ser rescatado\",\"DR+4uL\":\"Balance del suministro después del cambio\",\"DWjrck\":[\"Este activo no se puede migrar al mercado V3 de \",[\"marketName\"],\" debido a las restricciones del E-mode. Puedes deshabilitar o administrar las categorías del E-mode en tu <0>Panel de control V3\"],\"Dj+3wB\":\"Aave por mes\",\"DuEq2K\":\"Colateralización\",\"DxfsGs\":\"Puedes reportar cualquier incidente a nuestro <0>Discord o <1>Github.\",\"Dzma+E\":\"Main Ethereum market with the largest selection of assets and yield options\",\"E/QGRL\":\"Deshabilitado\",\"EBL9Gz\":\"¡COPIADO!\",\"ES8dkb\":\"Interés fijo\",\"EZd3Dk\":[\"Restakeando \",[\"symbol\"]],\"Ebgc76\":[\"Retirando \",[\"symbol\"]],\"EdQY6l\":\"Ninguno\",\"EjvKQ+\":\"Valor mínimo en USD recibido\",\"Enslfm\":\"Destination\",\"EvE9nO\":[\"Reactivar el periodo de cooldown para unstakear \",[\"0\"],\" \",[\"stakedToken\"]],\"EvECnL\":\"Migrar a V3\",\"EzMQbh\":\"The source chain time to finality is the main factor that determines the time to destination. <0>Learn more\",\"F40cwT\":\"Legacy Markets\",\"F6TdXL\":\"Aprende más.\",\"FHlMf/\":\"Balance actual v2\",\"FHpxjF\":[\"El factor de reserva es un porcentaje de interés que va a un \",[\"0\"],\" que es controlado por el gobierno de Aave para promover el crecimiento del ecosistema.\"],\"FOBZa6\":\"Capacidad de préstamo utilizada\",\"FPKEug\":\"Operación no soportada\",\"FbmMe7\":\"Direcciones vinculadas\",\"Fdp03t\":\"en\",\"Fjw9N+\":\"Activos a suministrar\",\"FmN0fk\":\"Restakear\",\"GDGLIs\":\"GHO es un activo nativo descentralizado, digital y respaldado por garantía, vinculado al USD. Es creado por los usuarios que lo toman prestado contra múltiples garantías. Cuando el usuario paga su posición de préstamo de GHO, el protocolo quema el GHO de ese usuario. Todos los pagos de interés acumulados por los acuñadores de GHO serán transferidos directamente a la tesorería de\xA0la\xA0DAO\xA0de\xA0Aave.\",\"GQrBTq\":\"Cambiar E-Mode\",\"GWswcZ\":\"Este activo está congelado debido a una decisión del Gobierno del Protocolo Aave. El 20 de diciembre de 2022, renFIL ya no será compatible y no se podrá conectar de nuevo a su red nativa. Se recomienda retirar las posiciones de suministro y pagar las posiciones de préstamo para que renFIL se pueda convertir de nuevo a FIL antes de la fecha límite. Después de esta fecha, ya no será posible convertir renFIL a FIL. <0>Más detalles\",\"GX8GKD\":\"Activos\",\"GgEj+0\":\"Modo de solo lectura. Conéctate a una cartera para realizar transacciones.\",\"GjkIKV\":\"finaliza\",\"GoK/QN\":\"Thank you for submitting feedback!\",\"GtP2hp\":[\"Tomar prestado no está disponible porque has habilitado el Efficieny Mode (E-Mode) para la categoría \",[\"0\"],\". Para manejar las categorías del E-Mode visita tu <0>Panel de control.\"],\"H6Ma8Z\":\"Descuento\",\"HB/wfS\":[[\"tooltipText\"]],\"HKDsQN\":\"Rewards can be claimed through\",\"Ha/U5f\":\"This is a program initiated and implemented by the decentralised ZKSync community. Aave Labs does not guarantee the program and accepts no liability.\",\"HciqKU\":\"This is a program initiated and implemented by the decentralised Aave community. Aave Labs does not guarantee the program and accepts no liability.\",\"Hi6Ttn\":\"Lo sentimos, se produjo un error imprevisto. Mientras tanto, puedes intentar recargar la página, o volver después.\",\"HkEDbS\":[[\"d\"],\"d\"],\"HmkYqM\":\"Ventana de unstakeo\",\"HpK/8d\":\"Recargar\",\"HrnC47\":\"Guardar y compartir\",\"HvJKMU\":[\"Este activo no se puede migrar al mercado v3 de \",[\"marketName\"],\", ya que el activo de garantía habilitará el isolation mode.\"],\"Hvwnm9\":[\"La cantidad máxima disponible para suministrar está limitada porque el límite de suministro del protocolo está al \",[\"0\"],\"%.\"],\"I8CX2c\":\"La cantidad total de tus activos denominados en USD que pueden ser usados como garantía para activos de préstamo.\",\"IAD2SB\":[\"Reclamando \",[\"symbol\"]],\"IG9X9/\":\"Tomar prestado este activo está limitado a una cierta cantidad para minimizar la insolvencia del fondo de liquidez.\",\"IOIx8L\":\"Está previsto que este activo se desvincule debido a una decisión del Gobierno del Protocolo Aave. <0>Más detalles\",\"IP+I/j\":\"Periodo de cooldown\",\"IaA40H\":\"Liquidación en\",\"J/hVSQ\":[[\"0\"]],\"JCoxL6\":\"Administrar analíticas\",\"JK9zf1\":[\"Interés compuesto estimado, incluyendo el descuento por Staking \",[\"0\"],\"AAVE en el Módulo de Seguridad.\"],\"JOqFba\":[\"Unstakeando \",[\"symbol\"]],\"JPrLjO\":\"No puedes usar este activo como garantía\",\"JU6q+W\":\"Recompensa(s) por reclamar\",\"JYKRJS\":\"Stakear\",\"JZMxX0\":\"No hay suficiente balance en tu cartera\",\"Jgflkm\":\"Obtener GHO\",\"JoMQnI\":\"Balance de la cartera\",\"JtwD8u\":\"Balance tomado prestado tras pagar\",\"JumYTK\":\"Supplied assets\",\"K05qZY\":\"Retirar y Cambiar\",\"KAz/NV\":\"El límite de deuda del protocolo está al 100% para este activo. No es posible tomar más prestado usando este activo como garantía.\",\"KLXVqE\":[\"Los tokens stETH se migrarán a Wrapped stETH usando el wrapper del protocolo de Lido, lo que provoca un cambio en el balance de suministro después de la migración: \",[\"0\"]],\"KLd6ky\":\"Use connected account\",\"KRpokz\":\"VER TX\",\"KSlpka\":\"Esto representa el umbral en el que un préstamo será considerado sin garantía suficiente y sujeto a la liquidación de la misma. Por ejemplo, si una garantía tiene un umbral de liquidación del 80 %, significa que el préstamo será liquidado cuando el valor de la deuda alcanze el 80% del valor de la garantía.\",\"KYAjf3\":\"Aislado\",\"KZwRuD\":[[\"notifyText\"]],\"KkPgim\":\"Cambiando E-Mode\",\"KnN1Tu\":\"Caduca\",\"KoOBI2\":\"Debido a mecánicas internas de stETH requeridas para el soporte del rebase, no es posible realizar un cambio de garantía donde stETH es el token de origen.\",\"KojyJ4\":\"Red incorrecta\",\"KsqhWn\":\"Staking\",\"KuBTQq\":\"Introduce la dirección ETH\",\"KvG1xW\":\"Reclamando\",\"L+8Lzs\":\"LTV actual\",\"L+qiq+\":\"Mercado\",\"LDzfVJ\":\"Send Feedback\",\"LIrMcF\":\"Sin poder de voto\",\"LL0zks\":\"Puede ser garantía\",\"LLdJWu\":\"AAVE Reclamable\",\"LSIpNK\":\"Tomar prestado y pagar en el mismo bloque no está permitido\",\"LVt3TI\":[\"<0>Tolerancia de deslizamiento <1>\",[\"selectedSlippage\"],\"% <2>\",[\"0\"],\"\"],\"LjafV8\":\"Maximum collateral amount to use\",\"LtpQew\":\"Let us know how we can make the app better for you. For user support related inquiries please reach out on\",\"LvVpD/\":\"Modo E\",\"M2sknc\":\"Tip: Intenta aumentar el deslizamiento o reduce la cantidad de entrada\",\"M7wPsD\":\"Cambiar\",\"MIy2RJ\":\"Maximum amount received\",\"MZ/nQf\":\"Dirección del destinatario\",\"Ma/MtY\":\"vista de stakeo\",\"McHlGl\":\"Cambio de APY\",\"MeCCA+\":\"APY, variable\",\"MghdTe\":\"Si el factor de salud se encuentra por debajo de 1, la liquidación de tu colateral puede ser activada.\",\"Mm/DVQ\":\"Has cancelado la transacción.\",\"MnE2QX\":\"Información de préstamo\",\"MrmQHg\":\"View Bridge Transactions\",\"MuDFEQ\":\"Valor de retorno inválido en la función executor del préstamo flash\",\"N5kUMV\":\"Este activo solo se puede utilizar como garantía en isolation mode con poder de préstamo limitado. Para entrar en el isolation mode, deshabilita todas las demás garantías.\",\"N6Pxr9\":\"View all\",\"NF0e1Q\":\"Pendiente...\",\"NK9ikO\":\"Balance de la cartera\",\"NMt2CB\":\"Cantidad reclamable\",\"NcFGxG\":\"Collector Contract\",\"NfpPeS\":\"Nada invertido\",\"Nh9DAo\":[[\"m\"],\"m\"],\"O+sCUU\":\"El límite de minteo sin respaldo ha sido excedido\",\"O+tyU+\":[\"La cantidad máxima disponible para tomar prestado contra este activo está limitada porque el límite de deuda está al \",[\"0\"],\"%.\"],\"O3oNi5\":\"Email\",\"OFjZGo\":\"Unstakear\",\"OR8cYX\":\"Resumen de la propuesta\",\"OYuJ9K\":\"El límite de deuda del protocolo está al 100% para este activo. No es posible tomar más prestado usando este activo como garantía.\",\"OfhWJH\":\"Restablecer\",\"Og2SKn\":\"deshabilitado\",\"On0aF2\":\"Página web\",\"OsyKSt\":\"Retirar\",\"P1dURE\":\"Revocar poder\",\"P2WCD/\":[\"El activo subyacente no existe en el mercado v3 de \",[\"marketName\"],\", por lo tanto, esta posición no se puede migrar.\"],\"P2sL6B\":\"Cuando ocurre una liquidación, los liquidadores pagan hasta el 50% de la cantidad pendiente del préstamo en nombre del prestatario. A cambio, pueden comprar la garantía con descuento y quedarse con la diferencia (sanción de liquidación) como bonificación.\",\"P6sRoL\":\"Stakea ABPT\",\"P72/OW\":\"El promedio ponderado de APY para todos los activos prestados, incluidos los incentivos.\",\"P7e6Ug\":\"Por favor conecta tu cartera para ver el historial de transacciones.\",\"PByO0X\":\"Votos\",\"PI+kVe\":\"Deshabilitar fork\",\"PJK9u/\":\"Apy préstamo\",\"PLUB/s\":\"Fee\",\"PcBUgb\":\"Umbral de liquidación\",\"PjU6bu\":\"This asset is eligible for SPK incentive program. Aave Labs does not guarantee the program and accepts no liability.\",\"PpqD5g\":\"Habilitar este activo como garantía aumenta tu poder préstamo y el factor de salud. Sin embargo, puede ser liquidado si tu factor de salud cae por debajo de 1.\",\"PsOFSf\":\"Esta acción reducirá el factor de salud V2 por debajo del umbral de liquidación. Mantén la garantía o migra la posición de préstamo para continuar.\",\"Pu4bI/\":[[\"currentMethod\"]],\"Q0LzKi\":\"View TX\",\"Q4eNqa\":\"El Aave Balancer Pool Token (ABPT) es un token de pool de liquidez. Puedes recibir ABPT depositando una combinación de AAVE + wstETH en el pool de liquidez de Balancer. Luego puedes stakear tu BPT en el módulo de seguridad para asegurar el protocolo y ganar incentivos de seguridad.\",\"QQYsQ7\":\"Retirando\",\"QWYCs/\":\"Stakear GHO\",\"R+30X3\":\"No alcanzado\",\"RCU5PY\":\"Age\",\"RIfckG\":[\"Desactivar \",[\"symbol\"],\" como garantía\"],\"RMtxNk\":\"Diferencial\",\"RNK49r\":\"Firma inválida\",\"RS0o7b\":\"Estado\",\"RU+LqV\":\"Detalles de la propuesta\",\"RbXH+k\":\"Los poseedores de AAVE, GHO y ABPT (solo en la red de Ethereum) pueden stakear sus activos en el Módulo de Seguridad para añadir más seguridad al protocolo y obtener incentivos de seguridad. En el caso de un evento de shortfall, tu stakeo puede ser reducido para cubrir el déficit. proporcionando una capa adicional de protección para el protocolo.\",\"RiSYV4\":\"El activo no está listado\",\"Rj01Fz\":\"Enlaces\",\"RmWFEe\":\"Staking APR\",\"RoafuO\":\"Enviar feedback\",\"RtBLm7\":\"El factor de salud es menor que el umbral de liquidación\",\"RxzN1M\":\"Habilitado\",\"SDav7h\":\"Fondos en el Módulo de Seguridad\",\"SENccp\":\"Si el error persiste, <0/> podrías reportarlo a esto\",\"SIWumd\":\"Mostrar activos congelados o pausados\",\"SM58dD\":\"Cantidad en cooldown\",\"SSMiac\":\"Error al cargar los votantes de la propuesta. Por favor actualiza la página.\",\"SSQVIz\":\"Umbral de liquidación\",\"SUb8x0\":\"Total disponible\",\"SWIgh4\":\"Fees exceed wallet balance\",\"SY9hVo\":\"El modo de solo lectura permite ver las posiciones de las direcciones en Aave, pero no podrás realizar transacciones.\",\"SZRUQ4\":\"Deslizamiento máximo\",\"Sa1UE/\":\"El límite de préstamo del protocolo está al 100% para este activo. No es posible tomar más prestado.\",\"Sk2zW9\":\"Desactivando E-Mode\",\"SxaD0o\":\"La dirección del proveedor del pool no esta registrada\",\"T/AIqG\":\"El límite de suministro del protocolo está al 100% para este activo. No es posible suministrar más.\",\"T0xCO9\":\"No se puede validar la dirección de la cartera. Vuelve a intentarlo.\",\"T4OhVl\":\"GHO balance\",\"T6uYU2\":\"Tomar prestado\",\"TFxQlw\":\"Penalización de liquidación\",\"TUI7iB\":\"El activo solo puede usarse como garantía en el Isolation mode únicamente.\",\"TbjyhA\":\"Docs\",\"TduuS0\":\"El usuario no tiene deuda pendiente de tasa estable en esta reserva\",\"TeCFg/\":\"Cambio de tasa de préstamo\",\"Tg1JyO\":\"Bridge history\",\"TskbEN\":\"Los poseedores de stkAAVE reciben un descuento en la tasa de préstamo de GHO\",\"TszKts\":\"Balance de préstamo después del cambio\",\"TtZL6q\":\"Parámetros del modelo de descuento\",\"TwJI9F\":\"Asset has been successfully sent to CCIP contract. You can check the status of the transactions below\",\"Tz0GSZ\":\"actividades bloqueadas\",\"U/eBjN\":\"Recarga la página\",\"U2r8nY\":\"Elige cuánto poder de voto/proposición otorgar a otra persona delegando parte de tu balance de AAVe o stkAAVE. Tus tokens permanecerán en tu cuenta, pero tu delegado podrá votar o proponer en tu lugar. Si tu balance de AAVE, stkAAVE o aAave cambia, el poder de voto/proposición de tu delegado se ajustará automáticamente.\",\"U8IubP\":\"La aplicación se está ejecutando en testnet mode. Aprende como funciona en\",\"U9btTk\":\"El activo no se puede pedir prestado en isolation mode\",\"UAOZRe\":\"El impacto del precio es la diferencia entre el valor total de los tokens de entrada cambiados y los tokens de destino obtenidos (en USD), que resulta de la liquidez limitada del par de cambio.\",\"UE3KJZ\":\"El historial de transacciones no está disponible actualmente para este mercado\",\"URmyfc\":\"Detalles\",\"UTTKmT\":\"Cooldown de stakeo activado\",\"UXeR72\":\"Estos fondos se han tomado prestados y no están disponibles para su retirada en este momento.\",\"UYb8CM\":\"Learn more about the SPK rewards\",\"UbRrG0\":\"El ratio LTV máximo representa el poder de endeudamiento máximo de una garantía específica. Por ejemplo, si una garantía tiene un LTV del 75 %, el usuario puede pedir prestado hasta 0,75 ETH en la moneda principal por cada 1 ETH de garantía.\",\"UpndFj\":\"No hay recompensas para reclamar\",\"V0f2Xv\":\"Factor de reserva\",\"V1HK43\":\"Riesgos de migración\",\"VATFH9\":\"Deuda cubierta\",\"VHOVEJ\":\"Conectar cartera\",\"VMfYUK\":\"Seguridad de tu garantía depositada contra los activos prestados y su valor subyacente.\",\"VOAZJh\":\"Total de préstamos\",\"ViKYxK\":\"YAE\",\"W1SSoD\":\"Revisar detalles de la tx\",\"W5hVah\":\"Nada suministrado aún\",\"W5kTFy\":\"Votando\",\"W8ekPc\":\"Volver al panel de control\",\"WMPbRK\":\"No respaldado\",\"WNGZwH\":\"El E-Mode incrementa tu LTV para una categoría seleccionada de activos hasta el <0/>. <1>Aprende más\",\"WPWG/y\":\"Configuración y estado de la reserva\",\"WZLQSU\":\"El usuario no puede retirar más que el balance disponible\",\"WaZyaV\":\"<0>Ampleforth es un activo con rebase. Visita la <1>documentación para aprender más.\",\"WfU+XN\":\"Debido a que este activo está en pausa, no se pueden realizar acciones hasta nuevo aviso\",\"Wjmqs2\":\"No results found. You can import a custom token with a contract address\",\"WkZ6C6\":\"Para tomar prestado, necesitas suministrar cualquier activo para ser utilizado como garantía.\",\"WyMiQm\":\"Has cambiado los tokens con éxito.\",\"X/ITG9\":\"Copiar el texto del error\",\"X3Pp6x\":\"Utilizado como garantía\",\"X4Zt7j\":\"No se puede realizar la acción porque la reserva está pausada\",\"XBdKOj\":\"Direcciones de cartera de contrato inteligente representativas (Safe) en otras cadenas.\",\"XZzneG\":\"Saldrás del modo aislamiento y otros tokens pueden ser usados ahora como garantía\",\"Xg5y9S\":\"Amount to Bridge\",\"Xn4hUi\":\"Por favor ten siempre en cuenta tu <0>factor de salud (HF) cuando migres parcialmente una posición y que tus tasas serán actualizadas a tasas de la V3.\",\"Y5kGkc\":\"VOTAR NO\",\"YDIOks\":\"Habilitar E-Mode\",\"YSodyW\":\"Esta acción reducirá tu factor de salud. Por favor ten en cuenta el riesgo incrementado de liquidación de la garantía.\",\"YXOWXM\":\"The total amount bridged minus CCIP fees. Paying in network token does not impact gho amount.\",\"YirHq7\":\"Feedback\",\"YogbCJ\":\"Testnet mode está ON\",\"YrDxdO\":\"Si tu relación préstamo-valor supera el umbral de liquidación, tu garantía puede ser liquidada.\",\"YyIM65\":\"No se cumplieron las condiciones de ajuste de tasas de interés\",\"YyydIq\":[\"Añade \",[\"0\"],\" a tu cartera para hacer un seguimiento del balance.\"],\"ZBvhI+\":\"Gobierno de Aave\",\"ZIIRAd\":\"Raw-Ipfs\",\"ZRq4tX\":\"Modo de eficiencia (E-Mode)\",\"ZSqEW+\":\"Manage E-Mode\",\"ZUFYFE\":\"Deshabilitar testnet\",\"Zbyywy\":\"Max slashing\",\"ZfUGFb\":\"Antes de suministrar\",\"ZlsSDH\":\"Valor de liquidación\",\"ZrEc8j\":\"No pudimos encontrar ningún activo relacionado con tu búsqueda. Vuelve a intentarlo con un nombre diferente de activo, símbolo o dirección.\",\"ZsLF7e\":\"habilitado\",\"a0YQoQ\":\"Enter a valid address\",\"a2fBZn\":\"Tempo restante para unstakear\",\"a5RYZd\":\"Deshabilitar este activo como garantía afecta tu poder de préstamo y Factor de Salud.\",\"a7u1N9\":\"Precio\",\"a9D+6D\":\"Unstakeado\",\"aEtiwq\":\"Votar NO\",\"aMmFE1\":\"Comprar Crypto con Fiat\",\"aOKIms\":\"Los parámetros del array que deberían ser iguales en longitud no lo son\",\"aX31hk\":\"Tu balance es más bajo que la cantidad seleccionada.\",\"adUsDd\":\"Se ha producido un error al recuperar la propuesta.\",\"al6Pyz\":\"Supera el descuento\",\"aoXTT7\":\"APY préstamo, variable\",\"aqX1Yp\":\"This asset is eligible for rewards through SuperFest. Aave Labs does not guarantee the program and accepts no liability.\",\"avgETN\":\"Eligible for the Merit program.\",\"b4NS3e\":\"Advertencia periodo de cooldown\",\"bSruit\":\"ZKSync Ignite Program rewards are claimed through the\",\"bUUVED\":\"Activo\",\"bXQ/Og\":\"Compartir en twitter\",\"bXr0ee\":\"Los activos aislados han limitado tu capacidad de préstamo y otros activos no pueden ser usados como garantía.\",\"bYmAV1\":\"Direcciones\",\"bguKoJ\":\"La cantidad solicitada es mayor que el tamaño máximo del préstamo en el modo de tasa estable\",\"bwSQI0\":\"Suministrar\",\"bxN6EM\":\"No se puede deshabilitar E-Mode\",\"bxmzSh\":\"No hay suficiente garantía para pagar esta cantidad de deuda con\",\"c91vuQ\":\"La dirección no es un contrato\",\"c97os2\":\"aToken de Aave\",\"c9b44w\":\"No puedes retirar esta cantidad porque causará una liquidación\",\"cBc+4A\":\"Esta es la cantidad total disponible que puedes tomar prestada. Puedes tomar prestado basado en tu garantía y hasta que el límite de préstamo se alcance.\",\"cIl5kp\":\"Tu poder de voto se basa en tu balance de AAVE/stkAAVE y delegaciones recibidas.\",\"cLo09S\":\"Detalles de riesgo\",\"cNT+ij\":\"Tomar prestado no está disponible porque has habilitado el Efficiency Mode (E-Mode) y el Isolation mode. Para administrar el E-Mode y el Isolation Mode, visita tu <0>Panel de control.\",\"cZOeBk\":\"Something went wrong fetching bridge message, please try again later.\",\"ceix5S\":\"Para enviar una propuesta de cambios menores al protocolo, necesitarás al menos 80K de poder. Si deseas cambiar la base central del código, necesitarás un poder de 320K.<0>Aprende más\",\"ciybUa\":\"Votar SI\",\"ckf7gX\":[\"Pagando \",[\"symbol\"]],\"cp1ZDP\":[\"Bridge \",[\"symbol\"]],\"cqnmnD\":\"Tasa de interés efectiva\",\"cqwIvs\":\"Hilo de discusión del foro\",\"csDS2L\":\"Disponible\",\"cu7Stb\":\"No has participado en esta propuesta\",\"dE6BLF\":\"Gobierno\",\"dEgA5A\":\"Cancelar\",\"dIsyWh\":\"La validación del LTV ha fallado\",\"dMtLDE\":\"para\",\"dOB5nW\":[\"La cantidad máxima disponible para suministrar es <0/> \",[\"0\"],\" (<1/>).\"],\"dVfODp\":\"No tienes suficientes fondos en tu cartera para pagar la cantidad total. Si procedes a pagar con tu cantidad actual de fondos, aún tendrás un pequeño préstamo en tu panel de control.\",\"dXUQFX\":\"Activos a tomar prestado\",\"dgr1aY\":\"Tomar prestado está deshabilitado debido a una decisión de la comunidad de Aave. <0>Más información\",\"djsg0o\":\"Uso de la garantía\",\"dpc0qG\":\"Variable\",\"drdV8R\":\"Liquidación\",\"dxW8cS\":\"Token de deuda de Aave\",\"e4V3oW\":\"Top 10 direcciones\",\"eD8WX/\":\"La acción requiere una reserva activa\",\"eJRJ04\":\"Cantidad para unstakear\",\"eLh0cL\":\"El deslizamiento es la diferencia entre las cantidades calculadas y las recibidas debido a las condiciones cambiantes del mercado entre el momento en que se envía la transacción y su verificación.\",\"ePK91l\":\"Editar\",\"eVpCmf\":\"Recompensas de Staking\",\"eVqvtf\":\"Bridge GHO\",\"eYdurp\":\"Aún no hay transacciones.\",\"ebLGGN\":\"Total tomado prestado\",\"ecqEvn\":\"El balance de garantía es 0\",\"efdrrk\":\"Disponible en\",\"enruNF\":\"empieza\",\"eqLYiD\":\"Unstakea ahora\",\"euScGB\":\"APY con descuento aplicado\",\"evw5ha\":\"Valor neto\",\"ezcU16\":\"Obtener Token ABP\",\"f3W0Ej\":[\"Has cambiado a tasa \",[\"0\"]],\"fH9i8k\":\"Has cambiado con éxito la posición de préstamo.\",\"fHcELk\":\"APR Neto\",\"fMJQZK\":\"Prestado\",\"fZ5Vnu\":\"Recibido\",\"firl9Q\":\"Tu actual relación préstamo-valor basado en tu garantía suministrada.\",\"flRCF/\":\"Descuento por staking\",\"fldjW9\":\"Previsualizar la tx y migrar\",\"fsBGk0\":\"Balance\",\"fu1Dbh\":[\"Retirar \",[\"symbol\"]],\"fwjWSI\":\"Suministrado\",\"fwyTMb\":\"Migrar a stkABPT v2\",\"g0mals\":\"You can not disable E-Mode because that could cause liquidation. To exit E-Mode supply or repay borrowed positions.\",\"g2UNkE\":\"Powered by\",\"g8KGoA\":\"FAQS\",\"g9zzqS\":\"Votó NAY\",\"gDd2gk\":\"about SuperFest.\",\"gFFh9h\":\"¡Todo listo!\",\"gIMJlW\":\"Testnet mode\",\"gOzPxe\":\"Este activo está congelado debido a una decisión del Gobierno del Protocolo Aave. <0>More información\",\"gTHi2T\":\"El usuario está intentando tomar prestado múltiples activos incluido uno aislado\",\"gVW59Y\":\"Por favor conecta tu cartera para obtener activos testnet gratis.\",\"gcFNxP\":\"Aprobación confirmada\",\"gncRUO\":\"Esta dirección está bloqueada en app.aave.com porque está asociada con una o más\",\"goff7V\":\"Dirección cero no válida\",\"gp+f1B\":\"Versión 3\",\"gr8mYw\":\"Puedes tomar prestado hasta <0/> GHO al <1/> (descuento máximo)\",\"gvTM4B\":\"El APY neto es el efecto combinado de todos los suministros y préstamos sobre total, incluidos los incentivos. Es posible tener un APY neto negativo si el APY de la deuda es mayor que el APY de suministro.\",\"gzcch9\":\"Comisión de puente de protocolo inválida\",\"h33MxW\":\"Direcciones de cartera de contrato inteligente representantes (Safe) en otras cadenas.\",\"h3ilK+\":\".CSV\",\"hB23LY\":\"Activar Cooldown\",\"hIS4N0\":\"APY neto\",\"hRWvpI\":\"Reclamado\",\"hdmy/o\":\"El % de tu poder de préstamo total utilizado. Esto se basa en la cantidad de tu garantía suministrada y la cantidad total que puedes pedir prestado.\",\"hehnjM\":\"Cantidad\",\"hjDCQr\":\"Hubo un error. Por favor intenta cambiar los parámetros o <0><1>copiar el error\",\"hom7qf\":\"Reclamar\",\"hpHJ4I\":\"Garantía liquidada\",\"hpuVIp\":\"Users who stake AAVE in Safety Module (i.e. stkAAVE holders) receive a discount on GHO borrow interest rate.\",\"huQ6Tz\":[\"Tomando prestado \",[\"symbol\"]],\"hxi7vE\":\"Balance tomado prestado\",\"i2JTiw\":\"Puedes ingresar una cantidad específica en el campo.\",\"iB5+/J\":\"Sobre GHO\",\"iChbOF\":\"Parámetros inconsistentes del préstamo flash\",\"iEPVHF\":\"No hay suficiente poder de voto para participar en esta propuesta\",\"iEW87X\":\"Poder delegado\",\"iEju36\":[\"Has votado \",[\"0\"]],\"iFq2YN\":\"Borrowable\",\"iMVZk9\":\"Seleccionar tolerancia de deslizamiento\",\"iPMIoT\":\"Ingresa una cantidad\",\"iSLIjg\":\"Conectar\",\"iUo5rv\":\"tokens no es lo mismo que stakearlos. Si deseas stakearlos\",\"iZxa38\":\"Úsalo para votar a favor o en contra de propuestas activas.\",\"if5PH+\":\"Collector Info\",\"igkfR1\":[\"En el Isolation mode, no puedes suministrar otros activos como garantía. Un límite de deuda global limita la capacidad de préstamo del activo aislado. Para salir del Isolation mode, deshabilita \",[\"0\"],\" como garantía antes de tomar prestado otro activo. Lee más en nuestras <0>preguntas frecuentes \"],\"il0sEG\":\"El uso de garantías está limitado debido al Isolation mode.\",\"j+K1Xj\":\"Amount After Fee\",\"jA2QeW\":\"Suministrando tu\",\"jFi7dz\":\"Tasa de interés determinada por el gobierno de Aave. Esta tasa puede cambiar con el tiempo dependiendo de la necesidad de que el suministro de GHO se contraiga/expanda. <0>Aprende más\",\"jG3UJ7\":\"Desactivar el E-Mode\",\"jKYzR1\":\"Habilitar E-Mode\",\"jMam5g\":[\"Balance \",[\"0\"]],\"jSYv+Z\":\"Enabling E-Mode allows you to maximize your borrowing power, however, borrowing is restricted to assets within the selected category. <0>Learn more about how it works and the applied restrictions.\",\"jaKbwW\":[[\"s\"],\"s\"],\"jbFMap\":\"Periodo restante de cooldown\",\"jeMZNr\":[[\"0\"],\" el servicio on-ramp es proporcionado por proveedores externos y al seleccionarlo, estás aceptando los términos de dichos proveedores. Tu acceso al servicio podría depender de que el proveedor externo esté operativo.\"],\"jfl9OP\":\"Migrado\",\"jmXdoY\":\"En E-Mode algunos activos no se pueden pedir prestados. Sal del E-Mode para obtener acceso a todos los activos\",\"jpctdh\":\"Ver\",\"jqzUyM\":\"No disponible\",\"k/sb6z\":\"Seleccionar idioma\",\"k3wP3f\":\"<0>Atención: Los cambios de parámetros a través de la gobernanza pueden alterar el factor de salud de tu cuenta y el riesgo de liquidación. Sigue el <1>foro de gobierno de Aave para mantenerte actualizado.\",\"kACpF3\":[\"Reclamar \",[\"0\"]],\"kH6wUX\":\"Impacto del precio\",\"kIpSye\":[[\"numSelected\"],\"/\",[\"numAvailable\"],\" activos seleccionados\"],\"kN1Yg5\":\"Para pagar en nombre de un usuario, se necesita una cantidad explícita para pagar\",\"kRTD40\":[\"Cantidad a pagar para alcanzar el \",[\"0\"],\"% de utilización\"],\"kjN9tT\":\"El límite de suministro se ha sobrepasado\",\"knxE+G\":\".JSON\",\"ks2LWT\":\"El límite de deuda no es cero\",\"kwwn6i\":\"Los usuarios que stakean AAVE en el Modulo de Seguridad (es decir, poseedores de stkAAVE) reciben un descuento en la tasa de interés de préstamo de GHO. Este descuento se aplica a 100 GHO por cada 1 stkAAVE en posesión. Usa el calculador de abajo para ver la tasa de préstamo de GHO con el descuento aplicado.\",\"kz3wtK\":\"and about SPK program\",\"kzZyM4\":\"El balance de DAI se convertirá a través de los contratos de DSR y luego se suministrará como sDAI. El cambio no genera costos adicionales ni deslizamientos.\",\"lNVG7i\":\"Selecciona un activo\",\"lU2d1/\":[\"Este activo no se puede migrar debido a una liquidez insuficiente o a una limitación del límite de préstamo en el mercado v3 de \",[\"marketName\"],\".\"],\"lVhKKI\":\"Votó YAE\",\"lWLqxB\":\"No pudimos encontrar ninguna transacción relacionada con tu búsqueda. Vuelve a intentarlo con un nombre de activo diferente o restablece los filtros.\",\"lYGfRP\":\"Inglés\",\"lfEjIE\":\"Aprende más en nuestra guía <0>Preguntas frecuentes\",\"lt6bpt\":\"Garantía a pagar con\",\"m/IEhi\":\"Emisiones totales por día\",\"m7r7Hh\":\"Activos de préstamo seleccionados\",\"mDDK4p\":\"Pool de Balancer\",\"mIM0qu\":\"Cantidad esperada a pagar\",\"mUAFd6\":\"Versión 2\",\"masO5Z\":\"E-Mode increases your LTV for a selected category of assets. <0>Learn more\",\"mdNjKU\":[\"Tu cartera de \",[\"name\"],\" está vacía. Compra o transfiere activos o usa <0>\",[\"0\"],\" para transferir tus activos de \",[\"network\"],\".\"],\"muiOng\":[\"Comprar \",[\"cryptoSymbol\"],\" con Fiat\"],\"mvCXBY\":\"Stakea AAVE\",\"mwdzil\":\"Vale, cerrar\",\"mzI/c+\":\"Descargar\",\"mzdIia\":\"Este activo no puede usarse como garantía.\",\"n+SX4g\":\"Desarrolladores\",\"n8Psk4\":\"No podemos detectar una cartera. Conecta una cartera para stakear y ver tu balance.\",\"nJIhzm\":\"Apy de suministro\",\"nJgsQu\":\"Con un poder de votación de <0/>\",\"nLC6tu\":\"Francés\",\"nN2T8p\":\"During the cooldown period, you will not earn any merit rewards. However, rewards earned up to this point will remain unaffected.\",\"nNHV0z\":\"Migrar múltiples garantías y activos prestados al mismo tiempo puede ser una operación costosa y podría fallar en ciertas situaciones.<0>Por lo tanto, no se recomienda migrar posiciones con más de 5 activos (depositados + tomados prestados) al mismo tiempo.\",\"nNbnzu\":\"Proposición\",\"nOy4ob\":\"Te sugerimos volver al Panel de control.\",\"nPGNMh\":\"Puede ser ejecutado\",\"nUK1ou\":[\"Assets with zero LTV (\",[\"0\"],\") must be withdrawn or disabled as collateral to perform this action\"],\"nakd8r\":\"poseedores de stkAAVE obtienen un descuento en la tasa de préstamo de GHO\",\"nh2EJK\":[\"Por favor, cambia a \",[\"networkName\"],\".\"],\"njBeMm\":\"Ambos\",\"ntkAoE\":\"Descuento aplicado para <0/> AAVE stakeados\",\"ntyFSE\":[[\"h\"],\"h\"],\"nwtY4N\":\"Se produjo un error\",\"nxyWvj\":\"Retirar esta cantidad reducirá tu factor de salud y aumentará el riesgo de liquidación.\",\"o17QVP\":\"Tu factor de salud y la relación préstamo-valor determinan la seguridad de tu garantía. Para evitar liquidaciones, puedes suministrar más garantía o pagar las posiciones de préstamo.\",\"o1xc2V\":\"El balance de AToken no es cero\",\"o4tCu3\":\"APY préstamo\",\"o5ooMr\":\"Deuda\",\"o7J4JM\":\"Filtro\",\"oHFrpj\":\"Cooldown para undstakear\",\"oJ5ZiG\":\"El usuario no tiene deuda pendiente de tasa variable en esta reserva\",\"oRBGin\":\"Por favor conecta tu cartera para cambiar tus tokens.\",\"oUwXhx\":\"Activos de prueba\",\"oWklJD\":\"La tasa de interés estable <0>permanecerá igual durante la duración de su préstamo. Está recomendado para los períodos de préstamo a largo plazo y para los usuarios que prefieren la previsibilidad.\",\"odnIK3\":\"Time remaining until the 48 hour withdraw period starts.\",\"oiK5nY\":\"The current incentives period, decided on by the Aave community, has ended. Governance is in the process on renewing, check for updates. <0>Learn more.\",\"olREoo\":\"All borrow positions outside of this category must be closed to enable this category.\",\"om/XHs\":\"Disponible para suministrar\",\"ov0+mq\":\"Eligible for the ZKSync Ignite program.\",\"ovT1pF\":[\"Per the community, the \",[\"market\"],\" has been frozen.\"],\"ow3fug\":\"Sin resultados\",\"owSsI3\":\"Firmas listas\",\"p+R52m\":\"Ir al pool de Balancer\",\"p2A+s1\":[\"El periodo de cooldown es \",[\"0\"],\". Después \",[\"1\"],\" del cooldown, entrarás a la ventana de unstakeo de \",[\"2\"],\". Continuarás recibiendo premios durante el cooldown y la ventana de unstakeo.\"],\"p2S64u\":\"La relación préstamo-valor de las posiciones migradas provocaría la liquidación. Aumenta la garantía migrada o reduce el préstamo migrado para continuar.\",\"p2Z2Qi\":\"Este activo ha alcanzado su límite de préstamo. No queda nada disponible para ser prestado de este mercado.\",\"p3j+mb\":\"Tu balance de recompensa es 0\",\"p45alK\":\"Configurar la delegación\",\"p6u2s1\":\"Minimum amount of debt to be repaid\",\"pDgeaz\":[[\"title\"]],\"pdZqBk\":\"El balance subyacente debe ser mayor que 0\",\"pgWG9H\":\"No hay suficiente balance stakeado\",\"piPrJ7\":\"por favor comprueba que la cantidad que deseas depositar no está siendo utilizada actualmente para stakear. Si está utilizando para stakear, tu transacción podría fallar.\",\"pjO/iH\":\"Cantidad mínima recibida\",\"pooutM\":\"La votación está activa\",\"pqaM5s\":\"Confirmando transacción\",\"ptaxX3\":[\"Entiendo como el cooldown (\",[\"0\"],\") y el proceso de unstaking (\",[\"1\"],\") funcionan\"],\"py2iiY\":\"La función debe ser llamada por un pool\",\"q/51mF\":\"Migrar a V3\",\"q3df11\":\"Estrategia de tasa de interés\",\"q6lAbz\":\"Stakeado\",\"qB4kPi\":\"Suministrar APY\",\"qENI8q\":\"Configuración global\",\"qGz5zl\":\"Balance de la garantía tras pagar\",\"qOqbD6\":\"copiar el error\",\"qXCkEM\":\"Por favor, conecta tu cartera para ver tus suministros, préstamos y posiciones abiertas.\",\"qY2jnw\":\"Expiración inválida\",\"qf/fr+\":\"Interés acumulado\",\"quYPUU\":\"Variable interest rate will <0>fluctuate based on the market conditions.\",\"quzIeW\":\"User is in isolation mode or LTV is zero\",\"qvnz3q\":\"Cantidad inválida para quemar\",\"rHgdb0\":\"Migrate to Aave V3\",\"rOrHHe\":\"La cantidad debe ser mayor que 0\",\"rQ+R+0\":\"Activos de suministro seleccionados\",\"rSayea\":\"APY\",\"rTBDeu\":[\"Este activo no se puede migrar porque tienes una garantía en Isolation Mode en el mercado v3 de \",[\"marketName\"],\" que limita los activos prestados. Puedes administrar tu garantía en el <0>Panel de control V3 de \",[\"marketName\"],\"\"],\"rcT+yy\":\"Mostrar activos con 0 balance\",\"rf8POi\":\"Cantidad de activos tomados prestados\",\"riNWOA\":\"E-Mode\",\"rjGI/Q\":\"Privacidad\",\"rnKPW1\":\"Watch a wallet balance in read-only mode\",\"ruc7X+\":\"Añade stkAAVE para ver el APY de préstamo con el descuento\",\"rvbaFU\":[\"Bridging \",[\"symbol\"]],\"rwVVB7\":\"Reclamar todas las recompensas\",\"rwyUva\":\"Estos activos están temporalmente congelados o pausados por decisiones de la comunidad de Aave, lo que significa que no se puede suministrar / tomar prestado o intercambiar tasas de estos activos. Se permiten retiros y pagos de deuda. Sigue el <0>foro de gobierno de Aave para más actualizaciones.\",\"rxJW5W\":\"Tu poder de proposición se basa en tu balance de AAVE/stkAAVE y delegaciones recibidas.\",\"s2jJnW\":\"You don't have any bridge transactions\",\"s5wBAq\":[\"Unstakear \",[\"symbol\"]],\"sJbIdI\":\"Enter ETH address or ENS\",\"sK+Nag\":\"Revisión tx\",\"sP2+gB\":\"NO\",\"sQv06Y\":\"para\",\"sTtO6J\":\"Confirmar transacción\",\"sXKb3l\":\"Tasa de cambio\",\"sb0q4+\":\"Unstakea aquí\",\"smJNwH\":\"Disponible para tomar prestado\",\"solypO\":\"El factor de salud no está por debajo del umbral\",\"sr0UJD\":\"Volver atrás\",\"ss5GCK\":\"La dirección del proveedor del grupo de direcciones no es válida\",\"swEgK4\":\"Tu información de voto\",\"t+wtgf\":\"Nada tomado prestado aún\",\"t/YqKh\":\"Eliminar\",\"t81DpC\":[\"Aprueba \",[\"symbol\"],\" para continuar\"],\"tCnbEs\":\"Precio del oráculo\",\"tFZLf8\":\"Este cálculo de gas es solo una estimación. Tu cartera establecerá el precio de la transacción. Puedes modificar la configuración de gas directamente desde tu proveedor de cartera.\",\"tHuvQI\":\"Ir al panel de control V3\",\"tKv7cI\":\"Cambiar posición de préstamo\",\"tOcg3N\":\"Dado que este activo está congelado, las únicas acciones disponibles son retirar y pagar, a las que se puede acceder desde el <0>Panel de control\",\"tOuXfv\":[\"Cantidad a tomar prestado para alcanzar el \",[\"0\"],\"% de utilización\"],\"te9Bfl\":\"Por favor, conecta tu cartera\",\"tt5yma\":\"Tus suministros\",\"ttoh5c\":\"Cambiar a\",\"u3ZeYl\":\"Error en la transacción\",\"u706uF\":\"Préstamo flash inválido\",\"u8Gfu7\":[\"Sin resultados de búsqueda\",[\"0\"]],\"uAQUqI\":\"Status\",\"uHMwk8\":\"No hay activos seleccionados para migrar.\",\"uJPHuY\":\"Migrando\",\"uY8O30\":\"Para continuar, necesitas otorgar permiso a los contratos inteligentes de Aave para mover tus fondos de tu cartera. Según el activo y la cartera que uses, se hace firmando el mensaje de permiso (sin coste de gas), o enviando una transacción de aprobación (requiere coste de gas). <0>Aprende más\",\"udFheE\":\"Para el pago de un tipo específico de deuda, el usuario necesita tener una deuda de ese tipo\",\"ulNuNq\":\"Exportar datos a\",\"ulup2p\":\"Comprar Crypto con Fiat\",\"umICAY\":\"<0><1><2/>Añade stkAAVE para ver la tasa de préstamo con descuento\",\"usB84Z\":\"La cantidad máxima disponible para tomar prestado está limitada porque casi se ha alcanzado el límite de préstamo del protocolo.\",\"uwAUvj\":\"COPIAR IMAGEN\",\"v8x7Mg\":\"Garantía insuficiente para cubrir la nueva posición de préstamo. La cartera debe tener poder de préstamo suficiente para realizar el cambio de deuda.\",\"vEqxH9\":\"Restakeado\",\"vLyv1R\":\"Ocultar\",\"vMba49\":\"Tomar prestado no está habilitado\",\"vMpNwt\":\"Aprobar con\",\"vXIe7J\":\"Idioma\",\"vesuBJ\":\"Te permite decidir si utilizar un activo suministrado como garantía. Un activo utilizado como garantía afectará a tu poder de préstamo y factor de salud.\",\"w+V9Cx\":\"Stablecoin\",\"w/JtJ3\":\"El balance de deuda estable no es cero\",\"w4VBY+\":\"APR de recompensas\",\"w9dLMW\":[[\"label\"]],\"wAOL+X\":[\"Tu \",[\"action\"],\" <0/> \",[\"symbol\"]],\"wBIsjb\":\"Canal de Discord\",\"wQZbc/\":\"El llamador de la función no es un AToken\",\"wRRqvW\":\"No tienes suministros en este activo\",\"wZFvVU\":\"VOTAR SI\",\"wb/r1O\":[\"Faucet \",[\"0\"]],\"wdxz7K\":\"Source\",\"weH1nG\":\"El Protocolo Aave está programado para usar siempre el precio de 1 GHO = $1. Esto es diferente del uso del precio de mercado a través de oráculos para otros criptoactivos. Esto crea oportunidades de arbitraje estabilizadoras cuando el precio de GHO fluctúa.\",\"wh7Ezv\":\"No tienes balance de AAVE/stkAAVE/aAave para delegar.\",\"wlsIx7\":\"Con la testnet Faucet puedes obtener activos gratuitos para probar el Protocolo Aave. Asegúrate de cambiar tu proveedor de cartera a la red de testnet adecuada, selecciona el activo deseado y haz clic en \\\"Faucet\\\" para obtener tokens transferidos a tu cartera. Los activos de una testnet no son \\\"reales\\\", lo que significada que no tienen valor monetario. <0>Aprende más\",\"wmE285\":\"Obtener Token ABP v2\",\"wyRrcJ\":\"Como resultado de las decisiones del gobierno, este pool de stakeo de ABPT está obsoleto. Tienes la flexibilidad de migrar todos tus tokens a v2 o unstakearlos sin ningún periodo de cooldown.\",\"x5KiLL\":\"Los activos seleccionados se han migrado correctamente. Visita el panel de control del mercado para verlos.\",\"x7F2p6\":\"Diferencial actual\",\"x7K5ib\":[\"Tu cartera de \",[\"networkName\"],\" está vacía. Consigue \",[\"0\"],\" de prueba gratis en\"],\"x9iLRD\":\"tokens, por favor ve al\",\"xNy/UG\":\"Pagar con\",\"xPm8wv\":\"Aprende más sobre los riesgos involucrados\",\"xXYpZl\":[[\"0\"],\" Faucet\"],\"xaVBSS\":\"Tu información\",\"xaWZ6f\":\"Cambio tipo de APY\",\"xh6k71\":\"El uso de garantías está limitado debido al isolation mode.\",\"xvIklc\":\"El préstamo flash está deshabilitado para este activo, por lo tanto, esta posición no se puede migrar.\",\"y5rS9U\":\"Migrar\",\"y66tBm\":[\"Habilitar \",[\"symbol\"],\" como garantía\"],\"yB1YpA\":\"Modo oscuro\",\"yCrG6m\":\"Tamaño total del mercado\",\"yJUUbn\":\"Resumen de la transacción\",\"yLGmLX\":[\"Restakear \",[\"symbol\"]],\"yW1oWB\":\"Tipo APY\",\"yYHqJe\":\"Dirección no válida\",\"yZwLw6\":\"Haz seguimiento de tu cartera\",\"yh2sjd\":[\"Impacto en el precio \",[\"0\"],\"%\"],\"yhvj6d\":\"No puedes cambiar el uso como modo de garantía para este activo, porque causará una liquidación\",\"ylmtBZ\":\"La aplicación se ejecuta en fork mode.\",\"ymNY32\":[\"No hay fondos suficientes en la reserva\",[\"0\"],\"para tomar prestado\"],\"yz7wBu\":\"Cerrar\",\"z4uGQg\":\"El límite de deuda está sobrepasado\",\"z5UQOM\":\"La garantía elegida no puede ser liquidada\",\"z5Y+p6\":[\"Suministrando \",[\"symbol\"]],\"zCjNKs\":\"No se puede realizar la acción porque la reserva está congelada\",\"zRHytX\":\"Límite de deuda aislado\",\"zTOjMP\":\"El límite de suministro del protocolo está al 100% para este activo. No es posible suministrar más.\",\"zVdRUG\":\"Submission did not work, please try again later or contact wecare@avara.xyz\",\"zevmS2\":\"<0><1><2/>añade <3/> stkAAVE para tomar prestado al <4/> (descuento máximo)\",\"zgtIDV\":\"Deuda restante\",\"zmTPiV\":\"Balance de suministro\",\"zpPbZl\":\"Parámetros de riesgo de liquidación\",\"zucql+\":\"Menú\",\"zwWKhA\":\"Aprende más\",\"zy9fXn\":[\"Este activo está congelado en el mercado v3 de \",[\"marketName\"],\", por lo tanto, esta posición no se puede migrar.\"],\"zys+R6\":\"Ten en cuenta la congestión de la red y los precios del gas.\",\"zzzTXS\":\"Merit Program rewards are claimed through the\"}")}; \ No newline at end of file +/*eslint-disable*/module.exports={messages:JSON.parse("{\"+0xecS\":[\"Si NO unstakeas entre \",[\"0\"],\" de la ventana de unstakeo, necesitarás activar el proceso de cooldown de nuevo.\"],\"+EGVI0\":\"Recibir (est.)\",\"+VR63W\":[\"Participar en esta reserva de \",[\"symbol\"],\" da recompensas anuales.\"],\"+bmKdK\":\"Utiliza tu balance de AAVE, stkAAVE o aAava para delegar tu voto y poder de proposición. No enviarás ningún token, solo los derechos de votar y proponer cambios en el protocolo. Puedes volver a delegar o revocar el poder de vuelta en cualquier momento.\",\"+eOPG+\":\"Parece que no podemos cambiar la red automáticamente. Por favor, comprueba si puedes cambiarla desde la cartera.\",\"+i3Pd2\":\"Límite del préstamo\",\"+kLZGu\":\"Cantidad de activos suministrados\",\"+nuEh/\":\"Estimated time\",\"+xMFF8\":\"Remind me\",\"/57U31\":\"Cantidad para migrar\",\"/7ykiW\":\"Tomar prestado esta cantidad reducirá tu factor de salud y aumentará el riesgo de liquidación.\",\"/YA5pU\":\"E-Mode increases your LTV for a selected category of assets, meaning that when E-mode is enabled, you will have higher borrowing power over assets of the same E-mode category which are defined by Aave Governance. You can enter E-Mode from your <0>Dashboard. To learn more about E-Mode and applied restrictionn, see the <1>help guide or the <2>Aave V3 Technical Paper.\",\"/izjs/\":\"Cantidad mínima de Aave stakeado\",\"/jQctM\":\"To\",\"/lDBHm\":\"Preguntas frecuentes\",\"/yNlZf\":\"El préstamo estable no está habilitado\",\"/yQcJM\":\"Valor total\",\"00AB2i\":\"El usuario no tomó prestado el activo especificado\",\"00OflG\":\"No hay suficiente liquidez para que el activo seleccionado realice el cambio. Prueba reduciendo la cantidad.\",\"08/rZ9\":\"El periodo de cooldown es el tiempo requerido antes de unstakear tus tokens (20 días). Solo puedes retirar tus activos del Módulo de Seguridad después del periodo de cooldown y dentro de la ventana de unstakeo.<0>Aprende más\",\"0AmQcW\":\"Cambio de tasa\",\"0BF3yK\":\"Lo sentimos, no hemos podido encontrar la página que estabas buscando.\",\"0TAbjq\":\"Recent Transactions\",\"0jhlyw\":\"Riesgo de liquidación\",\"0ojY+Y\":\"Balance actual v2\",\"0thX3P\":\"Cambio de garantía\",\"0wGCWc\":\"Esta es la cantidad total que puedes suministrar en esta reserva. Puedes suministrar el balance de tu cartera hasta que se alcance el límite de suministro.\",\"1AsVfF\":\"Los datos de los precios no están disponibles actualmente para esta reserva en el subgraph del protocolo\",\"1LjK22\":\"Historial de transacciones\",\"1Onqx8\":[\"Aprobando \",[\"symbol\"],\"...\"],\"1Ue8sX\":\"Por favor conecta una cartera para ver tu información personal aquí.\",\"1bpx9A\":\"...\",\"1kWUB+\":\"Umbral <0/> de liquidación\",\"1m9Qqc\":\"Retirando y Cambiando\",\"1oyh4g\":\"Borrow rate\",\"1t7rez\":\"El suministro de activos está limitado a una cierta cantidad para reducir la exposición del protocolo a este activo y ayudar a manejar los riesgos implicados.\",\"2CAPu2\":\"Has retirado y cambiado tokens con éxito.\",\"2Eoi/a\":\"Ver detalles\",\"2FYpfJ\":\"Más\",\"2O3qp5\":\"Liquidez disponible\",\"2OM8/D\":[\"Este activo no se puede migrar debido a una restricción del límite de suministro en el mercado v3 de \",[\"marketName\"],\".\"],\"2Q4GU4\":\"Dirección bloqueada\",\"2ZGocC\":\"Aave es un protocolo totalmente descentralizado, gobernado por la comunidad de poseedores de tokens AAVE. Los poseedores de tokens AAVE discuten, proponen y votan colectivamente sobre las actualizaciones del protocolo. Los poseedores de tokens AAVE (solo en la red Ethereum) pueden votar ellos mismos sobre nuevas propuestas o delegarse a una dirección de su elección. Para aprender más, consulta la\",\"2a6G7d\":\"Por favor introduce una dirección de cartera válida.\",\"2bAhR7\":\"Conoce GHO\",\"2eBWE6\":\"Acepto los riesgos involucadros.\",\"2o/xRt\":\"Se ha alcanzado el límite de suministro en la reserva especificada. Prueba reduciendo la cantidad.\",\"2uJToh\":[[\"0\"],[\"name\"]],\"2x58bP\":\"El préstamo estable no está habilitado\",\"34Qfwy\":\"El límite del préstamo se ha sobrepasado\",\"39eQRj\":[\"Tomar prestado \",[\"symbol\"]],\"3BL1xB\":\"Total suministrado\",\"3BnIWi\":\"Cambiado\",\"3K0oMo\":\"Suministro restante\",\"3MoZhl\":\"No hay suficiente garantía para cubrir un nuevo préstamo\",\"3Np5O8\":[\"Suministrar \",[\"symbol\"]],\"3O8YTV\":\"Interés total acumulado\",\"3mXg0z\":\"LTV máximo\",\"3q3mFy\":\"Pagar\",\"3qsjtp\":\"El promedio ponderado de APY para todos los activos suministrados, incluidos los incentivos.\",\"3rL+os\":\"Solo puedes retirar tus activos del Módulo de Seguridad después de que finalice el período de cooldown y la ventana de unstakeo esté activa.\",\"42UgDM\":[\"Migrar al mercado V3 de \",[\"0\"]],\"49UFQA\":\"Resultados de la votación\",\"4DMZUI\":\"Ver Transacciones\",\"4HtGBb\":\"MAX\",\"4Y5H+g\":\"Términos\",\"4YYh4d\":\"Máximo disponible para tomar prestado\",\"4iPAI3\":\"Cantidad de préstamo mínima de GHO\",\"4lDFps\":\"Firma para continuar\",\"4wyw8H\":\"Transacciones\",\"5JSSxX\":[\"Tu cartera de \",[\"networkName\"],\" está vacía. Consigue activos de prueba gratis en\"],\"5K7kGO\":\"documentación\",\"5NOSGa\":\"El límite de deuda limita la cantidad posible que los usuarios del protocolo pueden tomar prestado contra este activo. El límite de deuda es específico para los activos en isolation mode y se indica en USD.\",\"5Ncc6j\":[\"Este activo casi ha alcanzado su límite de suministro. Solo se puede suministrar \",[\"messageValue\"],\" a este mercado.\"],\"5cZ/KX\":\"El suministro de deuda variable no es cero\",\"5che++\":\"Para solicitar acceso a este mercado, porfavor visita: <0>Nombre del proveedor de acceso\",\"5ctNdV\":[\"Mínimo \",[\"0\"],\" recibido\"],\"5hDe9v\":\"Acción de permiso requerida\",\"5rsnKT\":\"Recompensas disponibles\",\"5yC5m5\":\"Ver todos los votos\",\"6/dCYd\":\"Resumen\",\"60crCe\":\"Todas las transacciones\",\"62Xcjh\":\"Garantía\",\"65A04M\":\"Español\",\"6G8s+q\":\"Firmando\",\"6Jrv+z\":[\"Pagar \",[\"symbol\"]],\"6NGLTR\":\"Cantidad descontable\",\"6Xr0UU\":\"Cooling down...\",\"6bxci/\":\"Poder de votación\",\"6f8S68\":\"Mercados\",\"6g1gi0\":\"Propuestas\",\"6gvoHP\":\"Copiar mensaje de error\",\"6h3Q5G\":\"reembolsado\",\"6lFSyT\":\"Available to Stake\",\"6s8L6f\":\"Cambiar de red\",\"6yAAbq\":\"APY, tasa de préstamo\",\"70wH1Q\":\"APR\",\"72c5Qo\":\"Total\",\"73Auuq\":\"Los parámetros de descuento son decididos por la comunidad de Aave y pueden cambiar con el tiempo. Consulta el Gobierno para ver actualizaciones y vota para participar. <0>-Aprende más\",\"75qcAQ\":[[\"stepName\"]],\"7ITr5L\":\"Factor de salud\",\"7T/o5R\":\"Alcanzado\",\"7YlcXu\":\"El fork mode está activado\",\"7Z76Iw\":\"Tomar prestado no está disponible porque estás usando el Isolation mode. Para administrar el Isolation mode, visita tu <0>Panel de control.\",\"7aKlMS\":\"Compartir en Lens\",\"7er5fP\":\"Reclamar todo\",\"7hb2+s\":\"Time remaining until the withdraw period ends.\",\"7l88b8\":\"No se pudieron recuperar los datos, por favor recarga el gráfico.\",\"7p5kLi\":\"Panel de control\",\"7sofdl\":\"Retirar y Cambiar\",\"8+6BI0\":\"Ten cuidado - Estás muy cerca de la liquidación. Considera depositar más garantía o pagar alguno de tus préstamos\",\"87pUEW\":[\"Tu cartera de \",[\"name\"],\" está vacía. Compra o transfiere activos.\"],\"8F1i42\":\"Página no encontrada\",\"8G8M0u\":\"Cargando datos...\",\"8Iu1QS\":\"retirado\",\"8JL93T\":\"Todas las propuestas\",\"8Q51DU\":\"Añadir a la cartera\",\"8X/oyn\":\"Cantidad invalidad para generar\",\"8Z5FPv\":\"Desconectar cartera\",\"8Zz7s5\":\"activos\",\"8aLW8H\":\"Balance a revocar\",\"8bOT3H\":\"Tasa de uso\",\"8sLe4/\":\"Ver contrato\",\"8t/M0y\":\"Please connect your wallet to be able to bridge your tokens.\",\"8vETh9\":\"Mostrar\",\"94OHPx\":\"Estás entrando en el Isolation mode\",\"9CDK3/\":[\"Tomar prestado no está disponible actualmente para \",[\"0\"],\".\"],\"9GIj3z\":\"Tamaño de la reserva\",\"9Knqb4\":\"Balance stakeado\",\"9OBKm7\":\"Quorum\",\"9QHoGr\":\"Votos actuales\",\"9Rw96f\":[\"Este activo casi ha alcanzado su límite de préstamo. Solo hay \",[\"messageValue\"],\" disponibles para ser prestado de este mercado.\"],\"9Xj/qR\":[\"Algunos activos migrados no se utilizarán como garantía debido al isolation mode habilitado en el mercado V3 de \",[\"marketName\"],\". Visita el <0>Panel de control de \",[\"marketName\"],\" V3 para administrar el isolation mode.\"],\"9c6vDV\":\"Este activo ha alcanzado su límite de suministro. No queda nada disponible para ser suministrado desde este mercado.\",\"9kTWHA\":\"MAI ha sido pausado debido a una decisión de la comunidad. Los suministros, préstamos y pagos se han visto afectados. <0>Más información\",\"9lXchd\":\"Token subyacente\",\"9rWaKF\":\"Bridged Via CCIP\",\"9xSooW\":\"Puesto que esta es una red de pruebas, puedes obtener cualquiera de los activos si tienes ETH en tu cartera\",\"A/lwoe\":\"Elige uno de los servicios on-ramp\",\"A6dCI6\":[\"La máxima cantidad disponible para tomar prestado es <0/> \",[\"0\"],\" (<1/>).\"],\"AReoaV\":\"Tus préstamos\",\"ARu1L4\":\"Pagado\",\"AV7cGz\":\"Revisa los detalles del approve\",\"AZOjB8\":\"Recuperando datos...\",\"Ai0jas\":\"Únete a la discusión de la comunidad\",\"Ajl2rq\":\"El poder de préstamo y los activos están limitados debido al Isolation mode.\",\"AqgYNC\":\"El límite de préstamo del protocolo está al 100% para este activo. No es posible tomar más prestado.\",\"B3EcQR\":\"¡Gracias por votar!\",\"B6aXGH\":\"Estable\",\"B9Gqbz\":\"Tasa variable\",\"BDFEd+\":\"stETH suministrado como garantía continuará acumulando recompensas de staking proporcionadas por rebases diarios.\",\"BE2mP0\":\"Borrowed assets\",\"BJyN77\":\"Debido al impacto del factor de salud, se requiere un préstamo flash para realizar esta transacción, pero el Gobierno de Aave ha inhabilitado la disponibilidad de préstamos flash para este activo. Intenta reducir la cantidad o suministrar garantía adicional.\",\"BNL4Ep\":\"El uso como garantía está limitado debido al isolation mode. <0>Aprende más\",\"BQ/wCO\":\"Migrate your assets\",\"BjLdl1\":\"Con un descuento\",\"BnhYo8\":\"Categoría de activos\",\"Bq9Y7e\":\"Este activo está congelado debido a una decisión de la comunidad de Aave. <0>Más información\",\"BqWMDJ\":\"Faucet\",\"BqynZO\":\"Optimized for efficiency and risk by supporting blue-chip collateral assets\",\"Bsu7zX\":\"The fee includes the gas cost to complete the transaction on the destination chain and the fee paid to Chainlink CCIP service providers. You can chose to pay in the network token or GHO. <0>Learn more\",\"BwJKBw\":\"de\",\"CDrsH+\":\"Documento técnico\",\"CK1KXz\":\"Max\",\"CMHmbm\":\"Deslizamiento\",\"CZXzs4\":\"Griego\",\"CcRNG6\":\"Cambiando\",\"CkTRmy\":[\"Reclamar \",[\"symbol\"]],\"CsqtLm\":\"Por favor conecta tu cartera para ver la herramienta de migración.\",\"CtGlFb\":[\"Faucet \",[\"networkName\"]],\"Cxt2YY\":\"Watch wallet\",\"D33VQU\":\"Esta acción reducirá el factor de salud de V3 por debajo del umbral de liquidación. Aumenta la garantía migrada o reduce el préstamo migrado para continuar.\",\"D9BLRG\":\"Este activo ha sido pausado debido a una decisión de la comunidad. El suministro, los retiros, los préstamos y los pagos se han visto afectados.\",\"DAma/S\":\"La garantía es (en su mayoría) el mismo activo que se está tomando prestado\",\"DCnFg0\":[\"Direcciones (\",[\"0\"],\")\"],\"DG3Lv1\":\"Entiendo completamente los riesgos de migrar.\",\"DONJcV\":\"El activo base no puede ser rescatado\",\"DR+4uL\":\"Balance del suministro después del cambio\",\"DWjrck\":[\"Este activo no se puede migrar al mercado V3 de \",[\"marketName\"],\" debido a las restricciones del E-mode. Puedes deshabilitar o administrar las categorías del E-mode en tu <0>Panel de control V3\"],\"Dj+3wB\":\"Aave por mes\",\"DuEq2K\":\"Colateralización\",\"DxfsGs\":\"Puedes reportar cualquier incidente a nuestro <0>Discord o <1>Github.\",\"Dzma+E\":\"Main Ethereum market with the largest selection of assets and yield options\",\"E/QGRL\":\"Deshabilitado\",\"EBL9Gz\":\"¡COPIADO!\",\"ES8dkb\":\"Interés fijo\",\"EZd3Dk\":[\"Restakeando \",[\"symbol\"]],\"Ebgc76\":[\"Retirando \",[\"symbol\"]],\"EdQY6l\":\"Ninguno\",\"EjvKQ+\":\"Valor mínimo en USD recibido\",\"Enslfm\":\"Destination\",\"EvE9nO\":[\"Reactivar el periodo de cooldown para unstakear \",[\"0\"],\" \",[\"stakedToken\"]],\"EvECnL\":\"Migrar a V3\",\"EzMQbh\":\"The source chain time to finality is the main factor that determines the time to destination. <0>Learn more\",\"F40cwT\":\"Legacy Markets\",\"F6TdXL\":\"Aprende más.\",\"FDDPeZ\":\"Users can stake their assets in the protocol and earn incentives. In the case of a shortfall event, your stake can be slashed to cover the deficit, providing an additional layer of protection for the protocol.\",\"FHlMf/\":\"Balance actual v2\",\"FHpxjF\":[\"El factor de reserva es un porcentaje de interés que va a un \",[\"0\"],\" que es controlado por el gobierno de Aave para promover el crecimiento del ecosistema.\"],\"FOBZa6\":\"Capacidad de préstamo utilizada\",\"FPKEug\":\"Operación no soportada\",\"FbmMe7\":\"Direcciones vinculadas\",\"Fdp03t\":\"en\",\"Fjw9N+\":\"Activos a suministrar\",\"FmN0fk\":\"Restakear\",\"GDGLIs\":\"GHO es un activo nativo descentralizado, digital y respaldado por garantía, vinculado al USD. Es creado por los usuarios que lo toman prestado contra múltiples garantías. Cuando el usuario paga su posición de préstamo de GHO, el protocolo quema el GHO de ese usuario. Todos los pagos de interés acumulados por los acuñadores de GHO serán transferidos directamente a la tesorería de\xA0la\xA0DAO\xA0de\xA0Aave.\",\"GQrBTq\":\"Cambiar E-Mode\",\"GWswcZ\":\"Este activo está congelado debido a una decisión del Gobierno del Protocolo Aave. El 20 de diciembre de 2022, renFIL ya no será compatible y no se podrá conectar de nuevo a su red nativa. Se recomienda retirar las posiciones de suministro y pagar las posiciones de préstamo para que renFIL se pueda convertir de nuevo a FIL antes de la fecha límite. Después de esta fecha, ya no será posible convertir renFIL a FIL. <0>Más detalles\",\"GX8GKD\":\"Activos\",\"GgEj+0\":\"Modo de solo lectura. Conéctate a una cartera para realizar transacciones.\",\"GjkIKV\":\"finaliza\",\"GoK/QN\":\"Thank you for submitting feedback!\",\"GtP2hp\":[\"Tomar prestado no está disponible porque has habilitado el Efficieny Mode (E-Mode) para la categoría \",[\"0\"],\". Para manejar las categorías del E-Mode visita tu <0>Panel de control.\"],\"H6Ma8Z\":\"Descuento\",\"HB/wfS\":[[\"tooltipText\"]],\"HKDsQN\":\"Rewards can be claimed through\",\"Ha/U5f\":\"This is a program initiated and implemented by the decentralised ZKSync community. Aave Labs does not guarantee the program and accepts no liability.\",\"HciqKU\":\"This is a program initiated and implemented by the decentralised Aave community. Aave Labs does not guarantee the program and accepts no liability.\",\"Hi6Ttn\":\"Lo sentimos, se produjo un error imprevisto. Mientras tanto, puedes intentar recargar la página, o volver después.\",\"HkEDbS\":[[\"d\"],\"d\"],\"HmkYqM\":\"Ventana de unstakeo\",\"HpK/8d\":\"Recargar\",\"HrnC47\":\"Guardar y compartir\",\"HuVZMK\":\"Days\",\"HvJKMU\":[\"Este activo no se puede migrar al mercado v3 de \",[\"marketName\"],\", ya que el activo de garantía habilitará el isolation mode.\"],\"Hvwnm9\":[\"La cantidad máxima disponible para suministrar está limitada porque el límite de suministro del protocolo está al \",[\"0\"],\"%.\"],\"I8CX2c\":\"La cantidad total de tus activos denominados en USD que pueden ser usados como garantía para activos de préstamo.\",\"IAD2SB\":[\"Reclamando \",[\"symbol\"]],\"IG9X9/\":\"Tomar prestado este activo está limitado a una cierta cantidad para minimizar la insolvencia del fondo de liquidez.\",\"IOIx8L\":\"Está previsto que este activo se desvincule debido a una decisión del Gobierno del Protocolo Aave. <0>Más detalles\",\"IP+I/j\":\"Periodo de cooldown\",\"IaA40H\":\"Liquidación en\",\"J/hVSQ\":[[\"0\"]],\"JCoxL6\":\"Administrar analíticas\",\"JK9zf1\":[\"Interés compuesto estimado, incluyendo el descuento por Staking \",[\"0\"],\"AAVE en el Módulo de Seguridad.\"],\"JOqFba\":[\"Unstakeando \",[\"symbol\"]],\"JPrLjO\":\"No puedes usar este activo como garantía\",\"JU6q+W\":\"Recompensa(s) por reclamar\",\"JYKRJS\":\"Stakear\",\"JZMxX0\":\"No hay suficiente balance en tu cartera\",\"Jgflkm\":\"Obtener GHO\",\"JoMQnI\":\"Balance de la cartera\",\"JtwD8u\":\"Balance tomado prestado tras pagar\",\"JumYTK\":\"Supplied assets\",\"K05qZY\":\"Retirar y Cambiar\",\"KAz/NV\":\"El límite de deuda del protocolo está al 100% para este activo. No es posible tomar más prestado usando este activo como garantía.\",\"KLXVqE\":[\"Los tokens stETH se migrarán a Wrapped stETH usando el wrapper del protocolo de Lido, lo que provoca un cambio en el balance de suministro después de la migración: \",[\"0\"]],\"KLd6ky\":\"Use connected account\",\"KRpokz\":\"VER TX\",\"KSlpka\":\"Esto representa el umbral en el que un préstamo será considerado sin garantía suficiente y sujeto a la liquidación de la misma. Por ejemplo, si una garantía tiene un umbral de liquidación del 80 %, significa que el préstamo será liquidado cuando el valor de la deuda alcanze el 80% del valor de la garantía.\",\"KYAjf3\":\"Aislado\",\"KZwRuD\":[[\"notifyText\"]],\"KkPgim\":\"Cambiando E-Mode\",\"KnN1Tu\":\"Caduca\",\"KoOBI2\":\"Debido a mecánicas internas de stETH requeridas para el soporte del rebase, no es posible realizar un cambio de garantía donde stETH es el token de origen.\",\"KojyJ4\":\"Red incorrecta\",\"KsqhWn\":\"Staking\",\"KuBTQq\":\"Introduce la dirección ETH\",\"KvG1xW\":\"Reclamando\",\"L+8Lzs\":\"LTV actual\",\"L+qiq+\":\"Mercado\",\"LDzfVJ\":\"Send Feedback\",\"LIrMcF\":\"Sin poder de voto\",\"LL0zks\":\"Puede ser garantía\",\"LLdJWu\":\"AAVE Reclamable\",\"LSIpNK\":\"Tomar prestado y pagar en el mismo bloque no está permitido\",\"LVt3TI\":[\"<0>Tolerancia de deslizamiento <1>\",[\"selectedSlippage\"],\"% <2>\",[\"0\"],\"\"],\"LjafV8\":\"Maximum collateral amount to use\",\"LtpQew\":\"Let us know how we can make the app better for you. For user support related inquiries please reach out on\",\"LvVpD/\":\"Modo E\",\"M2sknc\":\"Tip: Intenta aumentar el deslizamiento o reduce la cantidad de entrada\",\"M7wPsD\":\"Cambiar\",\"MFu33y\":\"Staking 00\",\"MIy2RJ\":\"Maximum amount received\",\"MZ/nQf\":\"Dirección del destinatario\",\"Ma/MtY\":\"vista de stakeo\",\"McHlGl\":\"Cambio de APY\",\"MeCCA+\":\"APY, variable\",\"MghdTe\":\"Si el factor de salud se encuentra por debajo de 1, la liquidación de tu colateral puede ser activada.\",\"Mm/DVQ\":\"Has cancelado la transacción.\",\"MnE2QX\":\"Información de préstamo\",\"MrmQHg\":\"View Bridge Transactions\",\"MuDFEQ\":\"Valor de retorno inválido en la función executor del préstamo flash\",\"N5kUMV\":\"Este activo solo se puede utilizar como garantía en isolation mode con poder de préstamo limitado. Para entrar en el isolation mode, deshabilita todas las demás garantías.\",\"N6Pxr9\":\"View all\",\"NF0e1Q\":\"Pendiente...\",\"NK9ikO\":\"Balance de la cartera\",\"NMt2CB\":\"Cantidad reclamable\",\"NcFGxG\":\"Collector Contract\",\"NfpPeS\":\"Nada invertido\",\"Nh9DAo\":[[\"m\"],\"m\"],\"O+sCUU\":\"El límite de minteo sin respaldo ha sido excedido\",\"O+tyU+\":[\"La cantidad máxima disponible para tomar prestado contra este activo está limitada porque el límite de deuda está al \",[\"0\"],\"%.\"],\"O3oNi5\":\"Email\",\"OFjZGo\":\"Unstakear\",\"OR8cYX\":\"Resumen de la propuesta\",\"OYuJ9K\":\"El límite de deuda del protocolo está al 100% para este activo. No es posible tomar más prestado usando este activo como garantía.\",\"OfhWJH\":\"Restablecer\",\"Og2SKn\":\"deshabilitado\",\"On0aF2\":\"Página web\",\"OsyKSt\":\"Retirar\",\"P1dURE\":\"Revocar poder\",\"P2WCD/\":[\"El activo subyacente no existe en el mercado v3 de \",[\"marketName\"],\", por lo tanto, esta posición no se puede migrar.\"],\"P2sL6B\":\"Cuando ocurre una liquidación, los liquidadores pagan hasta el 50% de la cantidad pendiente del préstamo en nombre del prestatario. A cambio, pueden comprar la garantía con descuento y quedarse con la diferencia (sanción de liquidación) como bonificación.\",\"P6sRoL\":\"Stakea ABPT\",\"P72/OW\":\"El promedio ponderado de APY para todos los activos prestados, incluidos los incentivos.\",\"P7e6Ug\":\"Por favor conecta tu cartera para ver el historial de transacciones.\",\"PByO0X\":\"Votos\",\"PI+kVe\":\"Deshabilitar fork\",\"PJK9u/\":\"Apy préstamo\",\"PLUB/s\":\"Fee\",\"PP5ZA8\":[\"Participating in staking \",[\"symbol\"],\" gives annualized rewards. Your wallet balance is the sum of your aTokens and underlying assets. The breakdown to stake is below\"],\"PcBUgb\":\"Umbral de liquidación\",\"PjU6bu\":\"This asset is eligible for SPK incentive program. Aave Labs does not guarantee the program and accepts no liability.\",\"PpqD5g\":\"Habilitar este activo como garantía aumenta tu poder préstamo y el factor de salud. Sin embargo, puede ser liquidado si tu factor de salud cae por debajo de 1.\",\"PsOFSf\":\"Esta acción reducirá el factor de salud V2 por debajo del umbral de liquidación. Mantén la garantía o migra la posición de préstamo para continuar.\",\"Pu4bI/\":[[\"currentMethod\"]],\"Q0LzKi\":\"View TX\",\"Q4eNqa\":\"El Aave Balancer Pool Token (ABPT) es un token de pool de liquidez. Puedes recibir ABPT depositando una combinación de AAVE + wstETH en el pool de liquidez de Balancer. Luego puedes stakear tu BPT en el módulo de seguridad para asegurar el protocolo y ganar incentivos de seguridad.\",\"QQYsQ7\":\"Retirando\",\"QWYCs/\":\"Stakear GHO\",\"R+30X3\":\"No alcanzado\",\"RCU5PY\":\"Age\",\"RIfckG\":[\"Desactivar \",[\"symbol\"],\" como garantía\"],\"RMtxNk\":\"Diferencial\",\"RNK49r\":\"Firma inválida\",\"RS0o7b\":\"Estado\",\"RU+LqV\":\"Detalles de la propuesta\",\"RYTgZX\":\"lorem ipsum\",\"RbXH+k\":\"Los poseedores de AAVE, GHO y ABPT (solo en la red de Ethereum) pueden stakear sus activos en el Módulo de Seguridad para añadir más seguridad al protocolo y obtener incentivos de seguridad. En el caso de un evento de shortfall, tu stakeo puede ser reducido para cubrir el déficit. proporcionando una capa adicional de protección para el protocolo.\",\"RiSYV4\":\"El activo no está listado\",\"Rj01Fz\":\"Enlaces\",\"RmWFEe\":\"Staking APR\",\"RoafuO\":\"Enviar feedback\",\"RtBLm7\":\"El factor de salud es menor que el umbral de liquidación\",\"RxzN1M\":\"Habilitado\",\"SDav7h\":\"Fondos en el Módulo de Seguridad\",\"SENccp\":\"Si el error persiste, <0/> podrías reportarlo a esto\",\"SIWumd\":\"Mostrar activos congelados o pausados\",\"SM58dD\":\"Cantidad en cooldown\",\"SSMiac\":\"Error al cargar los votantes de la propuesta. Por favor actualiza la página.\",\"SSQVIz\":\"Umbral de liquidación\",\"SUb8x0\":\"Total disponible\",\"SWIgh4\":\"Fees exceed wallet balance\",\"SY9hVo\":\"El modo de solo lectura permite ver las posiciones de las direcciones en Aave, pero no podrás realizar transacciones.\",\"SZRUQ4\":\"Deslizamiento máximo\",\"Sa1UE/\":\"El límite de préstamo del protocolo está al 100% para este activo. No es posible tomar más prestado.\",\"Sk2zW9\":\"Desactivando E-Mode\",\"SxaD0o\":\"La dirección del proveedor del pool no esta registrada\",\"T/AIqG\":\"El límite de suministro del protocolo está al 100% para este activo. No es posible suministrar más.\",\"T0xCO9\":\"No se puede validar la dirección de la cartera. Vuelve a intentarlo.\",\"T4OhVl\":\"GHO balance\",\"T6uYU2\":\"Tomar prestado\",\"TFxQlw\":\"Penalización de liquidación\",\"TQ7WsV\":\"Available to stake\",\"TUI7iB\":\"El activo solo puede usarse como garantía en el Isolation mode únicamente.\",\"TbjyhA\":\"Docs\",\"TduuS0\":\"El usuario no tiene deuda pendiente de tasa estable en esta reserva\",\"TeCFg/\":\"Cambio de tasa de préstamo\",\"Tg1JyO\":\"Bridge history\",\"TskbEN\":\"Los poseedores de stkAAVE reciben un descuento en la tasa de préstamo de GHO\",\"TszKts\":\"Balance de préstamo después del cambio\",\"TtZL6q\":\"Parámetros del modelo de descuento\",\"TwJI9F\":\"Asset has been successfully sent to CCIP contract. You can check the status of the transactions below\",\"Tz0GSZ\":\"actividades bloqueadas\",\"U/eBjN\":\"Recarga la página\",\"U2r8nY\":\"Elige cuánto poder de voto/proposición otorgar a otra persona delegando parte de tu balance de AAVe o stkAAVE. Tus tokens permanecerán en tu cuenta, pero tu delegado podrá votar o proponer en tu lugar. Si tu balance de AAVE, stkAAVE o aAave cambia, el poder de voto/proposición de tu delegado se ajustará automáticamente.\",\"U8IubP\":\"La aplicación se está ejecutando en testnet mode. Aprende como funciona en\",\"U9btTk\":\"El activo no se puede pedir prestado en isolation mode\",\"UAOZRe\":\"El impacto del precio es la diferencia entre el valor total de los tokens de entrada cambiados y los tokens de destino obtenidos (en USD), que resulta de la liquidez limitada del par de cambio.\",\"UE3KJZ\":\"El historial de transacciones no está disponible actualmente para este mercado\",\"URmyfc\":\"Detalles\",\"UTTKmT\":\"Cooldown de stakeo activado\",\"UXeR72\":\"Estos fondos se han tomado prestados y no están disponibles para su retirada en este momento.\",\"UYb8CM\":\"Learn more about the SPK rewards\",\"UbRrG0\":\"El ratio LTV máximo representa el poder de endeudamiento máximo de una garantía específica. Por ejemplo, si una garantía tiene un LTV del 75 %, el usuario puede pedir prestado hasta 0,75 ETH en la moneda principal por cada 1 ETH de garantía.\",\"UpndFj\":\"No hay recompensas para reclamar\",\"V0f2Xv\":\"Factor de reserva\",\"V1HK43\":\"Riesgos de migración\",\"VATFH9\":\"Deuda cubierta\",\"VHOVEJ\":\"Conectar cartera\",\"VMfYUK\":\"Seguridad de tu garantía depositada contra los activos prestados y su valor subyacente.\",\"VOAZJh\":\"Total de préstamos\",\"ViKYxK\":\"YAE\",\"W1SSoD\":\"Revisar detalles de la tx\",\"W5hVah\":\"Nada suministrado aún\",\"W5kTFy\":\"Votando\",\"W8ekPc\":\"Volver al panel de control\",\"WMPbRK\":\"No respaldado\",\"WNGZwH\":\"El E-Mode incrementa tu LTV para una categoría seleccionada de activos hasta el <0/>. <1>Aprende más\",\"WPWG/y\":\"Configuración y estado de la reserva\",\"WZLQSU\":\"El usuario no puede retirar más que el balance disponible\",\"WaZyaV\":\"<0>Ampleforth es un activo con rebase. Visita la <1>documentación para aprender más.\",\"WfU+XN\":\"Debido a que este activo está en pausa, no se pueden realizar acciones hasta nuevo aviso\",\"Wjmqs2\":\"No results found. You can import a custom token with a contract address\",\"WkZ6C6\":\"Para tomar prestado, necesitas suministrar cualquier activo para ser utilizado como garantía.\",\"WyMiQm\":\"Has cambiado los tokens con éxito.\",\"X/ITG9\":\"Copiar el texto del error\",\"X3Pp6x\":\"Utilizado como garantía\",\"X4Zt7j\":\"No se puede realizar la acción porque la reserva está pausada\",\"XBdKOj\":\"Direcciones de cartera de contrato inteligente representativas (Safe) en otras cadenas.\",\"XZzneG\":\"Saldrás del modo aislamiento y otros tokens pueden ser usados ahora como garantía\",\"Xg5y9S\":\"Amount to Bridge\",\"Xn4hUi\":\"Por favor ten siempre en cuenta tu <0>factor de salud (HF) cuando migres parcialmente una posición y que tus tasas serán actualizadas a tasas de la V3.\",\"Xy71ST\":\"Umbrella\",\"Y5kGkc\":\"VOTAR NO\",\"YDIOks\":\"Habilitar E-Mode\",\"YSodyW\":\"Esta acción reducirá tu factor de salud. Por favor ten en cuenta el riesgo incrementado de liquidación de la garantía.\",\"YXOWXM\":\"The total amount bridged minus CCIP fees. Paying in network token does not impact gho amount.\",\"YirHq7\":\"Feedback\",\"YogbCJ\":\"Testnet mode está ON\",\"YrDxdO\":\"Si tu relación préstamo-valor supera el umbral de liquidación, tu garantía puede ser liquidada.\",\"YyIM65\":\"No se cumplieron las condiciones de ajuste de tasas de interés\",\"YyydIq\":[\"Añade \",[\"0\"],\" a tu cartera para hacer un seguimiento del balance.\"],\"ZBvhI+\":\"Gobierno de Aave\",\"ZIIRAd\":\"Raw-Ipfs\",\"ZRq4tX\":\"Modo de eficiencia (E-Mode)\",\"ZSqEW+\":\"Manage E-Mode\",\"ZUFYFE\":\"Deshabilitar testnet\",\"Zbyywy\":\"Max slashing\",\"ZfUGFb\":\"Antes de suministrar\",\"ZiXN+B\":\"Assets to stake\",\"ZlsSDH\":\"Valor de liquidación\",\"ZrEc8j\":\"No pudimos encontrar ningún activo relacionado con tu búsqueda. Vuelve a intentarlo con un nombre diferente de activo, símbolo o dirección.\",\"ZsLF7e\":\"habilitado\",\"a0YQoQ\":\"Enter a valid address\",\"a2fBZn\":\"Tempo restante para unstakear\",\"a5RYZd\":\"Deshabilitar este activo como garantía afecta tu poder de préstamo y Factor de Salud.\",\"a7u1N9\":\"Precio\",\"a9D+6D\":\"Unstakeado\",\"aEtiwq\":\"Votar NO\",\"aMmFE1\":\"Comprar Crypto con Fiat\",\"aOKIms\":\"Los parámetros del array que deberían ser iguales en longitud no lo son\",\"aX31hk\":\"Tu balance es más bajo que la cantidad seleccionada.\",\"adUsDd\":\"Se ha producido un error al recuperar la propuesta.\",\"al6Pyz\":\"Supera el descuento\",\"aoXTT7\":\"APY préstamo, variable\",\"aqX1Yp\":\"This asset is eligible for rewards through SuperFest. Aave Labs does not guarantee the program and accepts no liability.\",\"avgETN\":\"Eligible for the Merit program.\",\"b4NS3e\":\"Advertencia periodo de cooldown\",\"bNEQeI\":\"Cooldown\",\"bSruit\":\"ZKSync Ignite Program rewards are claimed through the\",\"bUUVED\":\"Activo\",\"bXQ/Og\":\"Compartir en twitter\",\"bXr0ee\":\"Los activos aislados han limitado tu capacidad de préstamo y otros activos no pueden ser usados como garantía.\",\"bYmAV1\":\"Direcciones\",\"bguKoJ\":\"La cantidad solicitada es mayor que el tamaño máximo del préstamo en el modo de tasa estable\",\"bwSQI0\":\"Suministrar\",\"bxN6EM\":\"No se puede deshabilitar E-Mode\",\"bxmzSh\":\"No hay suficiente garantía para pagar esta cantidad de deuda con\",\"c91vuQ\":\"La dirección no es un contrato\",\"c97os2\":\"aToken de Aave\",\"c9b44w\":\"No puedes retirar esta cantidad porque causará una liquidación\",\"cBc+4A\":\"Esta es la cantidad total disponible que puedes tomar prestada. Puedes tomar prestado basado en tu garantía y hasta que el límite de préstamo se alcance.\",\"cIl5kp\":\"Tu poder de voto se basa en tu balance de AAVE/stkAAVE y delegaciones recibidas.\",\"cLo09S\":\"Detalles de riesgo\",\"cNT+ij\":\"Tomar prestado no está disponible porque has habilitado el Efficiency Mode (E-Mode) y el Isolation mode. Para administrar el E-Mode y el Isolation Mode, visita tu <0>Panel de control.\",\"cZOeBk\":\"Something went wrong fetching bridge message, please try again later.\",\"ceix5S\":\"Para enviar una propuesta de cambios menores al protocolo, necesitarás al menos 80K de poder. Si deseas cambiar la base central del código, necesitarás un poder de 320K.<0>Aprende más\",\"ciybUa\":\"Votar SI\",\"ckf7gX\":[\"Pagando \",[\"symbol\"]],\"cp1ZDP\":[\"Bridge \",[\"symbol\"]],\"cqnmnD\":\"Tasa de interés efectiva\",\"cqwIvs\":\"Hilo de discusión del foro\",\"csDS2L\":\"Disponible\",\"cu7Stb\":\"No has participado en esta propuesta\",\"dE6BLF\":\"Gobierno\",\"dEgA5A\":\"Cancelar\",\"dIsyWh\":\"La validación del LTV ha fallado\",\"dMtLDE\":\"para\",\"dOB5nW\":[\"La cantidad máxima disponible para suministrar es <0/> \",[\"0\"],\" (<1/>).\"],\"dVfODp\":\"No tienes suficientes fondos en tu cartera para pagar la cantidad total. Si procedes a pagar con tu cantidad actual de fondos, aún tendrás un pequeño préstamo en tu panel de control.\",\"dXUQFX\":\"Activos a tomar prestado\",\"dgr1aY\":\"Tomar prestado está deshabilitado debido a una decisión de la comunidad de Aave. <0>Más información\",\"djsg0o\":\"Uso de la garantía\",\"dpc0qG\":\"Variable\",\"drdV8R\":\"Liquidación\",\"dxW8cS\":\"Token de deuda de Aave\",\"e4V3oW\":\"Top 10 direcciones\",\"eD8WX/\":\"La acción requiere una reserva activa\",\"eJRJ04\":\"Cantidad para unstakear\",\"eLh0cL\":\"El deslizamiento es la diferencia entre las cantidades calculadas y las recibidas debido a las condiciones cambiantes del mercado entre el momento en que se envía la transacción y su verificación.\",\"ePK91l\":\"Editar\",\"eVpCmf\":\"Recompensas de Staking\",\"eVqvtf\":\"Bridge GHO\",\"eYdurp\":\"Aún no hay transacciones.\",\"ebLGGN\":\"Total tomado prestado\",\"ecqEvn\":\"El balance de garantía es 0\",\"efdrrk\":\"Disponible en\",\"enruNF\":\"empieza\",\"eqLYiD\":\"Unstakea ahora\",\"euScGB\":\"APY con descuento aplicado\",\"evw5ha\":\"Valor neto\",\"ezcU16\":\"Obtener Token ABP\",\"f3W0Ej\":[\"Has cambiado a tasa \",[\"0\"]],\"fH9i8k\":\"Has cambiado con éxito la posición de préstamo.\",\"fHcELk\":\"APR Neto\",\"fMJQZK\":\"Prestado\",\"fZ5Vnu\":\"Recibido\",\"firl9Q\":\"Tu actual relación préstamo-valor basado en tu garantía suministrada.\",\"flRCF/\":\"Descuento por staking\",\"fldjW9\":\"Previsualizar la tx y migrar\",\"fsBGk0\":\"Balance\",\"fu1Dbh\":[\"Retirar \",[\"symbol\"]],\"fwjWSI\":\"Suministrado\",\"fwyTMb\":\"Migrar a stkABPT v2\",\"g0mals\":\"You can not disable E-Mode because that could cause liquidation. To exit E-Mode supply or repay borrowed positions.\",\"g2UNkE\":\"Powered by\",\"g8KGoA\":\"FAQS\",\"g9zzqS\":\"Votó NAY\",\"gDd2gk\":\"about SuperFest.\",\"gFFh9h\":\"¡Todo listo!\",\"gIMJlW\":\"Testnet mode\",\"gOzPxe\":\"Este activo está congelado debido a una decisión del Gobierno del Protocolo Aave. <0>More información\",\"gTHi2T\":\"El usuario está intentando tomar prestado múltiples activos incluido uno aislado\",\"gVW59Y\":\"Por favor conecta tu cartera para obtener activos testnet gratis.\",\"gcFNxP\":\"Aprobación confirmada\",\"gncRUO\":\"Esta dirección está bloqueada en app.aave.com porque está asociada con una o más\",\"goff7V\":\"Dirección cero no válida\",\"gp+f1B\":\"Versión 3\",\"gr8mYw\":\"Puedes tomar prestado hasta <0/> GHO al <1/> (descuento máximo)\",\"gvTM4B\":\"El APY neto es el efecto combinado de todos los suministros y préstamos sobre total, incluidos los incentivos. Es posible tener un APY neto negativo si el APY de la deuda es mayor que el APY de suministro.\",\"gzcch9\":\"Comisión de puente de protocolo inválida\",\"h33MxW\":\"Direcciones de cartera de contrato inteligente representantes (Safe) en otras cadenas.\",\"h3ilK+\":\".CSV\",\"hB23LY\":\"Activar Cooldown\",\"hIJzBh\":\"Available to Claim\",\"hIS4N0\":\"APY neto\",\"hRWvpI\":\"Reclamado\",\"hdmy/o\":\"El % de tu poder de préstamo total utilizado. Esto se basa en la cantidad de tu garantía suministrada y la cantidad total que puedes pedir prestado.\",\"hehnjM\":\"Cantidad\",\"hjDCQr\":\"Hubo un error. Por favor intenta cambiar los parámetros o <0><1>copiar el error\",\"hom7qf\":\"Reclamar\",\"hpHJ4I\":\"Garantía liquidada\",\"hpuVIp\":\"Users who stake AAVE in Safety Module (i.e. stkAAVE holders) receive a discount on GHO borrow interest rate.\",\"huQ6Tz\":[\"Tomando prestado \",[\"symbol\"]],\"hxi7vE\":\"Balance tomado prestado\",\"i2JTiw\":\"Puedes ingresar una cantidad específica en el campo.\",\"iB5+/J\":\"Sobre GHO\",\"iChbOF\":\"Parámetros inconsistentes del préstamo flash\",\"iEPVHF\":\"No hay suficiente poder de voto para participar en esta propuesta\",\"iEW87X\":\"Poder delegado\",\"iEju36\":[\"Has votado \",[\"0\"]],\"iFq2YN\":\"Borrowable\",\"iGxyIA\":\"Safety Module\",\"iMVZk9\":\"Seleccionar tolerancia de deslizamiento\",\"iPMIoT\":\"Ingresa una cantidad\",\"iSLIjg\":\"Conectar\",\"iUo5rv\":\"tokens no es lo mismo que stakearlos. Si deseas stakearlos\",\"iZxa38\":\"Úsalo para votar a favor o en contra de propuestas activas.\",\"if5PH+\":\"Collector Info\",\"igkfR1\":[\"En el Isolation mode, no puedes suministrar otros activos como garantía. Un límite de deuda global limita la capacidad de préstamo del activo aislado. Para salir del Isolation mode, deshabilita \",[\"0\"],\" como garantía antes de tomar prestado otro activo. Lee más en nuestras <0>preguntas frecuentes \"],\"il0sEG\":\"El uso de garantías está limitado debido al Isolation mode.\",\"j+K1Xj\":\"Amount After Fee\",\"jA2QeW\":\"Suministrando tu\",\"jFi7dz\":\"Tasa de interés determinada por el gobierno de Aave. Esta tasa puede cambiar con el tiempo dependiendo de la necesidad de que el suministro de GHO se contraiga/expanda. <0>Aprende más\",\"jG3UJ7\":\"Desactivar el E-Mode\",\"jKYzR1\":\"Habilitar E-Mode\",\"jMam5g\":[\"Balance \",[\"0\"]],\"jSYv+Z\":\"Enabling E-Mode allows you to maximize your borrowing power, however, borrowing is restricted to assets within the selected category. <0>Learn more about how it works and the applied restrictions.\",\"jaKbwW\":[[\"s\"],\"s\"],\"jbFMap\":\"Periodo restante de cooldown\",\"jeMZNr\":[[\"0\"],\" el servicio on-ramp es proporcionado por proveedores externos y al seleccionarlo, estás aceptando los términos de dichos proveedores. Tu acceso al servicio podría depender de que el proveedor externo esté operativo.\"],\"jfl9OP\":\"Migrado\",\"jmXdoY\":\"En E-Mode algunos activos no se pueden pedir prestados. Sal del E-Mode para obtener acceso a todos los activos\",\"jpctdh\":\"Ver\",\"jqzUyM\":\"No disponible\",\"k/sb6z\":\"Seleccionar idioma\",\"k3wP3f\":\"<0>Atención: Los cambios de parámetros a través de la gobernanza pueden alterar el factor de salud de tu cuenta y el riesgo de liquidación. Sigue el <1>foro de gobierno de Aave para mantenerte actualizado.\",\"kACpF3\":[\"Reclamar \",[\"0\"]],\"kH6wUX\":\"Impacto del precio\",\"kIC28N\":\"Available to claim\",\"kIpSye\":[[\"numSelected\"],\"/\",[\"numAvailable\"],\" activos seleccionados\"],\"kN1Yg5\":\"Para pagar en nombre de un usuario, se necesita una cantidad explícita para pagar\",\"kRTD40\":[\"Cantidad a pagar para alcanzar el \",[\"0\"],\"% de utilización\"],\"kjN9tT\":\"El límite de suministro se ha sobrepasado\",\"knxE+G\":\".JSON\",\"ks2LWT\":\"El límite de deuda no es cero\",\"kwwn6i\":\"Los usuarios que stakean AAVE en el Modulo de Seguridad (es decir, poseedores de stkAAVE) reciben un descuento en la tasa de interés de préstamo de GHO. Este descuento se aplica a 100 GHO por cada 1 stkAAVE en posesión. Usa el calculador de abajo para ver la tasa de préstamo de GHO con el descuento aplicado.\",\"kz3wtK\":\"and about SPK program\",\"kzZyM4\":\"El balance de DAI se convertirá a través de los contratos de DSR y luego se suministrará como sDAI. El cambio no genera costos adicionales ni deslizamientos.\",\"lNVG7i\":\"Selecciona un activo\",\"lU2d1/\":[\"Este activo no se puede migrar debido a una liquidez insuficiente o a una limitación del límite de préstamo en el mercado v3 de \",[\"marketName\"],\".\"],\"lVhKKI\":\"Votó YAE\",\"lWLqxB\":\"No pudimos encontrar ninguna transacción relacionada con tu búsqueda. Vuelve a intentarlo con un nombre de activo diferente o restablece los filtros.\",\"lYGfRP\":\"Inglés\",\"lfEjIE\":\"Aprende más en nuestra guía <0>Preguntas frecuentes\",\"lt6bpt\":\"Garantía a pagar con\",\"m/IEhi\":\"Emisiones totales por día\",\"m7r7Hh\":\"Activos de préstamo seleccionados\",\"mDDK4p\":\"Pool de Balancer\",\"mIM0qu\":\"Cantidad esperada a pagar\",\"mUAFd6\":\"Versión 2\",\"masO5Z\":\"E-Mode increases your LTV for a selected category of assets. <0>Learn more\",\"mdNjKU\":[\"Tu cartera de \",[\"name\"],\" está vacía. Compra o transfiere activos o usa <0>\",[\"0\"],\" para transferir tus activos de \",[\"network\"],\".\"],\"muiOng\":[\"Comprar \",[\"cryptoSymbol\"],\" con Fiat\"],\"mvCXBY\":\"Stakea AAVE\",\"mwdzil\":\"Vale, cerrar\",\"mzI/c+\":\"Descargar\",\"mzdIia\":\"Este activo no puede usarse como garantía.\",\"n+SX4g\":\"Desarrolladores\",\"n8Psk4\":\"No podemos detectar una cartera. Conecta una cartera para stakear y ver tu balance.\",\"nJIhzm\":\"Apy de suministro\",\"nJgsQu\":\"Con un poder de votación de <0/>\",\"nLC6tu\":\"Francés\",\"nN2T8p\":\"During the cooldown period, you will not earn any merit rewards. However, rewards earned up to this point will remain unaffected.\",\"nNHV0z\":\"Migrar múltiples garantías y activos prestados al mismo tiempo puede ser una operación costosa y podría fallar en ciertas situaciones.<0>Por lo tanto, no se recomienda migrar posiciones con más de 5 activos (depositados + tomados prestados) al mismo tiempo.\",\"nNbnzu\":\"Proposición\",\"nOy4ob\":\"Te sugerimos volver al Panel de control.\",\"nPGNMh\":\"Puede ser ejecutado\",\"nUK1ou\":[\"Assets with zero LTV (\",[\"0\"],\") must be withdrawn or disabled as collateral to perform this action\"],\"nakd8r\":\"poseedores de stkAAVE obtienen un descuento en la tasa de préstamo de GHO\",\"nh2EJK\":[\"Por favor, cambia a \",[\"networkName\"],\".\"],\"njBeMm\":\"Ambos\",\"noN5Xf\":\"We couldn’t detect a wallet. Connect a wallet to view your staking positions and rewards.\",\"ntkAoE\":\"Descuento aplicado para <0/> AAVE stakeados\",\"ntyFSE\":[[\"h\"],\"h\"],\"nwtY4N\":\"Se produjo un error\",\"nxyWvj\":\"Retirar esta cantidad reducirá tu factor de salud y aumentará el riesgo de liquidación.\",\"o17QVP\":\"Tu factor de salud y la relación préstamo-valor determinan la seguridad de tu garantía. Para evitar liquidaciones, puedes suministrar más garantía o pagar las posiciones de préstamo.\",\"o1xc2V\":\"El balance de AToken no es cero\",\"o4tCu3\":\"APY préstamo\",\"o5ooMr\":\"Deuda\",\"o7J4JM\":\"Filtro\",\"oHFrpj\":\"Cooldown para undstakear\",\"oJ5ZiG\":\"El usuario no tiene deuda pendiente de tasa variable en esta reserva\",\"oRBGin\":\"Por favor conecta tu cartera para cambiar tus tokens.\",\"oUwXhx\":\"Activos de prueba\",\"oWklJD\":\"La tasa de interés estable <0>permanecerá igual durante la duración de su préstamo. Está recomendado para los períodos de préstamo a largo plazo y para los usuarios que prefieren la previsibilidad.\",\"odnIK3\":\"Time remaining until the 48 hour withdraw period starts.\",\"oiK5nY\":\"The current incentives period, decided on by the Aave community, has ended. Governance is in the process on renewing, check for updates. <0>Learn more.\",\"olREoo\":\"All borrow positions outside of this category must be closed to enable this category.\",\"om/XHs\":\"Disponible para suministrar\",\"ov0+mq\":\"Eligible for the ZKSync Ignite program.\",\"ovT1pF\":[\"Per the community, the \",[\"market\"],\" has been frozen.\"],\"ow3fug\":\"Sin resultados\",\"owSsI3\":\"Firmas listas\",\"p+R52m\":\"Ir al pool de Balancer\",\"p2A+s1\":[\"El periodo de cooldown es \",[\"0\"],\". Después \",[\"1\"],\" del cooldown, entrarás a la ventana de unstakeo de \",[\"2\"],\". Continuarás recibiendo premios durante el cooldown y la ventana de unstakeo.\"],\"p2S64u\":\"La relación préstamo-valor de las posiciones migradas provocaría la liquidación. Aumenta la garantía migrada o reduce el préstamo migrado para continuar.\",\"p2Z2Qi\":\"Este activo ha alcanzado su límite de préstamo. No queda nada disponible para ser prestado de este mercado.\",\"p3j+mb\":\"Tu balance de recompensa es 0\",\"p45alK\":\"Configurar la delegación\",\"p6u2s1\":\"Minimum amount of debt to be repaid\",\"pDgeaz\":[[\"title\"]],\"pdZqBk\":\"El balance subyacente debe ser mayor que 0\",\"pgWG9H\":\"No hay suficiente balance stakeado\",\"piPrJ7\":\"por favor comprueba que la cantidad que deseas depositar no está siendo utilizada actualmente para stakear. Si está utilizando para stakear, tu transacción podría fallar.\",\"pjO/iH\":\"Cantidad mínima recibida\",\"pooutM\":\"La votación está activa\",\"pqaM5s\":\"Confirmando transacción\",\"ptaxX3\":[\"Entiendo como el cooldown (\",[\"0\"],\") y el proceso de unstaking (\",[\"1\"],\") funcionan\"],\"py2iiY\":\"La función debe ser llamada por un pool\",\"q/51mF\":\"Migrar a V3\",\"q3df11\":\"Estrategia de tasa de interés\",\"q6lAbz\":\"Stakeado\",\"qB4kPi\":\"Suministrar APY\",\"qENI8q\":\"Configuración global\",\"qGz5zl\":\"Balance de la garantía tras pagar\",\"qOqbD6\":\"copiar el error\",\"qXCkEM\":\"Por favor, conecta tu cartera para ver tus suministros, préstamos y posiciones abiertas.\",\"qY2jnw\":\"Expiración inválida\",\"qf/fr+\":\"Interés acumulado\",\"quYPUU\":\"Variable interest rate will <0>fluctuate based on the market conditions.\",\"quzIeW\":\"User is in isolation mode or LTV is zero\",\"qvnz3q\":\"Cantidad inválida para quemar\",\"rHgdb0\":\"Migrate to Aave V3\",\"rOrHHe\":\"La cantidad debe ser mayor que 0\",\"rQ+R+0\":\"Activos de suministro seleccionados\",\"rSayea\":\"APY\",\"rTBDeu\":[\"Este activo no se puede migrar porque tienes una garantía en Isolation Mode en el mercado v3 de \",[\"marketName\"],\" que limita los activos prestados. Puedes administrar tu garantía en el <0>Panel de control V3 de \",[\"marketName\"],\"\"],\"rcT+yy\":\"Mostrar activos con 0 balance\",\"rf8POi\":\"Cantidad de activos tomados prestados\",\"riNWOA\":\"E-Mode\",\"rjGI/Q\":\"Privacidad\",\"rnKPW1\":\"Watch a wallet balance in read-only mode\",\"ruc7X+\":\"Añade stkAAVE para ver el APY de préstamo con el descuento\",\"rvbaFU\":[\"Bridging \",[\"symbol\"]],\"rwVVB7\":\"Reclamar todas las recompensas\",\"rwyUva\":\"Estos activos están temporalmente congelados o pausados por decisiones de la comunidad de Aave, lo que significa que no se puede suministrar / tomar prestado o intercambiar tasas de estos activos. Se permiten retiros y pagos de deuda. Sigue el <0>foro de gobierno de Aave para más actualizaciones.\",\"rxJW5W\":\"Tu poder de proposición se basa en tu balance de AAVE/stkAAVE y delegaciones recibidas.\",\"s2jJnW\":\"You don't have any bridge transactions\",\"s5wBAq\":[\"Unstakear \",[\"symbol\"]],\"sJbIdI\":\"Enter ETH address or ENS\",\"sK+Nag\":\"Revisión tx\",\"sP2+gB\":\"NO\",\"sQv06Y\":\"para\",\"sTtO6J\":\"Confirmar transacción\",\"sXKb3l\":\"Tasa de cambio\",\"sb0q4+\":\"Unstakea aquí\",\"smJNwH\":\"Disponible para tomar prestado\",\"solypO\":\"El factor de salud no está por debajo del umbral\",\"sr0UJD\":\"Volver atrás\",\"ss5GCK\":\"La dirección del proveedor del grupo de direcciones no es válida\",\"swEgK4\":\"Tu información de voto\",\"t+wtgf\":\"Nada tomado prestado aún\",\"t/YqKh\":\"Eliminar\",\"t81DpC\":[\"Aprueba \",[\"symbol\"],\" para continuar\"],\"tCnbEs\":\"Precio del oráculo\",\"tFZLf8\":\"Este cálculo de gas es solo una estimación. Tu cartera establecerá el precio de la transacción. Puedes modificar la configuración de gas directamente desde tu proveedor de cartera.\",\"tHuvQI\":\"Ir al panel de control V3\",\"tKv7cI\":\"Cambiar posición de préstamo\",\"tOcg3N\":\"Dado que este activo está congelado, las únicas acciones disponibles son retirar y pagar, a las que se puede acceder desde el <0>Panel de control\",\"tOuXfv\":[\"Cantidad a tomar prestado para alcanzar el \",[\"0\"],\"% de utilización\"],\"te9Bfl\":\"Por favor, conecta tu cartera\",\"tt5yma\":\"Tus suministros\",\"ttoh5c\":\"Cambiar a\",\"u3ZeYl\":\"Error en la transacción\",\"u706uF\":\"Préstamo flash inválido\",\"u8Gfu7\":[\"Sin resultados de búsqueda\",[\"0\"]],\"uAQUqI\":\"Status\",\"uHMwk8\":\"No hay activos seleccionados para migrar.\",\"uJPHuY\":\"Migrando\",\"uY8O30\":\"Para continuar, necesitas otorgar permiso a los contratos inteligentes de Aave para mover tus fondos de tu cartera. Según el activo y la cartera que uses, se hace firmando el mensaje de permiso (sin coste de gas), o enviando una transacción de aprobación (requiere coste de gas). <0>Aprende más\",\"udFheE\":\"Para el pago de un tipo específico de deuda, el usuario necesita tener una deuda de ese tipo\",\"ulNuNq\":\"Exportar datos a\",\"ulup2p\":\"Comprar Crypto con Fiat\",\"umICAY\":\"<0><1><2/>Añade stkAAVE para ver la tasa de préstamo con descuento\",\"usB84Z\":\"La cantidad máxima disponible para tomar prestado está limitada porque casi se ha alcanzado el límite de préstamo del protocolo.\",\"uwAUvj\":\"COPIAR IMAGEN\",\"v8x7Mg\":\"Garantía insuficiente para cubrir la nueva posición de préstamo. La cartera debe tener poder de préstamo suficiente para realizar el cambio de deuda.\",\"vEqxH9\":\"Restakeado\",\"vLyv1R\":\"Ocultar\",\"vMba49\":\"Tomar prestado no está habilitado\",\"vMpNwt\":\"Aprobar con\",\"vXIe7J\":\"Idioma\",\"vesuBJ\":\"Te permite decidir si utilizar un activo suministrado como garantía. Un activo utilizado como garantía afectará a tu poder de préstamo y factor de salud.\",\"w+V9Cx\":\"Stablecoin\",\"w/JtJ3\":\"El balance de deuda estable no es cero\",\"w4VBY+\":\"APR de recompensas\",\"w9dLMW\":[[\"label\"]],\"wAOL+X\":[\"Tu \",[\"action\"],\" <0/> \",[\"symbol\"]],\"wBIsjb\":\"Canal de Discord\",\"wQZbc/\":\"El llamador de la función no es un AToken\",\"wRRqvW\":\"No tienes suministros en este activo\",\"wZFvVU\":\"VOTAR SI\",\"wb/r1O\":[\"Faucet \",[\"0\"]],\"wdxz7K\":\"Source\",\"weH1nG\":\"El Protocolo Aave está programado para usar siempre el precio de 1 GHO = $1. Esto es diferente del uso del precio de mercado a través de oráculos para otros criptoactivos. Esto crea oportunidades de arbitraje estabilizadoras cuando el precio de GHO fluctúa.\",\"wh7Ezv\":\"No tienes balance de AAVE/stkAAVE/aAave para delegar.\",\"wlsIx7\":\"Con la testnet Faucet puedes obtener activos gratuitos para probar el Protocolo Aave. Asegúrate de cambiar tu proveedor de cartera a la red de testnet adecuada, selecciona el activo deseado y haz clic en \\\"Faucet\\\" para obtener tokens transferidos a tu cartera. Los activos de una testnet no son \\\"reales\\\", lo que significada que no tienen valor monetario. <0>Aprende más\",\"wmE285\":\"Obtener Token ABP v2\",\"wyRrcJ\":\"Como resultado de las decisiones del gobierno, este pool de stakeo de ABPT está obsoleto. Tienes la flexibilidad de migrar todos tus tokens a v2 o unstakearlos sin ningún periodo de cooldown.\",\"x5KiLL\":\"Los activos seleccionados se han migrado correctamente. Visita el panel de control del mercado para verlos.\",\"x7F2p6\":\"Diferencial actual\",\"x7K5ib\":[\"Tu cartera de \",[\"networkName\"],\" está vacía. Consigue \",[\"0\"],\" de prueba gratis en\"],\"x9iLRD\":\"tokens, por favor ve al\",\"xNy/UG\":\"Pagar con\",\"xPm8wv\":\"Aprende más sobre los riesgos involucrados\",\"xXYpZl\":[[\"0\"],\" Faucet\"],\"xaVBSS\":\"Tu información\",\"xaWZ6f\":\"Cambio tipo de APY\",\"xh6k71\":\"El uso de garantías está limitado debido al isolation mode.\",\"xvIklc\":\"El préstamo flash está deshabilitado para este activo, por lo tanto, esta posición no se puede migrar.\",\"y5rS9U\":\"Migrar\",\"y66tBm\":[\"Habilitar \",[\"symbol\"],\" como garantía\"],\"yB1YpA\":\"Modo oscuro\",\"yCrG6m\":\"Tamaño total del mercado\",\"yJUUbn\":\"Resumen de la transacción\",\"yLGmLX\":[\"Restakear \",[\"symbol\"]],\"yW1oWB\":\"Tipo APY\",\"yYHqJe\":\"Dirección no válida\",\"yZwLw6\":\"Haz seguimiento de tu cartera\",\"yh2sjd\":[\"Impacto en el precio \",[\"0\"],\"%\"],\"yhvj6d\":\"No puedes cambiar el uso como modo de garantía para este activo, porque causará una liquidación\",\"ylmtBZ\":\"La aplicación se ejecuta en fork mode.\",\"ymNY32\":[\"No hay fondos suficientes en la reserva\",[\"0\"],\"para tomar prestado\"],\"yz7wBu\":\"Cerrar\",\"z4uGQg\":\"El límite de deuda está sobrepasado\",\"z5UQOM\":\"La garantía elegida no puede ser liquidada\",\"z5Y+p6\":[\"Suministrando \",[\"symbol\"]],\"zCjNKs\":\"No se puede realizar la acción porque la reserva está congelada\",\"zRHytX\":\"Límite de deuda aislado\",\"zTOjMP\":\"El límite de suministro del protocolo está al 100% para este activo. No es posible suministrar más.\",\"zVdRUG\":\"Submission did not work, please try again later or contact wecare@avara.xyz\",\"zevmS2\":\"<0><1><2/>añade <3/> stkAAVE para tomar prestado al <4/> (descuento máximo)\",\"zgtIDV\":\"Deuda restante\",\"zmTPiV\":\"Balance de suministro\",\"zpPbZl\":\"Parámetros de riesgo de liquidación\",\"zucql+\":\"Menú\",\"zwWKhA\":\"Aprende más\",\"zy9fXn\":[\"Este activo está congelado en el mercado v3 de \",[\"marketName\"],\", por lo tanto, esta posición no se puede migrar.\"],\"zys+R6\":\"Ten en cuenta la congestión de la red y los precios del gas.\",\"zzzTXS\":\"Merit Program rewards are claimed through the\"}")}; \ No newline at end of file diff --git a/src/locales/fr/messages.js b/src/locales/fr/messages.js index d4750311d7..e0b5ecfd28 100644 --- a/src/locales/fr/messages.js +++ b/src/locales/fr/messages.js @@ -1 +1 @@ -/*eslint-disable*/module.exports={messages:JSON.parse("{\"+0xecS\":[\"Si vous NE vous désengagez PAS dans les \",[\"0\"],\" de la fenêtre de désengagement, vous devrez réactiver le processus de refroidissement.\"],\"+EGVI0\":\"Recevoir (est.)\",\"+VR63W\":[\"Participer à cette réserve \",[\"symbol\"],\" donne des récompenses annualisées.\"],\"+bmKdK\":\"Use your AAVE, stkAAVE, or aAave balance to delegate your voting and proposition powers. You will not be sending any tokens, only the rights to vote and propose changes to the protocol. You can re-delegate or revoke power to self at any time.\",\"+eOPG+\":\"On dirait que nous ne pouvons pas changer de réseau automatiquement. Veuillez vérifier si vous pouvez le changer depuis le portefeuille.\",\"+i3Pd2\":\"Limite d'emprunt\",\"+kLZGu\":\"Montant de l’actif fourni\",\"+nuEh/\":\"Estimated time\",\"+xMFF8\":\"Remind me\",\"/57U31\":\"Amount to migrate\",\"/7ykiW\":\"Emprunter ce montant réduira votre facteur santé et augmentera le risque de liquidation.\",\"/YA5pU\":\"E-Mode increases your LTV for a selected category of assets, meaning that when E-mode is enabled, you will have higher borrowing power over assets of the same E-mode category which are defined by Aave Governance. You can enter E-Mode from your <0>Dashboard. To learn more about E-Mode and applied restrictionn, see the <1>help guide or the <2>Aave V3 Technical Paper.\",\"/izjs/\":\"Montant minimum d’Aave mis en jeu\",\"/jQctM\":\"To\",\"/lDBHm\":\"FAQ\",\"/yNlZf\":\"L'emprunt stable n'est pas activé\",\"/yQcJM\":\"Valeur totale\",\"00AB2i\":\"L'utilisateur n'a pas emprunté la devise spécifiée\",\"00OflG\":\"Il n’y a pas assez de liquidités pour que l’actif cible puisse effectuer le changement. Essayez de réduire le montant.\",\"08/rZ9\":\"La période de recharge est le temps nécessaire avant de retirer vos jetons (20 jours). Vous ne pouvez retirer vos actifs du module de sécurité qu’après la période de recharge et pendant la période de désenjeu. <0>Pour en savoir plus\",\"0AmQcW\":\"Changement de taux\",\"0BF3yK\":\"Désolé, nous n’avons pas trouvé la page que vous cherchiez.\",\"0TAbjq\":\"Recent Transactions\",\"0jhlyw\":\"Risque de liquidation\",\"0ojY+Y\":\"Solde actuel v2\",\"0thX3P\":\"Modification des garanties\",\"0wGCWc\":\"Il s'agit du montant total que vous pouvez emprunter. Vous pouvez emprunter en fonction de votre garantie et jusqu'à ce que le plafond d'emprunt soit atteint.\",\"1AsVfF\":\"À l’heure actuelle, les données sur les prix ne sont pas disponibles pour cette réserve dans le sous-graphe du protocole\",\"1LjK22\":\"Historique des transactions\",\"1Onqx8\":[\"Approuver \",[\"symbol\"],\"...\"],\"1Ue8sX\":\"Veuillez connecter un portefeuille pour afficher vos informations personnelles ici.\",\"1bpx9A\":\"...\",\"1kWUB+\":\"Seuil de liquidation <0/>\",\"1m9Qqc\":\"Retrait et changement\",\"1oyh4g\":\"Borrow rate\",\"1t7rez\":\"L’offre d’actifs est limitée à un certain montant afin de réduire l’exposition du protocole à l’actif et d’aider à gérer les risques encourus.\",\"2CAPu2\":\"Vous avez retiré et échangé des jetons avec succès.\",\"2Eoi/a\":\"Voir détails\",\"2FYpfJ\":\"Plus\",\"2O3qp5\":\"Liquidités disponibles\",\"2OM8/D\":[\"L’actif ne peut pas être migré en raison d’une restriction de plafond d’approvisionnement dans \",[\"marketName\"],\" v3 marché.\"],\"2Q4GU4\":\"Adresse bloquée\",\"2ZGocC\":\"Aave est un protocole entièrement décentralisé et régi par la communauté par les détenteurs de jetons AAVE. Les détenteurs de jetons AAVE discutent, proposent et votent collectivement sur les mises à niveau du protocole. Les détenteurs de jetons AAVE (réseau Ethereum uniquement) peuvent soit voter eux-mêmes sur de nouvelles propositions, soit choisir l’adresse de leur choix. Pour en savoir plus, consultez la page Gouvernance\",\"2a6G7d\":\"Veuillez saisir une adresse de portefeuille valide.\",\"2bAhR7\":\"Rencontrez GHO\",\"2eBWE6\":\"Je reconnais les risques encourus.\",\"2o/xRt\":\"Plafond d'approvisionnement sur la réserve cible atteint. Essayez de réduire le montant.\",\"2uJToh\":[[\"0\"],[\"name\"]],\"2x58bP\":\"L'emprunt stable est activé\",\"34Qfwy\":\"Le plafond d'emprunt est dépassé\",\"39eQRj\":[\"Emprunter \",[\"symbole\"]],\"3BL1xB\":\"Total fourni\",\"3BnIWi\":\"Commuté\",\"3K0oMo\":\"Offre restante\",\"3MoZhl\":\"Il n'y a pas assez de collatéral pour couvrir un nouvel emprunt\",\"3Np5O8\":[\"Fournir \",[\"symbole\"]],\"3O8YTV\":\"Total des intérêts courus\",\"3mXg0z\":\"Max LTV\",\"3q3mFy\":\"Rembourser\",\"3qsjtp\":\"La moyenne pondérée de l'APY pour tous les actifs fournis, y compris les incitations.\",\"3rL+os\":\"Vous ne pouvez retirer vos actifs du module de sécurité qu'après la fin de la période de refroidissement et que la fenêtre de retrait est active.\",\"42UgDM\":[\"Migrer vers \",[\"0\"],\" Marché v3\"],\"49UFQA\":\"Résultats du vote\",\"4DMZUI\":\"Afficher les transactions\",\"4HtGBb\":\"MAX\",\"4Y5H+g\":\"Petits caractères\",\"4YYh4d\":\"Maximum available to borrow\",\"4iPAI3\":\"Montant minimum d’emprunt GHO\",\"4lDFps\":\"Signez pour continuer\",\"4wyw8H\":\"Transactions\",\"5JSSxX\":[\"Votre \",[\"networkName\"],\" Le portefeuille est vide. Obtenez des ressources de test gratuites à l’adresse suivante :\"],\"5K7kGO\":\"documentation\",\"5NOSGa\":\"Le plafond de la dette limite le montant que les utilisateurs du protocole peuvent emprunter sur cet actif. Le plafond de la dette est spécifique aux actifs isolés et est indiqué en USD.\",\"5Ncc6j\":[\"Cet actif a presque atteint son plafond d'offre. Il ne peut y avoir que \",[\"messageValue\"],\" fourni à ce marché.\"],\"5cZ/KX\":\"L'offre de dette variable n'est pas nulle\",\"5che++\":\"Pour demander l'accès à ce marché autorisé, veuillez consulter\xA0: <0>Nom du fournisseur d'accès\",\"5ctNdV\":[\"Minimum \",[\"0\"],\" reçu\"],\"5hDe9v\":\"Allocation action requise\",\"5rsnKT\":\"Récompenses disponibles\",\"5yC5m5\":\"Voir tous les votes\",\"6/dCYd\":\"Aperçu\",\"60crCe\":\"Toutes les transactions\",\"62Xcjh\":\"Collatérale\",\"65A04M\":\"Espagnol\",\"6G8s+q\":\"Signature\",\"6Jrv+z\":[\"Rembourser \",[\"symbole\"]],\"6NGLTR\":\"Montant actualisable\",\"6Xr0UU\":\"Refroidissement...\",\"6bxci/\":\"Pouvoir de vote\",\"6f8S68\":\"Marchés\",\"6g1gi0\":\"Les propositions\",\"6gvoHP\":\"Copier le message d’erreur\",\"6h3Q5G\":\"Remboursé\",\"6s8L6f\":\"Changer de réseau\",\"6yAAbq\":\"APY, borrow rate\",\"70wH1Q\":\"APR\",\"73Auuq\":\"Les paramètres de remise sont décidés par la communauté Aave et peuvent être modifiés au fil du temps. Consultez la section Gouvernance pour les mises à jour et votez pour participer. <0>Pour en savoir plus\",\"75qcAQ\":[[\"stepName\"]],\"7ITr5L\":\"Facteur de santé\",\"7T/o5R\":\"Atteint\",\"7YlcXu\":\"Fork mode is ON\",\"7Z76Iw\":\"L’emprunt n’est pas disponible car vous utilisez le mode Isolation. Pour gérer le mode d’isolation, rendez-vous sur votre <0>tableau de bord.\",\"7aKlMS\":\"Partager sur Lens\",\"7er5fP\":\"Réclamer tout\",\"7hb2+s\":\"Time remaining until the withdraw period ends.\",\"7l88b8\":\"Les données n’ont pas pu être récupérées, veuillez recharger le graphique.\",\"7p5kLi\":\"Tableau de bord\",\"7sofdl\":\"Retrait et échange\",\"8+6BI0\":\"Soyez prudent - Vous êtes très proche de la liquidation. Envisagez de déposer plus de collatéral ou de rembourser certaines de vos positions empruntées\",\"87pUEW\":[\"Votre \",[\"name\"],\" Le portefeuille est vide. Acheter ou transférer des actifs.\"],\"8F1i42\":\"Page introuvable\",\"8G8M0u\":\"Chargement des données...\",\"8Iu1QS\":\"Retiré\",\"8JL93T\":\"Toutes les propositions\",\"8Q51DU\":\"Ajouter au portefeuille\",\"8X/oyn\":\"Montant invalide à frapper\",\"8Z5FPv\":\"Déconnecter le portefeuille\",\"8Zz7s5\":\"actifs\",\"8aLW8H\":\"Solde à révoquer\",\"8bOT3H\":\"Taux d'utilisation\",\"8sLe4/\":\"Voir le contrat\",\"8t/M0y\":\"Please connect your wallet to be able to bridge your tokens.\",\"8vETh9\":\"Montrer\",\"94OHPx\":\"Vous entrez en mode Isolation\",\"9CDK3/\":[\"L'emprunt n'est actuellement pas disponible pour \",[\"0\"],\".\"],\"9GIj3z\":\"Taille de réserve\",\"9Knqb4\":\"Solde de mise en jeu\",\"9OBKm7\":\"Quorum\",\"9QHoGr\":\"Votes actuels\",\"9Rw96f\":[\"Cet actif a presque atteint son plafond d'emprunt. Il n'y a que \",[\"messageValue\"],\" disponible pour être emprunté sur ce marché.\"],\"9Xj/qR\":[\"Certaines ressources migrées ne seront pas utilisées comme garantie en raison de l’activation du mode d’isolement dans \",[\"marketName\"],\" Marché V3. Visite <0>\",[\"marketName\"],\" Tableau de bord V3 pour gérer le mode d’isolation.\"],\"9c6vDV\":\"Cet actif a atteint son plafond d'offre. Rien n'est disponible pour être fourni à partir de ce marché.\",\"9kTWHA\":\"L’AMI a été suspendu en raison d’une décision de la communauté. L’offre, les emprunts et les remboursements sont impactés. <0>Plus d’informations\",\"9lXchd\":\"Jeton sous-jacent\",\"9rWaKF\":\"Bridged Via CCIP\",\"9xSooW\":\"Comme il s'agit d'un réseau de test, vous pouvez obtenir n'importe lequel des actifs si vous avez ETH dans votre portefeuille\",\"A/lwoe\":\"Choisissez l’un des services de rampe d’accès\",\"A6dCI6\":[\"Le montant maximal disponible pour emprunter est de <0/> \",[\"0\"],\" (<1/>).\"],\"AReoaV\":\"Vos emprunts\",\"ARu1L4\":\"Remboursé\",\"AV7cGz\":\"Examiner les détails de la taxe d'approbation\",\"AZOjB8\":\"Récupération de données...\",\"Ai0jas\":\"Rejoignez la discussion de la communauté\",\"Ajl2rq\":\"Le pouvoir d'emprunt et les actifs sont limités en raison du mode d'isolement.\",\"AqgYNC\":\"Plafond d’emprunt du protocole à 100% pour cet actif. Il n’est pas possible d’emprunter davantage.\",\"B3EcQR\":\"Merci d’avoir voté\xA0!!\",\"B6aXGH\":\"Stable\",\"B9Gqbz\":\"Taux variable\",\"BDFEd+\":\"Les stETH fournis en garantie continueront d’accumuler des récompenses de staking fournies par les rebasages quotidiens.\",\"BE2mP0\":\"Borrowed assets\",\"BJyN77\":\"Due to health factor impact, a flashloan is required to perform this transaction, but Aave Governance has disabled flashloan availability for this asset. Try lowering the amount or supplying additional collateral.\",\"BNL4Ep\":\"L'utilisation de la garantie est limitée en raison du mode d'isolement. <0>En savoir plus\",\"BQ/wCO\":\"Migrate your assets\",\"BjLdl1\":\"À prix réduit\",\"BnhYo8\":\"Catégorie d'actifs\",\"Bq9Y7e\":\"Cet actif est gelé en raison d’une décision de la communauté Aave. <0>Plus d’informations\",\"BqWMDJ\":\"Faucet\",\"BqynZO\":\"Optimized for efficiency and risk by supporting blue-chip collateral assets\",\"Bsu7zX\":\"The fee includes the gas cost to complete the transaction on the destination chain and the fee paid to Chainlink CCIP service providers. You can chose to pay in the network token or GHO. <0>Learn more\",\"BwJKBw\":\"de\",\"CDrsH+\":\"Fiche technique\",\"CK1KXz\":\"Max\",\"CMHmbm\":\"Glissement\",\"CZXzs4\":\"Grec\",\"CcRNG6\":\"Transistor\",\"CkTRmy\":[\"Revendication \",[\"symbol\"]],\"CsqtLm\":\"Veuillez connecter votre portefeuille pour voir l’outil de migration.\",\"CtGlFb\":[[\"networkName\"],\" Robinet\"],\"Cxt2YY\":\"Watch wallet\",\"D33VQU\":\"Cette action réduira le facteur de santé de V3 en dessous du seuil de liquidation. Augmenter les garanties migrées ou réduire les emprunts migrés pour continuer.\",\"D9BLRG\":\"This asset has been paused due to a community decision. Supply, withdraw, borrows and repays are impacted.\",\"DAma/S\":\"La garantie est (principalement) la même devise que celle qui est empruntée\",\"DCnFg0\":[\"Adresses (\",[\"0\"],\")\"],\"DG3Lv1\":\"Je comprends parfaitement les risques liés à la migration.\",\"DONJcV\":\"L'actif sous-jacent ne peut pas être sauvé\",\"DR+4uL\":\"Bilan de l’alimentation après le changement\",\"DWjrck\":[\"La ressource ne peut pas être migrée vers \",[\"marketName\"],\" V3 Market en raison des restrictions du mode E. Vous pouvez désactiver ou gérer les catégories du mode E dans votre <0>tableau de bord V3\"],\"Dj+3wB\":\"Aave par mois\",\"DuEq2K\":\"Collatéralisation\",\"DxfsGs\":\"Vous pouvez signaler un incident sur notre <0>Discord ou<1>Github.\",\"Dzma+E\":\"Main Ethereum market with the largest selection of assets and yield options\",\"E/QGRL\":\"Désactivé\",\"EBL9Gz\":\"COPIÉ!\",\"ES8dkb\":\"Taux fixe\",\"EZd3Dk\":[\"Reprise \",[\"symbol\"]],\"Ebgc76\":[\"Retrait \",[\"symbole\"]],\"EdQY6l\":\"Aucun/Aucune\",\"EjvKQ+\":\"Valeur minimale en USD reçue\",\"Enslfm\":\"Destination\",\"EvE9nO\":[\"Réactiver la période de recharge pour annuler le pieu \",[\"0\"],\" \",[\"stakedToken\"]],\"EvECnL\":\"Migrer vers la v3\",\"EzMQbh\":\"The source chain time to finality is the main factor that determines the time to destination. <0>Learn more\",\"F40cwT\":\"Legacy Markets\",\"F6TdXL\":\"Pour en savoir plus.\",\"FHlMf/\":\"Solde actuel de la v2\",\"FHpxjF\":[\"Le facteur de réserve est un pourcentage de l’intérêt qui va à un \",[\"0\"],\" qui est contrôlé par la gouvernance Aave pour promouvoir la croissance de l’écosystème.\"],\"FOBZa6\":\"Puissance d'emprunt utilisée\",\"FPKEug\":\"Opération non prise en charge\",\"FbmMe7\":\"Linked addresses\",\"Fdp03t\":\"sur\",\"Fjw9N+\":\"Actifs à déposer\",\"FmN0fk\":\"Remise en jeu\",\"GDGLIs\":\"GHO est un actif numérique natif décentralisé et adossé à des garanties, indexé sur le dollar américain. Il est créé par les utilisateurs en empruntant contre plusieurs garanties. Lorsque l’utilisateur rembourse sa position d’emprunt de HO, le protocole brûle le GHO de cet utilisateur. Tous les paiements d’intérêts accumulés par les minters de GHO seraient directement transférés à la trésorerie d’AaveDAO.\",\"GQrBTq\":\"Changer de mode E\",\"GWswcZ\":\"Cet actif est gelé en raison d’une décision de gouvernance du protocole Aave. Le 20 décembre 2022, renFIL ne sera plus pris en charge et ne pourra plus être reconnecté à son réseau natif. Il est recommandé de retirer les positions d’offre et de rembourser les positions d’emprunt afin que renFIL puisse être relié à FIL avant la date limite. Après cette date, il ne sera plus possible de convertir renFIL en FIL. <0>Plus d’informations\",\"GX8GKD\":\"Actifs\",\"GgEj+0\":\"Mode lecture seule. Connectez-vous à un portefeuille pour effectuer des transactions.\",\"GjkIKV\":\"Prend fin\",\"GoK/QN\":\"Thank you for submitting feedback!\",\"GtP2hp\":[\"L'emprunt n'est pas disponible, car vous avez activé le mode d'efficacité (E-Mode) pour la catégorie \",[\"0\"],\". Pour gérer les catégories E-Mode, visitez votre <0>tableau de bord.\"],\"H6Ma8Z\":\"Rabais\",\"HB/wfS\":[[\"tooltipText\"]],\"HKDsQN\":\"Rewards can be claimed through\",\"Ha/U5f\":\"This is a program initiated and implemented by the decentralised ZKSync community. Aave Labs does not guarantee the program and accepts no liability.\",\"HciqKU\":\"This is a program initiated and implemented by the decentralised Aave community. Aave Labs does not guarantee the program and accepts no liability.\",\"Hi6Ttn\":\"Désolé, une erreur inattendue s’est produite. En attendant, vous pouvez essayer de recharger la page, ou revenir plus tard.\",\"HkEDbS\":[[\"d\"],\"d\"],\"HmkYqM\":\"Fenêtre d'arrêt de staking\",\"HpK/8d\":\"Recharger\",\"HrnC47\":\"Enregistrer et partager\",\"HvJKMU\":[\"La ressource ne peut pas être migrée vers \",[\"marketName\"],\" v3 Marché puisque l’actif collatéral activera le mode d’isolation.\"],\"Hvwnm9\":[\"La quantité maximale disponible pour l’approvisionnement est limitée parce que le plafond d’approvisionnement du protocole est à \",[\"0\"],\"%.\"],\"I8CX2c\":\"Le montant total de vos actifs libellés en USD qui peut être utilisé comme garantie pour emprunter des actifs.\",\"IAD2SB\":[\"Prétendant \",[\"symbol\"]],\"IG9X9/\":\"L’emprunt de cet actif est limité à un certain montant afin de minimiser l’insolvabilité du pool de liquidités.\",\"IOIx8L\":\"Il est prévu que cet actif soit désactivé en raison d’une décision de gouvernance du protocole Aave. <0>Plus d’informations\",\"IP+I/j\":\"Période de recharge\",\"IaA40H\":\"Liquidation à\",\"J/hVSQ\":[[\"0\"]],\"JCoxL6\":\"Gérer l’analytique\",\"JK9zf1\":[\"Intérêts composés estimés, y compris l’escompte pour le jalonnement \",[\"0\"],\"AAVE dans le module de sécurité.\"],\"JOqFba\":[\"Déjalonnement \",[\"symbol\"]],\"JPrLjO\":\"Vous ne pouvez pas utiliser cette devise comme garantie\",\"JU6q+W\":\"Récompense(s) à réclamer\",\"JYKRJS\":\"Stake\",\"JZMxX0\":\"Pas assez de solde sur votre portefeuille\",\"Jgflkm\":\"Get GHO\",\"JoMQnI\":\"Solde du portefeuille\",\"JtwD8u\":\"Emprunter le solde après le remboursement\",\"JumYTK\":\"Supplied assets\",\"K05qZY\":\"Retrait et échange\",\"KAz/NV\":\"Le plafond d’endettement du protocole est de 100% pour cet actif. Il n’est pas possible d’emprunter davantage sur cet actif.\",\"KLXVqE\":[\"Les tokens stETH seront migrés vers Wrapped stETH à l’aide du wrapper Lido Protocol, ce qui entraîne une modification de l’équilibre de l’offre après la migration : \",[\"0\"]],\"KLd6ky\":\"Use connected account\",\"KRpokz\":\"VOIR TX\",\"KSlpka\":\"Cela représente le seuil auquel une position d'emprunt sera considérée comme sous-garantie et sujette à liquidation pour chaque garantie. Par exemple, si une garantie a un seuil de liquidation de 80\xA0%, cela signifie que la position sera liquidée lorsque la valeur de la dette vaut 80 % de la valeur de la garantie.\",\"KYAjf3\":\"Isolé\",\"KZwRuD\":[[\"notifyText\"]],\"KkPgim\":\"Changement de mode E\",\"KnN1Tu\":\"Expire\",\"KoOBI2\":\"En raison de la mécanique interne de stETH requise pour le rebasage de la prise en charge, il n’est pas possible d’effectuer un changement de garantie où stETH est le jeton source.\",\"KojyJ4\":\"Mauvais réseau\",\"KsqhWn\":\"Staking\",\"KuBTQq\":\"Entrez l'adresse ETH\",\"KvG1xW\":\"Réclamer\",\"L+8Lzs\":\"LTV actuelle\",\"L+qiq+\":\"Marché\",\"LDzfVJ\":\"Send Feedback\",\"LIrMcF\":\"Pas de pouvoir de vote\",\"LL0zks\":\"Peut être collatéral\",\"LLdJWu\":\"AAVE Réclamable\",\"LSIpNK\":\"Emprunter et rembourser dans le même bloc n'est pas autorisé\",\"LVt3TI\":[\"<0>Tolérance de glissement <1>\",[\"selectedSlippage\"],\"% <2>\",[\"0\"],\"\"],\"LjafV8\":\"Maximum collateral amount to use\",\"LtpQew\":\"Let us know how we can make the app better for you. For user support related inquiries please reach out on\",\"LvVpD/\":\"Emode\",\"M2sknc\":\"Astuce : Essayez d’augmenter le glissement ou de réduire la quantité d’entrée\",\"M7wPsD\":\"Interrupteur\",\"MIy2RJ\":\"Maximum amount received\",\"MZ/nQf\":\"Adresse du destinataire\",\"Ma/MtY\":\"vue de staking\",\"McHlGl\":\"Changement d’APY\",\"MeCCA+\":\"APY, variable\",\"MghdTe\":\"Si le facteur de santé descend en dessous de 1, la liquidation de votre collatéral peut être déclenchée.\",\"Mm/DVQ\":\"Vous avez annulé la transaction.\",\"MnE2QX\":\"Emprunter des informations\",\"MrmQHg\":\"View Bridge Transactions\",\"MuDFEQ\":\"Valeur de retour invalide de la fonction flashloan executor\",\"N5kUMV\":\"L’actif ne peut être utilisé comme garantie qu’en mode isolé avec un pouvoir d’emprunt limité. Pour passer en mode d’isolation, désactivez toutes les autres garanties.\",\"N6Pxr9\":\"View all\",\"NF0e1Q\":\"En attente...\",\"NK9ikO\":\"Solde du portefeuille\",\"NMt2CB\":\"Montant réclamable\",\"NcFGxG\":\"Contrat de collectionneur\",\"NfpPeS\":\"Rien staké\",\"Nh9DAo\":[[\"m\"],\"m\"],\"O+sCUU\":\"Le plafond de mintage non soutenu est dépassé\",\"O+tyU+\":[\"Le montant maximal disponible pour emprunter sur cet actif est limité car le plafond de la dette est à \",[\"0\"],\"%.\"],\"O3oNi5\":\"Email\",\"OFjZGo\":\"Unstake\",\"OR8cYX\":\"Aperçu de la proposition\",\"OYuJ9K\":\"Le plafond d’endettement du protocole est de 100% pour cet actif. Il n’est pas possible d’emprunter sur cet actif.\",\"OfhWJH\":\"Réinitialisation\",\"Og2SKn\":\"handicapé\",\"On0aF2\":\"Site internet\",\"OsyKSt\":\"Retirer\",\"P1dURE\":\"Révoquer le pouvoir\",\"P2WCD/\":[\"L’actif sous-jacent n’existe pas dans \",[\"marketName\"],\" v3 Market, par conséquent, cette position ne peut pas être migrée.\"],\"P2sL6B\":\"Lorsqu'une liquidation survient, les liquidateurs remboursent jusqu'à 50 % de l'encours emprunté au nom de l'emprunteur. En contrepartie, ils peuvent acheter le collatéral à prix réduit et conserver la différence (pénalité de liquidation) en bonus.\",\"P6sRoL\":\"Mise en jeu ABPT\",\"P72/OW\":\"La moyenne pondérée de l'APY pour tous les actifs empruntés, y compris les incitatifs.\",\"P7e6Ug\":\"Veuillez connecter votre portefeuille pour consulter l’historique des transactions.\",\"PByO0X\":\"Votes\",\"PI+kVe\":\"Disable fork\",\"PJK9u/\":\"Emprunter apy\",\"PLUB/s\":\"Fee\",\"PcBUgb\":\"Seuil de liquidation\",\"PjU6bu\":\"This asset is eligible for SPK incentive program. Aave Labs does not guarantee the program and accepts no liability.\",\"PpqD5g\":\"L'activation de cet actif comme garantie augmente votre pouvoir d'emprunt et votre facteur de santé. Cependant, il peut être liquidé si votre facteur de santé tombe en dessous de 1.\",\"PsOFSf\":\"Cette action réduira le facteur de santé V2 en dessous du seuil de liquidation. Conservez la garantie ou migrez la position d’emprunt pour continuer.\",\"Pu4bI/\":[[\"currentMethod\"]],\"Q0LzKi\":\"View TX\",\"Q4eNqa\":\"The Aave Balancer Pool Token (ABPT) is a liquidity pool token. You can receive ABPT by depositing a combination of AAVE + wstETH in the Balancer liquidity pool. You can then stake your BPT in the Safety Module to secure the protocol and earn Safety Incentives.\",\"QQYsQ7\":\"Withdrawing\",\"QWYCs/\":\"Stake GHO\",\"R+30X3\":\"Non atteint\",\"RCU5PY\":\"Age\",\"RIfckG\":[\"Désactiver \",[\"symbol\"],\" comme garantie\"],\"RMtxNk\":\"Différentiel\",\"RNK49r\":\"Signature non valide\",\"RS0o7b\":\"État\",\"RU+LqV\":\"Détails de la proposition\",\"RbXH+k\":\"AAVE, GHO, and ABPT holders (Ethereum network only) can stake their assets in the Safety Module to add more security to the protocol and earn Safety Incentives. In the case of a shortfall event, your stake can be slashed to cover the deficit, providing an additional layer of protection for the protocol.\",\"RiSYV4\":\"L'actif n'est pas répertorié\",\"Rj01Fz\":\"Liens\",\"RmWFEe\":\"APR staké\",\"RoafuO\":\"Envoyer des commentaires\",\"RtBLm7\":\"Le facteur santé est inférieur au seuil de liquidation\",\"RxzN1M\":\"Activé\",\"SDav7h\":\"Fonds dans le Safety Module\",\"SENccp\":\"Si l’erreur persiste,<0/> vous pouvez la signaler à ce\",\"SIWumd\":\"Afficher les ressources gelées ou mises en pause\",\"SM58dD\":\"Quantité en temps de recharge\",\"SSMiac\":\"Impossible de charger les votants de proposition. Veuillez rafraîchir la page.\",\"SSQVIz\":\"Seuil de liquidation\",\"SUb8x0\":\"Total disponible\",\"SWIgh4\":\"Fees exceed wallet balance\",\"SY9hVo\":\"Le mode lecture seule permet de voir les positions d’adresses dans Aave, mais vous ne pourrez pas effectuer de transactions.\",\"SZRUQ4\":\"Glissement maximal\",\"Sa1UE/\":\"Le plafond d’emprunt du protocole est de 100 % pour cet actif. Il n’est pas possible d’emprunter davantage.\",\"Sk2zW9\":\"Désactiver le E-mode\",\"SxaD0o\":\"Le fournisseur d'adresses de pool n'est pas enregistré\",\"T/AIqG\":\"Limite d’approvisionnement du protocole à 100 % pour cet actif. D’autres approvisionnements ne sont pas disponibles.\",\"T0xCO9\":\"Can't validate the wallet address. Try again.\",\"T4OhVl\":\"GHO balance\",\"T6uYU2\":\"Emprunter\",\"TFxQlw\":\"Pénalité de liquidation\",\"TUI7iB\":\"L'actif ne peut être utilisé comme garantie qu'en mode isolé.\",\"TbjyhA\":\"Docs\",\"TduuS0\":\"L'utilisateur n'a pas de dette à taux stable impayée sur cette réserve\",\"TeCFg/\":\"Modification du taux d’emprunt\",\"Tg1JyO\":\"Bridge history\",\"TskbEN\":\"Les détenteurs de stkAAVE bénéficient d’une réduction sur le taux d’emprunt GHO\",\"TszKts\":\"Emprunter le solde après le changement\",\"TtZL6q\":\"Paramètres du modèle de remise\",\"TwJI9F\":\"Asset has been successfully sent to CCIP contract. You can check the status of the transactions below\",\"Tz0GSZ\":\"Activités bloquées\",\"U/eBjN\":\"Recharger la page\",\"U2r8nY\":\"Choose how much voting/proposition power to give to someone else by delegating some of your AAVE, stkAAVE or aAave balance. Your tokens will remain in your account, but your delegate will be able to vote or propose on your behalf. If your AAVE, stkAAVE or aAave balance changes, your delegate's voting/proposition power will be automatically adjusted.\",\"U8IubP\":\"L’application s’exécute en mode réseau de test. Découvrez comment cela fonctionne dans\",\"U9btTk\":\"L'actif n'est pas empruntable en mode d'isolement\",\"UAOZRe\":\"L’impact sur les prix est l’écart entre la valeur totale des tokens d’entrée échangés et les tokens de destination obtenus (en USD), qui résulte de la liquidité limitée de la paire de trading.\",\"UE3KJZ\":\"L’historique des transactions n’est actuellement pas disponible pour ce marché\",\"URmyfc\":\"Détails\",\"UTTKmT\":\"Temps de recharge de la mise activé\",\"UXeR72\":\"Ces fonds ont été empruntés et ne peuvent pas être retirés pour le moment.\",\"UYb8CM\":\"Learn more about the SPK rewards\",\"UbRrG0\":\"Le ratio LTV maximum représente le pouvoir d'emprunt maximum d'une garantie spécifique. Par exemple, si une garantie a un LTV de 75 %, l'utilisateur peut emprunter jusqu'à 0,75 ETH dans la devise principale pour chaque 1 ETH de garantie.\",\"UpndFj\":\"Aucune récompense à réclamer\",\"V0f2Xv\":\"Facteur de réserve\",\"V1HK43\":\"Risques liés à la migration\",\"VATFH9\":\"Dette couverte\",\"VHOVEJ\":\"Connecter le portefeuille\",\"VMfYUK\":\"Sécurité de votre garantie déposée contre les actifs empruntés et sa valeur sous-jacente.\",\"VOAZJh\":\"Total des emprunts\",\"ViKYxK\":\"YAE\",\"W1SSoD\":\"Examiner les détails de la transaction\",\"W5hVah\":\"Rien fourni pour le moment\",\"W5kTFy\":\"Vote\",\"W8ekPc\":\"Retour au tableau de bord\",\"WMPbRK\":\"Sans support\",\"WNGZwH\":\"E-Mode augmente votre LTV pour une catégorie d'actifs sélectionnée jusqu'à <0/>. <1>En savoir plus\",\"WPWG/y\":\"Statut et configuration de la réserve\",\"WZLQSU\":\"L'utilisateur ne peut pas retirer plus que le solde disponible\",\"WaZyaV\":\"<0>Ampleforth est un actif de rebasage. Consultez la <1>documentation pour en savoir plus.\",\"WfU+XN\":\"Étant donné que cette ressource est suspendue, aucune action ne peut être entreprise jusqu’à nouvel ordre\",\"Wjmqs2\":\"No results found. You can import a custom token with a contract address\",\"WkZ6C6\":\"Pour emprunter, vous devez fournir tout actif à utiliser comme garantie.\",\"WyMiQm\":\"Vous avez réussi à changer de jeton.\",\"X/ITG9\":\"Copier le texte d'erreur\",\"X3Pp6x\":\"Utilisé comme collatéral\",\"X4Zt7j\":\"L'action ne peut pas être effectuée car la réserve est mise en pause\",\"XBdKOj\":\"Representative smart contract wallet (ie. Safe) addresses on other chains.\",\"XZzneG\":\"Vous quitterez le mode d'isolement et d'autres jetons peuvent désormais être utilisés comme collatéral\",\"Xg5y9S\":\"Amount to Bridge\",\"Xn4hUi\":\"Veuillez toujours tenir compte de votre <0>facteur de santé (HF) lors de la migration partielle d’une position et que vos tarifs seront mis à jour vers les taux V3.\",\"Y5kGkc\":\"VOTER NON\",\"YDIOks\":\"Activation du E-Mode\",\"YSodyW\":\"Cette action réduira votre facteur de santé. Veuillez garder à l’esprit le risque accru de liquidation des garanties.\",\"YXOWXM\":\"The total amount bridged minus CCIP fees. Paying in network token does not impact gho amount.\",\"YirHq7\":\"Feedback\",\"YogbCJ\":\"Le mode réseau de test est activé\",\"YrDxdO\":\"Si votre prêt à la valeur dépasse le seuil de liquidation, votre garantie fournie peut être liquidée.\",\"YyIM65\":\"Les conditions de rééquilibrage des taux d'intérêt n'ont pas été remplies\",\"YyydIq\":[\"Ajouter \",[\"0\"],\" à Wallet pour suivre votre solde.\"],\"ZBvhI+\":\"Gouvernance Aave\",\"ZIIRAd\":\"Raw-Ipfs\",\"ZRq4tX\":\"Mode efficacité (E-Mode)\",\"ZSqEW+\":\"Manage E-Mode\",\"ZUFYFE\":\"Désactiver le réseau de test\",\"Zbyywy\":\"Coupure maximale\",\"ZfUGFb\":\"Avant de déposer\",\"ZlsSDH\":\"Valeur de liquidation\",\"ZrEc8j\":\"Nous n’avons trouvé aucun élément lié à votre recherche. Réessayez avec un autre nom, symbole ou adresse de ressource.\",\"ZsLF7e\":\"Activé\",\"a0YQoQ\":\"Enter a valid address\",\"a2fBZn\":\"Temps restant pour dépiquer\",\"a5RYZd\":\"La désactivation de cet actif en tant que garantie affecte votre pouvoir d'emprunt et votre facteur de santé.\",\"a7u1N9\":\"Prix\",\"a9D+6D\":\"Non jalonné\",\"aEtiwq\":\"Vote NAY\",\"aMmFE1\":\"Acheter des crypto-monnaies avec des monnaies fiduciaires\",\"aOKIms\":\"Les paramètres de tableau devraient être de même longueur ne sont pas\",\"aX31hk\":\"Votre solde est inférieur au montant sélectionné.\",\"adUsDd\":\"An error has occurred fetching the proposal.\",\"al6Pyz\":\"Dépasse la remise\",\"aoXTT7\":\"Prêt APY, variable\",\"aqX1Yp\":\"This asset is eligible for rewards through SuperFest. Aave Labs does not guarantee the program and accepts no liability.\",\"avgETN\":\"Eligible for the Merit program.\",\"b4NS3e\":\"Avertissement de période de refroidissement\",\"bSruit\":\"ZKSync Ignite Program rewards are claimed through the\",\"bUUVED\":\"Actif\",\"bXQ/Og\":\"Partager sur Twitter\",\"bXr0ee\":\"Les actifs isolés ont un pouvoir d'emprunt limité et les autres actifs ne peuvent pas être utilisés comme garantie.\",\"bYmAV1\":\"Adresses\",\"bguKoJ\":\"Le montant demandé est supérieur au montant maximum du prêt en mode taux stable\",\"bwSQI0\":\"Fournir\",\"bxN6EM\":\"Impossible de désactiver le mode E\",\"bxmzSh\":\"Pas assez de collatéral pour rembourser ce montant de dette avec\",\"c91vuQ\":\"L'adresse n'est pas un contrat\",\"c97os2\":\"Aave aToken\",\"c9b44w\":\"Vous ne pouvez pas retirer ce montant car cela entraînera un appel de garantie\",\"cBc+4A\":\"Il s'agit du montant total que vous pouvez emprunter. Vous pouvez emprunter en fonction de votre garantie et jusqu'à ce que le plafond d'emprunt soit atteint.\",\"cIl5kp\":\"Votre pouvoir de vote est basé sur votre solde AAVE/stkAAVE et les délégations reçues.\",\"cLo09S\":\"Détails des risques\",\"cNT+ij\":\"L'emprunt n'est pas disponible car vous avez activé le mode Efficacité (E-Mode) et le mode Isolation. Pour gérer le mode E et le mode Isolation, rendez-vous sur votre <0>tableau de bord.\",\"cZOeBk\":\"Something went wrong fetching bridge message, please try again later.\",\"ceix5S\":\"Pour soumettre une proposition de modifications mineures du protocole, vous aurez besoin d’une puissance d’au moins 80,00 K. Si vous souhaitez modifier la base de code de base, vous aurez besoin d’une puissance de 320k. <0>Pour en savoir plus.\",\"ciybUa\":\"Vote YAE\",\"ckf7gX\":[\"Remboursement \",[\"symbole\"]],\"cp1ZDP\":[\"Bridge \",[\"symbol\"]],\"cqnmnD\":\"Taux d’intérêt effectif\",\"cqwIvs\":\"Discussion de forum\",\"csDS2L\":\"Disponible\",\"cu7Stb\":\"Vous n'avez pas participé à cette proposition\",\"dE6BLF\":\"Gouvernance\",\"dEgA5A\":\"Annuler\",\"dIsyWh\":\"Échec de la validation LTV\",\"dMtLDE\":\"À\",\"dOB5nW\":[\"La quantité maximale disponible pour la fourniture est de <0/> \",[\"0\"],\" (<1/>).\"],\"dVfODp\":\"Vous n'avez pas assez de fonds dans votre portefeuille pour rembourser le montant total. Si vous continuez à rembourser avec votre montant actuel de fonds, vous aurez toujours une petite position d'emprunt dans votre tableau de bord.\",\"dXUQFX\":\"Actifs à emprunter\",\"dgr1aY\":\"L’emprunt est désactivé en raison d’une décision de la communauté Aave. <0>Plus d’informations\",\"djsg0o\":\"Usage de collatéral\",\"dpc0qG\":\"Variable\",\"drdV8R\":\"Liquidation\",\"dxW8cS\":\"Jeton de dette Aave\",\"e4V3oW\":\"Top 10 des adresses\",\"eD8WX/\":\"L'action nécessite une réserve active\",\"eJRJ04\":\"Montant à la mise en jeu\",\"eLh0cL\":\"Le slippage est la différence entre les montants cotés et reçus en raison de l’évolution des conditions du marché entre le moment où la transaction est soumise et sa vérification.\",\"ePK91l\":\"Edit\",\"eVpCmf\":\"Récompenses de staking\",\"eVqvtf\":\"Bridge GHO\",\"eYdurp\":\"Aucune transaction n’a encore été effectuée.\",\"ebLGGN\":\"Total emprunté\",\"ecqEvn\":\"Le solde de la garantie est de 0\",\"efdrrk\":\"Disponible sur\",\"enruNF\":\"Commence\",\"eqLYiD\":\"Arrêter de staker maintenant\",\"euScGB\":\"APY avec remise appliquée\",\"evw5ha\":\"Valeur nette\",\"ezcU16\":\"Obtenir le jeton ABP\",\"f3W0Ej\":[\"Vous êtes passé au tarif \",[\"0\"]],\"fH9i8k\":\"Vous avez réussi à changer de position d’emprunt.\",\"fHcELk\":\"APR Net\",\"fMJQZK\":\"Emprunté\",\"fZ5Vnu\":\"Reçu\",\"firl9Q\":\"Votre prêt actuel à la valeur en fonction de votre collatéral fournie.\",\"flRCF/\":\"Remise sur le staking\",\"fldjW9\":\"Prévisualiser tx et migrer\",\"fsBGk0\":\"Solde\",\"fu1Dbh\":[\"Retirer \",[\"symbole\"]],\"fwjWSI\":\"Fourni\",\"fwyTMb\":\"Migrate to stkABPT v2\",\"g0mals\":\"You can not disable E-Mode because that could cause liquidation. To exit E-Mode supply or repay borrowed positions.\",\"g2UNkE\":\"Alimenté par\",\"g8KGoA\":\"Foire aux questions\",\"g9zzqS\":\"A voté NAY\",\"gDd2gk\":\"about SuperFest.\",\"gFFh9h\":\"Tout est fait !\",\"gIMJlW\":\"Mode réseau test\",\"gOzPxe\":\"Cet actif est gelé en raison d’une décision de gouvernance du protocole Aave. <0>Plus d’informations\",\"gTHi2T\":\"L'utilisateur essaie d'emprunter plusieurs actifs, y compris un en silo\",\"gVW59Y\":\"Veuillez connecter votre portefeuille pour obtenir des ressources de réseau de test gratuites.\",\"gcFNxP\":\"Approuver Confirmé\",\"gncRUO\":\"Cette adresse est bloquée sur app.aave.com car elle est associée à un ou plusieurs\",\"goff7V\":\"Adresse zéro non-valide\",\"gp+f1B\":\"Variante 3\",\"gr8mYw\":\"Vous pouvez emprunter jusqu’à GHO à <0/> <1/> (rabais maximum)\",\"gvTM4B\":\"L'APY net est l'effet combiné de toutes les positions d'offre et d'emprunt sur la valeur nette, y compris les incitations. Il est possible d'avoir un APY net négatif si l'APY de la dette est supérieur à l'APY de l'offre.\",\"gzcch9\":\"Frais de protocole de pont invalide\",\"h33MxW\":\"Representing smart contract wallet (ie. Safe) addresses on other chains.\",\"h3ilK+\":\". .CSV\",\"hB23LY\":\"Activer le temps de recharge\",\"hIS4N0\":\"APY Net\",\"hRWvpI\":\"Revendiqué\",\"hdmy/o\":\"Le % de votre pouvoir d'emprunt total utilisé. Ceci est basé sur le montant de votre garantie fournie et le montant total que vous pouvez emprunter.\",\"hehnjM\":\"Montant\",\"hjDCQr\":\"Il y a eu une erreur. Veuillez essayer de modifier les paramètres ou <0><1>copier l'erreur\",\"hom7qf\":\"Réclamer\",\"hpHJ4I\":\"Garantie liquidée\",\"hpuVIp\":\"Users who stake AAVE in Safety Module (i.e. stkAAVE holders) receive a discount on GHO borrow interest rate.\",\"huQ6Tz\":[\"Emprunter \",[\"symbole\"]],\"hxi7vE\":\"Emprunter le solde\",\"i2JTiw\":\"Vous pouvez saisir un montant personnalisé dans le champ.\",\"iB5+/J\":\"À propos de GHO\",\"iChbOF\":\"Paramètres de prêt flash incohérents\",\"iEPVHF\":\"Pas assez de pouvoir de vote pour participer à cette proposition\",\"iEW87X\":\"Délégation de pouvoirs\",\"iEju36\":[\"Vous avez voté \",[\"0\"]],\"iFq2YN\":\"Borrowable\",\"iMVZk9\":\"Sélectionner la tolérance de glissement\",\"iPMIoT\":\"Entrez un montant\",\"iSLIjg\":\"Connect\",\"iUo5rv\":\"tokens n'est pas la même chose que de les staker . Si vous souhaitez staker votre\",\"iZxa38\":\"Utilisez-le pour voter pour ou contre les propositions actives.\",\"if5PH+\":\"Informations sur le collectionneur\",\"igkfR1\":[\"En mode Isolation, vous ne pouvez pas fournir d’autres actifs en garantie. Un plafond d’endettement global limite le pouvoir d’emprunt de l’actif isolé. Pour quitter le mode d’isolement, désactivez \",[\"0\"],\" en garantie avant d’emprunter un autre actif. Pour en savoir plus, consultez notre <0>FAQ\"],\"il0sEG\":\"L'utilisation du collatéral est limitée en raison du mode d'isolation.\",\"j+K1Xj\":\"Amount After Fee\",\"jA2QeW\":\"Fournir votre\",\"jFi7dz\":\"Interest rate that is determined by Aave Governance. This rate may be changed over time depending on the need for the GHO supply to contract/expand. <0>Learn more\",\"jG3UJ7\":\"Désactiver le E-mode\",\"jKYzR1\":\"Activer le E-Mode\",\"jMam5g\":[[\"0\"],\" Balance\"],\"jSYv+Z\":\"Enabling E-Mode allows you to maximize your borrowing power, however, borrowing is restricted to assets within the selected category. <0>Learn more about how it works and the applied restrictions.\",\"jaKbwW\":[[\"s\"],\"s\"],\"jbFMap\":\"Temps de recharge restant\",\"jeMZNr\":[[\"0\"],\" Le service de rampe d’accès est fourni par le fournisseur externe et, en le sélectionnant, vous acceptez les conditions du fournisseur. Votre accès au service peut dépendre de l’opérationnalité du fournisseur externe.\"],\"jfl9OP\":\"Migré\",\"jmXdoY\":\"En E-Mode, certains actifs ne sont pas empruntables. Quittez le E-mode pour accéder à tous les actifs\",\"jpctdh\":\"Vue\",\"jqzUyM\":\"Non disponible\",\"k/sb6z\":\"Choisir la langue\",\"k3wP3f\":\"<0>Attention: Les changements de paramètres via la gouvernance peuvent modifier le facteur de santé de votre compte et le risque de liquidation. Suivez le <1>forum de gouvernance d’Aave pour les mises à jour.\",\"kACpF3\":[\"Réclamer \",[\"0\"]],\"kH6wUX\":\"Impact sur les prix\",\"kIpSye\":[[\"numSelected\"],\"/\",[\"numAvailable\"],\" Actifs sélectionnés\"],\"kN1Yg5\":\"Pour rembourser au nom d'un utilisateur, un montant explicite à rembourser est nécessaire\",\"kRTD40\":[\"Montant de remboursement à atteindre \",[\"0\"],\"% d’utilisation\"],\"kjN9tT\":\"Le plafond d'approvisionnement est dépassé\",\"knxE+G\":\". JSON (en anglais seulement)\",\"ks2LWT\":\"Le plafond de la dette n'est pas nul\",\"kwwn6i\":\"Les utilisateurs qui misent des AAVE dans le module de sécurité (c’est-à-dire les détenteurs de stkAAVE) bénéficient d’une réduction sur le taux d’intérêt d’emprunt de HO. La réduction s’applique à 100 GHO pour chaque 1 stkAAVE détenu. Utilisez le calculateur ci-dessous pour voir le taux d’emprunt GHO avec le rabais appliqué.\",\"kz3wtK\":\"and about SPK program\",\"kzZyM4\":\"DAI balance will be converted via DSR contracts and then supplied as sDAI. Switching incurs no additional costs and no slippage.\",\"lNVG7i\":\"Sélectionner une ressource\",\"lU2d1/\":[\"L’actif ne peut pas être migré en raison d’une liquidité insuffisante ou d’une limitation du plafond d’emprunt \",[\"marketName\"],\" v3 marché.\"],\"lVhKKI\":\"A voté YAE\",\"lWLqxB\":\"Nous n’avons trouvé aucune transaction liée à votre recherche. Réessayez avec un autre nom de ressource ou réinitialisez les filtres.\",\"lYGfRP\":\"Anglais\",\"lfEjIE\":\"En savoir plus dans notre <0>guide FAQ\",\"lt6bpt\":\"Garantie à rembourser\",\"m/IEhi\":\"Émission totale par jour\",\"m7r7Hh\":\"Sélection d’actifs d’emprunt\",\"mDDK4p\":\"Balancer Pool\",\"mIM0qu\":\"Montant prévu à rembourser\",\"mUAFd6\":\"Variante 2\",\"masO5Z\":\"E-Mode increases your LTV for a selected category of assets. <0>Learn more\",\"mdNjKU\":[\"Votre \",[\"name\"],\" Le portefeuille est vide. Acheter ou transférer des actifs ou utiliser <0>\",[\"0\"],\" pour transférer votre \",[\"network\"],\" actif.\"],\"muiOng\":[\"Acheter \",[\"cryptoSymbol\"],\" avec Fiat\"],\"mvCXBY\":\"Mise en jeu AAVE\",\"mwdzil\":\"D'accord, fermer\",\"mzI/c+\":\"Télécharger\",\"mzdIia\":\"L'actif ne peut pas être utilisé comme collatéral.\",\"n+SX4g\":\"Développeurs\",\"n8Psk4\":\"Nous n’avons pas pu détecter de portefeuille. Connectez un portefeuille pour staker et consulter votre solde.\",\"nJIhzm\":\"Fournir apy\",\"nJgsQu\":\"Avec un pouvoir de vote de <0/>\",\"nLC6tu\":\"Français\",\"nN2T8p\":\"During the cooldown period, you will not earn any merit rewards. However, rewards earned up to this point will remain unaffected.\",\"nNHV0z\":\"La migration simultanée de plusieurs garanties et d’actifs empruntés peut s’avérer coûteuse et peut échouer dans certaines situations. <0>Par conséquent, il n’est pas recommandé de migrer des positions avec plus de 5 actifs (déposés + empruntés) en même temps.\",\"nNbnzu\":\"Proposition\",\"nOy4ob\":\"Nous vous suggérons de revenir au tableau de bord.\",\"nPGNMh\":\"Peut être exécuté\",\"nUK1ou\":[\"Assets with zero LTV (\",[\"0\"],\") must be withdrawn or disabled as collateral to perform this action\"],\"nakd8r\":\"Les détenteurs de stkAAVE bénéficient d’une réduction sur le taux d’emprunt GHO\",\"nh2EJK\":[\"Veuillez passer à \",[\"networkName\"],\".\"],\"njBeMm\":\"Les deux\",\"ntkAoE\":\"Remise appliquée pour <0/> le staking d’AAVE\",\"ntyFSE\":[[\"h\"],\"h\"],\"nwtY4N\":\"Quelque chose s’est mal passé\",\"nxyWvj\":\"Le retrait de ce montant réduira votre facteur santé et augmentera le risque de liquidation.\",\"o17QVP\":\"Votre facteur de santé et votre prêt à la valeur déterminent l'assurance de votre collatéral. Pour éviter les liquidations, vous pouvez fournir plus de garanties ou rembourser les positions d'emprunt.\",\"o1xc2V\":\"L'approvisionnement en aTokens n'est pas nul\",\"o4tCu3\":\"Emprunter de l’APY\",\"o5ooMr\":\"Dette\",\"o7J4JM\":\"Filtrer\",\"oHFrpj\":\"Temps de recharge pour déstaker\",\"oJ5ZiG\":\"L'utilisateur n'a pas de dette à taux variable impayée sur cette réserve\",\"oRBGin\":\"Veuillez connecter votre portefeuille pour pouvoir échanger vos jetons.\",\"oUwXhx\":\"Ressources de test\",\"oWklJD\":\"Le taux d'intérêt stable <0>restera le même pendant toute la durée de votre prêt. Recommandé pour les périodes de prêt à long terme et pour les utilisateurs qui préfèrent la prévisibilité.\",\"odnIK3\":\"Time remaining until the 48 hour withdraw period starts.\",\"oiK5nY\":\"The current incentives period, decided on by the Aave community, has ended. Governance is in the process on renewing, check for updates. <0>Learn more.\",\"olREoo\":\"All borrow positions outside of this category must be closed to enable this category.\",\"om/XHs\":\"Disponible au dépôt\",\"ov0+mq\":\"Eligible for the ZKSync Ignite program.\",\"ovT1pF\":[\"Per the community, the \",[\"market\"],\" has been frozen.\"],\"ow3fug\":\"Rien n’a été trouvé\",\"owSsI3\":\"Signatures prêtes\",\"p+R52m\":\"Accéder à Balancer Pool\",\"p2A+s1\":[\"La période de recharge est de \",[\"0\"],\". Après \",[\"1\"],\" de temps de recharge, vous entrerez dans la fenêtre de désengagement de \",[\"2\"],\". Vous continuerez à recevoir des récompenses pendant le temps de recharge et la fenêtre de retrait.\"],\"p2S64u\":\"Le ratio prêt/valeur des positions migrées entraînerait la liquidation. Augmenter les garanties migrées ou réduire les emprunts migrés pour continuer.\",\"p2Z2Qi\":\"Cet actif a atteint son plafond d'emprunt. Rien n'est disponible pour être emprunté à ce marché.\",\"p3j+mb\":\"Votre solde de récompenses est de 0\",\"p45alK\":\"Configurer la délégation\",\"p6u2s1\":\"Minimum amount of debt to be repaid\",\"pDgeaz\":[[\"title\"]],\"pdZqBk\":\"Le solde sous-jacent doit être supérieur à 0\",\"pgWG9H\":\"Pas assez de solde staké\",\"piPrJ7\":\"veuillez vérifier que le montant que vous souhaitez fournir n'est pas actuellement utilisé pour le staking. S'il est utilisé pour le staking, votre transaction peut échouer.\",\"pjO/iH\":\"Minimum amount received\",\"pooutM\":\"Voting is on\",\"pqaM5s\":\"Confirming transaction\",\"ptaxX3\":[\"Je comprends comment fonctionnent le temps de recharge (\",[\"0\"],\") et le retrait (\",[\"1\"],\")\"],\"py2iiY\":\"L'appelant de cette fonction doit être un pool\",\"q/51mF\":\"Migrer vers la V3\",\"q3df11\":\"Stratégie de taux d’intérêt\",\"q6lAbz\":\"Staké\",\"qB4kPi\":\"Fournir APY\",\"qENI8q\":\"Paramètres globaux\",\"qGz5zl\":\"Solde de garantie après remboursement\",\"qOqbD6\":\"copier l'erreur\",\"qXCkEM\":\"Veuillez connecter votre portefeuille pour voir vos fournitures, vos emprunts et vos positions ouvertes.\",\"qY2jnw\":\"Expiration invalide\",\"qf/fr+\":\"Intérêts courus\",\"quYPUU\":\"Variable interest rate will <0>fluctuate based on the market conditions.\",\"quzIeW\":\"User is in isolation mode or LTV is zero\",\"qvnz3q\":\"Montant non valide à brûler\",\"rHgdb0\":\"Migrate to Aave V3\",\"rOrHHe\":\"Le montant doit être supérieur à 0\",\"rQ+R+0\":\"Sélection d’actifs d’approvisionnement\",\"rSayea\":\"APY\",\"rTBDeu\":[\"L’actif ne peut pas être migré car vous disposez d’une garantie isolée dans \",[\"marketName\"],\" v3 Marché qui limite les actifs empruntables. Vous pouvez gérer vos garanties dans <0>\",[\"marketName\"],\" Tableau de bord V3\"],\"rcT+yy\":\"Afficher les actifs avec 0 solde\",\"rf8POi\":\"Montant de l’actif emprunté\",\"riNWOA\":\"E-Mode\",\"rjGI/Q\":\"Vie privée\",\"rnKPW1\":\"Watch a wallet balance in read-only mode\",\"ruc7X+\":\"Ajoutez stkAAVE pour voir l’APY d’emprunt avec la remise\",\"rvbaFU\":[\"Bridging \",[\"symbol\"]],\"rwVVB7\":\"Réclamez toutes les récompenses\",\"rwyUva\":\"Ces actifs sont temporairement gelés ou suspendus par des décisions de la communauté Aave, ce qui signifie qu’il n’est pas possible d’obtenir / emprunter ou d’échanger des taux de ces actifs. Les retraits et les remboursements de dettes sont autorisés. Suivez le <0>forum de gouvernance d’Aave pour d’autres mises à jour.\",\"rxJW5W\":\"Votre pouvoir de proposition est basé sur votre solde AAVE/stkAAVE et les délégations reçues.\",\"s2jJnW\":\"You don't have any bridge transactions\",\"s5wBAq\":[\"Unstake \",[\"symbol\"]],\"sJbIdI\":\"Enter ETH address or ENS\",\"sK+Nag\":\"Réviser tx\",\"sP2+gB\":\"NON\",\"sQv06Y\":\"pour\",\"sTtO6J\":\"Confirm transaction\",\"sXKb3l\":\"Exchange rate\",\"sb0q4+\":\"Vous unstaké ici\",\"smJNwH\":\"Disponible à emprunter\",\"solypO\":\"Le facteur de santé n'est pas inférieur au seuil\",\"sr0UJD\":\"Retourner\",\"ss5GCK\":\"L'adresse du fournisseur d'adresses du pool n'est pas valide\",\"swEgK4\":\"Vos informations de vote\",\"t+wtgf\":\"Aucun emprunt pour l'instant\",\"t/YqKh\":\"Remove\",\"t81DpC\":[\"Approuver \",[\"symbol\"],\" pour continuer\"],\"tCnbEs\":\"Prix Oracle\",\"tFZLf8\":\"Ce calcul de gaz n'est qu'une estimation. Votre portefeuille fixera le prix de la transaction. Vous pouvez modifier les paramètres de gaz directement depuis votre fournisseur de portefeuille.\",\"tHuvQI\":\"Accéder au tableau de bord V3\",\"tKv7cI\":\"Changer de position d’emprunt\",\"tOcg3N\":\"Étant donné que cet actif est gelé, les seules actions disponibles sont le retrait et le remboursement, accessibles depuis le <0>tableau de bord\",\"tOuXfv\":[\"Emprunter le montant à atteindre \",[\"0\"],\"% d’utilisation\"],\"te9Bfl\":\"S'il vous plaît, connectez votre portefeuille\",\"tt5yma\":\"Vos ressources\",\"ttoh5c\":\"Passer à\",\"u3ZeYl\":\"La transaction a échoué\",\"u706uF\":\"Prime flash non valide\",\"u8Gfu7\":[\"Aucun résultat de recherche\",[\"0\"]],\"uAQUqI\":\"Status\",\"uHMwk8\":\"Aucune ressource n’a été sélectionnée pour la migration.\",\"uJPHuY\":\"Migration\",\"uY8O30\":\"Pour continuer, vous devez autoriser les contrats intelligents Aave à déplacer vos fonds depuis votre portefeuille. En fonction de l’actif et du portefeuille que vous utilisez, cela se fait en signant le message d’autorisation (sans gaz) ou en soumettant une transaction d’approbation (nécessite du gaz). <0>Pour en savoir plus\",\"udFheE\":\"For repayment of a specific type of debt, the user needs to have debt that type\",\"ulNuNq\":\"Exporter des données vers\",\"ulup2p\":\"Acheter des crypto-monnaies avec des monnaies fiduciaires\",\"umICAY\":\"<0><1><2/>Ajoutez stkAAVE pour voir le taux d’emprunt avec escompte\",\"usB84Z\":\"Le montant maximum disponible pour emprunter est limité car le plafond d’emprunt du protocole est presque atteint.\",\"uwAUvj\":\"COPIER L’IMAGE\",\"v8x7Mg\":\"Garantie insuffisante pour couvrir une nouvelle position d’emprunt. Le portefeuille doit avoir une capacité d’emprunt restante pour effectuer le transfert de dette.\",\"vEqxH9\":\"Restauré\",\"vLyv1R\":\"Cacher\",\"vMba49\":\"L'emprunt n'est pas activé\",\"vMpNwt\":\"Approuvez avec\",\"vXIe7J\":\"Language\",\"vesuBJ\":\"Vous permet de décider si vous souhaitez utiliser un actif fourni en tant que collatéral. Un actif utilisé comme collatéral affectera votre pouvoir d'emprunt et votre Health Factor.\",\"w+V9Cx\":\"Stablecoin\",\"w/JtJ3\":\"L'offre de dette stable n'est pas nulle\",\"w4VBY+\":\"Récompenses APR\",\"w9dLMW\":[[\"label\"]],\"wAOL+X\":[\"Vous \",[\"action\"],\" <0/> \",[\"symbole\"]],\"wBIsjb\":\"Canal Discord\",\"wQZbc/\":\"L'appelant de la fonction n'est pas un AToken\",\"wRRqvW\":\"Vous n'avez pas de fournitures dans cette devise\",\"wZFvVU\":\"VOTER OUI\",\"wb/r1O\":[\"Faucet \",[\"0\"]],\"wdxz7K\":\"Source\",\"weH1nG\":\"Le protocole Aave est programmé pour toujours utiliser le prix de 1 GHO = 1 $. C’est différent de l’utilisation des prix du marché via des oracles pour d’autres actifs cryptographiques. Cela crée des opportunités d’arbitrage stabilisatrices lorsque le prix du GHO fluctue.\",\"wh7Ezv\":\"You have no AAVE/stkAAVE/aAave balance to delegate.\",\"wlsIx7\":\"Avec testnet Faucet, vous pouvez obtenir des ressources gratuites pour tester le protocole Aave. Assurez-vous de changer votre fournisseur de portefeuille pour le réseau de test approprié, sélectionnez l’actif souhaité et cliquez sur «\xA0Faucet\xA0» pour obtenir des jetons transférés vers votre portefeuille. Les actifs d’un réseau de test ne sont pas « réels », ce qui signifie qu’ils n’ont aucune valeur monétaire. <0>Pour en savoir plus\",\"wmE285\":\"Get ABP v2 Token\",\"wyRrcJ\":\"As a result of governance decisions, this ABPT staking pool is now deprecated. You have the flexibility to either migrate all of your tokens to v2 or unstake them without any cooldown period.\",\"x5KiLL\":\"Les ressources sélectionnées ont été migrées avec succès. Rendez-vous sur le tableau de bord du marché pour les voir.\",\"x7F2p6\":\"Différentiel de courant\",\"x7K5ib\":[\"Votre \",[\"networkName\"],\" Le portefeuille est vide. Obtenir un test gratuit \",[\"0\"],\" à\"],\"x9iLRD\":\"tokens, veuillez vous rendre sur\",\"xNy/UG\":\"Rembourser avec\",\"xPm8wv\":\"En savoir plus sur les risques encourus\",\"xXYpZl\":[[\"0\"],\" Faucet\"],\"xaVBSS\":\"Vos informations\",\"xaWZ6f\":\"Changement de type APY\",\"xh6k71\":\"L’utilisation des garanties est limitée en raison du mode d’isolation.\",\"xvIklc\":\"Flashloan est désactivé pour cet actif, cette position ne peut donc pas être migrée.\",\"y5rS9U\":\"Émigrer\",\"y66tBm\":[\"Activer \",[\"symbol\"],\" comme collatéral\"],\"yB1YpA\":\"Mode Sombre\",\"yCrG6m\":\"Taille totale du marché\",\"yJUUbn\":\"Aperçu des transactions\",\"yLGmLX\":[\"Remise en jeu \",[\"symbol\"]],\"yW1oWB\":\"APY type\",\"yYHqJe\":\"Pas une adresse valide\",\"yZwLw6\":\"Suivre le portefeuille\",\"yh2sjd\":[\"Impact sur les prix \",[\"0\"],\"%\"],\"yhvj6d\":\"Vous ne pouvez pas changer d'utilisation en tant que mode de garantie pour cette devise, car cela entraînera un appel de garantie\",\"ylmtBZ\":\"The app is running in fork mode.\",\"ymNY32\":[\"Il n'y a pas assez de fonds dans la \",[\"0\"],\" réserve pour emprunter\"],\"yz7wBu\":\"Fermer\",\"z4uGQg\":\"Le plafond de la dette est dépassé\",\"z5UQOM\":\"La garantie choisie ne peut être liquidée\",\"z5Y+p6\":[\"Fournir \",[\"symbole\"]],\"zCjNKs\":\"L'action ne peut pas être effectuée car la réserve est gelée\",\"zRHytX\":\"Plafond de la dette isolée\",\"zTOjMP\":\"La limite d’approvisionnement du protocole est de 100 % pour cet actif. D’autres approvisionnements ne sont pas disponibles.\",\"zVdRUG\":\"Submission did not work, please try again later or contact wecare@avara.xyz\",\"zevmS2\":\"<0><1><2/>Ajoutez <3/> stkAAVE pour emprunter à <4/> (remise maximale)\",\"zgtIDV\":\"Dette restante\",\"zmTPiV\":\"Bilan d'approvisionnement\",\"zpPbZl\":\"Paramètres du risque de liquidation\",\"zucql+\":\"Menu\",\"zwWKhA\":\"Apprendre encore plus\",\"zy9fXn\":[\"L’actif est gelé \",[\"marketName\"],\" v3, donc cette position ne peut pas être migrée.\"],\"zys+R6\":\"Faites attention à la congestion du réseau et aux prix de l’essence.\",\"zzzTXS\":\"Merit Program rewards are claimed through the\"}")}; \ No newline at end of file +/*eslint-disable*/module.exports={messages:JSON.parse("{\"+0xecS\":[\"Si vous NE vous désengagez PAS dans les \",[\"0\"],\" de la fenêtre de désengagement, vous devrez réactiver le processus de refroidissement.\"],\"+EGVI0\":\"Recevoir (est.)\",\"+VR63W\":[\"Participer à cette réserve \",[\"symbol\"],\" donne des récompenses annualisées.\"],\"+bmKdK\":\"Use your AAVE, stkAAVE, or aAave balance to delegate your voting and proposition powers. You will not be sending any tokens, only the rights to vote and propose changes to the protocol. You can re-delegate or revoke power to self at any time.\",\"+eOPG+\":\"On dirait que nous ne pouvons pas changer de réseau automatiquement. Veuillez vérifier si vous pouvez le changer depuis le portefeuille.\",\"+i3Pd2\":\"Limite d'emprunt\",\"+kLZGu\":\"Montant de l’actif fourni\",\"+nuEh/\":\"Estimated time\",\"+xMFF8\":\"Remind me\",\"/57U31\":\"Amount to migrate\",\"/7ykiW\":\"Emprunter ce montant réduira votre facteur santé et augmentera le risque de liquidation.\",\"/YA5pU\":\"E-Mode increases your LTV for a selected category of assets, meaning that when E-mode is enabled, you will have higher borrowing power over assets of the same E-mode category which are defined by Aave Governance. You can enter E-Mode from your <0>Dashboard. To learn more about E-Mode and applied restrictionn, see the <1>help guide or the <2>Aave V3 Technical Paper.\",\"/izjs/\":\"Montant minimum d’Aave mis en jeu\",\"/jQctM\":\"To\",\"/lDBHm\":\"FAQ\",\"/yNlZf\":\"L'emprunt stable n'est pas activé\",\"/yQcJM\":\"Valeur totale\",\"00AB2i\":\"L'utilisateur n'a pas emprunté la devise spécifiée\",\"00OflG\":\"Il n’y a pas assez de liquidités pour que l’actif cible puisse effectuer le changement. Essayez de réduire le montant.\",\"08/rZ9\":\"La période de recharge est le temps nécessaire avant de retirer vos jetons (20 jours). Vous ne pouvez retirer vos actifs du module de sécurité qu’après la période de recharge et pendant la période de désenjeu. <0>Pour en savoir plus\",\"0AmQcW\":\"Changement de taux\",\"0BF3yK\":\"Désolé, nous n’avons pas trouvé la page que vous cherchiez.\",\"0TAbjq\":\"Recent Transactions\",\"0jhlyw\":\"Risque de liquidation\",\"0ojY+Y\":\"Solde actuel v2\",\"0thX3P\":\"Modification des garanties\",\"0wGCWc\":\"Il s'agit du montant total que vous pouvez emprunter. Vous pouvez emprunter en fonction de votre garantie et jusqu'à ce que le plafond d'emprunt soit atteint.\",\"1AsVfF\":\"À l’heure actuelle, les données sur les prix ne sont pas disponibles pour cette réserve dans le sous-graphe du protocole\",\"1LjK22\":\"Historique des transactions\",\"1Onqx8\":[\"Approuver \",[\"symbol\"],\"...\"],\"1Ue8sX\":\"Veuillez connecter un portefeuille pour afficher vos informations personnelles ici.\",\"1bpx9A\":\"...\",\"1kWUB+\":\"Seuil de liquidation <0/>\",\"1m9Qqc\":\"Retrait et changement\",\"1oyh4g\":\"Borrow rate\",\"1t7rez\":\"L’offre d’actifs est limitée à un certain montant afin de réduire l’exposition du protocole à l’actif et d’aider à gérer les risques encourus.\",\"2CAPu2\":\"Vous avez retiré et échangé des jetons avec succès.\",\"2Eoi/a\":\"Voir détails\",\"2FYpfJ\":\"Plus\",\"2O3qp5\":\"Liquidités disponibles\",\"2OM8/D\":[\"L’actif ne peut pas être migré en raison d’une restriction de plafond d’approvisionnement dans \",[\"marketName\"],\" v3 marché.\"],\"2Q4GU4\":\"Adresse bloquée\",\"2ZGocC\":\"Aave est un protocole entièrement décentralisé et régi par la communauté par les détenteurs de jetons AAVE. Les détenteurs de jetons AAVE discutent, proposent et votent collectivement sur les mises à niveau du protocole. Les détenteurs de jetons AAVE (réseau Ethereum uniquement) peuvent soit voter eux-mêmes sur de nouvelles propositions, soit choisir l’adresse de leur choix. Pour en savoir plus, consultez la page Gouvernance\",\"2a6G7d\":\"Veuillez saisir une adresse de portefeuille valide.\",\"2bAhR7\":\"Rencontrez GHO\",\"2eBWE6\":\"Je reconnais les risques encourus.\",\"2o/xRt\":\"Plafond d'approvisionnement sur la réserve cible atteint. Essayez de réduire le montant.\",\"2uJToh\":[[\"0\"],[\"name\"]],\"2x58bP\":\"L'emprunt stable est activé\",\"34Qfwy\":\"Le plafond d'emprunt est dépassé\",\"39eQRj\":[\"Emprunter \",[\"symbole\"]],\"3BL1xB\":\"Total fourni\",\"3BnIWi\":\"Commuté\",\"3K0oMo\":\"Offre restante\",\"3MoZhl\":\"Il n'y a pas assez de collatéral pour couvrir un nouvel emprunt\",\"3Np5O8\":[\"Fournir \",[\"symbole\"]],\"3O8YTV\":\"Total des intérêts courus\",\"3mXg0z\":\"Max LTV\",\"3q3mFy\":\"Rembourser\",\"3qsjtp\":\"La moyenne pondérée de l'APY pour tous les actifs fournis, y compris les incitations.\",\"3rL+os\":\"Vous ne pouvez retirer vos actifs du module de sécurité qu'après la fin de la période de refroidissement et que la fenêtre de retrait est active.\",\"42UgDM\":[\"Migrer vers \",[\"0\"],\" Marché v3\"],\"49UFQA\":\"Résultats du vote\",\"4DMZUI\":\"Afficher les transactions\",\"4HtGBb\":\"MAX\",\"4Y5H+g\":\"Petits caractères\",\"4YYh4d\":\"Maximum available to borrow\",\"4iPAI3\":\"Montant minimum d’emprunt GHO\",\"4lDFps\":\"Signez pour continuer\",\"4wyw8H\":\"Transactions\",\"5JSSxX\":[\"Votre \",[\"networkName\"],\" Le portefeuille est vide. Obtenez des ressources de test gratuites à l’adresse suivante :\"],\"5K7kGO\":\"documentation\",\"5NOSGa\":\"Le plafond de la dette limite le montant que les utilisateurs du protocole peuvent emprunter sur cet actif. Le plafond de la dette est spécifique aux actifs isolés et est indiqué en USD.\",\"5Ncc6j\":[\"Cet actif a presque atteint son plafond d'offre. Il ne peut y avoir que \",[\"messageValue\"],\" fourni à ce marché.\"],\"5cZ/KX\":\"L'offre de dette variable n'est pas nulle\",\"5che++\":\"Pour demander l'accès à ce marché autorisé, veuillez consulter\xA0: <0>Nom du fournisseur d'accès\",\"5ctNdV\":[\"Minimum \",[\"0\"],\" reçu\"],\"5hDe9v\":\"Allocation action requise\",\"5rsnKT\":\"Récompenses disponibles\",\"5yC5m5\":\"Voir tous les votes\",\"6/dCYd\":\"Aperçu\",\"60crCe\":\"Toutes les transactions\",\"62Xcjh\":\"Collatérale\",\"65A04M\":\"Espagnol\",\"6G8s+q\":\"Signature\",\"6Jrv+z\":[\"Rembourser \",[\"symbole\"]],\"6NGLTR\":\"Montant actualisable\",\"6Xr0UU\":\"Refroidissement...\",\"6bxci/\":\"Pouvoir de vote\",\"6f8S68\":\"Marchés\",\"6g1gi0\":\"Les propositions\",\"6gvoHP\":\"Copier le message d’erreur\",\"6h3Q5G\":\"Remboursé\",\"6lFSyT\":\"Available to Stake\",\"6s8L6f\":\"Changer de réseau\",\"6yAAbq\":\"APY, borrow rate\",\"70wH1Q\":\"APR\",\"72c5Qo\":\"Total\",\"73Auuq\":\"Les paramètres de remise sont décidés par la communauté Aave et peuvent être modifiés au fil du temps. Consultez la section Gouvernance pour les mises à jour et votez pour participer. <0>Pour en savoir plus\",\"75qcAQ\":[[\"stepName\"]],\"7ITr5L\":\"Facteur de santé\",\"7T/o5R\":\"Atteint\",\"7YlcXu\":\"Fork mode is ON\",\"7Z76Iw\":\"L’emprunt n’est pas disponible car vous utilisez le mode Isolation. Pour gérer le mode d’isolation, rendez-vous sur votre <0>tableau de bord.\",\"7aKlMS\":\"Partager sur Lens\",\"7er5fP\":\"Réclamer tout\",\"7hb2+s\":\"Time remaining until the withdraw period ends.\",\"7l88b8\":\"Les données n’ont pas pu être récupérées, veuillez recharger le graphique.\",\"7p5kLi\":\"Tableau de bord\",\"7sofdl\":\"Retrait et échange\",\"8+6BI0\":\"Soyez prudent - Vous êtes très proche de la liquidation. Envisagez de déposer plus de collatéral ou de rembourser certaines de vos positions empruntées\",\"87pUEW\":[\"Votre \",[\"name\"],\" Le portefeuille est vide. Acheter ou transférer des actifs.\"],\"8F1i42\":\"Page introuvable\",\"8G8M0u\":\"Chargement des données...\",\"8Iu1QS\":\"Retiré\",\"8JL93T\":\"Toutes les propositions\",\"8Q51DU\":\"Ajouter au portefeuille\",\"8X/oyn\":\"Montant invalide à frapper\",\"8Z5FPv\":\"Déconnecter le portefeuille\",\"8Zz7s5\":\"actifs\",\"8aLW8H\":\"Solde à révoquer\",\"8bOT3H\":\"Taux d'utilisation\",\"8sLe4/\":\"Voir le contrat\",\"8t/M0y\":\"Please connect your wallet to be able to bridge your tokens.\",\"8vETh9\":\"Montrer\",\"94OHPx\":\"Vous entrez en mode Isolation\",\"9CDK3/\":[\"L'emprunt n'est actuellement pas disponible pour \",[\"0\"],\".\"],\"9GIj3z\":\"Taille de réserve\",\"9Knqb4\":\"Solde de mise en jeu\",\"9OBKm7\":\"Quorum\",\"9QHoGr\":\"Votes actuels\",\"9Rw96f\":[\"Cet actif a presque atteint son plafond d'emprunt. Il n'y a que \",[\"messageValue\"],\" disponible pour être emprunté sur ce marché.\"],\"9Xj/qR\":[\"Certaines ressources migrées ne seront pas utilisées comme garantie en raison de l’activation du mode d’isolement dans \",[\"marketName\"],\" Marché V3. Visite <0>\",[\"marketName\"],\" Tableau de bord V3 pour gérer le mode d’isolation.\"],\"9c6vDV\":\"Cet actif a atteint son plafond d'offre. Rien n'est disponible pour être fourni à partir de ce marché.\",\"9kTWHA\":\"L’AMI a été suspendu en raison d’une décision de la communauté. L’offre, les emprunts et les remboursements sont impactés. <0>Plus d’informations\",\"9lXchd\":\"Jeton sous-jacent\",\"9rWaKF\":\"Bridged Via CCIP\",\"9xSooW\":\"Comme il s'agit d'un réseau de test, vous pouvez obtenir n'importe lequel des actifs si vous avez ETH dans votre portefeuille\",\"A/lwoe\":\"Choisissez l’un des services de rampe d’accès\",\"A6dCI6\":[\"Le montant maximal disponible pour emprunter est de <0/> \",[\"0\"],\" (<1/>).\"],\"AReoaV\":\"Vos emprunts\",\"ARu1L4\":\"Remboursé\",\"AV7cGz\":\"Examiner les détails de la taxe d'approbation\",\"AZOjB8\":\"Récupération de données...\",\"Ai0jas\":\"Rejoignez la discussion de la communauté\",\"Ajl2rq\":\"Le pouvoir d'emprunt et les actifs sont limités en raison du mode d'isolement.\",\"AqgYNC\":\"Plafond d’emprunt du protocole à 100% pour cet actif. Il n’est pas possible d’emprunter davantage.\",\"B3EcQR\":\"Merci d’avoir voté\xA0!!\",\"B6aXGH\":\"Stable\",\"B9Gqbz\":\"Taux variable\",\"BDFEd+\":\"Les stETH fournis en garantie continueront d’accumuler des récompenses de staking fournies par les rebasages quotidiens.\",\"BE2mP0\":\"Borrowed assets\",\"BJyN77\":\"Due to health factor impact, a flashloan is required to perform this transaction, but Aave Governance has disabled flashloan availability for this asset. Try lowering the amount or supplying additional collateral.\",\"BNL4Ep\":\"L'utilisation de la garantie est limitée en raison du mode d'isolement. <0>En savoir plus\",\"BQ/wCO\":\"Migrate your assets\",\"BjLdl1\":\"À prix réduit\",\"BnhYo8\":\"Catégorie d'actifs\",\"Bq9Y7e\":\"Cet actif est gelé en raison d’une décision de la communauté Aave. <0>Plus d’informations\",\"BqWMDJ\":\"Faucet\",\"BqynZO\":\"Optimized for efficiency and risk by supporting blue-chip collateral assets\",\"Bsu7zX\":\"The fee includes the gas cost to complete the transaction on the destination chain and the fee paid to Chainlink CCIP service providers. You can chose to pay in the network token or GHO. <0>Learn more\",\"BwJKBw\":\"de\",\"CDrsH+\":\"Fiche technique\",\"CK1KXz\":\"Max\",\"CMHmbm\":\"Glissement\",\"CZXzs4\":\"Grec\",\"CcRNG6\":\"Transistor\",\"CkTRmy\":[\"Revendication \",[\"symbol\"]],\"CsqtLm\":\"Veuillez connecter votre portefeuille pour voir l’outil de migration.\",\"CtGlFb\":[[\"networkName\"],\" Robinet\"],\"Cxt2YY\":\"Watch wallet\",\"D33VQU\":\"Cette action réduira le facteur de santé de V3 en dessous du seuil de liquidation. Augmenter les garanties migrées ou réduire les emprunts migrés pour continuer.\",\"D9BLRG\":\"This asset has been paused due to a community decision. Supply, withdraw, borrows and repays are impacted.\",\"DAma/S\":\"La garantie est (principalement) la même devise que celle qui est empruntée\",\"DCnFg0\":[\"Adresses (\",[\"0\"],\")\"],\"DG3Lv1\":\"Je comprends parfaitement les risques liés à la migration.\",\"DONJcV\":\"L'actif sous-jacent ne peut pas être sauvé\",\"DR+4uL\":\"Bilan de l’alimentation après le changement\",\"DWjrck\":[\"La ressource ne peut pas être migrée vers \",[\"marketName\"],\" V3 Market en raison des restrictions du mode E. Vous pouvez désactiver ou gérer les catégories du mode E dans votre <0>tableau de bord V3\"],\"Dj+3wB\":\"Aave par mois\",\"DuEq2K\":\"Collatéralisation\",\"DxfsGs\":\"Vous pouvez signaler un incident sur notre <0>Discord ou<1>Github.\",\"Dzma+E\":\"Main Ethereum market with the largest selection of assets and yield options\",\"E/QGRL\":\"Désactivé\",\"EBL9Gz\":\"COPIÉ!\",\"ES8dkb\":\"Taux fixe\",\"EZd3Dk\":[\"Reprise \",[\"symbol\"]],\"Ebgc76\":[\"Retrait \",[\"symbole\"]],\"EdQY6l\":\"Aucun/Aucune\",\"EjvKQ+\":\"Valeur minimale en USD reçue\",\"Enslfm\":\"Destination\",\"EvE9nO\":[\"Réactiver la période de recharge pour annuler le pieu \",[\"0\"],\" \",[\"stakedToken\"]],\"EvECnL\":\"Migrer vers la v3\",\"EzMQbh\":\"The source chain time to finality is the main factor that determines the time to destination. <0>Learn more\",\"F40cwT\":\"Legacy Markets\",\"F6TdXL\":\"Pour en savoir plus.\",\"FDDPeZ\":\"Users can stake their assets in the protocol and earn incentives. In the case of a shortfall event, your stake can be slashed to cover the deficit, providing an additional layer of protection for the protocol.\",\"FHlMf/\":\"Solde actuel de la v2\",\"FHpxjF\":[\"Le facteur de réserve est un pourcentage de l’intérêt qui va à un \",[\"0\"],\" qui est contrôlé par la gouvernance Aave pour promouvoir la croissance de l’écosystème.\"],\"FOBZa6\":\"Puissance d'emprunt utilisée\",\"FPKEug\":\"Opération non prise en charge\",\"FbmMe7\":\"Linked addresses\",\"Fdp03t\":\"sur\",\"Fjw9N+\":\"Actifs à déposer\",\"FmN0fk\":\"Remise en jeu\",\"GDGLIs\":\"GHO est un actif numérique natif décentralisé et adossé à des garanties, indexé sur le dollar américain. Il est créé par les utilisateurs en empruntant contre plusieurs garanties. Lorsque l’utilisateur rembourse sa position d’emprunt de HO, le protocole brûle le GHO de cet utilisateur. Tous les paiements d’intérêts accumulés par les minters de GHO seraient directement transférés à la trésorerie d’AaveDAO.\",\"GQrBTq\":\"Changer de mode E\",\"GWswcZ\":\"Cet actif est gelé en raison d’une décision de gouvernance du protocole Aave. Le 20 décembre 2022, renFIL ne sera plus pris en charge et ne pourra plus être reconnecté à son réseau natif. Il est recommandé de retirer les positions d’offre et de rembourser les positions d’emprunt afin que renFIL puisse être relié à FIL avant la date limite. Après cette date, il ne sera plus possible de convertir renFIL en FIL. <0>Plus d’informations\",\"GX8GKD\":\"Actifs\",\"GgEj+0\":\"Mode lecture seule. Connectez-vous à un portefeuille pour effectuer des transactions.\",\"GjkIKV\":\"Prend fin\",\"GoK/QN\":\"Thank you for submitting feedback!\",\"GtP2hp\":[\"L'emprunt n'est pas disponible, car vous avez activé le mode d'efficacité (E-Mode) pour la catégorie \",[\"0\"],\". Pour gérer les catégories E-Mode, visitez votre <0>tableau de bord.\"],\"H6Ma8Z\":\"Rabais\",\"HB/wfS\":[[\"tooltipText\"]],\"HKDsQN\":\"Rewards can be claimed through\",\"Ha/U5f\":\"This is a program initiated and implemented by the decentralised ZKSync community. Aave Labs does not guarantee the program and accepts no liability.\",\"HciqKU\":\"This is a program initiated and implemented by the decentralised Aave community. Aave Labs does not guarantee the program and accepts no liability.\",\"Hi6Ttn\":\"Désolé, une erreur inattendue s’est produite. En attendant, vous pouvez essayer de recharger la page, ou revenir plus tard.\",\"HkEDbS\":[[\"d\"],\"d\"],\"HmkYqM\":\"Fenêtre d'arrêt de staking\",\"HpK/8d\":\"Recharger\",\"HrnC47\":\"Enregistrer et partager\",\"HuVZMK\":\"Days\",\"HvJKMU\":[\"La ressource ne peut pas être migrée vers \",[\"marketName\"],\" v3 Marché puisque l’actif collatéral activera le mode d’isolation.\"],\"Hvwnm9\":[\"La quantité maximale disponible pour l’approvisionnement est limitée parce que le plafond d’approvisionnement du protocole est à \",[\"0\"],\"%.\"],\"I8CX2c\":\"Le montant total de vos actifs libellés en USD qui peut être utilisé comme garantie pour emprunter des actifs.\",\"IAD2SB\":[\"Prétendant \",[\"symbol\"]],\"IG9X9/\":\"L’emprunt de cet actif est limité à un certain montant afin de minimiser l’insolvabilité du pool de liquidités.\",\"IOIx8L\":\"Il est prévu que cet actif soit désactivé en raison d’une décision de gouvernance du protocole Aave. <0>Plus d’informations\",\"IP+I/j\":\"Période de recharge\",\"IaA40H\":\"Liquidation à\",\"J/hVSQ\":[[\"0\"]],\"JCoxL6\":\"Gérer l’analytique\",\"JK9zf1\":[\"Intérêts composés estimés, y compris l’escompte pour le jalonnement \",[\"0\"],\"AAVE dans le module de sécurité.\"],\"JOqFba\":[\"Déjalonnement \",[\"symbol\"]],\"JPrLjO\":\"Vous ne pouvez pas utiliser cette devise comme garantie\",\"JU6q+W\":\"Récompense(s) à réclamer\",\"JYKRJS\":\"Stake\",\"JZMxX0\":\"Pas assez de solde sur votre portefeuille\",\"Jgflkm\":\"Get GHO\",\"JoMQnI\":\"Solde du portefeuille\",\"JtwD8u\":\"Emprunter le solde après le remboursement\",\"JumYTK\":\"Supplied assets\",\"K05qZY\":\"Retrait et échange\",\"KAz/NV\":\"Le plafond d’endettement du protocole est de 100% pour cet actif. Il n’est pas possible d’emprunter davantage sur cet actif.\",\"KLXVqE\":[\"Les tokens stETH seront migrés vers Wrapped stETH à l’aide du wrapper Lido Protocol, ce qui entraîne une modification de l’équilibre de l’offre après la migration : \",[\"0\"]],\"KLd6ky\":\"Use connected account\",\"KRpokz\":\"VOIR TX\",\"KSlpka\":\"Cela représente le seuil auquel une position d'emprunt sera considérée comme sous-garantie et sujette à liquidation pour chaque garantie. Par exemple, si une garantie a un seuil de liquidation de 80\xA0%, cela signifie que la position sera liquidée lorsque la valeur de la dette vaut 80 % de la valeur de la garantie.\",\"KYAjf3\":\"Isolé\",\"KZwRuD\":[[\"notifyText\"]],\"KkPgim\":\"Changement de mode E\",\"KnN1Tu\":\"Expire\",\"KoOBI2\":\"En raison de la mécanique interne de stETH requise pour le rebasage de la prise en charge, il n’est pas possible d’effectuer un changement de garantie où stETH est le jeton source.\",\"KojyJ4\":\"Mauvais réseau\",\"KsqhWn\":\"Staking\",\"KuBTQq\":\"Entrez l'adresse ETH\",\"KvG1xW\":\"Réclamer\",\"L+8Lzs\":\"LTV actuelle\",\"L+qiq+\":\"Marché\",\"LDzfVJ\":\"Send Feedback\",\"LIrMcF\":\"Pas de pouvoir de vote\",\"LL0zks\":\"Peut être collatéral\",\"LLdJWu\":\"AAVE Réclamable\",\"LSIpNK\":\"Emprunter et rembourser dans le même bloc n'est pas autorisé\",\"LVt3TI\":[\"<0>Tolérance de glissement <1>\",[\"selectedSlippage\"],\"% <2>\",[\"0\"],\"\"],\"LjafV8\":\"Maximum collateral amount to use\",\"LtpQew\":\"Let us know how we can make the app better for you. For user support related inquiries please reach out on\",\"LvVpD/\":\"Emode\",\"M2sknc\":\"Astuce : Essayez d’augmenter le glissement ou de réduire la quantité d’entrée\",\"M7wPsD\":\"Interrupteur\",\"MFu33y\":\"Staking 00\",\"MIy2RJ\":\"Maximum amount received\",\"MZ/nQf\":\"Adresse du destinataire\",\"Ma/MtY\":\"vue de staking\",\"McHlGl\":\"Changement d’APY\",\"MeCCA+\":\"APY, variable\",\"MghdTe\":\"Si le facteur de santé descend en dessous de 1, la liquidation de votre collatéral peut être déclenchée.\",\"Mm/DVQ\":\"Vous avez annulé la transaction.\",\"MnE2QX\":\"Emprunter des informations\",\"MrmQHg\":\"View Bridge Transactions\",\"MuDFEQ\":\"Valeur de retour invalide de la fonction flashloan executor\",\"N5kUMV\":\"L’actif ne peut être utilisé comme garantie qu’en mode isolé avec un pouvoir d’emprunt limité. Pour passer en mode d’isolation, désactivez toutes les autres garanties.\",\"N6Pxr9\":\"View all\",\"NF0e1Q\":\"En attente...\",\"NK9ikO\":\"Solde du portefeuille\",\"NMt2CB\":\"Montant réclamable\",\"NcFGxG\":\"Contrat de collectionneur\",\"NfpPeS\":\"Rien staké\",\"Nh9DAo\":[[\"m\"],\"m\"],\"O+sCUU\":\"Le plafond de mintage non soutenu est dépassé\",\"O+tyU+\":[\"Le montant maximal disponible pour emprunter sur cet actif est limité car le plafond de la dette est à \",[\"0\"],\"%.\"],\"O3oNi5\":\"Email\",\"OFjZGo\":\"Unstake\",\"OR8cYX\":\"Aperçu de la proposition\",\"OYuJ9K\":\"Le plafond d’endettement du protocole est de 100% pour cet actif. Il n’est pas possible d’emprunter sur cet actif.\",\"OfhWJH\":\"Réinitialisation\",\"Og2SKn\":\"handicapé\",\"On0aF2\":\"Site internet\",\"OsyKSt\":\"Retirer\",\"P1dURE\":\"Révoquer le pouvoir\",\"P2WCD/\":[\"L’actif sous-jacent n’existe pas dans \",[\"marketName\"],\" v3 Market, par conséquent, cette position ne peut pas être migrée.\"],\"P2sL6B\":\"Lorsqu'une liquidation survient, les liquidateurs remboursent jusqu'à 50 % de l'encours emprunté au nom de l'emprunteur. En contrepartie, ils peuvent acheter le collatéral à prix réduit et conserver la différence (pénalité de liquidation) en bonus.\",\"P6sRoL\":\"Mise en jeu ABPT\",\"P72/OW\":\"La moyenne pondérée de l'APY pour tous les actifs empruntés, y compris les incitatifs.\",\"P7e6Ug\":\"Veuillez connecter votre portefeuille pour consulter l’historique des transactions.\",\"PByO0X\":\"Votes\",\"PI+kVe\":\"Disable fork\",\"PJK9u/\":\"Emprunter apy\",\"PLUB/s\":\"Fee\",\"PP5ZA8\":[\"Participating in staking \",[\"symbol\"],\" gives annualized rewards. Your wallet balance is the sum of your aTokens and underlying assets. The breakdown to stake is below\"],\"PcBUgb\":\"Seuil de liquidation\",\"PjU6bu\":\"This asset is eligible for SPK incentive program. Aave Labs does not guarantee the program and accepts no liability.\",\"PpqD5g\":\"L'activation de cet actif comme garantie augmente votre pouvoir d'emprunt et votre facteur de santé. Cependant, il peut être liquidé si votre facteur de santé tombe en dessous de 1.\",\"PsOFSf\":\"Cette action réduira le facteur de santé V2 en dessous du seuil de liquidation. Conservez la garantie ou migrez la position d’emprunt pour continuer.\",\"Pu4bI/\":[[\"currentMethod\"]],\"Q0LzKi\":\"View TX\",\"Q4eNqa\":\"The Aave Balancer Pool Token (ABPT) is a liquidity pool token. You can receive ABPT by depositing a combination of AAVE + wstETH in the Balancer liquidity pool. You can then stake your BPT in the Safety Module to secure the protocol and earn Safety Incentives.\",\"QQYsQ7\":\"Withdrawing\",\"QWYCs/\":\"Stake GHO\",\"R+30X3\":\"Non atteint\",\"RCU5PY\":\"Age\",\"RIfckG\":[\"Désactiver \",[\"symbol\"],\" comme garantie\"],\"RMtxNk\":\"Différentiel\",\"RNK49r\":\"Signature non valide\",\"RS0o7b\":\"État\",\"RU+LqV\":\"Détails de la proposition\",\"RYTgZX\":\"lorem ipsum\",\"RbXH+k\":\"AAVE, GHO, and ABPT holders (Ethereum network only) can stake their assets in the Safety Module to add more security to the protocol and earn Safety Incentives. In the case of a shortfall event, your stake can be slashed to cover the deficit, providing an additional layer of protection for the protocol.\",\"RiSYV4\":\"L'actif n'est pas répertorié\",\"Rj01Fz\":\"Liens\",\"RmWFEe\":\"APR staké\",\"RoafuO\":\"Envoyer des commentaires\",\"RtBLm7\":\"Le facteur santé est inférieur au seuil de liquidation\",\"RxzN1M\":\"Activé\",\"SDav7h\":\"Fonds dans le Safety Module\",\"SENccp\":\"Si l’erreur persiste,<0/> vous pouvez la signaler à ce\",\"SIWumd\":\"Afficher les ressources gelées ou mises en pause\",\"SM58dD\":\"Quantité en temps de recharge\",\"SSMiac\":\"Impossible de charger les votants de proposition. Veuillez rafraîchir la page.\",\"SSQVIz\":\"Seuil de liquidation\",\"SUb8x0\":\"Total disponible\",\"SWIgh4\":\"Fees exceed wallet balance\",\"SY9hVo\":\"Le mode lecture seule permet de voir les positions d’adresses dans Aave, mais vous ne pourrez pas effectuer de transactions.\",\"SZRUQ4\":\"Glissement maximal\",\"Sa1UE/\":\"Le plafond d’emprunt du protocole est de 100 % pour cet actif. Il n’est pas possible d’emprunter davantage.\",\"Sk2zW9\":\"Désactiver le E-mode\",\"SxaD0o\":\"Le fournisseur d'adresses de pool n'est pas enregistré\",\"T/AIqG\":\"Limite d’approvisionnement du protocole à 100 % pour cet actif. D’autres approvisionnements ne sont pas disponibles.\",\"T0xCO9\":\"Can't validate the wallet address. Try again.\",\"T4OhVl\":\"GHO balance\",\"T6uYU2\":\"Emprunter\",\"TFxQlw\":\"Pénalité de liquidation\",\"TQ7WsV\":\"Available to stake\",\"TUI7iB\":\"L'actif ne peut être utilisé comme garantie qu'en mode isolé.\",\"TbjyhA\":\"Docs\",\"TduuS0\":\"L'utilisateur n'a pas de dette à taux stable impayée sur cette réserve\",\"TeCFg/\":\"Modification du taux d’emprunt\",\"Tg1JyO\":\"Bridge history\",\"TskbEN\":\"Les détenteurs de stkAAVE bénéficient d’une réduction sur le taux d’emprunt GHO\",\"TszKts\":\"Emprunter le solde après le changement\",\"TtZL6q\":\"Paramètres du modèle de remise\",\"TwJI9F\":\"Asset has been successfully sent to CCIP contract. You can check the status of the transactions below\",\"Tz0GSZ\":\"Activités bloquées\",\"U/eBjN\":\"Recharger la page\",\"U2r8nY\":\"Choose how much voting/proposition power to give to someone else by delegating some of your AAVE, stkAAVE or aAave balance. Your tokens will remain in your account, but your delegate will be able to vote or propose on your behalf. If your AAVE, stkAAVE or aAave balance changes, your delegate's voting/proposition power will be automatically adjusted.\",\"U8IubP\":\"L’application s’exécute en mode réseau de test. Découvrez comment cela fonctionne dans\",\"U9btTk\":\"L'actif n'est pas empruntable en mode d'isolement\",\"UAOZRe\":\"L’impact sur les prix est l’écart entre la valeur totale des tokens d’entrée échangés et les tokens de destination obtenus (en USD), qui résulte de la liquidité limitée de la paire de trading.\",\"UE3KJZ\":\"L’historique des transactions n’est actuellement pas disponible pour ce marché\",\"URmyfc\":\"Détails\",\"UTTKmT\":\"Temps de recharge de la mise activé\",\"UXeR72\":\"Ces fonds ont été empruntés et ne peuvent pas être retirés pour le moment.\",\"UYb8CM\":\"Learn more about the SPK rewards\",\"UbRrG0\":\"Le ratio LTV maximum représente le pouvoir d'emprunt maximum d'une garantie spécifique. Par exemple, si une garantie a un LTV de 75 %, l'utilisateur peut emprunter jusqu'à 0,75 ETH dans la devise principale pour chaque 1 ETH de garantie.\",\"UpndFj\":\"Aucune récompense à réclamer\",\"V0f2Xv\":\"Facteur de réserve\",\"V1HK43\":\"Risques liés à la migration\",\"VATFH9\":\"Dette couverte\",\"VHOVEJ\":\"Connecter le portefeuille\",\"VMfYUK\":\"Sécurité de votre garantie déposée contre les actifs empruntés et sa valeur sous-jacente.\",\"VOAZJh\":\"Total des emprunts\",\"ViKYxK\":\"YAE\",\"W1SSoD\":\"Examiner les détails de la transaction\",\"W5hVah\":\"Rien fourni pour le moment\",\"W5kTFy\":\"Vote\",\"W8ekPc\":\"Retour au tableau de bord\",\"WMPbRK\":\"Sans support\",\"WNGZwH\":\"E-Mode augmente votre LTV pour une catégorie d'actifs sélectionnée jusqu'à <0/>. <1>En savoir plus\",\"WPWG/y\":\"Statut et configuration de la réserve\",\"WZLQSU\":\"L'utilisateur ne peut pas retirer plus que le solde disponible\",\"WaZyaV\":\"<0>Ampleforth est un actif de rebasage. Consultez la <1>documentation pour en savoir plus.\",\"WfU+XN\":\"Étant donné que cette ressource est suspendue, aucune action ne peut être entreprise jusqu’à nouvel ordre\",\"Wjmqs2\":\"No results found. You can import a custom token with a contract address\",\"WkZ6C6\":\"Pour emprunter, vous devez fournir tout actif à utiliser comme garantie.\",\"WyMiQm\":\"Vous avez réussi à changer de jeton.\",\"X/ITG9\":\"Copier le texte d'erreur\",\"X3Pp6x\":\"Utilisé comme collatéral\",\"X4Zt7j\":\"L'action ne peut pas être effectuée car la réserve est mise en pause\",\"XBdKOj\":\"Representative smart contract wallet (ie. Safe) addresses on other chains.\",\"XZzneG\":\"Vous quitterez le mode d'isolement et d'autres jetons peuvent désormais être utilisés comme collatéral\",\"Xg5y9S\":\"Amount to Bridge\",\"Xn4hUi\":\"Veuillez toujours tenir compte de votre <0>facteur de santé (HF) lors de la migration partielle d’une position et que vos tarifs seront mis à jour vers les taux V3.\",\"Xy71ST\":\"Umbrella\",\"Y5kGkc\":\"VOTER NON\",\"YDIOks\":\"Activation du E-Mode\",\"YSodyW\":\"Cette action réduira votre facteur de santé. Veuillez garder à l’esprit le risque accru de liquidation des garanties.\",\"YXOWXM\":\"The total amount bridged minus CCIP fees. Paying in network token does not impact gho amount.\",\"YirHq7\":\"Feedback\",\"YogbCJ\":\"Le mode réseau de test est activé\",\"YrDxdO\":\"Si votre prêt à la valeur dépasse le seuil de liquidation, votre garantie fournie peut être liquidée.\",\"YyIM65\":\"Les conditions de rééquilibrage des taux d'intérêt n'ont pas été remplies\",\"YyydIq\":[\"Ajouter \",[\"0\"],\" à Wallet pour suivre votre solde.\"],\"ZBvhI+\":\"Gouvernance Aave\",\"ZIIRAd\":\"Raw-Ipfs\",\"ZRq4tX\":\"Mode efficacité (E-Mode)\",\"ZSqEW+\":\"Manage E-Mode\",\"ZUFYFE\":\"Désactiver le réseau de test\",\"Zbyywy\":\"Coupure maximale\",\"ZfUGFb\":\"Avant de déposer\",\"ZiXN+B\":\"Assets to stake\",\"ZlsSDH\":\"Valeur de liquidation\",\"ZrEc8j\":\"Nous n’avons trouvé aucun élément lié à votre recherche. Réessayez avec un autre nom, symbole ou adresse de ressource.\",\"ZsLF7e\":\"Activé\",\"a0YQoQ\":\"Enter a valid address\",\"a2fBZn\":\"Temps restant pour dépiquer\",\"a5RYZd\":\"La désactivation de cet actif en tant que garantie affecte votre pouvoir d'emprunt et votre facteur de santé.\",\"a7u1N9\":\"Prix\",\"a9D+6D\":\"Non jalonné\",\"aEtiwq\":\"Vote NAY\",\"aMmFE1\":\"Acheter des crypto-monnaies avec des monnaies fiduciaires\",\"aOKIms\":\"Les paramètres de tableau devraient être de même longueur ne sont pas\",\"aX31hk\":\"Votre solde est inférieur au montant sélectionné.\",\"adUsDd\":\"An error has occurred fetching the proposal.\",\"al6Pyz\":\"Dépasse la remise\",\"aoXTT7\":\"Prêt APY, variable\",\"aqX1Yp\":\"This asset is eligible for rewards through SuperFest. Aave Labs does not guarantee the program and accepts no liability.\",\"avgETN\":\"Eligible for the Merit program.\",\"b4NS3e\":\"Avertissement de période de refroidissement\",\"bNEQeI\":\"Cooldown\",\"bSruit\":\"ZKSync Ignite Program rewards are claimed through the\",\"bUUVED\":\"Actif\",\"bXQ/Og\":\"Partager sur Twitter\",\"bXr0ee\":\"Les actifs isolés ont un pouvoir d'emprunt limité et les autres actifs ne peuvent pas être utilisés comme garantie.\",\"bYmAV1\":\"Adresses\",\"bguKoJ\":\"Le montant demandé est supérieur au montant maximum du prêt en mode taux stable\",\"bwSQI0\":\"Fournir\",\"bxN6EM\":\"Impossible de désactiver le mode E\",\"bxmzSh\":\"Pas assez de collatéral pour rembourser ce montant de dette avec\",\"c91vuQ\":\"L'adresse n'est pas un contrat\",\"c97os2\":\"Aave aToken\",\"c9b44w\":\"Vous ne pouvez pas retirer ce montant car cela entraînera un appel de garantie\",\"cBc+4A\":\"Il s'agit du montant total que vous pouvez emprunter. Vous pouvez emprunter en fonction de votre garantie et jusqu'à ce que le plafond d'emprunt soit atteint.\",\"cIl5kp\":\"Votre pouvoir de vote est basé sur votre solde AAVE/stkAAVE et les délégations reçues.\",\"cLo09S\":\"Détails des risques\",\"cNT+ij\":\"L'emprunt n'est pas disponible car vous avez activé le mode Efficacité (E-Mode) et le mode Isolation. Pour gérer le mode E et le mode Isolation, rendez-vous sur votre <0>tableau de bord.\",\"cZOeBk\":\"Something went wrong fetching bridge message, please try again later.\",\"ceix5S\":\"Pour soumettre une proposition de modifications mineures du protocole, vous aurez besoin d’une puissance d’au moins 80,00 K. Si vous souhaitez modifier la base de code de base, vous aurez besoin d’une puissance de 320k. <0>Pour en savoir plus.\",\"ciybUa\":\"Vote YAE\",\"ckf7gX\":[\"Remboursement \",[\"symbole\"]],\"cp1ZDP\":[\"Bridge \",[\"symbol\"]],\"cqnmnD\":\"Taux d’intérêt effectif\",\"cqwIvs\":\"Discussion de forum\",\"csDS2L\":\"Disponible\",\"cu7Stb\":\"Vous n'avez pas participé à cette proposition\",\"dE6BLF\":\"Gouvernance\",\"dEgA5A\":\"Annuler\",\"dIsyWh\":\"Échec de la validation LTV\",\"dMtLDE\":\"À\",\"dOB5nW\":[\"La quantité maximale disponible pour la fourniture est de <0/> \",[\"0\"],\" (<1/>).\"],\"dVfODp\":\"Vous n'avez pas assez de fonds dans votre portefeuille pour rembourser le montant total. Si vous continuez à rembourser avec votre montant actuel de fonds, vous aurez toujours une petite position d'emprunt dans votre tableau de bord.\",\"dXUQFX\":\"Actifs à emprunter\",\"dgr1aY\":\"L’emprunt est désactivé en raison d’une décision de la communauté Aave. <0>Plus d’informations\",\"djsg0o\":\"Usage de collatéral\",\"dpc0qG\":\"Variable\",\"drdV8R\":\"Liquidation\",\"dxW8cS\":\"Jeton de dette Aave\",\"e4V3oW\":\"Top 10 des adresses\",\"eD8WX/\":\"L'action nécessite une réserve active\",\"eJRJ04\":\"Montant à la mise en jeu\",\"eLh0cL\":\"Le slippage est la différence entre les montants cotés et reçus en raison de l’évolution des conditions du marché entre le moment où la transaction est soumise et sa vérification.\",\"ePK91l\":\"Edit\",\"eVpCmf\":\"Récompenses de staking\",\"eVqvtf\":\"Bridge GHO\",\"eYdurp\":\"Aucune transaction n’a encore été effectuée.\",\"ebLGGN\":\"Total emprunté\",\"ecqEvn\":\"Le solde de la garantie est de 0\",\"efdrrk\":\"Disponible sur\",\"enruNF\":\"Commence\",\"eqLYiD\":\"Arrêter de staker maintenant\",\"euScGB\":\"APY avec remise appliquée\",\"evw5ha\":\"Valeur nette\",\"ezcU16\":\"Obtenir le jeton ABP\",\"f3W0Ej\":[\"Vous êtes passé au tarif \",[\"0\"]],\"fH9i8k\":\"Vous avez réussi à changer de position d’emprunt.\",\"fHcELk\":\"APR Net\",\"fMJQZK\":\"Emprunté\",\"fZ5Vnu\":\"Reçu\",\"firl9Q\":\"Votre prêt actuel à la valeur en fonction de votre collatéral fournie.\",\"flRCF/\":\"Remise sur le staking\",\"fldjW9\":\"Prévisualiser tx et migrer\",\"fsBGk0\":\"Solde\",\"fu1Dbh\":[\"Retirer \",[\"symbole\"]],\"fwjWSI\":\"Fourni\",\"fwyTMb\":\"Migrate to stkABPT v2\",\"g0mals\":\"You can not disable E-Mode because that could cause liquidation. To exit E-Mode supply or repay borrowed positions.\",\"g2UNkE\":\"Alimenté par\",\"g8KGoA\":\"Foire aux questions\",\"g9zzqS\":\"A voté NAY\",\"gDd2gk\":\"about SuperFest.\",\"gFFh9h\":\"Tout est fait !\",\"gIMJlW\":\"Mode réseau test\",\"gOzPxe\":\"Cet actif est gelé en raison d’une décision de gouvernance du protocole Aave. <0>Plus d’informations\",\"gTHi2T\":\"L'utilisateur essaie d'emprunter plusieurs actifs, y compris un en silo\",\"gVW59Y\":\"Veuillez connecter votre portefeuille pour obtenir des ressources de réseau de test gratuites.\",\"gcFNxP\":\"Approuver Confirmé\",\"gncRUO\":\"Cette adresse est bloquée sur app.aave.com car elle est associée à un ou plusieurs\",\"goff7V\":\"Adresse zéro non-valide\",\"gp+f1B\":\"Variante 3\",\"gr8mYw\":\"Vous pouvez emprunter jusqu’à GHO à <0/> <1/> (rabais maximum)\",\"gvTM4B\":\"L'APY net est l'effet combiné de toutes les positions d'offre et d'emprunt sur la valeur nette, y compris les incitations. Il est possible d'avoir un APY net négatif si l'APY de la dette est supérieur à l'APY de l'offre.\",\"gzcch9\":\"Frais de protocole de pont invalide\",\"h33MxW\":\"Representing smart contract wallet (ie. Safe) addresses on other chains.\",\"h3ilK+\":\". .CSV\",\"hB23LY\":\"Activer le temps de recharge\",\"hIJzBh\":\"Available to Claim\",\"hIS4N0\":\"APY Net\",\"hRWvpI\":\"Revendiqué\",\"hdmy/o\":\"Le % de votre pouvoir d'emprunt total utilisé. Ceci est basé sur le montant de votre garantie fournie et le montant total que vous pouvez emprunter.\",\"hehnjM\":\"Montant\",\"hjDCQr\":\"Il y a eu une erreur. Veuillez essayer de modifier les paramètres ou <0><1>copier l'erreur\",\"hom7qf\":\"Réclamer\",\"hpHJ4I\":\"Garantie liquidée\",\"hpuVIp\":\"Users who stake AAVE in Safety Module (i.e. stkAAVE holders) receive a discount on GHO borrow interest rate.\",\"huQ6Tz\":[\"Emprunter \",[\"symbole\"]],\"hxi7vE\":\"Emprunter le solde\",\"i2JTiw\":\"Vous pouvez saisir un montant personnalisé dans le champ.\",\"iB5+/J\":\"À propos de GHO\",\"iChbOF\":\"Paramètres de prêt flash incohérents\",\"iEPVHF\":\"Pas assez de pouvoir de vote pour participer à cette proposition\",\"iEW87X\":\"Délégation de pouvoirs\",\"iEju36\":[\"Vous avez voté \",[\"0\"]],\"iFq2YN\":\"Borrowable\",\"iGxyIA\":\"Safety Module\",\"iMVZk9\":\"Sélectionner la tolérance de glissement\",\"iPMIoT\":\"Entrez un montant\",\"iSLIjg\":\"Connect\",\"iUo5rv\":\"tokens n'est pas la même chose que de les staker . Si vous souhaitez staker votre\",\"iZxa38\":\"Utilisez-le pour voter pour ou contre les propositions actives.\",\"if5PH+\":\"Informations sur le collectionneur\",\"igkfR1\":[\"En mode Isolation, vous ne pouvez pas fournir d’autres actifs en garantie. Un plafond d’endettement global limite le pouvoir d’emprunt de l’actif isolé. Pour quitter le mode d’isolement, désactivez \",[\"0\"],\" en garantie avant d’emprunter un autre actif. Pour en savoir plus, consultez notre <0>FAQ\"],\"il0sEG\":\"L'utilisation du collatéral est limitée en raison du mode d'isolation.\",\"j+K1Xj\":\"Amount After Fee\",\"jA2QeW\":\"Fournir votre\",\"jFi7dz\":\"Interest rate that is determined by Aave Governance. This rate may be changed over time depending on the need for the GHO supply to contract/expand. <0>Learn more\",\"jG3UJ7\":\"Désactiver le E-mode\",\"jKYzR1\":\"Activer le E-Mode\",\"jMam5g\":[[\"0\"],\" Balance\"],\"jSYv+Z\":\"Enabling E-Mode allows you to maximize your borrowing power, however, borrowing is restricted to assets within the selected category. <0>Learn more about how it works and the applied restrictions.\",\"jaKbwW\":[[\"s\"],\"s\"],\"jbFMap\":\"Temps de recharge restant\",\"jeMZNr\":[[\"0\"],\" Le service de rampe d’accès est fourni par le fournisseur externe et, en le sélectionnant, vous acceptez les conditions du fournisseur. Votre accès au service peut dépendre de l’opérationnalité du fournisseur externe.\"],\"jfl9OP\":\"Migré\",\"jmXdoY\":\"En E-Mode, certains actifs ne sont pas empruntables. Quittez le E-mode pour accéder à tous les actifs\",\"jpctdh\":\"Vue\",\"jqzUyM\":\"Non disponible\",\"k/sb6z\":\"Choisir la langue\",\"k3wP3f\":\"<0>Attention: Les changements de paramètres via la gouvernance peuvent modifier le facteur de santé de votre compte et le risque de liquidation. Suivez le <1>forum de gouvernance d’Aave pour les mises à jour.\",\"kACpF3\":[\"Réclamer \",[\"0\"]],\"kH6wUX\":\"Impact sur les prix\",\"kIC28N\":\"Available to claim\",\"kIpSye\":[[\"numSelected\"],\"/\",[\"numAvailable\"],\" Actifs sélectionnés\"],\"kN1Yg5\":\"Pour rembourser au nom d'un utilisateur, un montant explicite à rembourser est nécessaire\",\"kRTD40\":[\"Montant de remboursement à atteindre \",[\"0\"],\"% d’utilisation\"],\"kjN9tT\":\"Le plafond d'approvisionnement est dépassé\",\"knxE+G\":\". JSON (en anglais seulement)\",\"ks2LWT\":\"Le plafond de la dette n'est pas nul\",\"kwwn6i\":\"Les utilisateurs qui misent des AAVE dans le module de sécurité (c’est-à-dire les détenteurs de stkAAVE) bénéficient d’une réduction sur le taux d’intérêt d’emprunt de HO. La réduction s’applique à 100 GHO pour chaque 1 stkAAVE détenu. Utilisez le calculateur ci-dessous pour voir le taux d’emprunt GHO avec le rabais appliqué.\",\"kz3wtK\":\"and about SPK program\",\"kzZyM4\":\"DAI balance will be converted via DSR contracts and then supplied as sDAI. Switching incurs no additional costs and no slippage.\",\"lNVG7i\":\"Sélectionner une ressource\",\"lU2d1/\":[\"L’actif ne peut pas être migré en raison d’une liquidité insuffisante ou d’une limitation du plafond d’emprunt \",[\"marketName\"],\" v3 marché.\"],\"lVhKKI\":\"A voté YAE\",\"lWLqxB\":\"Nous n’avons trouvé aucune transaction liée à votre recherche. Réessayez avec un autre nom de ressource ou réinitialisez les filtres.\",\"lYGfRP\":\"Anglais\",\"lfEjIE\":\"En savoir plus dans notre <0>guide FAQ\",\"lt6bpt\":\"Garantie à rembourser\",\"m/IEhi\":\"Émission totale par jour\",\"m7r7Hh\":\"Sélection d’actifs d’emprunt\",\"mDDK4p\":\"Balancer Pool\",\"mIM0qu\":\"Montant prévu à rembourser\",\"mUAFd6\":\"Variante 2\",\"masO5Z\":\"E-Mode increases your LTV for a selected category of assets. <0>Learn more\",\"mdNjKU\":[\"Votre \",[\"name\"],\" Le portefeuille est vide. Acheter ou transférer des actifs ou utiliser <0>\",[\"0\"],\" pour transférer votre \",[\"network\"],\" actif.\"],\"muiOng\":[\"Acheter \",[\"cryptoSymbol\"],\" avec Fiat\"],\"mvCXBY\":\"Mise en jeu AAVE\",\"mwdzil\":\"D'accord, fermer\",\"mzI/c+\":\"Télécharger\",\"mzdIia\":\"L'actif ne peut pas être utilisé comme collatéral.\",\"n+SX4g\":\"Développeurs\",\"n8Psk4\":\"Nous n’avons pas pu détecter de portefeuille. Connectez un portefeuille pour staker et consulter votre solde.\",\"nJIhzm\":\"Fournir apy\",\"nJgsQu\":\"Avec un pouvoir de vote de <0/>\",\"nLC6tu\":\"Français\",\"nN2T8p\":\"During the cooldown period, you will not earn any merit rewards. However, rewards earned up to this point will remain unaffected.\",\"nNHV0z\":\"La migration simultanée de plusieurs garanties et d’actifs empruntés peut s’avérer coûteuse et peut échouer dans certaines situations. <0>Par conséquent, il n’est pas recommandé de migrer des positions avec plus de 5 actifs (déposés + empruntés) en même temps.\",\"nNbnzu\":\"Proposition\",\"nOy4ob\":\"Nous vous suggérons de revenir au tableau de bord.\",\"nPGNMh\":\"Peut être exécuté\",\"nUK1ou\":[\"Assets with zero LTV (\",[\"0\"],\") must be withdrawn or disabled as collateral to perform this action\"],\"nakd8r\":\"Les détenteurs de stkAAVE bénéficient d’une réduction sur le taux d’emprunt GHO\",\"nh2EJK\":[\"Veuillez passer à \",[\"networkName\"],\".\"],\"njBeMm\":\"Les deux\",\"noN5Xf\":\"We couldn’t detect a wallet. Connect a wallet to view your staking positions and rewards.\",\"ntkAoE\":\"Remise appliquée pour <0/> le staking d’AAVE\",\"ntyFSE\":[[\"h\"],\"h\"],\"nwtY4N\":\"Quelque chose s’est mal passé\",\"nxyWvj\":\"Le retrait de ce montant réduira votre facteur santé et augmentera le risque de liquidation.\",\"o17QVP\":\"Votre facteur de santé et votre prêt à la valeur déterminent l'assurance de votre collatéral. Pour éviter les liquidations, vous pouvez fournir plus de garanties ou rembourser les positions d'emprunt.\",\"o1xc2V\":\"L'approvisionnement en aTokens n'est pas nul\",\"o4tCu3\":\"Emprunter de l’APY\",\"o5ooMr\":\"Dette\",\"o7J4JM\":\"Filtrer\",\"oHFrpj\":\"Temps de recharge pour déstaker\",\"oJ5ZiG\":\"L'utilisateur n'a pas de dette à taux variable impayée sur cette réserve\",\"oRBGin\":\"Veuillez connecter votre portefeuille pour pouvoir échanger vos jetons.\",\"oUwXhx\":\"Ressources de test\",\"oWklJD\":\"Le taux d'intérêt stable <0>restera le même pendant toute la durée de votre prêt. Recommandé pour les périodes de prêt à long terme et pour les utilisateurs qui préfèrent la prévisibilité.\",\"odnIK3\":\"Time remaining until the 48 hour withdraw period starts.\",\"oiK5nY\":\"The current incentives period, decided on by the Aave community, has ended. Governance is in the process on renewing, check for updates. <0>Learn more.\",\"olREoo\":\"All borrow positions outside of this category must be closed to enable this category.\",\"om/XHs\":\"Disponible au dépôt\",\"ov0+mq\":\"Eligible for the ZKSync Ignite program.\",\"ovT1pF\":[\"Per the community, the \",[\"market\"],\" has been frozen.\"],\"ow3fug\":\"Rien n’a été trouvé\",\"owSsI3\":\"Signatures prêtes\",\"p+R52m\":\"Accéder à Balancer Pool\",\"p2A+s1\":[\"La période de recharge est de \",[\"0\"],\". Après \",[\"1\"],\" de temps de recharge, vous entrerez dans la fenêtre de désengagement de \",[\"2\"],\". Vous continuerez à recevoir des récompenses pendant le temps de recharge et la fenêtre de retrait.\"],\"p2S64u\":\"Le ratio prêt/valeur des positions migrées entraînerait la liquidation. Augmenter les garanties migrées ou réduire les emprunts migrés pour continuer.\",\"p2Z2Qi\":\"Cet actif a atteint son plafond d'emprunt. Rien n'est disponible pour être emprunté à ce marché.\",\"p3j+mb\":\"Votre solde de récompenses est de 0\",\"p45alK\":\"Configurer la délégation\",\"p6u2s1\":\"Minimum amount of debt to be repaid\",\"pDgeaz\":[[\"title\"]],\"pdZqBk\":\"Le solde sous-jacent doit être supérieur à 0\",\"pgWG9H\":\"Pas assez de solde staké\",\"piPrJ7\":\"veuillez vérifier que le montant que vous souhaitez fournir n'est pas actuellement utilisé pour le staking. S'il est utilisé pour le staking, votre transaction peut échouer.\",\"pjO/iH\":\"Minimum amount received\",\"pooutM\":\"Voting is on\",\"pqaM5s\":\"Confirming transaction\",\"ptaxX3\":[\"Je comprends comment fonctionnent le temps de recharge (\",[\"0\"],\") et le retrait (\",[\"1\"],\")\"],\"py2iiY\":\"L'appelant de cette fonction doit être un pool\",\"q/51mF\":\"Migrer vers la V3\",\"q3df11\":\"Stratégie de taux d’intérêt\",\"q6lAbz\":\"Staké\",\"qB4kPi\":\"Fournir APY\",\"qENI8q\":\"Paramètres globaux\",\"qGz5zl\":\"Solde de garantie après remboursement\",\"qOqbD6\":\"copier l'erreur\",\"qXCkEM\":\"Veuillez connecter votre portefeuille pour voir vos fournitures, vos emprunts et vos positions ouvertes.\",\"qY2jnw\":\"Expiration invalide\",\"qf/fr+\":\"Intérêts courus\",\"quYPUU\":\"Variable interest rate will <0>fluctuate based on the market conditions.\",\"quzIeW\":\"User is in isolation mode or LTV is zero\",\"qvnz3q\":\"Montant non valide à brûler\",\"rHgdb0\":\"Migrate to Aave V3\",\"rOrHHe\":\"Le montant doit être supérieur à 0\",\"rQ+R+0\":\"Sélection d’actifs d’approvisionnement\",\"rSayea\":\"APY\",\"rTBDeu\":[\"L’actif ne peut pas être migré car vous disposez d’une garantie isolée dans \",[\"marketName\"],\" v3 Marché qui limite les actifs empruntables. Vous pouvez gérer vos garanties dans <0>\",[\"marketName\"],\" Tableau de bord V3\"],\"rcT+yy\":\"Afficher les actifs avec 0 solde\",\"rf8POi\":\"Montant de l’actif emprunté\",\"riNWOA\":\"E-Mode\",\"rjGI/Q\":\"Vie privée\",\"rnKPW1\":\"Watch a wallet balance in read-only mode\",\"ruc7X+\":\"Ajoutez stkAAVE pour voir l’APY d’emprunt avec la remise\",\"rvbaFU\":[\"Bridging \",[\"symbol\"]],\"rwVVB7\":\"Réclamez toutes les récompenses\",\"rwyUva\":\"Ces actifs sont temporairement gelés ou suspendus par des décisions de la communauté Aave, ce qui signifie qu’il n’est pas possible d’obtenir / emprunter ou d’échanger des taux de ces actifs. Les retraits et les remboursements de dettes sont autorisés. Suivez le <0>forum de gouvernance d’Aave pour d’autres mises à jour.\",\"rxJW5W\":\"Votre pouvoir de proposition est basé sur votre solde AAVE/stkAAVE et les délégations reçues.\",\"s2jJnW\":\"You don't have any bridge transactions\",\"s5wBAq\":[\"Unstake \",[\"symbol\"]],\"sJbIdI\":\"Enter ETH address or ENS\",\"sK+Nag\":\"Réviser tx\",\"sP2+gB\":\"NON\",\"sQv06Y\":\"pour\",\"sTtO6J\":\"Confirm transaction\",\"sXKb3l\":\"Exchange rate\",\"sb0q4+\":\"Vous unstaké ici\",\"smJNwH\":\"Disponible à emprunter\",\"solypO\":\"Le facteur de santé n'est pas inférieur au seuil\",\"sr0UJD\":\"Retourner\",\"ss5GCK\":\"L'adresse du fournisseur d'adresses du pool n'est pas valide\",\"swEgK4\":\"Vos informations de vote\",\"t+wtgf\":\"Aucun emprunt pour l'instant\",\"t/YqKh\":\"Remove\",\"t81DpC\":[\"Approuver \",[\"symbol\"],\" pour continuer\"],\"tCnbEs\":\"Prix Oracle\",\"tFZLf8\":\"Ce calcul de gaz n'est qu'une estimation. Votre portefeuille fixera le prix de la transaction. Vous pouvez modifier les paramètres de gaz directement depuis votre fournisseur de portefeuille.\",\"tHuvQI\":\"Accéder au tableau de bord V3\",\"tKv7cI\":\"Changer de position d’emprunt\",\"tOcg3N\":\"Étant donné que cet actif est gelé, les seules actions disponibles sont le retrait et le remboursement, accessibles depuis le <0>tableau de bord\",\"tOuXfv\":[\"Emprunter le montant à atteindre \",[\"0\"],\"% d’utilisation\"],\"te9Bfl\":\"S'il vous plaît, connectez votre portefeuille\",\"tt5yma\":\"Vos ressources\",\"ttoh5c\":\"Passer à\",\"u3ZeYl\":\"La transaction a échoué\",\"u706uF\":\"Prime flash non valide\",\"u8Gfu7\":[\"Aucun résultat de recherche\",[\"0\"]],\"uAQUqI\":\"Status\",\"uHMwk8\":\"Aucune ressource n’a été sélectionnée pour la migration.\",\"uJPHuY\":\"Migration\",\"uY8O30\":\"Pour continuer, vous devez autoriser les contrats intelligents Aave à déplacer vos fonds depuis votre portefeuille. En fonction de l’actif et du portefeuille que vous utilisez, cela se fait en signant le message d’autorisation (sans gaz) ou en soumettant une transaction d’approbation (nécessite du gaz). <0>Pour en savoir plus\",\"udFheE\":\"For repayment of a specific type of debt, the user needs to have debt that type\",\"ulNuNq\":\"Exporter des données vers\",\"ulup2p\":\"Acheter des crypto-monnaies avec des monnaies fiduciaires\",\"umICAY\":\"<0><1><2/>Ajoutez stkAAVE pour voir le taux d’emprunt avec escompte\",\"usB84Z\":\"Le montant maximum disponible pour emprunter est limité car le plafond d’emprunt du protocole est presque atteint.\",\"uwAUvj\":\"COPIER L’IMAGE\",\"v8x7Mg\":\"Garantie insuffisante pour couvrir une nouvelle position d’emprunt. Le portefeuille doit avoir une capacité d’emprunt restante pour effectuer le transfert de dette.\",\"vEqxH9\":\"Restauré\",\"vLyv1R\":\"Cacher\",\"vMba49\":\"L'emprunt n'est pas activé\",\"vMpNwt\":\"Approuvez avec\",\"vXIe7J\":\"Language\",\"vesuBJ\":\"Vous permet de décider si vous souhaitez utiliser un actif fourni en tant que collatéral. Un actif utilisé comme collatéral affectera votre pouvoir d'emprunt et votre Health Factor.\",\"w+V9Cx\":\"Stablecoin\",\"w/JtJ3\":\"L'offre de dette stable n'est pas nulle\",\"w4VBY+\":\"Récompenses APR\",\"w9dLMW\":[[\"label\"]],\"wAOL+X\":[\"Vous \",[\"action\"],\" <0/> \",[\"symbole\"]],\"wBIsjb\":\"Canal Discord\",\"wQZbc/\":\"L'appelant de la fonction n'est pas un AToken\",\"wRRqvW\":\"Vous n'avez pas de fournitures dans cette devise\",\"wZFvVU\":\"VOTER OUI\",\"wb/r1O\":[\"Faucet \",[\"0\"]],\"wdxz7K\":\"Source\",\"weH1nG\":\"Le protocole Aave est programmé pour toujours utiliser le prix de 1 GHO = 1 $. C’est différent de l’utilisation des prix du marché via des oracles pour d’autres actifs cryptographiques. Cela crée des opportunités d’arbitrage stabilisatrices lorsque le prix du GHO fluctue.\",\"wh7Ezv\":\"You have no AAVE/stkAAVE/aAave balance to delegate.\",\"wlsIx7\":\"Avec testnet Faucet, vous pouvez obtenir des ressources gratuites pour tester le protocole Aave. Assurez-vous de changer votre fournisseur de portefeuille pour le réseau de test approprié, sélectionnez l’actif souhaité et cliquez sur «\xA0Faucet\xA0» pour obtenir des jetons transférés vers votre portefeuille. Les actifs d’un réseau de test ne sont pas « réels », ce qui signifie qu’ils n’ont aucune valeur monétaire. <0>Pour en savoir plus\",\"wmE285\":\"Get ABP v2 Token\",\"wyRrcJ\":\"As a result of governance decisions, this ABPT staking pool is now deprecated. You have the flexibility to either migrate all of your tokens to v2 or unstake them without any cooldown period.\",\"x5KiLL\":\"Les ressources sélectionnées ont été migrées avec succès. Rendez-vous sur le tableau de bord du marché pour les voir.\",\"x7F2p6\":\"Différentiel de courant\",\"x7K5ib\":[\"Votre \",[\"networkName\"],\" Le portefeuille est vide. Obtenir un test gratuit \",[\"0\"],\" à\"],\"x9iLRD\":\"tokens, veuillez vous rendre sur\",\"xNy/UG\":\"Rembourser avec\",\"xPm8wv\":\"En savoir plus sur les risques encourus\",\"xXYpZl\":[[\"0\"],\" Faucet\"],\"xaVBSS\":\"Vos informations\",\"xaWZ6f\":\"Changement de type APY\",\"xh6k71\":\"L’utilisation des garanties est limitée en raison du mode d’isolation.\",\"xvIklc\":\"Flashloan est désactivé pour cet actif, cette position ne peut donc pas être migrée.\",\"y5rS9U\":\"Émigrer\",\"y66tBm\":[\"Activer \",[\"symbol\"],\" comme collatéral\"],\"yB1YpA\":\"Mode Sombre\",\"yCrG6m\":\"Taille totale du marché\",\"yJUUbn\":\"Aperçu des transactions\",\"yLGmLX\":[\"Remise en jeu \",[\"symbol\"]],\"yW1oWB\":\"APY type\",\"yYHqJe\":\"Pas une adresse valide\",\"yZwLw6\":\"Suivre le portefeuille\",\"yh2sjd\":[\"Impact sur les prix \",[\"0\"],\"%\"],\"yhvj6d\":\"Vous ne pouvez pas changer d'utilisation en tant que mode de garantie pour cette devise, car cela entraînera un appel de garantie\",\"ylmtBZ\":\"The app is running in fork mode.\",\"ymNY32\":[\"Il n'y a pas assez de fonds dans la \",[\"0\"],\" réserve pour emprunter\"],\"yz7wBu\":\"Fermer\",\"z4uGQg\":\"Le plafond de la dette est dépassé\",\"z5UQOM\":\"La garantie choisie ne peut être liquidée\",\"z5Y+p6\":[\"Fournir \",[\"symbole\"]],\"zCjNKs\":\"L'action ne peut pas être effectuée car la réserve est gelée\",\"zRHytX\":\"Plafond de la dette isolée\",\"zTOjMP\":\"La limite d’approvisionnement du protocole est de 100 % pour cet actif. D’autres approvisionnements ne sont pas disponibles.\",\"zVdRUG\":\"Submission did not work, please try again later or contact wecare@avara.xyz\",\"zevmS2\":\"<0><1><2/>Ajoutez <3/> stkAAVE pour emprunter à <4/> (remise maximale)\",\"zgtIDV\":\"Dette restante\",\"zmTPiV\":\"Bilan d'approvisionnement\",\"zpPbZl\":\"Paramètres du risque de liquidation\",\"zucql+\":\"Menu\",\"zwWKhA\":\"Apprendre encore plus\",\"zy9fXn\":[\"L’actif est gelé \",[\"marketName\"],\" v3, donc cette position ne peut pas être migrée.\"],\"zys+R6\":\"Faites attention à la congestion du réseau et aux prix de l’essence.\",\"zzzTXS\":\"Merit Program rewards are claimed through the\"}")}; \ No newline at end of file diff --git a/src/modules/umbrella/StakeAssets/UmbrellaAssetsListItem.tsx b/src/modules/umbrella/StakeAssets/UmbrellaAssetsListItem.tsx index effa389a4a..d7e8dde114 100644 --- a/src/modules/umbrella/StakeAssets/UmbrellaAssetsListItem.tsx +++ b/src/modules/umbrella/StakeAssets/UmbrellaAssetsListItem.tsx @@ -1,12 +1,10 @@ import { Trans } from '@lingui/macro'; import { Box, Button, Typography } from '@mui/material'; - import { MergedStakeData } from 'src/hooks/stake/useUmbrellaSummary'; import { useModalContext } from 'src/hooks/useModal'; import { ListColumn } from '../../../components/lists/ListColumn'; import { ListItem } from '../../../components/lists/ListItem'; - import { TokenIcon } from '../../../components/primitives/TokenIcon'; export const UmbrellaAssetsListItem = ({ ...reserve }: MergedStakeData) => { @@ -71,9 +69,8 @@ export const UmbrellaAssetsListItem = ({ ...reserve }: MergedStakeData) => { // // } // //) // } - onClick={(e) => { + onClick={() => { // e.preventDefault(); - console.log('fo'); openUmbrella(reserve.stakeToken, reserve.symbol); }} diff --git a/src/modules/umbrella/StakeAssets/UmbrellaAssetsListMobileItem.tsx b/src/modules/umbrella/StakeAssets/UmbrellaAssetsListMobileItem.tsx index 1ef90a5b75..d2d6915578 100644 --- a/src/modules/umbrella/StakeAssets/UmbrellaAssetsListMobileItem.tsx +++ b/src/modules/umbrella/StakeAssets/UmbrellaAssetsListMobileItem.tsx @@ -1,17 +1,15 @@ import { Trans } from '@lingui/macro'; import { Box, Button } from '@mui/material'; - import { MergedStakeData } from 'src/hooks/stake/useUmbrellaSummary'; import { useModalContext } from 'src/hooks/useModal'; import { useRootStore } from 'src/store/root'; - import { useShallow } from 'zustand/shallow'; import { Row } from '../../../components/primitives/Row'; import { ListMobileItemWrapper } from '../../dashboard/lists/ListMobileItemWrapper'; -import { StakingApyItem } from '../StakingApyItem'; -import { AvailableToStakeItem } from '../AvailableToStakeItem'; import { AvailableToClaimItem } from '../AvailableToClaimItem'; +import { AvailableToStakeItem } from '../AvailableToStakeItem'; +import { StakingApyItem } from '../StakingApyItem'; export const UmbrellaAssetsListMobileItem = ({ ...umbrellaStakeAsset }: MergedStakeData) => { const [currentMarket] = useRootStore(useShallow((store) => [store.currentMarket])); diff --git a/src/modules/umbrella/StakeAssets/UmbrellaStakeAssetsListItem.tsx b/src/modules/umbrella/StakeAssets/UmbrellaStakeAssetsListItem.tsx index 949c413dc6..e53e38d527 100644 --- a/src/modules/umbrella/StakeAssets/UmbrellaStakeAssetsListItem.tsx +++ b/src/modules/umbrella/StakeAssets/UmbrellaStakeAssetsListItem.tsx @@ -1,21 +1,18 @@ import { Trans } from '@lingui/macro'; import { Box, Button, Typography } from '@mui/material'; // import { useRouter } from 'next/router'; - import { MergedStakeData } from 'src/hooks/stake/useUmbrellaSummary'; import { useModalContext } from 'src/hooks/useModal'; -import { useRewardsApy } from 'src/modules/umbrella/hooks/useStakeData'; -// import { useRootStore } from 'src/store/root'; +// import { useRewardsApy } from 'src/modules/umbrella/hooks/useStakeData'; +// import { useRootStore } from 'src/store/root'; // import { useShallow } from 'zustand/shallow'; - import { ListColumn } from '../../../components/lists/ListColumn'; import { ListItem } from '../../../components/lists/ListItem'; - import { TokenIcon } from '../../../components/primitives/TokenIcon'; -import { StakingApyItem } from '../StakingApyItem'; -import { AvailableToStakeItem } from '../AvailableToStakeItem'; import { AvailableToClaimItem } from '../AvailableToClaimItem'; +import { AvailableToStakeItem } from '../AvailableToStakeItem'; +import { StakingApyItem } from '../StakingApyItem'; export const UmbrellaStakeAssetsListItem = ({ ...umbrellaStakeAsset }: MergedStakeData) => { // const [trackEvent, currentMarket] = useRootStore( diff --git a/src/modules/umbrella/UmbrellaActions.tsx b/src/modules/umbrella/UmbrellaActions.tsx index 706afddb1a..b1668b561f 100644 --- a/src/modules/umbrella/UmbrellaActions.tsx +++ b/src/modules/umbrella/UmbrellaActions.tsx @@ -1,6 +1,6 @@ import { Trans } from '@lingui/macro'; import { BoxProps } from '@mui/material'; -import { formatUnits, parseUnits } from 'ethers/lib/utils'; +import { parseUnits } from 'ethers/lib/utils'; import { TxActionsWrapper } from 'src/components/transactions/TxActionsWrapper'; import { checkRequiresApproval } from 'src/components/transactions/utils'; import { MergedStakeData } from 'src/hooks/stake/useUmbrellaSummary'; @@ -39,9 +39,7 @@ export const UmbrellaActions = ({ stakeData, ...props }: StakeActionProps) => { - const [estimateGasLimit, tryPermit] = useRootStore( - useShallow((state) => [state.estimateGasLimit, state.tryPermit]) - ); + const [estimateGasLimit] = useRootStore(useShallow((state) => [state.estimateGasLimit])); const currentChainId = useRootStore((store) => store.currentChainId); const user = useRootStore((store) => store.account); @@ -50,10 +48,10 @@ export const UmbrellaActions = ({ approvalTxState, mainTxState, loadingTxns, - setLoadingTxns, - setApprovalTxState, + // setLoadingTxns, + // setApprovalTxState, setMainTxState, - setGasLimit, + // setGasLimit, setTxError, } = useModalContext(); diff --git a/src/modules/umbrella/UmbrellaMarketSwitcher.tsx b/src/modules/umbrella/UmbrellaMarketSwitcher.tsx index dab29f6702..c67d1332eb 100644 --- a/src/modules/umbrella/UmbrellaMarketSwitcher.tsx +++ b/src/modules/umbrella/UmbrellaMarketSwitcher.tsx @@ -13,8 +13,6 @@ import { useTheme, } from '@mui/material'; import React, { useState } from 'react'; -import StyledToggleButton from 'src/components/StyledToggleButton'; -import StyledToggleButtonGroup from 'src/components/StyledToggleButtonGroup'; import { useRootStore } from 'src/store/root'; import { BaseNetworkConfig } from 'src/ui-config/networksConfig'; import { @@ -115,9 +113,7 @@ enum SelectedMarketVersion { // Style to design specifications export const MarketSwitcher = () => { - const [selectedMarketVersion, setSelectedMarketVersion] = useState( - SelectedMarketVersion.V3 - ); + const [selectedMarketVersion] = useState(SelectedMarketVersion.V3); const theme = useTheme(); const upToLG = useMediaQuery(theme.breakpoints.up('lg')); const downToXSM = useMediaQuery(theme.breakpoints.down('xsm')); diff --git a/src/modules/umbrella/UmbrellaModalContent.tsx b/src/modules/umbrella/UmbrellaModalContent.tsx index c8b02443b4..ebcaffc8be 100644 --- a/src/modules/umbrella/UmbrellaModalContent.tsx +++ b/src/modules/umbrella/UmbrellaModalContent.tsx @@ -1,38 +1,26 @@ -import { ChainId, Stake } from '@aave/contract-helpers'; -import { normalize, valueToBigNumber } from '@aave/math-utils'; +import { ChainId } from '@aave/contract-helpers'; +import { valueToBigNumber } from '@aave/math-utils'; import { Trans } from '@lingui/macro'; import { Typography } from '@mui/material'; -import BigNumber from 'bignumber.js'; import React, { useRef, useState } from 'react'; -import { Asset, AssetInput } from 'src/components/transactions/AssetInput'; +import { AssetInput } from 'src/components/transactions/AssetInput'; import { TxErrorView } from 'src/components/transactions/FlowCommons/Error'; import { GasEstimationError } from 'src/components/transactions/FlowCommons/GasEstimationError'; import { TxSuccessView } from 'src/components/transactions/FlowCommons/Success'; import { DetailsCooldownLine, - DetailsNumberLine, TxModalDetails, } from 'src/components/transactions/FlowCommons/TxModalDetails'; import { TxModalTitle } from 'src/components/transactions/FlowCommons/TxModalTitle'; import { ChangeNetworkWarning } from 'src/components/transactions/Warnings/ChangeNetworkWarning'; import { CooldownWarning } from 'src/components/Warnings/CooldownWarning'; -import { useGeneralStakeUiData } from 'src/hooks/stake/useGeneralStakeUiData'; import { MergedStakeData } from 'src/hooks/stake/useUmbrellaSummary'; -import { useUserStakeUiData } from 'src/hooks/stake/useUserStakeUiData'; import { useIsWrongNetwork } from 'src/hooks/useIsWrongNetwork'; import { useModalContext } from 'src/hooks/useModal'; import { useWeb3Context } from 'src/libs/hooks/useWeb3Context'; import { useRootStore } from 'src/store/root'; -import { stakeAssetNameFormatted, stakeConfig } from 'src/ui-config/stakeConfig'; -import { getNetworkConfig } from 'src/utils/marketsAndNetworksConfig'; import { STAKE } from 'src/utils/mixPanelEvents'; -import { - selectStakeDataByAddress, - selectUserStakeDataByAddress, - useStakeData, - useUserStakeData, -} from './hooks/useStakeData'; import { UmbrellaActions } from './UmbrellaActions'; export type StakeProps = { @@ -126,11 +114,7 @@ export const UmbrellaModalContent = ({ stakeData }: StakeProps) => { } if (txState.success) return ( - Staked} - amount={amountRef.current} - symbol={'test'} - /> + Staked} amount={amountRef.current} symbol={'test'} /> ); return ( diff --git a/src/modules/umbrella/UserStakedAssets/UmbrellaUserAssetsListItemLoader.tsx b/src/modules/umbrella/UserStakedAssets/UmbrellaUserAssetsListItemLoader.tsx index b4c150cd40..5ddb466619 100644 --- a/src/modules/umbrella/UserStakedAssets/UmbrellaUserAssetsListItemLoader.tsx +++ b/src/modules/umbrella/UserStakedAssets/UmbrellaUserAssetsListItemLoader.tsx @@ -1,41 +1,41 @@ -import { Box, Skeleton } from '@mui/material'; - -import { ListColumn } from '../../../components/lists/ListColumn'; -import { ListItem } from '../../../components/lists/ListItem'; - -export const UmbrellaUserAssetsListItemLoader = () => { - return ( - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - ); -}; +// import { Box, Skeleton } from '@mui/material'; + +// import { ListColumn } from '../../../components/lists/ListColumn'; +// import { ListItem } from '../../../components/lists/ListItem'; + +// export const UmbrellaUserAssetsListItemLoader = () => { +// return ( +// +// +// +// +// +// +// + +// +// +// + +// +// +// + +// +// +// + +// +// +// + +// +// +// + +// +// +// +// +// ); +// }; diff --git a/src/modules/umbrella/UserStakedAssets/UmbrellaUserStakeAssetsList.tsx b/src/modules/umbrella/UserStakedAssets/UmbrellaUserStakeAssetsList.tsx index bb7e358a79..5d349910d2 100644 --- a/src/modules/umbrella/UserStakedAssets/UmbrellaUserStakeAssetsList.tsx +++ b/src/modules/umbrella/UserStakedAssets/UmbrellaUserStakeAssetsList.tsx @@ -1,132 +1,132 @@ -import { ChainId } from '@aave/contract-helpers'; -import { Trans } from '@lingui/macro'; -import { useMediaQuery } from '@mui/material'; -import { useMemo, useState } from 'react'; -import { VariableAPYTooltip } from 'src/components/infoTooltips/VariableAPYTooltip'; -import { ListColumn } from 'src/components/lists/ListColumn'; -import { ListHeaderTitle } from 'src/components/lists/ListHeaderTitle'; -import { ListHeaderWrapper } from 'src/components/lists/ListHeaderWrapper'; -import { ComputedReserveData } from 'src/hooks/app-data-provider/useAppDataProvider'; +// import { ChainId } from '@aave/contract-helpers'; +// import { Trans } from '@lingui/macro'; +// import { useMediaQuery } from '@mui/material'; +// import { useMemo, useState } from 'react'; +// import { VariableAPYTooltip } from 'src/components/infoTooltips/VariableAPYTooltip'; +// import { ListColumn } from 'src/components/lists/ListColumn'; +// import { ListHeaderTitle } from 'src/components/lists/ListHeaderTitle'; +// import { ListHeaderWrapper } from 'src/components/lists/ListHeaderWrapper'; +// import { ComputedReserveData } from 'src/hooks/app-data-provider/useAppDataProvider'; -import { UmbrellaAssetsListMobileItem } from './UmbrellaAssetsListMobileItem'; -import { UmbrellaAssetsListMobileItemLoader } from './UmbrellaAssetsListMobileItemLoader'; -// import { UmbrellaStakeAssetsListItem } from './UmbrellaStakeAssetsListItem'; -import { UmbrellaUserAssetsListItemLoader } from './UmbrellaUserAssetsListItemLoader'; -import { UmbrellaUserStakeAssetsListItem } from './UmbrellaUserStakeAssetsListItem'; +// import { UmbrellaAssetsListMobileItem } from './UmbrellaAssetsListMobileItem'; +// import { UmbrellaAssetsListMobileItemLoader } from './UmbrellaAssetsListMobileItemLoader'; +// // import { UmbrellaStakeAssetsListItem } from './UmbrellaStakeAssetsListItem'; +// import { UmbrellaUserAssetsListItemLoader } from './UmbrellaUserAssetsListItemLoader'; +// import { UmbrellaUserStakeAssetsListItem } from './UmbrellaUserStakeAssetsListItem'; -const listHeaders = [ - { - title: Asset, - sortKey: 'symbol', - }, - { - title: APY, - sortKey: 'totalLiquidityUSD', - }, - // { - // title: Max Slashing, - // sortKey: 'supplyAPY', - // }, - { - title: Wallet Balance, - sortKey: 'totalUnderlyingBalance', - }, - // { - // title: ( - // Borrow APY, variable} - // key="APY_list_variable_type" - // variant="subheader2" - // /> - // ), - // sortKey: 'variableBorrowAPY', - // }, -]; +// const listHeaders = [ +// { +// title: Asset, +// sortKey: 'symbol', +// }, +// { +// title: APY, +// sortKey: 'totalLiquidityUSD', +// }, +// // { +// // title: Max Slashing, +// // sortKey: 'supplyAPY', +// // }, +// { +// title: Wallet Balance, +// sortKey: 'totalUnderlyingBalance', +// }, +// // { +// // title: ( +// // Borrow APY, variable} +// // key="APY_list_variable_type" +// // variant="subheader2" +// // /> +// // ), +// // sortKey: 'variableBorrowAPY', +// // }, +// ]; -type MarketAssetsListProps = { - reserves: ComputedReserveData[]; - loading: boolean; -}; +// type MarketAssetsListProps = { +// reserves: ComputedReserveData[]; +// loading: boolean; +// }; -// cast call 0x508b0d26b00bcfa1b1e9783d1194d4a5efe9d19e "rewardsController()("address")" --rpc-url https://virtual.base.rpc.tenderly.co/acca7349-4377-43ab-ba85-84530976e4e0 +// // cast call 0x508b0d26b00bcfa1b1e9783d1194d4a5efe9d19e "rewardsController()("address")" --rpc-url https://virtual.base.rpc.tenderly.co/acca7349-4377-43ab-ba85-84530976e4e0 -export default function MarketAssetsList({ reserves, loading }: MarketAssetsListProps) { - const isTableChangedToCards = useMediaQuery('(max-width:1125px)'); - const [sortName, setSortName] = useState(''); - const [sortDesc, setSortDesc] = useState(false); +// export default function MarketAssetsList({ reserves, loading }: MarketAssetsListProps) { +// const isTableChangedToCards = useMediaQuery('(max-width:1125px)'); +// const [sortName, setSortName] = useState(''); +// const [sortDesc, setSortDesc] = useState(false); - if (sortDesc) { - if (sortName === 'symbol') { - reserves.sort((a, b) => (a.symbol.toUpperCase() < b.symbol.toUpperCase() ? -1 : 1)); - } else { - // eslint-disable-next-line @typescript-eslint/ban-ts-comment - // @ts-ignore - reserves.sort((a, b) => a[sortName] - b[sortName]); - } - } else { - if (sortName === 'symbol') { - reserves.sort((a, b) => (b.symbol.toUpperCase() < a.symbol.toUpperCase() ? -1 : 1)); - } else { - // eslint-disable-next-line @typescript-eslint/ban-ts-comment - // @ts-ignore - reserves.sort((a, b) => b[sortName] - a[sortName]); - } - } +// if (sortDesc) { +// if (sortName === 'symbol') { +// reserves.sort((a, b) => (a.symbol.toUpperCase() < b.symbol.toUpperCase() ? -1 : 1)); +// } else { +// // eslint-disable-next-line @typescript-eslint/ban-ts-comment +// // @ts-ignore +// reserves.sort((a, b) => a[sortName] - b[sortName]); +// } +// } else { +// if (sortName === 'symbol') { +// reserves.sort((a, b) => (b.symbol.toUpperCase() < a.symbol.toUpperCase() ? -1 : 1)); +// } else { +// // eslint-disable-next-line @typescript-eslint/ban-ts-comment +// // @ts-ignore +// reserves.sort((a, b) => b[sortName] - a[sortName]); +// } +// } - // Show loading state when loading - if (loading) { - return isTableChangedToCards ? ( - <> - - - - - ) : ( - <> - - - - - - ); - } +// // Show loading state when loading +// if (loading) { +// return isTableChangedToCards ? ( +// <> +// +// +// +// +// ) : ( +// <> +// +// +// +// +// +// ); +// } - // Hide list when no results, via search term or if a market has all/no frozen/unfrozen assets - if (reserves.length === 0) return null; +// // Hide list when no results, via search term or if a market has all/no frozen/unfrozen assets +// if (reserves.length === 0) return null; - return ( - <> - {!isTableChangedToCards && ( - - {listHeaders.map((col) => ( - - - {col.title} - - - ))} - - - )} +// return ( +// <> +// {!isTableChangedToCards && ( +// +// {listHeaders.map((col) => ( +// +// +// {col.title} +// +// +// ))} +// +// +// )} - {reserves.map((reserve) => - isTableChangedToCards ? ( - - ) : ( - - ) - )} - - ); -} +// {reserves.map((reserve) => +// isTableChangedToCards ? ( +// +// ) : ( +// +// ) +// )} +// +// ); +// } diff --git a/src/modules/umbrella/UserStakedAssets/UmbrellaUserStakeAssetsListContainer.tsx b/src/modules/umbrella/UserStakedAssets/UmbrellaUserStakeAssetsListContainer.tsx index c646f6defd..1309ba0c54 100644 --- a/src/modules/umbrella/UserStakedAssets/UmbrellaUserStakeAssetsListContainer.tsx +++ b/src/modules/umbrella/UserStakedAssets/UmbrellaUserStakeAssetsListContainer.tsx @@ -1,110 +1,110 @@ -import { API_ETH_MOCK_ADDRESS } from '@aave/contract-helpers'; -import { Trans } from '@lingui/macro'; -import { Box, Switch, Typography, useMediaQuery, useTheme } from '@mui/material'; -import { useState } from 'react'; -import { ListWrapper } from 'src/components/lists/ListWrapper'; -import { NoSearchResults } from 'src/components/NoSearchResults'; -import { Link } from 'src/components/primitives/Link'; -import { Warning } from 'src/components/primitives/Warning'; -import { TitleWithSearchBar } from 'src/components/TitleWithSearchBar'; -import { useAppDataContext } from 'src/hooks/app-data-provider/useAppDataProvider'; -import { useRootStore } from 'src/store/root'; -import { fetchIconSymbolAndName } from 'src/ui-config/reservePatches'; -import { getGhoReserve, GHO_MINTING_MARKETS, GHO_SYMBOL } from 'src/utils/ghoUtilities'; -import { useShallow } from 'zustand/shallow'; +// import { API_ETH_MOCK_ADDRESS } from '@aave/contract-helpers'; +// import { Trans } from '@lingui/macro'; +// import { Box, Switch, Typography, useMediaQuery, useTheme } from '@mui/material'; +// import { useState } from 'react'; +// import { ListWrapper } from 'src/components/lists/ListWrapper'; +// import { NoSearchResults } from 'src/components/NoSearchResults'; +// import { Link } from 'src/components/primitives/Link'; +// import { Warning } from 'src/components/primitives/Warning'; +// import { TitleWithSearchBar } from 'src/components/TitleWithSearchBar'; +// import { useAppDataContext } from 'src/hooks/app-data-provider/useAppDataProvider'; +// import { useRootStore } from 'src/store/root'; +// import { fetchIconSymbolAndName } from 'src/ui-config/reservePatches'; +// import { getGhoReserve, GHO_MINTING_MARKETS, GHO_SYMBOL } from 'src/utils/ghoUtilities'; +// import { useShallow } from 'zustand/shallow'; -import { GENERAL } from '../../../utils/mixPanelEvents'; -import UmbrellaAssetsList from './UmbrellaUserStakeAssetsList'; +// import { GENERAL } from '../../../utils/mixPanelEvents'; +// import UmbrellaAssetsList from './UmbrellaUserStakeAssetsList'; -function shouldDisplayGhoBanner(marketTitle: string, searchTerm: string): boolean { - // GHO banner is only displayed on markets where new GHO is mintable (i.e. Ethereum) - // If GHO is listed as a reserve, then it will be displayed in the normal market asset list - if (!GHO_MINTING_MARKETS.includes(marketTitle)) { - return false; - } +// function shouldDisplayGhoBanner(marketTitle: string, searchTerm: string): boolean { +// // GHO banner is only displayed on markets where new GHO is mintable (i.e. Ethereum) +// // If GHO is listed as a reserve, then it will be displayed in the normal market asset list +// if (!GHO_MINTING_MARKETS.includes(marketTitle)) { +// return false; +// } - if (!searchTerm) { - return true; - } +// if (!searchTerm) { +// return true; +// } - const normalizedSearchTerm = searchTerm.toLowerCase().trim(); - return ( - normalizedSearchTerm.length <= 3 && GHO_SYMBOL.toLowerCase().includes(normalizedSearchTerm) - ); -} +// const normalizedSearchTerm = searchTerm.toLowerCase().trim(); +// return ( +// normalizedSearchTerm.length <= 3 && GHO_SYMBOL.toLowerCase().includes(normalizedSearchTerm) +// ); +// } -export const UmbrellaStakedAssetsListContainer = () => { - const { reserves, loading } = useAppDataContext(); - const [trackEvent, currentMarket, currentMarketData, currentNetworkConfig] = useRootStore( - useShallow((store) => [ - store.trackEvent, - store.currentMarket, - store.currentMarketData, - store.currentNetworkConfig, - ]) - ); - const [searchTerm, setSearchTerm] = useState(''); - const { breakpoints } = useTheme(); - const sm = useMediaQuery(breakpoints.down('sm')); +// export const UmbrellaStakedAssetsListContainer = () => { +// const { reserves, loading } = useAppDataContext(); +// const [trackEvent, currentMarket, currentMarketData, currentNetworkConfig] = useRootStore( +// useShallow((store) => [ +// store.trackEvent, +// store.currentMarket, +// store.currentMarketData, +// store.currentNetworkConfig, +// ]) +// ); +// const [searchTerm, setSearchTerm] = useState(''); +// const { breakpoints } = useTheme(); +// const sm = useMediaQuery(breakpoints.down('sm')); - const ghoReserve = getGhoReserve(reserves); - const displayGhoBanner = shouldDisplayGhoBanner(currentMarket, searchTerm); +// const ghoReserve = getGhoReserve(reserves); +// const displayGhoBanner = shouldDisplayGhoBanner(currentMarket, searchTerm); - const filteredData = reserves - // Filter out any non-active reserves - .filter((res) => res.isActive) - // Filter out GHO if the banner is being displayed - .filter((res) => (displayGhoBanner ? res !== ghoReserve : true)) - // filter out any that don't meet search term criteria - .filter((res) => { - if (!searchTerm) return true; - const term = searchTerm.toLowerCase().trim(); - return ( - res.symbol.toLowerCase().includes(term) || - res.name.toLowerCase().includes(term) || - res.underlyingAsset.toLowerCase().includes(term) - ); - }) - // Transform the object for list to consume it - .map((reserve) => ({ - ...reserve, - ...(reserve.isWrappedBaseAsset - ? fetchIconSymbolAndName({ - symbol: currentNetworkConfig.baseAssetSymbol, - underlyingAsset: API_ETH_MOCK_ADDRESS.toLowerCase(), - }) - : {}), - })); +// const filteredData = reserves +// // Filter out any non-active reserves +// .filter((res) => res.isActive) +// // Filter out GHO if the banner is being displayed +// .filter((res) => (displayGhoBanner ? res !== ghoReserve : true)) +// // filter out any that don't meet search term criteria +// .filter((res) => { +// if (!searchTerm) return true; +// const term = searchTerm.toLowerCase().trim(); +// return ( +// res.symbol.toLowerCase().includes(term) || +// res.name.toLowerCase().includes(term) || +// res.underlyingAsset.toLowerCase().includes(term) +// ); +// }) +// // Transform the object for list to consume it +// .map((reserve) => ({ +// ...reserve, +// ...(reserve.isWrappedBaseAsset +// ? fetchIconSymbolAndName({ +// symbol: currentNetworkConfig.baseAssetSymbol, +// underlyingAsset: API_ETH_MOCK_ADDRESS.toLowerCase(), +// }) +// : {}), +// })); - return ( - - Your staked assets - - } - searchPlaceholder={sm ? 'Search asset' : 'Search asset name, symbol, or address'} - /> - } - > - {/* Unfrozen assets list */} - +// return ( +// +// Your staked assets +// +// } +// searchPlaceholder={sm ? 'Search asset' : 'Search asset name, symbol, or address'} +// /> +// } +// > +// {/* Unfrozen assets list */} +// - {/* Show no search results message if nothing hits in either list */} - {!loading && filteredData.length === 0 && !displayGhoBanner && ( - - We couldn't find any assets related to your search. Try again with a different - asset name, symbol, or address. - - } - /> - )} - - ); -}; +// {/* Show no search results message if nothing hits in either list */} +// {!loading && filteredData.length === 0 && !displayGhoBanner && ( +// +// We couldn't find any assets related to your search. Try again with a different +// asset name, symbol, or address. +// +// } +// /> +// )} +// +// ); +// }; diff --git a/src/modules/umbrella/UserStakedAssets/UmbrellaUserStakeAssetsListItem.tsx b/src/modules/umbrella/UserStakedAssets/UmbrellaUserStakeAssetsListItem.tsx index 1ec5985e42..6c4a88f455 100644 --- a/src/modules/umbrella/UserStakedAssets/UmbrellaUserStakeAssetsListItem.tsx +++ b/src/modules/umbrella/UserStakedAssets/UmbrellaUserStakeAssetsListItem.tsx @@ -1,171 +1,171 @@ -import { ProtocolAction } from '@aave/contract-helpers'; -import { Trans } from '@lingui/macro'; -import { Box, Button, Typography } from '@mui/material'; -import { useRouter } from 'next/router'; -import { OffboardingTooltip } from 'src/components/infoTooltips/OffboardingToolTip'; -import { RenFILToolTip } from 'src/components/infoTooltips/RenFILToolTip'; -import { SpkAirdropTooltip } from 'src/components/infoTooltips/SpkAirdropTooltip'; -import { SuperFestTooltip } from 'src/components/infoTooltips/SuperFestTooltip'; -import { IsolatedEnabledBadge } from 'src/components/isolationMode/IsolatedBadge'; -import { NoData } from 'src/components/primitives/NoData'; -import { ReserveSubheader } from 'src/components/ReserveSubheader'; -import { AssetsBeingOffboarded } from 'src/components/Warnings/OffboardingWarning'; -import { useModalContext } from 'src/hooks/useModal'; -import { useRootStore } from 'src/store/root'; -import { MARKETS } from 'src/utils/mixPanelEvents'; -import { showExternalIncentivesTooltip } from 'src/utils/utils'; -import { useShallow } from 'zustand/shallow'; +// import { ProtocolAction } from '@aave/contract-helpers'; +// import { Trans } from '@lingui/macro'; +// import { Box, Button, Typography } from '@mui/material'; +// import { useRouter } from 'next/router'; +// import { OffboardingTooltip } from 'src/components/infoTooltips/OffboardingToolTip'; +// import { RenFILToolTip } from 'src/components/infoTooltips/RenFILToolTip'; +// import { SpkAirdropTooltip } from 'src/components/infoTooltips/SpkAirdropTooltip'; +// import { SuperFestTooltip } from 'src/components/infoTooltips/SuperFestTooltip'; +// import { IsolatedEnabledBadge } from 'src/components/isolationMode/IsolatedBadge'; +// import { NoData } from 'src/components/primitives/NoData'; +// import { ReserveSubheader } from 'src/components/ReserveSubheader'; +// import { AssetsBeingOffboarded } from 'src/components/Warnings/OffboardingWarning'; +// import { useModalContext } from 'src/hooks/useModal'; +// import { useRootStore } from 'src/store/root'; +// import { MARKETS } from 'src/utils/mixPanelEvents'; +// import { showExternalIncentivesTooltip } from 'src/utils/utils'; +// import { useShallow } from 'zustand/shallow'; -import { IncentivesCard } from '../../../components/incentives/IncentivesCard'; -import { AMPLToolTip } from '../../../components/infoTooltips/AMPLToolTip'; -import { ListColumn } from '../../../components/lists/ListColumn'; -import { ListItem } from '../../../components/lists/ListItem'; -import { FormattedNumber } from '../../../components/primitives/FormattedNumber'; -import { Link, ROUTES } from '../../../components/primitives/Link'; -import { TokenIcon } from '../../../components/primitives/TokenIcon'; -import { ComputedReserveData } from '../../../hooks/app-data-provider/useAppDataProvider'; +// import { IncentivesCard } from '../../../components/incentives/IncentivesCard'; +// import { AMPLToolTip } from '../../../components/infoTooltips/AMPLToolTip'; +// import { ListColumn } from '../../../components/lists/ListColumn'; +// import { ListItem } from '../../../components/lists/ListItem'; +// import { FormattedNumber } from '../../../components/primitives/FormattedNumber'; +// import { Link, ROUTES } from '../../../components/primitives/Link'; +// import { TokenIcon } from '../../../components/primitives/TokenIcon'; +// import { ComputedReserveData } from '../../../hooks/app-data-provider/useAppDataProvider'; -export const UmbrellaUserStakeAssetsListItem = ({ ...reserve }: ComputedReserveData) => { - const router = useRouter(); - const [trackEvent, currentMarket] = useRootStore( - useShallow((store) => [store.trackEvent, store.currentMarket]) - ); - const { openUmbrella } = useModalContext(); +// export const UmbrellaUserStakeAssetsListItem = ({ ...reserve }: ComputedReserveData) => { +// const router = useRouter(); +// const [trackEvent, currentMarket] = useRootStore( +// useShallow((store) => [store.trackEvent, store.currentMarket]) +// ); +// const { openUmbrella } = useModalContext(); - const externalIncentivesTooltipsSupplySide = showExternalIncentivesTooltip( - reserve.symbol, - currentMarket, - ProtocolAction.supply - ); - const externalIncentivesTooltipsBorrowSide = showExternalIncentivesTooltip( - reserve.symbol, - currentMarket, - ProtocolAction.borrow - ); +// const externalIncentivesTooltipsSupplySide = showExternalIncentivesTooltip( +// reserve.symbol, +// currentMarket, +// ProtocolAction.supply +// ); +// const externalIncentivesTooltipsBorrowSide = showExternalIncentivesTooltip( +// reserve.symbol, +// currentMarket, +// ProtocolAction.borrow +// ); - return ( - { - // trackEvent(MARKETS.DETAILS_NAVIGATION, { - // type: 'Row', - // assetName: reserve.name, - // asset: reserve.underlyingAsset, - // market: currentMarket, - // }); - // router.push(ROUTES.reserveOverview(reserve.underlyingAsset, currentMarket)); - // }} - sx={{ cursor: 'pointer' }} - button - data-cy={`marketListItemListItem_${reserve.symbol.toUpperCase()}`} - > - - - - - {reserve.name} - +// return ( +// { +// // trackEvent(MARKETS.DETAILS_NAVIGATION, { +// // type: 'Row', +// // assetName: reserve.name, +// // asset: reserve.underlyingAsset, +// // market: currentMarket, +// // }); +// // router.push(ROUTES.reserveOverview(reserve.underlyingAsset, currentMarket)); +// // }} +// sx={{ cursor: 'pointer' }} +// button +// data-cy={`marketListItemListItem_${reserve.symbol.toUpperCase()}`} +// > +// +// +// +// +// {reserve.name} +// - - - {reserve.symbol} - - - - - {/* - - - - */} +// +// +// {reserve.symbol} +// +// +// +// +// {/* +// +// +// +// */} - {/* - - {externalIncentivesTooltipsSupplySide.superFestRewards && } - {externalIncentivesTooltipsSupplySide.spkAirdrop && } - - } - market={currentMarket} - protocolAction={ProtocolAction.supply} - /> - */} +// {/* +// +// {externalIncentivesTooltipsSupplySide.superFestRewards && } +// {externalIncentivesTooltipsSupplySide.spkAirdrop && } +// +// } +// market={currentMarket} +// protocolAction={ProtocolAction.supply} +// /> +// */} - - {reserve.borrowingEnabled || Number(reserve.totalDebt) > 0 ? ( - <> - {' '} - - - ) : ( - - )} - +// +// {reserve.borrowingEnabled || Number(reserve.totalDebt) > 0 ? ( +// <> +// {' '} +// +// +// ) : ( +// +// )} +// - - 0 ? reserve.variableBorrowAPY : '-1'} - incentives={reserve.vIncentivesData || []} - address={reserve.variableDebtTokenAddress} - symbol={reserve.symbol} - variant="main16" - symbolsVariant="secondary16" - tooltip={ - <> - {externalIncentivesTooltipsBorrowSide.superFestRewards && } - {externalIncentivesTooltipsBorrowSide.spkAirdrop && } - - } - market={currentMarket} - protocolAction={ProtocolAction.borrow} - /> - {!reserve.borrowingEnabled && - Number(reserve.totalVariableDebt) > 0 && - !reserve.isFrozen && } - +// +// 0 ? reserve.variableBorrowAPY : '-1'} +// incentives={reserve.vIncentivesData || []} +// address={reserve.variableDebtTokenAddress} +// symbol={reserve.symbol} +// variant="main16" +// symbolsVariant="secondary16" +// tooltip={ +// <> +// {externalIncentivesTooltipsBorrowSide.superFestRewards && } +// {externalIncentivesTooltipsBorrowSide.spkAirdrop && } +// +// } +// market={currentMarket} +// protocolAction={ProtocolAction.borrow} +// /> +// {!reserve.borrowingEnabled && +// Number(reserve.totalVariableDebt) > 0 && +// !reserve.isFrozen && } +// - - {/* TODO: Open Modal for staking */} - - - - ); -}; +// openUmbrella(reserve.name, reserve.symbol); +// }} +// > +// Stake +// +// +// +// ); +// }; diff --git a/src/modules/umbrella/helpers/Helpers.tsx b/src/modules/umbrella/helpers/Helpers.tsx index b9d65bff67..831ffa4015 100644 --- a/src/modules/umbrella/helpers/Helpers.tsx +++ b/src/modules/umbrella/helpers/Helpers.tsx @@ -1,17 +1,17 @@ import { normalize } from '@aave/math-utils'; import { Trans } from '@lingui/macro'; import { Box, Typography } from '@mui/material'; -import { useState } from 'react'; -import { ContentWithTooltip } from 'src/components/ContentWithTooltip'; +// import { useState } from 'react'; +// import { ContentWithTooltip } from 'src/components/ContentWithTooltip'; import { FormattedNumber } from 'src/components/primitives/FormattedNumber'; import { Row } from 'src/components/primitives/Row'; -import { MultiTokenIcon, TokenIcon } from '../../../components/primitives/TokenIcon'; -import { MultiIcon, MultiIconWithTooltip } from './MultiIcon'; +import { TokenIcon } from '../../../components/primitives/TokenIcon'; +import { MultiIconWithTooltip } from './MultiIcon'; export const UmbrellaAssetBreakdown = ({ - market, - rewardedAsset, + // market, + // rewardedAsset, symbol, underlyingTokenBalance, underlyingWaTokenATokenBalance, From 040d0530bdf7683cdd35f912e7d53cd6ea91c9d0 Mon Sep 17 00:00:00 2001 From: Mark Grothe Date: Tue, 21 Jan 2025 11:01:20 -0600 Subject: [PATCH 034/110] feat: action buttons --- src/modules/umbrella/AmountStakedItem.tsx | 21 +++++++++ src/modules/umbrella/AvailableToClaimItem.tsx | 43 +++++++++--------- src/modules/umbrella/AvailableToStakeItem.tsx | 45 +++++++++---------- .../StakeAssets/UmbrellaAssetsList.tsx | 5 ++- .../StakeAssets/UmbrellaAssetsListItem.tsx | 35 +-------------- .../UmbrellaStakeAssetsListItem.tsx | 39 +++------------- 6 files changed, 76 insertions(+), 112 deletions(-) create mode 100644 src/modules/umbrella/AmountStakedItem.tsx diff --git a/src/modules/umbrella/AmountStakedItem.tsx b/src/modules/umbrella/AmountStakedItem.tsx new file mode 100644 index 0000000000..1c2a076bd1 --- /dev/null +++ b/src/modules/umbrella/AmountStakedItem.tsx @@ -0,0 +1,21 @@ +import { Trans } from '@lingui/macro'; +import { Button, Stack } from '@mui/material'; +import { FormattedNumber } from 'src/components/primitives/FormattedNumber'; +import { ReserveSubheader } from 'src/components/ReserveSubheader'; +import { MergedStakeData } from 'src/hooks/stake/useUmbrellaSummary'; + +export const AmountStakedItem = ({ stakeData }: { stakeData: MergedStakeData }) => { + // TODO: need to add the stake token USD value to data provider + const stakeTokenBalance = stakeData.formattedBalances.stakeTokenBalance; + return ( + + + + {stakeTokenBalance !== '0' && ( + + )} + + ); +}; diff --git a/src/modules/umbrella/AvailableToClaimItem.tsx b/src/modules/umbrella/AvailableToClaimItem.tsx index b2c7992d98..b45cf16e49 100644 --- a/src/modules/umbrella/AvailableToClaimItem.tsx +++ b/src/modules/umbrella/AvailableToClaimItem.tsx @@ -1,5 +1,5 @@ import { Trans } from '@lingui/macro'; -import { Box, Stack, Typography } from '@mui/material'; +import { Box, Button, Stack, Typography } from '@mui/material'; import { FormattedNumber } from 'src/components/primitives/FormattedNumber'; import { Row } from 'src/components/primitives/Row'; import { TokenIcon } from 'src/components/primitives/TokenIcon'; @@ -8,21 +8,6 @@ import { MergedStakeData } from 'src/hooks/stake/useUmbrellaSummary'; import { MultiIconWithTooltip } from './helpers/MultiIcon'; export const AvailableToClaimItem = ({ stakeData }: { stakeData: MergedStakeData }) => { - console.log(stakeData); - if (stakeData.formattedRewards.length === 0) { - return ; - } - - if (stakeData.formattedRewards.length === 1) { - const reward = stakeData.formattedRewards[0]; - return ( - - - - - ); - } - const icons = stakeData.formattedRewards.map((reward) => { return { src: reward.rewardTokenSymbol, @@ -35,12 +20,28 @@ export const AvailableToClaimItem = ({ stakeData }: { stakeData: MergedStakeData }, 0); return ( - + - } - /> + {stakeData.formattedRewards.length > 1 && ( + } + /> + )} + {stakeData.formattedRewards.length === 1 && ( + + )} + {totalAvailableToClaim > 0 && ( + + )} ); }; diff --git a/src/modules/umbrella/AvailableToStakeItem.tsx b/src/modules/umbrella/AvailableToStakeItem.tsx index 49f1650783..aa873688db 100644 --- a/src/modules/umbrella/AvailableToStakeItem.tsx +++ b/src/modules/umbrella/AvailableToStakeItem.tsx @@ -1,29 +1,15 @@ -import { normalize } from '@aave/math-utils'; import { Trans } from '@lingui/macro'; -import { Box, Stack, Typography } from '@mui/material'; +import { Box, Button, Stack, Typography } from '@mui/material'; import { FormattedNumber } from 'src/components/primitives/FormattedNumber'; import { Row } from 'src/components/primitives/Row'; import { TokenIcon } from 'src/components/primitives/TokenIcon'; import { MergedStakeData } from 'src/hooks/stake/useUmbrellaSummary'; +import { useModalContext } from 'src/hooks/useModal'; import { MultiIconWithTooltip } from './helpers/MultiIcon'; export const AvailableToStakeItem = ({ stakeData }: { stakeData: MergedStakeData }) => { - if (!stakeData.underlyingIsWaToken) { - return ( - - - - - ); - } + const { openUmbrella } = useModalContext(); const { underlyingWaTokenBalance, underlyingWaTokenATokenBalance, underlyingTokenBalance } = stakeData.formattedBalances; @@ -54,12 +40,25 @@ export const AvailableToStakeItem = ({ stakeData }: { stakeData: MergedStakeData Number(underlyingWaTokenATokenBalance); return ( - - - } - /> + + + {stakeData.underlyingIsWaToken ? ( + } + /> + ) : ( + + )} + ); }; diff --git a/src/modules/umbrella/StakeAssets/UmbrellaAssetsList.tsx b/src/modules/umbrella/StakeAssets/UmbrellaAssetsList.tsx index c4f3fa9598..e8189d9793 100644 --- a/src/modules/umbrella/StakeAssets/UmbrellaAssetsList.tsx +++ b/src/modules/umbrella/StakeAssets/UmbrellaAssetsList.tsx @@ -32,6 +32,10 @@ const listHeaders = [ title: APY, sortKey: 'totalLiquidityUSD', }, + { + title: Amount Staked, + sortKey: 'TODO', + }, // { // title: Max Slashing, // sortKey: 'supplyAPY', @@ -138,7 +142,6 @@ export default function MarketAssetsList({ loading }: MarketAssetsListProps) { ))} - )} diff --git a/src/modules/umbrella/StakeAssets/UmbrellaAssetsListItem.tsx b/src/modules/umbrella/StakeAssets/UmbrellaAssetsListItem.tsx index d7e8dde114..436bee58d2 100644 --- a/src/modules/umbrella/StakeAssets/UmbrellaAssetsListItem.tsx +++ b/src/modules/umbrella/StakeAssets/UmbrellaAssetsListItem.tsx @@ -1,7 +1,5 @@ -import { Trans } from '@lingui/macro'; -import { Box, Button, Typography } from '@mui/material'; +import { Box, Typography } from '@mui/material'; import { MergedStakeData } from 'src/hooks/stake/useUmbrellaSummary'; -import { useModalContext } from 'src/hooks/useModal'; import { ListColumn } from '../../../components/lists/ListColumn'; import { ListItem } from '../../../components/lists/ListItem'; @@ -11,7 +9,6 @@ export const UmbrellaAssetsListItem = ({ ...reserve }: MergedStakeData) => { // const [trackEvent, currentMarket] = useRootStore( // useShallow((store) => [store.trackEvent, store.currentMarket]) // ); - const { openUmbrella } = useModalContext(); return ( { - - - {/* TODO: Open Modal for staking */} - - ); }; diff --git a/src/modules/umbrella/StakeAssets/UmbrellaStakeAssetsListItem.tsx b/src/modules/umbrella/StakeAssets/UmbrellaStakeAssetsListItem.tsx index e53e38d527..eb3e96c287 100644 --- a/src/modules/umbrella/StakeAssets/UmbrellaStakeAssetsListItem.tsx +++ b/src/modules/umbrella/StakeAssets/UmbrellaStakeAssetsListItem.tsx @@ -1,8 +1,6 @@ -import { Trans } from '@lingui/macro'; -import { Box, Button, Typography } from '@mui/material'; +import { Box, Typography } from '@mui/material'; // import { useRouter } from 'next/router'; import { MergedStakeData } from 'src/hooks/stake/useUmbrellaSummary'; -import { useModalContext } from 'src/hooks/useModal'; // import { useRewardsApy } from 'src/modules/umbrella/hooks/useStakeData'; // import { useRootStore } from 'src/store/root'; @@ -10,6 +8,7 @@ import { useModalContext } from 'src/hooks/useModal'; import { ListColumn } from '../../../components/lists/ListColumn'; import { ListItem } from '../../../components/lists/ListItem'; import { TokenIcon } from '../../../components/primitives/TokenIcon'; +import { AmountStakedItem } from '../AmountStakedItem'; import { AvailableToClaimItem } from '../AvailableToClaimItem'; import { AvailableToStakeItem } from '../AvailableToStakeItem'; import { StakingApyItem } from '../StakingApyItem'; @@ -19,8 +18,6 @@ export const UmbrellaStakeAssetsListItem = ({ ...umbrellaStakeAsset }: MergedSta // useShallow((store) => [store.trackEvent, store.currentMarket]) // ); - const { openUmbrella } = useModalContext(); - // const APY = useRewardsApy(umbrellaStakeAsset.rewards); return ( @@ -64,39 +61,15 @@ export const UmbrellaStakeAssetsListItem = ({ ...umbrellaStakeAsset }: MergedSta - + - + - - {/* TODO: Open Modal for staking */} - + + ); From 62003ded60d322fe0d78985beaab50a756bb0e47 Mon Sep 17 00:00:00 2001 From: Mark Grothe Date: Tue, 21 Jan 2025 16:03:58 -0600 Subject: [PATCH 035/110] feat: amount staked, token price --- src/hooks/stake/useUmbrellaSummary.ts | 37 +++++++++++++++---- src/modules/staking/StakingPanel.tsx | 2 +- src/modules/umbrella/AmountStakedItem.tsx | 23 ++++++++---- .../services/StakeDataProviderService.ts | 10 ++--- .../services/types/StakeDataProvider.ts | 15 ++------ .../types/StakeDataProvider__factory.ts | 12 +++--- 6 files changed, 61 insertions(+), 38 deletions(-) diff --git a/src/hooks/stake/useUmbrellaSummary.ts b/src/hooks/stake/useUmbrellaSummary.ts index bf4b05f9d5..ed4dc5b86d 100644 --- a/src/hooks/stake/useUmbrellaSummary.ts +++ b/src/hooks/stake/useUmbrellaSummary.ts @@ -1,4 +1,5 @@ import { normalize } from '@aave/math-utils'; +import { BigNumber } from 'bignumber.js'; import { useStakeData, useUserStakeData } from 'src/modules/umbrella/hooks/useStakeData'; import { StakeData, @@ -12,8 +13,10 @@ import { combineQueries } from '../pool/utils'; interface FormattedBalance { stakeTokenBalance: string; + stakeTokenBalanceUSD: string; stakeTokenRedeemableAmount: string; underlyingTokenBalance: string; + underlyingTokenBalanceUSD: string; underlyingWaTokenBalance: string; underlyingWaTokenATokenBalance: string; } @@ -48,22 +51,40 @@ const formatUmbrellaSummary = (stakeData: StakeData[], userStakeData: StakeUserD } console.log(matchingBalance); + + const stakeTokenBalance = normalize( + matchingBalance.balances.stakeTokenBalance, + stakeItem.underlyingTokenDecimals + ); + + const stakeTokenBalanceUSD = BigNumber(stakeTokenBalance) + .multipliedBy(stakeItem.stakeTokenPrice) + .shiftedBy(-8) + .toString(); + + const underlyingTokenBalance = normalize( + matchingBalance.balances.underlyingTokenBalance, + stakeItem.underlyingTokenDecimals + ); + + // assuming the stake token and underlying have the same price + const underlyingTokenBalanceUSD = BigNumber(underlyingTokenBalance) + .multipliedBy(stakeItem.stakeTokenPrice) + .shiftedBy(-8) + .toString(); + acc.push({ ...stakeItem, balances: matchingBalance.balances, formattedBalances: { - stakeTokenBalance: normalize( - matchingBalance.balances.stakeTokenBalance, - stakeItem.underlyingTokenDecimals - ), + stakeTokenBalance, + stakeTokenBalanceUSD, stakeTokenRedeemableAmount: normalize( matchingBalance.balances.stakeTokenRedeemableAmount, stakeItem.underlyingTokenDecimals ), - underlyingTokenBalance: normalize( - matchingBalance.balances.underlyingTokenBalance, - stakeItem.underlyingTokenDecimals - ), + underlyingTokenBalance, + underlyingTokenBalanceUSD, underlyingWaTokenBalance: normalize( matchingBalance.balances.underlyingWaTokenBalance, stakeItem.underlyingTokenDecimals diff --git a/src/modules/staking/StakingPanel.tsx b/src/modules/staking/StakingPanel.tsx index a5f0b47b45..332421e6d3 100644 --- a/src/modules/staking/StakingPanel.tsx +++ b/src/modules/staking/StakingPanel.tsx @@ -40,7 +40,7 @@ function secondsToDHMS(seconds: number) { return { d, h, m, s }; } -function SecondsToString({ seconds }: { seconds: number }) { +export function SecondsToString({ seconds }: { seconds: number }) { const { d, h, m, s } = secondsToDHMS(seconds); return ( <> diff --git a/src/modules/umbrella/AmountStakedItem.tsx b/src/modules/umbrella/AmountStakedItem.tsx index 1c2a076bd1..1f9b396c9d 100644 --- a/src/modules/umbrella/AmountStakedItem.tsx +++ b/src/modules/umbrella/AmountStakedItem.tsx @@ -1,21 +1,30 @@ import { Trans } from '@lingui/macro'; -import { Button, Stack } from '@mui/material'; +import { Button, Stack, Typography } from '@mui/material'; import { FormattedNumber } from 'src/components/primitives/FormattedNumber'; import { ReserveSubheader } from 'src/components/ReserveSubheader'; import { MergedStakeData } from 'src/hooks/stake/useUmbrellaSummary'; +import { SecondsToString } from '../staking/StakingPanel'; export const AmountStakedItem = ({ stakeData }: { stakeData: MergedStakeData }) => { - // TODO: need to add the stake token USD value to data provider - const stakeTokenBalance = stakeData.formattedBalances.stakeTokenBalance; + const { stakeTokenBalance, stakeTokenBalanceUSD } = stakeData.formattedBalances; + return ( - - {stakeTokenBalance !== '0' && ( - - )} + + + Cooldown period + + + + + + ); }; diff --git a/src/modules/umbrella/services/StakeDataProviderService.ts b/src/modules/umbrella/services/StakeDataProviderService.ts index 0b07740bc1..781373e876 100644 --- a/src/modules/umbrella/services/StakeDataProviderService.ts +++ b/src/modules/umbrella/services/StakeDataProviderService.ts @@ -5,14 +5,15 @@ import { MarketDataType } from 'src/ui-config/marketsConfig'; import { StakeDataStructOutput, StakeUserDataStructOutput } from './types/StakeDataProvider'; import { StakeDataProvider__factory } from './types/StakeDataProvider__factory'; -const STAKE_DATA_PROVIDER = '0x14AA09449fac437b5c0110614be2C08610e38f62'; +const STAKE_DATA_PROVIDER = '0x512c8f87ac4af882ec1edaaf60177af5b8b3cfff'; export interface StakeData { stakeToken: string; stakeTokenName: string; stakeTokenSymbol: string; stakeTokenTotalSupply: string; - cooldownSeconds: string; + stakeTokenPrice: string; + cooldownSeconds: number; unstakeWindowSeconds: string; stakeTokenUnderlying: string; underlyingTokenDecimals: number; @@ -30,7 +31,6 @@ export interface WaTokenData { waTokenAToken: string; waTokenATokenName: string; waTokenATokenSymbol: string; - waTokenPrice: string; } export interface Rewards { @@ -99,9 +99,10 @@ export class StakeDataProviderService { stakeTokenName: stakeData.stakeTokenName, stakeTokenSymbol: stakeData.stakeTokenSymbol, stakeTokenTotalSupply: stakeData.stakeTokenTotalSupply.toString(), - cooldownSeconds: stakeData.cooldownSeconds.toString(), + cooldownSeconds: stakeData.cooldownSeconds.toNumber(), unstakeWindowSeconds: stakeData.unstakeWindowSeconds.toString(), stakeTokenUnderlying: stakeData.stakeTokenUnderlying.toLowerCase(), + stakeTokenPrice: stakeData.stakeTokenPrice.toString(), underlyingTokenDecimals: stakeData.underlyingTokenDecimals, underlyingTokenName: stakeData.underlyingTokenName, underlyingTokenSymbol: stakeData.underlyingTokenSymbol, @@ -113,7 +114,6 @@ export class StakeDataProviderService { waTokenAToken: stakeData.waTokenData.waTokenAToken.toLowerCase(), waTokenATokenName: stakeData.waTokenData.waTokenATokenName, waTokenATokenSymbol: stakeData.waTokenData.waTokenATokenSymbol, - waTokenPrice: stakeData.waTokenData.waTokenPrice.toString(), // 8 decimals }, rewards: stakeData.rewards.map((reward) => ({ rewardAddress: reward.rewardAddress.toLowerCase(), diff --git a/src/modules/umbrella/services/types/StakeDataProvider.ts b/src/modules/umbrella/services/types/StakeDataProvider.ts index 454c165e2e..c154cd3b5b 100644 --- a/src/modules/umbrella/services/types/StakeDataProvider.ts +++ b/src/modules/umbrella/services/types/StakeDataProvider.ts @@ -22,25 +22,15 @@ export type WaTokenDataStruct = { waTokenAToken: string; waTokenATokenName: string; waTokenATokenSymbol: string; - waTokenPrice: BigNumberish; }; -export type WaTokenDataStructOutput = [ - string, - string, - string, - string, - string, - string, - BigNumber -] & { +export type WaTokenDataStructOutput = [string, string, string, string, string, string] & { waTokenUnderlying: string; waTokenUnderlyingName: string; waTokenUnderlyingSymbol: string; waTokenAToken: string; waTokenATokenName: string; waTokenATokenSymbol: string; - waTokenPrice: BigNumber; }; export type RewardStruct = { @@ -86,6 +76,7 @@ export type StakeDataStruct = { stakeTokenTotalSupply: BigNumberish; cooldownSeconds: BigNumberish; unstakeWindowSeconds: BigNumberish; + stakeTokenPrice: BigNumberish; stakeTokenUnderlying: string; underlyingIsWaToken: boolean; waTokenData: WaTokenDataStruct; @@ -102,6 +93,7 @@ export type StakeDataStructOutput = [ BigNumber, BigNumber, BigNumber, + BigNumber, string, boolean, WaTokenDataStructOutput, @@ -116,6 +108,7 @@ export type StakeDataStructOutput = [ stakeTokenTotalSupply: BigNumber; cooldownSeconds: BigNumber; unstakeWindowSeconds: BigNumber; + stakeTokenPrice: BigNumber; stakeTokenUnderlying: string; underlyingIsWaToken: boolean; waTokenData: WaTokenDataStructOutput; diff --git a/src/modules/umbrella/services/types/StakeDataProvider__factory.ts b/src/modules/umbrella/services/types/StakeDataProvider__factory.ts index 629086f908..a8a03b2953 100644 --- a/src/modules/umbrella/services/types/StakeDataProvider__factory.ts +++ b/src/modules/umbrella/services/types/StakeDataProvider__factory.ts @@ -77,6 +77,11 @@ const _abi = [ type: 'uint256', internalType: 'uint256', }, + { + name: 'stakeTokenPrice', + type: 'uint256', + internalType: 'uint256', + }, { name: 'stakeTokenUnderlying', type: 'address', @@ -122,11 +127,6 @@ const _abi = [ type: 'string', internalType: 'string', }, - { - name: 'waTokenPrice', - type: 'uint256', - internalType: 'uint256', - }, ], }, { @@ -328,7 +328,7 @@ const _abi = [ ] as const; const _bytecode = - '0x60e060405234801562000010575f80fd5b506040516200248538038062002485833981016040819052620000339162000069565b6001600160a01b0392831660805290821660a0521660c052620000ba565b6001600160a01b038116811462000066575f80fd5b50565b5f805f606084860312156200007c575f80fd5b8351620000898162000051565b60208501519093506200009c8162000051565b6040850151909250620000af8162000051565b809150509250925092565b60805160a05160c05161236b6200011a5f395f8181605e01528181610201015261090801525f818160a2015281816109fc01528181610b6701528181610ccc0152610d6101525f818160c901528181610125015261082c015261236b5ff3fe608060405234801561000f575f80fd5b5060043610610055575f3560e01c80631494088f146100595780636bb65f531461009d57806384914262146100c4578063a16a09af146100eb578063e9ce34a514610100575b5f80fd5b6100807f000000000000000000000000000000000000000000000000000000000000000081565b6040516001600160a01b0390911681526020015b60405180910390f35b6100807f000000000000000000000000000000000000000000000000000000000000000081565b6100807f000000000000000000000000000000000000000000000000000000000000000081565b6100f3610120565b6040516100949190611c01565b61011361010e366004611d79565b610827565b6040516100949190611e04565b60605f7f00000000000000000000000000000000000000000000000000000000000000006001600160a01b031663de3767766040518163ffffffff1660e01b81526004015f60405180830381865afa15801561017e573d5f803e3d5ffd5b505050506040513d5f823e601f3d908101601f191682016040526101a59190810190611ffc565b90505f815167ffffffffffffffff8111156101c2576101c2611f23565b6040519080825280602002602001820160405280156101fb57816020015b6101e86118fb565b8152602001906001900390816101e05790505b5090505f7f00000000000000000000000000000000000000000000000000000000000000006001600160a01b031663529080176040518163ffffffff1660e01b81526004015f60405180830381865afa15801561025a573d5f803e3d5ffd5b505050506040513d5f823e601f3d908101601f191682016040526102819190810190611ffc565b90505f5b835181101561081e575f8482815181106102a1576102a1612036565b602002602001015190505f8190505f826001600160a01b03166338d52e0f6040518163ffffffff1660e01b8152600401602060405180830381865afa1580156102ec573d5f803e3d5ffd5b505050506040513d601f19601f82011682018060405250810190610310919061204a565b90505f61031d8484610b43565b90505f61032a8388610feb565b9050604051806101a001604052808a888151811061034a5761034a612036565b60200260200101516001600160a01b03168152602001866001600160a01b03166306fdde036040518163ffffffff1660e01b81526004015f60405180830381865afa15801561039b573d5f803e3d5ffd5b505050506040513d5f823e601f3d908101601f191682016040526103c29190810190612065565b8152602001866001600160a01b03166395d89b416040518163ffffffff1660e01b81526004015f60405180830381865afa158015610402573d5f803e3d5ffd5b505050506040513d5f823e601f3d908101601f191682016040526104299190810190612065565b8152602001866001600160a01b03166338d52e0f6040518163ffffffff1660e01b8152600401602060405180830381865afa15801561046a573d5f803e3d5ffd5b505050506040513d601f19601f8201168201806040525081019061048e919061204a565b6001600160a01b03166306fdde036040518163ffffffff1660e01b81526004015f60405180830381865afa1580156104c8573d5f803e3d5ffd5b505050506040513d5f823e601f3d908101601f191682016040526104ef9190810190612065565b8152602001866001600160a01b03166338d52e0f6040518163ffffffff1660e01b8152600401602060405180830381865afa158015610530573d5f803e3d5ffd5b505050506040513d601f19601f82011682018060405250810190610554919061204a565b6001600160a01b03166395d89b416040518163ffffffff1660e01b81526004015f60405180830381865afa15801561058e573d5f803e3d5ffd5b505050506040513d5f823e601f3d908101601f191682016040526105b59190810190612065565b8152602001866001600160a01b03166318160ddd6040518163ffffffff1660e01b8152600401602060405180830381865afa1580156105f6573d5f803e3d5ffd5b505050506040513d601f19601f8201168201806040525081019061061a91906120eb565b8152602001866001600160a01b031663218e4a156040518163ffffffff1660e01b8152600401602060405180830381865afa15801561065b573d5f803e3d5ffd5b505050506040513d601f19601f8201168201806040525081019061067f91906120eb565b8152602001866001600160a01b03166390b9f9e46040518163ffffffff1660e01b8152600401602060405180830381865afa1580156106c0573d5f803e3d5ffd5b505050506040513d601f19601f820116820180604052508101906106e491906120eb565b8152602001846001600160a01b031681526020015f6001600160a01b0316835f01516001600160a01b0316141515158152602001828152602001838152602001866001600160a01b03166338d52e0f6040518163ffffffff1660e01b8152600401602060405180830381865afa158015610760573d5f803e3d5ffd5b505050506040513d601f19601f82011682018060405250810190610784919061204a565b6001600160a01b031663313ce5676040518163ffffffff1660e01b8152600401602060405180830381865afa1580156107bf573d5f803e3d5ffd5b505050506040513d601f19601f820116820180604052508101906107e39190612102565b60ff168152508887815181106107fb576107fb612036565b60200260200101819052505050505050808061081690612136565b915050610285565b50909392505050565b60605f7f00000000000000000000000000000000000000000000000000000000000000006001600160a01b031663de3767766040518163ffffffff1660e01b81526004015f60405180830381865afa158015610885573d5f803e3d5ffd5b505050506040513d5f823e601f3d908101601f191682016040526108ac9190810190611ffc565b90505f815167ffffffffffffffff8111156108c9576108c9611f23565b60405190808252806020026020018201604052801561090257816020015b6108ef611976565b8152602001906001900390816108e75790505b5090505f7f00000000000000000000000000000000000000000000000000000000000000006001600160a01b031663529080176040518163ffffffff1660e01b81526004015f60405180830381865afa158015610961573d5f803e3d5ffd5b505050506040513d5f823e601f3d908101601f191682016040526109889190810190611ffc565b90505f5b8351811015610b39575f8482815181106109a8576109a8612036565b602002602001015190505f6109be888386611360565b90505f6109cb89846115d5565b60405160016204621960e51b031981526001600160a01b0385811660048301528b811660248301529192505f9182917f00000000000000000000000000000000000000000000000000000000000000009091169063ff73bce0906044015f60405180830381865afa158015610a42573d5f803e3d5ffd5b505050506040513d5f823e601f3d908101601f19168201604052610a69919081019061214e565b915091506040518060c00160405280866001600160a01b03168152602001866001600160a01b03166306fdde036040518163ffffffff1660e01b81526004015f60405180830381865afa158015610ac2573d5f803e3d5ffd5b505050506040513d5f823e601f3d908101601f19168201604052610ae99190810190612065565b815260200185815260200184815260200183815260200182815250888781518110610b1657610b16612036565b602002602001018190525050505050508080610b3190612136565b91505061098c565b5090949350505050565b60405163362a3fad60e01b81526001600160a01b0382811660048301526060915f917f0000000000000000000000000000000000000000000000000000000000000000169063362a3fad906024015f60405180830381865afa158015610bab573d5f803e3d5ffd5b505050506040513d5f823e601f3d908101601f19168201604052610bd29190810190611ffc565b90505f815167ffffffffffffffff811115610bef57610bef611f23565b604051908082528060200260200182016040528015610c7457816020015b610c616040518061012001604052805f6001600160a01b0316815260200160608152602001606081526020015f60ff1681526020015f81526020015f81526020015f81526020015f81526020015f81525090565b815260200190600190039081610c0d5790505b5090505f5b8251811015610fe0575f838281518110610c9557610c95612036565b60209081029190910101516040516334fb3ea160e11b81526001600160a01b03888116600483015280831660248301529192505f917f000000000000000000000000000000000000000000000000000000000000000016906369f67d4290604401608060405180830381865afa158015610d11573d5f803e3d5ffd5b505050506040513d601f19601f82011682018060405250810190610d359190612203565b604051630450881160e51b81526001600160a01b03898116600483015284811660248301529192505f917f00000000000000000000000000000000000000000000000000000000000000001690638a11022090604401602060405180830381865afa158015610da6573d5f803e3d5ffd5b505050506040513d601f19601f82011682018060405250810190610dca91906120eb565b9050604051806101200160405280846001600160a01b03168152602001846001600160a01b03166306fdde036040518163ffffffff1660e01b81526004015f60405180830381865afa158015610e22573d5f803e3d5ffd5b505050506040513d5f823e601f3d908101601f19168201604052610e499190810190612065565b8152602001846001600160a01b03166395d89b416040518163ffffffff1660e01b81526004015f60405180830381865afa158015610e89573d5f803e3d5ffd5b505050506040513d5f823e601f3d908101601f19168201604052610eb09190810190612065565b8152602001846001600160a01b031663313ce5676040518163ffffffff1660e01b8152600401602060405180830381865afa158015610ef1573d5f803e3d5ffd5b505050506040513d601f19601f82011682018060405250810190610f159190612102565b60ff168152602001836020015181526020018360400151815260200183606001518152602001828152602001610faa838c6001600160a01b03166318160ddd6040518163ffffffff1660e01b8152600401602060405180830381865afa158015610f81573d5f803e3d5ffd5b505050506040513d601f19601f82011682018060405250810190610fa591906120eb565b6116a2565b815250858581518110610fbf57610fbf612036565b60200260200101819052505050508080610fd890612136565b915050610c79565b509150505b92915050565b610ff36119f7565b610ffd83836116de565b156112f9575f836001600160a01b03166338d52e0f6040518163ffffffff1660e01b8152600401602060405180830381865afa15801561103f573d5f803e3d5ffd5b505050506040513d601f19601f82011682018060405250810190611063919061204a565b90505f846001600160a01b031663a0c1f15e6040518163ffffffff1660e01b8152600401602060405180830381865afa1580156110a2573d5f803e3d5ffd5b505050506040513d601f19601f820116820180604052508101906110c6919061204a565b90506040518060e00160405280836001600160a01b03168152602001836001600160a01b03166306fdde036040518163ffffffff1660e01b81526004015f60405180830381865afa15801561111d573d5f803e3d5ffd5b505050506040513d5f823e601f3d908101601f191682016040526111449190810190612065565b8152602001836001600160a01b03166395d89b416040518163ffffffff1660e01b81526004015f60405180830381865afa158015611184573d5f803e3d5ffd5b505050506040513d5f823e601f3d908101601f191682016040526111ab9190810190612065565b8152602001826001600160a01b03168152602001826001600160a01b03166306fdde036040518163ffffffff1660e01b81526004015f60405180830381865afa1580156111fa573d5f803e3d5ffd5b505050506040513d5f823e601f3d908101601f191682016040526112219190810190612065565b8152602001826001600160a01b03166395d89b416040518163ffffffff1660e01b81526004015f60405180830381865afa158015611261573d5f803e3d5ffd5b505050506040513d5f823e601f3d908101601f191682016040526112889190810190612065565b8152602001866001600160a01b03166350d25bcd6040518163ffffffff1660e01b8152600401602060405180830381865afa1580156112c9573d5f803e3d5ffd5b505050506040513d601f19601f820116820180604052508101906112ed91906120eb565b81525092505050610fe5565b506040805160e0810182525f80825282516020818101855282825280840191909152835180820185528281528385015260608301829052835180820185528281526080840152835190810190935280835260a082019290925260c081019190915292915050565b61138d6040518060a001604052805f81526020015f81526020015f81526020015f81526020015f81525090565b5f836001600160a01b03166338d52e0f6040518163ffffffff1660e01b8152600401602060405180830381865afa1580156113ca573d5f803e3d5ffd5b505050506040513d601f19601f820116820180604052508101906113ee919061204a565b90505f806113fd878487611741565b6040805160a08101918290526370a0823160e01b9091526001600160a01b038a811660a483015292945090925090819088166370a0823160c48301602060405180830381865afa158015611453573d5f803e3d5ffd5b505050506040513d601f19601f8201168201806040525081019061147791906120eb565b81526040516370a0823160e01b81526001600160a01b038a81166004830152602090920191891690634cdad5069082906370a0823190602401602060405180830381865afa1580156114cb573d5f803e3d5ffd5b505050506040513d601f19601f820116820180604052508101906114ef91906120eb565b6040518263ffffffff1660e01b815260040161150d91815260200190565b602060405180830381865afa158015611528573d5f803e3d5ffd5b505050506040513d601f19601f8201168201806040525081019061154c91906120eb565b81526040516370a0823160e01b81526001600160a01b038a811660048301526020909201918616906370a0823190602401602060405180830381865afa158015611598573d5f803e3d5ffd5b505050506040513d601f19601f820116820180604052508101906115bc91906120eb565b8152602081019390935260409092015295945050505050565b604080516060810182525f80825260208201819052918101919091526040516317c547a160e11b81526001600160a01b0384811660048301525f9190841690632f8a8f4290602401606060405180830381865afa158015611638573d5f803e3d5ffd5b505050506040513d601f19601f8201168201806040525081019061165c9190612288565b90506040518060600160405280825f01516001600160c01b03168152602001826020015163ffffffff168152602001826040015163ffffffff1681525091505092915050565b5f815f036116b157505f610fe5565b816127106116c36301e13380866122ff565b6116cd91906122ff565b6116d79190612316565b9392505050565b5f805b8251811015611738578281815181106116fc576116fc612036565b60200260200101516001600160a01b0316846001600160a01b031603611726576001915050610fe5565b8061173081612136565b9150506116e1565b505f9392505050565b5f8061174d84846116de565b156118f3575f846001600160a01b03166338d52e0f6040518163ffffffff1660e01b8152600401602060405180830381865afa15801561178f573d5f803e3d5ffd5b505050506040513d601f19601f820116820180604052508101906117b3919061204a565b90505f856001600160a01b031663a0c1f15e6040518163ffffffff1660e01b8152600401602060405180830381865afa1580156117f2573d5f803e3d5ffd5b505050506040513d601f19601f82011682018060405250810190611816919061204a565b6040516370a0823160e01b81526001600160a01b038981166004830152919250908316906370a0823190602401602060405180830381865afa15801561185e573d5f803e3d5ffd5b505050506040513d601f19601f8201168201806040525081019061188291906120eb565b6040516370a0823160e01b81526001600160a01b038981166004830152919550908216906370a0823190602401602060405180830381865afa1580156118ca573d5f803e3d5ffd5b505050506040513d601f19601f820116820180604052508101906118ee91906120eb565b925050505b935093915050565b604051806101a001604052805f6001600160a01b03168152602001606081526020016060815260200160608152602001606081526020015f81526020015f81526020015f81526020015f6001600160a01b031681526020015f151581526020016119636119f7565b8152606060208201525f60409091015290565b6040518060c001604052805f6001600160a01b03168152602001606081526020016119c46040518060a001604052805f81526020015f81526020015f81526020015f81526020015f81525090565b8152604080516060810182525f808252602082810182905292820152910190815260200160608152602001606081525090565b6040518060e001604052805f6001600160a01b0316815260200160608152602001606081526020015f6001600160a01b0316815260200160608152602001606081526020015f81525090565b5f5b83811015611a5d578181015183820152602001611a45565b50505f910152565b5f8151808452611a7c816020860160208601611a43565b601f01601f19169290920160200192915050565b5f60018060a01b03808351168452602083015160e06020860152611ab760e0860182611a65565b905060408401518582036040870152611ad08282611a65565b915050816060850151166060860152608084015191508481036080860152611af88183611a65565b91505060a083015184820360a0860152611b128282611a65565b91505060c083015160c08501528091505092915050565b5f82825180855260208086019550808260051b8401018186015f5b84811015611bf457858303601f19018952815180516001600160a01b03168452610120858201518187870152611b7c82870182611a65565b91505060408083015186830382880152611b968382611a65565b92505050606080830151611bae8288018260ff169052565b50506080828101519086015260a0808301519086015260c0808301519086015260e080830151908601526101009182015191909401529783019790830190600101611b44565b5090979650505050505050565b5f6020808301818452808551808352604092508286019150828160051b8701018488015f5b83811015611d5457888303603f19018552815180516001600160a01b031684526101a088820151818a870152611c5e82870182611a65565b9150508782015185820389870152611c768282611a65565b91505060608083015186830382880152611c908382611a65565b9250505060808083015186830382880152611cab8382611a65565b60a0858101519089015260c0808601519089015260e08086015190890152610100808601516001600160a01b0316908901526101208086015115159089015261014080860151898303828b015291945092509050611d098382611a90565b925050506101608083015186830382880152611d258382611b29565b92505050610180808301519250611d408187018460ff169052565b509588019593505090860190600101611c26565b509098975050505050505050565b6001600160a01b0381168114611d76575f80fd5b50565b5f60208284031215611d89575f80fd5b81356116d781611d62565b5f8151808452602080850194508084015f5b83811015611dcb5781516001600160a01b031687529582019590820190600101611da6565b509495945050505050565b5f8151808452602080850194508084015f5b83811015611dcb57815187529582019590820190600101611de8565b5f6020808301818452808551808352604092508286019150828160051b8701018488015f5b83811015611d5457888303603f19018552815180516001600160a01b031684528781015161018089860181905290611e6382870182611a65565b898401518051888c01528b8101516060808a0191909152818c01516080808b01919091528183015160a0808c018290529382015160c08c01528288015180516001600160c01b031660e08d0152602081015163ffffffff9081166101008e0152604090910151166101208c0152818801518b86036101408d01529496509394509091611eef8686611d94565b95508087015196505050505050848103610160860152611f0f8183611dd6565b968901969450505090860190600101611e29565b634e487b7160e01b5f52604160045260245ffd5b604051601f8201601f1916810167ffffffffffffffff81118282101715611f6057611f60611f23565b604052919050565b5f67ffffffffffffffff821115611f8157611f81611f23565b5060051b60200190565b5f82601f830112611f9a575f80fd5b81516020611faf611faa83611f68565b611f37565b82815260059290921b84018101918181019086841115611fcd575f80fd5b8286015b84811015611ff1578051611fe481611d62565b8352918301918301611fd1565b509695505050505050565b5f6020828403121561200c575f80fd5b815167ffffffffffffffff811115612022575f80fd5b61202e84828501611f8b565b949350505050565b634e487b7160e01b5f52603260045260245ffd5b5f6020828403121561205a575f80fd5b81516116d781611d62565b5f60208284031215612075575f80fd5b815167ffffffffffffffff8082111561208c575f80fd5b818401915084601f83011261209f575f80fd5b8151818111156120b1576120b1611f23565b6120c4601f8201601f1916602001611f37565b91508082528560208285010111156120da575f80fd5b610fe0816020840160208601611a43565b5f602082840312156120fb575f80fd5b5051919050565b5f60208284031215612112575f80fd5b815160ff811681146116d7575f80fd5b634e487b7160e01b5f52601160045260245ffd5b5f6001820161214757612147612122565b5060010190565b5f806040838503121561215f575f80fd5b825167ffffffffffffffff80821115612176575f80fd5b61218286838701611f8b565b9350602091508185015181811115612198575f80fd5b85019050601f810186136121aa575f80fd5b80516121b8611faa82611f68565b81815260059190911b820183019083810190888311156121d6575f80fd5b928401925b828410156121f4578351825292840192908401906121db565b80955050505050509250929050565b5f60808284031215612213575f80fd5b6040516080810181811067ffffffffffffffff8211171561223657612236611f23565b604052825161224481611d62565b808252506020830151602082015260408301516040820152606083015160608201528091505092915050565b805163ffffffff81168114612283575f80fd5b919050565b5f60608284031215612298575f80fd5b6040516060810181811067ffffffffffffffff821117156122bb576122bb611f23565b60405282516001600160c01b03811681146122d4575f80fd5b81526122e260208401612270565b60208201526122f360408401612270565b60408201529392505050565b8082028115828204841417610fe557610fe5612122565b5f8261233057634e487b7160e01b5f52601260045260245ffd5b50049056fea26469706673582212207c42ce69ee43bda939977aaf816fe0c5f0210625e69f2f9e56ed7b47eae579be64736f6c63430008140033'; + '0x60e060405234801562000010575f80fd5b50604051620025f3380380620025f3833981016040819052620000339162000069565b6001600160a01b0392831660805290821660a0521660c052620000ba565b6001600160a01b038116811462000066575f80fd5b50565b5f805f606084860312156200007c575f80fd5b8351620000898162000051565b60208501519093506200009c8162000051565b6040850151909250620000af8162000051565b809150509250925092565b60805160a05160c0516124d2620001215f395f8181605e015281816102010152610a7501525f818160a201528181610b6901528181610cd401528181610e390152610ece01525f818160c9015281816101250152818161033f015261099901526124d25ff3fe608060405234801561000f575f80fd5b5060043610610055575f3560e01c80631494088f146100595780636bb65f531461009d57806384914262146100c4578063a16a09af146100eb578063e9ce34a514610100575b5f80fd5b6100807f000000000000000000000000000000000000000000000000000000000000000081565b6040516001600160a01b0390911681526020015b60405180910390f35b6100807f000000000000000000000000000000000000000000000000000000000000000081565b6100807f000000000000000000000000000000000000000000000000000000000000000081565b6100f3610120565b6040516100949190611cf2565b61011361010e366004611e75565b610994565b6040516100949190611f00565b60605f7f00000000000000000000000000000000000000000000000000000000000000006001600160a01b031663de3767766040518163ffffffff1660e01b81526004015f60405180830381865afa15801561017e573d5f803e3d5ffd5b505050506040513d5f823e601f3d908101601f191682016040526101a59190810190612121565b90505f815167ffffffffffffffff8111156101c2576101c261201f565b6040519080825280602002602001820160405280156101fb57816020015b6101e86119fa565b8152602001906001900390816101e05790505b5090505f7f00000000000000000000000000000000000000000000000000000000000000006001600160a01b031663529080176040518163ffffffff1660e01b81526004015f60405180830381865afa15801561025a573d5f803e3d5ffd5b505050506040513d5f823e601f3d908101601f191682016040526102819190810190612121565b90505f5b835181101561098b575f8482815181106102a1576102a161215b565b602002602001015190505f8190505f826001600160a01b03166338d52e0f6040518163ffffffff1660e01b8152600401602060405180830381865afa1580156102ec573d5f803e3d5ffd5b505050506040513d601f19601f82011682018060405250810190610310919061216f565b90505f61031d8484610cb0565b90505f61032a8388611158565b80519091506001600160a01b039081161515907f0000000000000000000000000000000000000000000000000000000000000000905f90821663050460898461037357876103d3565b876001600160a01b03166338d52e0f6040518163ffffffff1660e01b8152600401602060405180830381865afa1580156103af573d5f803e3d5ffd5b505050506040513d601f19601f820116820180604052508101906103d3919061216f565b6040516001600160e01b031960e084901b1681526001600160a01b039182166004820152908a166024820152604401608060405180830381865afa92505050801561043b575060408051601f3d908101601f191682019092526104389181019061218a565b60015b156104a85780602001516001600160a01b03166350d25bcd6040518163ffffffff1660e01b8152600401602060405180830381865afa158015610480573d5f803e3d5ffd5b505050506040513d601f19601f820116820180604052508101906104a491906121ea565b9150505b604051806101c001604052808d8b815181106104c6576104c661215b565b60200260200101516001600160a01b03168152602001896001600160a01b03166306fdde036040518163ffffffff1660e01b81526004015f60405180830381865afa158015610517573d5f803e3d5ffd5b505050506040513d5f823e601f3d908101601f1916820160405261053e9190810190612201565b8152602001896001600160a01b03166395d89b416040518163ffffffff1660e01b81526004015f60405180830381865afa15801561057e573d5f803e3d5ffd5b505050506040513d5f823e601f3d908101601f191682016040526105a59190810190612201565b8152602001896001600160a01b03166338d52e0f6040518163ffffffff1660e01b8152600401602060405180830381865afa1580156105e6573d5f803e3d5ffd5b505050506040513d601f19601f8201168201806040525081019061060a919061216f565b6001600160a01b03166306fdde036040518163ffffffff1660e01b81526004015f60405180830381865afa158015610644573d5f803e3d5ffd5b505050506040513d5f823e601f3d908101601f1916820160405261066b9190810190612201565b8152602001896001600160a01b03166338d52e0f6040518163ffffffff1660e01b8152600401602060405180830381865afa1580156106ac573d5f803e3d5ffd5b505050506040513d601f19601f820116820180604052508101906106d0919061216f565b6001600160a01b03166395d89b416040518163ffffffff1660e01b81526004015f60405180830381865afa15801561070a573d5f803e3d5ffd5b505050506040513d5f823e601f3d908101601f191682016040526107319190810190612201565b8152602001896001600160a01b03166318160ddd6040518163ffffffff1660e01b8152600401602060405180830381865afa158015610772573d5f803e3d5ffd5b505050506040513d601f19601f8201168201806040525081019061079691906121ea565b8152602001896001600160a01b031663218e4a156040518163ffffffff1660e01b8152600401602060405180830381865afa1580156107d7573d5f803e3d5ffd5b505050506040513d601f19601f820116820180604052508101906107fb91906121ea565b8152602001896001600160a01b03166390b9f9e46040518163ffffffff1660e01b8152600401602060405180830381865afa15801561083c573d5f803e3d5ffd5b505050506040513d601f19601f8201168201806040525081019061086091906121ea565b8152602001828152602001876001600160a01b031681526020018415158152602001858152602001868152602001896001600160a01b03166338d52e0f6040518163ffffffff1660e01b8152600401602060405180830381865afa1580156108ca573d5f803e3d5ffd5b505050506040513d601f19601f820116820180604052508101906108ee919061216f565b6001600160a01b031663313ce5676040518163ffffffff1660e01b8152600401602060405180830381865afa158015610929573d5f803e3d5ffd5b505050506040513d601f19601f8201168201806040525081019061094d9190612287565b60ff168152508b8a815181106109655761096561215b565b602002602001018190525050505050505050508080610983906122bb565b915050610285565b50909392505050565b60605f7f00000000000000000000000000000000000000000000000000000000000000006001600160a01b031663de3767766040518163ffffffff1660e01b81526004015f60405180830381865afa1580156109f2573d5f803e3d5ffd5b505050506040513d5f823e601f3d908101601f19168201604052610a199190810190612121565b90505f815167ffffffffffffffff811115610a3657610a3661201f565b604051908082528060200260200182016040528015610a6f57816020015b610a5c611a7b565b815260200190600190039081610a545790505b5090505f7f00000000000000000000000000000000000000000000000000000000000000006001600160a01b031663529080176040518163ffffffff1660e01b81526004015f60405180830381865afa158015610ace573d5f803e3d5ffd5b505050506040513d5f823e601f3d908101601f19168201604052610af59190810190612121565b90505f5b8351811015610ca6575f848281518110610b1557610b1561215b565b602002602001015190505f610b2b88838661145f565b90505f610b3889846116d4565b60405160016204621960e51b031981526001600160a01b0385811660048301528b811660248301529192505f9182917f00000000000000000000000000000000000000000000000000000000000000009091169063ff73bce0906044015f60405180830381865afa158015610baf573d5f803e3d5ffd5b505050506040513d5f823e601f3d908101601f19168201604052610bd691908101906122d3565b915091506040518060c00160405280866001600160a01b03168152602001866001600160a01b03166306fdde036040518163ffffffff1660e01b81526004015f60405180830381865afa158015610c2f573d5f803e3d5ffd5b505050506040513d5f823e601f3d908101601f19168201604052610c569190810190612201565b815260200185815260200184815260200183815260200182815250888781518110610c8357610c8361215b565b602002602001018190525050505050508080610c9e906122bb565b915050610af9565b5090949350505050565b60405163362a3fad60e01b81526001600160a01b0382811660048301526060915f917f0000000000000000000000000000000000000000000000000000000000000000169063362a3fad906024015f60405180830381865afa158015610d18573d5f803e3d5ffd5b505050506040513d5f823e601f3d908101601f19168201604052610d3f9190810190612121565b90505f815167ffffffffffffffff811115610d5c57610d5c61201f565b604051908082528060200260200182016040528015610de157816020015b610dce6040518061012001604052805f6001600160a01b0316815260200160608152602001606081526020015f60ff1681526020015f81526020015f81526020015f81526020015f81526020015f81525090565b815260200190600190039081610d7a5790505b5090505f5b825181101561114d575f838281518110610e0257610e0261215b565b60209081029190910101516040516334fb3ea160e11b81526001600160a01b03888116600483015280831660248301529192505f917f000000000000000000000000000000000000000000000000000000000000000016906369f67d4290604401608060405180830381865afa158015610e7e573d5f803e3d5ffd5b505050506040513d601f19601f82011682018060405250810190610ea29190612388565b604051630450881160e51b81526001600160a01b03898116600483015284811660248301529192505f917f00000000000000000000000000000000000000000000000000000000000000001690638a11022090604401602060405180830381865afa158015610f13573d5f803e3d5ffd5b505050506040513d601f19601f82011682018060405250810190610f3791906121ea565b9050604051806101200160405280846001600160a01b03168152602001846001600160a01b03166306fdde036040518163ffffffff1660e01b81526004015f60405180830381865afa158015610f8f573d5f803e3d5ffd5b505050506040513d5f823e601f3d908101601f19168201604052610fb69190810190612201565b8152602001846001600160a01b03166395d89b416040518163ffffffff1660e01b81526004015f60405180830381865afa158015610ff6573d5f803e3d5ffd5b505050506040513d5f823e601f3d908101601f1916820160405261101d9190810190612201565b8152602001846001600160a01b031663313ce5676040518163ffffffff1660e01b8152600401602060405180830381865afa15801561105e573d5f803e3d5ffd5b505050506040513d601f19601f820116820180604052508101906110829190612287565b60ff168152602001836020015181526020018360400151815260200183606001518152602001828152602001611117838c6001600160a01b03166318160ddd6040518163ffffffff1660e01b8152600401602060405180830381865afa1580156110ee573d5f803e3d5ffd5b505050506040513d601f19601f8201168201806040525081019061111291906121ea565b6117a1565b81525085858151811061112c5761112c61215b565b60200260200101819052505050508080611145906122bb565b915050610de6565b509150505b92915050565b611160611afc565b61116a83836117dd565b15611401575f836001600160a01b03166338d52e0f6040518163ffffffff1660e01b8152600401602060405180830381865afa1580156111ac573d5f803e3d5ffd5b505050506040513d601f19601f820116820180604052508101906111d0919061216f565b90505f846001600160a01b031663a0c1f15e6040518163ffffffff1660e01b8152600401602060405180830381865afa15801561120f573d5f803e3d5ffd5b505050506040513d601f19601f82011682018060405250810190611233919061216f565b90506040518060c00160405280836001600160a01b03168152602001836001600160a01b03166306fdde036040518163ffffffff1660e01b81526004015f60405180830381865afa15801561128a573d5f803e3d5ffd5b505050506040513d5f823e601f3d908101601f191682016040526112b19190810190612201565b8152602001836001600160a01b03166395d89b416040518163ffffffff1660e01b81526004015f60405180830381865afa1580156112f1573d5f803e3d5ffd5b505050506040513d5f823e601f3d908101601f191682016040526113189190810190612201565b8152602001826001600160a01b03168152602001826001600160a01b03166306fdde036040518163ffffffff1660e01b81526004015f60405180830381865afa158015611367573d5f803e3d5ffd5b505050506040513d5f823e601f3d908101601f1916820160405261138e9190810190612201565b8152602001826001600160a01b03166395d89b416040518163ffffffff1660e01b81526004015f60405180830381865afa1580156113ce573d5f803e3d5ffd5b505050506040513d5f823e601f3d908101601f191682016040526113f59190810190612201565b81525092505050611152565b506040805160c0810182525f808252825160208181018552828252808401919091528351808201855282815283850152606083018290528351808201855282815260808401528351908101909352825260a081019190915292915050565b61148c6040518060a001604052805f81526020015f81526020015f81526020015f81526020015f81525090565b5f836001600160a01b03166338d52e0f6040518163ffffffff1660e01b8152600401602060405180830381865afa1580156114c9573d5f803e3d5ffd5b505050506040513d601f19601f820116820180604052508101906114ed919061216f565b90505f806114fc878487611840565b6040805160a08101918290526370a0823160e01b9091526001600160a01b038a811660a483015292945090925090819088166370a0823160c48301602060405180830381865afa158015611552573d5f803e3d5ffd5b505050506040513d601f19601f8201168201806040525081019061157691906121ea565b81526040516370a0823160e01b81526001600160a01b038a81166004830152602090920191891690634cdad5069082906370a0823190602401602060405180830381865afa1580156115ca573d5f803e3d5ffd5b505050506040513d601f19601f820116820180604052508101906115ee91906121ea565b6040518263ffffffff1660e01b815260040161160c91815260200190565b602060405180830381865afa158015611627573d5f803e3d5ffd5b505050506040513d601f19601f8201168201806040525081019061164b91906121ea565b81526040516370a0823160e01b81526001600160a01b038a811660048301526020909201918616906370a0823190602401602060405180830381865afa158015611697573d5f803e3d5ffd5b505050506040513d601f19601f820116820180604052508101906116bb91906121ea565b8152602081019390935260409092015295945050505050565b604080516060810182525f80825260208201819052918101919091526040516317c547a160e11b81526001600160a01b0384811660048301525f9190841690632f8a8f4290602401606060405180830381865afa158015611737573d5f803e3d5ffd5b505050506040513d601f19601f8201168201806040525081019061175b91906123ef565b90506040518060600160405280825f01516001600160c01b03168152602001826020015163ffffffff168152602001826040015163ffffffff1681525091505092915050565b5f815f036117b057505f611152565b816127106117c26301e1338086612466565b6117cc9190612466565b6117d6919061247d565b9392505050565b5f805b8251811015611837578281815181106117fb576117fb61215b565b60200260200101516001600160a01b0316846001600160a01b031603611825576001915050611152565b8061182f816122bb565b9150506117e0565b505f9392505050565b5f8061184c84846117dd565b156119f2575f846001600160a01b03166338d52e0f6040518163ffffffff1660e01b8152600401602060405180830381865afa15801561188e573d5f803e3d5ffd5b505050506040513d601f19601f820116820180604052508101906118b2919061216f565b90505f856001600160a01b031663a0c1f15e6040518163ffffffff1660e01b8152600401602060405180830381865afa1580156118f1573d5f803e3d5ffd5b505050506040513d601f19601f82011682018060405250810190611915919061216f565b6040516370a0823160e01b81526001600160a01b038981166004830152919250908316906370a0823190602401602060405180830381865afa15801561195d573d5f803e3d5ffd5b505050506040513d601f19601f8201168201806040525081019061198191906121ea565b6040516370a0823160e01b81526001600160a01b038981166004830152919550908216906370a0823190602401602060405180830381865afa1580156119c9573d5f803e3d5ffd5b505050506040513d601f19601f820116820180604052508101906119ed91906121ea565b925050505b935093915050565b604051806101c001604052805f6001600160a01b03168152602001606081526020016060815260200160608152602001606081526020015f81526020015f81526020015f81526020015f81526020015f6001600160a01b031681526020015f15158152602001611a68611afc565b8152606060208201525f60409091015290565b6040518060c001604052805f6001600160a01b0316815260200160608152602001611ac96040518060a001604052805f81526020015f81526020015f81526020015f81526020015f81525090565b8152604080516060810182525f808252602082810182905292820152910190815260200160608152602001606081525090565b6040518060c001604052805f6001600160a01b0316815260200160608152602001606081526020015f6001600160a01b0316815260200160608152602001606081525090565b5f5b83811015611b5c578181015183820152602001611b44565b50505f910152565b5f8151808452611b7b816020860160208601611b42565b601f01601f19169290920160200192915050565b5f60018060a01b03808351168452602083015160c06020860152611bb660c0860182611b64565b905060408401518582036040870152611bcf8282611b64565b915050816060850151166060860152608084015191508481036080860152611bf78183611b64565b91505060a083015184820360a0860152611c118282611b64565b95945050505050565b5f82825180855260208086019550808260051b8401018186015f5b84811015611ce557858303601f19018952815180516001600160a01b03168452610120858201518187870152611c6d82870182611b64565b91505060408083015186830382880152611c878382611b64565b92505050606080830151611c9f8288018260ff169052565b50506080828101519086015260a0808301519086015260c0808301519086015260e080830151908601526101009182015191909401529783019790830190600101611c35565b5090979650505050505050565b5f6020808301818452808551808352604092508286019150828160051b8701018488015f5b83811015611e5057888303603f19018552815180516001600160a01b031684526101c088820151818a870152611d4f82870182611b64565b9150508782015185820389870152611d678282611b64565b91505060608083015186830382880152611d818382611b64565b9250505060808083015186830382880152611d9c8382611b64565b60a0858101519089015260c0808601519089015260e080860151908901526101008086015190890152610120808601516001600160a01b0316908901526101408086015115159089015261016080860151898303828b015291945092509050611e058382611b8f565b925050506101808083015186830382880152611e218382611c1a565b925050506101a0808301519250611e3c8187018460ff169052565b509588019593505090860190600101611d17565b509098975050505050505050565b6001600160a01b0381168114611e72575f80fd5b50565b5f60208284031215611e85575f80fd5b81356117d681611e5e565b5f8151808452602080850194508084015f5b83811015611ec75781516001600160a01b031687529582019590820190600101611ea2565b509495945050505050565b5f8151808452602080850194508084015f5b83811015611ec757815187529582019590820190600101611ee4565b5f6020808301818452808551808352604092508286019150828160051b8701018488015f5b83811015611e5057888303603f19018552815180516001600160a01b031684528781015161018089860181905290611f5f82870182611b64565b898401518051888c01528b8101516060808a0191909152818c01516080808b01919091528183015160a0808c018290529382015160c08c01528288015180516001600160c01b031660e08d0152602081015163ffffffff9081166101008e0152604090910151166101208c0152818801518b86036101408d01529496509394509091611feb8686611e90565b9550808701519650505050505084810361016086015261200b8183611ed2565b968901969450505090860190600101611f25565b634e487b7160e01b5f52604160045260245ffd5b6040516080810167ffffffffffffffff811182821017156120565761205661201f565b60405290565b604051601f8201601f1916810167ffffffffffffffff811182821017156120855761208561201f565b604052919050565b5f67ffffffffffffffff8211156120a6576120a661201f565b5060051b60200190565b5f82601f8301126120bf575f80fd5b815160206120d46120cf8361208d565b61205c565b82815260059290921b840181019181810190868411156120f2575f80fd5b8286015b8481101561211657805161210981611e5e565b83529183019183016120f6565b509695505050505050565b5f60208284031215612131575f80fd5b815167ffffffffffffffff811115612147575f80fd5b612153848285016120b0565b949350505050565b634e487b7160e01b5f52603260045260245ffd5b5f6020828403121561217f575f80fd5b81516117d681611e5e565b5f6080828403121561219a575f80fd5b6121a2612033565b82516121ad81611e5e565b815260208301516121bd81611e5e565b602082015260408381015190820152606083015180151581146121de575f80fd5b60608201529392505050565b5f602082840312156121fa575f80fd5b5051919050565b5f60208284031215612211575f80fd5b815167ffffffffffffffff80821115612228575f80fd5b818401915084601f83011261223b575f80fd5b81518181111561224d5761224d61201f565b612260601f8201601f191660200161205c565b9150808252856020828501011115612276575f80fd5b61114d816020840160208601611b42565b5f60208284031215612297575f80fd5b815160ff811681146117d6575f80fd5b634e487b7160e01b5f52601160045260245ffd5b5f600182016122cc576122cc6122a7565b5060010190565b5f80604083850312156122e4575f80fd5b825167ffffffffffffffff808211156122fb575f80fd5b612307868387016120b0565b935060209150818501518181111561231d575f80fd5b85019050601f8101861361232f575f80fd5b805161233d6120cf8261208d565b81815260059190911b8201830190838101908883111561235b575f80fd5b928401925b8284101561237957835182529284019290840190612360565b80955050505050509250929050565b5f60808284031215612398575f80fd5b6123a0612033565b82516123ab81611e5e565b808252506020830151602082015260408301516040820152606083015160608201528091505092915050565b805163ffffffff811681146123ea575f80fd5b919050565b5f606082840312156123ff575f80fd5b6040516060810181811067ffffffffffffffff821117156124225761242261201f565b60405282516001600160c01b038116811461243b575f80fd5b8152612449602084016123d7565b602082015261245a604084016123d7565b60408201529392505050565b8082028115828204841417611152576111526122a7565b5f8261249757634e487b7160e01b5f52601260045260245ffd5b50049056fea2646970667358221220876d3718e4f574f74298008ce25b1ff6d734db1400974bf3821fc307f1b65cb764736f6c63430008140033'; type StakeDataProviderConstructorParams = | [signer?: Signer] From 32a21406ab3fb6b035699f2c1d8a15356d01a9a1 Mon Sep 17 00:00:00 2001 From: Mark Hinschberger Date: Wed, 22 Jan 2025 10:49:32 +0000 Subject: [PATCH 036/110] feat: net umbrella balance --- src/hooks/stake/useUmbrellaSummary.ts | 68 +++++++++++++++++++++++-- src/locales/el/messages.js | 2 +- src/locales/en/messages.js | 2 +- src/locales/en/messages.po | 5 +- src/locales/es/messages.js | 2 +- src/locales/fr/messages.js | 2 +- src/modules/umbrella/UmbrellaHeader.tsx | 55 ++++++++++---------- 7 files changed, 101 insertions(+), 35 deletions(-) diff --git a/src/hooks/stake/useUmbrellaSummary.ts b/src/hooks/stake/useUmbrellaSummary.ts index bf4b05f9d5..432b15759d 100644 --- a/src/hooks/stake/useUmbrellaSummary.ts +++ b/src/hooks/stake/useUmbrellaSummary.ts @@ -1,4 +1,5 @@ -import { normalize } from '@aave/math-utils'; +import { BigNumberValue, normalize, valueToBigNumber } from '@aave/math-utils'; +import { BigNumber } from 'ethers/lib/ethers'; import { useStakeData, useUserStakeData } from 'src/modules/umbrella/hooks/useStakeData'; import { StakeData, @@ -34,10 +35,26 @@ export interface MergedStakeData extends StakeData { symbol: string; decimals: number; iconSymbol: string; + totalStakedUSD: string; + aggregatedTotalStakedUSD: string; } const formatUmbrellaSummary = (stakeData: StakeData[], userStakeData: StakeUserData[]) => { - console.log(userStakeData); + let aggregatedTotalStakedUSD = valueToBigNumber('0'); + stakeData.forEach((stakeItem) => { + const matchingBalance = userStakeData.find( + (balanceItem) => balanceItem.stakeToken.toLowerCase() === stakeItem.stakeToken.toLowerCase() + ); + + if (matchingBalance) { + const stakeValue = valueToBigNumber(matchingBalance.balances.stakeTokenBalance) + .multipliedBy(valueToBigNumber(stakeItem.waTokenData.waTokenPrice)) + .dividedBy(10 ** (stakeItem.underlyingTokenDecimals * 2)); + + aggregatedTotalStakedUSD = aggregatedTotalStakedUSD.plus(stakeValue); + } + }); + const mergedData = stakeData.reduce((acc, stakeItem) => { const matchingBalance = userStakeData.find( (balanceItem) => balanceItem.stakeToken.toLowerCase() === stakeItem.stakeToken.toLowerCase() @@ -47,7 +64,10 @@ const formatUmbrellaSummary = (stakeData: StakeData[], userStakeData: StakeUserD return acc; } - console.log(matchingBalance); + const stakeValue = valueToBigNumber(matchingBalance.balances.stakeTokenBalance) + .multipliedBy(stakeItem.waTokenData.waTokenPrice) + .dividedBy(10 ** (stakeItem.underlyingTokenDecimals * 2)); + acc.push({ ...stakeItem, balances: matchingBalance.balances, @@ -100,6 +120,8 @@ const formatUmbrellaSummary = (stakeData: StakeData[], userStakeData: StakeUserD iconSymbol: stakeItem.underlyingIsWaToken ? stakeItem.waTokenData.waTokenUnderlyingSymbol : stakeItem.stakeTokenSymbol, + totalStakedUSD: `${stakeValue.toFixed(2)}`, + aggregatedTotalStakedUSD: `${aggregatedTotalStakedUSD.toFixed(2)}`, }); return acc; @@ -108,9 +130,49 @@ const formatUmbrellaSummary = (stakeData: StakeData[], userStakeData: StakeUserD return mergedData; }; +function calculateStakedValueUSD( + stakeTokenBalance: BigNumberValue, + decimals: number, + waTokenPrice: BigNumberValue +): string { + const balance = valueToBigNumber(stakeTokenBalance); + const price = valueToBigNumber(waTokenPrice); + + const value = balance.multipliedBy(price).dividedBy(10 ** decimals); + + return `${value.toFixed(2)}`; +} + export const useUmbrellaSummary = (marketData: MarketDataType) => { const stakeDataQuery = useStakeData(marketData); const userStakeDataQuery = useUserStakeData(marketData); return combineQueries([stakeDataQuery, userStakeDataQuery] as const, formatUmbrellaSummary); }; + +interface AssetData { + stakeTokenBalance: string; + decimals: number; + waTokenPrice: string; +} + +export const calculateTotalStakedUSD = (assets: AssetData[]): string => { + try { + const total = assets.reduce((sum, asset) => { + const assetValue = calculateStakedValueUSD( + asset.stakeTokenBalance, + asset.decimals, + asset.waTokenPrice + ); + return sum.add(assetValue); + }, BigNumber.from(0)); + + return `${Number(total).toFixed(2)}`; + } catch (error) { + throw new Error( + `Failed to calculate total staked value: ${ + error instanceof Error ? error.message : 'Unknown error' + }` + ); + } +}; diff --git a/src/locales/el/messages.js b/src/locales/el/messages.js index 347291c749..aed663c928 100644 --- a/src/locales/el/messages.js +++ b/src/locales/el/messages.js @@ -1 +1 @@ -/*eslint-disable*/module.exports={messages:JSON.parse("{\"+0xecS\":[\"Εάν ΔΕΝ ξεκλειδώσετε εντός \",[\"0\"],\" του παραθύρου ξεκλειδώματος, θα πρέπει να ενεργοποιήσετε ξανά τη διαδικασία ψύξης.\"],\"+EGVI0\":\"Receive (est.)\",\"+VR63W\":[\"Η συμμετοχή σε αυτό το αποθεματικό \",[\"symbol\"],\" δίνει ετήσιες ανταμοιβές.\"],\"+bmKdK\":\"Use your AAVE, stkAAVE, or aAave balance to delegate your voting and proposition powers. You will not be sending any tokens, only the rights to vote and propose changes to the protocol. You can re-delegate or revoke power to self at any time.\",\"+eOPG+\":\"Φαίνεται ότι δεν μπορούμε να αλλάξουμε το δίκτυο αυτόματα. Ελέγξτε αν μπορείτε να το αλλάξετε από το πορτοφόλι.\",\"+i3Pd2\":\"Ανώτατο όριο δανεισμού\",\"+kLZGu\":\"Supplied asset amount\",\"+nuEh/\":\"Estimated time\",\"+xMFF8\":\"Remind me\",\"/57U31\":\"Amount to migrate\",\"/7ykiW\":\"Borrowing this amount will reduce your health factor and increase risk of liquidation.\",\"/YA5pU\":\"E-Mode increases your LTV for a selected category of assets, meaning that when E-mode is enabled, you will have higher borrowing power over assets of the same E-mode category which are defined by Aave Governance. You can enter E-Mode from your <0>Dashboard. To learn more about E-Mode and applied restrictionn, see the <1>help guide or the <2>Aave V3 Technical Paper.\",\"/izjs/\":\"Minimum staked Aave amount\",\"/jQctM\":\"To\",\"/lDBHm\":\"ΣΥΧΝΕΣ ΕΡΩΤΗΣΕΙΣ\",\"/yNlZf\":\"Ο σταθερός δανεισμός δεν είναι ενεργοποιημένος\",\"/yQcJM\":\"Συνολική αξία\",\"00AB2i\":\"Ο χρήστης δεν δανείστηκε το καθορισμένο νόμισμα\",\"00OflG\":\"There is not enough liquidity for the target asset to perform the switch. Try lowering the amount.\",\"08/rZ9\":\"The cooldown period is the time required prior to unstaking your tokens (20 days). You can only withdraw your assets from the Security Module after the cooldown period and within the unstake window.<0>Learn more\",\"0AmQcW\":\"Rate change\",\"0BF3yK\":\"Sorry, we couldn't find the page you were looking for.\",\"0TAbjq\":\"Recent Transactions\",\"0jhlyw\":\"Liquidation risk\",\"0ojY+Y\":\"Current v2 Balance\",\"0thX3P\":\"Collateral change\",\"0wGCWc\":\"Αυτό είναι το συνολικό ποσό που μπορείτε να προμηθεύσετε σε αυτό το αποθεματικό. Μπορείτε να προμηθεύσετε το υπόλοιπο του πορτοφολιού σας μέχρι να επιτευχθεί το ανώτατο όριο προμηθειών.\",\"1AsVfF\":\"Price data is not currently available for this reserve on the protocol subgraph\",\"1LjK22\":\"Transaction history\",\"1Onqx8\":[\"Έγκριση του \",[\"symbol\"],\"...\"],\"1Ue8sX\":\"Παρακαλούμε συνδέστε ένα πορτοφόλι για να δείτε τις προσωπικές σας πληροφορίες εδώ.\",\"1bpx9A\":\"...\",\"1kWUB+\":\"Ρευστοποίηση <0/> κατώτατο όριο\",\"1m9Qqc\":\"Withdrawing and Switching\",\"1oyh4g\":\"Borrow rate\",\"1t7rez\":\"Asset supply is limited to a certain amount to reduce protocol exposure to the asset and to help manage risks involved.\",\"2CAPu2\":\"You've successfully withdrew & switched tokens.\",\"2Eoi/a\":\"Προβολή λεπτομερειών\",\"2FYpfJ\":\"Περισσότερα\",\"2O3qp5\":\"Διαθέσιμη ρευστότητα\",\"2OM8/D\":[\"Asset cannot be migrated due to supply cap restriction in \",[\"marketName\"],\" v3 market.\"],\"2Q4GU4\":\"Blocked Address\",\"2ZGocC\":\"Aave is a fully decentralized, community governed protocol by the AAVE token-holders. AAVE token-holders collectively discuss, propose, and vote on upgrades to the protocol. AAVE token-holders (Ethereum network only) can either vote themselves on new proposals or delagate to an address of choice. To learn more check out the Governance\",\"2a6G7d\":\"Please enter a valid wallet address.\",\"2bAhR7\":\"Meet GHO\",\"2eBWE6\":\"I acknowledge the risks involved.\",\"2o/xRt\":\"Επίτευξη του ανώτατου ορίου εφοδιασμού στο αποθεματικό-στόχο. Δοκιμάστε να \\nμειώσετε την ποσότητα.\",\"2uJToh\":[[\"0\"],[\"name\"]],\"2x58bP\":\"Ο σταθερός δανεισμός είναι ενεργοποιημένος\",\"34Qfwy\":\"Υπέρβαση του ανώτατου ορίου δανεισμού\",\"39eQRj\":[\"Δανεισμός \",[\"symbol\"]],\"3BL1xB\":\"Σύνολο παρεχόμενων\",\"3BnIWi\":\"Switched\",\"3K0oMo\":\"Υπολειπόμενη προσφορά\",\"3MoZhl\":\"Δεν υπάρχουν επαρκείς εξασφαλίσεις για την κάλυψη ενός νέου δανείου\",\"3Np5O8\":[\"Προσφορά \",[\"symbol\"]],\"3O8YTV\":\"Total interest accrued\",\"3mXg0z\":\"Μέγιστο LTV\",\"3q3mFy\":\"Αποπληρωμή\",\"3qsjtp\":\"Ο σταθμισμένος μέσος όρος του APY για όλα τα παρεχόμενα περιουσιακά στοιχεία, συμπεριλαμβανομένων των κινήτρων.\",\"3rL+os\":\"Μπορείτε να αποσύρετε τα περιουσιακά σας στοιχεία από τη Μονάδα Ασφαλείας μόνο αφού λήξει η περίοδος αναμονής και το παράθυρο ξεκλειδώματος είναι ενεργό.\",\"42UgDM\":[\"Migrate to \",[\"0\"],\" v3 Market\"],\"49UFQA\":\"Αποτελέσματα ψηφοφορίας\",\"4DMZUI\":\"View Transactions\",\"4HtGBb\":\"ΜΕΓΙΣΤΟ\",\"4Y5H+g\":\"Terms\",\"4YYh4d\":\"Maximum available to borrow\",\"4iPAI3\":\"Minimum GHO borrow amount\",\"4lDFps\":\"Sign to continue\",\"4wyw8H\":\"Transactions\",\"5JSSxX\":[\"Your \",[\"networkName\"],\" wallet is empty. Get free test assets at\"],\"5K7kGO\":\"τεκμηρίωση\",\"5NOSGa\":\"Debt ceiling limits the amount possible to borrow against this asset by protocol users. Debt ceiling is specific to assets in isolation mode and is denoted in USD.\",\"5Ncc6j\":[\"Αυτό το περιουσιακό στοιχείο έχει σχεδόν φτάσει στο όριο της προσφοράς του. Μόνο \",[\"messageValue\"],\" μπορεί να παρασχεθεί σε αυτή την αγορά.\"],\"5cZ/KX\":\"Η προσφορά μεταβλητού χρέους δεν είναι μηδενική\",\"5che++\":\"Για να ζητήσετε πρόσβαση σε αυτή την αδειοδοτημένη αγορά, επισκεφθείτε την ιστοσελίδα: <0>Όνομα Παρόχου Πρόσβασης\",\"5ctNdV\":[\"Minimum \",[\"0\"],\" received\"],\"5hDe9v\":\"Απαιτούμενη δράση επιδότησης\",\"5rsnKT\":\"Διαθέσιμες ανταμοιβές\",\"5yC5m5\":\"View all votes\",\"6/dCYd\":\"Επισκόπηση\",\"60crCe\":\"All transactions\",\"62Xcjh\":\"Εγγύηση\",\"65A04M\":\"Ισπανικά\",\"6G8s+q\":\"Signing\",\"6Jrv+z\":[\"Αποπληρωμή \",[\"symbol\"]],\"6NGLTR\":\"Discountable amount\",\"6Xr0UU\":\"Ψύξη...\",\"6bxci/\":\"Δύναμη ψήφου\",\"6f8S68\":\"Αγορές\",\"6g1gi0\":\"Προτάσεις\",\"6gvoHP\":\"Copy error message\",\"6h3Q5G\":\"repaid\",\"6lFSyT\":\"Available to Stake\",\"6s8L6f\":\"Αλλαγή Δικτύου\",\"6yAAbq\":\"APY, borrow rate\",\"70wH1Q\":\"APR\",\"72c5Qo\":\"Total\",\"73Auuq\":\"Discount parameters are decided by the Aave community and may be changed over time. Check Governance for updates and vote to participate. <0>Learn more\",\"75qcAQ\":[[\"stepName\"]],\"7ITr5L\":\"Συντελεστής υγείας\",\"7T/o5R\":\"Επιτεύχθηκε\",\"7YlcXu\":\"Fork mode is ON\",\"7Z76Iw\":\"Borrowing is unavailable because you’re using Isolation mode. To manage Isolation mode visit your <0>Dashboard.\",\"7aKlMS\":\"Share on Lens\",\"7er5fP\":\"Διεκδικήστε τα όλα\",\"7hb2+s\":\"Time remaining until the withdraw period ends.\",\"7l88b8\":\"Data couldn't be fetched, please reload graph.\",\"7p5kLi\":\"Ταμπλό\",\"7sofdl\":\"Withdraw and Switch\",\"8+6BI0\":\"Προσοχή - Είστε πολύ κοντά στην ρευστοποίηση. Εξετάστε το ενδεχόμενο να καταθέσετε περισσότερες εγγυήσεις ή να εξοφλήσετε κάποιες από τις δανειακές σας θέσεις\",\"87pUEW\":[\"Το πορτοφόλι σας \",[\"name\"],\" είναι άδειο. Αγοράστε ή μεταφέρετε περιουσιακά στοιχεία.\"],\"8F1i42\":\"Page not found\",\"8G8M0u\":\"Loading data...\",\"8Iu1QS\":\"withdrew\",\"8JL93T\":\"Όλες οι προτάσεις\",\"8Q51DU\":\"Add to wallet\",\"8X/oyn\":\"Μη έγκυρο ποσό για νομισματοκοπία\",\"8Z5FPv\":\"Αποσυνδέστε το πορτοφόλι\",\"8Zz7s5\":\"περιουσιακά στοιχεία\",\"8aLW8H\":\"Balance to revoke\",\"8bOT3H\":\"Ποσοστό χρησιμοποίησης\",\"8sLe4/\":\"View contract\",\"8t/M0y\":\"Please connect your wallet to be able to bridge your tokens.\",\"8vETh9\":\"Εμφάνιση\",\"94OHPx\":\"Εισέρχεστε σε λειτουργία απομόνωσης\",\"9CDK3/\":[\"Ο δανεισμός δεν είναι επί του παρόντος διαθέσιμος για \",[\"0\"],\".\"],\"9GIj3z\":\"Μέγεθος Αποθεματικού\",\"9Knqb4\":\"Staking balance\",\"9OBKm7\":\"Απαρτία\",\"9QHoGr\":\"Τρέχουσες ψήφοι\",\"9Rw96f\":[\"Αυτό το περιουσιακό στοιχείο έχει σχεδόν φτάσει στο όριο δανεισμού του. Υπάρχει μόνο \",[\"messageValue\"],\" διαθέσιμο για δανεισμό από αυτή την αγορά.\"],\"9Xj/qR\":[\"Some migrated assets will not be used as collateral due to enabled isolation mode in \",[\"marketName\"],\" V3 Market. Visit <0>\",[\"marketName\"],\" V3 Dashboard to manage isolation mode.\"],\"9c6vDV\":\"Αυτό το περιουσιακό στοιχείο έχει φτάσει στο όριο της προσφοράς του. Τίποτα δεν είναι διαθέσιμο για προμήθεια από αυτή την αγορά.\",\"9kTWHA\":\"MAI has been paused due to a community decision. Supply, borrows and repays are impacted. <0>More details\",\"9lXchd\":\"Underlying token\",\"9rWaKF\":\"Bridged Via CCIP\",\"9xSooW\":\"Δεδομένου ότι πρόκειται για ένα δοκιμαστικό δίκτυο, μπορείτε να αποκτήσετε οποιοδήποτε από τα περιουσιακά στοιχεία αν έχετε ETH στο πορτοφόλι σας\",\"A/lwoe\":\"Choose one of the on-ramp services\",\"A6dCI6\":[\"Maximum amount available to borrow is <0/> \",[\"0\"],\" (<1/>).\"],\"AReoaV\":\"Τα δάνεια σας\",\"ARu1L4\":\"Repaid\",\"AV7cGz\":\"Αναθεώρηση λεπτομερειών έγκρισης συναλλαγής\",\"AZOjB8\":\"Fetching data...\",\"Ai0jas\":\"Join the community discussion\",\"Ajl2rq\":\"Η δύναμη δανεισμού και τα περιουσιακά στοιχεία είναι περιορισμένα λόγω της λειτουργίας απομόνωσης.\",\"AqgYNC\":\"Protocol borrow cap at 100% for this asset. Further borrowing unavailable.\",\"B3EcQR\":\"Thank you for voting!!\",\"B6aXGH\":\"Σταθερό\",\"B9Gqbz\":\"Variable rate\",\"BDFEd+\":\"stETH supplied as collateral will continue to accrue staking rewards provided by daily rebases.\",\"BE2mP0\":\"Borrowed assets\",\"BJyN77\":\"Due to health factor impact, a flashloan is required to perform this transaction, but Aave Governance has disabled flashloan availability for this asset. Try lowering the amount or supplying additional collateral.\",\"BNL4Ep\":\"Η χρήση εγγύησης είναι περιορισμένη λόγω της λειτουργίας απομόνωσης. <0>Μάθετε περισσότερα\",\"BQ/wCO\":\"Migrate your assets\",\"BjLdl1\":\"At a discount\",\"BnhYo8\":\"Κατηγορία περιουσιακών στοιχείων\",\"Bq9Y7e\":\"This asset is frozen due to an Aave community decision. <0>More details\",\"BqWMDJ\":\"Βρύση\",\"BqynZO\":\"Optimized for efficiency and risk by supporting blue-chip collateral assets\",\"Bsu7zX\":\"The fee includes the gas cost to complete the transaction on the destination chain and the fee paid to Chainlink CCIP service providers. You can chose to pay in the network token or GHO. <0>Learn more\",\"BwJKBw\":\"of\",\"CDrsH+\":\"Techpaper\",\"CK1KXz\":\"Μεγιστο\",\"CMHmbm\":\"Slippage\",\"CZXzs4\":\"Greek\",\"CcRNG6\":\"Switching\",\"CkTRmy\":[\"Διεκδίκηση \",[\"symbol\"]],\"CsqtLm\":\"Please connect your wallet to see migration tool.\",\"CtGlFb\":[[\"networkName\"],\" Βρύση\"],\"Cxt2YY\":\"Watch wallet\",\"D33VQU\":\"This action will reduce health factor of V3 below liquidation threshold. Increase migrated collateral or reduce migrated borrow to continue.\",\"D9BLRG\":\"This asset has been paused due to a community decision. Supply, withdraw, borrows and repays are impacted.\",\"DAma/S\":\"Η εγγύηση είναι (ως επί το πλείστον) το ίδιο νόμισμα που δανείζεται\",\"DCnFg0\":[\"Addresses (\",[\"0\"],\")\"],\"DG3Lv1\":\"I fully understand the risks of migrating.\",\"DONJcV\":\"Το υποκείμενο περιουσιακό στοιχείο δεν μπορεί να διασωθεί\",\"DR+4uL\":\"Supply balance after switch\",\"DWjrck\":[\"Asset cannot be migrated to \",[\"marketName\"],\" V3 Market due to E-mode restrictions. You can disable or manage E-mode categories in your <0>V3 Dashboard\"],\"Dj+3wB\":\"Aave ανά μήνα\",\"DuEq2K\":\"Εξασφάλιση\",\"DxfsGs\":\"You can report incident to our <0>Discord or<1>Github.\",\"Dzma+E\":\"Main Ethereum market with the largest selection of assets and yield options\",\"E/QGRL\":\"Απενεργοποιημένο\",\"EBL9Gz\":\"COPIED!\",\"ES8dkb\":\"Fixed rate\",\"EZd3Dk\":[\"Restaking \",[\"symbol\"]],\"Ebgc76\":[\"Ανάληψη \",[\"symbol\"]],\"EdQY6l\":\"Κανένα\",\"EjvKQ+\":\"Minimum USD value received\",\"Enslfm\":\"Destination\",\"EvE9nO\":[\"Reactivate cooldown period to unstake \",[\"0\"],\" \",[\"stakedToken\"]],\"EvECnL\":\"Migrate to v3\",\"EzMQbh\":\"The source chain time to finality is the main factor that determines the time to destination. <0>Learn more\",\"F40cwT\":\"Legacy Markets\",\"F6TdXL\":\"Μάθετε περισσότερα.\",\"FDDPeZ\":\"Users can stake their assets in the protocol and earn incentives. In the case of a shortfall event, your stake can be slashed to cover the deficit, providing an additional layer of protection for the protocol.\",\"FHlMf/\":\"Current v2 balance\",\"FHpxjF\":[\"Reserve factor is a percentage of interest which goes to a \",[\"0\"],\" that is controlled by Aave governance to promote ecosystem growth.\"],\"FOBZa6\":\"Δανεισμός χρησιμοποιημένης ισχύος\",\"FPKEug\":\"Η λειτουργία δεν υποστηρίζεται\",\"FbmMe7\":\"Linked addresses\",\"Fdp03t\":\"ενεργοποίηση\",\"Fjw9N+\":\"Περιουσιακά στοιχεία προς προμήθεια\",\"FmN0fk\":\"Restake\",\"GDGLIs\":\"GHO is a native decentralized, collateral-backed digital asset pegged to USD. It is created by users via borrowing against multiple collateral. When user repays their GHO borrow position, the protocol burns that user's GHO. All the interest payments accrued by minters of GHO would be directly transferred to the AaveDAO treasury.\",\"GQrBTq\":\"Switch E-Mode\",\"GWswcZ\":\"This asset is frozen due to an Aave Protocol Governance decision. On the 20th of December 2022, renFIL will no longer be supported and cannot be bridged back to its native network. It is recommended to withdraw supply positions and repay borrow positions so that renFIL can be bridged back to FIL before the deadline. After this date, it will no longer be possible to convert renFIL to FIL. <0>More details\",\"GX8GKD\":\"Περιουσιακά Στοιχεία\",\"GgEj+0\":\"Read-only mode. Connect to a wallet to perform transactions.\",\"GjkIKV\":\"τελειώνει\",\"GoK/QN\":\"Thank you for submitting feedback!\",\"GtP2hp\":[\"Ο δανεισμός δεν είναι διαθέσιμος επειδή έχετε ενεργοποιήσει τη λειτουργία Αποδοτικότητας (E-Mode) για την κατηγορία \",[\"0\"],\". Για να διαχειριστείτε τις κατηγορίες E-Mode επισκεφθείτε τον <0>Πίνακα ελέγχου.\"],\"H6Ma8Z\":\"Discount\",\"HB/wfS\":[[\"tooltipText\"]],\"HKDsQN\":\"Rewards can be claimed through\",\"Ha/U5f\":\"This is a program initiated and implemented by the decentralised ZKSync community. Aave Labs does not guarantee the program and accepts no liability.\",\"HciqKU\":\"This is a program initiated and implemented by the decentralised Aave community. Aave Labs does not guarantee the program and accepts no liability.\",\"Hi6Ttn\":\"Sorry, an unexpected error happened. In the meantime you may try reloading the page, or come back later.\",\"HkEDbS\":[[\"d\"],\"η\"],\"HmkYqM\":\"Παράθυρο ξεκλειδώματος\",\"HpK/8d\":\"Reload\",\"HrnC47\":\"Save and share\",\"HuVZMK\":\"Days\",\"HvJKMU\":[\"Asset cannot be migrated to \",[\"marketName\"],\" v3 Market since collateral asset will enable isolation mode.\"],\"Hvwnm9\":[\"Maximum amount available to supply is limited because protocol supply cap is at \",[\"0\"],\"%.\"],\"I8CX2c\":\"Το συνολικό ποσό των περιουσιακών σας στοιχείων σε δολάρια ΗΠΑ που μπορούν να χρησιμοποιηθούν ως εγγύηση για δανεισμό περιουσιακών στοιχείων.\",\"IAD2SB\":[\"Claiming \",[\"symbol\"]],\"IG9X9/\":\"Borrowing of this asset is limited to a certain amount to minimize liquidity pool insolvency.\",\"IOIx8L\":\"This asset is planned to be offboarded due to an Aave Protocol Governance decision. <0>More details\",\"IP+I/j\":\"Περίοδος ψύξης\",\"IaA40H\":\"Ρευστοποίηση στο\",\"J/hVSQ\":[[\"0\"]],\"JCoxL6\":\"Manage analytics\",\"JK9zf1\":[\"Estimated compounding interest, including discount for Staking \",[\"0\"],\"AAVE in Safety Module.\"],\"JOqFba\":[\"Unstaking \",[\"symbol\"]],\"JPrLjO\":\"Δεν μπορείτε να χρησιμοποιήσετε αυτό το νόμισμα ως εγγύηση\",\"JU6q+W\":\"Ανταμοιβή(ες) προς διεκδίκηση\",\"JYKRJS\":\"Κλειδώστε\",\"JZMxX0\":\"Δεν υπάρχει αρκετό υπόλοιπο στο πορτοφόλι σας\",\"Jgflkm\":\"Get GHO\",\"JoMQnI\":\"Υπόλοιπο πορτοφολιού\",\"JtwD8u\":\"Borrow balance after repay\",\"JumYTK\":\"Supplied assets\",\"K05qZY\":\"Withdraw & Switch\",\"KAz/NV\":\"Protocol debt ceiling is at 100% for this asset. Further borrowing against this asset is unavailable.\",\"KLXVqE\":[\"stETH tokens will be migrated to Wrapped stETH using Lido Protocol wrapper which leads to supply balance change after migration: \",[\"0\"]],\"KLd6ky\":\"Use connected account\",\"KRpokz\":\"VIEW TX\",\"KSlpka\":\"Αυτό αντιπροσωπεύει το κατώτατο όριο στο οποίο μια θέση δανεισμού θα θεωρηθεί υποεγγυημένη και θα υπόκειται σε ρευστοποίηση για κάθε εγγύηση. Για παράδειγμα, εάν μια εγγύηση έχει κατώτατο όριο ρευστοποίησης 80%, αυτό σημαίνει ότι η θέση θα ρευστοποιηθεί όταν η αξία του χρέους ανέρχεται στο 80% της αξίας της εγγύησης.\",\"KYAjf3\":\"Απομονωμένο\",\"KZwRuD\":[[\"notifyText\"]],\"KkPgim\":\"Switching E-Mode\",\"KnN1Tu\":\"Λήγει\",\"KoOBI2\":\"Due to internal stETH mechanics required for rebasing support, it is not possible to perform a collateral switch where stETH is the source token.\",\"KojyJ4\":\"Λάθος δίκτυο\",\"KsqhWn\":\"Κλείδωμα\",\"KuBTQq\":\"Εισάγετε διεύθυνση ETH\",\"KvG1xW\":\"Διεκδίκηση\",\"L+8Lzs\":\"Τρέχον LTV\",\"L+qiq+\":\"Αγορά\",\"LDzfVJ\":\"Send Feedback\",\"LIrMcF\":\"Δεν υπάρχει δικαίωμα ψήφου\",\"LL0zks\":\"Μπορεί να αποτελέσει εγγύηση\",\"LLdJWu\":\"Διεκδικήσιμο AAVE\",\"LSIpNK\":\"Δεν επιτρέπεται ο δανεισμός και η αποπληρωμή στο ίδιο block\",\"LVt3TI\":[\"<0>Slippage tolerance <1>\",[\"selectedSlippage\"],\"% <2>\",[\"0\"],\"\"],\"LjafV8\":\"Maximum collateral amount to use\",\"LtpQew\":\"Let us know how we can make the app better for you. For user support related inquiries please reach out on\",\"LvVpD/\":\"Emode\",\"M2sknc\":\"Tip: Try increasing slippage or reduce input amount\",\"M7wPsD\":\"Switch\",\"MFu33y\":\"Staking 00\",\"MIy2RJ\":\"Maximum amount received\",\"MZ/nQf\":\"Διεύθυνση παραλήπτη\",\"Ma/MtY\":\"προβολή κλειδώματος\",\"McHlGl\":\"APY change\",\"MeCCA+\":\"APY, μεταβλητό\",\"MghdTe\":\"Εάν ο συντελεστής υγείας πέσει κάτω από το 1, ενδέχεται να ενεργοποιηθεί η ρευστοποίηση των εγγυήσεών σας.\",\"Mm/DVQ\":\"Ακυρώσατε τη συναλλαγή.\",\"MnE2QX\":\"Borrow info\",\"MrmQHg\":\"View Bridge Transactions\",\"MuDFEQ\":\"Μη έγκυρη τιμή επιστροφής της συνάρτησης εκτελεστή flashloan\",\"N5kUMV\":\"Asset can be only used as collateral in isolation mode with limited borrowing power. To enter isolation mode, disable all other collateral.\",\"N6Pxr9\":\"View all\",\"NF0e1Q\":\"Εκκρεμεί...\",\"NK9ikO\":\"Wallet Balance\",\"NMt2CB\":\"Amount claimable\",\"NcFGxG\":\"Collector Contract\",\"NfpPeS\":\"Τίποτα κλειδωμένο\",\"Nh9DAo\":[[\"m\"],\"λ\"],\"O+sCUU\":\"Υπέρβαση του ανώτατου ορίου νομισματοκοπείου χωρίς αντίκρισμα\",\"O+tyU+\":[\"Maximum amount available to borrow against this asset is limited because debt ceiling is at \",[\"0\"],\"%.\"],\"O3oNi5\":\"Email\",\"OFjZGo\":\"Unstake\",\"OR8cYX\":\"Επισκόπηση πρότασης\",\"OYuJ9K\":\"Protocol debt ceiling is at 100% for this asset. Futher borrowing against this asset is unavailable.\",\"OfhWJH\":\"Reset\",\"Og2SKn\":\"απενεργοποιημένο\",\"On0aF2\":\"Website\",\"OsyKSt\":\"Ανάληψη\",\"P1dURE\":\"Revoke power\",\"P2WCD/\":[\"Underlying asset does not exist in \",[\"marketName\"],\" v3 Market, hence this position cannot be migrated.\"],\"P2sL6B\":\"Όταν πραγματοποιείται ρευστοποίηση, οι ρευστοποιητές επιστρέφουν έως και το 50% του ανεξόφλητου δανεισμένου ποσού για λογαριασμό του δανειολήπτη. Σε αντάλλαγμα, μπορούν να αγοράσουν τις εξασφαλίσεις με έκπτωση και να κρατήσουν τη διαφορά (ποινή ρευστοποίησης) ως μπόνους.\",\"P6sRoL\":\"Stake ABPT\",\"P72/OW\":\"Ο σταθμισμένος μέσος όρος του APY για όλα τα δανειακά περιουσιακά στοιχεία, συμπεριλαμβανομένων των κινήτρων.\",\"P7e6Ug\":\"Please connect your wallet to view transaction history.\",\"PByO0X\":\"Votes\",\"PI+kVe\":\"Disable fork\",\"PJK9u/\":\"Borrow apy\",\"PLUB/s\":\"Fee\",\"PP5ZA8\":[\"Participating in staking \",[\"symbol\"],\" gives annualized rewards. Your wallet balance is the sum of your aTokens and underlying assets. The breakdown to stake is below\"],\"PcBUgb\":\"Κατώτατο όριο ρευστοποίησης\",\"PjU6bu\":\"This asset is eligible for SPK incentive program. Aave Labs does not guarantee the program and accepts no liability.\",\"PpqD5g\":\"Η ενεργοποίηση αυτού του περιουσιακού στοιχείου ως εγγύηση αυξάνει τη δανειοληπτική σας ικανότητα και τον Συντελεστή Υγείας. Ωστόσο, μπορεί να ρευστοποιηθεί εάν ο συντελεστής υγείας σας πέσει κάτω από το 1.\",\"PsOFSf\":\"This action will reduce V2 health factor below liquidation threshold. retain collateral or migrate borrow position to continue.\",\"Pu4bI/\":[[\"currentMethod\"]],\"Q0LzKi\":\"View TX\",\"Q4eNqa\":\"The Aave Balancer Pool Token (ABPT) is a liquidity pool token. You can receive ABPT by depositing a combination of AAVE + wstETH in the Balancer liquidity pool. You can then stake your BPT in the Safety Module to secure the protocol and earn Safety Incentives.\",\"QQYsQ7\":\"Withdrawing\",\"QWYCs/\":\"Stake GHO\",\"R+30X3\":\"Δεν έχει επιτευχθεί\",\"RCU5PY\":\"Age\",\"RIfckG\":[\"Απενεργοποίηση \",[\"symbol\"],\" ως εγγύηση\"],\"RMtxNk\":\"Διαφορικό\",\"RNK49r\":\"Μη έγκυρη υπογραφή\",\"RS0o7b\":\"Κατάσταση\",\"RU+LqV\":\"Λεπτομέρειες πρότασης\",\"RYTgZX\":\"lorem ipsum\",\"RbXH+k\":\"AAVE, GHO, and ABPT holders (Ethereum network only) can stake their assets in the Safety Module to add more security to the protocol and earn Safety Incentives. In the case of a shortfall event, your stake can be slashed to cover the deficit, providing an additional layer of protection for the protocol.\",\"RiSYV4\":\"Το περιουσιακό στοιχείο δεν περιλαμβάνεται στον κατάλογο\",\"Rj01Fz\":\"Σύνδεσμοι\",\"RmWFEe\":\"Κλείδωμα APR\",\"RoafuO\":\"Send feedback\",\"RtBLm7\":\"Ο συντελεστής υγείας είναι μικρότερος από το όριο ρευστοποίησης\",\"RxzN1M\":\"Ενεργοποιημένο\",\"SDav7h\":\"Κεφάλαια στην Μονάδα Ασφάλειας\",\"SENccp\":\"If the error continues to happen,<0/> you may report it to this\",\"SIWumd\":\"Show Frozen or paused assets\",\"SM58dD\":\"Amount in cooldown\",\"SSMiac\":\"Failed to load proposal voters. Please refresh the page.\",\"SSQVIz\":\"Liquidation Threshold\",\"SUb8x0\":\"Σύνολο διαθέσιμων\",\"SWIgh4\":\"Fees exceed wallet balance\",\"SY9hVo\":\"Read-only mode allows to see address positions in Aave, but you won't be able to perform transactions.\",\"SZRUQ4\":\"Max slippage\",\"Sa1UE/\":\"Protocol borrow cap is at 100% for this asset. Further borrowing unavailable.\",\"Sk2zW9\":\"Απενεργοποίηση E-Mode\",\"SxaD0o\":\"Ο πάροχος διευθύνσεων κοινόχρηστων ταμείων δεν είναι εγγεγραμμένος\",\"T/AIqG\":\"Protocol supply cap at 100% for this asset. Further supply unavailable.\",\"T0xCO9\":\"Can't validate the wallet address. Try again.\",\"T4OhVl\":\"GHO balance\",\"T6uYU2\":\"Δανεισμός\",\"TFxQlw\":\"Ποινή ρευστοποίησης\",\"TQ7WsV\":\"Available to stake\",\"TUI7iB\":\"To περιουσιακό στοιχείο μπορεί να χρησιμοποιηθεί ως εγγύηση μόνο σε λειτουργία απομόνωσης.\",\"TbjyhA\":\"Docs\",\"TduuS0\":\"Ο χρήστης δεν έχει ανεξόφλητο χρέος σταθερού επιτοκίου σε αυτό το αποθεματικό\",\"TeCFg/\":\"Borrow rate change\",\"Tg1JyO\":\"Bridge history\",\"TskbEN\":\"Holders of stkAAVE receive a discount on the GHO borrowing rate\",\"TszKts\":\"Borrow balance after switch\",\"TtZL6q\":\"Discount model parameters\",\"TwJI9F\":\"Asset has been successfully sent to CCIP contract. You can check the status of the transactions below\",\"Tz0GSZ\":\"blocked activities\",\"U/eBjN\":\"Reload the page\",\"U2r8nY\":\"Choose how much voting/proposition power to give to someone else by delegating some of your AAVE, stkAAVE or aAave balance. Your tokens will remain in your account, but your delegate will be able to vote or propose on your behalf. If your AAVE, stkAAVE or aAave balance changes, your delegate's voting/proposition power will be automatically adjusted.\",\"U8IubP\":\"The app is running in testnet mode. Learn how it works in\",\"U9btTk\":\"Το περιουσιακό στοιχείο δεν είναι δανείσιμο σε λειτουργία απομόνωσης\",\"UAOZRe\":\"Price impact is the spread between the total value of the entry tokens switched and the destination tokens obtained (in USD), which results from the limited liquidity of the trading pair.\",\"UE3KJZ\":\"Transaction history is not currently available for this market\",\"URmyfc\":\"Λεπτομέρειες\",\"UTTKmT\":\"Stake cooldown activated\",\"UXeR72\":\"Τα κεφάλαια αυτά έχουν δανειστεί και δεν είναι διαθέσιμα για ανάληψη αυτή τη στιγμή.\",\"UYb8CM\":\"Learn more about the SPK rewards\",\"UbRrG0\":\"Ο δείκτης μέγιστου LTV αντιπροσωπεύει τη μέγιστη δανειοληπτική ικανότητα μιας συγκεκριμένης εγγύησης. Για παράδειγμα, εάν μια εγγύηση έχει LTV 75%, ο χρήστης μπορεί να δανειστεί έως και 0,75 ETH στο κύριο νόμισμα για κάθε 1 ETH αξίας εγγύησης.\",\"UpndFj\":\"Δεν υπάρχουν ανταμοιβές για διεκδίκηση\",\"V0f2Xv\":\"Reserve factor\",\"V1HK43\":\"Migration risks\",\"VATFH9\":\"Covered debt\",\"VHOVEJ\":\"Συνδέστε το πορτοφόλι\",\"VMfYUK\":\"Ασφάλεια των κατατεθειμένων εξασφαλίσεών σας έναντι των δανειζόμενων περιουσιακών στοιχείων και της υποκείμενης αξίας τους.\",\"VOAZJh\":\"Σύνολο δανείων\",\"ViKYxK\":\"ΥΠΕΡ\",\"W1SSoD\":\"Αναθεώρηση λεπτομερειών συναλλαγής\",\"W5hVah\":\"Τίποτα δεν έχει παρασχεθεί ακόμη\",\"W5kTFy\":\"Voting\",\"W8ekPc\":\"Back to Dashboard\",\"WMPbRK\":\"Μη υποστηριζόμενο\",\"WNGZwH\":\"Το E-Mode αυξάνει το LTV σας για μια επιλεγμένη κατηγορία περιουσιακών στοιχείων έως και <0/>. <1>Μάθετε περισσότερα\",\"WPWG/y\":\"Κατάσταση & διαμόρφωση αποθεματικού\",\"WZLQSU\":\"Ο χρήστης δεν μπορεί να κάνει ανάληψη μεγαλύτερη από το διαθέσιμο υπόλοιπο\",\"WaZyaV\":\"<0>Ampleforth is a rebasing asset. Visit the <1>documentation to learn more.\",\"WfU+XN\":\"Because this asset is paused, no actions can be taken until further notice\",\"Wjmqs2\":\"No results found. You can import a custom token with a contract address\",\"WkZ6C6\":\"Για να δανειστείτε πρέπει να προσκομίσετε οποιοδήποτε περιουσιακό στοιχείο που θα χρησιμοποιηθεί ως εγγύηση.\",\"WyMiQm\":\"You've successfully switched tokens.\",\"X/ITG9\":\"Κείμενο σφάλματος αντιγραφής\",\"X3Pp6x\":\"Χρησιμοποιείται ως εγγύηση\",\"X4Zt7j\":\"Η ενέργεια δεν μπορεί να εκτελεστεί επειδή η εφεδρεία βρίσκεται σε παύση\",\"XBdKOj\":\"Representative smart contract wallet (ie. Safe) addresses on other chains.\",\"XZzneG\":\"Θα βγείτε από τη λειτουργία απομόνωσης και άλλα tokens μπορούν πλέον να χρησιμοποιηθούν ως εγγύηση\",\"Xg5y9S\":\"Amount to Bridge\",\"Xn4hUi\":\"Please always be aware of your <0>Health Factor (HF) when partially migrating a position and that your rates will be updated to V3 rates.\",\"Xy71ST\":\"Umbrella\",\"Y5kGkc\":\"ΨΗΦΙΣΤΕ ΚΑΤΑ\",\"YDIOks\":\"Ενεργοποίηση E-Mode\",\"YSodyW\":\"This action will reduce your health factor. Please be mindful of the increased risk of collateral liquidation.\",\"YXOWXM\":\"The total amount bridged minus CCIP fees. Paying in network token does not impact gho amount.\",\"YirHq7\":\"Feedback\",\"YogbCJ\":\"Testnet mode is ON\",\"YrDxdO\":\"Εάν το δάνειο προς αξία υπερβεί το όριο ρευστοποίησης, η παρεχόμενη εγγύηση σας μπορεί να ρευστοποιηθεί.\",\"YyIM65\":\"Δεν τηρήθηκαν οι όροι επανεξισορρόπησης των επιτοκίων\",\"YyydIq\":[\"Add \",[\"0\"],\" to wallet to track your balance.\"],\"ZBvhI+\":\"Διακυβέρνηση Aave\",\"ZIIRAd\":\"Raw-Ipfs\",\"ZRq4tX\":\"Λειτουργία αποδοτικότητας (E-Mode)\",\"ZSqEW+\":\"Manage E-Mode\",\"ZUFYFE\":\"Disable testnet\",\"Zbyywy\":\"Μέγιστη περικοπή\",\"ZfUGFb\":\"Πριν από την προμήθεια\",\"ZiXN+B\":\"Assets to stake\",\"ZlsSDH\":\"Αξία ρευστοποίησης\",\"ZrEc8j\":\"We couldn't find any assets related to your search. Try again with a different asset name, symbol, or address.\",\"ZsLF7e\":\"ενεργοποιημένο\",\"a0YQoQ\":\"Enter a valid address\",\"a2fBZn\":\"Χρόνος που απομένει για το ξεκλείδωμα\",\"a5RYZd\":\"Η απενεργοποίηση αυτού του περιουσιακού στοιχείου ως εγγύηση επηρεάζει τη δανειοληπτική σας ικανότητα και τον Συντελεστή Υγείας.\",\"a7u1N9\":\"Price\",\"a9D+6D\":\"Unstaked\",\"aEtiwq\":\"Ψηφίστε ΚΑΤΑ\",\"aMmFE1\":\"Buy Crypto With Fiat\",\"aOKIms\":\"Οι παράμετροι της συστοιχίας που θα έπρεπε να είναι ίσου μήκους δεν είναι\",\"aX31hk\":\"Your balance is lower than the selected amount.\",\"adUsDd\":\"An error has occurred fetching the proposal.\",\"al6Pyz\":\"Exceeds the discount\",\"aoXTT7\":\"Δανεισμός APY, μεταβλητό\",\"aqX1Yp\":\"This asset is eligible for rewards through SuperFest. Aave Labs does not guarantee the program and accepts no liability.\",\"avgETN\":\"Eligible for the Merit program.\",\"b4NS3e\":\"Προειδοποίηση περιόδου ψύξης\",\"bNEQeI\":\"Cooldown\",\"bSruit\":\"ZKSync Ignite Program rewards are claimed through the\",\"bUUVED\":\"Περιουσιακό στοιχείο\",\"bXQ/Og\":\"Μοιραστείτε το στο twitter\",\"bXr0ee\":\"Τα απομονωμένα περιουσιακά στοιχεία έχουν περιορισμένη δανειοληπτική ικανότητα και άλλα περιουσιακά στοιχεία δεν μπορούν να χρησιμοποιηθούν ως εγγύηση.\",\"bYmAV1\":\"Addresses\",\"bguKoJ\":\"Το αιτούμενο ποσό είναι μεγαλύτερο από το μέγιστο μέγεθος δανείου στη λειτουργία σταθερού επιτοκίου\",\"bwSQI0\":\"Προσφορά\",\"bxN6EM\":\"Cannot disable E-Mode\",\"bxmzSh\":\"Δεν υπάρχουν επαρκείς εγγυήσεις για την αποπληρωμή αυτού του ποσού χρέους με\",\"c91vuQ\":\"Η διεύθυνση δεν είναι συμβόλαιο\",\"c97os2\":\"Aave aToken\",\"c9b44w\":\"Δεν μπορείτε να αποσύρετε αυτό το ποσό, διότι θα προκληθεί κλήση εγγύησης\",\"cBc+4A\":\"Αυτό είναι το συνολικό ποσό που μπορείτε να δανειστείτε. Μπορείτε να δανειστείτε με βάση την εξασφάλισή σας και μέχρι να επιτευχθεί το ανώτατο όριο δανεισμού.\",\"cIl5kp\":\"Your voting power is based on your AAVE/stkAAVE balance and received delegations.\",\"cLo09S\":\"Λεπτομέρειες κινδύνου\",\"cNT+ij\":\"Ο δανεισμός δεν είναι διαθέσιμος επειδή έχετε ενεργοποιήσει τη Λειτουργία Αποδοτικότητας (E-Mode) και τη λειτουργία Απομόνωσης. Για να διαχειριστείτε τη λειτουργία E-Mode και τη λειτουργία Απομόνωσης, επισκεφθείτε τον <0>Πίνακα ελέγχου.\",\"cZOeBk\":\"Something went wrong fetching bridge message, please try again later.\",\"ceix5S\":\"To submit a proposal for minor changes to the protocol, you'll need at least 80.00K power. If you want to change the core code base, you'll need 320k power.<0>Learn more.\",\"ciybUa\":\"Ψηφίστε ΥΠΕΡ\",\"ckf7gX\":[\"Αποπληρώνοντας \",[\"symbol\"]],\"cp1ZDP\":[\"Bridge \",[\"symbol\"]],\"cqnmnD\":\"Effective interest rate\",\"cqwIvs\":\"Συζήτηση φόρουμ\",\"csDS2L\":\"Διαθέσιμο\",\"cu7Stb\":\"Δεν συμμετείχατε στην παρούσα πρόταση\",\"dE6BLF\":\"Διακυβέρνηση\",\"dEgA5A\":\"Cancel\",\"dIsyWh\":\"Η επικύρωση του Ltv απέτυχε\",\"dMtLDE\":\"to\",\"dOB5nW\":[\"Maximum amount available to supply is <0/> \",[\"0\"],\" (<1/>).\"],\"dVfODp\":\"Δεν έχετε αρκετά χρήματα στο πορτοφόλι σας για να αποπληρώσετε ολόκληρο το ποσό. Εάν προχωρήσετε στην αποπληρωμή με το τρέχον ποσό των χρημάτων σας, θα εξακολουθείτε να έχετε μια μικρή θέση δανεισμού στο ταμπλό σας.\",\"dXUQFX\":\"Περιουσιακά στοιχεία προς δανεισμό\",\"dgr1aY\":\"Borrowing is disabled due to an Aave community decision. <0>More details\",\"djsg0o\":\"Χρησιμοποίηση εγγυήσεων\",\"dpc0qG\":\"Μεταβλητό\",\"drdV8R\":\"Liquidation\",\"dxW8cS\":\"Aave debt token\",\"e4V3oW\":\"Top 10 addresses\",\"eD8WX/\":\"Η δράση απαιτεί ενεργό απόθεμα\",\"eJRJ04\":\"Amount to unstake\",\"eLh0cL\":\"Slippage is the difference between the quoted and received amounts from changing market conditions between the moment the transaction is submitted and its verification.\",\"ePK91l\":\"Edit\",\"eVpCmf\":\"Staking Rewards\",\"eVqvtf\":\"Bridge GHO\",\"eYdurp\":\"No transactions yet.\",\"ebLGGN\":\"Σύνολο δανεικών\",\"ecqEvn\":\"Το υπόλοιπο των εγγυήσεων είναι 0\",\"efdrrk\":\"Available on\",\"enruNF\":\"starts\",\"eqLYiD\":\"Ξεκλειδώστε τώρα\",\"euScGB\":\"APY with discount applied\",\"evw5ha\":\"Καθαρή αξία\",\"ezcU16\":\"Get ABP Token\",\"f3W0Ej\":[\"Αλλάξατε σε ποσοστό \",[\"0\"]],\"fH9i8k\":\"You've successfully switched borrow position.\",\"fHcELk\":\"Καθαρό APR\",\"fMJQZK\":\"Borrowed\",\"fZ5Vnu\":\"Received\",\"firl9Q\":\"Το τρέχον δάνειο προς αξία με βάση τις παρεχόμενες εξασφαλίσεις σας.\",\"flRCF/\":\"Staking discount\",\"fldjW9\":\"Preview tx and migrate\",\"fsBGk0\":\"Υπόλοιπο\",\"fu1Dbh\":[\"Ανάληψη \",[\"symbol\"]],\"fwjWSI\":\"Supplied\",\"fwyTMb\":\"Migrate to stkABPT v2\",\"g0mals\":\"You can not disable E-Mode because that could cause liquidation. To exit E-Mode supply or repay borrowed positions.\",\"g2UNkE\":\"Powered by\",\"g8KGoA\":\"FAQS\",\"g9zzqS\":\"Voted NAY\",\"gDd2gk\":\"about SuperFest.\",\"gFFh9h\":\"Όλα έτοιμα!\",\"gIMJlW\":\"Λειτουργία Testnet\",\"gOzPxe\":\"This asset is frozen due to an Aave Protocol Governance decision. <0>More details\",\"gTHi2T\":\"Ο χρήστης προσπαθεί να δανειστεί πολλαπλά περιουσιακά στοιχεία, συμπεριλαμβανομένου ενός απομονωμένου περιουσιακού στοιχείου\",\"gVW59Y\":\"Please connect your wallet to get free testnet assets.\",\"gcFNxP\":\"Approve Confirmed\",\"gncRUO\":\"This address is blocked on app.aave.com because it is associated with one or more\",\"goff7V\":\"Η μηδενική διεύθυνση δεν είναι έγκυρη\",\"gp+f1B\":\"Version 3\",\"gr8mYw\":\"You may borrow up to <0/> GHO at <1/> (max discount)\",\"gvTM4B\":\"Το καθαρό ΑΡΥ είναι η συνδυασμένη επίδραση όλων των θέσεων προσφοράς και δανεισμού στην καθαρή αξία, συμπεριλαμβανομένων των κινήτρων. Είναι δυνατόν να υπάρχει αρνητικό καθαρό APY εάν το χρεωστικό APY είναι υψηλότερο από το προσφερόμενο APY.\",\"gzcch9\":\"Μη έγκυρη αμοιβή πρωτοκόλλου γέφυρας\",\"h33MxW\":\"Representing smart contract wallet (ie. Safe) addresses on other chains.\",\"h3ilK+\":\".CSV\",\"hB23LY\":\"Activate Cooldown\",\"hIJzBh\":\"Available to Claim\",\"hIS4N0\":\"Καθαρό APY\",\"hRWvpI\":\"Claimed\",\"hdmy/o\":\"Το % της συνολικής δανειοληπτικής σας δύναμης που χρησιμοποιείται. Αυτό βασίζεται στο ποσό της παρεχόμενης εξασφάλισής σας και στο συνολικό ποσό που μπορείτε να δανειστείτε.\",\"hehnjM\":\"Ποσό\",\"hjDCQr\":\"Υπήρξε κάποιο σφάλμα. Προσπαθήστε να αλλάξετε τις παραμέτρους ή <0><1>αντιγράψτε το σφάλμα\",\"hom7qf\":\"Διεκδίκηση\",\"hpHJ4I\":\"Liquidated collateral\",\"hpuVIp\":\"Users who stake AAVE in Safety Module (i.e. stkAAVE holders) receive a discount on GHO borrow interest rate.\",\"huQ6Tz\":[\"Δανεισμός \",[\"symbol\"]],\"hxi7vE\":\"Borrow balance\",\"i2JTiw\":\"You may enter a custom amount in the field.\",\"iB5+/J\":\"About GHO\",\"iChbOF\":\"Ασυνεπείς παράμετροι flashloan\",\"iEPVHF\":\"Δεν έχει αρκετή δύναμη ψήφου για να συμμετάσχει στην παρούσα πρόταση\",\"iEW87X\":\"Delegated power\",\"iEju36\":[\"Ψηφίσατε \",[\"0\"]],\"iFq2YN\":\"Borrowable\",\"iGxyIA\":\"Safety Module\",\"iMVZk9\":\"Select slippage tolerance\",\"iPMIoT\":\"Εισάγετε ένα ποσό\",\"iSLIjg\":\"Connect\",\"iUo5rv\":\"tokens δεν είναι το ίδιο με το να τα κλειδώνετε. Εάν επιθυμείτε να κλειδώσετε τα\",\"iZxa38\":\"Use it to vote for or against active proposals.\",\"if5PH+\":\"Collector Info\",\"igkfR1\":[\"In Isolation mode, you cannot supply other assets as collateral. A global debt ceiling limits the borrowing power of the isolated asset. To exit isolation mode disable \",[\"0\"],\" as collateral before borrowing another asset. Read more in our <0>FAQ\"],\"il0sEG\":\"H χρήση εγγυήσεων είναι περιορισμένη λόγω της λειτουργίας Απομόνωσης.\",\"j+K1Xj\":\"Amount After Fee\",\"jA2QeW\":\"Προμηθεύοντας το\",\"jFi7dz\":\"Interest rate that is determined by Aave Governance. This rate may be changed over time depending on the need for the GHO supply to contract/expand. <0>Learn more\",\"jG3UJ7\":\"Απενεργοποίηση E-Mode\",\"jKYzR1\":\"Ενεργοποίηση E-Mode\",\"jMam5g\":[[\"0\"],\" Υπόλοιπο\"],\"jSYv+Z\":\"Enabling E-Mode allows you to maximize your borrowing power, however, borrowing is restricted to assets within the selected category. <0>Learn more about how it works and the applied restrictions.\",\"jaKbwW\":[[\"s\"],\"δ\"],\"jbFMap\":\"Χρόνος ψύξης που έχει απομείνει\",\"jeMZNr\":[[\"0\"],\" on-ramp service is provided by External Provider and by selecting you agree to Terms of the Provider. Your access to the service might be reliant on the External Provider being operational.\"],\"jfl9OP\":\"Migrated\",\"jmXdoY\":\"Στο E-Mode ορισμένα περιουσιακά στοιχεία δεν είναι δανείσιμα. Βγείτε από το E-Mode για να αποκτήσετε πρόσβαση σε όλα τα περιουσιακά στοιχεία\",\"jpctdh\":\"View\",\"jqzUyM\":\"Μη διαθέσιμο\",\"k/sb6z\":\"Επιλέξτε γλώσσα\",\"k3wP3f\":\"<0>Attention: Parameter changes via governance can alter your account health factor and risk of liquidation. Follow the <1>Aave governance forum for updates.\",\"kACpF3\":[\"Διεκδίκηση \",[\"0\"]],\"kH6wUX\":\"Επίδραση στην τιμή\",\"kIC28N\":\"Available to claim\",\"kIpSye\":[[\"numSelected\"],\"/\",[\"numAvailable\"],\" assets selected\"],\"kN1Yg5\":\"Για την εξόφληση εκ μέρους ενός χρήστη απαιτείται ένα ρητό ποσό προς εξόφληση\",\"kRTD40\":[\"Repayment amount to reach \",[\"0\"],\"% utilization\"],\"kjN9tT\":\"Υπέρβαση του ανώτατου ορίου προσφοράς\",\"knxE+G\":\".JSON\",\"ks2LWT\":\"Το ανώτατο όριο χρέους δεν είναι μηδενικό\",\"kwwn6i\":\"Users who stake AAVE in Safety Module (i.e. stkAAVE holders) receive a discount on GHO borrow interest rate. The discount applies to 100 GHO for every 1 stkAAVE held. Use the calculator below to see GHO borrow rate with the discount applied.\",\"kz3wtK\":\"and about SPK program\",\"kzZyM4\":\"DAI balance will be converted via DSR contracts and then supplied as sDAI. Switching incurs no additional costs and no slippage.\",\"lNVG7i\":\"Select an asset\",\"lU2d1/\":[\"Asset cannot be migrated due to insufficient liquidity or borrow cap limitation in \",[\"marketName\"],\" v3 market.\"],\"lVhKKI\":\"Voted YAE\",\"lWLqxB\":\"We couldn't find any transactions related to your search. Try again with a different asset name, or reset filters.\",\"lYGfRP\":\"Αγγλικά\",\"lfEjIE\":\"Μάθετε περισσότερα στον οδηγό <0>Συχνών Ερωτήσεων\",\"lt6bpt\":\"Collateral to repay with\",\"m/IEhi\":\"Συνολικές εκπομπές ανά ημέρα\",\"m7r7Hh\":\"Selected borrow assets\",\"mDDK4p\":\"Balancer Pool\",\"mIM0qu\":\"Expected amount to repay\",\"mUAFd6\":\"Version 2\",\"masO5Z\":\"E-Mode increases your LTV for a selected category of assets. <0>Learn more\",\"mdNjKU\":[\"Your \",[\"name\"],\" wallet is empty. Purchase or transfer assets or use <0>\",[\"0\"],\" to transfer your \",[\"network\"],\" assets.\"],\"muiOng\":[\"Buy \",[\"cryptoSymbol\"],\" with Fiat\"],\"mvCXBY\":\"Stake AAVE\",\"mwdzil\":\"Εντάξει, Κλείσιμο\",\"mzI/c+\":\"Download\",\"mzdIia\":\"Το περιουσιακό στοιχείο δεν μπορεί να χρησιμοποιηθεί ως εγγύηση.\",\"n+SX4g\":\"Προγραμματιστές\",\"n8Psk4\":\"We couldn’t detect a wallet. Connect a wallet to stake and view your balance.\",\"nJIhzm\":\"Προσφορά apy\",\"nJgsQu\":\"Με δύναμη ψήφου <0/>\",\"nLC6tu\":\"Γαλλικά\",\"nN2T8p\":\"During the cooldown period, you will not earn any merit rewards. However, rewards earned up to this point will remain unaffected.\",\"nNHV0z\":\"Migrating multiple collaterals and borrowed assets at the same time can be an expensive operation and might fail in certain situations.<0>Therefore it’s not recommended to migrate positions with more than 5 assets (deposited + borrowed) at the same time.\",\"nNbnzu\":\"Proposition\",\"nOy4ob\":\"We suggest you go back to the Dashboard.\",\"nPGNMh\":\"Μπορεί να εκτελεστεί\",\"nUK1ou\":[\"Assets with zero LTV (\",[\"0\"],\") must be withdrawn or disabled as collateral to perform this action\"],\"nakd8r\":\"stkAAVE holders get a discount on GHO borrow rate\",\"nh2EJK\":[\"Παρακαλώ μεταβείτε στο \",[\"networkName\"],\".\"],\"njBeMm\":\"Both\",\"noN5Xf\":\"We couldn’t detect a wallet. Connect a wallet to view your staking positions and rewards.\",\"ntkAoE\":\"Discount applied for <0/> staking AAVE\",\"ntyFSE\":[[\"h\"],\"ω\"],\"nwtY4N\":\"Something went wrong\",\"nxyWvj\":\"Withdrawing this amount will reduce your health factor and increase risk of liquidation.\",\"o17QVP\":\"Ο συντελεστής υγείας και το δάνειο προς αξία καθορίζουν τη διασφάλιση των εξασφαλίσεών σας. Για να αποφύγετε τις ρευστοποιήσεις μπορείτε να παράσχετε περισσότερες εξασφαλίσεις ή να εξοφλήσετε δανειακές θέσεις.\",\"o1xc2V\":\"Η προσφορά AToken δεν είναι μηδενική\",\"o4tCu3\":\"Borrow APY\",\"o5ooMr\":\"Χρέος\",\"o7J4JM\":\"Φίλτρο\",\"oHFrpj\":\"Ψύξτε για ξεκλείδωμα\",\"oJ5ZiG\":\"Ο χρήστης δεν έχει ανεξόφλητο χρέος μεταβλητού επιτοκίου σε αυτό το αποθεματικό\",\"oRBGin\":\"Please connect your wallet to be able to switch your tokens.\",\"oUwXhx\":\"Test Assets\",\"oWklJD\":\"Το σταθερό επιτόκιο θα <0>μείνει το ίδιο για όλη τη διάρκεια του δανείου σας. Συνιστάται για μακροχρόνιες περιόδους δανεισμού και για χρήστες που προτιμούν την προβλεψιμότητα.\",\"odnIK3\":\"Time remaining until the 48 hour withdraw period starts.\",\"oiK5nY\":\"The current incentives period, decided on by the Aave community, has ended. Governance is in the process on renewing, check for updates. <0>Learn more.\",\"olREoo\":\"All borrow positions outside of this category must be closed to enable this category.\",\"om/XHs\":\"Διαθέσιμο για προμήθεια\",\"ov0+mq\":\"Eligible for the ZKSync Ignite program.\",\"ovT1pF\":[\"Per the community, the \",[\"market\"],\" has been frozen.\"],\"ow3fug\":\"Nothing found\",\"owSsI3\":\"Signatures ready\",\"p+R52m\":\"Go to Balancer Pool\",\"p2A+s1\":[\"Η περίοδος ψύξης είναι \",[\"0\"],\". Μετά την \",[\"1\"],\" περίοδο ψύξης, θα εισέλθετε στο παράθυρο ξεκλειδώματος \",[\"2\"],\". Θα συνεχίσετε να λαμβάνετε ανταμοιβές κατά τη διάρκεια της ψύξης και του παραθύρου ξεκλειδώματος.\"],\"p2S64u\":\"The loan to value of the migrated positions would cause liquidation. Increase migrated collateral or reduce migrated borrow to continue.\",\"p2Z2Qi\":\"Αυτό το περιουσιακό στοιχείο έχει φθάσει στο ανώτατο όριο δανεισμού του. Τίποτα δεν είναι διαθέσιμο για δανεισμό από αυτή την αγορά.\",\"p3j+mb\":\"Το υπόλοιπο της ανταμοιβής σας είναι 0\",\"p45alK\":\"Set up delegation\",\"p6u2s1\":\"Minimum amount of debt to be repaid\",\"pDgeaz\":[[\"title\"]],\"pdZqBk\":\"Το υποκείμενο υπόλοιπο πρέπει να είναι μεγαλύτερο από 0\",\"pgWG9H\":\"Δεν υπάρχει αρκετό κλειδωμένο υπόλοιπο\",\"piPrJ7\":\"παρακαλούμε ελέγξτε ότι το ποσό που θέλετε να παρέχετε δεν χρησιμοποιείται επί του παρόντος για κλείδωμα. Εάν χρησιμοποιείται για κλείδωμα, η συναλλαγή σας ενδέχεται να αποτύχει.\",\"pjO/iH\":\"Minimum amount received\",\"pooutM\":\"Voting is on\",\"pqaM5s\":\"Confirming transaction\",\"ptaxX3\":[\"Καταλαβαίνω πώς λειτουργεί η ψύξη (\",[\"0\"],\") και το ξεκλείδωμα (\",[\"1\"],\")\"],\"py2iiY\":\"Ο καλών αυτής της συνάρτησης πρέπει να είναι ένα κοινόχρηστο ταμείο\",\"q/51mF\":\"Migrate to V3\",\"q3df11\":\"Interest rate strategy\",\"q6lAbz\":\"Κλειδωμένο\",\"qB4kPi\":\"Προσφορά APY\",\"qENI8q\":\"Γενικές ρυθμίσεις\",\"qGz5zl\":\"Collateral balance after repay\",\"qOqbD6\":\"αντιγράψτε το σφάλμα\",\"qXCkEM\":\"Συνδέστε το πορτοφόλι σας για να δείτε τις προμήθειες, τα δάνεια και τις ανοιχτές θέσεις σας.\",\"qY2jnw\":\"Μη έγκυρη λήξη\",\"qf/fr+\":\"Interest accrued\",\"quYPUU\":\"Variable interest rate will <0>fluctuate based on the market conditions.\",\"quzIeW\":\"User is in isolation mode or LTV is zero\",\"qvnz3q\":\"Μη έγκυρη ποσότητα προς καύση\",\"rHgdb0\":\"Migrate to Aave V3\",\"rOrHHe\":\"Το ποσό πρέπει να είναι μεγαλύτερο από 0\",\"rQ+R+0\":\"Selected supply assets\",\"rSayea\":\"APY\",\"rTBDeu\":[\"Asset cannot be migrated because you have isolated collateral in \",[\"marketName\"],\" v3 Market which limits borrowable assets. You can manage your collateral in <0>\",[\"marketName\"],\" V3 Dashboard\"],\"rcT+yy\":\"Εμφάνιση περιουσιακών στοιχείων με υπόλοιπο 0\",\"rf8POi\":\"Borrowed asset amount\",\"riNWOA\":\"E-Mode\",\"rjGI/Q\":\"Privacy\",\"rnKPW1\":\"Watch a wallet balance in read-only mode\",\"ruc7X+\":\"Add stkAAVE to see borrow APY with the discount\",\"rvbaFU\":[\"Bridging \",[\"symbol\"]],\"rwVVB7\":\"Διεκδικήστε όλες τις ανταμοιβές\",\"rwyUva\":\"These assets are temporarily frozen or paused by Aave community decisions, meaning that further supply / borrow, or rate swap of these assets are unavailable. Withdrawals and debt repayments are allowed. Follow the <0>Aave governance forum for further updates.\",\"rxJW5W\":\"Your proposition power is based on your AAVE/stkAAVE balance and received delegations.\",\"s2jJnW\":\"You don't have any bridge transactions\",\"s5wBAq\":[\"Unstake \",[\"symbol\"]],\"sJbIdI\":\"Enter ETH address or ENS\",\"sK+Nag\":\"Αναθεώρηση συναλλαγής\",\"sP2+gB\":\"ΚΑΤΑ\",\"sQv06Y\":\"for\",\"sTtO6J\":\"Confirm transaction\",\"sXKb3l\":\"Exchange rate\",\"sb0q4+\":\"Μπορείτε να ξεκλειδώσετε εδώ\",\"smJNwH\":\"Διαθέσιμο για δανεισμό\",\"solypO\":\"Ο παράγοντας υγείας δεν είναι κάτω από το όριο\",\"sr0UJD\":\"Πηγαίνετε Πίσω\",\"ss5GCK\":\"Η διεύθυνση του παρόχου διευθύνσεων κοινόχρηστου ταμείου είναι άκυρη\",\"swEgK4\":\"Οι πληροφορίες ψήφου σας\",\"t+wtgf\":\"Τίποτα δανεισμένο ακόμα\",\"t/YqKh\":\"Remove\",\"t81DpC\":[\"Approve \",[\"symbol\"],\" to continue\"],\"tCnbEs\":\"Τιμή Oracle\",\"tFZLf8\":\"Αυτός ο υπολογισμός gas είναι μόνο μια εκτίμηση. Το πορτοφόλι σας θα καθορίσει την τιμή της συναλλαγής. Μπορείτε να τροποποιήσετε τις ρυθμίσεις gas απευθείας από τον πάροχο του πορτοφολιού σας.\",\"tHuvQI\":\"Go to V3 Dashboard\",\"tKv7cI\":\"Switch borrow position\",\"tOcg3N\":\"Since this asset is frozen, the only available actions are withdraw and repay which can be accessed from the <0>Dashboard\",\"tOuXfv\":[\"Borrow amount to reach \",[\"0\"],\"% utilization\"],\"te9Bfl\":\"Παρακαλώ, συνδέστε το πορτοφόλι σας\",\"tt5yma\":\"Οι προμήθειές σας\",\"ttoh5c\":\"Switch to\",\"u3ZeYl\":\"Η συναλλαγή απέτυχε\",\"u706uF\":\"Άκυρη πριμοδότηση flashloan\",\"u8Gfu7\":[\"No search results\",[\"0\"]],\"uAQUqI\":\"Status\",\"uHMwk8\":\"No assets selected to migrate.\",\"uJPHuY\":\"Migrating\",\"uY8O30\":\"To continue, you need to grant Aave smart contracts permission to move your funds from your wallet. Depending on the asset and wallet you use, it is done by signing the permission message (gas free), or by submitting an approval transaction (requires gas). <0>Learn more\",\"udFheE\":\"Για την αποπληρωμή ενός συγκεκριμένου τύπου χρέους, ο χρήστης πρέπει να έχει χρέος αυτού του τύπου\",\"ulNuNq\":\"Export data to\",\"ulup2p\":\"Buy Crypto with Fiat\",\"umICAY\":\"<0><1><2/>Add stkAAVE to see borrow rate with discount\",\"usB84Z\":\"Maximum amount available to borrow is limited because protocol borrow cap is nearly reached.\",\"uwAUvj\":\"COPY IMAGE\",\"v8x7Mg\":\"Insufficient collateral to cover new borrow position. Wallet must have borrowing power remaining to perform debt switch.\",\"vEqxH9\":\"Restaked\",\"vLyv1R\":\"Απόκρυψη\",\"vMba49\":\"Ο δανεισμός δεν είναι ενεργοποιημένος\",\"vMpNwt\":\"Approve with\",\"vXIe7J\":\"Γλώσσα\",\"vesuBJ\":\"Σας επιτρέπει να αποφασίσετε αν θα χρησιμοποιήσετε ένα παρεχόμενο περιουσιακό στοιχείο ως εγγύηση. Ένα περιουσιακό στοιχείο που χρησιμοποιείται ως εγγύηση θα επηρεάσει τη δανειοληπτική σας ικανότητα και τον συντελεστή υγείας.\",\"w+V9Cx\":\"Σταθερό νόμισμα\",\"w/JtJ3\":\"Η σταθερή προσφορά χρέους δεν είναι μηδενική\",\"w4VBY+\":\"Ανταμοιβές APR\",\"w9dLMW\":[[\"label\"]],\"wAOL+X\":[\"Εσείς \",[\"action\"],\" <0/> \",[\"symbol\"]],\"wBIsjb\":\"Discord channel\",\"wQZbc/\":\"Ο καλών της συνάρτησης δεν είναι AToken\",\"wRRqvW\":\"Δεν έχετε προμήθειες σε αυτό το νόμισμα\",\"wZFvVU\":\"ΨΗΦΙΣΤΕ ΥΠΕΡ\",\"wb/r1O\":[\"Βρύση \",[\"0\"]],\"wdxz7K\":\"Source\",\"weH1nG\":\"The Aave Protocol is programmed to always use the price of 1 GHO = $1. This is different from using market pricing via oracles for other crypto assets. This creates stabilizing arbitrage opportunities when the price of GHO fluctuates.\",\"wh7Ezv\":\"You have no AAVE/stkAAVE/aAave balance to delegate.\",\"wlsIx7\":\"With testnet Faucet you can get free assets to test the Aave Protocol. Make sure to switch your wallet provider to the appropriate testnet network, select desired asset, and click ‘Faucet’ to get tokens transferred to your wallet. The assets on a testnet are not “real,” meaning they have no monetary value. <0>Learn more\",\"wmE285\":\"Get ABP v2 Token\",\"wyRrcJ\":\"As a result of governance decisions, this ABPT staking pool is now deprecated. You have the flexibility to either migrate all of your tokens to v2 or unstake them without any cooldown period.\",\"x5KiLL\":\"Selected assets have successfully migrated. Visit the Market Dashboard to see them.\",\"x7F2p6\":\"Τρέχον διαφορικό\",\"x7K5ib\":[\"Your \",[\"networkName\"],\" wallet is empty. Get free test \",[\"0\"],\" at\"],\"x9iLRD\":\"tokens, παρακαλούμε μεταβείτε στο\",\"xNy/UG\":\"Αποπληρωμή με\",\"xPm8wv\":\"Μάθετε περισσότερα για τους κινδύνους\",\"xXYpZl\":[[\"0\"],\" Βρύση\"],\"xaVBSS\":\"Οι πληροφορίες σας\",\"xaWZ6f\":\"APY type change\",\"xh6k71\":\"Collateral usage is limited because of isolation mode.\",\"xvIklc\":\"Flashloan is disabled for this asset, hence this position cannot be migrated.\",\"y5rS9U\":\"Migrate\",\"y66tBm\":[\"Ενεργοποίηση \",[\"symbol\"],\" ως εγγύηση\"],\"yB1YpA\":\"Σκοτεινή λειτουργία\",\"yCrG6m\":\"Συνολικό μέγεθος της αγοράς\",\"yJUUbn\":\"Επισκόπηση συναλλαγής\",\"yLGmLX\":[\"Restake \",[\"symbol\"]],\"yW1oWB\":\"Τύπος APY\",\"yYHqJe\":\"Μη έγκυρη διεύθυνση\",\"yZwLw6\":\"Track wallet\",\"yh2sjd\":[\"Price impact \",[\"0\"],\"%\"],\"yhvj6d\":\"Δεν μπορείτε να αλλάξετε τη χρήση ως λειτουργία εγγύησης για αυτό το νόμισμα, διότι θα προκαλέσει κλήση εγγύησης\",\"ylmtBZ\":\"The app is running in fork mode.\",\"ymNY32\":[\"Δεν υπάρχουν αρκετά κεφάλαια στο\",[\"0\"],\"αποθεματικό για δανεισμό\"],\"yz7wBu\":\"Κλείσιμο\",\"z4uGQg\":\"Υπέρβαση του ανώτατου ορίου χρέους\",\"z5UQOM\":\"Η εγγύηση που έχει επιλεγεί δεν μπορεί να ρευστοποιηθεί\",\"z5Y+p6\":[\"Παροχή \",[\"symbol\"]],\"zCjNKs\":\"Η ενέργεια δεν μπορεί να εκτελεστεί επειδή το αποθεματικό έχει παγώσει\",\"zRHytX\":\"Isolated Debt Ceiling\",\"zTOjMP\":\"Protocol supply cap is at 100% for this asset. Further supply unavailable.\",\"zVdRUG\":\"Submission did not work, please try again later or contact wecare@avara.xyz\",\"zevmS2\":\"<0><1><2/>Add <3/> stkAAVE to borrow at <4/> (max discount)\",\"zgtIDV\":\"Υπολειπόμενο χρέος\",\"zmTPiV\":\"Υπόλοιπο προσφοράς\",\"zpPbZl\":\"Liquidation risk parameters\",\"zucql+\":\"Μενού\",\"zwWKhA\":\"Μάθετε περισσότερα\",\"zy9fXn\":[\"Asset is frozen in \",[\"marketName\"],\" v3 market, hence this position cannot be migrated.\"],\"zys+R6\":\"Be mindful of the network congestion and gas prices.\",\"zzzTXS\":\"Merit Program rewards are claimed through the\"}")}; \ No newline at end of file +/*eslint-disable*/module.exports={messages:JSON.parse("{\"+0xecS\":[\"Εάν ΔΕΝ ξεκλειδώσετε εντός \",[\"0\"],\" του παραθύρου ξεκλειδώματος, θα πρέπει να ενεργοποιήσετε ξανά τη διαδικασία ψύξης.\"],\"+EGVI0\":\"Receive (est.)\",\"+VR63W\":[\"Η συμμετοχή σε αυτό το αποθεματικό \",[\"symbol\"],\" δίνει ετήσιες ανταμοιβές.\"],\"+bmKdK\":\"Use your AAVE, stkAAVE, or aAave balance to delegate your voting and proposition powers. You will not be sending any tokens, only the rights to vote and propose changes to the protocol. You can re-delegate or revoke power to self at any time.\",\"+eOPG+\":\"Φαίνεται ότι δεν μπορούμε να αλλάξουμε το δίκτυο αυτόματα. Ελέγξτε αν μπορείτε να το αλλάξετε από το πορτοφόλι.\",\"+i3Pd2\":\"Ανώτατο όριο δανεισμού\",\"+kLZGu\":\"Supplied asset amount\",\"+nuEh/\":\"Estimated time\",\"+xMFF8\":\"Remind me\",\"/57U31\":\"Amount to migrate\",\"/7ykiW\":\"Borrowing this amount will reduce your health factor and increase risk of liquidation.\",\"/YA5pU\":\"E-Mode increases your LTV for a selected category of assets, meaning that when E-mode is enabled, you will have higher borrowing power over assets of the same E-mode category which are defined by Aave Governance. You can enter E-Mode from your <0>Dashboard. To learn more about E-Mode and applied restrictionn, see the <1>help guide or the <2>Aave V3 Technical Paper.\",\"/izjs/\":\"Minimum staked Aave amount\",\"/jQctM\":\"To\",\"/lDBHm\":\"ΣΥΧΝΕΣ ΕΡΩΤΗΣΕΙΣ\",\"/yNlZf\":\"Ο σταθερός δανεισμός δεν είναι ενεργοποιημένος\",\"/yQcJM\":\"Συνολική αξία\",\"00AB2i\":\"Ο χρήστης δεν δανείστηκε το καθορισμένο νόμισμα\",\"00OflG\":\"There is not enough liquidity for the target asset to perform the switch. Try lowering the amount.\",\"08/rZ9\":\"The cooldown period is the time required prior to unstaking your tokens (20 days). You can only withdraw your assets from the Security Module after the cooldown period and within the unstake window.<0>Learn more\",\"0AmQcW\":\"Rate change\",\"0BF3yK\":\"Sorry, we couldn't find the page you were looking for.\",\"0TAbjq\":\"Recent Transactions\",\"0jhlyw\":\"Liquidation risk\",\"0ojY+Y\":\"Current v2 Balance\",\"0thX3P\":\"Collateral change\",\"0wGCWc\":\"Αυτό είναι το συνολικό ποσό που μπορείτε να προμηθεύσετε σε αυτό το αποθεματικό. Μπορείτε να προμηθεύσετε το υπόλοιπο του πορτοφολιού σας μέχρι να επιτευχθεί το ανώτατο όριο προμηθειών.\",\"1AsVfF\":\"Price data is not currently available for this reserve on the protocol subgraph\",\"1LjK22\":\"Transaction history\",\"1Onqx8\":[\"Έγκριση του \",[\"symbol\"],\"...\"],\"1Ue8sX\":\"Παρακαλούμε συνδέστε ένα πορτοφόλι για να δείτε τις προσωπικές σας πληροφορίες εδώ.\",\"1bpx9A\":\"...\",\"1kWUB+\":\"Ρευστοποίηση <0/> κατώτατο όριο\",\"1m9Qqc\":\"Withdrawing and Switching\",\"1oyh4g\":\"Borrow rate\",\"1t7rez\":\"Asset supply is limited to a certain amount to reduce protocol exposure to the asset and to help manage risks involved.\",\"2CAPu2\":\"You've successfully withdrew & switched tokens.\",\"2Eoi/a\":\"Προβολή λεπτομερειών\",\"2FYpfJ\":\"Περισσότερα\",\"2O3qp5\":\"Διαθέσιμη ρευστότητα\",\"2OM8/D\":[\"Asset cannot be migrated due to supply cap restriction in \",[\"marketName\"],\" v3 market.\"],\"2Q4GU4\":\"Blocked Address\",\"2ZGocC\":\"Aave is a fully decentralized, community governed protocol by the AAVE token-holders. AAVE token-holders collectively discuss, propose, and vote on upgrades to the protocol. AAVE token-holders (Ethereum network only) can either vote themselves on new proposals or delagate to an address of choice. To learn more check out the Governance\",\"2a6G7d\":\"Please enter a valid wallet address.\",\"2bAhR7\":\"Meet GHO\",\"2eBWE6\":\"I acknowledge the risks involved.\",\"2o/xRt\":\"Επίτευξη του ανώτατου ορίου εφοδιασμού στο αποθεματικό-στόχο. Δοκιμάστε να \\nμειώσετε την ποσότητα.\",\"2uJToh\":[[\"0\"],[\"name\"]],\"2x58bP\":\"Ο σταθερός δανεισμός είναι ενεργοποιημένος\",\"34Qfwy\":\"Υπέρβαση του ανώτατου ορίου δανεισμού\",\"39eQRj\":[\"Δανεισμός \",[\"symbol\"]],\"3BL1xB\":\"Σύνολο παρεχόμενων\",\"3BnIWi\":\"Switched\",\"3K0oMo\":\"Υπολειπόμενη προσφορά\",\"3MoZhl\":\"Δεν υπάρχουν επαρκείς εξασφαλίσεις για την κάλυψη ενός νέου δανείου\",\"3Np5O8\":[\"Προσφορά \",[\"symbol\"]],\"3O8YTV\":\"Total interest accrued\",\"3mXg0z\":\"Μέγιστο LTV\",\"3q3mFy\":\"Αποπληρωμή\",\"3qsjtp\":\"Ο σταθμισμένος μέσος όρος του APY για όλα τα παρεχόμενα περιουσιακά στοιχεία, συμπεριλαμβανομένων των κινήτρων.\",\"3rL+os\":\"Μπορείτε να αποσύρετε τα περιουσιακά σας στοιχεία από τη Μονάδα Ασφαλείας μόνο αφού λήξει η περίοδος αναμονής και το παράθυρο ξεκλειδώματος είναι ενεργό.\",\"42UgDM\":[\"Migrate to \",[\"0\"],\" v3 Market\"],\"49UFQA\":\"Αποτελέσματα ψηφοφορίας\",\"4DMZUI\":\"View Transactions\",\"4HtGBb\":\"ΜΕΓΙΣΤΟ\",\"4Y5H+g\":\"Terms\",\"4YYh4d\":\"Maximum available to borrow\",\"4iPAI3\":\"Minimum GHO borrow amount\",\"4lDFps\":\"Sign to continue\",\"4wyw8H\":\"Transactions\",\"5JSSxX\":[\"Your \",[\"networkName\"],\" wallet is empty. Get free test assets at\"],\"5K7kGO\":\"τεκμηρίωση\",\"5NOSGa\":\"Debt ceiling limits the amount possible to borrow against this asset by protocol users. Debt ceiling is specific to assets in isolation mode and is denoted in USD.\",\"5Ncc6j\":[\"Αυτό το περιουσιακό στοιχείο έχει σχεδόν φτάσει στο όριο της προσφοράς του. Μόνο \",[\"messageValue\"],\" μπορεί να παρασχεθεί σε αυτή την αγορά.\"],\"5cZ/KX\":\"Η προσφορά μεταβλητού χρέους δεν είναι μηδενική\",\"5che++\":\"Για να ζητήσετε πρόσβαση σε αυτή την αδειοδοτημένη αγορά, επισκεφθείτε την ιστοσελίδα: <0>Όνομα Παρόχου Πρόσβασης\",\"5ctNdV\":[\"Minimum \",[\"0\"],\" received\"],\"5hDe9v\":\"Απαιτούμενη δράση επιδότησης\",\"5rsnKT\":\"Διαθέσιμες ανταμοιβές\",\"5yC5m5\":\"View all votes\",\"6/dCYd\":\"Επισκόπηση\",\"60crCe\":\"All transactions\",\"62Xcjh\":\"Εγγύηση\",\"65A04M\":\"Ισπανικά\",\"6G8s+q\":\"Signing\",\"6Jrv+z\":[\"Αποπληρωμή \",[\"symbol\"]],\"6NGLTR\":\"Discountable amount\",\"6Xr0UU\":\"Ψύξη...\",\"6bxci/\":\"Δύναμη ψήφου\",\"6f8S68\":\"Αγορές\",\"6g1gi0\":\"Προτάσεις\",\"6gvoHP\":\"Copy error message\",\"6h3Q5G\":\"repaid\",\"6lFSyT\":\"Available to Stake\",\"6s8L6f\":\"Αλλαγή Δικτύου\",\"6yAAbq\":\"APY, borrow rate\",\"70wH1Q\":\"APR\",\"72c5Qo\":\"Total\",\"73Auuq\":\"Discount parameters are decided by the Aave community and may be changed over time. Check Governance for updates and vote to participate. <0>Learn more\",\"75qcAQ\":[[\"stepName\"]],\"7ITr5L\":\"Συντελεστής υγείας\",\"7T/o5R\":\"Επιτεύχθηκε\",\"7YlcXu\":\"Fork mode is ON\",\"7Z76Iw\":\"Borrowing is unavailable because you’re using Isolation mode. To manage Isolation mode visit your <0>Dashboard.\",\"7aKlMS\":\"Share on Lens\",\"7er5fP\":\"Διεκδικήστε τα όλα\",\"7hb2+s\":\"Time remaining until the withdraw period ends.\",\"7l88b8\":\"Data couldn't be fetched, please reload graph.\",\"7p5kLi\":\"Ταμπλό\",\"7sofdl\":\"Withdraw and Switch\",\"8+6BI0\":\"Προσοχή - Είστε πολύ κοντά στην ρευστοποίηση. Εξετάστε το ενδεχόμενο να καταθέσετε περισσότερες εγγυήσεις ή να εξοφλήσετε κάποιες από τις δανειακές σας θέσεις\",\"87pUEW\":[\"Το πορτοφόλι σας \",[\"name\"],\" είναι άδειο. Αγοράστε ή μεταφέρετε περιουσιακά στοιχεία.\"],\"8F1i42\":\"Page not found\",\"8G8M0u\":\"Loading data...\",\"8Iu1QS\":\"withdrew\",\"8JL93T\":\"Όλες οι προτάσεις\",\"8Q51DU\":\"Add to wallet\",\"8X/oyn\":\"Μη έγκυρο ποσό για νομισματοκοπία\",\"8Z5FPv\":\"Αποσυνδέστε το πορτοφόλι\",\"8Zz7s5\":\"περιουσιακά στοιχεία\",\"8aLW8H\":\"Balance to revoke\",\"8bOT3H\":\"Ποσοστό χρησιμοποίησης\",\"8sLe4/\":\"View contract\",\"8t/M0y\":\"Please connect your wallet to be able to bridge your tokens.\",\"8vETh9\":\"Εμφάνιση\",\"94OHPx\":\"Εισέρχεστε σε λειτουργία απομόνωσης\",\"9CDK3/\":[\"Ο δανεισμός δεν είναι επί του παρόντος διαθέσιμος για \",[\"0\"],\".\"],\"9GIj3z\":\"Μέγεθος Αποθεματικού\",\"9Knqb4\":\"Staking balance\",\"9OBKm7\":\"Απαρτία\",\"9QHoGr\":\"Τρέχουσες ψήφοι\",\"9Rw96f\":[\"Αυτό το περιουσιακό στοιχείο έχει σχεδόν φτάσει στο όριο δανεισμού του. Υπάρχει μόνο \",[\"messageValue\"],\" διαθέσιμο για δανεισμό από αυτή την αγορά.\"],\"9Xj/qR\":[\"Some migrated assets will not be used as collateral due to enabled isolation mode in \",[\"marketName\"],\" V3 Market. Visit <0>\",[\"marketName\"],\" V3 Dashboard to manage isolation mode.\"],\"9c6vDV\":\"Αυτό το περιουσιακό στοιχείο έχει φτάσει στο όριο της προσφοράς του. Τίποτα δεν είναι διαθέσιμο για προμήθεια από αυτή την αγορά.\",\"9kTWHA\":\"MAI has been paused due to a community decision. Supply, borrows and repays are impacted. <0>More details\",\"9lXchd\":\"Underlying token\",\"9rWaKF\":\"Bridged Via CCIP\",\"9xSooW\":\"Δεδομένου ότι πρόκειται για ένα δοκιμαστικό δίκτυο, μπορείτε να αποκτήσετε οποιοδήποτε από τα περιουσιακά στοιχεία αν έχετε ETH στο πορτοφόλι σας\",\"A/lwoe\":\"Choose one of the on-ramp services\",\"A6dCI6\":[\"Maximum amount available to borrow is <0/> \",[\"0\"],\" (<1/>).\"],\"AReoaV\":\"Τα δάνεια σας\",\"ARu1L4\":\"Repaid\",\"AV7cGz\":\"Αναθεώρηση λεπτομερειών έγκρισης συναλλαγής\",\"AZOjB8\":\"Fetching data...\",\"Ai0jas\":\"Join the community discussion\",\"Ajl2rq\":\"Η δύναμη δανεισμού και τα περιουσιακά στοιχεία είναι περιορισμένα λόγω της λειτουργίας απομόνωσης.\",\"AqgYNC\":\"Protocol borrow cap at 100% for this asset. Further borrowing unavailable.\",\"B3EcQR\":\"Thank you for voting!!\",\"B6aXGH\":\"Σταθερό\",\"B9Gqbz\":\"Variable rate\",\"BDFEd+\":\"stETH supplied as collateral will continue to accrue staking rewards provided by daily rebases.\",\"BE2mP0\":\"Borrowed assets\",\"BJyN77\":\"Due to health factor impact, a flashloan is required to perform this transaction, but Aave Governance has disabled flashloan availability for this asset. Try lowering the amount or supplying additional collateral.\",\"BNL4Ep\":\"Η χρήση εγγύησης είναι περιορισμένη λόγω της λειτουργίας απομόνωσης. <0>Μάθετε περισσότερα\",\"BQ/wCO\":\"Migrate your assets\",\"BjLdl1\":\"At a discount\",\"BnhYo8\":\"Κατηγορία περιουσιακών στοιχείων\",\"Bq9Y7e\":\"This asset is frozen due to an Aave community decision. <0>More details\",\"BqWMDJ\":\"Βρύση\",\"BqynZO\":\"Optimized for efficiency and risk by supporting blue-chip collateral assets\",\"Bsu7zX\":\"The fee includes the gas cost to complete the transaction on the destination chain and the fee paid to Chainlink CCIP service providers. You can chose to pay in the network token or GHO. <0>Learn more\",\"BwJKBw\":\"of\",\"CDrsH+\":\"Techpaper\",\"CK1KXz\":\"Μεγιστο\",\"CMHmbm\":\"Slippage\",\"CZXzs4\":\"Greek\",\"CcRNG6\":\"Switching\",\"CkTRmy\":[\"Διεκδίκηση \",[\"symbol\"]],\"CsqtLm\":\"Please connect your wallet to see migration tool.\",\"CtGlFb\":[[\"networkName\"],\" Βρύση\"],\"Cxt2YY\":\"Watch wallet\",\"D33VQU\":\"This action will reduce health factor of V3 below liquidation threshold. Increase migrated collateral or reduce migrated borrow to continue.\",\"D9BLRG\":\"This asset has been paused due to a community decision. Supply, withdraw, borrows and repays are impacted.\",\"DAma/S\":\"Η εγγύηση είναι (ως επί το πλείστον) το ίδιο νόμισμα που δανείζεται\",\"DCnFg0\":[\"Addresses (\",[\"0\"],\")\"],\"DG3Lv1\":\"I fully understand the risks of migrating.\",\"DONJcV\":\"Το υποκείμενο περιουσιακό στοιχείο δεν μπορεί να διασωθεί\",\"DR+4uL\":\"Supply balance after switch\",\"DWjrck\":[\"Asset cannot be migrated to \",[\"marketName\"],\" V3 Market due to E-mode restrictions. You can disable or manage E-mode categories in your <0>V3 Dashboard\"],\"Dj+3wB\":\"Aave ανά μήνα\",\"DuEq2K\":\"Εξασφάλιση\",\"DxfsGs\":\"You can report incident to our <0>Discord or<1>Github.\",\"Dzma+E\":\"Main Ethereum market with the largest selection of assets and yield options\",\"E/QGRL\":\"Απενεργοποιημένο\",\"EBL9Gz\":\"COPIED!\",\"ES8dkb\":\"Fixed rate\",\"EZd3Dk\":[\"Restaking \",[\"symbol\"]],\"Ebgc76\":[\"Ανάληψη \",[\"symbol\"]],\"EdQY6l\":\"Κανένα\",\"EjvKQ+\":\"Minimum USD value received\",\"Enslfm\":\"Destination\",\"EvE9nO\":[\"Reactivate cooldown period to unstake \",[\"0\"],\" \",[\"stakedToken\"]],\"EvECnL\":\"Migrate to v3\",\"EzMQbh\":\"The source chain time to finality is the main factor that determines the time to destination. <0>Learn more\",\"F40cwT\":\"Legacy Markets\",\"F6TdXL\":\"Μάθετε περισσότερα.\",\"FDDPeZ\":\"Users can stake their assets in the protocol and earn incentives. In the case of a shortfall event, your stake can be slashed to cover the deficit, providing an additional layer of protection for the protocol.\",\"FHlMf/\":\"Current v2 balance\",\"FHpxjF\":[\"Reserve factor is a percentage of interest which goes to a \",[\"0\"],\" that is controlled by Aave governance to promote ecosystem growth.\"],\"FOBZa6\":\"Δανεισμός χρησιμοποιημένης ισχύος\",\"FPKEug\":\"Η λειτουργία δεν υποστηρίζεται\",\"FbmMe7\":\"Linked addresses\",\"Fdp03t\":\"ενεργοποίηση\",\"Fjw9N+\":\"Περιουσιακά στοιχεία προς προμήθεια\",\"FmN0fk\":\"Restake\",\"GDGLIs\":\"GHO is a native decentralized, collateral-backed digital asset pegged to USD. It is created by users via borrowing against multiple collateral. When user repays their GHO borrow position, the protocol burns that user's GHO. All the interest payments accrued by minters of GHO would be directly transferred to the AaveDAO treasury.\",\"GQrBTq\":\"Switch E-Mode\",\"GWswcZ\":\"This asset is frozen due to an Aave Protocol Governance decision. On the 20th of December 2022, renFIL will no longer be supported and cannot be bridged back to its native network. It is recommended to withdraw supply positions and repay borrow positions so that renFIL can be bridged back to FIL before the deadline. After this date, it will no longer be possible to convert renFIL to FIL. <0>More details\",\"GX8GKD\":\"Περιουσιακά Στοιχεία\",\"GgEj+0\":\"Read-only mode. Connect to a wallet to perform transactions.\",\"GjkIKV\":\"τελειώνει\",\"GoK/QN\":\"Thank you for submitting feedback!\",\"GtP2hp\":[\"Ο δανεισμός δεν είναι διαθέσιμος επειδή έχετε ενεργοποιήσει τη λειτουργία Αποδοτικότητας (E-Mode) για την κατηγορία \",[\"0\"],\". Για να διαχειριστείτε τις κατηγορίες E-Mode επισκεφθείτε τον <0>Πίνακα ελέγχου.\"],\"H6Ma8Z\":\"Discount\",\"HB/wfS\":[[\"tooltipText\"]],\"HKDsQN\":\"Rewards can be claimed through\",\"Ha/U5f\":\"This is a program initiated and implemented by the decentralised ZKSync community. Aave Labs does not guarantee the program and accepts no liability.\",\"HciqKU\":\"This is a program initiated and implemented by the decentralised Aave community. Aave Labs does not guarantee the program and accepts no liability.\",\"Hi6Ttn\":\"Sorry, an unexpected error happened. In the meantime you may try reloading the page, or come back later.\",\"HkEDbS\":[[\"d\"],\"η\"],\"HmkYqM\":\"Παράθυρο ξεκλειδώματος\",\"HpK/8d\":\"Reload\",\"HrnC47\":\"Save and share\",\"HuVZMK\":\"Days\",\"HvJKMU\":[\"Asset cannot be migrated to \",[\"marketName\"],\" v3 Market since collateral asset will enable isolation mode.\"],\"Hvwnm9\":[\"Maximum amount available to supply is limited because protocol supply cap is at \",[\"0\"],\"%.\"],\"I8CX2c\":\"Το συνολικό ποσό των περιουσιακών σας στοιχείων σε δολάρια ΗΠΑ που μπορούν να χρησιμοποιηθούν ως εγγύηση για δανεισμό περιουσιακών στοιχείων.\",\"IAD2SB\":[\"Claiming \",[\"symbol\"]],\"IG9X9/\":\"Borrowing of this asset is limited to a certain amount to minimize liquidity pool insolvency.\",\"IOIx8L\":\"This asset is planned to be offboarded due to an Aave Protocol Governance decision. <0>More details\",\"IP+I/j\":\"Περίοδος ψύξης\",\"IaA40H\":\"Ρευστοποίηση στο\",\"J/hVSQ\":[[\"0\"]],\"JCoxL6\":\"Manage analytics\",\"JK9zf1\":[\"Estimated compounding interest, including discount for Staking \",[\"0\"],\"AAVE in Safety Module.\"],\"JOqFba\":[\"Unstaking \",[\"symbol\"]],\"JPrLjO\":\"Δεν μπορείτε να χρησιμοποιήσετε αυτό το νόμισμα ως εγγύηση\",\"JU6q+W\":\"Ανταμοιβή(ες) προς διεκδίκηση\",\"JYKRJS\":\"Κλειδώστε\",\"JZMxX0\":\"Δεν υπάρχει αρκετό υπόλοιπο στο πορτοφόλι σας\",\"Jgflkm\":\"Get GHO\",\"JoMQnI\":\"Υπόλοιπο πορτοφολιού\",\"JtwD8u\":\"Borrow balance after repay\",\"JumYTK\":\"Supplied assets\",\"K05qZY\":\"Withdraw & Switch\",\"KAz/NV\":\"Protocol debt ceiling is at 100% for this asset. Further borrowing against this asset is unavailable.\",\"KLXVqE\":[\"stETH tokens will be migrated to Wrapped stETH using Lido Protocol wrapper which leads to supply balance change after migration: \",[\"0\"]],\"KLd6ky\":\"Use connected account\",\"KRpokz\":\"VIEW TX\",\"KSlpka\":\"Αυτό αντιπροσωπεύει το κατώτατο όριο στο οποίο μια θέση δανεισμού θα θεωρηθεί υποεγγυημένη και θα υπόκειται σε ρευστοποίηση για κάθε εγγύηση. Για παράδειγμα, εάν μια εγγύηση έχει κατώτατο όριο ρευστοποίησης 80%, αυτό σημαίνει ότι η θέση θα ρευστοποιηθεί όταν η αξία του χρέους ανέρχεται στο 80% της αξίας της εγγύησης.\",\"KYAjf3\":\"Απομονωμένο\",\"KZwRuD\":[[\"notifyText\"]],\"KkPgim\":\"Switching E-Mode\",\"KnN1Tu\":\"Λήγει\",\"KoOBI2\":\"Due to internal stETH mechanics required for rebasing support, it is not possible to perform a collateral switch where stETH is the source token.\",\"KojyJ4\":\"Λάθος δίκτυο\",\"KsqhWn\":\"Κλείδωμα\",\"KuBTQq\":\"Εισάγετε διεύθυνση ETH\",\"KvG1xW\":\"Διεκδίκηση\",\"L+8Lzs\":\"Τρέχον LTV\",\"L+qiq+\":\"Αγορά\",\"LDzfVJ\":\"Send Feedback\",\"LIrMcF\":\"Δεν υπάρχει δικαίωμα ψήφου\",\"LL0zks\":\"Μπορεί να αποτελέσει εγγύηση\",\"LLdJWu\":\"Διεκδικήσιμο AAVE\",\"LSIpNK\":\"Δεν επιτρέπεται ο δανεισμός και η αποπληρωμή στο ίδιο block\",\"LVt3TI\":[\"<0>Slippage tolerance <1>\",[\"selectedSlippage\"],\"% <2>\",[\"0\"],\"\"],\"LjafV8\":\"Maximum collateral amount to use\",\"LtpQew\":\"Let us know how we can make the app better for you. For user support related inquiries please reach out on\",\"LvVpD/\":\"Emode\",\"M2sknc\":\"Tip: Try increasing slippage or reduce input amount\",\"M7wPsD\":\"Switch\",\"MFu33y\":\"Staking 00\",\"MIy2RJ\":\"Maximum amount received\",\"MZ/nQf\":\"Διεύθυνση παραλήπτη\",\"Ma/MtY\":\"προβολή κλειδώματος\",\"McHlGl\":\"APY change\",\"MeCCA+\":\"APY, μεταβλητό\",\"MghdTe\":\"Εάν ο συντελεστής υγείας πέσει κάτω από το 1, ενδέχεται να ενεργοποιηθεί η ρευστοποίηση των εγγυήσεών σας.\",\"Mm/DVQ\":\"Ακυρώσατε τη συναλλαγή.\",\"MnE2QX\":\"Borrow info\",\"MrmQHg\":\"View Bridge Transactions\",\"MuDFEQ\":\"Μη έγκυρη τιμή επιστροφής της συνάρτησης εκτελεστή flashloan\",\"N5kUMV\":\"Asset can be only used as collateral in isolation mode with limited borrowing power. To enter isolation mode, disable all other collateral.\",\"N6Pxr9\":\"View all\",\"NF0e1Q\":\"Εκκρεμεί...\",\"NK9ikO\":\"Wallet Balance\",\"NMt2CB\":\"Amount claimable\",\"NcFGxG\":\"Collector Contract\",\"NfpPeS\":\"Τίποτα κλειδωμένο\",\"Nh9DAo\":[[\"m\"],\"λ\"],\"O+sCUU\":\"Υπέρβαση του ανώτατου ορίου νομισματοκοπείου χωρίς αντίκρισμα\",\"O+tyU+\":[\"Maximum amount available to borrow against this asset is limited because debt ceiling is at \",[\"0\"],\"%.\"],\"O3oNi5\":\"Email\",\"OFjZGo\":\"Unstake\",\"OR8cYX\":\"Επισκόπηση πρότασης\",\"OYuJ9K\":\"Protocol debt ceiling is at 100% for this asset. Futher borrowing against this asset is unavailable.\",\"OfhWJH\":\"Reset\",\"Og2SKn\":\"απενεργοποιημένο\",\"On0aF2\":\"Website\",\"OsyKSt\":\"Ανάληψη\",\"P1dURE\":\"Revoke power\",\"P2WCD/\":[\"Underlying asset does not exist in \",[\"marketName\"],\" v3 Market, hence this position cannot be migrated.\"],\"P2sL6B\":\"Όταν πραγματοποιείται ρευστοποίηση, οι ρευστοποιητές επιστρέφουν έως και το 50% του ανεξόφλητου δανεισμένου ποσού για λογαριασμό του δανειολήπτη. Σε αντάλλαγμα, μπορούν να αγοράσουν τις εξασφαλίσεις με έκπτωση και να κρατήσουν τη διαφορά (ποινή ρευστοποίησης) ως μπόνους.\",\"P6sRoL\":\"Stake ABPT\",\"P72/OW\":\"Ο σταθμισμένος μέσος όρος του APY για όλα τα δανειακά περιουσιακά στοιχεία, συμπεριλαμβανομένων των κινήτρων.\",\"P7e6Ug\":\"Please connect your wallet to view transaction history.\",\"PByO0X\":\"Votes\",\"PI+kVe\":\"Disable fork\",\"PJK9u/\":\"Borrow apy\",\"PLUB/s\":\"Fee\",\"PP5ZA8\":[\"Participating in staking \",[\"symbol\"],\" gives annualized rewards. Your wallet balance is the sum of your aTokens and underlying assets. The breakdown to stake is below\"],\"PcBUgb\":\"Κατώτατο όριο ρευστοποίησης\",\"PjU6bu\":\"This asset is eligible for SPK incentive program. Aave Labs does not guarantee the program and accepts no liability.\",\"PpqD5g\":\"Η ενεργοποίηση αυτού του περιουσιακού στοιχείου ως εγγύηση αυξάνει τη δανειοληπτική σας ικανότητα και τον Συντελεστή Υγείας. Ωστόσο, μπορεί να ρευστοποιηθεί εάν ο συντελεστής υγείας σας πέσει κάτω από το 1.\",\"PsOFSf\":\"This action will reduce V2 health factor below liquidation threshold. retain collateral or migrate borrow position to continue.\",\"Pu4bI/\":[[\"currentMethod\"]],\"Q0LzKi\":\"View TX\",\"Q4eNqa\":\"The Aave Balancer Pool Token (ABPT) is a liquidity pool token. You can receive ABPT by depositing a combination of AAVE + wstETH in the Balancer liquidity pool. You can then stake your BPT in the Safety Module to secure the protocol and earn Safety Incentives.\",\"QQYsQ7\":\"Withdrawing\",\"QWYCs/\":\"Stake GHO\",\"R+30X3\":\"Δεν έχει επιτευχθεί\",\"RCU5PY\":\"Age\",\"RIfckG\":[\"Απενεργοποίηση \",[\"symbol\"],\" ως εγγύηση\"],\"RMtxNk\":\"Διαφορικό\",\"RNK49r\":\"Μη έγκυρη υπογραφή\",\"RS0o7b\":\"Κατάσταση\",\"RU+LqV\":\"Λεπτομέρειες πρότασης\",\"RYTgZX\":\"lorem ipsum\",\"RbXH+k\":\"AAVE, GHO, and ABPT holders (Ethereum network only) can stake their assets in the Safety Module to add more security to the protocol and earn Safety Incentives. In the case of a shortfall event, your stake can be slashed to cover the deficit, providing an additional layer of protection for the protocol.\",\"RiSYV4\":\"Το περιουσιακό στοιχείο δεν περιλαμβάνεται στον κατάλογο\",\"Rj01Fz\":\"Σύνδεσμοι\",\"RmWFEe\":\"Κλείδωμα APR\",\"RoafuO\":\"Send feedback\",\"RtBLm7\":\"Ο συντελεστής υγείας είναι μικρότερος από το όριο ρευστοποίησης\",\"RxzN1M\":\"Ενεργοποιημένο\",\"SDav7h\":\"Κεφάλαια στην Μονάδα Ασφάλειας\",\"SENccp\":\"If the error continues to happen,<0/> you may report it to this\",\"SIWumd\":\"Show Frozen or paused assets\",\"SM58dD\":\"Amount in cooldown\",\"SSMiac\":\"Failed to load proposal voters. Please refresh the page.\",\"SSQVIz\":\"Liquidation Threshold\",\"SUb8x0\":\"Σύνολο διαθέσιμων\",\"SWIgh4\":\"Fees exceed wallet balance\",\"SY9hVo\":\"Read-only mode allows to see address positions in Aave, but you won't be able to perform transactions.\",\"SZRUQ4\":\"Max slippage\",\"Sa1UE/\":\"Protocol borrow cap is at 100% for this asset. Further borrowing unavailable.\",\"Sk2zW9\":\"Απενεργοποίηση E-Mode\",\"SxaD0o\":\"Ο πάροχος διευθύνσεων κοινόχρηστων ταμείων δεν είναι εγγεγραμμένος\",\"T/AIqG\":\"Protocol supply cap at 100% for this asset. Further supply unavailable.\",\"T0xCO9\":\"Can't validate the wallet address. Try again.\",\"T4OhVl\":\"GHO balance\",\"T6uYU2\":\"Δανεισμός\",\"TFxQlw\":\"Ποινή ρευστοποίησης\",\"TQ7WsV\":\"Available to stake\",\"TUI7iB\":\"To περιουσιακό στοιχείο μπορεί να χρησιμοποιηθεί ως εγγύηση μόνο σε λειτουργία απομόνωσης.\",\"TbjyhA\":\"Docs\",\"TduuS0\":\"Ο χρήστης δεν έχει ανεξόφλητο χρέος σταθερού επιτοκίου σε αυτό το αποθεματικό\",\"TeCFg/\":\"Borrow rate change\",\"Tg1JyO\":\"Bridge history\",\"TskbEN\":\"Holders of stkAAVE receive a discount on the GHO borrowing rate\",\"TszKts\":\"Borrow balance after switch\",\"TtZL6q\":\"Discount model parameters\",\"TwJI9F\":\"Asset has been successfully sent to CCIP contract. You can check the status of the transactions below\",\"Tz0GSZ\":\"blocked activities\",\"U/eBjN\":\"Reload the page\",\"U2r8nY\":\"Choose how much voting/proposition power to give to someone else by delegating some of your AAVE, stkAAVE or aAave balance. Your tokens will remain in your account, but your delegate will be able to vote or propose on your behalf. If your AAVE, stkAAVE or aAave balance changes, your delegate's voting/proposition power will be automatically adjusted.\",\"U8IubP\":\"The app is running in testnet mode. Learn how it works in\",\"U9btTk\":\"Το περιουσιακό στοιχείο δεν είναι δανείσιμο σε λειτουργία απομόνωσης\",\"UAOZRe\":\"Price impact is the spread between the total value of the entry tokens switched and the destination tokens obtained (in USD), which results from the limited liquidity of the trading pair.\",\"UE3KJZ\":\"Transaction history is not currently available for this market\",\"URmyfc\":\"Λεπτομέρειες\",\"UTTKmT\":\"Stake cooldown activated\",\"UXeR72\":\"Τα κεφάλαια αυτά έχουν δανειστεί και δεν είναι διαθέσιμα για ανάληψη αυτή τη στιγμή.\",\"UYb8CM\":\"Learn more about the SPK rewards\",\"UbRrG0\":\"Ο δείκτης μέγιστου LTV αντιπροσωπεύει τη μέγιστη δανειοληπτική ικανότητα μιας συγκεκριμένης εγγύησης. Για παράδειγμα, εάν μια εγγύηση έχει LTV 75%, ο χρήστης μπορεί να δανειστεί έως και 0,75 ETH στο κύριο νόμισμα για κάθε 1 ETH αξίας εγγύησης.\",\"UpndFj\":\"Δεν υπάρχουν ανταμοιβές για διεκδίκηση\",\"V0f2Xv\":\"Reserve factor\",\"V1HK43\":\"Migration risks\",\"VATFH9\":\"Covered debt\",\"VHOVEJ\":\"Συνδέστε το πορτοφόλι\",\"VMfYUK\":\"Ασφάλεια των κατατεθειμένων εξασφαλίσεών σας έναντι των δανειζόμενων περιουσιακών στοιχείων και της υποκείμενης αξίας τους.\",\"VOAZJh\":\"Σύνολο δανείων\",\"ViKYxK\":\"ΥΠΕΡ\",\"W1SSoD\":\"Αναθεώρηση λεπτομερειών συναλλαγής\",\"W5hVah\":\"Τίποτα δεν έχει παρασχεθεί ακόμη\",\"W5kTFy\":\"Voting\",\"W8ekPc\":\"Back to Dashboard\",\"WMPbRK\":\"Μη υποστηριζόμενο\",\"WNGZwH\":\"Το E-Mode αυξάνει το LTV σας για μια επιλεγμένη κατηγορία περιουσιακών στοιχείων έως και <0/>. <1>Μάθετε περισσότερα\",\"WPWG/y\":\"Κατάσταση & διαμόρφωση αποθεματικού\",\"WZLQSU\":\"Ο χρήστης δεν μπορεί να κάνει ανάληψη μεγαλύτερη από το διαθέσιμο υπόλοιπο\",\"WaZyaV\":\"<0>Ampleforth is a rebasing asset. Visit the <1>documentation to learn more.\",\"WfU+XN\":\"Because this asset is paused, no actions can be taken until further notice\",\"Wjmqs2\":\"No results found. You can import a custom token with a contract address\",\"WkZ6C6\":\"Για να δανειστείτε πρέπει να προσκομίσετε οποιοδήποτε περιουσιακό στοιχείο που θα χρησιμοποιηθεί ως εγγύηση.\",\"WyMiQm\":\"You've successfully switched tokens.\",\"X/ITG9\":\"Κείμενο σφάλματος αντιγραφής\",\"X3Pp6x\":\"Χρησιμοποιείται ως εγγύηση\",\"X4Zt7j\":\"Η ενέργεια δεν μπορεί να εκτελεστεί επειδή η εφεδρεία βρίσκεται σε παύση\",\"XBdKOj\":\"Representative smart contract wallet (ie. Safe) addresses on other chains.\",\"XZzneG\":\"Θα βγείτε από τη λειτουργία απομόνωσης και άλλα tokens μπορούν πλέον να χρησιμοποιηθούν ως εγγύηση\",\"Xg5y9S\":\"Amount to Bridge\",\"Xn4hUi\":\"Please always be aware of your <0>Health Factor (HF) when partially migrating a position and that your rates will be updated to V3 rates.\",\"Xy71ST\":\"Umbrella\",\"Y5kGkc\":\"ΨΗΦΙΣΤΕ ΚΑΤΑ\",\"YDIOks\":\"Ενεργοποίηση E-Mode\",\"YSodyW\":\"This action will reduce your health factor. Please be mindful of the increased risk of collateral liquidation.\",\"YXOWXM\":\"The total amount bridged minus CCIP fees. Paying in network token does not impact gho amount.\",\"YirHq7\":\"Feedback\",\"YogbCJ\":\"Testnet mode is ON\",\"YrDxdO\":\"Εάν το δάνειο προς αξία υπερβεί το όριο ρευστοποίησης, η παρεχόμενη εγγύηση σας μπορεί να ρευστοποιηθεί.\",\"YyIM65\":\"Δεν τηρήθηκαν οι όροι επανεξισορρόπησης των επιτοκίων\",\"YyydIq\":[\"Add \",[\"0\"],\" to wallet to track your balance.\"],\"ZBvhI+\":\"Διακυβέρνηση Aave\",\"ZIIRAd\":\"Raw-Ipfs\",\"ZRq4tX\":\"Λειτουργία αποδοτικότητας (E-Mode)\",\"ZSqEW+\":\"Manage E-Mode\",\"ZUFYFE\":\"Disable testnet\",\"Zbyywy\":\"Μέγιστη περικοπή\",\"ZfUGFb\":\"Πριν από την προμήθεια\",\"ZiXN+B\":\"Assets to stake\",\"ZlsSDH\":\"Αξία ρευστοποίησης\",\"ZrEc8j\":\"We couldn't find any assets related to your search. Try again with a different asset name, symbol, or address.\",\"ZsLF7e\":\"ενεργοποιημένο\",\"a0YQoQ\":\"Enter a valid address\",\"a2fBZn\":\"Χρόνος που απομένει για το ξεκλείδωμα\",\"a5RYZd\":\"Η απενεργοποίηση αυτού του περιουσιακού στοιχείου ως εγγύηση επηρεάζει τη δανειοληπτική σας ικανότητα και τον Συντελεστή Υγείας.\",\"a7u1N9\":\"Price\",\"a9D+6D\":\"Unstaked\",\"aEtiwq\":\"Ψηφίστε ΚΑΤΑ\",\"aMmFE1\":\"Buy Crypto With Fiat\",\"aOKIms\":\"Οι παράμετροι της συστοιχίας που θα έπρεπε να είναι ίσου μήκους δεν είναι\",\"aX31hk\":\"Your balance is lower than the selected amount.\",\"adUsDd\":\"An error has occurred fetching the proposal.\",\"al6Pyz\":\"Exceeds the discount\",\"aoXTT7\":\"Δανεισμός APY, μεταβλητό\",\"aqX1Yp\":\"This asset is eligible for rewards through SuperFest. Aave Labs does not guarantee the program and accepts no liability.\",\"avgETN\":\"Eligible for the Merit program.\",\"b4NS3e\":\"Προειδοποίηση περιόδου ψύξης\",\"bNEQeI\":\"Cooldown\",\"bSruit\":\"ZKSync Ignite Program rewards are claimed through the\",\"bUUVED\":\"Περιουσιακό στοιχείο\",\"bXQ/Og\":\"Μοιραστείτε το στο twitter\",\"bXr0ee\":\"Τα απομονωμένα περιουσιακά στοιχεία έχουν περιορισμένη δανειοληπτική ικανότητα και άλλα περιουσιακά στοιχεία δεν μπορούν να χρησιμοποιηθούν ως εγγύηση.\",\"bYmAV1\":\"Addresses\",\"bguKoJ\":\"Το αιτούμενο ποσό είναι μεγαλύτερο από το μέγιστο μέγεθος δανείου στη λειτουργία σταθερού επιτοκίου\",\"bwSQI0\":\"Προσφορά\",\"bxN6EM\":\"Cannot disable E-Mode\",\"bxmzSh\":\"Δεν υπάρχουν επαρκείς εγγυήσεις για την αποπληρωμή αυτού του ποσού χρέους με\",\"c91vuQ\":\"Η διεύθυνση δεν είναι συμβόλαιο\",\"c97os2\":\"Aave aToken\",\"c9b44w\":\"Δεν μπορείτε να αποσύρετε αυτό το ποσό, διότι θα προκληθεί κλήση εγγύησης\",\"cBc+4A\":\"Αυτό είναι το συνολικό ποσό που μπορείτε να δανειστείτε. Μπορείτε να δανειστείτε με βάση την εξασφάλισή σας και μέχρι να επιτευχθεί το ανώτατο όριο δανεισμού.\",\"cIl5kp\":\"Your voting power is based on your AAVE/stkAAVE balance and received delegations.\",\"cLo09S\":\"Λεπτομέρειες κινδύνου\",\"cNT+ij\":\"Ο δανεισμός δεν είναι διαθέσιμος επειδή έχετε ενεργοποιήσει τη Λειτουργία Αποδοτικότητας (E-Mode) και τη λειτουργία Απομόνωσης. Για να διαχειριστείτε τη λειτουργία E-Mode και τη λειτουργία Απομόνωσης, επισκεφθείτε τον <0>Πίνακα ελέγχου.\",\"cZOeBk\":\"Something went wrong fetching bridge message, please try again later.\",\"ceix5S\":\"To submit a proposal for minor changes to the protocol, you'll need at least 80.00K power. If you want to change the core code base, you'll need 320k power.<0>Learn more.\",\"ciybUa\":\"Ψηφίστε ΥΠΕΡ\",\"ckf7gX\":[\"Αποπληρώνοντας \",[\"symbol\"]],\"cp1ZDP\":[\"Bridge \",[\"symbol\"]],\"cqnmnD\":\"Effective interest rate\",\"cqwIvs\":\"Συζήτηση φόρουμ\",\"csDS2L\":\"Διαθέσιμο\",\"cu7Stb\":\"Δεν συμμετείχατε στην παρούσα πρόταση\",\"dE6BLF\":\"Διακυβέρνηση\",\"dEgA5A\":\"Cancel\",\"dIsyWh\":\"Η επικύρωση του Ltv απέτυχε\",\"dMtLDE\":\"to\",\"dOB5nW\":[\"Maximum amount available to supply is <0/> \",[\"0\"],\" (<1/>).\"],\"dVfODp\":\"Δεν έχετε αρκετά χρήματα στο πορτοφόλι σας για να αποπληρώσετε ολόκληρο το ποσό. Εάν προχωρήσετε στην αποπληρωμή με το τρέχον ποσό των χρημάτων σας, θα εξακολουθείτε να έχετε μια μικρή θέση δανεισμού στο ταμπλό σας.\",\"dXUQFX\":\"Περιουσιακά στοιχεία προς δανεισμό\",\"dgr1aY\":\"Borrowing is disabled due to an Aave community decision. <0>More details\",\"djsg0o\":\"Χρησιμοποίηση εγγυήσεων\",\"dpc0qG\":\"Μεταβλητό\",\"drdV8R\":\"Liquidation\",\"dxW8cS\":\"Aave debt token\",\"e4V3oW\":\"Top 10 addresses\",\"eD8WX/\":\"Η δράση απαιτεί ενεργό απόθεμα\",\"eJRJ04\":\"Amount to unstake\",\"eLh0cL\":\"Slippage is the difference between the quoted and received amounts from changing market conditions between the moment the transaction is submitted and its verification.\",\"ePK91l\":\"Edit\",\"eVpCmf\":\"Staking Rewards\",\"eVqvtf\":\"Bridge GHO\",\"eYdurp\":\"No transactions yet.\",\"ebLGGN\":\"Σύνολο δανεικών\",\"ecqEvn\":\"Το υπόλοιπο των εγγυήσεων είναι 0\",\"efdrrk\":\"Available on\",\"enruNF\":\"starts\",\"eqLYiD\":\"Ξεκλειδώστε τώρα\",\"euScGB\":\"APY with discount applied\",\"evw5ha\":\"Καθαρή αξία\",\"ezcU16\":\"Get ABP Token\",\"f3W0Ej\":[\"Αλλάξατε σε ποσοστό \",[\"0\"]],\"fH9i8k\":\"You've successfully switched borrow position.\",\"fHcELk\":\"Καθαρό APR\",\"fMJQZK\":\"Borrowed\",\"fZ5Vnu\":\"Received\",\"firl9Q\":\"Το τρέχον δάνειο προς αξία με βάση τις παρεχόμενες εξασφαλίσεις σας.\",\"flRCF/\":\"Staking discount\",\"fldjW9\":\"Preview tx and migrate\",\"fsBGk0\":\"Υπόλοιπο\",\"fu1Dbh\":[\"Ανάληψη \",[\"symbol\"]],\"fwjWSI\":\"Supplied\",\"fwyTMb\":\"Migrate to stkABPT v2\",\"g0mals\":\"You can not disable E-Mode because that could cause liquidation. To exit E-Mode supply or repay borrowed positions.\",\"g2UNkE\":\"Powered by\",\"g8KGoA\":\"FAQS\",\"g9zzqS\":\"Voted NAY\",\"gDd2gk\":\"about SuperFest.\",\"gFFh9h\":\"Όλα έτοιμα!\",\"gIMJlW\":\"Λειτουργία Testnet\",\"gOzPxe\":\"This asset is frozen due to an Aave Protocol Governance decision. <0>More details\",\"gTHi2T\":\"Ο χρήστης προσπαθεί να δανειστεί πολλαπλά περιουσιακά στοιχεία, συμπεριλαμβανομένου ενός απομονωμένου περιουσιακού στοιχείου\",\"gVW59Y\":\"Please connect your wallet to get free testnet assets.\",\"gcFNxP\":\"Approve Confirmed\",\"gncRUO\":\"This address is blocked on app.aave.com because it is associated with one or more\",\"goff7V\":\"Η μηδενική διεύθυνση δεν είναι έγκυρη\",\"gp+f1B\":\"Version 3\",\"gr8mYw\":\"You may borrow up to <0/> GHO at <1/> (max discount)\",\"gvTM4B\":\"Το καθαρό ΑΡΥ είναι η συνδυασμένη επίδραση όλων των θέσεων προσφοράς και δανεισμού στην καθαρή αξία, συμπεριλαμβανομένων των κινήτρων. Είναι δυνατόν να υπάρχει αρνητικό καθαρό APY εάν το χρεωστικό APY είναι υψηλότερο από το προσφερόμενο APY.\",\"gzcch9\":\"Μη έγκυρη αμοιβή πρωτοκόλλου γέφυρας\",\"h33MxW\":\"Representing smart contract wallet (ie. Safe) addresses on other chains.\",\"h3ilK+\":\".CSV\",\"hB23LY\":\"Activate Cooldown\",\"hIJzBh\":\"Available to Claim\",\"hIS4N0\":\"Καθαρό APY\",\"hRWvpI\":\"Claimed\",\"hdmy/o\":\"Το % της συνολικής δανειοληπτικής σας δύναμης που χρησιμοποιείται. Αυτό βασίζεται στο ποσό της παρεχόμενης εξασφάλισής σας και στο συνολικό ποσό που μπορείτε να δανειστείτε.\",\"hehnjM\":\"Ποσό\",\"hjDCQr\":\"Υπήρξε κάποιο σφάλμα. Προσπαθήστε να αλλάξετε τις παραμέτρους ή <0><1>αντιγράψτε το σφάλμα\",\"hom7qf\":\"Διεκδίκηση\",\"hpHJ4I\":\"Liquidated collateral\",\"hpuVIp\":\"Users who stake AAVE in Safety Module (i.e. stkAAVE holders) receive a discount on GHO borrow interest rate.\",\"huQ6Tz\":[\"Δανεισμός \",[\"symbol\"]],\"hxi7vE\":\"Borrow balance\",\"i/fZ2Z\":\"Staked Balance\",\"i2JTiw\":\"You may enter a custom amount in the field.\",\"iB5+/J\":\"About GHO\",\"iChbOF\":\"Ασυνεπείς παράμετροι flashloan\",\"iEPVHF\":\"Δεν έχει αρκετή δύναμη ψήφου για να συμμετάσχει στην παρούσα πρόταση\",\"iEW87X\":\"Delegated power\",\"iEju36\":[\"Ψηφίσατε \",[\"0\"]],\"iFq2YN\":\"Borrowable\",\"iGxyIA\":\"Safety Module\",\"iMVZk9\":\"Select slippage tolerance\",\"iPMIoT\":\"Εισάγετε ένα ποσό\",\"iSLIjg\":\"Connect\",\"iUo5rv\":\"tokens δεν είναι το ίδιο με το να τα κλειδώνετε. Εάν επιθυμείτε να κλειδώσετε τα\",\"iZxa38\":\"Use it to vote for or against active proposals.\",\"if5PH+\":\"Collector Info\",\"igkfR1\":[\"In Isolation mode, you cannot supply other assets as collateral. A global debt ceiling limits the borrowing power of the isolated asset. To exit isolation mode disable \",[\"0\"],\" as collateral before borrowing another asset. Read more in our <0>FAQ\"],\"il0sEG\":\"H χρήση εγγυήσεων είναι περιορισμένη λόγω της λειτουργίας Απομόνωσης.\",\"j+K1Xj\":\"Amount After Fee\",\"jA2QeW\":\"Προμηθεύοντας το\",\"jFi7dz\":\"Interest rate that is determined by Aave Governance. This rate may be changed over time depending on the need for the GHO supply to contract/expand. <0>Learn more\",\"jG3UJ7\":\"Απενεργοποίηση E-Mode\",\"jKYzR1\":\"Ενεργοποίηση E-Mode\",\"jMam5g\":[[\"0\"],\" Υπόλοιπο\"],\"jSYv+Z\":\"Enabling E-Mode allows you to maximize your borrowing power, however, borrowing is restricted to assets within the selected category. <0>Learn more about how it works and the applied restrictions.\",\"jaKbwW\":[[\"s\"],\"δ\"],\"jbFMap\":\"Χρόνος ψύξης που έχει απομείνει\",\"jeMZNr\":[[\"0\"],\" on-ramp service is provided by External Provider and by selecting you agree to Terms of the Provider. Your access to the service might be reliant on the External Provider being operational.\"],\"jfl9OP\":\"Migrated\",\"jmXdoY\":\"Στο E-Mode ορισμένα περιουσιακά στοιχεία δεν είναι δανείσιμα. Βγείτε από το E-Mode για να αποκτήσετε πρόσβαση σε όλα τα περιουσιακά στοιχεία\",\"jpctdh\":\"View\",\"jqzUyM\":\"Μη διαθέσιμο\",\"k/sb6z\":\"Επιλέξτε γλώσσα\",\"k3wP3f\":\"<0>Attention: Parameter changes via governance can alter your account health factor and risk of liquidation. Follow the <1>Aave governance forum for updates.\",\"kACpF3\":[\"Διεκδίκηση \",[\"0\"]],\"kH6wUX\":\"Επίδραση στην τιμή\",\"kIC28N\":\"Available to claim\",\"kIpSye\":[[\"numSelected\"],\"/\",[\"numAvailable\"],\" assets selected\"],\"kN1Yg5\":\"Για την εξόφληση εκ μέρους ενός χρήστη απαιτείται ένα ρητό ποσό προς εξόφληση\",\"kRTD40\":[\"Repayment amount to reach \",[\"0\"],\"% utilization\"],\"kjN9tT\":\"Υπέρβαση του ανώτατου ορίου προσφοράς\",\"knxE+G\":\".JSON\",\"ks2LWT\":\"Το ανώτατο όριο χρέους δεν είναι μηδενικό\",\"kwwn6i\":\"Users who stake AAVE in Safety Module (i.e. stkAAVE holders) receive a discount on GHO borrow interest rate. The discount applies to 100 GHO for every 1 stkAAVE held. Use the calculator below to see GHO borrow rate with the discount applied.\",\"kz3wtK\":\"and about SPK program\",\"kzZyM4\":\"DAI balance will be converted via DSR contracts and then supplied as sDAI. Switching incurs no additional costs and no slippage.\",\"lNVG7i\":\"Select an asset\",\"lU2d1/\":[\"Asset cannot be migrated due to insufficient liquidity or borrow cap limitation in \",[\"marketName\"],\" v3 market.\"],\"lVhKKI\":\"Voted YAE\",\"lWLqxB\":\"We couldn't find any transactions related to your search. Try again with a different asset name, or reset filters.\",\"lYGfRP\":\"Αγγλικά\",\"lfEjIE\":\"Μάθετε περισσότερα στον οδηγό <0>Συχνών Ερωτήσεων\",\"lt6bpt\":\"Collateral to repay with\",\"m/IEhi\":\"Συνολικές εκπομπές ανά ημέρα\",\"m7r7Hh\":\"Selected borrow assets\",\"mDDK4p\":\"Balancer Pool\",\"mIM0qu\":\"Expected amount to repay\",\"mUAFd6\":\"Version 2\",\"masO5Z\":\"E-Mode increases your LTV for a selected category of assets. <0>Learn more\",\"mdNjKU\":[\"Your \",[\"name\"],\" wallet is empty. Purchase or transfer assets or use <0>\",[\"0\"],\" to transfer your \",[\"network\"],\" assets.\"],\"muiOng\":[\"Buy \",[\"cryptoSymbol\"],\" with Fiat\"],\"mvCXBY\":\"Stake AAVE\",\"mwdzil\":\"Εντάξει, Κλείσιμο\",\"mzI/c+\":\"Download\",\"mzdIia\":\"Το περιουσιακό στοιχείο δεν μπορεί να χρησιμοποιηθεί ως εγγύηση.\",\"n+SX4g\":\"Προγραμματιστές\",\"n8Psk4\":\"We couldn’t detect a wallet. Connect a wallet to stake and view your balance.\",\"nJIhzm\":\"Προσφορά apy\",\"nJgsQu\":\"Με δύναμη ψήφου <0/>\",\"nLC6tu\":\"Γαλλικά\",\"nN2T8p\":\"During the cooldown period, you will not earn any merit rewards. However, rewards earned up to this point will remain unaffected.\",\"nNHV0z\":\"Migrating multiple collaterals and borrowed assets at the same time can be an expensive operation and might fail in certain situations.<0>Therefore it’s not recommended to migrate positions with more than 5 assets (deposited + borrowed) at the same time.\",\"nNbnzu\":\"Proposition\",\"nOy4ob\":\"We suggest you go back to the Dashboard.\",\"nPGNMh\":\"Μπορεί να εκτελεστεί\",\"nUK1ou\":[\"Assets with zero LTV (\",[\"0\"],\") must be withdrawn or disabled as collateral to perform this action\"],\"nakd8r\":\"stkAAVE holders get a discount on GHO borrow rate\",\"nh2EJK\":[\"Παρακαλώ μεταβείτε στο \",[\"networkName\"],\".\"],\"njBeMm\":\"Both\",\"noN5Xf\":\"We couldn’t detect a wallet. Connect a wallet to view your staking positions and rewards.\",\"ntkAoE\":\"Discount applied for <0/> staking AAVE\",\"ntyFSE\":[[\"h\"],\"ω\"],\"nwtY4N\":\"Something went wrong\",\"nxyWvj\":\"Withdrawing this amount will reduce your health factor and increase risk of liquidation.\",\"o17QVP\":\"Ο συντελεστής υγείας και το δάνειο προς αξία καθορίζουν τη διασφάλιση των εξασφαλίσεών σας. Για να αποφύγετε τις ρευστοποιήσεις μπορείτε να παράσχετε περισσότερες εξασφαλίσεις ή να εξοφλήσετε δανειακές θέσεις.\",\"o1xc2V\":\"Η προσφορά AToken δεν είναι μηδενική\",\"o4tCu3\":\"Borrow APY\",\"o5ooMr\":\"Χρέος\",\"o7J4JM\":\"Φίλτρο\",\"oHFrpj\":\"Ψύξτε για ξεκλείδωμα\",\"oJ5ZiG\":\"Ο χρήστης δεν έχει ανεξόφλητο χρέος μεταβλητού επιτοκίου σε αυτό το αποθεματικό\",\"oRBGin\":\"Please connect your wallet to be able to switch your tokens.\",\"oUwXhx\":\"Test Assets\",\"oWklJD\":\"Το σταθερό επιτόκιο θα <0>μείνει το ίδιο για όλη τη διάρκεια του δανείου σας. Συνιστάται για μακροχρόνιες περιόδους δανεισμού και για χρήστες που προτιμούν την προβλεψιμότητα.\",\"odnIK3\":\"Time remaining until the 48 hour withdraw period starts.\",\"oiK5nY\":\"The current incentives period, decided on by the Aave community, has ended. Governance is in the process on renewing, check for updates. <0>Learn more.\",\"olREoo\":\"All borrow positions outside of this category must be closed to enable this category.\",\"om/XHs\":\"Διαθέσιμο για προμήθεια\",\"ov0+mq\":\"Eligible for the ZKSync Ignite program.\",\"ovT1pF\":[\"Per the community, the \",[\"market\"],\" has been frozen.\"],\"ow3fug\":\"Nothing found\",\"owSsI3\":\"Signatures ready\",\"p+R52m\":\"Go to Balancer Pool\",\"p2A+s1\":[\"Η περίοδος ψύξης είναι \",[\"0\"],\". Μετά την \",[\"1\"],\" περίοδο ψύξης, θα εισέλθετε στο παράθυρο ξεκλειδώματος \",[\"2\"],\". Θα συνεχίσετε να λαμβάνετε ανταμοιβές κατά τη διάρκεια της ψύξης και του παραθύρου ξεκλειδώματος.\"],\"p2S64u\":\"The loan to value of the migrated positions would cause liquidation. Increase migrated collateral or reduce migrated borrow to continue.\",\"p2Z2Qi\":\"Αυτό το περιουσιακό στοιχείο έχει φθάσει στο ανώτατο όριο δανεισμού του. Τίποτα δεν είναι διαθέσιμο για δανεισμό από αυτή την αγορά.\",\"p3j+mb\":\"Το υπόλοιπο της ανταμοιβής σας είναι 0\",\"p45alK\":\"Set up delegation\",\"p6u2s1\":\"Minimum amount of debt to be repaid\",\"pDgeaz\":[[\"title\"]],\"pdZqBk\":\"Το υποκείμενο υπόλοιπο πρέπει να είναι μεγαλύτερο από 0\",\"pgWG9H\":\"Δεν υπάρχει αρκετό κλειδωμένο υπόλοιπο\",\"piPrJ7\":\"παρακαλούμε ελέγξτε ότι το ποσό που θέλετε να παρέχετε δεν χρησιμοποιείται επί του παρόντος για κλείδωμα. Εάν χρησιμοποιείται για κλείδωμα, η συναλλαγή σας ενδέχεται να αποτύχει.\",\"pjO/iH\":\"Minimum amount received\",\"pooutM\":\"Voting is on\",\"pqaM5s\":\"Confirming transaction\",\"ptaxX3\":[\"Καταλαβαίνω πώς λειτουργεί η ψύξη (\",[\"0\"],\") και το ξεκλείδωμα (\",[\"1\"],\")\"],\"py2iiY\":\"Ο καλών αυτής της συνάρτησης πρέπει να είναι ένα κοινόχρηστο ταμείο\",\"q/51mF\":\"Migrate to V3\",\"q3df11\":\"Interest rate strategy\",\"q6lAbz\":\"Κλειδωμένο\",\"qB4kPi\":\"Προσφορά APY\",\"qENI8q\":\"Γενικές ρυθμίσεις\",\"qGz5zl\":\"Collateral balance after repay\",\"qOqbD6\":\"αντιγράψτε το σφάλμα\",\"qXCkEM\":\"Συνδέστε το πορτοφόλι σας για να δείτε τις προμήθειες, τα δάνεια και τις ανοιχτές θέσεις σας.\",\"qY2jnw\":\"Μη έγκυρη λήξη\",\"qf/fr+\":\"Interest accrued\",\"quYPUU\":\"Variable interest rate will <0>fluctuate based on the market conditions.\",\"quzIeW\":\"User is in isolation mode or LTV is zero\",\"qvnz3q\":\"Μη έγκυρη ποσότητα προς καύση\",\"rHgdb0\":\"Migrate to Aave V3\",\"rOrHHe\":\"Το ποσό πρέπει να είναι μεγαλύτερο από 0\",\"rQ+R+0\":\"Selected supply assets\",\"rSayea\":\"APY\",\"rTBDeu\":[\"Asset cannot be migrated because you have isolated collateral in \",[\"marketName\"],\" v3 Market which limits borrowable assets. You can manage your collateral in <0>\",[\"marketName\"],\" V3 Dashboard\"],\"rcT+yy\":\"Εμφάνιση περιουσιακών στοιχείων με υπόλοιπο 0\",\"rf8POi\":\"Borrowed asset amount\",\"riNWOA\":\"E-Mode\",\"rjGI/Q\":\"Privacy\",\"rnKPW1\":\"Watch a wallet balance in read-only mode\",\"ruc7X+\":\"Add stkAAVE to see borrow APY with the discount\",\"rvbaFU\":[\"Bridging \",[\"symbol\"]],\"rwVVB7\":\"Διεκδικήστε όλες τις ανταμοιβές\",\"rwyUva\":\"These assets are temporarily frozen or paused by Aave community decisions, meaning that further supply / borrow, or rate swap of these assets are unavailable. Withdrawals and debt repayments are allowed. Follow the <0>Aave governance forum for further updates.\",\"rxJW5W\":\"Your proposition power is based on your AAVE/stkAAVE balance and received delegations.\",\"s2jJnW\":\"You don't have any bridge transactions\",\"s5wBAq\":[\"Unstake \",[\"symbol\"]],\"sJbIdI\":\"Enter ETH address or ENS\",\"sK+Nag\":\"Αναθεώρηση συναλλαγής\",\"sP2+gB\":\"ΚΑΤΑ\",\"sQv06Y\":\"for\",\"sTtO6J\":\"Confirm transaction\",\"sXKb3l\":\"Exchange rate\",\"sb0q4+\":\"Μπορείτε να ξεκλειδώσετε εδώ\",\"smJNwH\":\"Διαθέσιμο για δανεισμό\",\"solypO\":\"Ο παράγοντας υγείας δεν είναι κάτω από το όριο\",\"sr0UJD\":\"Πηγαίνετε Πίσω\",\"ss5GCK\":\"Η διεύθυνση του παρόχου διευθύνσεων κοινόχρηστου ταμείου είναι άκυρη\",\"swEgK4\":\"Οι πληροφορίες ψήφου σας\",\"t+wtgf\":\"Τίποτα δανεισμένο ακόμα\",\"t/YqKh\":\"Remove\",\"t81DpC\":[\"Approve \",[\"symbol\"],\" to continue\"],\"tCnbEs\":\"Τιμή Oracle\",\"tFZLf8\":\"Αυτός ο υπολογισμός gas είναι μόνο μια εκτίμηση. Το πορτοφόλι σας θα καθορίσει την τιμή της συναλλαγής. Μπορείτε να τροποποιήσετε τις ρυθμίσεις gas απευθείας από τον πάροχο του πορτοφολιού σας.\",\"tHuvQI\":\"Go to V3 Dashboard\",\"tKv7cI\":\"Switch borrow position\",\"tOcg3N\":\"Since this asset is frozen, the only available actions are withdraw and repay which can be accessed from the <0>Dashboard\",\"tOuXfv\":[\"Borrow amount to reach \",[\"0\"],\"% utilization\"],\"te9Bfl\":\"Παρακαλώ, συνδέστε το πορτοφόλι σας\",\"tt5yma\":\"Οι προμήθειές σας\",\"ttoh5c\":\"Switch to\",\"u3ZeYl\":\"Η συναλλαγή απέτυχε\",\"u706uF\":\"Άκυρη πριμοδότηση flashloan\",\"u8Gfu7\":[\"No search results\",[\"0\"]],\"uAQUqI\":\"Status\",\"uHMwk8\":\"No assets selected to migrate.\",\"uJPHuY\":\"Migrating\",\"uY8O30\":\"To continue, you need to grant Aave smart contracts permission to move your funds from your wallet. Depending on the asset and wallet you use, it is done by signing the permission message (gas free), or by submitting an approval transaction (requires gas). <0>Learn more\",\"udFheE\":\"Για την αποπληρωμή ενός συγκεκριμένου τύπου χρέους, ο χρήστης πρέπει να έχει χρέος αυτού του τύπου\",\"ulNuNq\":\"Export data to\",\"ulup2p\":\"Buy Crypto with Fiat\",\"umICAY\":\"<0><1><2/>Add stkAAVE to see borrow rate with discount\",\"usB84Z\":\"Maximum amount available to borrow is limited because protocol borrow cap is nearly reached.\",\"uwAUvj\":\"COPY IMAGE\",\"v8x7Mg\":\"Insufficient collateral to cover new borrow position. Wallet must have borrowing power remaining to perform debt switch.\",\"vEqxH9\":\"Restaked\",\"vLyv1R\":\"Απόκρυψη\",\"vMba49\":\"Ο δανεισμός δεν είναι ενεργοποιημένος\",\"vMpNwt\":\"Approve with\",\"vXIe7J\":\"Γλώσσα\",\"vesuBJ\":\"Σας επιτρέπει να αποφασίσετε αν θα χρησιμοποιήσετε ένα παρεχόμενο περιουσιακό στοιχείο ως εγγύηση. Ένα περιουσιακό στοιχείο που χρησιμοποιείται ως εγγύηση θα επηρεάσει τη δανειοληπτική σας ικανότητα και τον συντελεστή υγείας.\",\"w+V9Cx\":\"Σταθερό νόμισμα\",\"w/JtJ3\":\"Η σταθερή προσφορά χρέους δεν είναι μηδενική\",\"w4VBY+\":\"Ανταμοιβές APR\",\"w9dLMW\":[[\"label\"]],\"wAOL+X\":[\"Εσείς \",[\"action\"],\" <0/> \",[\"symbol\"]],\"wBIsjb\":\"Discord channel\",\"wQZbc/\":\"Ο καλών της συνάρτησης δεν είναι AToken\",\"wRRqvW\":\"Δεν έχετε προμήθειες σε αυτό το νόμισμα\",\"wZFvVU\":\"ΨΗΦΙΣΤΕ ΥΠΕΡ\",\"wb/r1O\":[\"Βρύση \",[\"0\"]],\"wdxz7K\":\"Source\",\"weH1nG\":\"The Aave Protocol is programmed to always use the price of 1 GHO = $1. This is different from using market pricing via oracles for other crypto assets. This creates stabilizing arbitrage opportunities when the price of GHO fluctuates.\",\"wh7Ezv\":\"You have no AAVE/stkAAVE/aAave balance to delegate.\",\"wlsIx7\":\"With testnet Faucet you can get free assets to test the Aave Protocol. Make sure to switch your wallet provider to the appropriate testnet network, select desired asset, and click ‘Faucet’ to get tokens transferred to your wallet. The assets on a testnet are not “real,” meaning they have no monetary value. <0>Learn more\",\"wmE285\":\"Get ABP v2 Token\",\"wyRrcJ\":\"As a result of governance decisions, this ABPT staking pool is now deprecated. You have the flexibility to either migrate all of your tokens to v2 or unstake them without any cooldown period.\",\"x5KiLL\":\"Selected assets have successfully migrated. Visit the Market Dashboard to see them.\",\"x7F2p6\":\"Τρέχον διαφορικό\",\"x7K5ib\":[\"Your \",[\"networkName\"],\" wallet is empty. Get free test \",[\"0\"],\" at\"],\"x9iLRD\":\"tokens, παρακαλούμε μεταβείτε στο\",\"xNy/UG\":\"Αποπληρωμή με\",\"xPm8wv\":\"Μάθετε περισσότερα για τους κινδύνους\",\"xXYpZl\":[[\"0\"],\" Βρύση\"],\"xaVBSS\":\"Οι πληροφορίες σας\",\"xaWZ6f\":\"APY type change\",\"xh6k71\":\"Collateral usage is limited because of isolation mode.\",\"xvIklc\":\"Flashloan is disabled for this asset, hence this position cannot be migrated.\",\"y5rS9U\":\"Migrate\",\"y66tBm\":[\"Ενεργοποίηση \",[\"symbol\"],\" ως εγγύηση\"],\"yB1YpA\":\"Σκοτεινή λειτουργία\",\"yCrG6m\":\"Συνολικό μέγεθος της αγοράς\",\"yJUUbn\":\"Επισκόπηση συναλλαγής\",\"yLGmLX\":[\"Restake \",[\"symbol\"]],\"yW1oWB\":\"Τύπος APY\",\"yYHqJe\":\"Μη έγκυρη διεύθυνση\",\"yZwLw6\":\"Track wallet\",\"yh2sjd\":[\"Price impact \",[\"0\"],\"%\"],\"yhvj6d\":\"Δεν μπορείτε να αλλάξετε τη χρήση ως λειτουργία εγγύησης για αυτό το νόμισμα, διότι θα προκαλέσει κλήση εγγύησης\",\"ylmtBZ\":\"The app is running in fork mode.\",\"ymNY32\":[\"Δεν υπάρχουν αρκετά κεφάλαια στο\",[\"0\"],\"αποθεματικό για δανεισμό\"],\"yz7wBu\":\"Κλείσιμο\",\"z4uGQg\":\"Υπέρβαση του ανώτατου ορίου χρέους\",\"z5UQOM\":\"Η εγγύηση που έχει επιλεγεί δεν μπορεί να ρευστοποιηθεί\",\"z5Y+p6\":[\"Παροχή \",[\"symbol\"]],\"zCjNKs\":\"Η ενέργεια δεν μπορεί να εκτελεστεί επειδή το αποθεματικό έχει παγώσει\",\"zRHytX\":\"Isolated Debt Ceiling\",\"zTOjMP\":\"Protocol supply cap is at 100% for this asset. Further supply unavailable.\",\"zVdRUG\":\"Submission did not work, please try again later or contact wecare@avara.xyz\",\"zevmS2\":\"<0><1><2/>Add <3/> stkAAVE to borrow at <4/> (max discount)\",\"zgtIDV\":\"Υπολειπόμενο χρέος\",\"zmTPiV\":\"Υπόλοιπο προσφοράς\",\"zpPbZl\":\"Liquidation risk parameters\",\"zucql+\":\"Μενού\",\"zwWKhA\":\"Μάθετε περισσότερα\",\"zy9fXn\":[\"Asset is frozen in \",[\"marketName\"],\" v3 market, hence this position cannot be migrated.\"],\"zys+R6\":\"Be mindful of the network congestion and gas prices.\",\"zzzTXS\":\"Merit Program rewards are claimed through the\"}")}; \ No newline at end of file diff --git a/src/locales/en/messages.js b/src/locales/en/messages.js index 9659f3be76..98b3b01b94 100644 --- a/src/locales/en/messages.js +++ b/src/locales/en/messages.js @@ -1 +1 @@ -/*eslint-disable*/module.exports={messages:JSON.parse("{\"+0xecS\":[\"If you DO NOT unstake within \",[\"0\"],\" of unstake window, you will need to activate cooldown process again.\"],\"+EGVI0\":\"Receive (est.)\",\"+VR63W\":[\"Participating in this \",[\"symbol\"],\" reserve gives annualized rewards.\"],\"+bmKdK\":\"Use your AAVE, stkAAVE, or aAave balance to delegate your voting and proposition powers. You will not be sending any tokens, only the rights to vote and propose changes to the protocol. You can re-delegate or revoke power to self at any time.\",\"+eOPG+\":\"Seems like we can't switch the network automatically. Please check if you can change it from the wallet.\",\"+i3Pd2\":\"Borrow cap\",\"+kLZGu\":\"Supplied asset amount\",\"+nuEh/\":\"Estimated time\",\"+xMFF8\":\"Remind me\",\"/57U31\":\"Amount to migrate\",\"/7ykiW\":\"Borrowing this amount will reduce your health factor and increase risk of liquidation.\",\"/YA5pU\":\"E-Mode increases your LTV for a selected category of assets, meaning that when E-mode is enabled, you will have higher borrowing power over assets of the same E-mode category which are defined by Aave Governance. You can enter E-Mode from your <0>Dashboard. To learn more about E-Mode and applied restrictionn, see the <1>help guide or the <2>Aave V3 Technical Paper.\",\"/izjs/\":\"Minimum staked Aave amount\",\"/jQctM\":\"To\",\"/lDBHm\":\"FAQ\",\"/yNlZf\":\"Stable borrowing is not enabled\",\"/yQcJM\":\"Total worth\",\"00AB2i\":\"User did not borrow the specified currency\",\"00OflG\":\"There is not enough liquidity for the target asset to perform the switch. Try lowering the amount.\",\"08/rZ9\":\"The cooldown period is the time required prior to unstaking your tokens (20 days). You can only withdraw your assets from the Security Module after the cooldown period and within the unstake window.<0>Learn more\",\"0AmQcW\":\"Rate change\",\"0BF3yK\":\"Sorry, we couldn't find the page you were looking for.\",\"0TAbjq\":\"Recent Transactions\",\"0jhlyw\":\"Liquidation risk\",\"0ojY+Y\":\"Current v2 Balance\",\"0thX3P\":\"Collateral change\",\"0wGCWc\":\"This is the total amount that you are able to supply to in this reserve. You are able to supply your wallet balance up until the supply cap is reached.\",\"1AsVfF\":\"Price data is not currently available for this reserve on the protocol subgraph\",\"1LjK22\":\"Transaction history\",\"1Onqx8\":[\"Approving \",[\"symbol\"],\"...\"],\"1Ue8sX\":\"Please connect a wallet to view your personal information here.\",\"1bpx9A\":\"...\",\"1kWUB+\":\"Liquidation <0/> threshold\",\"1m9Qqc\":\"Withdrawing and Switching\",\"1oyh4g\":\"Borrow rate\",\"1t7rez\":\"Asset supply is limited to a certain amount to reduce protocol exposure to the asset and to help manage risks involved.\",\"2CAPu2\":\"You've successfully withdrew & switched tokens.\",\"2Eoi/a\":\"View details\",\"2FYpfJ\":\"More\",\"2O3qp5\":\"Available liquidity\",\"2OM8/D\":[\"Asset cannot be migrated due to supply cap restriction in \",[\"marketName\"],\" v3 market.\"],\"2Q4GU4\":\"Blocked Address\",\"2ZGocC\":\"Aave is a fully decentralized, community governed protocol by the AAVE token-holders. AAVE token-holders collectively discuss, propose, and vote on upgrades to the protocol. AAVE token-holders (Ethereum network only) can either vote themselves on new proposals or delagate to an address of choice. To learn more check out the Governance\",\"2a6G7d\":\"Please enter a valid wallet address.\",\"2bAhR7\":\"Meet GHO\",\"2eBWE6\":\"I acknowledge the risks involved.\",\"2o/xRt\":\"Supply cap on target reserve reached. Try lowering the amount.\",\"2uJToh\":[[\"0\"],[\"name\"]],\"2x58bP\":\"Stable borrowing is enabled\",\"34Qfwy\":\"Borrow cap is exceeded\",\"39eQRj\":[\"Borrow \",[\"symbol\"]],\"3BL1xB\":\"Total supplied\",\"3BnIWi\":\"Switched\",\"3K0oMo\":\"Remaining supply\",\"3MoZhl\":\"There is not enough collateral to cover a new borrow\",\"3Np5O8\":[\"Supply \",[\"symbol\"]],\"3O8YTV\":\"Total interest accrued\",\"3mXg0z\":\"Max LTV\",\"3q3mFy\":\"Repay\",\"3qsjtp\":\"The weighted average of APY for all supplied assets, including incentives.\",\"3rL+os\":\"You can only withdraw your assets from the Security Module after the cooldown period ends and the unstake window is active.\",\"42UgDM\":[\"Migrate to \",[\"0\"],\" v3 Market\"],\"49UFQA\":\"Voting results\",\"4DMZUI\":\"View Transactions\",\"4HtGBb\":\"MAX\",\"4Y5H+g\":\"Terms\",\"4YYh4d\":\"Maximum available to borrow\",\"4iPAI3\":\"Minimum GHO borrow amount\",\"4lDFps\":\"Sign to continue\",\"4wyw8H\":\"Transactions\",\"5JSSxX\":[\"Your \",[\"networkName\"],\" wallet is empty. Get free test assets at\"],\"5K7kGO\":\"documentation\",\"5NOSGa\":\"Debt ceiling limits the amount possible to borrow against this asset by protocol users. Debt ceiling is specific to assets in isolation mode and is denoted in USD.\",\"5Ncc6j\":[\"This asset has almost reached its supply cap. There can only be \",[\"messageValue\"],\" supplied to this market.\"],\"5cZ/KX\":\"Variable debt supply is not zero\",\"5che++\":\"To request access for this permissioned market, please visit: <0>Acces Provider Name\",\"5ctNdV\":[\"Minimum \",[\"0\"],\" received\"],\"5hDe9v\":\"Allowance required action\",\"5rsnKT\":\"Available rewards\",\"5yC5m5\":\"View all votes\",\"6/dCYd\":\"Overview\",\"60crCe\":\"All transactions\",\"62Xcjh\":\"Collateral\",\"65A04M\":\"Spanish\",\"6G8s+q\":\"Signing\",\"6Jrv+z\":[\"Repay \",[\"symbol\"]],\"6NGLTR\":\"Discountable amount\",\"6Xr0UU\":\"Cooling down...\",\"6bxci/\":\"Voting power\",\"6f8S68\":\"Markets\",\"6g1gi0\":\"Proposals\",\"6gvoHP\":\"Copy error message\",\"6h3Q5G\":\"repaid\",\"6lFSyT\":\"Available to Stake\",\"6s8L6f\":\"Switch Network\",\"6yAAbq\":\"APY, borrow rate\",\"70wH1Q\":\"APR\",\"72c5Qo\":\"Total\",\"73Auuq\":\"Discount parameters are decided by the Aave community and may be changed over time. Check Governance for updates and vote to participate. <0>Learn more\",\"75qcAQ\":[[\"stepName\"]],\"7ITr5L\":\"Health factor\",\"7T/o5R\":\"Reached\",\"7YlcXu\":\"Fork mode is ON\",\"7Z76Iw\":\"Borrowing is unavailable because you’re using Isolation mode. To manage Isolation mode visit your <0>Dashboard.\",\"7aKlMS\":\"Share on Lens\",\"7er5fP\":\"Claim all\",\"7hb2+s\":\"Time remaining until the withdraw period ends.\",\"7l88b8\":\"Data couldn't be fetched, please reload graph.\",\"7p5kLi\":\"Dashboard\",\"7sofdl\":\"Withdraw and Switch\",\"8+6BI0\":\"Be careful - You are very close to liquidation. Consider depositing more collateral or paying down some of your borrowed positions\",\"87pUEW\":[\"Your \",[\"name\"],\" wallet is empty. Purchase or transfer assets.\"],\"8F1i42\":\"Page not found\",\"8G8M0u\":\"Loading data...\",\"8Iu1QS\":\"withdrew\",\"8JL93T\":\"All proposals\",\"8Q51DU\":\"Add to wallet\",\"8X/oyn\":\"Invalid amount to mint\",\"8Z5FPv\":\"Disconnect Wallet\",\"8Zz7s5\":\"assets\",\"8aLW8H\":\"Balance to revoke\",\"8bOT3H\":\"Utilization Rate\",\"8sLe4/\":\"View contract\",\"8t/M0y\":\"Please connect your wallet to be able to bridge your tokens.\",\"8vETh9\":\"Show\",\"94OHPx\":\"You are entering Isolation mode\",\"9CDK3/\":[\"Borrowing is currently unavailable for \",[\"0\"],\".\"],\"9GIj3z\":\"Reserve Size\",\"9Knqb4\":\"Staking balance\",\"9OBKm7\":\"Quorum\",\"9QHoGr\":\"Current votes\",\"9Rw96f\":[\"This asset has almost reached its borrow cap. There is only \",[\"messageValue\"],\" available to be borrowed from this market.\"],\"9Xj/qR\":[\"Some migrated assets will not be used as collateral due to enabled isolation mode in \",[\"marketName\"],\" V3 Market. Visit <0>\",[\"marketName\"],\" V3 Dashboard to manage isolation mode.\"],\"9c6vDV\":\"This asset has reached its supply cap. Nothing is available to be supplied from this market.\",\"9kTWHA\":\"MAI has been paused due to a community decision. Supply, borrows and repays are impacted. <0>More details\",\"9lXchd\":\"Underlying token\",\"9rWaKF\":\"Bridged Via CCIP\",\"9xSooW\":\"Since this is a test network, you can get any of the assets if you have ETH on your wallet\",\"A/lwoe\":\"Choose one of the on-ramp services\",\"A6dCI6\":[\"Maximum amount available to borrow is <0/> \",[\"0\"],\" (<1/>).\"],\"AReoaV\":\"Your borrows\",\"ARu1L4\":\"Repaid\",\"AV7cGz\":\"Review approval tx details\",\"AZOjB8\":\"Fetching data...\",\"Ai0jas\":\"Join the community discussion\",\"Ajl2rq\":\"Borrowing power and assets are limited due to Isolation mode.\",\"AqgYNC\":\"Protocol borrow cap at 100% for this asset. Further borrowing unavailable.\",\"B3EcQR\":\"Thank you for voting!!\",\"B6aXGH\":\"Stable\",\"B9Gqbz\":\"Variable rate\",\"BDFEd+\":\"stETH supplied as collateral will continue to accrue staking rewards provided by daily rebases.\",\"BE2mP0\":\"Borrowed assets\",\"BJyN77\":\"Due to health factor impact, a flashloan is required to perform this transaction, but Aave Governance has disabled flashloan availability for this asset. Try lowering the amount or supplying additional collateral.\",\"BNL4Ep\":\"Collateral usage is limited because of isolation mode. <0>Learn More\",\"BQ/wCO\":\"Migrate your assets\",\"BjLdl1\":\"At a discount\",\"BnhYo8\":\"Asset category\",\"Bq9Y7e\":\"This asset is frozen due to an Aave community decision. <0>More details\",\"BqWMDJ\":\"Faucet\",\"BqynZO\":\"Optimized for efficiency and risk by supporting blue-chip collateral assets\",\"Bsu7zX\":\"The fee includes the gas cost to complete the transaction on the destination chain and the fee paid to Chainlink CCIP service providers. You can chose to pay in the network token or GHO. <0>Learn more\",\"BwJKBw\":\"of\",\"CDrsH+\":\"Techpaper\",\"CK1KXz\":\"Max\",\"CMHmbm\":\"Slippage\",\"CZXzs4\":\"Greek\",\"CcRNG6\":\"Switching\",\"CkTRmy\":[\"Claim \",[\"symbol\"]],\"CsqtLm\":\"Please connect your wallet to see migration tool.\",\"CtGlFb\":[[\"networkName\"],\" Faucet\"],\"Cxt2YY\":\"Watch wallet\",\"D33VQU\":\"This action will reduce health factor of V3 below liquidation threshold. Increase migrated collateral or reduce migrated borrow to continue.\",\"D9BLRG\":\"This asset has been paused due to a community decision. Supply, withdraw, borrows and repays are impacted.\",\"DAma/S\":\"Collateral is (mostly) the same currency that is being borrowed\",\"DCnFg0\":[\"Addresses (\",[\"0\"],\")\"],\"DG3Lv1\":\"I fully understand the risks of migrating.\",\"DONJcV\":\"The underlying asset cannot be rescued\",\"DR+4uL\":\"Supply balance after switch\",\"DWjrck\":[\"Asset cannot be migrated to \",[\"marketName\"],\" V3 Market due to E-mode restrictions. You can disable or manage E-mode categories in your <0>V3 Dashboard\"],\"Dj+3wB\":\"Aave per month\",\"DuEq2K\":\"Collateralization\",\"DxfsGs\":\"You can report incident to our <0>Discord or<1>Github.\",\"Dzma+E\":\"Main Ethereum market with the largest selection of assets and yield options\",\"E/QGRL\":\"Disabled\",\"EBL9Gz\":\"COPIED!\",\"ES8dkb\":\"Fixed rate\",\"EZd3Dk\":[\"Restaking \",[\"symbol\"]],\"Ebgc76\":[\"Withdrawing \",[\"symbol\"]],\"EdQY6l\":\"None\",\"EjvKQ+\":\"Minimum USD value received\",\"Enslfm\":\"Destination\",\"EvE9nO\":[\"Reactivate cooldown period to unstake \",[\"0\"],\" \",[\"stakedToken\"]],\"EvECnL\":\"Migrate to v3\",\"EzMQbh\":\"The source chain time to finality is the main factor that determines the time to destination. <0>Learn more\",\"F40cwT\":\"Legacy Markets\",\"F6TdXL\":\"Learn more.\",\"FDDPeZ\":\"Users can stake their assets in the protocol and earn incentives. In the case of a shortfall event, your stake can be slashed to cover the deficit, providing an additional layer of protection for the protocol.\",\"FHlMf/\":\"Current v2 balance\",\"FHpxjF\":[\"Reserve factor is a percentage of interest which goes to a \",[\"0\"],\" that is controlled by Aave governance to promote ecosystem growth.\"],\"FOBZa6\":\"Borrow power used\",\"FPKEug\":\"Operation not supported\",\"FbmMe7\":\"Linked addresses\",\"Fdp03t\":\"on\",\"Fjw9N+\":\"Assets to supply\",\"FmN0fk\":\"Restake\",\"GDGLIs\":\"GHO is a native decentralized, collateral-backed digital asset pegged to USD. It is created by users via borrowing against multiple collateral. When user repays their GHO borrow position, the protocol burns that user's GHO. All the interest payments accrued by minters of GHO would be directly transferred to the AaveDAO treasury.\",\"GQrBTq\":\"Switch E-Mode\",\"GWswcZ\":\"This asset is frozen due to an Aave Protocol Governance decision. On the 20th of December 2022, renFIL will no longer be supported and cannot be bridged back to its native network. It is recommended to withdraw supply positions and repay borrow positions so that renFIL can be bridged back to FIL before the deadline. After this date, it will no longer be possible to convert renFIL to FIL. <0>More details\",\"GX8GKD\":\"Assets\",\"GgEj+0\":\"Read-only mode. Connect to a wallet to perform transactions.\",\"GjkIKV\":\"ends\",\"GoK/QN\":\"Thank you for submitting feedback!\",\"GtP2hp\":[\"Borrowing is unavailable because you’ve enabled Efficiency Mode (E-Mode) for \",[\"0\"],\" category. To manage E-Mode categories visit your <0>Dashboard.\"],\"H6Ma8Z\":\"Discount\",\"HB/wfS\":[[\"tooltipText\"]],\"HKDsQN\":\"Rewards can be claimed through\",\"Ha/U5f\":\"This is a program initiated and implemented by the decentralised ZKSync community. Aave Labs does not guarantee the program and accepts no liability.\",\"HciqKU\":\"This is a program initiated and implemented by the decentralised Aave community. Aave Labs does not guarantee the program and accepts no liability.\",\"Hi6Ttn\":\"Sorry, an unexpected error happened. In the meantime you may try reloading the page, or come back later.\",\"HkEDbS\":[[\"d\"],\"d\"],\"HmkYqM\":\"Unstake window\",\"HpK/8d\":\"Reload\",\"HrnC47\":\"Save and share\",\"HuVZMK\":\"Days\",\"HvJKMU\":[\"Asset cannot be migrated to \",[\"marketName\"],\" v3 Market since collateral asset will enable isolation mode.\"],\"Hvwnm9\":[\"Maximum amount available to supply is limited because protocol supply cap is at \",[\"0\"],\"%.\"],\"I8CX2c\":\"The total amount of your assets denominated in USD that can be used as collateral for borrowing assets.\",\"IAD2SB\":[\"Claiming \",[\"symbol\"]],\"IG9X9/\":\"Borrowing of this asset is limited to a certain amount to minimize liquidity pool insolvency.\",\"IOIx8L\":\"This asset is planned to be offboarded due to an Aave Protocol Governance decision. <0>More details\",\"IP+I/j\":\"Cooldown period\",\"IaA40H\":\"Liquidation at\",\"J/hVSQ\":[[\"0\"]],\"JCoxL6\":\"Manage analytics\",\"JK9zf1\":[\"Estimated compounding interest, including discount for Staking \",[\"0\"],\"AAVE in Safety Module.\"],\"JOqFba\":[\"Unstaking \",[\"symbol\"]],\"JPrLjO\":\"You can not use this currency as collateral\",\"JU6q+W\":\"Reward(s) to claim\",\"JYKRJS\":\"Stake\",\"JZMxX0\":\"Not enough balance on your wallet\",\"Jgflkm\":\"Get GHO\",\"JoMQnI\":\"Wallet balance\",\"JtwD8u\":\"Borrow balance after repay\",\"JumYTK\":\"Supplied assets\",\"K05qZY\":\"Withdraw & Switch\",\"KAz/NV\":\"Protocol debt ceiling is at 100% for this asset. Further borrowing against this asset is unavailable.\",\"KLXVqE\":[\"stETH tokens will be migrated to Wrapped stETH using Lido Protocol wrapper which leads to supply balance change after migration: \",[\"0\"]],\"KLd6ky\":\"Use connected account\",\"KRpokz\":\"VIEW TX\",\"KSlpka\":\"This represents the threshold at which a borrow position will be considered undercollateralized and subject to liquidation for each collateral. For example, if a collateral has a liquidation threshold of 80%, it means that the position will be liquidated when the debt value is worth 80% of the collateral value.\",\"KYAjf3\":\"Isolated\",\"KZwRuD\":[[\"notifyText\"]],\"KkPgim\":\"Switching E-Mode\",\"KnN1Tu\":\"Expires\",\"KoOBI2\":\"Due to internal stETH mechanics required for rebasing support, it is not possible to perform a collateral switch where stETH is the source token.\",\"KojyJ4\":\"Wrong Network\",\"KsqhWn\":\"Staking\",\"KuBTQq\":\"Enter ETH address\",\"KvG1xW\":\"Claiming\",\"L+8Lzs\":\"Current LTV\",\"L+qiq+\":\"Market\",\"LDzfVJ\":\"Send Feedback\",\"LIrMcF\":\"No voting power\",\"LL0zks\":\"Can be collateral\",\"LLdJWu\":\"Claimable AAVE\",\"LSIpNK\":\"Borrow and repay in same block is not allowed\",\"LVt3TI\":[\"<0>Slippage tolerance <1>\",[\"selectedSlippage\"],\"% <2>\",[\"0\"],\"\"],\"LjafV8\":\"Maximum collateral amount to use\",\"LtpQew\":\"Let us know how we can make the app better for you. For user support related inquiries please reach out on\",\"LvVpD/\":\"Emode\",\"M2sknc\":\"Tip: Try increasing slippage or reduce input amount\",\"M7wPsD\":\"Switch\",\"MFu33y\":\"Staking 00\",\"MIy2RJ\":\"Maximum amount received\",\"MZ/nQf\":\"Recipient address\",\"Ma/MtY\":\"staking view\",\"McHlGl\":\"APY change\",\"MeCCA+\":\"APY, variable\",\"MghdTe\":\"If the health factor goes below 1, the liquidation of your collateral might be triggered.\",\"Mm/DVQ\":\"You cancelled the transaction.\",\"MnE2QX\":\"Borrow info\",\"MrmQHg\":\"View Bridge Transactions\",\"MuDFEQ\":\"Invalid return value of the flashloan executor function\",\"N5kUMV\":\"Asset can be only used as collateral in isolation mode with limited borrowing power. To enter isolation mode, disable all other collateral.\",\"N6Pxr9\":\"View all\",\"NF0e1Q\":\"Pending...\",\"NK9ikO\":\"Wallet Balance\",\"NMt2CB\":\"Amount claimable\",\"NcFGxG\":\"Collector Contract\",\"NfpPeS\":\"Nothing staked\",\"Nh9DAo\":[[\"m\"],\"m\"],\"O+sCUU\":\"Unbacked mint cap is exceeded\",\"O+tyU+\":[\"Maximum amount available to borrow against this asset is limited because debt ceiling is at \",[\"0\"],\"%.\"],\"O3oNi5\":\"Email\",\"OFjZGo\":\"Unstake\",\"OR8cYX\":\"Proposal overview\",\"OYuJ9K\":\"Protocol debt ceiling is at 100% for this asset. Futher borrowing against this asset is unavailable.\",\"OfhWJH\":\"Reset\",\"Og2SKn\":\"disabled\",\"On0aF2\":\"Website\",\"OsyKSt\":\"Withdraw\",\"P1dURE\":\"Revoke power\",\"P2WCD/\":[\"Underlying asset does not exist in \",[\"marketName\"],\" v3 Market, hence this position cannot be migrated.\"],\"P2sL6B\":\"When a liquidation occurs, liquidators repay up to 50% of the outstanding borrowed amount on behalf of the borrower. In return, they can buy the collateral at a discount and keep the difference (liquidation penalty) as a bonus.\",\"P6sRoL\":\"Stake ABPT\",\"P72/OW\":\"The weighted average of APY for all borrowed assets, including incentives.\",\"P7e6Ug\":\"Please connect your wallet to view transaction history.\",\"PByO0X\":\"Votes\",\"PI+kVe\":\"Disable fork\",\"PJK9u/\":\"Borrow apy\",\"PLUB/s\":\"Fee\",\"PP5ZA8\":[\"Participating in staking \",[\"symbol\"],\" gives annualized rewards. Your wallet balance is the sum of your aTokens and underlying assets. The breakdown to stake is below\"],\"PcBUgb\":\"Liquidation threshold\",\"PjU6bu\":\"This asset is eligible for SPK incentive program. Aave Labs does not guarantee the program and accepts no liability.\",\"PpqD5g\":\"Enabling this asset as collateral increases your borrowing power and Health Factor. However, it can get liquidated if your health factor drops below 1.\",\"PsOFSf\":\"This action will reduce V2 health factor below liquidation threshold. retain collateral or migrate borrow position to continue.\",\"Pu4bI/\":[[\"currentMethod\"]],\"Q0LzKi\":\"View TX\",\"Q4eNqa\":\"The Aave Balancer Pool Token (ABPT) is a liquidity pool token. You can receive ABPT by depositing a combination of AAVE + wstETH in the Balancer liquidity pool. You can then stake your BPT in the Safety Module to secure the protocol and earn Safety Incentives.\",\"QQYsQ7\":\"Withdrawing\",\"QWYCs/\":\"Stake GHO\",\"R+30X3\":\"Not reached\",\"RCU5PY\":\"Age\",\"RIfckG\":[\"Disable \",[\"symbol\"],\" as collateral\"],\"RMtxNk\":\"Differential\",\"RNK49r\":\"Invalid signature\",\"RS0o7b\":\"State\",\"RU+LqV\":\"Proposal details\",\"RYTgZX\":\"lorem ipsum\",\"RbXH+k\":\"AAVE, GHO, and ABPT holders (Ethereum network only) can stake their assets in the Safety Module to add more security to the protocol and earn Safety Incentives. In the case of a shortfall event, your stake can be slashed to cover the deficit, providing an additional layer of protection for the protocol.\",\"RiSYV4\":\"Asset is not listed\",\"Rj01Fz\":\"Links\",\"RmWFEe\":\"Staking APR\",\"RoafuO\":\"Send feedback\",\"RtBLm7\":\"Health factor is lesser than the liquidation threshold\",\"RxzN1M\":\"Enabled\",\"SDav7h\":\"Funds in the Safety Module\",\"SENccp\":\"If the error continues to happen,<0/> you may report it to this\",\"SIWumd\":\"Show Frozen or paused assets\",\"SM58dD\":\"Amount in cooldown\",\"SSMiac\":\"Failed to load proposal voters. Please refresh the page.\",\"SSQVIz\":\"Liquidation Threshold\",\"SUb8x0\":\"Total available\",\"SWIgh4\":\"Fees exceed wallet balance\",\"SY9hVo\":\"Read-only mode allows to see address positions in Aave, but you won't be able to perform transactions.\",\"SZRUQ4\":\"Max slippage\",\"Sa1UE/\":\"Protocol borrow cap is at 100% for this asset. Further borrowing unavailable.\",\"Sk2zW9\":\"Disabling E-Mode\",\"SxaD0o\":\"Pool addresses provider is not registered\",\"T/AIqG\":\"Protocol supply cap at 100% for this asset. Further supply unavailable.\",\"T0xCO9\":\"Can't validate the wallet address. Try again.\",\"T4OhVl\":\"GHO balance\",\"T6uYU2\":\"Borrow\",\"TFxQlw\":\"Liquidation penalty\",\"TQ7WsV\":\"Available to stake\",\"TUI7iB\":\"Asset can only be used as collateral in isolation mode only.\",\"TbjyhA\":\"Docs\",\"TduuS0\":\"User does not have outstanding stable rate debt on this reserve\",\"TeCFg/\":\"Borrow rate change\",\"Tg1JyO\":\"Bridge history\",\"TskbEN\":\"Holders of stkAAVE receive a discount on the GHO borrowing rate\",\"TszKts\":\"Borrow balance after switch\",\"TtZL6q\":\"Discount model parameters\",\"TwJI9F\":\"Asset has been successfully sent to CCIP contract. You can check the status of the transactions below\",\"Tz0GSZ\":\"blocked activities\",\"U/eBjN\":\"Reload the page\",\"U2r8nY\":\"Choose how much voting/proposition power to give to someone else by delegating some of your AAVE, stkAAVE or aAave balance. Your tokens will remain in your account, but your delegate will be able to vote or propose on your behalf. If your AAVE, stkAAVE or aAave balance changes, your delegate's voting/proposition power will be automatically adjusted.\",\"U8IubP\":\"The app is running in testnet mode. Learn how it works in\",\"U9btTk\":\"Asset is not borrowable in isolation mode\",\"UAOZRe\":\"Price impact is the spread between the total value of the entry tokens switched and the destination tokens obtained (in USD), which results from the limited liquidity of the trading pair.\",\"UE3KJZ\":\"Transaction history is not currently available for this market\",\"URmyfc\":\"Details\",\"UTTKmT\":\"Stake cooldown activated\",\"UXeR72\":\"These funds have been borrowed and are not available for withdrawal at this time.\",\"UYb8CM\":\"Learn more about the SPK rewards\",\"UbRrG0\":\"The Maximum LTV ratio represents the maximum borrowing power of a specific collateral. For example, if a collateral has an LTV of 75%, the user can borrow up to 0.75 worth of ETH in the principal currency for every 1 ETH worth of collateral.\",\"UpndFj\":\"No rewards to claim\",\"V0f2Xv\":\"Reserve factor\",\"V1HK43\":\"Migration risks\",\"VATFH9\":\"Covered debt\",\"VHOVEJ\":\"Connect wallet\",\"VMfYUK\":\"Safety of your deposited collateral against the borrowed assets and its underlying value.\",\"VOAZJh\":\"Total borrows\",\"ViKYxK\":\"YAE\",\"W1SSoD\":\"Review tx details\",\"W5hVah\":\"Nothing supplied yet\",\"W5kTFy\":\"Voting\",\"W8ekPc\":\"Back to Dashboard\",\"WMPbRK\":\"Unbacked\",\"WNGZwH\":\"E-Mode increases your LTV for a selected category of assets up to<0/>. <1>Learn more\",\"WPWG/y\":\"Reserve status & configuration\",\"WZLQSU\":\"User cannot withdraw more than the available balance\",\"WaZyaV\":\"<0>Ampleforth is a rebasing asset. Visit the <1>documentation to learn more.\",\"WfU+XN\":\"Because this asset is paused, no actions can be taken until further notice\",\"Wjmqs2\":\"No results found. You can import a custom token with a contract address\",\"WkZ6C6\":\"To borrow you need to supply any asset to be used as collateral.\",\"WyMiQm\":\"You've successfully switched tokens.\",\"X/ITG9\":\"Copy error text\",\"X3Pp6x\":\"Used as collateral\",\"X4Zt7j\":\"Action cannot be performed because the reserve is paused\",\"XBdKOj\":\"Representative smart contract wallet (ie. Safe) addresses on other chains.\",\"XZzneG\":\"You will exit isolation mode and other tokens can now be used as collateral\",\"Xg5y9S\":\"Amount to Bridge\",\"Xn4hUi\":\"Please always be aware of your <0>Health Factor (HF) when partially migrating a position and that your rates will be updated to V3 rates.\",\"Xy71ST\":\"Umbrella\",\"Y5kGkc\":\"VOTE NAY\",\"YDIOks\":\"Enabling E-Mode\",\"YSodyW\":\"This action will reduce your health factor. Please be mindful of the increased risk of collateral liquidation.\",\"YXOWXM\":\"The total amount bridged minus CCIP fees. Paying in network token does not impact gho amount.\",\"YirHq7\":\"Feedback\",\"YogbCJ\":\"Testnet mode is ON\",\"YrDxdO\":\"If your loan to value goes above the liquidation threshold your collateral supplied may be liquidated.\",\"YyIM65\":\"Interest rate rebalance conditions were not met\",\"YyydIq\":[\"Add \",[\"0\"],\" to wallet to track your balance.\"],\"ZBvhI+\":\"Aave Governance\",\"ZIIRAd\":\"Raw-Ipfs\",\"ZRq4tX\":\"Efficiency mode (E-Mode)\",\"ZSqEW+\":\"Manage E-Mode\",\"ZUFYFE\":\"Disable testnet\",\"Zbyywy\":\"Max slashing\",\"ZfUGFb\":\"Before supplying\",\"ZiXN+B\":\"Assets to stake\",\"ZlsSDH\":\"Liquidation value\",\"ZrEc8j\":\"We couldn't find any assets related to your search. Try again with a different asset name, symbol, or address.\",\"ZsLF7e\":\"enabled\",\"a0YQoQ\":\"Enter a valid address\",\"a2fBZn\":\"Time left to unstake\",\"a5RYZd\":\"Disabling this asset as collateral affects your borrowing power and Health Factor.\",\"a7u1N9\":\"Price\",\"a9D+6D\":\"Unstaked\",\"aEtiwq\":\"Vote NAY\",\"aMmFE1\":\"Buy Crypto With Fiat\",\"aOKIms\":\"Array parameters that should be equal length are not\",\"aX31hk\":\"Your balance is lower than the selected amount.\",\"adUsDd\":\"An error has occurred fetching the proposal.\",\"al6Pyz\":\"Exceeds the discount\",\"aoXTT7\":\"Borrow APY, variable\",\"aqX1Yp\":\"This asset is eligible for rewards through SuperFest. Aave Labs does not guarantee the program and accepts no liability.\",\"avgETN\":\"Eligible for the Merit program.\",\"b4NS3e\":\"Cooldown period warning\",\"bNEQeI\":\"Cooldown\",\"bSruit\":\"ZKSync Ignite Program rewards are claimed through the\",\"bUUVED\":\"Asset\",\"bXQ/Og\":\"Share on twitter\",\"bXr0ee\":\"Isolated assets have limited borrowing power and other assets cannot be used as collateral.\",\"bYmAV1\":\"Addresses\",\"bguKoJ\":\"The requested amount is greater than the max loan size in stable rate mode\",\"bwSQI0\":\"Supply\",\"bxN6EM\":\"Cannot disable E-Mode\",\"bxmzSh\":\"Not enough collateral to repay this amount of debt with\",\"c91vuQ\":\"Address is not a contract\",\"c97os2\":\"Aave aToken\",\"c9b44w\":\"You can not withdraw this amount because it will cause collateral call\",\"cBc+4A\":\"This is the total amount available for you to borrow. You can borrow based on your collateral and until the borrow cap is reached.\",\"cIl5kp\":\"Your voting power is based on your AAVE/stkAAVE balance and received delegations.\",\"cLo09S\":\"Risk details\",\"cNT+ij\":\"Borrowing is unavailable because you’ve enabled Efficiency Mode (E-Mode) and Isolation mode. To manage E-Mode and Isolation mode visit your <0>Dashboard.\",\"cZOeBk\":\"Something went wrong fetching bridge message, please try again later.\",\"ceix5S\":\"To submit a proposal for minor changes to the protocol, you'll need at least 80.00K power. If you want to change the core code base, you'll need 320k power.<0>Learn more.\",\"ciybUa\":\"Vote YAE\",\"ckf7gX\":[\"Repaying \",[\"symbol\"]],\"cp1ZDP\":[\"Bridge \",[\"symbol\"]],\"cqnmnD\":\"Effective interest rate\",\"cqwIvs\":\"Forum discussion\",\"csDS2L\":\"Available\",\"cu7Stb\":\"You did not participate in this proposal\",\"dE6BLF\":\"Governance\",\"dEgA5A\":\"Cancel\",\"dIsyWh\":\"Ltv validation failed\",\"dMtLDE\":\"to\",\"dOB5nW\":[\"Maximum amount available to supply is <0/> \",[\"0\"],\" (<1/>).\"],\"dVfODp\":\"You don’t have enough funds in your wallet to repay the full amount. If you proceed to repay with your current amount of funds, you will still have a small borrowing position in your dashboard.\",\"dXUQFX\":\"Assets to borrow\",\"dgr1aY\":\"Borrowing is disabled due to an Aave community decision. <0>More details\",\"djsg0o\":\"Collateral usage\",\"dpc0qG\":\"Variable\",\"drdV8R\":\"Liquidation\",\"dxW8cS\":\"Aave debt token\",\"e4V3oW\":\"Top 10 addresses\",\"eD8WX/\":\"Action requires an active reserve\",\"eJRJ04\":\"Amount to unstake\",\"eLh0cL\":\"Slippage is the difference between the quoted and received amounts from changing market conditions between the moment the transaction is submitted and its verification.\",\"ePK91l\":\"Edit\",\"eVpCmf\":\"Staking Rewards\",\"eVqvtf\":\"Bridge GHO\",\"eYdurp\":\"No transactions yet.\",\"ebLGGN\":\"Total borrowed\",\"ecqEvn\":\"The collateral balance is 0\",\"efdrrk\":\"Available on\",\"enruNF\":\"starts\",\"eqLYiD\":\"Unstake now\",\"euScGB\":\"APY with discount applied\",\"evw5ha\":\"Net worth\",\"ezcU16\":\"Get ABP Token\",\"f3W0Ej\":[\"You switched to \",[\"0\"],\" rate\"],\"fH9i8k\":\"You've successfully switched borrow position.\",\"fHcELk\":\"Net APR\",\"fMJQZK\":\"Borrowed\",\"fZ5Vnu\":\"Received\",\"firl9Q\":\"Your current loan to value based on your collateral supplied.\",\"flRCF/\":\"Staking discount\",\"fldjW9\":\"Preview tx and migrate\",\"fsBGk0\":\"Balance\",\"fu1Dbh\":[\"Withdraw \",[\"symbol\"]],\"fwjWSI\":\"Supplied\",\"fwyTMb\":\"Migrate to stkABPT v2\",\"g0mals\":\"You can not disable E-Mode because that could cause liquidation. To exit E-Mode supply or repay borrowed positions.\",\"g2UNkE\":\"Powered by\",\"g8KGoA\":\"FAQS\",\"g9zzqS\":\"Voted NAY\",\"gDd2gk\":\"about SuperFest.\",\"gFFh9h\":\"All done!\",\"gIMJlW\":\"Testnet mode\",\"gOzPxe\":\"This asset is frozen due to an Aave Protocol Governance decision. <0>More details\",\"gTHi2T\":\"User is trying to borrow multiple assets including a siloed one\",\"gVW59Y\":\"Please connect your wallet to get free testnet assets.\",\"gcFNxP\":\"Approve Confirmed\",\"gncRUO\":\"This address is blocked on app.aave.com because it is associated with one or more\",\"goff7V\":\"Zero address not valid\",\"gp+f1B\":\"Version 3\",\"gr8mYw\":\"You may borrow up to <0/> GHO at <1/> (max discount)\",\"gvTM4B\":\"Net APY is the combined effect of all supply and borrow positions on net worth, including incentives. It is possible to have a negative net APY if debt APY is higher than supply APY.\",\"gzcch9\":\"Invalid bridge protocol fee\",\"h33MxW\":\"Representing smart contract wallet (ie. Safe) addresses on other chains.\",\"h3ilK+\":\".CSV\",\"hB23LY\":\"Activate Cooldown\",\"hIJzBh\":\"Available to Claim\",\"hIS4N0\":\"Net APY\",\"hRWvpI\":\"Claimed\",\"hdmy/o\":\"The % of your total borrowing power used. This is based on the amount of your collateral supplied and the total amount that you can borrow.\",\"hehnjM\":\"Amount\",\"hjDCQr\":\"There was some error. Please try changing the parameters or <0><1>copy the error\",\"hom7qf\":\"Claim\",\"hpHJ4I\":\"Liquidated collateral\",\"hpuVIp\":\"Users who stake AAVE in Safety Module (i.e. stkAAVE holders) receive a discount on GHO borrow interest rate.\",\"huQ6Tz\":[\"Borrowing \",[\"symbol\"]],\"hxi7vE\":\"Borrow balance\",\"i2JTiw\":\"You may enter a custom amount in the field.\",\"iB5+/J\":\"About GHO\",\"iChbOF\":\"Inconsistent flashloan parameters\",\"iEPVHF\":\"Not enough voting power to participate in this proposal\",\"iEW87X\":\"Delegated power\",\"iEju36\":[\"You voted \",[\"0\"]],\"iFq2YN\":\"Borrowable\",\"iGxyIA\":\"Safety Module\",\"iMVZk9\":\"Select slippage tolerance\",\"iPMIoT\":\"Enter an amount\",\"iSLIjg\":\"Connect\",\"iUo5rv\":\"tokens is not the same as staking them. If you wish to stake your\",\"iZxa38\":\"Use it to vote for or against active proposals.\",\"if5PH+\":\"Collector Info\",\"igkfR1\":[\"In Isolation mode, you cannot supply other assets as collateral. A global debt ceiling limits the borrowing power of the isolated asset. To exit isolation mode disable \",[\"0\"],\" as collateral before borrowing another asset. Read more in our <0>FAQ\"],\"il0sEG\":\"Collateral usage is limited because of Isolation mode.\",\"j+K1Xj\":\"Amount After Fee\",\"jA2QeW\":\"Supplying your\",\"jFi7dz\":\"Interest rate that is determined by Aave Governance. This rate may be changed over time depending on the need for the GHO supply to contract/expand. <0>Learn more\",\"jG3UJ7\":\"Disable E-Mode\",\"jKYzR1\":\"Enable E-Mode\",\"jMam5g\":[[\"0\"],\" Balance\"],\"jSYv+Z\":\"Enabling E-Mode allows you to maximize your borrowing power, however, borrowing is restricted to assets within the selected category. <0>Learn more about how it works and the applied restrictions.\",\"jaKbwW\":[[\"s\"],\"s\"],\"jbFMap\":\"Cooldown time left\",\"jeMZNr\":[[\"0\"],\" on-ramp service is provided by External Provider and by selecting you agree to Terms of the Provider. Your access to the service might be reliant on the External Provider being operational.\"],\"jfl9OP\":\"Migrated\",\"jmXdoY\":\"In E-Mode some assets are not borrowable. Exit E-Mode to get access to all assets\",\"jpctdh\":\"View\",\"jqzUyM\":\"Unavailable\",\"k/sb6z\":\"Select language\",\"k3wP3f\":\"<0>Attention: Parameter changes via governance can alter your account health factor and risk of liquidation. Follow the <1>Aave governance forum for updates.\",\"kACpF3\":[\"Claim \",[\"0\"]],\"kH6wUX\":\"Price impact\",\"kIC28N\":\"Available to claim\",\"kIpSye\":[[\"numSelected\"],\"/\",[\"numAvailable\"],\" assets selected\"],\"kN1Yg5\":\"To repay on behalf of a user an explicit amount to repay is needed\",\"kRTD40\":[\"Repayment amount to reach \",[\"0\"],\"% utilization\"],\"kjN9tT\":\"Supply cap is exceeded\",\"knxE+G\":\".JSON\",\"ks2LWT\":\"Debt ceiling is not zero\",\"kwwn6i\":\"Users who stake AAVE in Safety Module (i.e. stkAAVE holders) receive a discount on GHO borrow interest rate. The discount applies to 100 GHO for every 1 stkAAVE held. Use the calculator below to see GHO borrow rate with the discount applied.\",\"kz3wtK\":\"and about SPK program\",\"kzZyM4\":\"DAI balance will be converted via DSR contracts and then supplied as sDAI. Switching incurs no additional costs and no slippage.\",\"lNVG7i\":\"Select an asset\",\"lU2d1/\":[\"Asset cannot be migrated due to insufficient liquidity or borrow cap limitation in \",[\"marketName\"],\" v3 market.\"],\"lVhKKI\":\"Voted YAE\",\"lWLqxB\":\"We couldn't find any transactions related to your search. Try again with a different asset name, or reset filters.\",\"lYGfRP\":\"English\",\"lfEjIE\":\"Learn more in our <0>FAQ guide\",\"lt6bpt\":\"Collateral to repay with\",\"m/IEhi\":\"Total emission per day\",\"m7r7Hh\":\"Selected borrow assets\",\"mDDK4p\":\"Balancer Pool\",\"mIM0qu\":\"Expected amount to repay\",\"mUAFd6\":\"Version 2\",\"masO5Z\":\"E-Mode increases your LTV for a selected category of assets. <0>Learn more\",\"mdNjKU\":[\"Your \",[\"name\"],\" wallet is empty. Purchase or transfer assets or use <0>\",[\"0\"],\" to transfer your \",[\"network\"],\" assets.\"],\"muiOng\":[\"Buy \",[\"cryptoSymbol\"],\" with Fiat\"],\"mvCXBY\":\"Stake AAVE\",\"mwdzil\":\"Ok, Close\",\"mzI/c+\":\"Download\",\"mzdIia\":\"Asset cannot be used as collateral.\",\"n+SX4g\":\"Developers\",\"n8Psk4\":\"We couldn’t detect a wallet. Connect a wallet to stake and view your balance.\",\"nJIhzm\":\"Supply apy\",\"nJgsQu\":\"With a voting power of <0/>\",\"nLC6tu\":\"French\",\"nN2T8p\":\"During the cooldown period, you will not earn any merit rewards. However, rewards earned up to this point will remain unaffected.\",\"nNHV0z\":\"Migrating multiple collaterals and borrowed assets at the same time can be an expensive operation and might fail in certain situations.<0>Therefore it’s not recommended to migrate positions with more than 5 assets (deposited + borrowed) at the same time.\",\"nNbnzu\":\"Proposition\",\"nOy4ob\":\"We suggest you go back to the Dashboard.\",\"nPGNMh\":\"Can be executed\",\"nUK1ou\":[\"Assets with zero LTV (\",[\"0\"],\") must be withdrawn or disabled as collateral to perform this action\"],\"nakd8r\":\"stkAAVE holders get a discount on GHO borrow rate\",\"nh2EJK\":[\"Please switch to \",[\"networkName\"],\".\"],\"njBeMm\":\"Both\",\"noN5Xf\":\"We couldn’t detect a wallet. Connect a wallet to view your staking positions and rewards.\",\"ntkAoE\":\"Discount applied for <0/> staking AAVE\",\"ntyFSE\":[[\"h\"],\"h\"],\"nwtY4N\":\"Something went wrong\",\"nxyWvj\":\"Withdrawing this amount will reduce your health factor and increase risk of liquidation.\",\"o17QVP\":\"Your health factor and loan to value determine the assurance of your collateral. To avoid liquidations you can supply more collateral or repay borrow positions.\",\"o1xc2V\":\"AToken supply is not zero\",\"o4tCu3\":\"Borrow APY\",\"o5ooMr\":\"Debt\",\"o7J4JM\":\"Filter\",\"oHFrpj\":\"Cooldown to unstake\",\"oJ5ZiG\":\"User does not have outstanding variable rate debt on this reserve\",\"oRBGin\":\"Please connect your wallet to be able to switch your tokens.\",\"oUwXhx\":\"Test Assets\",\"oWklJD\":\"Stable interest rate will <0>stay the same for the duration of your loan. Recommended for long-term loan periods and for users who prefer predictability.\",\"odnIK3\":\"Time remaining until the 48 hour withdraw period starts.\",\"oiK5nY\":\"The current incentives period, decided on by the Aave community, has ended. Governance is in the process on renewing, check for updates. <0>Learn more.\",\"olREoo\":\"All borrow positions outside of this category must be closed to enable this category.\",\"om/XHs\":\"Available to supply\",\"ov0+mq\":\"Eligible for the ZKSync Ignite program.\",\"ovT1pF\":[\"Per the community, the \",[\"market\"],\" has been frozen.\"],\"ow3fug\":\"Nothing found\",\"owSsI3\":\"Signatures ready\",\"p+R52m\":\"Go to Balancer Pool\",\"p2A+s1\":[\"The cooldown period is \",[\"0\"],\". After \",[\"1\"],\" of cooldown, you will enter unstake window of \",[\"2\"],\". You will continue receiving rewards during cooldown and unstake window.\"],\"p2S64u\":\"The loan to value of the migrated positions would cause liquidation. Increase migrated collateral or reduce migrated borrow to continue.\",\"p2Z2Qi\":\"This asset has reached its borrow cap. Nothing is available to be borrowed from this market.\",\"p3j+mb\":\"Your reward balance is 0\",\"p45alK\":\"Set up delegation\",\"p6u2s1\":\"Minimum amount of debt to be repaid\",\"pDgeaz\":[[\"title\"]],\"pdZqBk\":\"The underlying balance needs to be greater than 0\",\"pgWG9H\":\"Not enough staked balance\",\"piPrJ7\":\"please check that the amount you want to supply is not currently being used for staking. If it is being used for staking, your transaction might fail.\",\"pjO/iH\":\"Minimum amount received\",\"pooutM\":\"Voting is on\",\"pqaM5s\":\"Confirming transaction\",\"ptaxX3\":[\"I understand how cooldown (\",[\"0\"],\") and unstaking (\",[\"1\"],\") work\"],\"py2iiY\":\"The caller of this function must be a pool\",\"q/51mF\":\"Migrate to V3\",\"q3df11\":\"Interest rate strategy\",\"q6lAbz\":\"Staked\",\"qB4kPi\":\"Supply APY\",\"qENI8q\":\"Global settings\",\"qGz5zl\":\"Collateral balance after repay\",\"qOqbD6\":\"copy the error\",\"qXCkEM\":\"Please connect your wallet to see your supplies, borrowings, and open positions.\",\"qY2jnw\":\"Invalid expiration\",\"qf/fr+\":\"Interest accrued\",\"quYPUU\":\"Variable interest rate will <0>fluctuate based on the market conditions.\",\"quzIeW\":\"User is in isolation mode or LTV is zero\",\"qvnz3q\":\"Invalid amount to burn\",\"rHgdb0\":\"Migrate to Aave V3\",\"rOrHHe\":\"Amount must be greater than 0\",\"rQ+R+0\":\"Selected supply assets\",\"rSayea\":\"APY\",\"rTBDeu\":[\"Asset cannot be migrated because you have isolated collateral in \",[\"marketName\"],\" v3 Market which limits borrowable assets. You can manage your collateral in <0>\",[\"marketName\"],\" V3 Dashboard\"],\"rcT+yy\":\"Show assets with 0 balance\",\"rf8POi\":\"Borrowed asset amount\",\"riNWOA\":\"E-Mode\",\"rjGI/Q\":\"Privacy\",\"rnKPW1\":\"Watch a wallet balance in read-only mode\",\"ruc7X+\":\"Add stkAAVE to see borrow APY with the discount\",\"rvbaFU\":[\"Bridging \",[\"symbol\"]],\"rwVVB7\":\"Claim all rewards\",\"rwyUva\":\"These assets are temporarily frozen or paused by Aave community decisions, meaning that further supply / borrow, or rate swap of these assets are unavailable. Withdrawals and debt repayments are allowed. Follow the <0>Aave governance forum for further updates.\",\"rxJW5W\":\"Your proposition power is based on your AAVE/stkAAVE balance and received delegations.\",\"s2jJnW\":\"You don't have any bridge transactions\",\"s5wBAq\":[\"Unstake \",[\"symbol\"]],\"sJbIdI\":\"Enter ETH address or ENS\",\"sK+Nag\":\"Review tx\",\"sP2+gB\":\"NAY\",\"sQv06Y\":\"for\",\"sTtO6J\":\"Confirm transaction\",\"sXKb3l\":\"Exchange rate\",\"sb0q4+\":\"You unstake here\",\"smJNwH\":\"Available to borrow\",\"solypO\":\"Health factor is not below the threshold\",\"sr0UJD\":\"Go Back\",\"ss5GCK\":\"The address of the pool addresses provider is invalid\",\"swEgK4\":\"Your voting info\",\"t+wtgf\":\"Nothing borrowed yet\",\"t/YqKh\":\"Remove\",\"t81DpC\":[\"Approve \",[\"symbol\"],\" to continue\"],\"tCnbEs\":\"Oracle price\",\"tFZLf8\":\"This gas calculation is only an estimation. Your wallet will set the price of the transaction. You can modify the gas settings directly from your wallet provider.\",\"tHuvQI\":\"Go to V3 Dashboard\",\"tKv7cI\":\"Switch borrow position\",\"tOcg3N\":\"Since this asset is frozen, the only available actions are withdraw and repay which can be accessed from the <0>Dashboard\",\"tOuXfv\":[\"Borrow amount to reach \",[\"0\"],\"% utilization\"],\"te9Bfl\":\"Please, connect your wallet\",\"tt5yma\":\"Your supplies\",\"ttoh5c\":\"Switch to\",\"u3ZeYl\":\"Transaction failed\",\"u706uF\":\"Invalid flashloan premium\",\"u8Gfu7\":[\"No search results\",[\"0\"]],\"uAQUqI\":\"Status\",\"uHMwk8\":\"No assets selected to migrate.\",\"uJPHuY\":\"Migrating\",\"uY8O30\":\"To continue, you need to grant Aave smart contracts permission to move your funds from your wallet. Depending on the asset and wallet you use, it is done by signing the permission message (gas free), or by submitting an approval transaction (requires gas). <0>Learn more\",\"udFheE\":\"For repayment of a specific type of debt, the user needs to have debt that type\",\"ulNuNq\":\"Export data to\",\"ulup2p\":\"Buy Crypto with Fiat\",\"umICAY\":\"<0><1><2/>Add stkAAVE to see borrow rate with discount\",\"usB84Z\":\"Maximum amount available to borrow is limited because protocol borrow cap is nearly reached.\",\"uwAUvj\":\"COPY IMAGE\",\"v8x7Mg\":\"Insufficient collateral to cover new borrow position. Wallet must have borrowing power remaining to perform debt switch.\",\"vEqxH9\":\"Restaked\",\"vLyv1R\":\"Hide\",\"vMba49\":\"Borrowing is not enabled\",\"vMpNwt\":\"Approve with\",\"vXIe7J\":\"Language\",\"vesuBJ\":\"Allows you to decide whether to use a supplied asset as collateral. An asset used as collateral will affect your borrowing power and health factor.\",\"w+V9Cx\":\"Stablecoin\",\"w/JtJ3\":\"Stable debt supply is not zero\",\"w4VBY+\":\"Rewards APR\",\"w9dLMW\":[[\"label\"]],\"wAOL+X\":[\"You \",[\"action\"],\" <0/> \",[\"symbol\"]],\"wBIsjb\":\"Discord channel\",\"wQZbc/\":\"The caller of the function is not an AToken\",\"wRRqvW\":\"You do not have supplies in this currency\",\"wZFvVU\":\"VOTE YAE\",\"wb/r1O\":[\"Faucet \",[\"0\"]],\"wdxz7K\":\"Source\",\"weH1nG\":\"The Aave Protocol is programmed to always use the price of 1 GHO = $1. This is different from using market pricing via oracles for other crypto assets. This creates stabilizing arbitrage opportunities when the price of GHO fluctuates.\",\"wh7Ezv\":\"You have no AAVE/stkAAVE/aAave balance to delegate.\",\"wlsIx7\":\"With testnet Faucet you can get free assets to test the Aave Protocol. Make sure to switch your wallet provider to the appropriate testnet network, select desired asset, and click ‘Faucet’ to get tokens transferred to your wallet. The assets on a testnet are not “real,” meaning they have no monetary value. <0>Learn more\",\"wmE285\":\"Get ABP v2 Token\",\"wyRrcJ\":\"As a result of governance decisions, this ABPT staking pool is now deprecated. You have the flexibility to either migrate all of your tokens to v2 or unstake them without any cooldown period.\",\"x5KiLL\":\"Selected assets have successfully migrated. Visit the Market Dashboard to see them.\",\"x7F2p6\":\"Current differential\",\"x7K5ib\":[\"Your \",[\"networkName\"],\" wallet is empty. Get free test \",[\"0\"],\" at\"],\"x9iLRD\":\"tokens, please go to the\",\"xNy/UG\":\"Repay with\",\"xPm8wv\":\"Learn more about risks involved\",\"xXYpZl\":[[\"0\"],\" Faucet\"],\"xaVBSS\":\"Your info\",\"xaWZ6f\":\"APY type change\",\"xh6k71\":\"Collateral usage is limited because of isolation mode.\",\"xvIklc\":\"Flashloan is disabled for this asset, hence this position cannot be migrated.\",\"y5rS9U\":\"Migrate\",\"y66tBm\":[\"Enable \",[\"symbol\"],\" as collateral\"],\"yB1YpA\":\"Dark mode\",\"yCrG6m\":\"Total market size\",\"yJUUbn\":\"Transaction overview\",\"yLGmLX\":[\"Restake \",[\"symbol\"]],\"yW1oWB\":\"APY type\",\"yYHqJe\":\"Not a valid address\",\"yZwLw6\":\"Track wallet\",\"yh2sjd\":[\"Price impact \",[\"0\"],\"%\"],\"yhvj6d\":\"You can not switch usage as collateral mode for this currency, because it will cause collateral call\",\"ylmtBZ\":\"The app is running in fork mode.\",\"ymNY32\":[\"There are not enough funds in the\",[\"0\"],\"reserve to borrow\"],\"yz7wBu\":\"Close\",\"z4uGQg\":\"Debt ceiling is exceeded\",\"z5UQOM\":\"The collateral chosen cannot be liquidated\",\"z5Y+p6\":[\"Supplying \",[\"symbol\"]],\"zCjNKs\":\"Action cannot be performed because the reserve is frozen\",\"zRHytX\":\"Isolated Debt Ceiling\",\"zTOjMP\":\"Protocol supply cap is at 100% for this asset. Further supply unavailable.\",\"zVdRUG\":\"Submission did not work, please try again later or contact wecare@avara.xyz\",\"zevmS2\":\"<0><1><2/>Add <3/> stkAAVE to borrow at <4/> (max discount)\",\"zgtIDV\":\"Remaining debt\",\"zmTPiV\":\"Supply balance\",\"zpPbZl\":\"Liquidation risk parameters\",\"zucql+\":\"Menu\",\"zwWKhA\":\"Learn more\",\"zy9fXn\":[\"Asset is frozen in \",[\"marketName\"],\" v3 market, hence this position cannot be migrated.\"],\"zys+R6\":\"Be mindful of the network congestion and gas prices.\",\"zzzTXS\":\"Merit Program rewards are claimed through the\"}")}; \ No newline at end of file +/*eslint-disable*/module.exports={messages:JSON.parse("{\"+0xecS\":[\"If you DO NOT unstake within \",[\"0\"],\" of unstake window, you will need to activate cooldown process again.\"],\"+EGVI0\":\"Receive (est.)\",\"+VR63W\":[\"Participating in this \",[\"symbol\"],\" reserve gives annualized rewards.\"],\"+bmKdK\":\"Use your AAVE, stkAAVE, or aAave balance to delegate your voting and proposition powers. You will not be sending any tokens, only the rights to vote and propose changes to the protocol. You can re-delegate or revoke power to self at any time.\",\"+eOPG+\":\"Seems like we can't switch the network automatically. Please check if you can change it from the wallet.\",\"+i3Pd2\":\"Borrow cap\",\"+kLZGu\":\"Supplied asset amount\",\"+nuEh/\":\"Estimated time\",\"+xMFF8\":\"Remind me\",\"/57U31\":\"Amount to migrate\",\"/7ykiW\":\"Borrowing this amount will reduce your health factor and increase risk of liquidation.\",\"/YA5pU\":\"E-Mode increases your LTV for a selected category of assets, meaning that when E-mode is enabled, you will have higher borrowing power over assets of the same E-mode category which are defined by Aave Governance. You can enter E-Mode from your <0>Dashboard. To learn more about E-Mode and applied restrictionn, see the <1>help guide or the <2>Aave V3 Technical Paper.\",\"/izjs/\":\"Minimum staked Aave amount\",\"/jQctM\":\"To\",\"/lDBHm\":\"FAQ\",\"/yNlZf\":\"Stable borrowing is not enabled\",\"/yQcJM\":\"Total worth\",\"00AB2i\":\"User did not borrow the specified currency\",\"00OflG\":\"There is not enough liquidity for the target asset to perform the switch. Try lowering the amount.\",\"08/rZ9\":\"The cooldown period is the time required prior to unstaking your tokens (20 days). You can only withdraw your assets from the Security Module after the cooldown period and within the unstake window.<0>Learn more\",\"0AmQcW\":\"Rate change\",\"0BF3yK\":\"Sorry, we couldn't find the page you were looking for.\",\"0TAbjq\":\"Recent Transactions\",\"0jhlyw\":\"Liquidation risk\",\"0ojY+Y\":\"Current v2 Balance\",\"0thX3P\":\"Collateral change\",\"0wGCWc\":\"This is the total amount that you are able to supply to in this reserve. You are able to supply your wallet balance up until the supply cap is reached.\",\"1AsVfF\":\"Price data is not currently available for this reserve on the protocol subgraph\",\"1LjK22\":\"Transaction history\",\"1Onqx8\":[\"Approving \",[\"symbol\"],\"...\"],\"1Ue8sX\":\"Please connect a wallet to view your personal information here.\",\"1bpx9A\":\"...\",\"1kWUB+\":\"Liquidation <0/> threshold\",\"1m9Qqc\":\"Withdrawing and Switching\",\"1oyh4g\":\"Borrow rate\",\"1t7rez\":\"Asset supply is limited to a certain amount to reduce protocol exposure to the asset and to help manage risks involved.\",\"2CAPu2\":\"You've successfully withdrew & switched tokens.\",\"2Eoi/a\":\"View details\",\"2FYpfJ\":\"More\",\"2O3qp5\":\"Available liquidity\",\"2OM8/D\":[\"Asset cannot be migrated due to supply cap restriction in \",[\"marketName\"],\" v3 market.\"],\"2Q4GU4\":\"Blocked Address\",\"2ZGocC\":\"Aave is a fully decentralized, community governed protocol by the AAVE token-holders. AAVE token-holders collectively discuss, propose, and vote on upgrades to the protocol. AAVE token-holders (Ethereum network only) can either vote themselves on new proposals or delagate to an address of choice. To learn more check out the Governance\",\"2a6G7d\":\"Please enter a valid wallet address.\",\"2bAhR7\":\"Meet GHO\",\"2eBWE6\":\"I acknowledge the risks involved.\",\"2o/xRt\":\"Supply cap on target reserve reached. Try lowering the amount.\",\"2uJToh\":[[\"0\"],[\"name\"]],\"2x58bP\":\"Stable borrowing is enabled\",\"34Qfwy\":\"Borrow cap is exceeded\",\"39eQRj\":[\"Borrow \",[\"symbol\"]],\"3BL1xB\":\"Total supplied\",\"3BnIWi\":\"Switched\",\"3K0oMo\":\"Remaining supply\",\"3MoZhl\":\"There is not enough collateral to cover a new borrow\",\"3Np5O8\":[\"Supply \",[\"symbol\"]],\"3O8YTV\":\"Total interest accrued\",\"3mXg0z\":\"Max LTV\",\"3q3mFy\":\"Repay\",\"3qsjtp\":\"The weighted average of APY for all supplied assets, including incentives.\",\"3rL+os\":\"You can only withdraw your assets from the Security Module after the cooldown period ends and the unstake window is active.\",\"42UgDM\":[\"Migrate to \",[\"0\"],\" v3 Market\"],\"49UFQA\":\"Voting results\",\"4DMZUI\":\"View Transactions\",\"4HtGBb\":\"MAX\",\"4Y5H+g\":\"Terms\",\"4YYh4d\":\"Maximum available to borrow\",\"4iPAI3\":\"Minimum GHO borrow amount\",\"4lDFps\":\"Sign to continue\",\"4wyw8H\":\"Transactions\",\"5JSSxX\":[\"Your \",[\"networkName\"],\" wallet is empty. Get free test assets at\"],\"5K7kGO\":\"documentation\",\"5NOSGa\":\"Debt ceiling limits the amount possible to borrow against this asset by protocol users. Debt ceiling is specific to assets in isolation mode and is denoted in USD.\",\"5Ncc6j\":[\"This asset has almost reached its supply cap. There can only be \",[\"messageValue\"],\" supplied to this market.\"],\"5cZ/KX\":\"Variable debt supply is not zero\",\"5che++\":\"To request access for this permissioned market, please visit: <0>Acces Provider Name\",\"5ctNdV\":[\"Minimum \",[\"0\"],\" received\"],\"5hDe9v\":\"Allowance required action\",\"5rsnKT\":\"Available rewards\",\"5yC5m5\":\"View all votes\",\"6/dCYd\":\"Overview\",\"60crCe\":\"All transactions\",\"62Xcjh\":\"Collateral\",\"65A04M\":\"Spanish\",\"6G8s+q\":\"Signing\",\"6Jrv+z\":[\"Repay \",[\"symbol\"]],\"6NGLTR\":\"Discountable amount\",\"6Xr0UU\":\"Cooling down...\",\"6bxci/\":\"Voting power\",\"6f8S68\":\"Markets\",\"6g1gi0\":\"Proposals\",\"6gvoHP\":\"Copy error message\",\"6h3Q5G\":\"repaid\",\"6lFSyT\":\"Available to Stake\",\"6s8L6f\":\"Switch Network\",\"6yAAbq\":\"APY, borrow rate\",\"70wH1Q\":\"APR\",\"72c5Qo\":\"Total\",\"73Auuq\":\"Discount parameters are decided by the Aave community and may be changed over time. Check Governance for updates and vote to participate. <0>Learn more\",\"75qcAQ\":[[\"stepName\"]],\"7ITr5L\":\"Health factor\",\"7T/o5R\":\"Reached\",\"7YlcXu\":\"Fork mode is ON\",\"7Z76Iw\":\"Borrowing is unavailable because you’re using Isolation mode. To manage Isolation mode visit your <0>Dashboard.\",\"7aKlMS\":\"Share on Lens\",\"7er5fP\":\"Claim all\",\"7hb2+s\":\"Time remaining until the withdraw period ends.\",\"7l88b8\":\"Data couldn't be fetched, please reload graph.\",\"7p5kLi\":\"Dashboard\",\"7sofdl\":\"Withdraw and Switch\",\"8+6BI0\":\"Be careful - You are very close to liquidation. Consider depositing more collateral or paying down some of your borrowed positions\",\"87pUEW\":[\"Your \",[\"name\"],\" wallet is empty. Purchase or transfer assets.\"],\"8F1i42\":\"Page not found\",\"8G8M0u\":\"Loading data...\",\"8Iu1QS\":\"withdrew\",\"8JL93T\":\"All proposals\",\"8Q51DU\":\"Add to wallet\",\"8X/oyn\":\"Invalid amount to mint\",\"8Z5FPv\":\"Disconnect Wallet\",\"8Zz7s5\":\"assets\",\"8aLW8H\":\"Balance to revoke\",\"8bOT3H\":\"Utilization Rate\",\"8sLe4/\":\"View contract\",\"8t/M0y\":\"Please connect your wallet to be able to bridge your tokens.\",\"8vETh9\":\"Show\",\"94OHPx\":\"You are entering Isolation mode\",\"9CDK3/\":[\"Borrowing is currently unavailable for \",[\"0\"],\".\"],\"9GIj3z\":\"Reserve Size\",\"9Knqb4\":\"Staking balance\",\"9OBKm7\":\"Quorum\",\"9QHoGr\":\"Current votes\",\"9Rw96f\":[\"This asset has almost reached its borrow cap. There is only \",[\"messageValue\"],\" available to be borrowed from this market.\"],\"9Xj/qR\":[\"Some migrated assets will not be used as collateral due to enabled isolation mode in \",[\"marketName\"],\" V3 Market. Visit <0>\",[\"marketName\"],\" V3 Dashboard to manage isolation mode.\"],\"9c6vDV\":\"This asset has reached its supply cap. Nothing is available to be supplied from this market.\",\"9kTWHA\":\"MAI has been paused due to a community decision. Supply, borrows and repays are impacted. <0>More details\",\"9lXchd\":\"Underlying token\",\"9rWaKF\":\"Bridged Via CCIP\",\"9xSooW\":\"Since this is a test network, you can get any of the assets if you have ETH on your wallet\",\"A/lwoe\":\"Choose one of the on-ramp services\",\"A6dCI6\":[\"Maximum amount available to borrow is <0/> \",[\"0\"],\" (<1/>).\"],\"AReoaV\":\"Your borrows\",\"ARu1L4\":\"Repaid\",\"AV7cGz\":\"Review approval tx details\",\"AZOjB8\":\"Fetching data...\",\"Ai0jas\":\"Join the community discussion\",\"Ajl2rq\":\"Borrowing power and assets are limited due to Isolation mode.\",\"AqgYNC\":\"Protocol borrow cap at 100% for this asset. Further borrowing unavailable.\",\"B3EcQR\":\"Thank you for voting!!\",\"B6aXGH\":\"Stable\",\"B9Gqbz\":\"Variable rate\",\"BDFEd+\":\"stETH supplied as collateral will continue to accrue staking rewards provided by daily rebases.\",\"BE2mP0\":\"Borrowed assets\",\"BJyN77\":\"Due to health factor impact, a flashloan is required to perform this transaction, but Aave Governance has disabled flashloan availability for this asset. Try lowering the amount or supplying additional collateral.\",\"BNL4Ep\":\"Collateral usage is limited because of isolation mode. <0>Learn More\",\"BQ/wCO\":\"Migrate your assets\",\"BjLdl1\":\"At a discount\",\"BnhYo8\":\"Asset category\",\"Bq9Y7e\":\"This asset is frozen due to an Aave community decision. <0>More details\",\"BqWMDJ\":\"Faucet\",\"BqynZO\":\"Optimized for efficiency and risk by supporting blue-chip collateral assets\",\"Bsu7zX\":\"The fee includes the gas cost to complete the transaction on the destination chain and the fee paid to Chainlink CCIP service providers. You can chose to pay in the network token or GHO. <0>Learn more\",\"BwJKBw\":\"of\",\"CDrsH+\":\"Techpaper\",\"CK1KXz\":\"Max\",\"CMHmbm\":\"Slippage\",\"CZXzs4\":\"Greek\",\"CcRNG6\":\"Switching\",\"CkTRmy\":[\"Claim \",[\"symbol\"]],\"CsqtLm\":\"Please connect your wallet to see migration tool.\",\"CtGlFb\":[[\"networkName\"],\" Faucet\"],\"Cxt2YY\":\"Watch wallet\",\"D33VQU\":\"This action will reduce health factor of V3 below liquidation threshold. Increase migrated collateral or reduce migrated borrow to continue.\",\"D9BLRG\":\"This asset has been paused due to a community decision. Supply, withdraw, borrows and repays are impacted.\",\"DAma/S\":\"Collateral is (mostly) the same currency that is being borrowed\",\"DCnFg0\":[\"Addresses (\",[\"0\"],\")\"],\"DG3Lv1\":\"I fully understand the risks of migrating.\",\"DONJcV\":\"The underlying asset cannot be rescued\",\"DR+4uL\":\"Supply balance after switch\",\"DWjrck\":[\"Asset cannot be migrated to \",[\"marketName\"],\" V3 Market due to E-mode restrictions. You can disable or manage E-mode categories in your <0>V3 Dashboard\"],\"Dj+3wB\":\"Aave per month\",\"DuEq2K\":\"Collateralization\",\"DxfsGs\":\"You can report incident to our <0>Discord or<1>Github.\",\"Dzma+E\":\"Main Ethereum market with the largest selection of assets and yield options\",\"E/QGRL\":\"Disabled\",\"EBL9Gz\":\"COPIED!\",\"ES8dkb\":\"Fixed rate\",\"EZd3Dk\":[\"Restaking \",[\"symbol\"]],\"Ebgc76\":[\"Withdrawing \",[\"symbol\"]],\"EdQY6l\":\"None\",\"EjvKQ+\":\"Minimum USD value received\",\"Enslfm\":\"Destination\",\"EvE9nO\":[\"Reactivate cooldown period to unstake \",[\"0\"],\" \",[\"stakedToken\"]],\"EvECnL\":\"Migrate to v3\",\"EzMQbh\":\"The source chain time to finality is the main factor that determines the time to destination. <0>Learn more\",\"F40cwT\":\"Legacy Markets\",\"F6TdXL\":\"Learn more.\",\"FDDPeZ\":\"Users can stake their assets in the protocol and earn incentives. In the case of a shortfall event, your stake can be slashed to cover the deficit, providing an additional layer of protection for the protocol.\",\"FHlMf/\":\"Current v2 balance\",\"FHpxjF\":[\"Reserve factor is a percentage of interest which goes to a \",[\"0\"],\" that is controlled by Aave governance to promote ecosystem growth.\"],\"FOBZa6\":\"Borrow power used\",\"FPKEug\":\"Operation not supported\",\"FbmMe7\":\"Linked addresses\",\"Fdp03t\":\"on\",\"Fjw9N+\":\"Assets to supply\",\"FmN0fk\":\"Restake\",\"GDGLIs\":\"GHO is a native decentralized, collateral-backed digital asset pegged to USD. It is created by users via borrowing against multiple collateral. When user repays their GHO borrow position, the protocol burns that user's GHO. All the interest payments accrued by minters of GHO would be directly transferred to the AaveDAO treasury.\",\"GQrBTq\":\"Switch E-Mode\",\"GWswcZ\":\"This asset is frozen due to an Aave Protocol Governance decision. On the 20th of December 2022, renFIL will no longer be supported and cannot be bridged back to its native network. It is recommended to withdraw supply positions and repay borrow positions so that renFIL can be bridged back to FIL before the deadline. After this date, it will no longer be possible to convert renFIL to FIL. <0>More details\",\"GX8GKD\":\"Assets\",\"GgEj+0\":\"Read-only mode. Connect to a wallet to perform transactions.\",\"GjkIKV\":\"ends\",\"GoK/QN\":\"Thank you for submitting feedback!\",\"GtP2hp\":[\"Borrowing is unavailable because you’ve enabled Efficiency Mode (E-Mode) for \",[\"0\"],\" category. To manage E-Mode categories visit your <0>Dashboard.\"],\"H6Ma8Z\":\"Discount\",\"HB/wfS\":[[\"tooltipText\"]],\"HKDsQN\":\"Rewards can be claimed through\",\"Ha/U5f\":\"This is a program initiated and implemented by the decentralised ZKSync community. Aave Labs does not guarantee the program and accepts no liability.\",\"HciqKU\":\"This is a program initiated and implemented by the decentralised Aave community. Aave Labs does not guarantee the program and accepts no liability.\",\"Hi6Ttn\":\"Sorry, an unexpected error happened. In the meantime you may try reloading the page, or come back later.\",\"HkEDbS\":[[\"d\"],\"d\"],\"HmkYqM\":\"Unstake window\",\"HpK/8d\":\"Reload\",\"HrnC47\":\"Save and share\",\"HuVZMK\":\"Days\",\"HvJKMU\":[\"Asset cannot be migrated to \",[\"marketName\"],\" v3 Market since collateral asset will enable isolation mode.\"],\"Hvwnm9\":[\"Maximum amount available to supply is limited because protocol supply cap is at \",[\"0\"],\"%.\"],\"I8CX2c\":\"The total amount of your assets denominated in USD that can be used as collateral for borrowing assets.\",\"IAD2SB\":[\"Claiming \",[\"symbol\"]],\"IG9X9/\":\"Borrowing of this asset is limited to a certain amount to minimize liquidity pool insolvency.\",\"IOIx8L\":\"This asset is planned to be offboarded due to an Aave Protocol Governance decision. <0>More details\",\"IP+I/j\":\"Cooldown period\",\"IaA40H\":\"Liquidation at\",\"J/hVSQ\":[[\"0\"]],\"JCoxL6\":\"Manage analytics\",\"JK9zf1\":[\"Estimated compounding interest, including discount for Staking \",[\"0\"],\"AAVE in Safety Module.\"],\"JOqFba\":[\"Unstaking \",[\"symbol\"]],\"JPrLjO\":\"You can not use this currency as collateral\",\"JU6q+W\":\"Reward(s) to claim\",\"JYKRJS\":\"Stake\",\"JZMxX0\":\"Not enough balance on your wallet\",\"Jgflkm\":\"Get GHO\",\"JoMQnI\":\"Wallet balance\",\"JtwD8u\":\"Borrow balance after repay\",\"JumYTK\":\"Supplied assets\",\"K05qZY\":\"Withdraw & Switch\",\"KAz/NV\":\"Protocol debt ceiling is at 100% for this asset. Further borrowing against this asset is unavailable.\",\"KLXVqE\":[\"stETH tokens will be migrated to Wrapped stETH using Lido Protocol wrapper which leads to supply balance change after migration: \",[\"0\"]],\"KLd6ky\":\"Use connected account\",\"KRpokz\":\"VIEW TX\",\"KSlpka\":\"This represents the threshold at which a borrow position will be considered undercollateralized and subject to liquidation for each collateral. For example, if a collateral has a liquidation threshold of 80%, it means that the position will be liquidated when the debt value is worth 80% of the collateral value.\",\"KYAjf3\":\"Isolated\",\"KZwRuD\":[[\"notifyText\"]],\"KkPgim\":\"Switching E-Mode\",\"KnN1Tu\":\"Expires\",\"KoOBI2\":\"Due to internal stETH mechanics required for rebasing support, it is not possible to perform a collateral switch where stETH is the source token.\",\"KojyJ4\":\"Wrong Network\",\"KsqhWn\":\"Staking\",\"KuBTQq\":\"Enter ETH address\",\"KvG1xW\":\"Claiming\",\"L+8Lzs\":\"Current LTV\",\"L+qiq+\":\"Market\",\"LDzfVJ\":\"Send Feedback\",\"LIrMcF\":\"No voting power\",\"LL0zks\":\"Can be collateral\",\"LLdJWu\":\"Claimable AAVE\",\"LSIpNK\":\"Borrow and repay in same block is not allowed\",\"LVt3TI\":[\"<0>Slippage tolerance <1>\",[\"selectedSlippage\"],\"% <2>\",[\"0\"],\"\"],\"LjafV8\":\"Maximum collateral amount to use\",\"LtpQew\":\"Let us know how we can make the app better for you. For user support related inquiries please reach out on\",\"LvVpD/\":\"Emode\",\"M2sknc\":\"Tip: Try increasing slippage or reduce input amount\",\"M7wPsD\":\"Switch\",\"MFu33y\":\"Staking 00\",\"MIy2RJ\":\"Maximum amount received\",\"MZ/nQf\":\"Recipient address\",\"Ma/MtY\":\"staking view\",\"McHlGl\":\"APY change\",\"MeCCA+\":\"APY, variable\",\"MghdTe\":\"If the health factor goes below 1, the liquidation of your collateral might be triggered.\",\"Mm/DVQ\":\"You cancelled the transaction.\",\"MnE2QX\":\"Borrow info\",\"MrmQHg\":\"View Bridge Transactions\",\"MuDFEQ\":\"Invalid return value of the flashloan executor function\",\"N5kUMV\":\"Asset can be only used as collateral in isolation mode with limited borrowing power. To enter isolation mode, disable all other collateral.\",\"N6Pxr9\":\"View all\",\"NF0e1Q\":\"Pending...\",\"NK9ikO\":\"Wallet Balance\",\"NMt2CB\":\"Amount claimable\",\"NcFGxG\":\"Collector Contract\",\"NfpPeS\":\"Nothing staked\",\"Nh9DAo\":[[\"m\"],\"m\"],\"O+sCUU\":\"Unbacked mint cap is exceeded\",\"O+tyU+\":[\"Maximum amount available to borrow against this asset is limited because debt ceiling is at \",[\"0\"],\"%.\"],\"O3oNi5\":\"Email\",\"OFjZGo\":\"Unstake\",\"OR8cYX\":\"Proposal overview\",\"OYuJ9K\":\"Protocol debt ceiling is at 100% for this asset. Futher borrowing against this asset is unavailable.\",\"OfhWJH\":\"Reset\",\"Og2SKn\":\"disabled\",\"On0aF2\":\"Website\",\"OsyKSt\":\"Withdraw\",\"P1dURE\":\"Revoke power\",\"P2WCD/\":[\"Underlying asset does not exist in \",[\"marketName\"],\" v3 Market, hence this position cannot be migrated.\"],\"P2sL6B\":\"When a liquidation occurs, liquidators repay up to 50% of the outstanding borrowed amount on behalf of the borrower. In return, they can buy the collateral at a discount and keep the difference (liquidation penalty) as a bonus.\",\"P6sRoL\":\"Stake ABPT\",\"P72/OW\":\"The weighted average of APY for all borrowed assets, including incentives.\",\"P7e6Ug\":\"Please connect your wallet to view transaction history.\",\"PByO0X\":\"Votes\",\"PI+kVe\":\"Disable fork\",\"PJK9u/\":\"Borrow apy\",\"PLUB/s\":\"Fee\",\"PP5ZA8\":[\"Participating in staking \",[\"symbol\"],\" gives annualized rewards. Your wallet balance is the sum of your aTokens and underlying assets. The breakdown to stake is below\"],\"PcBUgb\":\"Liquidation threshold\",\"PjU6bu\":\"This asset is eligible for SPK incentive program. Aave Labs does not guarantee the program and accepts no liability.\",\"PpqD5g\":\"Enabling this asset as collateral increases your borrowing power and Health Factor. However, it can get liquidated if your health factor drops below 1.\",\"PsOFSf\":\"This action will reduce V2 health factor below liquidation threshold. retain collateral or migrate borrow position to continue.\",\"Pu4bI/\":[[\"currentMethod\"]],\"Q0LzKi\":\"View TX\",\"Q4eNqa\":\"The Aave Balancer Pool Token (ABPT) is a liquidity pool token. You can receive ABPT by depositing a combination of AAVE + wstETH in the Balancer liquidity pool. You can then stake your BPT in the Safety Module to secure the protocol and earn Safety Incentives.\",\"QQYsQ7\":\"Withdrawing\",\"QWYCs/\":\"Stake GHO\",\"R+30X3\":\"Not reached\",\"RCU5PY\":\"Age\",\"RIfckG\":[\"Disable \",[\"symbol\"],\" as collateral\"],\"RMtxNk\":\"Differential\",\"RNK49r\":\"Invalid signature\",\"RS0o7b\":\"State\",\"RU+LqV\":\"Proposal details\",\"RYTgZX\":\"lorem ipsum\",\"RbXH+k\":\"AAVE, GHO, and ABPT holders (Ethereum network only) can stake their assets in the Safety Module to add more security to the protocol and earn Safety Incentives. In the case of a shortfall event, your stake can be slashed to cover the deficit, providing an additional layer of protection for the protocol.\",\"RiSYV4\":\"Asset is not listed\",\"Rj01Fz\":\"Links\",\"RmWFEe\":\"Staking APR\",\"RoafuO\":\"Send feedback\",\"RtBLm7\":\"Health factor is lesser than the liquidation threshold\",\"RxzN1M\":\"Enabled\",\"SDav7h\":\"Funds in the Safety Module\",\"SENccp\":\"If the error continues to happen,<0/> you may report it to this\",\"SIWumd\":\"Show Frozen or paused assets\",\"SM58dD\":\"Amount in cooldown\",\"SSMiac\":\"Failed to load proposal voters. Please refresh the page.\",\"SSQVIz\":\"Liquidation Threshold\",\"SUb8x0\":\"Total available\",\"SWIgh4\":\"Fees exceed wallet balance\",\"SY9hVo\":\"Read-only mode allows to see address positions in Aave, but you won't be able to perform transactions.\",\"SZRUQ4\":\"Max slippage\",\"Sa1UE/\":\"Protocol borrow cap is at 100% for this asset. Further borrowing unavailable.\",\"Sk2zW9\":\"Disabling E-Mode\",\"SxaD0o\":\"Pool addresses provider is not registered\",\"T/AIqG\":\"Protocol supply cap at 100% for this asset. Further supply unavailable.\",\"T0xCO9\":\"Can't validate the wallet address. Try again.\",\"T4OhVl\":\"GHO balance\",\"T6uYU2\":\"Borrow\",\"TFxQlw\":\"Liquidation penalty\",\"TQ7WsV\":\"Available to stake\",\"TUI7iB\":\"Asset can only be used as collateral in isolation mode only.\",\"TbjyhA\":\"Docs\",\"TduuS0\":\"User does not have outstanding stable rate debt on this reserve\",\"TeCFg/\":\"Borrow rate change\",\"Tg1JyO\":\"Bridge history\",\"TskbEN\":\"Holders of stkAAVE receive a discount on the GHO borrowing rate\",\"TszKts\":\"Borrow balance after switch\",\"TtZL6q\":\"Discount model parameters\",\"TwJI9F\":\"Asset has been successfully sent to CCIP contract. You can check the status of the transactions below\",\"Tz0GSZ\":\"blocked activities\",\"U/eBjN\":\"Reload the page\",\"U2r8nY\":\"Choose how much voting/proposition power to give to someone else by delegating some of your AAVE, stkAAVE or aAave balance. Your tokens will remain in your account, but your delegate will be able to vote or propose on your behalf. If your AAVE, stkAAVE or aAave balance changes, your delegate's voting/proposition power will be automatically adjusted.\",\"U8IubP\":\"The app is running in testnet mode. Learn how it works in\",\"U9btTk\":\"Asset is not borrowable in isolation mode\",\"UAOZRe\":\"Price impact is the spread between the total value of the entry tokens switched and the destination tokens obtained (in USD), which results from the limited liquidity of the trading pair.\",\"UE3KJZ\":\"Transaction history is not currently available for this market\",\"URmyfc\":\"Details\",\"UTTKmT\":\"Stake cooldown activated\",\"UXeR72\":\"These funds have been borrowed and are not available for withdrawal at this time.\",\"UYb8CM\":\"Learn more about the SPK rewards\",\"UbRrG0\":\"The Maximum LTV ratio represents the maximum borrowing power of a specific collateral. For example, if a collateral has an LTV of 75%, the user can borrow up to 0.75 worth of ETH in the principal currency for every 1 ETH worth of collateral.\",\"UpndFj\":\"No rewards to claim\",\"V0f2Xv\":\"Reserve factor\",\"V1HK43\":\"Migration risks\",\"VATFH9\":\"Covered debt\",\"VHOVEJ\":\"Connect wallet\",\"VMfYUK\":\"Safety of your deposited collateral against the borrowed assets and its underlying value.\",\"VOAZJh\":\"Total borrows\",\"ViKYxK\":\"YAE\",\"W1SSoD\":\"Review tx details\",\"W5hVah\":\"Nothing supplied yet\",\"W5kTFy\":\"Voting\",\"W8ekPc\":\"Back to Dashboard\",\"WMPbRK\":\"Unbacked\",\"WNGZwH\":\"E-Mode increases your LTV for a selected category of assets up to<0/>. <1>Learn more\",\"WPWG/y\":\"Reserve status & configuration\",\"WZLQSU\":\"User cannot withdraw more than the available balance\",\"WaZyaV\":\"<0>Ampleforth is a rebasing asset. Visit the <1>documentation to learn more.\",\"WfU+XN\":\"Because this asset is paused, no actions can be taken until further notice\",\"Wjmqs2\":\"No results found. You can import a custom token with a contract address\",\"WkZ6C6\":\"To borrow you need to supply any asset to be used as collateral.\",\"WyMiQm\":\"You've successfully switched tokens.\",\"X/ITG9\":\"Copy error text\",\"X3Pp6x\":\"Used as collateral\",\"X4Zt7j\":\"Action cannot be performed because the reserve is paused\",\"XBdKOj\":\"Representative smart contract wallet (ie. Safe) addresses on other chains.\",\"XZzneG\":\"You will exit isolation mode and other tokens can now be used as collateral\",\"Xg5y9S\":\"Amount to Bridge\",\"Xn4hUi\":\"Please always be aware of your <0>Health Factor (HF) when partially migrating a position and that your rates will be updated to V3 rates.\",\"Xy71ST\":\"Umbrella\",\"Y5kGkc\":\"VOTE NAY\",\"YDIOks\":\"Enabling E-Mode\",\"YSodyW\":\"This action will reduce your health factor. Please be mindful of the increased risk of collateral liquidation.\",\"YXOWXM\":\"The total amount bridged minus CCIP fees. Paying in network token does not impact gho amount.\",\"YirHq7\":\"Feedback\",\"YogbCJ\":\"Testnet mode is ON\",\"YrDxdO\":\"If your loan to value goes above the liquidation threshold your collateral supplied may be liquidated.\",\"YyIM65\":\"Interest rate rebalance conditions were not met\",\"YyydIq\":[\"Add \",[\"0\"],\" to wallet to track your balance.\"],\"ZBvhI+\":\"Aave Governance\",\"ZIIRAd\":\"Raw-Ipfs\",\"ZRq4tX\":\"Efficiency mode (E-Mode)\",\"ZSqEW+\":\"Manage E-Mode\",\"ZUFYFE\":\"Disable testnet\",\"Zbyywy\":\"Max slashing\",\"ZfUGFb\":\"Before supplying\",\"ZiXN+B\":\"Assets to stake\",\"ZlsSDH\":\"Liquidation value\",\"ZrEc8j\":\"We couldn't find any assets related to your search. Try again with a different asset name, symbol, or address.\",\"ZsLF7e\":\"enabled\",\"a0YQoQ\":\"Enter a valid address\",\"a2fBZn\":\"Time left to unstake\",\"a5RYZd\":\"Disabling this asset as collateral affects your borrowing power and Health Factor.\",\"a7u1N9\":\"Price\",\"a9D+6D\":\"Unstaked\",\"aEtiwq\":\"Vote NAY\",\"aMmFE1\":\"Buy Crypto With Fiat\",\"aOKIms\":\"Array parameters that should be equal length are not\",\"aX31hk\":\"Your balance is lower than the selected amount.\",\"adUsDd\":\"An error has occurred fetching the proposal.\",\"al6Pyz\":\"Exceeds the discount\",\"aoXTT7\":\"Borrow APY, variable\",\"aqX1Yp\":\"This asset is eligible for rewards through SuperFest. Aave Labs does not guarantee the program and accepts no liability.\",\"avgETN\":\"Eligible for the Merit program.\",\"b4NS3e\":\"Cooldown period warning\",\"bNEQeI\":\"Cooldown\",\"bSruit\":\"ZKSync Ignite Program rewards are claimed through the\",\"bUUVED\":\"Asset\",\"bXQ/Og\":\"Share on twitter\",\"bXr0ee\":\"Isolated assets have limited borrowing power and other assets cannot be used as collateral.\",\"bYmAV1\":\"Addresses\",\"bguKoJ\":\"The requested amount is greater than the max loan size in stable rate mode\",\"bwSQI0\":\"Supply\",\"bxN6EM\":\"Cannot disable E-Mode\",\"bxmzSh\":\"Not enough collateral to repay this amount of debt with\",\"c91vuQ\":\"Address is not a contract\",\"c97os2\":\"Aave aToken\",\"c9b44w\":\"You can not withdraw this amount because it will cause collateral call\",\"cBc+4A\":\"This is the total amount available for you to borrow. You can borrow based on your collateral and until the borrow cap is reached.\",\"cIl5kp\":\"Your voting power is based on your AAVE/stkAAVE balance and received delegations.\",\"cLo09S\":\"Risk details\",\"cNT+ij\":\"Borrowing is unavailable because you’ve enabled Efficiency Mode (E-Mode) and Isolation mode. To manage E-Mode and Isolation mode visit your <0>Dashboard.\",\"cZOeBk\":\"Something went wrong fetching bridge message, please try again later.\",\"ceix5S\":\"To submit a proposal for minor changes to the protocol, you'll need at least 80.00K power. If you want to change the core code base, you'll need 320k power.<0>Learn more.\",\"ciybUa\":\"Vote YAE\",\"ckf7gX\":[\"Repaying \",[\"symbol\"]],\"cp1ZDP\":[\"Bridge \",[\"symbol\"]],\"cqnmnD\":\"Effective interest rate\",\"cqwIvs\":\"Forum discussion\",\"csDS2L\":\"Available\",\"cu7Stb\":\"You did not participate in this proposal\",\"dE6BLF\":\"Governance\",\"dEgA5A\":\"Cancel\",\"dIsyWh\":\"Ltv validation failed\",\"dMtLDE\":\"to\",\"dOB5nW\":[\"Maximum amount available to supply is <0/> \",[\"0\"],\" (<1/>).\"],\"dVfODp\":\"You don’t have enough funds in your wallet to repay the full amount. If you proceed to repay with your current amount of funds, you will still have a small borrowing position in your dashboard.\",\"dXUQFX\":\"Assets to borrow\",\"dgr1aY\":\"Borrowing is disabled due to an Aave community decision. <0>More details\",\"djsg0o\":\"Collateral usage\",\"dpc0qG\":\"Variable\",\"drdV8R\":\"Liquidation\",\"dxW8cS\":\"Aave debt token\",\"e4V3oW\":\"Top 10 addresses\",\"eD8WX/\":\"Action requires an active reserve\",\"eJRJ04\":\"Amount to unstake\",\"eLh0cL\":\"Slippage is the difference between the quoted and received amounts from changing market conditions between the moment the transaction is submitted and its verification.\",\"ePK91l\":\"Edit\",\"eVpCmf\":\"Staking Rewards\",\"eVqvtf\":\"Bridge GHO\",\"eYdurp\":\"No transactions yet.\",\"ebLGGN\":\"Total borrowed\",\"ecqEvn\":\"The collateral balance is 0\",\"efdrrk\":\"Available on\",\"enruNF\":\"starts\",\"eqLYiD\":\"Unstake now\",\"euScGB\":\"APY with discount applied\",\"evw5ha\":\"Net worth\",\"ezcU16\":\"Get ABP Token\",\"f3W0Ej\":[\"You switched to \",[\"0\"],\" rate\"],\"fH9i8k\":\"You've successfully switched borrow position.\",\"fHcELk\":\"Net APR\",\"fMJQZK\":\"Borrowed\",\"fZ5Vnu\":\"Received\",\"firl9Q\":\"Your current loan to value based on your collateral supplied.\",\"flRCF/\":\"Staking discount\",\"fldjW9\":\"Preview tx and migrate\",\"fsBGk0\":\"Balance\",\"fu1Dbh\":[\"Withdraw \",[\"symbol\"]],\"fwjWSI\":\"Supplied\",\"fwyTMb\":\"Migrate to stkABPT v2\",\"g0mals\":\"You can not disable E-Mode because that could cause liquidation. To exit E-Mode supply or repay borrowed positions.\",\"g2UNkE\":\"Powered by\",\"g8KGoA\":\"FAQS\",\"g9zzqS\":\"Voted NAY\",\"gDd2gk\":\"about SuperFest.\",\"gFFh9h\":\"All done!\",\"gIMJlW\":\"Testnet mode\",\"gOzPxe\":\"This asset is frozen due to an Aave Protocol Governance decision. <0>More details\",\"gTHi2T\":\"User is trying to borrow multiple assets including a siloed one\",\"gVW59Y\":\"Please connect your wallet to get free testnet assets.\",\"gcFNxP\":\"Approve Confirmed\",\"gncRUO\":\"This address is blocked on app.aave.com because it is associated with one or more\",\"goff7V\":\"Zero address not valid\",\"gp+f1B\":\"Version 3\",\"gr8mYw\":\"You may borrow up to <0/> GHO at <1/> (max discount)\",\"gvTM4B\":\"Net APY is the combined effect of all supply and borrow positions on net worth, including incentives. It is possible to have a negative net APY if debt APY is higher than supply APY.\",\"gzcch9\":\"Invalid bridge protocol fee\",\"h33MxW\":\"Representing smart contract wallet (ie. Safe) addresses on other chains.\",\"h3ilK+\":\".CSV\",\"hB23LY\":\"Activate Cooldown\",\"hIJzBh\":\"Available to Claim\",\"hIS4N0\":\"Net APY\",\"hRWvpI\":\"Claimed\",\"hdmy/o\":\"The % of your total borrowing power used. This is based on the amount of your collateral supplied and the total amount that you can borrow.\",\"hehnjM\":\"Amount\",\"hjDCQr\":\"There was some error. Please try changing the parameters or <0><1>copy the error\",\"hom7qf\":\"Claim\",\"hpHJ4I\":\"Liquidated collateral\",\"hpuVIp\":\"Users who stake AAVE in Safety Module (i.e. stkAAVE holders) receive a discount on GHO borrow interest rate.\",\"huQ6Tz\":[\"Borrowing \",[\"symbol\"]],\"hxi7vE\":\"Borrow balance\",\"i/fZ2Z\":\"Staked Balance\",\"i2JTiw\":\"You may enter a custom amount in the field.\",\"iB5+/J\":\"About GHO\",\"iChbOF\":\"Inconsistent flashloan parameters\",\"iEPVHF\":\"Not enough voting power to participate in this proposal\",\"iEW87X\":\"Delegated power\",\"iEju36\":[\"You voted \",[\"0\"]],\"iFq2YN\":\"Borrowable\",\"iGxyIA\":\"Safety Module\",\"iMVZk9\":\"Select slippage tolerance\",\"iPMIoT\":\"Enter an amount\",\"iSLIjg\":\"Connect\",\"iUo5rv\":\"tokens is not the same as staking them. If you wish to stake your\",\"iZxa38\":\"Use it to vote for or against active proposals.\",\"if5PH+\":\"Collector Info\",\"igkfR1\":[\"In Isolation mode, you cannot supply other assets as collateral. A global debt ceiling limits the borrowing power of the isolated asset. To exit isolation mode disable \",[\"0\"],\" as collateral before borrowing another asset. Read more in our <0>FAQ\"],\"il0sEG\":\"Collateral usage is limited because of Isolation mode.\",\"j+K1Xj\":\"Amount After Fee\",\"jA2QeW\":\"Supplying your\",\"jFi7dz\":\"Interest rate that is determined by Aave Governance. This rate may be changed over time depending on the need for the GHO supply to contract/expand. <0>Learn more\",\"jG3UJ7\":\"Disable E-Mode\",\"jKYzR1\":\"Enable E-Mode\",\"jMam5g\":[[\"0\"],\" Balance\"],\"jSYv+Z\":\"Enabling E-Mode allows you to maximize your borrowing power, however, borrowing is restricted to assets within the selected category. <0>Learn more about how it works and the applied restrictions.\",\"jaKbwW\":[[\"s\"],\"s\"],\"jbFMap\":\"Cooldown time left\",\"jeMZNr\":[[\"0\"],\" on-ramp service is provided by External Provider and by selecting you agree to Terms of the Provider. Your access to the service might be reliant on the External Provider being operational.\"],\"jfl9OP\":\"Migrated\",\"jmXdoY\":\"In E-Mode some assets are not borrowable. Exit E-Mode to get access to all assets\",\"jpctdh\":\"View\",\"jqzUyM\":\"Unavailable\",\"k/sb6z\":\"Select language\",\"k3wP3f\":\"<0>Attention: Parameter changes via governance can alter your account health factor and risk of liquidation. Follow the <1>Aave governance forum for updates.\",\"kACpF3\":[\"Claim \",[\"0\"]],\"kH6wUX\":\"Price impact\",\"kIC28N\":\"Available to claim\",\"kIpSye\":[[\"numSelected\"],\"/\",[\"numAvailable\"],\" assets selected\"],\"kN1Yg5\":\"To repay on behalf of a user an explicit amount to repay is needed\",\"kRTD40\":[\"Repayment amount to reach \",[\"0\"],\"% utilization\"],\"kjN9tT\":\"Supply cap is exceeded\",\"knxE+G\":\".JSON\",\"ks2LWT\":\"Debt ceiling is not zero\",\"kwwn6i\":\"Users who stake AAVE in Safety Module (i.e. stkAAVE holders) receive a discount on GHO borrow interest rate. The discount applies to 100 GHO for every 1 stkAAVE held. Use the calculator below to see GHO borrow rate with the discount applied.\",\"kz3wtK\":\"and about SPK program\",\"kzZyM4\":\"DAI balance will be converted via DSR contracts and then supplied as sDAI. Switching incurs no additional costs and no slippage.\",\"lNVG7i\":\"Select an asset\",\"lU2d1/\":[\"Asset cannot be migrated due to insufficient liquidity or borrow cap limitation in \",[\"marketName\"],\" v3 market.\"],\"lVhKKI\":\"Voted YAE\",\"lWLqxB\":\"We couldn't find any transactions related to your search. Try again with a different asset name, or reset filters.\",\"lYGfRP\":\"English\",\"lfEjIE\":\"Learn more in our <0>FAQ guide\",\"lt6bpt\":\"Collateral to repay with\",\"m/IEhi\":\"Total emission per day\",\"m7r7Hh\":\"Selected borrow assets\",\"mDDK4p\":\"Balancer Pool\",\"mIM0qu\":\"Expected amount to repay\",\"mUAFd6\":\"Version 2\",\"masO5Z\":\"E-Mode increases your LTV for a selected category of assets. <0>Learn more\",\"mdNjKU\":[\"Your \",[\"name\"],\" wallet is empty. Purchase or transfer assets or use <0>\",[\"0\"],\" to transfer your \",[\"network\"],\" assets.\"],\"muiOng\":[\"Buy \",[\"cryptoSymbol\"],\" with Fiat\"],\"mvCXBY\":\"Stake AAVE\",\"mwdzil\":\"Ok, Close\",\"mzI/c+\":\"Download\",\"mzdIia\":\"Asset cannot be used as collateral.\",\"n+SX4g\":\"Developers\",\"n8Psk4\":\"We couldn’t detect a wallet. Connect a wallet to stake and view your balance.\",\"nJIhzm\":\"Supply apy\",\"nJgsQu\":\"With a voting power of <0/>\",\"nLC6tu\":\"French\",\"nN2T8p\":\"During the cooldown period, you will not earn any merit rewards. However, rewards earned up to this point will remain unaffected.\",\"nNHV0z\":\"Migrating multiple collaterals and borrowed assets at the same time can be an expensive operation and might fail in certain situations.<0>Therefore it’s not recommended to migrate positions with more than 5 assets (deposited + borrowed) at the same time.\",\"nNbnzu\":\"Proposition\",\"nOy4ob\":\"We suggest you go back to the Dashboard.\",\"nPGNMh\":\"Can be executed\",\"nUK1ou\":[\"Assets with zero LTV (\",[\"0\"],\") must be withdrawn or disabled as collateral to perform this action\"],\"nakd8r\":\"stkAAVE holders get a discount on GHO borrow rate\",\"nh2EJK\":[\"Please switch to \",[\"networkName\"],\".\"],\"njBeMm\":\"Both\",\"noN5Xf\":\"We couldn’t detect a wallet. Connect a wallet to view your staking positions and rewards.\",\"ntkAoE\":\"Discount applied for <0/> staking AAVE\",\"ntyFSE\":[[\"h\"],\"h\"],\"nwtY4N\":\"Something went wrong\",\"nxyWvj\":\"Withdrawing this amount will reduce your health factor and increase risk of liquidation.\",\"o17QVP\":\"Your health factor and loan to value determine the assurance of your collateral. To avoid liquidations you can supply more collateral or repay borrow positions.\",\"o1xc2V\":\"AToken supply is not zero\",\"o4tCu3\":\"Borrow APY\",\"o5ooMr\":\"Debt\",\"o7J4JM\":\"Filter\",\"oHFrpj\":\"Cooldown to unstake\",\"oJ5ZiG\":\"User does not have outstanding variable rate debt on this reserve\",\"oRBGin\":\"Please connect your wallet to be able to switch your tokens.\",\"oUwXhx\":\"Test Assets\",\"oWklJD\":\"Stable interest rate will <0>stay the same for the duration of your loan. Recommended for long-term loan periods and for users who prefer predictability.\",\"odnIK3\":\"Time remaining until the 48 hour withdraw period starts.\",\"oiK5nY\":\"The current incentives period, decided on by the Aave community, has ended. Governance is in the process on renewing, check for updates. <0>Learn more.\",\"olREoo\":\"All borrow positions outside of this category must be closed to enable this category.\",\"om/XHs\":\"Available to supply\",\"ov0+mq\":\"Eligible for the ZKSync Ignite program.\",\"ovT1pF\":[\"Per the community, the \",[\"market\"],\" has been frozen.\"],\"ow3fug\":\"Nothing found\",\"owSsI3\":\"Signatures ready\",\"p+R52m\":\"Go to Balancer Pool\",\"p2A+s1\":[\"The cooldown period is \",[\"0\"],\". After \",[\"1\"],\" of cooldown, you will enter unstake window of \",[\"2\"],\". You will continue receiving rewards during cooldown and unstake window.\"],\"p2S64u\":\"The loan to value of the migrated positions would cause liquidation. Increase migrated collateral or reduce migrated borrow to continue.\",\"p2Z2Qi\":\"This asset has reached its borrow cap. Nothing is available to be borrowed from this market.\",\"p3j+mb\":\"Your reward balance is 0\",\"p45alK\":\"Set up delegation\",\"p6u2s1\":\"Minimum amount of debt to be repaid\",\"pDgeaz\":[[\"title\"]],\"pdZqBk\":\"The underlying balance needs to be greater than 0\",\"pgWG9H\":\"Not enough staked balance\",\"piPrJ7\":\"please check that the amount you want to supply is not currently being used for staking. If it is being used for staking, your transaction might fail.\",\"pjO/iH\":\"Minimum amount received\",\"pooutM\":\"Voting is on\",\"pqaM5s\":\"Confirming transaction\",\"ptaxX3\":[\"I understand how cooldown (\",[\"0\"],\") and unstaking (\",[\"1\"],\") work\"],\"py2iiY\":\"The caller of this function must be a pool\",\"q/51mF\":\"Migrate to V3\",\"q3df11\":\"Interest rate strategy\",\"q6lAbz\":\"Staked\",\"qB4kPi\":\"Supply APY\",\"qENI8q\":\"Global settings\",\"qGz5zl\":\"Collateral balance after repay\",\"qOqbD6\":\"copy the error\",\"qXCkEM\":\"Please connect your wallet to see your supplies, borrowings, and open positions.\",\"qY2jnw\":\"Invalid expiration\",\"qf/fr+\":\"Interest accrued\",\"quYPUU\":\"Variable interest rate will <0>fluctuate based on the market conditions.\",\"quzIeW\":\"User is in isolation mode or LTV is zero\",\"qvnz3q\":\"Invalid amount to burn\",\"rHgdb0\":\"Migrate to Aave V3\",\"rOrHHe\":\"Amount must be greater than 0\",\"rQ+R+0\":\"Selected supply assets\",\"rSayea\":\"APY\",\"rTBDeu\":[\"Asset cannot be migrated because you have isolated collateral in \",[\"marketName\"],\" v3 Market which limits borrowable assets. You can manage your collateral in <0>\",[\"marketName\"],\" V3 Dashboard\"],\"rcT+yy\":\"Show assets with 0 balance\",\"rf8POi\":\"Borrowed asset amount\",\"riNWOA\":\"E-Mode\",\"rjGI/Q\":\"Privacy\",\"rnKPW1\":\"Watch a wallet balance in read-only mode\",\"ruc7X+\":\"Add stkAAVE to see borrow APY with the discount\",\"rvbaFU\":[\"Bridging \",[\"symbol\"]],\"rwVVB7\":\"Claim all rewards\",\"rwyUva\":\"These assets are temporarily frozen or paused by Aave community decisions, meaning that further supply / borrow, or rate swap of these assets are unavailable. Withdrawals and debt repayments are allowed. Follow the <0>Aave governance forum for further updates.\",\"rxJW5W\":\"Your proposition power is based on your AAVE/stkAAVE balance and received delegations.\",\"s2jJnW\":\"You don't have any bridge transactions\",\"s5wBAq\":[\"Unstake \",[\"symbol\"]],\"sJbIdI\":\"Enter ETH address or ENS\",\"sK+Nag\":\"Review tx\",\"sP2+gB\":\"NAY\",\"sQv06Y\":\"for\",\"sTtO6J\":\"Confirm transaction\",\"sXKb3l\":\"Exchange rate\",\"sb0q4+\":\"You unstake here\",\"smJNwH\":\"Available to borrow\",\"solypO\":\"Health factor is not below the threshold\",\"sr0UJD\":\"Go Back\",\"ss5GCK\":\"The address of the pool addresses provider is invalid\",\"swEgK4\":\"Your voting info\",\"t+wtgf\":\"Nothing borrowed yet\",\"t/YqKh\":\"Remove\",\"t81DpC\":[\"Approve \",[\"symbol\"],\" to continue\"],\"tCnbEs\":\"Oracle price\",\"tFZLf8\":\"This gas calculation is only an estimation. Your wallet will set the price of the transaction. You can modify the gas settings directly from your wallet provider.\",\"tHuvQI\":\"Go to V3 Dashboard\",\"tKv7cI\":\"Switch borrow position\",\"tOcg3N\":\"Since this asset is frozen, the only available actions are withdraw and repay which can be accessed from the <0>Dashboard\",\"tOuXfv\":[\"Borrow amount to reach \",[\"0\"],\"% utilization\"],\"te9Bfl\":\"Please, connect your wallet\",\"tt5yma\":\"Your supplies\",\"ttoh5c\":\"Switch to\",\"u3ZeYl\":\"Transaction failed\",\"u706uF\":\"Invalid flashloan premium\",\"u8Gfu7\":[\"No search results\",[\"0\"]],\"uAQUqI\":\"Status\",\"uHMwk8\":\"No assets selected to migrate.\",\"uJPHuY\":\"Migrating\",\"uY8O30\":\"To continue, you need to grant Aave smart contracts permission to move your funds from your wallet. Depending on the asset and wallet you use, it is done by signing the permission message (gas free), or by submitting an approval transaction (requires gas). <0>Learn more\",\"udFheE\":\"For repayment of a specific type of debt, the user needs to have debt that type\",\"ulNuNq\":\"Export data to\",\"ulup2p\":\"Buy Crypto with Fiat\",\"umICAY\":\"<0><1><2/>Add stkAAVE to see borrow rate with discount\",\"usB84Z\":\"Maximum amount available to borrow is limited because protocol borrow cap is nearly reached.\",\"uwAUvj\":\"COPY IMAGE\",\"v8x7Mg\":\"Insufficient collateral to cover new borrow position. Wallet must have borrowing power remaining to perform debt switch.\",\"vEqxH9\":\"Restaked\",\"vLyv1R\":\"Hide\",\"vMba49\":\"Borrowing is not enabled\",\"vMpNwt\":\"Approve with\",\"vXIe7J\":\"Language\",\"vesuBJ\":\"Allows you to decide whether to use a supplied asset as collateral. An asset used as collateral will affect your borrowing power and health factor.\",\"w+V9Cx\":\"Stablecoin\",\"w/JtJ3\":\"Stable debt supply is not zero\",\"w4VBY+\":\"Rewards APR\",\"w9dLMW\":[[\"label\"]],\"wAOL+X\":[\"You \",[\"action\"],\" <0/> \",[\"symbol\"]],\"wBIsjb\":\"Discord channel\",\"wQZbc/\":\"The caller of the function is not an AToken\",\"wRRqvW\":\"You do not have supplies in this currency\",\"wZFvVU\":\"VOTE YAE\",\"wb/r1O\":[\"Faucet \",[\"0\"]],\"wdxz7K\":\"Source\",\"weH1nG\":\"The Aave Protocol is programmed to always use the price of 1 GHO = $1. This is different from using market pricing via oracles for other crypto assets. This creates stabilizing arbitrage opportunities when the price of GHO fluctuates.\",\"wh7Ezv\":\"You have no AAVE/stkAAVE/aAave balance to delegate.\",\"wlsIx7\":\"With testnet Faucet you can get free assets to test the Aave Protocol. Make sure to switch your wallet provider to the appropriate testnet network, select desired asset, and click ‘Faucet’ to get tokens transferred to your wallet. The assets on a testnet are not “real,” meaning they have no monetary value. <0>Learn more\",\"wmE285\":\"Get ABP v2 Token\",\"wyRrcJ\":\"As a result of governance decisions, this ABPT staking pool is now deprecated. You have the flexibility to either migrate all of your tokens to v2 or unstake them without any cooldown period.\",\"x5KiLL\":\"Selected assets have successfully migrated. Visit the Market Dashboard to see them.\",\"x7F2p6\":\"Current differential\",\"x7K5ib\":[\"Your \",[\"networkName\"],\" wallet is empty. Get free test \",[\"0\"],\" at\"],\"x9iLRD\":\"tokens, please go to the\",\"xNy/UG\":\"Repay with\",\"xPm8wv\":\"Learn more about risks involved\",\"xXYpZl\":[[\"0\"],\" Faucet\"],\"xaVBSS\":\"Your info\",\"xaWZ6f\":\"APY type change\",\"xh6k71\":\"Collateral usage is limited because of isolation mode.\",\"xvIklc\":\"Flashloan is disabled for this asset, hence this position cannot be migrated.\",\"y5rS9U\":\"Migrate\",\"y66tBm\":[\"Enable \",[\"symbol\"],\" as collateral\"],\"yB1YpA\":\"Dark mode\",\"yCrG6m\":\"Total market size\",\"yJUUbn\":\"Transaction overview\",\"yLGmLX\":[\"Restake \",[\"symbol\"]],\"yW1oWB\":\"APY type\",\"yYHqJe\":\"Not a valid address\",\"yZwLw6\":\"Track wallet\",\"yh2sjd\":[\"Price impact \",[\"0\"],\"%\"],\"yhvj6d\":\"You can not switch usage as collateral mode for this currency, because it will cause collateral call\",\"ylmtBZ\":\"The app is running in fork mode.\",\"ymNY32\":[\"There are not enough funds in the\",[\"0\"],\"reserve to borrow\"],\"yz7wBu\":\"Close\",\"z4uGQg\":\"Debt ceiling is exceeded\",\"z5UQOM\":\"The collateral chosen cannot be liquidated\",\"z5Y+p6\":[\"Supplying \",[\"symbol\"]],\"zCjNKs\":\"Action cannot be performed because the reserve is frozen\",\"zRHytX\":\"Isolated Debt Ceiling\",\"zTOjMP\":\"Protocol supply cap is at 100% for this asset. Further supply unavailable.\",\"zVdRUG\":\"Submission did not work, please try again later or contact wecare@avara.xyz\",\"zevmS2\":\"<0><1><2/>Add <3/> stkAAVE to borrow at <4/> (max discount)\",\"zgtIDV\":\"Remaining debt\",\"zmTPiV\":\"Supply balance\",\"zpPbZl\":\"Liquidation risk parameters\",\"zucql+\":\"Menu\",\"zwWKhA\":\"Learn more\",\"zy9fXn\":[\"Asset is frozen in \",[\"marketName\"],\" v3 market, hence this position cannot be migrated.\"],\"zys+R6\":\"Be mindful of the network congestion and gas prices.\",\"zzzTXS\":\"Merit Program rewards are claimed through the\"}")}; \ No newline at end of file diff --git a/src/locales/en/messages.po b/src/locales/en/messages.po index cb392767e3..d8b4b5e10e 100644 --- a/src/locales/en/messages.po +++ b/src/locales/en/messages.po @@ -1538,7 +1538,6 @@ msgid "Enabled" msgstr "Enabled" #: src/modules/staking/StakingHeader.tsx -#: src/modules/umbrella/UmbrellaHeader.tsx msgid "Funds in the Safety Module" msgstr "Funds in the Safety Module" @@ -2428,6 +2427,10 @@ msgstr "Borrowing {symbol}" msgid "Borrow balance" msgstr "Borrow balance" +#: src/modules/umbrella/UmbrellaHeader.tsx +msgid "Staked Balance" +msgstr "Staked Balance" + #: src/modules/reserve-overview/Gho/CalculatorInput.tsx msgid "You may enter a custom amount in the field." msgstr "You may enter a custom amount in the field." diff --git a/src/locales/es/messages.js b/src/locales/es/messages.js index 91813fed70..0708925974 100644 --- a/src/locales/es/messages.js +++ b/src/locales/es/messages.js @@ -1 +1 @@ -/*eslint-disable*/module.exports={messages:JSON.parse("{\"+0xecS\":[\"Si NO unstakeas entre \",[\"0\"],\" de la ventana de unstakeo, necesitarás activar el proceso de cooldown de nuevo.\"],\"+EGVI0\":\"Recibir (est.)\",\"+VR63W\":[\"Participar en esta reserva de \",[\"symbol\"],\" da recompensas anuales.\"],\"+bmKdK\":\"Utiliza tu balance de AAVE, stkAAVE o aAava para delegar tu voto y poder de proposición. No enviarás ningún token, solo los derechos de votar y proponer cambios en el protocolo. Puedes volver a delegar o revocar el poder de vuelta en cualquier momento.\",\"+eOPG+\":\"Parece que no podemos cambiar la red automáticamente. Por favor, comprueba si puedes cambiarla desde la cartera.\",\"+i3Pd2\":\"Límite del préstamo\",\"+kLZGu\":\"Cantidad de activos suministrados\",\"+nuEh/\":\"Estimated time\",\"+xMFF8\":\"Remind me\",\"/57U31\":\"Cantidad para migrar\",\"/7ykiW\":\"Tomar prestado esta cantidad reducirá tu factor de salud y aumentará el riesgo de liquidación.\",\"/YA5pU\":\"E-Mode increases your LTV for a selected category of assets, meaning that when E-mode is enabled, you will have higher borrowing power over assets of the same E-mode category which are defined by Aave Governance. You can enter E-Mode from your <0>Dashboard. To learn more about E-Mode and applied restrictionn, see the <1>help guide or the <2>Aave V3 Technical Paper.\",\"/izjs/\":\"Cantidad mínima de Aave stakeado\",\"/jQctM\":\"To\",\"/lDBHm\":\"Preguntas frecuentes\",\"/yNlZf\":\"El préstamo estable no está habilitado\",\"/yQcJM\":\"Valor total\",\"00AB2i\":\"El usuario no tomó prestado el activo especificado\",\"00OflG\":\"No hay suficiente liquidez para que el activo seleccionado realice el cambio. Prueba reduciendo la cantidad.\",\"08/rZ9\":\"El periodo de cooldown es el tiempo requerido antes de unstakear tus tokens (20 días). Solo puedes retirar tus activos del Módulo de Seguridad después del periodo de cooldown y dentro de la ventana de unstakeo.<0>Aprende más\",\"0AmQcW\":\"Cambio de tasa\",\"0BF3yK\":\"Lo sentimos, no hemos podido encontrar la página que estabas buscando.\",\"0TAbjq\":\"Recent Transactions\",\"0jhlyw\":\"Riesgo de liquidación\",\"0ojY+Y\":\"Balance actual v2\",\"0thX3P\":\"Cambio de garantía\",\"0wGCWc\":\"Esta es la cantidad total que puedes suministrar en esta reserva. Puedes suministrar el balance de tu cartera hasta que se alcance el límite de suministro.\",\"1AsVfF\":\"Los datos de los precios no están disponibles actualmente para esta reserva en el subgraph del protocolo\",\"1LjK22\":\"Historial de transacciones\",\"1Onqx8\":[\"Aprobando \",[\"symbol\"],\"...\"],\"1Ue8sX\":\"Por favor conecta una cartera para ver tu información personal aquí.\",\"1bpx9A\":\"...\",\"1kWUB+\":\"Umbral <0/> de liquidación\",\"1m9Qqc\":\"Retirando y Cambiando\",\"1oyh4g\":\"Borrow rate\",\"1t7rez\":\"El suministro de activos está limitado a una cierta cantidad para reducir la exposición del protocolo a este activo y ayudar a manejar los riesgos implicados.\",\"2CAPu2\":\"Has retirado y cambiado tokens con éxito.\",\"2Eoi/a\":\"Ver detalles\",\"2FYpfJ\":\"Más\",\"2O3qp5\":\"Liquidez disponible\",\"2OM8/D\":[\"Este activo no se puede migrar debido a una restricción del límite de suministro en el mercado v3 de \",[\"marketName\"],\".\"],\"2Q4GU4\":\"Dirección bloqueada\",\"2ZGocC\":\"Aave es un protocolo totalmente descentralizado, gobernado por la comunidad de poseedores de tokens AAVE. Los poseedores de tokens AAVE discuten, proponen y votan colectivamente sobre las actualizaciones del protocolo. Los poseedores de tokens AAVE (solo en la red Ethereum) pueden votar ellos mismos sobre nuevas propuestas o delegarse a una dirección de su elección. Para aprender más, consulta la\",\"2a6G7d\":\"Por favor introduce una dirección de cartera válida.\",\"2bAhR7\":\"Conoce GHO\",\"2eBWE6\":\"Acepto los riesgos involucadros.\",\"2o/xRt\":\"Se ha alcanzado el límite de suministro en la reserva especificada. Prueba reduciendo la cantidad.\",\"2uJToh\":[[\"0\"],[\"name\"]],\"2x58bP\":\"El préstamo estable no está habilitado\",\"34Qfwy\":\"El límite del préstamo se ha sobrepasado\",\"39eQRj\":[\"Tomar prestado \",[\"symbol\"]],\"3BL1xB\":\"Total suministrado\",\"3BnIWi\":\"Cambiado\",\"3K0oMo\":\"Suministro restante\",\"3MoZhl\":\"No hay suficiente garantía para cubrir un nuevo préstamo\",\"3Np5O8\":[\"Suministrar \",[\"symbol\"]],\"3O8YTV\":\"Interés total acumulado\",\"3mXg0z\":\"LTV máximo\",\"3q3mFy\":\"Pagar\",\"3qsjtp\":\"El promedio ponderado de APY para todos los activos suministrados, incluidos los incentivos.\",\"3rL+os\":\"Solo puedes retirar tus activos del Módulo de Seguridad después de que finalice el período de cooldown y la ventana de unstakeo esté activa.\",\"42UgDM\":[\"Migrar al mercado V3 de \",[\"0\"]],\"49UFQA\":\"Resultados de la votación\",\"4DMZUI\":\"Ver Transacciones\",\"4HtGBb\":\"MAX\",\"4Y5H+g\":\"Términos\",\"4YYh4d\":\"Máximo disponible para tomar prestado\",\"4iPAI3\":\"Cantidad de préstamo mínima de GHO\",\"4lDFps\":\"Firma para continuar\",\"4wyw8H\":\"Transacciones\",\"5JSSxX\":[\"Tu cartera de \",[\"networkName\"],\" está vacía. Consigue activos de prueba gratis en\"],\"5K7kGO\":\"documentación\",\"5NOSGa\":\"El límite de deuda limita la cantidad posible que los usuarios del protocolo pueden tomar prestado contra este activo. El límite de deuda es específico para los activos en isolation mode y se indica en USD.\",\"5Ncc6j\":[\"Este activo casi ha alcanzado su límite de suministro. Solo se puede suministrar \",[\"messageValue\"],\" a este mercado.\"],\"5cZ/KX\":\"El suministro de deuda variable no es cero\",\"5che++\":\"Para solicitar acceso a este mercado, porfavor visita: <0>Nombre del proveedor de acceso\",\"5ctNdV\":[\"Mínimo \",[\"0\"],\" recibido\"],\"5hDe9v\":\"Acción de permiso requerida\",\"5rsnKT\":\"Recompensas disponibles\",\"5yC5m5\":\"Ver todos los votos\",\"6/dCYd\":\"Resumen\",\"60crCe\":\"Todas las transacciones\",\"62Xcjh\":\"Garantía\",\"65A04M\":\"Español\",\"6G8s+q\":\"Firmando\",\"6Jrv+z\":[\"Pagar \",[\"symbol\"]],\"6NGLTR\":\"Cantidad descontable\",\"6Xr0UU\":\"Cooling down...\",\"6bxci/\":\"Poder de votación\",\"6f8S68\":\"Mercados\",\"6g1gi0\":\"Propuestas\",\"6gvoHP\":\"Copiar mensaje de error\",\"6h3Q5G\":\"reembolsado\",\"6lFSyT\":\"Available to Stake\",\"6s8L6f\":\"Cambiar de red\",\"6yAAbq\":\"APY, tasa de préstamo\",\"70wH1Q\":\"APR\",\"72c5Qo\":\"Total\",\"73Auuq\":\"Los parámetros de descuento son decididos por la comunidad de Aave y pueden cambiar con el tiempo. Consulta el Gobierno para ver actualizaciones y vota para participar. <0>-Aprende más\",\"75qcAQ\":[[\"stepName\"]],\"7ITr5L\":\"Factor de salud\",\"7T/o5R\":\"Alcanzado\",\"7YlcXu\":\"El fork mode está activado\",\"7Z76Iw\":\"Tomar prestado no está disponible porque estás usando el Isolation mode. Para administrar el Isolation mode, visita tu <0>Panel de control.\",\"7aKlMS\":\"Compartir en Lens\",\"7er5fP\":\"Reclamar todo\",\"7hb2+s\":\"Time remaining until the withdraw period ends.\",\"7l88b8\":\"No se pudieron recuperar los datos, por favor recarga el gráfico.\",\"7p5kLi\":\"Panel de control\",\"7sofdl\":\"Retirar y Cambiar\",\"8+6BI0\":\"Ten cuidado - Estás muy cerca de la liquidación. Considera depositar más garantía o pagar alguno de tus préstamos\",\"87pUEW\":[\"Tu cartera de \",[\"name\"],\" está vacía. Compra o transfiere activos.\"],\"8F1i42\":\"Página no encontrada\",\"8G8M0u\":\"Cargando datos...\",\"8Iu1QS\":\"retirado\",\"8JL93T\":\"Todas las propuestas\",\"8Q51DU\":\"Añadir a la cartera\",\"8X/oyn\":\"Cantidad invalidad para generar\",\"8Z5FPv\":\"Desconectar cartera\",\"8Zz7s5\":\"activos\",\"8aLW8H\":\"Balance a revocar\",\"8bOT3H\":\"Tasa de uso\",\"8sLe4/\":\"Ver contrato\",\"8t/M0y\":\"Please connect your wallet to be able to bridge your tokens.\",\"8vETh9\":\"Mostrar\",\"94OHPx\":\"Estás entrando en el Isolation mode\",\"9CDK3/\":[\"Tomar prestado no está disponible actualmente para \",[\"0\"],\".\"],\"9GIj3z\":\"Tamaño de la reserva\",\"9Knqb4\":\"Balance stakeado\",\"9OBKm7\":\"Quorum\",\"9QHoGr\":\"Votos actuales\",\"9Rw96f\":[\"Este activo casi ha alcanzado su límite de préstamo. Solo hay \",[\"messageValue\"],\" disponibles para ser prestado de este mercado.\"],\"9Xj/qR\":[\"Algunos activos migrados no se utilizarán como garantía debido al isolation mode habilitado en el mercado V3 de \",[\"marketName\"],\". Visita el <0>Panel de control de \",[\"marketName\"],\" V3 para administrar el isolation mode.\"],\"9c6vDV\":\"Este activo ha alcanzado su límite de suministro. No queda nada disponible para ser suministrado desde este mercado.\",\"9kTWHA\":\"MAI ha sido pausado debido a una decisión de la comunidad. Los suministros, préstamos y pagos se han visto afectados. <0>Más información\",\"9lXchd\":\"Token subyacente\",\"9rWaKF\":\"Bridged Via CCIP\",\"9xSooW\":\"Puesto que esta es una red de pruebas, puedes obtener cualquiera de los activos si tienes ETH en tu cartera\",\"A/lwoe\":\"Elige uno de los servicios on-ramp\",\"A6dCI6\":[\"La máxima cantidad disponible para tomar prestado es <0/> \",[\"0\"],\" (<1/>).\"],\"AReoaV\":\"Tus préstamos\",\"ARu1L4\":\"Pagado\",\"AV7cGz\":\"Revisa los detalles del approve\",\"AZOjB8\":\"Recuperando datos...\",\"Ai0jas\":\"Únete a la discusión de la comunidad\",\"Ajl2rq\":\"El poder de préstamo y los activos están limitados debido al Isolation mode.\",\"AqgYNC\":\"El límite de préstamo del protocolo está al 100% para este activo. No es posible tomar más prestado.\",\"B3EcQR\":\"¡Gracias por votar!\",\"B6aXGH\":\"Estable\",\"B9Gqbz\":\"Tasa variable\",\"BDFEd+\":\"stETH suministrado como garantía continuará acumulando recompensas de staking proporcionadas por rebases diarios.\",\"BE2mP0\":\"Borrowed assets\",\"BJyN77\":\"Debido al impacto del factor de salud, se requiere un préstamo flash para realizar esta transacción, pero el Gobierno de Aave ha inhabilitado la disponibilidad de préstamos flash para este activo. Intenta reducir la cantidad o suministrar garantía adicional.\",\"BNL4Ep\":\"El uso como garantía está limitado debido al isolation mode. <0>Aprende más\",\"BQ/wCO\":\"Migrate your assets\",\"BjLdl1\":\"Con un descuento\",\"BnhYo8\":\"Categoría de activos\",\"Bq9Y7e\":\"Este activo está congelado debido a una decisión de la comunidad de Aave. <0>Más información\",\"BqWMDJ\":\"Faucet\",\"BqynZO\":\"Optimized for efficiency and risk by supporting blue-chip collateral assets\",\"Bsu7zX\":\"The fee includes the gas cost to complete the transaction on the destination chain and the fee paid to Chainlink CCIP service providers. You can chose to pay in the network token or GHO. <0>Learn more\",\"BwJKBw\":\"de\",\"CDrsH+\":\"Documento técnico\",\"CK1KXz\":\"Max\",\"CMHmbm\":\"Deslizamiento\",\"CZXzs4\":\"Griego\",\"CcRNG6\":\"Cambiando\",\"CkTRmy\":[\"Reclamar \",[\"symbol\"]],\"CsqtLm\":\"Por favor conecta tu cartera para ver la herramienta de migración.\",\"CtGlFb\":[\"Faucet \",[\"networkName\"]],\"Cxt2YY\":\"Watch wallet\",\"D33VQU\":\"Esta acción reducirá el factor de salud de V3 por debajo del umbral de liquidación. Aumenta la garantía migrada o reduce el préstamo migrado para continuar.\",\"D9BLRG\":\"Este activo ha sido pausado debido a una decisión de la comunidad. El suministro, los retiros, los préstamos y los pagos se han visto afectados.\",\"DAma/S\":\"La garantía es (en su mayoría) el mismo activo que se está tomando prestado\",\"DCnFg0\":[\"Direcciones (\",[\"0\"],\")\"],\"DG3Lv1\":\"Entiendo completamente los riesgos de migrar.\",\"DONJcV\":\"El activo base no puede ser rescatado\",\"DR+4uL\":\"Balance del suministro después del cambio\",\"DWjrck\":[\"Este activo no se puede migrar al mercado V3 de \",[\"marketName\"],\" debido a las restricciones del E-mode. Puedes deshabilitar o administrar las categorías del E-mode en tu <0>Panel de control V3\"],\"Dj+3wB\":\"Aave por mes\",\"DuEq2K\":\"Colateralización\",\"DxfsGs\":\"Puedes reportar cualquier incidente a nuestro <0>Discord o <1>Github.\",\"Dzma+E\":\"Main Ethereum market with the largest selection of assets and yield options\",\"E/QGRL\":\"Deshabilitado\",\"EBL9Gz\":\"¡COPIADO!\",\"ES8dkb\":\"Interés fijo\",\"EZd3Dk\":[\"Restakeando \",[\"symbol\"]],\"Ebgc76\":[\"Retirando \",[\"symbol\"]],\"EdQY6l\":\"Ninguno\",\"EjvKQ+\":\"Valor mínimo en USD recibido\",\"Enslfm\":\"Destination\",\"EvE9nO\":[\"Reactivar el periodo de cooldown para unstakear \",[\"0\"],\" \",[\"stakedToken\"]],\"EvECnL\":\"Migrar a V3\",\"EzMQbh\":\"The source chain time to finality is the main factor that determines the time to destination. <0>Learn more\",\"F40cwT\":\"Legacy Markets\",\"F6TdXL\":\"Aprende más.\",\"FDDPeZ\":\"Users can stake their assets in the protocol and earn incentives. In the case of a shortfall event, your stake can be slashed to cover the deficit, providing an additional layer of protection for the protocol.\",\"FHlMf/\":\"Balance actual v2\",\"FHpxjF\":[\"El factor de reserva es un porcentaje de interés que va a un \",[\"0\"],\" que es controlado por el gobierno de Aave para promover el crecimiento del ecosistema.\"],\"FOBZa6\":\"Capacidad de préstamo utilizada\",\"FPKEug\":\"Operación no soportada\",\"FbmMe7\":\"Direcciones vinculadas\",\"Fdp03t\":\"en\",\"Fjw9N+\":\"Activos a suministrar\",\"FmN0fk\":\"Restakear\",\"GDGLIs\":\"GHO es un activo nativo descentralizado, digital y respaldado por garantía, vinculado al USD. Es creado por los usuarios que lo toman prestado contra múltiples garantías. Cuando el usuario paga su posición de préstamo de GHO, el protocolo quema el GHO de ese usuario. Todos los pagos de interés acumulados por los acuñadores de GHO serán transferidos directamente a la tesorería de\xA0la\xA0DAO\xA0de\xA0Aave.\",\"GQrBTq\":\"Cambiar E-Mode\",\"GWswcZ\":\"Este activo está congelado debido a una decisión del Gobierno del Protocolo Aave. El 20 de diciembre de 2022, renFIL ya no será compatible y no se podrá conectar de nuevo a su red nativa. Se recomienda retirar las posiciones de suministro y pagar las posiciones de préstamo para que renFIL se pueda convertir de nuevo a FIL antes de la fecha límite. Después de esta fecha, ya no será posible convertir renFIL a FIL. <0>Más detalles\",\"GX8GKD\":\"Activos\",\"GgEj+0\":\"Modo de solo lectura. Conéctate a una cartera para realizar transacciones.\",\"GjkIKV\":\"finaliza\",\"GoK/QN\":\"Thank you for submitting feedback!\",\"GtP2hp\":[\"Tomar prestado no está disponible porque has habilitado el Efficieny Mode (E-Mode) para la categoría \",[\"0\"],\". Para manejar las categorías del E-Mode visita tu <0>Panel de control.\"],\"H6Ma8Z\":\"Descuento\",\"HB/wfS\":[[\"tooltipText\"]],\"HKDsQN\":\"Rewards can be claimed through\",\"Ha/U5f\":\"This is a program initiated and implemented by the decentralised ZKSync community. Aave Labs does not guarantee the program and accepts no liability.\",\"HciqKU\":\"This is a program initiated and implemented by the decentralised Aave community. Aave Labs does not guarantee the program and accepts no liability.\",\"Hi6Ttn\":\"Lo sentimos, se produjo un error imprevisto. Mientras tanto, puedes intentar recargar la página, o volver después.\",\"HkEDbS\":[[\"d\"],\"d\"],\"HmkYqM\":\"Ventana de unstakeo\",\"HpK/8d\":\"Recargar\",\"HrnC47\":\"Guardar y compartir\",\"HuVZMK\":\"Days\",\"HvJKMU\":[\"Este activo no se puede migrar al mercado v3 de \",[\"marketName\"],\", ya que el activo de garantía habilitará el isolation mode.\"],\"Hvwnm9\":[\"La cantidad máxima disponible para suministrar está limitada porque el límite de suministro del protocolo está al \",[\"0\"],\"%.\"],\"I8CX2c\":\"La cantidad total de tus activos denominados en USD que pueden ser usados como garantía para activos de préstamo.\",\"IAD2SB\":[\"Reclamando \",[\"symbol\"]],\"IG9X9/\":\"Tomar prestado este activo está limitado a una cierta cantidad para minimizar la insolvencia del fondo de liquidez.\",\"IOIx8L\":\"Está previsto que este activo se desvincule debido a una decisión del Gobierno del Protocolo Aave. <0>Más detalles\",\"IP+I/j\":\"Periodo de cooldown\",\"IaA40H\":\"Liquidación en\",\"J/hVSQ\":[[\"0\"]],\"JCoxL6\":\"Administrar analíticas\",\"JK9zf1\":[\"Interés compuesto estimado, incluyendo el descuento por Staking \",[\"0\"],\"AAVE en el Módulo de Seguridad.\"],\"JOqFba\":[\"Unstakeando \",[\"symbol\"]],\"JPrLjO\":\"No puedes usar este activo como garantía\",\"JU6q+W\":\"Recompensa(s) por reclamar\",\"JYKRJS\":\"Stakear\",\"JZMxX0\":\"No hay suficiente balance en tu cartera\",\"Jgflkm\":\"Obtener GHO\",\"JoMQnI\":\"Balance de la cartera\",\"JtwD8u\":\"Balance tomado prestado tras pagar\",\"JumYTK\":\"Supplied assets\",\"K05qZY\":\"Retirar y Cambiar\",\"KAz/NV\":\"El límite de deuda del protocolo está al 100% para este activo. No es posible tomar más prestado usando este activo como garantía.\",\"KLXVqE\":[\"Los tokens stETH se migrarán a Wrapped stETH usando el wrapper del protocolo de Lido, lo que provoca un cambio en el balance de suministro después de la migración: \",[\"0\"]],\"KLd6ky\":\"Use connected account\",\"KRpokz\":\"VER TX\",\"KSlpka\":\"Esto representa el umbral en el que un préstamo será considerado sin garantía suficiente y sujeto a la liquidación de la misma. Por ejemplo, si una garantía tiene un umbral de liquidación del 80 %, significa que el préstamo será liquidado cuando el valor de la deuda alcanze el 80% del valor de la garantía.\",\"KYAjf3\":\"Aislado\",\"KZwRuD\":[[\"notifyText\"]],\"KkPgim\":\"Cambiando E-Mode\",\"KnN1Tu\":\"Caduca\",\"KoOBI2\":\"Debido a mecánicas internas de stETH requeridas para el soporte del rebase, no es posible realizar un cambio de garantía donde stETH es el token de origen.\",\"KojyJ4\":\"Red incorrecta\",\"KsqhWn\":\"Staking\",\"KuBTQq\":\"Introduce la dirección ETH\",\"KvG1xW\":\"Reclamando\",\"L+8Lzs\":\"LTV actual\",\"L+qiq+\":\"Mercado\",\"LDzfVJ\":\"Send Feedback\",\"LIrMcF\":\"Sin poder de voto\",\"LL0zks\":\"Puede ser garantía\",\"LLdJWu\":\"AAVE Reclamable\",\"LSIpNK\":\"Tomar prestado y pagar en el mismo bloque no está permitido\",\"LVt3TI\":[\"<0>Tolerancia de deslizamiento <1>\",[\"selectedSlippage\"],\"% <2>\",[\"0\"],\"\"],\"LjafV8\":\"Maximum collateral amount to use\",\"LtpQew\":\"Let us know how we can make the app better for you. For user support related inquiries please reach out on\",\"LvVpD/\":\"Modo E\",\"M2sknc\":\"Tip: Intenta aumentar el deslizamiento o reduce la cantidad de entrada\",\"M7wPsD\":\"Cambiar\",\"MFu33y\":\"Staking 00\",\"MIy2RJ\":\"Maximum amount received\",\"MZ/nQf\":\"Dirección del destinatario\",\"Ma/MtY\":\"vista de stakeo\",\"McHlGl\":\"Cambio de APY\",\"MeCCA+\":\"APY, variable\",\"MghdTe\":\"Si el factor de salud se encuentra por debajo de 1, la liquidación de tu colateral puede ser activada.\",\"Mm/DVQ\":\"Has cancelado la transacción.\",\"MnE2QX\":\"Información de préstamo\",\"MrmQHg\":\"View Bridge Transactions\",\"MuDFEQ\":\"Valor de retorno inválido en la función executor del préstamo flash\",\"N5kUMV\":\"Este activo solo se puede utilizar como garantía en isolation mode con poder de préstamo limitado. Para entrar en el isolation mode, deshabilita todas las demás garantías.\",\"N6Pxr9\":\"View all\",\"NF0e1Q\":\"Pendiente...\",\"NK9ikO\":\"Balance de la cartera\",\"NMt2CB\":\"Cantidad reclamable\",\"NcFGxG\":\"Collector Contract\",\"NfpPeS\":\"Nada invertido\",\"Nh9DAo\":[[\"m\"],\"m\"],\"O+sCUU\":\"El límite de minteo sin respaldo ha sido excedido\",\"O+tyU+\":[\"La cantidad máxima disponible para tomar prestado contra este activo está limitada porque el límite de deuda está al \",[\"0\"],\"%.\"],\"O3oNi5\":\"Email\",\"OFjZGo\":\"Unstakear\",\"OR8cYX\":\"Resumen de la propuesta\",\"OYuJ9K\":\"El límite de deuda del protocolo está al 100% para este activo. No es posible tomar más prestado usando este activo como garantía.\",\"OfhWJH\":\"Restablecer\",\"Og2SKn\":\"deshabilitado\",\"On0aF2\":\"Página web\",\"OsyKSt\":\"Retirar\",\"P1dURE\":\"Revocar poder\",\"P2WCD/\":[\"El activo subyacente no existe en el mercado v3 de \",[\"marketName\"],\", por lo tanto, esta posición no se puede migrar.\"],\"P2sL6B\":\"Cuando ocurre una liquidación, los liquidadores pagan hasta el 50% de la cantidad pendiente del préstamo en nombre del prestatario. A cambio, pueden comprar la garantía con descuento y quedarse con la diferencia (sanción de liquidación) como bonificación.\",\"P6sRoL\":\"Stakea ABPT\",\"P72/OW\":\"El promedio ponderado de APY para todos los activos prestados, incluidos los incentivos.\",\"P7e6Ug\":\"Por favor conecta tu cartera para ver el historial de transacciones.\",\"PByO0X\":\"Votos\",\"PI+kVe\":\"Deshabilitar fork\",\"PJK9u/\":\"Apy préstamo\",\"PLUB/s\":\"Fee\",\"PP5ZA8\":[\"Participating in staking \",[\"symbol\"],\" gives annualized rewards. Your wallet balance is the sum of your aTokens and underlying assets. The breakdown to stake is below\"],\"PcBUgb\":\"Umbral de liquidación\",\"PjU6bu\":\"This asset is eligible for SPK incentive program. Aave Labs does not guarantee the program and accepts no liability.\",\"PpqD5g\":\"Habilitar este activo como garantía aumenta tu poder préstamo y el factor de salud. Sin embargo, puede ser liquidado si tu factor de salud cae por debajo de 1.\",\"PsOFSf\":\"Esta acción reducirá el factor de salud V2 por debajo del umbral de liquidación. Mantén la garantía o migra la posición de préstamo para continuar.\",\"Pu4bI/\":[[\"currentMethod\"]],\"Q0LzKi\":\"View TX\",\"Q4eNqa\":\"El Aave Balancer Pool Token (ABPT) es un token de pool de liquidez. Puedes recibir ABPT depositando una combinación de AAVE + wstETH en el pool de liquidez de Balancer. Luego puedes stakear tu BPT en el módulo de seguridad para asegurar el protocolo y ganar incentivos de seguridad.\",\"QQYsQ7\":\"Retirando\",\"QWYCs/\":\"Stakear GHO\",\"R+30X3\":\"No alcanzado\",\"RCU5PY\":\"Age\",\"RIfckG\":[\"Desactivar \",[\"symbol\"],\" como garantía\"],\"RMtxNk\":\"Diferencial\",\"RNK49r\":\"Firma inválida\",\"RS0o7b\":\"Estado\",\"RU+LqV\":\"Detalles de la propuesta\",\"RYTgZX\":\"lorem ipsum\",\"RbXH+k\":\"Los poseedores de AAVE, GHO y ABPT (solo en la red de Ethereum) pueden stakear sus activos en el Módulo de Seguridad para añadir más seguridad al protocolo y obtener incentivos de seguridad. En el caso de un evento de shortfall, tu stakeo puede ser reducido para cubrir el déficit. proporcionando una capa adicional de protección para el protocolo.\",\"RiSYV4\":\"El activo no está listado\",\"Rj01Fz\":\"Enlaces\",\"RmWFEe\":\"Staking APR\",\"RoafuO\":\"Enviar feedback\",\"RtBLm7\":\"El factor de salud es menor que el umbral de liquidación\",\"RxzN1M\":\"Habilitado\",\"SDav7h\":\"Fondos en el Módulo de Seguridad\",\"SENccp\":\"Si el error persiste, <0/> podrías reportarlo a esto\",\"SIWumd\":\"Mostrar activos congelados o pausados\",\"SM58dD\":\"Cantidad en cooldown\",\"SSMiac\":\"Error al cargar los votantes de la propuesta. Por favor actualiza la página.\",\"SSQVIz\":\"Umbral de liquidación\",\"SUb8x0\":\"Total disponible\",\"SWIgh4\":\"Fees exceed wallet balance\",\"SY9hVo\":\"El modo de solo lectura permite ver las posiciones de las direcciones en Aave, pero no podrás realizar transacciones.\",\"SZRUQ4\":\"Deslizamiento máximo\",\"Sa1UE/\":\"El límite de préstamo del protocolo está al 100% para este activo. No es posible tomar más prestado.\",\"Sk2zW9\":\"Desactivando E-Mode\",\"SxaD0o\":\"La dirección del proveedor del pool no esta registrada\",\"T/AIqG\":\"El límite de suministro del protocolo está al 100% para este activo. No es posible suministrar más.\",\"T0xCO9\":\"No se puede validar la dirección de la cartera. Vuelve a intentarlo.\",\"T4OhVl\":\"GHO balance\",\"T6uYU2\":\"Tomar prestado\",\"TFxQlw\":\"Penalización de liquidación\",\"TQ7WsV\":\"Available to stake\",\"TUI7iB\":\"El activo solo puede usarse como garantía en el Isolation mode únicamente.\",\"TbjyhA\":\"Docs\",\"TduuS0\":\"El usuario no tiene deuda pendiente de tasa estable en esta reserva\",\"TeCFg/\":\"Cambio de tasa de préstamo\",\"Tg1JyO\":\"Bridge history\",\"TskbEN\":\"Los poseedores de stkAAVE reciben un descuento en la tasa de préstamo de GHO\",\"TszKts\":\"Balance de préstamo después del cambio\",\"TtZL6q\":\"Parámetros del modelo de descuento\",\"TwJI9F\":\"Asset has been successfully sent to CCIP contract. You can check the status of the transactions below\",\"Tz0GSZ\":\"actividades bloqueadas\",\"U/eBjN\":\"Recarga la página\",\"U2r8nY\":\"Elige cuánto poder de voto/proposición otorgar a otra persona delegando parte de tu balance de AAVe o stkAAVE. Tus tokens permanecerán en tu cuenta, pero tu delegado podrá votar o proponer en tu lugar. Si tu balance de AAVE, stkAAVE o aAave cambia, el poder de voto/proposición de tu delegado se ajustará automáticamente.\",\"U8IubP\":\"La aplicación se está ejecutando en testnet mode. Aprende como funciona en\",\"U9btTk\":\"El activo no se puede pedir prestado en isolation mode\",\"UAOZRe\":\"El impacto del precio es la diferencia entre el valor total de los tokens de entrada cambiados y los tokens de destino obtenidos (en USD), que resulta de la liquidez limitada del par de cambio.\",\"UE3KJZ\":\"El historial de transacciones no está disponible actualmente para este mercado\",\"URmyfc\":\"Detalles\",\"UTTKmT\":\"Cooldown de stakeo activado\",\"UXeR72\":\"Estos fondos se han tomado prestados y no están disponibles para su retirada en este momento.\",\"UYb8CM\":\"Learn more about the SPK rewards\",\"UbRrG0\":\"El ratio LTV máximo representa el poder de endeudamiento máximo de una garantía específica. Por ejemplo, si una garantía tiene un LTV del 75 %, el usuario puede pedir prestado hasta 0,75 ETH en la moneda principal por cada 1 ETH de garantía.\",\"UpndFj\":\"No hay recompensas para reclamar\",\"V0f2Xv\":\"Factor de reserva\",\"V1HK43\":\"Riesgos de migración\",\"VATFH9\":\"Deuda cubierta\",\"VHOVEJ\":\"Conectar cartera\",\"VMfYUK\":\"Seguridad de tu garantía depositada contra los activos prestados y su valor subyacente.\",\"VOAZJh\":\"Total de préstamos\",\"ViKYxK\":\"YAE\",\"W1SSoD\":\"Revisar detalles de la tx\",\"W5hVah\":\"Nada suministrado aún\",\"W5kTFy\":\"Votando\",\"W8ekPc\":\"Volver al panel de control\",\"WMPbRK\":\"No respaldado\",\"WNGZwH\":\"El E-Mode incrementa tu LTV para una categoría seleccionada de activos hasta el <0/>. <1>Aprende más\",\"WPWG/y\":\"Configuración y estado de la reserva\",\"WZLQSU\":\"El usuario no puede retirar más que el balance disponible\",\"WaZyaV\":\"<0>Ampleforth es un activo con rebase. Visita la <1>documentación para aprender más.\",\"WfU+XN\":\"Debido a que este activo está en pausa, no se pueden realizar acciones hasta nuevo aviso\",\"Wjmqs2\":\"No results found. You can import a custom token with a contract address\",\"WkZ6C6\":\"Para tomar prestado, necesitas suministrar cualquier activo para ser utilizado como garantía.\",\"WyMiQm\":\"Has cambiado los tokens con éxito.\",\"X/ITG9\":\"Copiar el texto del error\",\"X3Pp6x\":\"Utilizado como garantía\",\"X4Zt7j\":\"No se puede realizar la acción porque la reserva está pausada\",\"XBdKOj\":\"Direcciones de cartera de contrato inteligente representativas (Safe) en otras cadenas.\",\"XZzneG\":\"Saldrás del modo aislamiento y otros tokens pueden ser usados ahora como garantía\",\"Xg5y9S\":\"Amount to Bridge\",\"Xn4hUi\":\"Por favor ten siempre en cuenta tu <0>factor de salud (HF) cuando migres parcialmente una posición y que tus tasas serán actualizadas a tasas de la V3.\",\"Xy71ST\":\"Umbrella\",\"Y5kGkc\":\"VOTAR NO\",\"YDIOks\":\"Habilitar E-Mode\",\"YSodyW\":\"Esta acción reducirá tu factor de salud. Por favor ten en cuenta el riesgo incrementado de liquidación de la garantía.\",\"YXOWXM\":\"The total amount bridged minus CCIP fees. Paying in network token does not impact gho amount.\",\"YirHq7\":\"Feedback\",\"YogbCJ\":\"Testnet mode está ON\",\"YrDxdO\":\"Si tu relación préstamo-valor supera el umbral de liquidación, tu garantía puede ser liquidada.\",\"YyIM65\":\"No se cumplieron las condiciones de ajuste de tasas de interés\",\"YyydIq\":[\"Añade \",[\"0\"],\" a tu cartera para hacer un seguimiento del balance.\"],\"ZBvhI+\":\"Gobierno de Aave\",\"ZIIRAd\":\"Raw-Ipfs\",\"ZRq4tX\":\"Modo de eficiencia (E-Mode)\",\"ZSqEW+\":\"Manage E-Mode\",\"ZUFYFE\":\"Deshabilitar testnet\",\"Zbyywy\":\"Max slashing\",\"ZfUGFb\":\"Antes de suministrar\",\"ZiXN+B\":\"Assets to stake\",\"ZlsSDH\":\"Valor de liquidación\",\"ZrEc8j\":\"No pudimos encontrar ningún activo relacionado con tu búsqueda. Vuelve a intentarlo con un nombre diferente de activo, símbolo o dirección.\",\"ZsLF7e\":\"habilitado\",\"a0YQoQ\":\"Enter a valid address\",\"a2fBZn\":\"Tempo restante para unstakear\",\"a5RYZd\":\"Deshabilitar este activo como garantía afecta tu poder de préstamo y Factor de Salud.\",\"a7u1N9\":\"Precio\",\"a9D+6D\":\"Unstakeado\",\"aEtiwq\":\"Votar NO\",\"aMmFE1\":\"Comprar Crypto con Fiat\",\"aOKIms\":\"Los parámetros del array que deberían ser iguales en longitud no lo son\",\"aX31hk\":\"Tu balance es más bajo que la cantidad seleccionada.\",\"adUsDd\":\"Se ha producido un error al recuperar la propuesta.\",\"al6Pyz\":\"Supera el descuento\",\"aoXTT7\":\"APY préstamo, variable\",\"aqX1Yp\":\"This asset is eligible for rewards through SuperFest. Aave Labs does not guarantee the program and accepts no liability.\",\"avgETN\":\"Eligible for the Merit program.\",\"b4NS3e\":\"Advertencia periodo de cooldown\",\"bNEQeI\":\"Cooldown\",\"bSruit\":\"ZKSync Ignite Program rewards are claimed through the\",\"bUUVED\":\"Activo\",\"bXQ/Og\":\"Compartir en twitter\",\"bXr0ee\":\"Los activos aislados han limitado tu capacidad de préstamo y otros activos no pueden ser usados como garantía.\",\"bYmAV1\":\"Direcciones\",\"bguKoJ\":\"La cantidad solicitada es mayor que el tamaño máximo del préstamo en el modo de tasa estable\",\"bwSQI0\":\"Suministrar\",\"bxN6EM\":\"No se puede deshabilitar E-Mode\",\"bxmzSh\":\"No hay suficiente garantía para pagar esta cantidad de deuda con\",\"c91vuQ\":\"La dirección no es un contrato\",\"c97os2\":\"aToken de Aave\",\"c9b44w\":\"No puedes retirar esta cantidad porque causará una liquidación\",\"cBc+4A\":\"Esta es la cantidad total disponible que puedes tomar prestada. Puedes tomar prestado basado en tu garantía y hasta que el límite de préstamo se alcance.\",\"cIl5kp\":\"Tu poder de voto se basa en tu balance de AAVE/stkAAVE y delegaciones recibidas.\",\"cLo09S\":\"Detalles de riesgo\",\"cNT+ij\":\"Tomar prestado no está disponible porque has habilitado el Efficiency Mode (E-Mode) y el Isolation mode. Para administrar el E-Mode y el Isolation Mode, visita tu <0>Panel de control.\",\"cZOeBk\":\"Something went wrong fetching bridge message, please try again later.\",\"ceix5S\":\"Para enviar una propuesta de cambios menores al protocolo, necesitarás al menos 80K de poder. Si deseas cambiar la base central del código, necesitarás un poder de 320K.<0>Aprende más\",\"ciybUa\":\"Votar SI\",\"ckf7gX\":[\"Pagando \",[\"symbol\"]],\"cp1ZDP\":[\"Bridge \",[\"symbol\"]],\"cqnmnD\":\"Tasa de interés efectiva\",\"cqwIvs\":\"Hilo de discusión del foro\",\"csDS2L\":\"Disponible\",\"cu7Stb\":\"No has participado en esta propuesta\",\"dE6BLF\":\"Gobierno\",\"dEgA5A\":\"Cancelar\",\"dIsyWh\":\"La validación del LTV ha fallado\",\"dMtLDE\":\"para\",\"dOB5nW\":[\"La cantidad máxima disponible para suministrar es <0/> \",[\"0\"],\" (<1/>).\"],\"dVfODp\":\"No tienes suficientes fondos en tu cartera para pagar la cantidad total. Si procedes a pagar con tu cantidad actual de fondos, aún tendrás un pequeño préstamo en tu panel de control.\",\"dXUQFX\":\"Activos a tomar prestado\",\"dgr1aY\":\"Tomar prestado está deshabilitado debido a una decisión de la comunidad de Aave. <0>Más información\",\"djsg0o\":\"Uso de la garantía\",\"dpc0qG\":\"Variable\",\"drdV8R\":\"Liquidación\",\"dxW8cS\":\"Token de deuda de Aave\",\"e4V3oW\":\"Top 10 direcciones\",\"eD8WX/\":\"La acción requiere una reserva activa\",\"eJRJ04\":\"Cantidad para unstakear\",\"eLh0cL\":\"El deslizamiento es la diferencia entre las cantidades calculadas y las recibidas debido a las condiciones cambiantes del mercado entre el momento en que se envía la transacción y su verificación.\",\"ePK91l\":\"Editar\",\"eVpCmf\":\"Recompensas de Staking\",\"eVqvtf\":\"Bridge GHO\",\"eYdurp\":\"Aún no hay transacciones.\",\"ebLGGN\":\"Total tomado prestado\",\"ecqEvn\":\"El balance de garantía es 0\",\"efdrrk\":\"Disponible en\",\"enruNF\":\"empieza\",\"eqLYiD\":\"Unstakea ahora\",\"euScGB\":\"APY con descuento aplicado\",\"evw5ha\":\"Valor neto\",\"ezcU16\":\"Obtener Token ABP\",\"f3W0Ej\":[\"Has cambiado a tasa \",[\"0\"]],\"fH9i8k\":\"Has cambiado con éxito la posición de préstamo.\",\"fHcELk\":\"APR Neto\",\"fMJQZK\":\"Prestado\",\"fZ5Vnu\":\"Recibido\",\"firl9Q\":\"Tu actual relación préstamo-valor basado en tu garantía suministrada.\",\"flRCF/\":\"Descuento por staking\",\"fldjW9\":\"Previsualizar la tx y migrar\",\"fsBGk0\":\"Balance\",\"fu1Dbh\":[\"Retirar \",[\"symbol\"]],\"fwjWSI\":\"Suministrado\",\"fwyTMb\":\"Migrar a stkABPT v2\",\"g0mals\":\"You can not disable E-Mode because that could cause liquidation. To exit E-Mode supply or repay borrowed positions.\",\"g2UNkE\":\"Powered by\",\"g8KGoA\":\"FAQS\",\"g9zzqS\":\"Votó NAY\",\"gDd2gk\":\"about SuperFest.\",\"gFFh9h\":\"¡Todo listo!\",\"gIMJlW\":\"Testnet mode\",\"gOzPxe\":\"Este activo está congelado debido a una decisión del Gobierno del Protocolo Aave. <0>More información\",\"gTHi2T\":\"El usuario está intentando tomar prestado múltiples activos incluido uno aislado\",\"gVW59Y\":\"Por favor conecta tu cartera para obtener activos testnet gratis.\",\"gcFNxP\":\"Aprobación confirmada\",\"gncRUO\":\"Esta dirección está bloqueada en app.aave.com porque está asociada con una o más\",\"goff7V\":\"Dirección cero no válida\",\"gp+f1B\":\"Versión 3\",\"gr8mYw\":\"Puedes tomar prestado hasta <0/> GHO al <1/> (descuento máximo)\",\"gvTM4B\":\"El APY neto es el efecto combinado de todos los suministros y préstamos sobre total, incluidos los incentivos. Es posible tener un APY neto negativo si el APY de la deuda es mayor que el APY de suministro.\",\"gzcch9\":\"Comisión de puente de protocolo inválida\",\"h33MxW\":\"Direcciones de cartera de contrato inteligente representantes (Safe) en otras cadenas.\",\"h3ilK+\":\".CSV\",\"hB23LY\":\"Activar Cooldown\",\"hIJzBh\":\"Available to Claim\",\"hIS4N0\":\"APY neto\",\"hRWvpI\":\"Reclamado\",\"hdmy/o\":\"El % de tu poder de préstamo total utilizado. Esto se basa en la cantidad de tu garantía suministrada y la cantidad total que puedes pedir prestado.\",\"hehnjM\":\"Cantidad\",\"hjDCQr\":\"Hubo un error. Por favor intenta cambiar los parámetros o <0><1>copiar el error\",\"hom7qf\":\"Reclamar\",\"hpHJ4I\":\"Garantía liquidada\",\"hpuVIp\":\"Users who stake AAVE in Safety Module (i.e. stkAAVE holders) receive a discount on GHO borrow interest rate.\",\"huQ6Tz\":[\"Tomando prestado \",[\"symbol\"]],\"hxi7vE\":\"Balance tomado prestado\",\"i2JTiw\":\"Puedes ingresar una cantidad específica en el campo.\",\"iB5+/J\":\"Sobre GHO\",\"iChbOF\":\"Parámetros inconsistentes del préstamo flash\",\"iEPVHF\":\"No hay suficiente poder de voto para participar en esta propuesta\",\"iEW87X\":\"Poder delegado\",\"iEju36\":[\"Has votado \",[\"0\"]],\"iFq2YN\":\"Borrowable\",\"iGxyIA\":\"Safety Module\",\"iMVZk9\":\"Seleccionar tolerancia de deslizamiento\",\"iPMIoT\":\"Ingresa una cantidad\",\"iSLIjg\":\"Conectar\",\"iUo5rv\":\"tokens no es lo mismo que stakearlos. Si deseas stakearlos\",\"iZxa38\":\"Úsalo para votar a favor o en contra de propuestas activas.\",\"if5PH+\":\"Collector Info\",\"igkfR1\":[\"En el Isolation mode, no puedes suministrar otros activos como garantía. Un límite de deuda global limita la capacidad de préstamo del activo aislado. Para salir del Isolation mode, deshabilita \",[\"0\"],\" como garantía antes de tomar prestado otro activo. Lee más en nuestras <0>preguntas frecuentes \"],\"il0sEG\":\"El uso de garantías está limitado debido al Isolation mode.\",\"j+K1Xj\":\"Amount After Fee\",\"jA2QeW\":\"Suministrando tu\",\"jFi7dz\":\"Tasa de interés determinada por el gobierno de Aave. Esta tasa puede cambiar con el tiempo dependiendo de la necesidad de que el suministro de GHO se contraiga/expanda. <0>Aprende más\",\"jG3UJ7\":\"Desactivar el E-Mode\",\"jKYzR1\":\"Habilitar E-Mode\",\"jMam5g\":[\"Balance \",[\"0\"]],\"jSYv+Z\":\"Enabling E-Mode allows you to maximize your borrowing power, however, borrowing is restricted to assets within the selected category. <0>Learn more about how it works and the applied restrictions.\",\"jaKbwW\":[[\"s\"],\"s\"],\"jbFMap\":\"Periodo restante de cooldown\",\"jeMZNr\":[[\"0\"],\" el servicio on-ramp es proporcionado por proveedores externos y al seleccionarlo, estás aceptando los términos de dichos proveedores. Tu acceso al servicio podría depender de que el proveedor externo esté operativo.\"],\"jfl9OP\":\"Migrado\",\"jmXdoY\":\"En E-Mode algunos activos no se pueden pedir prestados. Sal del E-Mode para obtener acceso a todos los activos\",\"jpctdh\":\"Ver\",\"jqzUyM\":\"No disponible\",\"k/sb6z\":\"Seleccionar idioma\",\"k3wP3f\":\"<0>Atención: Los cambios de parámetros a través de la gobernanza pueden alterar el factor de salud de tu cuenta y el riesgo de liquidación. Sigue el <1>foro de gobierno de Aave para mantenerte actualizado.\",\"kACpF3\":[\"Reclamar \",[\"0\"]],\"kH6wUX\":\"Impacto del precio\",\"kIC28N\":\"Available to claim\",\"kIpSye\":[[\"numSelected\"],\"/\",[\"numAvailable\"],\" activos seleccionados\"],\"kN1Yg5\":\"Para pagar en nombre de un usuario, se necesita una cantidad explícita para pagar\",\"kRTD40\":[\"Cantidad a pagar para alcanzar el \",[\"0\"],\"% de utilización\"],\"kjN9tT\":\"El límite de suministro se ha sobrepasado\",\"knxE+G\":\".JSON\",\"ks2LWT\":\"El límite de deuda no es cero\",\"kwwn6i\":\"Los usuarios que stakean AAVE en el Modulo de Seguridad (es decir, poseedores de stkAAVE) reciben un descuento en la tasa de interés de préstamo de GHO. Este descuento se aplica a 100 GHO por cada 1 stkAAVE en posesión. Usa el calculador de abajo para ver la tasa de préstamo de GHO con el descuento aplicado.\",\"kz3wtK\":\"and about SPK program\",\"kzZyM4\":\"El balance de DAI se convertirá a través de los contratos de DSR y luego se suministrará como sDAI. El cambio no genera costos adicionales ni deslizamientos.\",\"lNVG7i\":\"Selecciona un activo\",\"lU2d1/\":[\"Este activo no se puede migrar debido a una liquidez insuficiente o a una limitación del límite de préstamo en el mercado v3 de \",[\"marketName\"],\".\"],\"lVhKKI\":\"Votó YAE\",\"lWLqxB\":\"No pudimos encontrar ninguna transacción relacionada con tu búsqueda. Vuelve a intentarlo con un nombre de activo diferente o restablece los filtros.\",\"lYGfRP\":\"Inglés\",\"lfEjIE\":\"Aprende más en nuestra guía <0>Preguntas frecuentes\",\"lt6bpt\":\"Garantía a pagar con\",\"m/IEhi\":\"Emisiones totales por día\",\"m7r7Hh\":\"Activos de préstamo seleccionados\",\"mDDK4p\":\"Pool de Balancer\",\"mIM0qu\":\"Cantidad esperada a pagar\",\"mUAFd6\":\"Versión 2\",\"masO5Z\":\"E-Mode increases your LTV for a selected category of assets. <0>Learn more\",\"mdNjKU\":[\"Tu cartera de \",[\"name\"],\" está vacía. Compra o transfiere activos o usa <0>\",[\"0\"],\" para transferir tus activos de \",[\"network\"],\".\"],\"muiOng\":[\"Comprar \",[\"cryptoSymbol\"],\" con Fiat\"],\"mvCXBY\":\"Stakea AAVE\",\"mwdzil\":\"Vale, cerrar\",\"mzI/c+\":\"Descargar\",\"mzdIia\":\"Este activo no puede usarse como garantía.\",\"n+SX4g\":\"Desarrolladores\",\"n8Psk4\":\"No podemos detectar una cartera. Conecta una cartera para stakear y ver tu balance.\",\"nJIhzm\":\"Apy de suministro\",\"nJgsQu\":\"Con un poder de votación de <0/>\",\"nLC6tu\":\"Francés\",\"nN2T8p\":\"During the cooldown period, you will not earn any merit rewards. However, rewards earned up to this point will remain unaffected.\",\"nNHV0z\":\"Migrar múltiples garantías y activos prestados al mismo tiempo puede ser una operación costosa y podría fallar en ciertas situaciones.<0>Por lo tanto, no se recomienda migrar posiciones con más de 5 activos (depositados + tomados prestados) al mismo tiempo.\",\"nNbnzu\":\"Proposición\",\"nOy4ob\":\"Te sugerimos volver al Panel de control.\",\"nPGNMh\":\"Puede ser ejecutado\",\"nUK1ou\":[\"Assets with zero LTV (\",[\"0\"],\") must be withdrawn or disabled as collateral to perform this action\"],\"nakd8r\":\"poseedores de stkAAVE obtienen un descuento en la tasa de préstamo de GHO\",\"nh2EJK\":[\"Por favor, cambia a \",[\"networkName\"],\".\"],\"njBeMm\":\"Ambos\",\"noN5Xf\":\"We couldn’t detect a wallet. Connect a wallet to view your staking positions and rewards.\",\"ntkAoE\":\"Descuento aplicado para <0/> AAVE stakeados\",\"ntyFSE\":[[\"h\"],\"h\"],\"nwtY4N\":\"Se produjo un error\",\"nxyWvj\":\"Retirar esta cantidad reducirá tu factor de salud y aumentará el riesgo de liquidación.\",\"o17QVP\":\"Tu factor de salud y la relación préstamo-valor determinan la seguridad de tu garantía. Para evitar liquidaciones, puedes suministrar más garantía o pagar las posiciones de préstamo.\",\"o1xc2V\":\"El balance de AToken no es cero\",\"o4tCu3\":\"APY préstamo\",\"o5ooMr\":\"Deuda\",\"o7J4JM\":\"Filtro\",\"oHFrpj\":\"Cooldown para undstakear\",\"oJ5ZiG\":\"El usuario no tiene deuda pendiente de tasa variable en esta reserva\",\"oRBGin\":\"Por favor conecta tu cartera para cambiar tus tokens.\",\"oUwXhx\":\"Activos de prueba\",\"oWklJD\":\"La tasa de interés estable <0>permanecerá igual durante la duración de su préstamo. Está recomendado para los períodos de préstamo a largo plazo y para los usuarios que prefieren la previsibilidad.\",\"odnIK3\":\"Time remaining until the 48 hour withdraw period starts.\",\"oiK5nY\":\"The current incentives period, decided on by the Aave community, has ended. Governance is in the process on renewing, check for updates. <0>Learn more.\",\"olREoo\":\"All borrow positions outside of this category must be closed to enable this category.\",\"om/XHs\":\"Disponible para suministrar\",\"ov0+mq\":\"Eligible for the ZKSync Ignite program.\",\"ovT1pF\":[\"Per the community, the \",[\"market\"],\" has been frozen.\"],\"ow3fug\":\"Sin resultados\",\"owSsI3\":\"Firmas listas\",\"p+R52m\":\"Ir al pool de Balancer\",\"p2A+s1\":[\"El periodo de cooldown es \",[\"0\"],\". Después \",[\"1\"],\" del cooldown, entrarás a la ventana de unstakeo de \",[\"2\"],\". Continuarás recibiendo premios durante el cooldown y la ventana de unstakeo.\"],\"p2S64u\":\"La relación préstamo-valor de las posiciones migradas provocaría la liquidación. Aumenta la garantía migrada o reduce el préstamo migrado para continuar.\",\"p2Z2Qi\":\"Este activo ha alcanzado su límite de préstamo. No queda nada disponible para ser prestado de este mercado.\",\"p3j+mb\":\"Tu balance de recompensa es 0\",\"p45alK\":\"Configurar la delegación\",\"p6u2s1\":\"Minimum amount of debt to be repaid\",\"pDgeaz\":[[\"title\"]],\"pdZqBk\":\"El balance subyacente debe ser mayor que 0\",\"pgWG9H\":\"No hay suficiente balance stakeado\",\"piPrJ7\":\"por favor comprueba que la cantidad que deseas depositar no está siendo utilizada actualmente para stakear. Si está utilizando para stakear, tu transacción podría fallar.\",\"pjO/iH\":\"Cantidad mínima recibida\",\"pooutM\":\"La votación está activa\",\"pqaM5s\":\"Confirmando transacción\",\"ptaxX3\":[\"Entiendo como el cooldown (\",[\"0\"],\") y el proceso de unstaking (\",[\"1\"],\") funcionan\"],\"py2iiY\":\"La función debe ser llamada por un pool\",\"q/51mF\":\"Migrar a V3\",\"q3df11\":\"Estrategia de tasa de interés\",\"q6lAbz\":\"Stakeado\",\"qB4kPi\":\"Suministrar APY\",\"qENI8q\":\"Configuración global\",\"qGz5zl\":\"Balance de la garantía tras pagar\",\"qOqbD6\":\"copiar el error\",\"qXCkEM\":\"Por favor, conecta tu cartera para ver tus suministros, préstamos y posiciones abiertas.\",\"qY2jnw\":\"Expiración inválida\",\"qf/fr+\":\"Interés acumulado\",\"quYPUU\":\"Variable interest rate will <0>fluctuate based on the market conditions.\",\"quzIeW\":\"User is in isolation mode or LTV is zero\",\"qvnz3q\":\"Cantidad inválida para quemar\",\"rHgdb0\":\"Migrate to Aave V3\",\"rOrHHe\":\"La cantidad debe ser mayor que 0\",\"rQ+R+0\":\"Activos de suministro seleccionados\",\"rSayea\":\"APY\",\"rTBDeu\":[\"Este activo no se puede migrar porque tienes una garantía en Isolation Mode en el mercado v3 de \",[\"marketName\"],\" que limita los activos prestados. Puedes administrar tu garantía en el <0>Panel de control V3 de \",[\"marketName\"],\"\"],\"rcT+yy\":\"Mostrar activos con 0 balance\",\"rf8POi\":\"Cantidad de activos tomados prestados\",\"riNWOA\":\"E-Mode\",\"rjGI/Q\":\"Privacidad\",\"rnKPW1\":\"Watch a wallet balance in read-only mode\",\"ruc7X+\":\"Añade stkAAVE para ver el APY de préstamo con el descuento\",\"rvbaFU\":[\"Bridging \",[\"symbol\"]],\"rwVVB7\":\"Reclamar todas las recompensas\",\"rwyUva\":\"Estos activos están temporalmente congelados o pausados por decisiones de la comunidad de Aave, lo que significa que no se puede suministrar / tomar prestado o intercambiar tasas de estos activos. Se permiten retiros y pagos de deuda. Sigue el <0>foro de gobierno de Aave para más actualizaciones.\",\"rxJW5W\":\"Tu poder de proposición se basa en tu balance de AAVE/stkAAVE y delegaciones recibidas.\",\"s2jJnW\":\"You don't have any bridge transactions\",\"s5wBAq\":[\"Unstakear \",[\"symbol\"]],\"sJbIdI\":\"Enter ETH address or ENS\",\"sK+Nag\":\"Revisión tx\",\"sP2+gB\":\"NO\",\"sQv06Y\":\"para\",\"sTtO6J\":\"Confirmar transacción\",\"sXKb3l\":\"Tasa de cambio\",\"sb0q4+\":\"Unstakea aquí\",\"smJNwH\":\"Disponible para tomar prestado\",\"solypO\":\"El factor de salud no está por debajo del umbral\",\"sr0UJD\":\"Volver atrás\",\"ss5GCK\":\"La dirección del proveedor del grupo de direcciones no es válida\",\"swEgK4\":\"Tu información de voto\",\"t+wtgf\":\"Nada tomado prestado aún\",\"t/YqKh\":\"Eliminar\",\"t81DpC\":[\"Aprueba \",[\"symbol\"],\" para continuar\"],\"tCnbEs\":\"Precio del oráculo\",\"tFZLf8\":\"Este cálculo de gas es solo una estimación. Tu cartera establecerá el precio de la transacción. Puedes modificar la configuración de gas directamente desde tu proveedor de cartera.\",\"tHuvQI\":\"Ir al panel de control V3\",\"tKv7cI\":\"Cambiar posición de préstamo\",\"tOcg3N\":\"Dado que este activo está congelado, las únicas acciones disponibles son retirar y pagar, a las que se puede acceder desde el <0>Panel de control\",\"tOuXfv\":[\"Cantidad a tomar prestado para alcanzar el \",[\"0\"],\"% de utilización\"],\"te9Bfl\":\"Por favor, conecta tu cartera\",\"tt5yma\":\"Tus suministros\",\"ttoh5c\":\"Cambiar a\",\"u3ZeYl\":\"Error en la transacción\",\"u706uF\":\"Préstamo flash inválido\",\"u8Gfu7\":[\"Sin resultados de búsqueda\",[\"0\"]],\"uAQUqI\":\"Status\",\"uHMwk8\":\"No hay activos seleccionados para migrar.\",\"uJPHuY\":\"Migrando\",\"uY8O30\":\"Para continuar, necesitas otorgar permiso a los contratos inteligentes de Aave para mover tus fondos de tu cartera. Según el activo y la cartera que uses, se hace firmando el mensaje de permiso (sin coste de gas), o enviando una transacción de aprobación (requiere coste de gas). <0>Aprende más\",\"udFheE\":\"Para el pago de un tipo específico de deuda, el usuario necesita tener una deuda de ese tipo\",\"ulNuNq\":\"Exportar datos a\",\"ulup2p\":\"Comprar Crypto con Fiat\",\"umICAY\":\"<0><1><2/>Añade stkAAVE para ver la tasa de préstamo con descuento\",\"usB84Z\":\"La cantidad máxima disponible para tomar prestado está limitada porque casi se ha alcanzado el límite de préstamo del protocolo.\",\"uwAUvj\":\"COPIAR IMAGEN\",\"v8x7Mg\":\"Garantía insuficiente para cubrir la nueva posición de préstamo. La cartera debe tener poder de préstamo suficiente para realizar el cambio de deuda.\",\"vEqxH9\":\"Restakeado\",\"vLyv1R\":\"Ocultar\",\"vMba49\":\"Tomar prestado no está habilitado\",\"vMpNwt\":\"Aprobar con\",\"vXIe7J\":\"Idioma\",\"vesuBJ\":\"Te permite decidir si utilizar un activo suministrado como garantía. Un activo utilizado como garantía afectará a tu poder de préstamo y factor de salud.\",\"w+V9Cx\":\"Stablecoin\",\"w/JtJ3\":\"El balance de deuda estable no es cero\",\"w4VBY+\":\"APR de recompensas\",\"w9dLMW\":[[\"label\"]],\"wAOL+X\":[\"Tu \",[\"action\"],\" <0/> \",[\"symbol\"]],\"wBIsjb\":\"Canal de Discord\",\"wQZbc/\":\"El llamador de la función no es un AToken\",\"wRRqvW\":\"No tienes suministros en este activo\",\"wZFvVU\":\"VOTAR SI\",\"wb/r1O\":[\"Faucet \",[\"0\"]],\"wdxz7K\":\"Source\",\"weH1nG\":\"El Protocolo Aave está programado para usar siempre el precio de 1 GHO = $1. Esto es diferente del uso del precio de mercado a través de oráculos para otros criptoactivos. Esto crea oportunidades de arbitraje estabilizadoras cuando el precio de GHO fluctúa.\",\"wh7Ezv\":\"No tienes balance de AAVE/stkAAVE/aAave para delegar.\",\"wlsIx7\":\"Con la testnet Faucet puedes obtener activos gratuitos para probar el Protocolo Aave. Asegúrate de cambiar tu proveedor de cartera a la red de testnet adecuada, selecciona el activo deseado y haz clic en \\\"Faucet\\\" para obtener tokens transferidos a tu cartera. Los activos de una testnet no son \\\"reales\\\", lo que significada que no tienen valor monetario. <0>Aprende más\",\"wmE285\":\"Obtener Token ABP v2\",\"wyRrcJ\":\"Como resultado de las decisiones del gobierno, este pool de stakeo de ABPT está obsoleto. Tienes la flexibilidad de migrar todos tus tokens a v2 o unstakearlos sin ningún periodo de cooldown.\",\"x5KiLL\":\"Los activos seleccionados se han migrado correctamente. Visita el panel de control del mercado para verlos.\",\"x7F2p6\":\"Diferencial actual\",\"x7K5ib\":[\"Tu cartera de \",[\"networkName\"],\" está vacía. Consigue \",[\"0\"],\" de prueba gratis en\"],\"x9iLRD\":\"tokens, por favor ve al\",\"xNy/UG\":\"Pagar con\",\"xPm8wv\":\"Aprende más sobre los riesgos involucrados\",\"xXYpZl\":[[\"0\"],\" Faucet\"],\"xaVBSS\":\"Tu información\",\"xaWZ6f\":\"Cambio tipo de APY\",\"xh6k71\":\"El uso de garantías está limitado debido al isolation mode.\",\"xvIklc\":\"El préstamo flash está deshabilitado para este activo, por lo tanto, esta posición no se puede migrar.\",\"y5rS9U\":\"Migrar\",\"y66tBm\":[\"Habilitar \",[\"symbol\"],\" como garantía\"],\"yB1YpA\":\"Modo oscuro\",\"yCrG6m\":\"Tamaño total del mercado\",\"yJUUbn\":\"Resumen de la transacción\",\"yLGmLX\":[\"Restakear \",[\"symbol\"]],\"yW1oWB\":\"Tipo APY\",\"yYHqJe\":\"Dirección no válida\",\"yZwLw6\":\"Haz seguimiento de tu cartera\",\"yh2sjd\":[\"Impacto en el precio \",[\"0\"],\"%\"],\"yhvj6d\":\"No puedes cambiar el uso como modo de garantía para este activo, porque causará una liquidación\",\"ylmtBZ\":\"La aplicación se ejecuta en fork mode.\",\"ymNY32\":[\"No hay fondos suficientes en la reserva\",[\"0\"],\"para tomar prestado\"],\"yz7wBu\":\"Cerrar\",\"z4uGQg\":\"El límite de deuda está sobrepasado\",\"z5UQOM\":\"La garantía elegida no puede ser liquidada\",\"z5Y+p6\":[\"Suministrando \",[\"symbol\"]],\"zCjNKs\":\"No se puede realizar la acción porque la reserva está congelada\",\"zRHytX\":\"Límite de deuda aislado\",\"zTOjMP\":\"El límite de suministro del protocolo está al 100% para este activo. No es posible suministrar más.\",\"zVdRUG\":\"Submission did not work, please try again later or contact wecare@avara.xyz\",\"zevmS2\":\"<0><1><2/>añade <3/> stkAAVE para tomar prestado al <4/> (descuento máximo)\",\"zgtIDV\":\"Deuda restante\",\"zmTPiV\":\"Balance de suministro\",\"zpPbZl\":\"Parámetros de riesgo de liquidación\",\"zucql+\":\"Menú\",\"zwWKhA\":\"Aprende más\",\"zy9fXn\":[\"Este activo está congelado en el mercado v3 de \",[\"marketName\"],\", por lo tanto, esta posición no se puede migrar.\"],\"zys+R6\":\"Ten en cuenta la congestión de la red y los precios del gas.\",\"zzzTXS\":\"Merit Program rewards are claimed through the\"}")}; \ No newline at end of file +/*eslint-disable*/module.exports={messages:JSON.parse("{\"+0xecS\":[\"Si NO unstakeas entre \",[\"0\"],\" de la ventana de unstakeo, necesitarás activar el proceso de cooldown de nuevo.\"],\"+EGVI0\":\"Recibir (est.)\",\"+VR63W\":[\"Participar en esta reserva de \",[\"symbol\"],\" da recompensas anuales.\"],\"+bmKdK\":\"Utiliza tu balance de AAVE, stkAAVE o aAava para delegar tu voto y poder de proposición. No enviarás ningún token, solo los derechos de votar y proponer cambios en el protocolo. Puedes volver a delegar o revocar el poder de vuelta en cualquier momento.\",\"+eOPG+\":\"Parece que no podemos cambiar la red automáticamente. Por favor, comprueba si puedes cambiarla desde la cartera.\",\"+i3Pd2\":\"Límite del préstamo\",\"+kLZGu\":\"Cantidad de activos suministrados\",\"+nuEh/\":\"Estimated time\",\"+xMFF8\":\"Remind me\",\"/57U31\":\"Cantidad para migrar\",\"/7ykiW\":\"Tomar prestado esta cantidad reducirá tu factor de salud y aumentará el riesgo de liquidación.\",\"/YA5pU\":\"E-Mode increases your LTV for a selected category of assets, meaning that when E-mode is enabled, you will have higher borrowing power over assets of the same E-mode category which are defined by Aave Governance. You can enter E-Mode from your <0>Dashboard. To learn more about E-Mode and applied restrictionn, see the <1>help guide or the <2>Aave V3 Technical Paper.\",\"/izjs/\":\"Cantidad mínima de Aave stakeado\",\"/jQctM\":\"To\",\"/lDBHm\":\"Preguntas frecuentes\",\"/yNlZf\":\"El préstamo estable no está habilitado\",\"/yQcJM\":\"Valor total\",\"00AB2i\":\"El usuario no tomó prestado el activo especificado\",\"00OflG\":\"No hay suficiente liquidez para que el activo seleccionado realice el cambio. Prueba reduciendo la cantidad.\",\"08/rZ9\":\"El periodo de cooldown es el tiempo requerido antes de unstakear tus tokens (20 días). Solo puedes retirar tus activos del Módulo de Seguridad después del periodo de cooldown y dentro de la ventana de unstakeo.<0>Aprende más\",\"0AmQcW\":\"Cambio de tasa\",\"0BF3yK\":\"Lo sentimos, no hemos podido encontrar la página que estabas buscando.\",\"0TAbjq\":\"Recent Transactions\",\"0jhlyw\":\"Riesgo de liquidación\",\"0ojY+Y\":\"Balance actual v2\",\"0thX3P\":\"Cambio de garantía\",\"0wGCWc\":\"Esta es la cantidad total que puedes suministrar en esta reserva. Puedes suministrar el balance de tu cartera hasta que se alcance el límite de suministro.\",\"1AsVfF\":\"Los datos de los precios no están disponibles actualmente para esta reserva en el subgraph del protocolo\",\"1LjK22\":\"Historial de transacciones\",\"1Onqx8\":[\"Aprobando \",[\"symbol\"],\"...\"],\"1Ue8sX\":\"Por favor conecta una cartera para ver tu información personal aquí.\",\"1bpx9A\":\"...\",\"1kWUB+\":\"Umbral <0/> de liquidación\",\"1m9Qqc\":\"Retirando y Cambiando\",\"1oyh4g\":\"Borrow rate\",\"1t7rez\":\"El suministro de activos está limitado a una cierta cantidad para reducir la exposición del protocolo a este activo y ayudar a manejar los riesgos implicados.\",\"2CAPu2\":\"Has retirado y cambiado tokens con éxito.\",\"2Eoi/a\":\"Ver detalles\",\"2FYpfJ\":\"Más\",\"2O3qp5\":\"Liquidez disponible\",\"2OM8/D\":[\"Este activo no se puede migrar debido a una restricción del límite de suministro en el mercado v3 de \",[\"marketName\"],\".\"],\"2Q4GU4\":\"Dirección bloqueada\",\"2ZGocC\":\"Aave es un protocolo totalmente descentralizado, gobernado por la comunidad de poseedores de tokens AAVE. Los poseedores de tokens AAVE discuten, proponen y votan colectivamente sobre las actualizaciones del protocolo. Los poseedores de tokens AAVE (solo en la red Ethereum) pueden votar ellos mismos sobre nuevas propuestas o delegarse a una dirección de su elección. Para aprender más, consulta la\",\"2a6G7d\":\"Por favor introduce una dirección de cartera válida.\",\"2bAhR7\":\"Conoce GHO\",\"2eBWE6\":\"Acepto los riesgos involucadros.\",\"2o/xRt\":\"Se ha alcanzado el límite de suministro en la reserva especificada. Prueba reduciendo la cantidad.\",\"2uJToh\":[[\"0\"],[\"name\"]],\"2x58bP\":\"El préstamo estable no está habilitado\",\"34Qfwy\":\"El límite del préstamo se ha sobrepasado\",\"39eQRj\":[\"Tomar prestado \",[\"symbol\"]],\"3BL1xB\":\"Total suministrado\",\"3BnIWi\":\"Cambiado\",\"3K0oMo\":\"Suministro restante\",\"3MoZhl\":\"No hay suficiente garantía para cubrir un nuevo préstamo\",\"3Np5O8\":[\"Suministrar \",[\"symbol\"]],\"3O8YTV\":\"Interés total acumulado\",\"3mXg0z\":\"LTV máximo\",\"3q3mFy\":\"Pagar\",\"3qsjtp\":\"El promedio ponderado de APY para todos los activos suministrados, incluidos los incentivos.\",\"3rL+os\":\"Solo puedes retirar tus activos del Módulo de Seguridad después de que finalice el período de cooldown y la ventana de unstakeo esté activa.\",\"42UgDM\":[\"Migrar al mercado V3 de \",[\"0\"]],\"49UFQA\":\"Resultados de la votación\",\"4DMZUI\":\"Ver Transacciones\",\"4HtGBb\":\"MAX\",\"4Y5H+g\":\"Términos\",\"4YYh4d\":\"Máximo disponible para tomar prestado\",\"4iPAI3\":\"Cantidad de préstamo mínima de GHO\",\"4lDFps\":\"Firma para continuar\",\"4wyw8H\":\"Transacciones\",\"5JSSxX\":[\"Tu cartera de \",[\"networkName\"],\" está vacía. Consigue activos de prueba gratis en\"],\"5K7kGO\":\"documentación\",\"5NOSGa\":\"El límite de deuda limita la cantidad posible que los usuarios del protocolo pueden tomar prestado contra este activo. El límite de deuda es específico para los activos en isolation mode y se indica en USD.\",\"5Ncc6j\":[\"Este activo casi ha alcanzado su límite de suministro. Solo se puede suministrar \",[\"messageValue\"],\" a este mercado.\"],\"5cZ/KX\":\"El suministro de deuda variable no es cero\",\"5che++\":\"Para solicitar acceso a este mercado, porfavor visita: <0>Nombre del proveedor de acceso\",\"5ctNdV\":[\"Mínimo \",[\"0\"],\" recibido\"],\"5hDe9v\":\"Acción de permiso requerida\",\"5rsnKT\":\"Recompensas disponibles\",\"5yC5m5\":\"Ver todos los votos\",\"6/dCYd\":\"Resumen\",\"60crCe\":\"Todas las transacciones\",\"62Xcjh\":\"Garantía\",\"65A04M\":\"Español\",\"6G8s+q\":\"Firmando\",\"6Jrv+z\":[\"Pagar \",[\"symbol\"]],\"6NGLTR\":\"Cantidad descontable\",\"6Xr0UU\":\"Cooling down...\",\"6bxci/\":\"Poder de votación\",\"6f8S68\":\"Mercados\",\"6g1gi0\":\"Propuestas\",\"6gvoHP\":\"Copiar mensaje de error\",\"6h3Q5G\":\"reembolsado\",\"6lFSyT\":\"Available to Stake\",\"6s8L6f\":\"Cambiar de red\",\"6yAAbq\":\"APY, tasa de préstamo\",\"70wH1Q\":\"APR\",\"72c5Qo\":\"Total\",\"73Auuq\":\"Los parámetros de descuento son decididos por la comunidad de Aave y pueden cambiar con el tiempo. Consulta el Gobierno para ver actualizaciones y vota para participar. <0>-Aprende más\",\"75qcAQ\":[[\"stepName\"]],\"7ITr5L\":\"Factor de salud\",\"7T/o5R\":\"Alcanzado\",\"7YlcXu\":\"El fork mode está activado\",\"7Z76Iw\":\"Tomar prestado no está disponible porque estás usando el Isolation mode. Para administrar el Isolation mode, visita tu <0>Panel de control.\",\"7aKlMS\":\"Compartir en Lens\",\"7er5fP\":\"Reclamar todo\",\"7hb2+s\":\"Time remaining until the withdraw period ends.\",\"7l88b8\":\"No se pudieron recuperar los datos, por favor recarga el gráfico.\",\"7p5kLi\":\"Panel de control\",\"7sofdl\":\"Retirar y Cambiar\",\"8+6BI0\":\"Ten cuidado - Estás muy cerca de la liquidación. Considera depositar más garantía o pagar alguno de tus préstamos\",\"87pUEW\":[\"Tu cartera de \",[\"name\"],\" está vacía. Compra o transfiere activos.\"],\"8F1i42\":\"Página no encontrada\",\"8G8M0u\":\"Cargando datos...\",\"8Iu1QS\":\"retirado\",\"8JL93T\":\"Todas las propuestas\",\"8Q51DU\":\"Añadir a la cartera\",\"8X/oyn\":\"Cantidad invalidad para generar\",\"8Z5FPv\":\"Desconectar cartera\",\"8Zz7s5\":\"activos\",\"8aLW8H\":\"Balance a revocar\",\"8bOT3H\":\"Tasa de uso\",\"8sLe4/\":\"Ver contrato\",\"8t/M0y\":\"Please connect your wallet to be able to bridge your tokens.\",\"8vETh9\":\"Mostrar\",\"94OHPx\":\"Estás entrando en el Isolation mode\",\"9CDK3/\":[\"Tomar prestado no está disponible actualmente para \",[\"0\"],\".\"],\"9GIj3z\":\"Tamaño de la reserva\",\"9Knqb4\":\"Balance stakeado\",\"9OBKm7\":\"Quorum\",\"9QHoGr\":\"Votos actuales\",\"9Rw96f\":[\"Este activo casi ha alcanzado su límite de préstamo. Solo hay \",[\"messageValue\"],\" disponibles para ser prestado de este mercado.\"],\"9Xj/qR\":[\"Algunos activos migrados no se utilizarán como garantía debido al isolation mode habilitado en el mercado V3 de \",[\"marketName\"],\". Visita el <0>Panel de control de \",[\"marketName\"],\" V3 para administrar el isolation mode.\"],\"9c6vDV\":\"Este activo ha alcanzado su límite de suministro. No queda nada disponible para ser suministrado desde este mercado.\",\"9kTWHA\":\"MAI ha sido pausado debido a una decisión de la comunidad. Los suministros, préstamos y pagos se han visto afectados. <0>Más información\",\"9lXchd\":\"Token subyacente\",\"9rWaKF\":\"Bridged Via CCIP\",\"9xSooW\":\"Puesto que esta es una red de pruebas, puedes obtener cualquiera de los activos si tienes ETH en tu cartera\",\"A/lwoe\":\"Elige uno de los servicios on-ramp\",\"A6dCI6\":[\"La máxima cantidad disponible para tomar prestado es <0/> \",[\"0\"],\" (<1/>).\"],\"AReoaV\":\"Tus préstamos\",\"ARu1L4\":\"Pagado\",\"AV7cGz\":\"Revisa los detalles del approve\",\"AZOjB8\":\"Recuperando datos...\",\"Ai0jas\":\"Únete a la discusión de la comunidad\",\"Ajl2rq\":\"El poder de préstamo y los activos están limitados debido al Isolation mode.\",\"AqgYNC\":\"El límite de préstamo del protocolo está al 100% para este activo. No es posible tomar más prestado.\",\"B3EcQR\":\"¡Gracias por votar!\",\"B6aXGH\":\"Estable\",\"B9Gqbz\":\"Tasa variable\",\"BDFEd+\":\"stETH suministrado como garantía continuará acumulando recompensas de staking proporcionadas por rebases diarios.\",\"BE2mP0\":\"Borrowed assets\",\"BJyN77\":\"Debido al impacto del factor de salud, se requiere un préstamo flash para realizar esta transacción, pero el Gobierno de Aave ha inhabilitado la disponibilidad de préstamos flash para este activo. Intenta reducir la cantidad o suministrar garantía adicional.\",\"BNL4Ep\":\"El uso como garantía está limitado debido al isolation mode. <0>Aprende más\",\"BQ/wCO\":\"Migrate your assets\",\"BjLdl1\":\"Con un descuento\",\"BnhYo8\":\"Categoría de activos\",\"Bq9Y7e\":\"Este activo está congelado debido a una decisión de la comunidad de Aave. <0>Más información\",\"BqWMDJ\":\"Faucet\",\"BqynZO\":\"Optimized for efficiency and risk by supporting blue-chip collateral assets\",\"Bsu7zX\":\"The fee includes the gas cost to complete the transaction on the destination chain and the fee paid to Chainlink CCIP service providers. You can chose to pay in the network token or GHO. <0>Learn more\",\"BwJKBw\":\"de\",\"CDrsH+\":\"Documento técnico\",\"CK1KXz\":\"Max\",\"CMHmbm\":\"Deslizamiento\",\"CZXzs4\":\"Griego\",\"CcRNG6\":\"Cambiando\",\"CkTRmy\":[\"Reclamar \",[\"symbol\"]],\"CsqtLm\":\"Por favor conecta tu cartera para ver la herramienta de migración.\",\"CtGlFb\":[\"Faucet \",[\"networkName\"]],\"Cxt2YY\":\"Watch wallet\",\"D33VQU\":\"Esta acción reducirá el factor de salud de V3 por debajo del umbral de liquidación. Aumenta la garantía migrada o reduce el préstamo migrado para continuar.\",\"D9BLRG\":\"Este activo ha sido pausado debido a una decisión de la comunidad. El suministro, los retiros, los préstamos y los pagos se han visto afectados.\",\"DAma/S\":\"La garantía es (en su mayoría) el mismo activo que se está tomando prestado\",\"DCnFg0\":[\"Direcciones (\",[\"0\"],\")\"],\"DG3Lv1\":\"Entiendo completamente los riesgos de migrar.\",\"DONJcV\":\"El activo base no puede ser rescatado\",\"DR+4uL\":\"Balance del suministro después del cambio\",\"DWjrck\":[\"Este activo no se puede migrar al mercado V3 de \",[\"marketName\"],\" debido a las restricciones del E-mode. Puedes deshabilitar o administrar las categorías del E-mode en tu <0>Panel de control V3\"],\"Dj+3wB\":\"Aave por mes\",\"DuEq2K\":\"Colateralización\",\"DxfsGs\":\"Puedes reportar cualquier incidente a nuestro <0>Discord o <1>Github.\",\"Dzma+E\":\"Main Ethereum market with the largest selection of assets and yield options\",\"E/QGRL\":\"Deshabilitado\",\"EBL9Gz\":\"¡COPIADO!\",\"ES8dkb\":\"Interés fijo\",\"EZd3Dk\":[\"Restakeando \",[\"symbol\"]],\"Ebgc76\":[\"Retirando \",[\"symbol\"]],\"EdQY6l\":\"Ninguno\",\"EjvKQ+\":\"Valor mínimo en USD recibido\",\"Enslfm\":\"Destination\",\"EvE9nO\":[\"Reactivar el periodo de cooldown para unstakear \",[\"0\"],\" \",[\"stakedToken\"]],\"EvECnL\":\"Migrar a V3\",\"EzMQbh\":\"The source chain time to finality is the main factor that determines the time to destination. <0>Learn more\",\"F40cwT\":\"Legacy Markets\",\"F6TdXL\":\"Aprende más.\",\"FDDPeZ\":\"Users can stake their assets in the protocol and earn incentives. In the case of a shortfall event, your stake can be slashed to cover the deficit, providing an additional layer of protection for the protocol.\",\"FHlMf/\":\"Balance actual v2\",\"FHpxjF\":[\"El factor de reserva es un porcentaje de interés que va a un \",[\"0\"],\" que es controlado por el gobierno de Aave para promover el crecimiento del ecosistema.\"],\"FOBZa6\":\"Capacidad de préstamo utilizada\",\"FPKEug\":\"Operación no soportada\",\"FbmMe7\":\"Direcciones vinculadas\",\"Fdp03t\":\"en\",\"Fjw9N+\":\"Activos a suministrar\",\"FmN0fk\":\"Restakear\",\"GDGLIs\":\"GHO es un activo nativo descentralizado, digital y respaldado por garantía, vinculado al USD. Es creado por los usuarios que lo toman prestado contra múltiples garantías. Cuando el usuario paga su posición de préstamo de GHO, el protocolo quema el GHO de ese usuario. Todos los pagos de interés acumulados por los acuñadores de GHO serán transferidos directamente a la tesorería de\xA0la\xA0DAO\xA0de\xA0Aave.\",\"GQrBTq\":\"Cambiar E-Mode\",\"GWswcZ\":\"Este activo está congelado debido a una decisión del Gobierno del Protocolo Aave. El 20 de diciembre de 2022, renFIL ya no será compatible y no se podrá conectar de nuevo a su red nativa. Se recomienda retirar las posiciones de suministro y pagar las posiciones de préstamo para que renFIL se pueda convertir de nuevo a FIL antes de la fecha límite. Después de esta fecha, ya no será posible convertir renFIL a FIL. <0>Más detalles\",\"GX8GKD\":\"Activos\",\"GgEj+0\":\"Modo de solo lectura. Conéctate a una cartera para realizar transacciones.\",\"GjkIKV\":\"finaliza\",\"GoK/QN\":\"Thank you for submitting feedback!\",\"GtP2hp\":[\"Tomar prestado no está disponible porque has habilitado el Efficieny Mode (E-Mode) para la categoría \",[\"0\"],\". Para manejar las categorías del E-Mode visita tu <0>Panel de control.\"],\"H6Ma8Z\":\"Descuento\",\"HB/wfS\":[[\"tooltipText\"]],\"HKDsQN\":\"Rewards can be claimed through\",\"Ha/U5f\":\"This is a program initiated and implemented by the decentralised ZKSync community. Aave Labs does not guarantee the program and accepts no liability.\",\"HciqKU\":\"This is a program initiated and implemented by the decentralised Aave community. Aave Labs does not guarantee the program and accepts no liability.\",\"Hi6Ttn\":\"Lo sentimos, se produjo un error imprevisto. Mientras tanto, puedes intentar recargar la página, o volver después.\",\"HkEDbS\":[[\"d\"],\"d\"],\"HmkYqM\":\"Ventana de unstakeo\",\"HpK/8d\":\"Recargar\",\"HrnC47\":\"Guardar y compartir\",\"HuVZMK\":\"Days\",\"HvJKMU\":[\"Este activo no se puede migrar al mercado v3 de \",[\"marketName\"],\", ya que el activo de garantía habilitará el isolation mode.\"],\"Hvwnm9\":[\"La cantidad máxima disponible para suministrar está limitada porque el límite de suministro del protocolo está al \",[\"0\"],\"%.\"],\"I8CX2c\":\"La cantidad total de tus activos denominados en USD que pueden ser usados como garantía para activos de préstamo.\",\"IAD2SB\":[\"Reclamando \",[\"symbol\"]],\"IG9X9/\":\"Tomar prestado este activo está limitado a una cierta cantidad para minimizar la insolvencia del fondo de liquidez.\",\"IOIx8L\":\"Está previsto que este activo se desvincule debido a una decisión del Gobierno del Protocolo Aave. <0>Más detalles\",\"IP+I/j\":\"Periodo de cooldown\",\"IaA40H\":\"Liquidación en\",\"J/hVSQ\":[[\"0\"]],\"JCoxL6\":\"Administrar analíticas\",\"JK9zf1\":[\"Interés compuesto estimado, incluyendo el descuento por Staking \",[\"0\"],\"AAVE en el Módulo de Seguridad.\"],\"JOqFba\":[\"Unstakeando \",[\"symbol\"]],\"JPrLjO\":\"No puedes usar este activo como garantía\",\"JU6q+W\":\"Recompensa(s) por reclamar\",\"JYKRJS\":\"Stakear\",\"JZMxX0\":\"No hay suficiente balance en tu cartera\",\"Jgflkm\":\"Obtener GHO\",\"JoMQnI\":\"Balance de la cartera\",\"JtwD8u\":\"Balance tomado prestado tras pagar\",\"JumYTK\":\"Supplied assets\",\"K05qZY\":\"Retirar y Cambiar\",\"KAz/NV\":\"El límite de deuda del protocolo está al 100% para este activo. No es posible tomar más prestado usando este activo como garantía.\",\"KLXVqE\":[\"Los tokens stETH se migrarán a Wrapped stETH usando el wrapper del protocolo de Lido, lo que provoca un cambio en el balance de suministro después de la migración: \",[\"0\"]],\"KLd6ky\":\"Use connected account\",\"KRpokz\":\"VER TX\",\"KSlpka\":\"Esto representa el umbral en el que un préstamo será considerado sin garantía suficiente y sujeto a la liquidación de la misma. Por ejemplo, si una garantía tiene un umbral de liquidación del 80 %, significa que el préstamo será liquidado cuando el valor de la deuda alcanze el 80% del valor de la garantía.\",\"KYAjf3\":\"Aislado\",\"KZwRuD\":[[\"notifyText\"]],\"KkPgim\":\"Cambiando E-Mode\",\"KnN1Tu\":\"Caduca\",\"KoOBI2\":\"Debido a mecánicas internas de stETH requeridas para el soporte del rebase, no es posible realizar un cambio de garantía donde stETH es el token de origen.\",\"KojyJ4\":\"Red incorrecta\",\"KsqhWn\":\"Staking\",\"KuBTQq\":\"Introduce la dirección ETH\",\"KvG1xW\":\"Reclamando\",\"L+8Lzs\":\"LTV actual\",\"L+qiq+\":\"Mercado\",\"LDzfVJ\":\"Send Feedback\",\"LIrMcF\":\"Sin poder de voto\",\"LL0zks\":\"Puede ser garantía\",\"LLdJWu\":\"AAVE Reclamable\",\"LSIpNK\":\"Tomar prestado y pagar en el mismo bloque no está permitido\",\"LVt3TI\":[\"<0>Tolerancia de deslizamiento <1>\",[\"selectedSlippage\"],\"% <2>\",[\"0\"],\"\"],\"LjafV8\":\"Maximum collateral amount to use\",\"LtpQew\":\"Let us know how we can make the app better for you. For user support related inquiries please reach out on\",\"LvVpD/\":\"Modo E\",\"M2sknc\":\"Tip: Intenta aumentar el deslizamiento o reduce la cantidad de entrada\",\"M7wPsD\":\"Cambiar\",\"MFu33y\":\"Staking 00\",\"MIy2RJ\":\"Maximum amount received\",\"MZ/nQf\":\"Dirección del destinatario\",\"Ma/MtY\":\"vista de stakeo\",\"McHlGl\":\"Cambio de APY\",\"MeCCA+\":\"APY, variable\",\"MghdTe\":\"Si el factor de salud se encuentra por debajo de 1, la liquidación de tu colateral puede ser activada.\",\"Mm/DVQ\":\"Has cancelado la transacción.\",\"MnE2QX\":\"Información de préstamo\",\"MrmQHg\":\"View Bridge Transactions\",\"MuDFEQ\":\"Valor de retorno inválido en la función executor del préstamo flash\",\"N5kUMV\":\"Este activo solo se puede utilizar como garantía en isolation mode con poder de préstamo limitado. Para entrar en el isolation mode, deshabilita todas las demás garantías.\",\"N6Pxr9\":\"View all\",\"NF0e1Q\":\"Pendiente...\",\"NK9ikO\":\"Balance de la cartera\",\"NMt2CB\":\"Cantidad reclamable\",\"NcFGxG\":\"Collector Contract\",\"NfpPeS\":\"Nada invertido\",\"Nh9DAo\":[[\"m\"],\"m\"],\"O+sCUU\":\"El límite de minteo sin respaldo ha sido excedido\",\"O+tyU+\":[\"La cantidad máxima disponible para tomar prestado contra este activo está limitada porque el límite de deuda está al \",[\"0\"],\"%.\"],\"O3oNi5\":\"Email\",\"OFjZGo\":\"Unstakear\",\"OR8cYX\":\"Resumen de la propuesta\",\"OYuJ9K\":\"El límite de deuda del protocolo está al 100% para este activo. No es posible tomar más prestado usando este activo como garantía.\",\"OfhWJH\":\"Restablecer\",\"Og2SKn\":\"deshabilitado\",\"On0aF2\":\"Página web\",\"OsyKSt\":\"Retirar\",\"P1dURE\":\"Revocar poder\",\"P2WCD/\":[\"El activo subyacente no existe en el mercado v3 de \",[\"marketName\"],\", por lo tanto, esta posición no se puede migrar.\"],\"P2sL6B\":\"Cuando ocurre una liquidación, los liquidadores pagan hasta el 50% de la cantidad pendiente del préstamo en nombre del prestatario. A cambio, pueden comprar la garantía con descuento y quedarse con la diferencia (sanción de liquidación) como bonificación.\",\"P6sRoL\":\"Stakea ABPT\",\"P72/OW\":\"El promedio ponderado de APY para todos los activos prestados, incluidos los incentivos.\",\"P7e6Ug\":\"Por favor conecta tu cartera para ver el historial de transacciones.\",\"PByO0X\":\"Votos\",\"PI+kVe\":\"Deshabilitar fork\",\"PJK9u/\":\"Apy préstamo\",\"PLUB/s\":\"Fee\",\"PP5ZA8\":[\"Participating in staking \",[\"symbol\"],\" gives annualized rewards. Your wallet balance is the sum of your aTokens and underlying assets. The breakdown to stake is below\"],\"PcBUgb\":\"Umbral de liquidación\",\"PjU6bu\":\"This asset is eligible for SPK incentive program. Aave Labs does not guarantee the program and accepts no liability.\",\"PpqD5g\":\"Habilitar este activo como garantía aumenta tu poder préstamo y el factor de salud. Sin embargo, puede ser liquidado si tu factor de salud cae por debajo de 1.\",\"PsOFSf\":\"Esta acción reducirá el factor de salud V2 por debajo del umbral de liquidación. Mantén la garantía o migra la posición de préstamo para continuar.\",\"Pu4bI/\":[[\"currentMethod\"]],\"Q0LzKi\":\"View TX\",\"Q4eNqa\":\"El Aave Balancer Pool Token (ABPT) es un token de pool de liquidez. Puedes recibir ABPT depositando una combinación de AAVE + wstETH en el pool de liquidez de Balancer. Luego puedes stakear tu BPT en el módulo de seguridad para asegurar el protocolo y ganar incentivos de seguridad.\",\"QQYsQ7\":\"Retirando\",\"QWYCs/\":\"Stakear GHO\",\"R+30X3\":\"No alcanzado\",\"RCU5PY\":\"Age\",\"RIfckG\":[\"Desactivar \",[\"symbol\"],\" como garantía\"],\"RMtxNk\":\"Diferencial\",\"RNK49r\":\"Firma inválida\",\"RS0o7b\":\"Estado\",\"RU+LqV\":\"Detalles de la propuesta\",\"RYTgZX\":\"lorem ipsum\",\"RbXH+k\":\"Los poseedores de AAVE, GHO y ABPT (solo en la red de Ethereum) pueden stakear sus activos en el Módulo de Seguridad para añadir más seguridad al protocolo y obtener incentivos de seguridad. En el caso de un evento de shortfall, tu stakeo puede ser reducido para cubrir el déficit. proporcionando una capa adicional de protección para el protocolo.\",\"RiSYV4\":\"El activo no está listado\",\"Rj01Fz\":\"Enlaces\",\"RmWFEe\":\"Staking APR\",\"RoafuO\":\"Enviar feedback\",\"RtBLm7\":\"El factor de salud es menor que el umbral de liquidación\",\"RxzN1M\":\"Habilitado\",\"SDav7h\":\"Fondos en el Módulo de Seguridad\",\"SENccp\":\"Si el error persiste, <0/> podrías reportarlo a esto\",\"SIWumd\":\"Mostrar activos congelados o pausados\",\"SM58dD\":\"Cantidad en cooldown\",\"SSMiac\":\"Error al cargar los votantes de la propuesta. Por favor actualiza la página.\",\"SSQVIz\":\"Umbral de liquidación\",\"SUb8x0\":\"Total disponible\",\"SWIgh4\":\"Fees exceed wallet balance\",\"SY9hVo\":\"El modo de solo lectura permite ver las posiciones de las direcciones en Aave, pero no podrás realizar transacciones.\",\"SZRUQ4\":\"Deslizamiento máximo\",\"Sa1UE/\":\"El límite de préstamo del protocolo está al 100% para este activo. No es posible tomar más prestado.\",\"Sk2zW9\":\"Desactivando E-Mode\",\"SxaD0o\":\"La dirección del proveedor del pool no esta registrada\",\"T/AIqG\":\"El límite de suministro del protocolo está al 100% para este activo. No es posible suministrar más.\",\"T0xCO9\":\"No se puede validar la dirección de la cartera. Vuelve a intentarlo.\",\"T4OhVl\":\"GHO balance\",\"T6uYU2\":\"Tomar prestado\",\"TFxQlw\":\"Penalización de liquidación\",\"TQ7WsV\":\"Available to stake\",\"TUI7iB\":\"El activo solo puede usarse como garantía en el Isolation mode únicamente.\",\"TbjyhA\":\"Docs\",\"TduuS0\":\"El usuario no tiene deuda pendiente de tasa estable en esta reserva\",\"TeCFg/\":\"Cambio de tasa de préstamo\",\"Tg1JyO\":\"Bridge history\",\"TskbEN\":\"Los poseedores de stkAAVE reciben un descuento en la tasa de préstamo de GHO\",\"TszKts\":\"Balance de préstamo después del cambio\",\"TtZL6q\":\"Parámetros del modelo de descuento\",\"TwJI9F\":\"Asset has been successfully sent to CCIP contract. You can check the status of the transactions below\",\"Tz0GSZ\":\"actividades bloqueadas\",\"U/eBjN\":\"Recarga la página\",\"U2r8nY\":\"Elige cuánto poder de voto/proposición otorgar a otra persona delegando parte de tu balance de AAVe o stkAAVE. Tus tokens permanecerán en tu cuenta, pero tu delegado podrá votar o proponer en tu lugar. Si tu balance de AAVE, stkAAVE o aAave cambia, el poder de voto/proposición de tu delegado se ajustará automáticamente.\",\"U8IubP\":\"La aplicación se está ejecutando en testnet mode. Aprende como funciona en\",\"U9btTk\":\"El activo no se puede pedir prestado en isolation mode\",\"UAOZRe\":\"El impacto del precio es la diferencia entre el valor total de los tokens de entrada cambiados y los tokens de destino obtenidos (en USD), que resulta de la liquidez limitada del par de cambio.\",\"UE3KJZ\":\"El historial de transacciones no está disponible actualmente para este mercado\",\"URmyfc\":\"Detalles\",\"UTTKmT\":\"Cooldown de stakeo activado\",\"UXeR72\":\"Estos fondos se han tomado prestados y no están disponibles para su retirada en este momento.\",\"UYb8CM\":\"Learn more about the SPK rewards\",\"UbRrG0\":\"El ratio LTV máximo representa el poder de endeudamiento máximo de una garantía específica. Por ejemplo, si una garantía tiene un LTV del 75 %, el usuario puede pedir prestado hasta 0,75 ETH en la moneda principal por cada 1 ETH de garantía.\",\"UpndFj\":\"No hay recompensas para reclamar\",\"V0f2Xv\":\"Factor de reserva\",\"V1HK43\":\"Riesgos de migración\",\"VATFH9\":\"Deuda cubierta\",\"VHOVEJ\":\"Conectar cartera\",\"VMfYUK\":\"Seguridad de tu garantía depositada contra los activos prestados y su valor subyacente.\",\"VOAZJh\":\"Total de préstamos\",\"ViKYxK\":\"YAE\",\"W1SSoD\":\"Revisar detalles de la tx\",\"W5hVah\":\"Nada suministrado aún\",\"W5kTFy\":\"Votando\",\"W8ekPc\":\"Volver al panel de control\",\"WMPbRK\":\"No respaldado\",\"WNGZwH\":\"El E-Mode incrementa tu LTV para una categoría seleccionada de activos hasta el <0/>. <1>Aprende más\",\"WPWG/y\":\"Configuración y estado de la reserva\",\"WZLQSU\":\"El usuario no puede retirar más que el balance disponible\",\"WaZyaV\":\"<0>Ampleforth es un activo con rebase. Visita la <1>documentación para aprender más.\",\"WfU+XN\":\"Debido a que este activo está en pausa, no se pueden realizar acciones hasta nuevo aviso\",\"Wjmqs2\":\"No results found. You can import a custom token with a contract address\",\"WkZ6C6\":\"Para tomar prestado, necesitas suministrar cualquier activo para ser utilizado como garantía.\",\"WyMiQm\":\"Has cambiado los tokens con éxito.\",\"X/ITG9\":\"Copiar el texto del error\",\"X3Pp6x\":\"Utilizado como garantía\",\"X4Zt7j\":\"No se puede realizar la acción porque la reserva está pausada\",\"XBdKOj\":\"Direcciones de cartera de contrato inteligente representativas (Safe) en otras cadenas.\",\"XZzneG\":\"Saldrás del modo aislamiento y otros tokens pueden ser usados ahora como garantía\",\"Xg5y9S\":\"Amount to Bridge\",\"Xn4hUi\":\"Por favor ten siempre en cuenta tu <0>factor de salud (HF) cuando migres parcialmente una posición y que tus tasas serán actualizadas a tasas de la V3.\",\"Xy71ST\":\"Umbrella\",\"Y5kGkc\":\"VOTAR NO\",\"YDIOks\":\"Habilitar E-Mode\",\"YSodyW\":\"Esta acción reducirá tu factor de salud. Por favor ten en cuenta el riesgo incrementado de liquidación de la garantía.\",\"YXOWXM\":\"The total amount bridged minus CCIP fees. Paying in network token does not impact gho amount.\",\"YirHq7\":\"Feedback\",\"YogbCJ\":\"Testnet mode está ON\",\"YrDxdO\":\"Si tu relación préstamo-valor supera el umbral de liquidación, tu garantía puede ser liquidada.\",\"YyIM65\":\"No se cumplieron las condiciones de ajuste de tasas de interés\",\"YyydIq\":[\"Añade \",[\"0\"],\" a tu cartera para hacer un seguimiento del balance.\"],\"ZBvhI+\":\"Gobierno de Aave\",\"ZIIRAd\":\"Raw-Ipfs\",\"ZRq4tX\":\"Modo de eficiencia (E-Mode)\",\"ZSqEW+\":\"Manage E-Mode\",\"ZUFYFE\":\"Deshabilitar testnet\",\"Zbyywy\":\"Max slashing\",\"ZfUGFb\":\"Antes de suministrar\",\"ZiXN+B\":\"Assets to stake\",\"ZlsSDH\":\"Valor de liquidación\",\"ZrEc8j\":\"No pudimos encontrar ningún activo relacionado con tu búsqueda. Vuelve a intentarlo con un nombre diferente de activo, símbolo o dirección.\",\"ZsLF7e\":\"habilitado\",\"a0YQoQ\":\"Enter a valid address\",\"a2fBZn\":\"Tempo restante para unstakear\",\"a5RYZd\":\"Deshabilitar este activo como garantía afecta tu poder de préstamo y Factor de Salud.\",\"a7u1N9\":\"Precio\",\"a9D+6D\":\"Unstakeado\",\"aEtiwq\":\"Votar NO\",\"aMmFE1\":\"Comprar Crypto con Fiat\",\"aOKIms\":\"Los parámetros del array que deberían ser iguales en longitud no lo son\",\"aX31hk\":\"Tu balance es más bajo que la cantidad seleccionada.\",\"adUsDd\":\"Se ha producido un error al recuperar la propuesta.\",\"al6Pyz\":\"Supera el descuento\",\"aoXTT7\":\"APY préstamo, variable\",\"aqX1Yp\":\"This asset is eligible for rewards through SuperFest. Aave Labs does not guarantee the program and accepts no liability.\",\"avgETN\":\"Eligible for the Merit program.\",\"b4NS3e\":\"Advertencia periodo de cooldown\",\"bNEQeI\":\"Cooldown\",\"bSruit\":\"ZKSync Ignite Program rewards are claimed through the\",\"bUUVED\":\"Activo\",\"bXQ/Og\":\"Compartir en twitter\",\"bXr0ee\":\"Los activos aislados han limitado tu capacidad de préstamo y otros activos no pueden ser usados como garantía.\",\"bYmAV1\":\"Direcciones\",\"bguKoJ\":\"La cantidad solicitada es mayor que el tamaño máximo del préstamo en el modo de tasa estable\",\"bwSQI0\":\"Suministrar\",\"bxN6EM\":\"No se puede deshabilitar E-Mode\",\"bxmzSh\":\"No hay suficiente garantía para pagar esta cantidad de deuda con\",\"c91vuQ\":\"La dirección no es un contrato\",\"c97os2\":\"aToken de Aave\",\"c9b44w\":\"No puedes retirar esta cantidad porque causará una liquidación\",\"cBc+4A\":\"Esta es la cantidad total disponible que puedes tomar prestada. Puedes tomar prestado basado en tu garantía y hasta que el límite de préstamo se alcance.\",\"cIl5kp\":\"Tu poder de voto se basa en tu balance de AAVE/stkAAVE y delegaciones recibidas.\",\"cLo09S\":\"Detalles de riesgo\",\"cNT+ij\":\"Tomar prestado no está disponible porque has habilitado el Efficiency Mode (E-Mode) y el Isolation mode. Para administrar el E-Mode y el Isolation Mode, visita tu <0>Panel de control.\",\"cZOeBk\":\"Something went wrong fetching bridge message, please try again later.\",\"ceix5S\":\"Para enviar una propuesta de cambios menores al protocolo, necesitarás al menos 80K de poder. Si deseas cambiar la base central del código, necesitarás un poder de 320K.<0>Aprende más\",\"ciybUa\":\"Votar SI\",\"ckf7gX\":[\"Pagando \",[\"symbol\"]],\"cp1ZDP\":[\"Bridge \",[\"symbol\"]],\"cqnmnD\":\"Tasa de interés efectiva\",\"cqwIvs\":\"Hilo de discusión del foro\",\"csDS2L\":\"Disponible\",\"cu7Stb\":\"No has participado en esta propuesta\",\"dE6BLF\":\"Gobierno\",\"dEgA5A\":\"Cancelar\",\"dIsyWh\":\"La validación del LTV ha fallado\",\"dMtLDE\":\"para\",\"dOB5nW\":[\"La cantidad máxima disponible para suministrar es <0/> \",[\"0\"],\" (<1/>).\"],\"dVfODp\":\"No tienes suficientes fondos en tu cartera para pagar la cantidad total. Si procedes a pagar con tu cantidad actual de fondos, aún tendrás un pequeño préstamo en tu panel de control.\",\"dXUQFX\":\"Activos a tomar prestado\",\"dgr1aY\":\"Tomar prestado está deshabilitado debido a una decisión de la comunidad de Aave. <0>Más información\",\"djsg0o\":\"Uso de la garantía\",\"dpc0qG\":\"Variable\",\"drdV8R\":\"Liquidación\",\"dxW8cS\":\"Token de deuda de Aave\",\"e4V3oW\":\"Top 10 direcciones\",\"eD8WX/\":\"La acción requiere una reserva activa\",\"eJRJ04\":\"Cantidad para unstakear\",\"eLh0cL\":\"El deslizamiento es la diferencia entre las cantidades calculadas y las recibidas debido a las condiciones cambiantes del mercado entre el momento en que se envía la transacción y su verificación.\",\"ePK91l\":\"Editar\",\"eVpCmf\":\"Recompensas de Staking\",\"eVqvtf\":\"Bridge GHO\",\"eYdurp\":\"Aún no hay transacciones.\",\"ebLGGN\":\"Total tomado prestado\",\"ecqEvn\":\"El balance de garantía es 0\",\"efdrrk\":\"Disponible en\",\"enruNF\":\"empieza\",\"eqLYiD\":\"Unstakea ahora\",\"euScGB\":\"APY con descuento aplicado\",\"evw5ha\":\"Valor neto\",\"ezcU16\":\"Obtener Token ABP\",\"f3W0Ej\":[\"Has cambiado a tasa \",[\"0\"]],\"fH9i8k\":\"Has cambiado con éxito la posición de préstamo.\",\"fHcELk\":\"APR Neto\",\"fMJQZK\":\"Prestado\",\"fZ5Vnu\":\"Recibido\",\"firl9Q\":\"Tu actual relación préstamo-valor basado en tu garantía suministrada.\",\"flRCF/\":\"Descuento por staking\",\"fldjW9\":\"Previsualizar la tx y migrar\",\"fsBGk0\":\"Balance\",\"fu1Dbh\":[\"Retirar \",[\"symbol\"]],\"fwjWSI\":\"Suministrado\",\"fwyTMb\":\"Migrar a stkABPT v2\",\"g0mals\":\"You can not disable E-Mode because that could cause liquidation. To exit E-Mode supply or repay borrowed positions.\",\"g2UNkE\":\"Powered by\",\"g8KGoA\":\"FAQS\",\"g9zzqS\":\"Votó NAY\",\"gDd2gk\":\"about SuperFest.\",\"gFFh9h\":\"¡Todo listo!\",\"gIMJlW\":\"Testnet mode\",\"gOzPxe\":\"Este activo está congelado debido a una decisión del Gobierno del Protocolo Aave. <0>More información\",\"gTHi2T\":\"El usuario está intentando tomar prestado múltiples activos incluido uno aislado\",\"gVW59Y\":\"Por favor conecta tu cartera para obtener activos testnet gratis.\",\"gcFNxP\":\"Aprobación confirmada\",\"gncRUO\":\"Esta dirección está bloqueada en app.aave.com porque está asociada con una o más\",\"goff7V\":\"Dirección cero no válida\",\"gp+f1B\":\"Versión 3\",\"gr8mYw\":\"Puedes tomar prestado hasta <0/> GHO al <1/> (descuento máximo)\",\"gvTM4B\":\"El APY neto es el efecto combinado de todos los suministros y préstamos sobre total, incluidos los incentivos. Es posible tener un APY neto negativo si el APY de la deuda es mayor que el APY de suministro.\",\"gzcch9\":\"Comisión de puente de protocolo inválida\",\"h33MxW\":\"Direcciones de cartera de contrato inteligente representantes (Safe) en otras cadenas.\",\"h3ilK+\":\".CSV\",\"hB23LY\":\"Activar Cooldown\",\"hIJzBh\":\"Available to Claim\",\"hIS4N0\":\"APY neto\",\"hRWvpI\":\"Reclamado\",\"hdmy/o\":\"El % de tu poder de préstamo total utilizado. Esto se basa en la cantidad de tu garantía suministrada y la cantidad total que puedes pedir prestado.\",\"hehnjM\":\"Cantidad\",\"hjDCQr\":\"Hubo un error. Por favor intenta cambiar los parámetros o <0><1>copiar el error\",\"hom7qf\":\"Reclamar\",\"hpHJ4I\":\"Garantía liquidada\",\"hpuVIp\":\"Users who stake AAVE in Safety Module (i.e. stkAAVE holders) receive a discount on GHO borrow interest rate.\",\"huQ6Tz\":[\"Tomando prestado \",[\"symbol\"]],\"hxi7vE\":\"Balance tomado prestado\",\"i/fZ2Z\":\"Staked Balance\",\"i2JTiw\":\"Puedes ingresar una cantidad específica en el campo.\",\"iB5+/J\":\"Sobre GHO\",\"iChbOF\":\"Parámetros inconsistentes del préstamo flash\",\"iEPVHF\":\"No hay suficiente poder de voto para participar en esta propuesta\",\"iEW87X\":\"Poder delegado\",\"iEju36\":[\"Has votado \",[\"0\"]],\"iFq2YN\":\"Borrowable\",\"iGxyIA\":\"Safety Module\",\"iMVZk9\":\"Seleccionar tolerancia de deslizamiento\",\"iPMIoT\":\"Ingresa una cantidad\",\"iSLIjg\":\"Conectar\",\"iUo5rv\":\"tokens no es lo mismo que stakearlos. Si deseas stakearlos\",\"iZxa38\":\"Úsalo para votar a favor o en contra de propuestas activas.\",\"if5PH+\":\"Collector Info\",\"igkfR1\":[\"En el Isolation mode, no puedes suministrar otros activos como garantía. Un límite de deuda global limita la capacidad de préstamo del activo aislado. Para salir del Isolation mode, deshabilita \",[\"0\"],\" como garantía antes de tomar prestado otro activo. Lee más en nuestras <0>preguntas frecuentes \"],\"il0sEG\":\"El uso de garantías está limitado debido al Isolation mode.\",\"j+K1Xj\":\"Amount After Fee\",\"jA2QeW\":\"Suministrando tu\",\"jFi7dz\":\"Tasa de interés determinada por el gobierno de Aave. Esta tasa puede cambiar con el tiempo dependiendo de la necesidad de que el suministro de GHO se contraiga/expanda. <0>Aprende más\",\"jG3UJ7\":\"Desactivar el E-Mode\",\"jKYzR1\":\"Habilitar E-Mode\",\"jMam5g\":[\"Balance \",[\"0\"]],\"jSYv+Z\":\"Enabling E-Mode allows you to maximize your borrowing power, however, borrowing is restricted to assets within the selected category. <0>Learn more about how it works and the applied restrictions.\",\"jaKbwW\":[[\"s\"],\"s\"],\"jbFMap\":\"Periodo restante de cooldown\",\"jeMZNr\":[[\"0\"],\" el servicio on-ramp es proporcionado por proveedores externos y al seleccionarlo, estás aceptando los términos de dichos proveedores. Tu acceso al servicio podría depender de que el proveedor externo esté operativo.\"],\"jfl9OP\":\"Migrado\",\"jmXdoY\":\"En E-Mode algunos activos no se pueden pedir prestados. Sal del E-Mode para obtener acceso a todos los activos\",\"jpctdh\":\"Ver\",\"jqzUyM\":\"No disponible\",\"k/sb6z\":\"Seleccionar idioma\",\"k3wP3f\":\"<0>Atención: Los cambios de parámetros a través de la gobernanza pueden alterar el factor de salud de tu cuenta y el riesgo de liquidación. Sigue el <1>foro de gobierno de Aave para mantenerte actualizado.\",\"kACpF3\":[\"Reclamar \",[\"0\"]],\"kH6wUX\":\"Impacto del precio\",\"kIC28N\":\"Available to claim\",\"kIpSye\":[[\"numSelected\"],\"/\",[\"numAvailable\"],\" activos seleccionados\"],\"kN1Yg5\":\"Para pagar en nombre de un usuario, se necesita una cantidad explícita para pagar\",\"kRTD40\":[\"Cantidad a pagar para alcanzar el \",[\"0\"],\"% de utilización\"],\"kjN9tT\":\"El límite de suministro se ha sobrepasado\",\"knxE+G\":\".JSON\",\"ks2LWT\":\"El límite de deuda no es cero\",\"kwwn6i\":\"Los usuarios que stakean AAVE en el Modulo de Seguridad (es decir, poseedores de stkAAVE) reciben un descuento en la tasa de interés de préstamo de GHO. Este descuento se aplica a 100 GHO por cada 1 stkAAVE en posesión. Usa el calculador de abajo para ver la tasa de préstamo de GHO con el descuento aplicado.\",\"kz3wtK\":\"and about SPK program\",\"kzZyM4\":\"El balance de DAI se convertirá a través de los contratos de DSR y luego se suministrará como sDAI. El cambio no genera costos adicionales ni deslizamientos.\",\"lNVG7i\":\"Selecciona un activo\",\"lU2d1/\":[\"Este activo no se puede migrar debido a una liquidez insuficiente o a una limitación del límite de préstamo en el mercado v3 de \",[\"marketName\"],\".\"],\"lVhKKI\":\"Votó YAE\",\"lWLqxB\":\"No pudimos encontrar ninguna transacción relacionada con tu búsqueda. Vuelve a intentarlo con un nombre de activo diferente o restablece los filtros.\",\"lYGfRP\":\"Inglés\",\"lfEjIE\":\"Aprende más en nuestra guía <0>Preguntas frecuentes\",\"lt6bpt\":\"Garantía a pagar con\",\"m/IEhi\":\"Emisiones totales por día\",\"m7r7Hh\":\"Activos de préstamo seleccionados\",\"mDDK4p\":\"Pool de Balancer\",\"mIM0qu\":\"Cantidad esperada a pagar\",\"mUAFd6\":\"Versión 2\",\"masO5Z\":\"E-Mode increases your LTV for a selected category of assets. <0>Learn more\",\"mdNjKU\":[\"Tu cartera de \",[\"name\"],\" está vacía. Compra o transfiere activos o usa <0>\",[\"0\"],\" para transferir tus activos de \",[\"network\"],\".\"],\"muiOng\":[\"Comprar \",[\"cryptoSymbol\"],\" con Fiat\"],\"mvCXBY\":\"Stakea AAVE\",\"mwdzil\":\"Vale, cerrar\",\"mzI/c+\":\"Descargar\",\"mzdIia\":\"Este activo no puede usarse como garantía.\",\"n+SX4g\":\"Desarrolladores\",\"n8Psk4\":\"No podemos detectar una cartera. Conecta una cartera para stakear y ver tu balance.\",\"nJIhzm\":\"Apy de suministro\",\"nJgsQu\":\"Con un poder de votación de <0/>\",\"nLC6tu\":\"Francés\",\"nN2T8p\":\"During the cooldown period, you will not earn any merit rewards. However, rewards earned up to this point will remain unaffected.\",\"nNHV0z\":\"Migrar múltiples garantías y activos prestados al mismo tiempo puede ser una operación costosa y podría fallar en ciertas situaciones.<0>Por lo tanto, no se recomienda migrar posiciones con más de 5 activos (depositados + tomados prestados) al mismo tiempo.\",\"nNbnzu\":\"Proposición\",\"nOy4ob\":\"Te sugerimos volver al Panel de control.\",\"nPGNMh\":\"Puede ser ejecutado\",\"nUK1ou\":[\"Assets with zero LTV (\",[\"0\"],\") must be withdrawn or disabled as collateral to perform this action\"],\"nakd8r\":\"poseedores de stkAAVE obtienen un descuento en la tasa de préstamo de GHO\",\"nh2EJK\":[\"Por favor, cambia a \",[\"networkName\"],\".\"],\"njBeMm\":\"Ambos\",\"noN5Xf\":\"We couldn’t detect a wallet. Connect a wallet to view your staking positions and rewards.\",\"ntkAoE\":\"Descuento aplicado para <0/> AAVE stakeados\",\"ntyFSE\":[[\"h\"],\"h\"],\"nwtY4N\":\"Se produjo un error\",\"nxyWvj\":\"Retirar esta cantidad reducirá tu factor de salud y aumentará el riesgo de liquidación.\",\"o17QVP\":\"Tu factor de salud y la relación préstamo-valor determinan la seguridad de tu garantía. Para evitar liquidaciones, puedes suministrar más garantía o pagar las posiciones de préstamo.\",\"o1xc2V\":\"El balance de AToken no es cero\",\"o4tCu3\":\"APY préstamo\",\"o5ooMr\":\"Deuda\",\"o7J4JM\":\"Filtro\",\"oHFrpj\":\"Cooldown para undstakear\",\"oJ5ZiG\":\"El usuario no tiene deuda pendiente de tasa variable en esta reserva\",\"oRBGin\":\"Por favor conecta tu cartera para cambiar tus tokens.\",\"oUwXhx\":\"Activos de prueba\",\"oWklJD\":\"La tasa de interés estable <0>permanecerá igual durante la duración de su préstamo. Está recomendado para los períodos de préstamo a largo plazo y para los usuarios que prefieren la previsibilidad.\",\"odnIK3\":\"Time remaining until the 48 hour withdraw period starts.\",\"oiK5nY\":\"The current incentives period, decided on by the Aave community, has ended. Governance is in the process on renewing, check for updates. <0>Learn more.\",\"olREoo\":\"All borrow positions outside of this category must be closed to enable this category.\",\"om/XHs\":\"Disponible para suministrar\",\"ov0+mq\":\"Eligible for the ZKSync Ignite program.\",\"ovT1pF\":[\"Per the community, the \",[\"market\"],\" has been frozen.\"],\"ow3fug\":\"Sin resultados\",\"owSsI3\":\"Firmas listas\",\"p+R52m\":\"Ir al pool de Balancer\",\"p2A+s1\":[\"El periodo de cooldown es \",[\"0\"],\". Después \",[\"1\"],\" del cooldown, entrarás a la ventana de unstakeo de \",[\"2\"],\". Continuarás recibiendo premios durante el cooldown y la ventana de unstakeo.\"],\"p2S64u\":\"La relación préstamo-valor de las posiciones migradas provocaría la liquidación. Aumenta la garantía migrada o reduce el préstamo migrado para continuar.\",\"p2Z2Qi\":\"Este activo ha alcanzado su límite de préstamo. No queda nada disponible para ser prestado de este mercado.\",\"p3j+mb\":\"Tu balance de recompensa es 0\",\"p45alK\":\"Configurar la delegación\",\"p6u2s1\":\"Minimum amount of debt to be repaid\",\"pDgeaz\":[[\"title\"]],\"pdZqBk\":\"El balance subyacente debe ser mayor que 0\",\"pgWG9H\":\"No hay suficiente balance stakeado\",\"piPrJ7\":\"por favor comprueba que la cantidad que deseas depositar no está siendo utilizada actualmente para stakear. Si está utilizando para stakear, tu transacción podría fallar.\",\"pjO/iH\":\"Cantidad mínima recibida\",\"pooutM\":\"La votación está activa\",\"pqaM5s\":\"Confirmando transacción\",\"ptaxX3\":[\"Entiendo como el cooldown (\",[\"0\"],\") y el proceso de unstaking (\",[\"1\"],\") funcionan\"],\"py2iiY\":\"La función debe ser llamada por un pool\",\"q/51mF\":\"Migrar a V3\",\"q3df11\":\"Estrategia de tasa de interés\",\"q6lAbz\":\"Stakeado\",\"qB4kPi\":\"Suministrar APY\",\"qENI8q\":\"Configuración global\",\"qGz5zl\":\"Balance de la garantía tras pagar\",\"qOqbD6\":\"copiar el error\",\"qXCkEM\":\"Por favor, conecta tu cartera para ver tus suministros, préstamos y posiciones abiertas.\",\"qY2jnw\":\"Expiración inválida\",\"qf/fr+\":\"Interés acumulado\",\"quYPUU\":\"Variable interest rate will <0>fluctuate based on the market conditions.\",\"quzIeW\":\"User is in isolation mode or LTV is zero\",\"qvnz3q\":\"Cantidad inválida para quemar\",\"rHgdb0\":\"Migrate to Aave V3\",\"rOrHHe\":\"La cantidad debe ser mayor que 0\",\"rQ+R+0\":\"Activos de suministro seleccionados\",\"rSayea\":\"APY\",\"rTBDeu\":[\"Este activo no se puede migrar porque tienes una garantía en Isolation Mode en el mercado v3 de \",[\"marketName\"],\" que limita los activos prestados. Puedes administrar tu garantía en el <0>Panel de control V3 de \",[\"marketName\"],\"\"],\"rcT+yy\":\"Mostrar activos con 0 balance\",\"rf8POi\":\"Cantidad de activos tomados prestados\",\"riNWOA\":\"E-Mode\",\"rjGI/Q\":\"Privacidad\",\"rnKPW1\":\"Watch a wallet balance in read-only mode\",\"ruc7X+\":\"Añade stkAAVE para ver el APY de préstamo con el descuento\",\"rvbaFU\":[\"Bridging \",[\"symbol\"]],\"rwVVB7\":\"Reclamar todas las recompensas\",\"rwyUva\":\"Estos activos están temporalmente congelados o pausados por decisiones de la comunidad de Aave, lo que significa que no se puede suministrar / tomar prestado o intercambiar tasas de estos activos. Se permiten retiros y pagos de deuda. Sigue el <0>foro de gobierno de Aave para más actualizaciones.\",\"rxJW5W\":\"Tu poder de proposición se basa en tu balance de AAVE/stkAAVE y delegaciones recibidas.\",\"s2jJnW\":\"You don't have any bridge transactions\",\"s5wBAq\":[\"Unstakear \",[\"symbol\"]],\"sJbIdI\":\"Enter ETH address or ENS\",\"sK+Nag\":\"Revisión tx\",\"sP2+gB\":\"NO\",\"sQv06Y\":\"para\",\"sTtO6J\":\"Confirmar transacción\",\"sXKb3l\":\"Tasa de cambio\",\"sb0q4+\":\"Unstakea aquí\",\"smJNwH\":\"Disponible para tomar prestado\",\"solypO\":\"El factor de salud no está por debajo del umbral\",\"sr0UJD\":\"Volver atrás\",\"ss5GCK\":\"La dirección del proveedor del grupo de direcciones no es válida\",\"swEgK4\":\"Tu información de voto\",\"t+wtgf\":\"Nada tomado prestado aún\",\"t/YqKh\":\"Eliminar\",\"t81DpC\":[\"Aprueba \",[\"symbol\"],\" para continuar\"],\"tCnbEs\":\"Precio del oráculo\",\"tFZLf8\":\"Este cálculo de gas es solo una estimación. Tu cartera establecerá el precio de la transacción. Puedes modificar la configuración de gas directamente desde tu proveedor de cartera.\",\"tHuvQI\":\"Ir al panel de control V3\",\"tKv7cI\":\"Cambiar posición de préstamo\",\"tOcg3N\":\"Dado que este activo está congelado, las únicas acciones disponibles son retirar y pagar, a las que se puede acceder desde el <0>Panel de control\",\"tOuXfv\":[\"Cantidad a tomar prestado para alcanzar el \",[\"0\"],\"% de utilización\"],\"te9Bfl\":\"Por favor, conecta tu cartera\",\"tt5yma\":\"Tus suministros\",\"ttoh5c\":\"Cambiar a\",\"u3ZeYl\":\"Error en la transacción\",\"u706uF\":\"Préstamo flash inválido\",\"u8Gfu7\":[\"Sin resultados de búsqueda\",[\"0\"]],\"uAQUqI\":\"Status\",\"uHMwk8\":\"No hay activos seleccionados para migrar.\",\"uJPHuY\":\"Migrando\",\"uY8O30\":\"Para continuar, necesitas otorgar permiso a los contratos inteligentes de Aave para mover tus fondos de tu cartera. Según el activo y la cartera que uses, se hace firmando el mensaje de permiso (sin coste de gas), o enviando una transacción de aprobación (requiere coste de gas). <0>Aprende más\",\"udFheE\":\"Para el pago de un tipo específico de deuda, el usuario necesita tener una deuda de ese tipo\",\"ulNuNq\":\"Exportar datos a\",\"ulup2p\":\"Comprar Crypto con Fiat\",\"umICAY\":\"<0><1><2/>Añade stkAAVE para ver la tasa de préstamo con descuento\",\"usB84Z\":\"La cantidad máxima disponible para tomar prestado está limitada porque casi se ha alcanzado el límite de préstamo del protocolo.\",\"uwAUvj\":\"COPIAR IMAGEN\",\"v8x7Mg\":\"Garantía insuficiente para cubrir la nueva posición de préstamo. La cartera debe tener poder de préstamo suficiente para realizar el cambio de deuda.\",\"vEqxH9\":\"Restakeado\",\"vLyv1R\":\"Ocultar\",\"vMba49\":\"Tomar prestado no está habilitado\",\"vMpNwt\":\"Aprobar con\",\"vXIe7J\":\"Idioma\",\"vesuBJ\":\"Te permite decidir si utilizar un activo suministrado como garantía. Un activo utilizado como garantía afectará a tu poder de préstamo y factor de salud.\",\"w+V9Cx\":\"Stablecoin\",\"w/JtJ3\":\"El balance de deuda estable no es cero\",\"w4VBY+\":\"APR de recompensas\",\"w9dLMW\":[[\"label\"]],\"wAOL+X\":[\"Tu \",[\"action\"],\" <0/> \",[\"symbol\"]],\"wBIsjb\":\"Canal de Discord\",\"wQZbc/\":\"El llamador de la función no es un AToken\",\"wRRqvW\":\"No tienes suministros en este activo\",\"wZFvVU\":\"VOTAR SI\",\"wb/r1O\":[\"Faucet \",[\"0\"]],\"wdxz7K\":\"Source\",\"weH1nG\":\"El Protocolo Aave está programado para usar siempre el precio de 1 GHO = $1. Esto es diferente del uso del precio de mercado a través de oráculos para otros criptoactivos. Esto crea oportunidades de arbitraje estabilizadoras cuando el precio de GHO fluctúa.\",\"wh7Ezv\":\"No tienes balance de AAVE/stkAAVE/aAave para delegar.\",\"wlsIx7\":\"Con la testnet Faucet puedes obtener activos gratuitos para probar el Protocolo Aave. Asegúrate de cambiar tu proveedor de cartera a la red de testnet adecuada, selecciona el activo deseado y haz clic en \\\"Faucet\\\" para obtener tokens transferidos a tu cartera. Los activos de una testnet no son \\\"reales\\\", lo que significada que no tienen valor monetario. <0>Aprende más\",\"wmE285\":\"Obtener Token ABP v2\",\"wyRrcJ\":\"Como resultado de las decisiones del gobierno, este pool de stakeo de ABPT está obsoleto. Tienes la flexibilidad de migrar todos tus tokens a v2 o unstakearlos sin ningún periodo de cooldown.\",\"x5KiLL\":\"Los activos seleccionados se han migrado correctamente. Visita el panel de control del mercado para verlos.\",\"x7F2p6\":\"Diferencial actual\",\"x7K5ib\":[\"Tu cartera de \",[\"networkName\"],\" está vacía. Consigue \",[\"0\"],\" de prueba gratis en\"],\"x9iLRD\":\"tokens, por favor ve al\",\"xNy/UG\":\"Pagar con\",\"xPm8wv\":\"Aprende más sobre los riesgos involucrados\",\"xXYpZl\":[[\"0\"],\" Faucet\"],\"xaVBSS\":\"Tu información\",\"xaWZ6f\":\"Cambio tipo de APY\",\"xh6k71\":\"El uso de garantías está limitado debido al isolation mode.\",\"xvIklc\":\"El préstamo flash está deshabilitado para este activo, por lo tanto, esta posición no se puede migrar.\",\"y5rS9U\":\"Migrar\",\"y66tBm\":[\"Habilitar \",[\"symbol\"],\" como garantía\"],\"yB1YpA\":\"Modo oscuro\",\"yCrG6m\":\"Tamaño total del mercado\",\"yJUUbn\":\"Resumen de la transacción\",\"yLGmLX\":[\"Restakear \",[\"symbol\"]],\"yW1oWB\":\"Tipo APY\",\"yYHqJe\":\"Dirección no válida\",\"yZwLw6\":\"Haz seguimiento de tu cartera\",\"yh2sjd\":[\"Impacto en el precio \",[\"0\"],\"%\"],\"yhvj6d\":\"No puedes cambiar el uso como modo de garantía para este activo, porque causará una liquidación\",\"ylmtBZ\":\"La aplicación se ejecuta en fork mode.\",\"ymNY32\":[\"No hay fondos suficientes en la reserva\",[\"0\"],\"para tomar prestado\"],\"yz7wBu\":\"Cerrar\",\"z4uGQg\":\"El límite de deuda está sobrepasado\",\"z5UQOM\":\"La garantía elegida no puede ser liquidada\",\"z5Y+p6\":[\"Suministrando \",[\"symbol\"]],\"zCjNKs\":\"No se puede realizar la acción porque la reserva está congelada\",\"zRHytX\":\"Límite de deuda aislado\",\"zTOjMP\":\"El límite de suministro del protocolo está al 100% para este activo. No es posible suministrar más.\",\"zVdRUG\":\"Submission did not work, please try again later or contact wecare@avara.xyz\",\"zevmS2\":\"<0><1><2/>añade <3/> stkAAVE para tomar prestado al <4/> (descuento máximo)\",\"zgtIDV\":\"Deuda restante\",\"zmTPiV\":\"Balance de suministro\",\"zpPbZl\":\"Parámetros de riesgo de liquidación\",\"zucql+\":\"Menú\",\"zwWKhA\":\"Aprende más\",\"zy9fXn\":[\"Este activo está congelado en el mercado v3 de \",[\"marketName\"],\", por lo tanto, esta posición no se puede migrar.\"],\"zys+R6\":\"Ten en cuenta la congestión de la red y los precios del gas.\",\"zzzTXS\":\"Merit Program rewards are claimed through the\"}")}; \ No newline at end of file diff --git a/src/locales/fr/messages.js b/src/locales/fr/messages.js index e0b5ecfd28..c0d4e5f243 100644 --- a/src/locales/fr/messages.js +++ b/src/locales/fr/messages.js @@ -1 +1 @@ -/*eslint-disable*/module.exports={messages:JSON.parse("{\"+0xecS\":[\"Si vous NE vous désengagez PAS dans les \",[\"0\"],\" de la fenêtre de désengagement, vous devrez réactiver le processus de refroidissement.\"],\"+EGVI0\":\"Recevoir (est.)\",\"+VR63W\":[\"Participer à cette réserve \",[\"symbol\"],\" donne des récompenses annualisées.\"],\"+bmKdK\":\"Use your AAVE, stkAAVE, or aAave balance to delegate your voting and proposition powers. You will not be sending any tokens, only the rights to vote and propose changes to the protocol. You can re-delegate or revoke power to self at any time.\",\"+eOPG+\":\"On dirait que nous ne pouvons pas changer de réseau automatiquement. Veuillez vérifier si vous pouvez le changer depuis le portefeuille.\",\"+i3Pd2\":\"Limite d'emprunt\",\"+kLZGu\":\"Montant de l’actif fourni\",\"+nuEh/\":\"Estimated time\",\"+xMFF8\":\"Remind me\",\"/57U31\":\"Amount to migrate\",\"/7ykiW\":\"Emprunter ce montant réduira votre facteur santé et augmentera le risque de liquidation.\",\"/YA5pU\":\"E-Mode increases your LTV for a selected category of assets, meaning that when E-mode is enabled, you will have higher borrowing power over assets of the same E-mode category which are defined by Aave Governance. You can enter E-Mode from your <0>Dashboard. To learn more about E-Mode and applied restrictionn, see the <1>help guide or the <2>Aave V3 Technical Paper.\",\"/izjs/\":\"Montant minimum d’Aave mis en jeu\",\"/jQctM\":\"To\",\"/lDBHm\":\"FAQ\",\"/yNlZf\":\"L'emprunt stable n'est pas activé\",\"/yQcJM\":\"Valeur totale\",\"00AB2i\":\"L'utilisateur n'a pas emprunté la devise spécifiée\",\"00OflG\":\"Il n’y a pas assez de liquidités pour que l’actif cible puisse effectuer le changement. Essayez de réduire le montant.\",\"08/rZ9\":\"La période de recharge est le temps nécessaire avant de retirer vos jetons (20 jours). Vous ne pouvez retirer vos actifs du module de sécurité qu’après la période de recharge et pendant la période de désenjeu. <0>Pour en savoir plus\",\"0AmQcW\":\"Changement de taux\",\"0BF3yK\":\"Désolé, nous n’avons pas trouvé la page que vous cherchiez.\",\"0TAbjq\":\"Recent Transactions\",\"0jhlyw\":\"Risque de liquidation\",\"0ojY+Y\":\"Solde actuel v2\",\"0thX3P\":\"Modification des garanties\",\"0wGCWc\":\"Il s'agit du montant total que vous pouvez emprunter. Vous pouvez emprunter en fonction de votre garantie et jusqu'à ce que le plafond d'emprunt soit atteint.\",\"1AsVfF\":\"À l’heure actuelle, les données sur les prix ne sont pas disponibles pour cette réserve dans le sous-graphe du protocole\",\"1LjK22\":\"Historique des transactions\",\"1Onqx8\":[\"Approuver \",[\"symbol\"],\"...\"],\"1Ue8sX\":\"Veuillez connecter un portefeuille pour afficher vos informations personnelles ici.\",\"1bpx9A\":\"...\",\"1kWUB+\":\"Seuil de liquidation <0/>\",\"1m9Qqc\":\"Retrait et changement\",\"1oyh4g\":\"Borrow rate\",\"1t7rez\":\"L’offre d’actifs est limitée à un certain montant afin de réduire l’exposition du protocole à l’actif et d’aider à gérer les risques encourus.\",\"2CAPu2\":\"Vous avez retiré et échangé des jetons avec succès.\",\"2Eoi/a\":\"Voir détails\",\"2FYpfJ\":\"Plus\",\"2O3qp5\":\"Liquidités disponibles\",\"2OM8/D\":[\"L’actif ne peut pas être migré en raison d’une restriction de plafond d’approvisionnement dans \",[\"marketName\"],\" v3 marché.\"],\"2Q4GU4\":\"Adresse bloquée\",\"2ZGocC\":\"Aave est un protocole entièrement décentralisé et régi par la communauté par les détenteurs de jetons AAVE. Les détenteurs de jetons AAVE discutent, proposent et votent collectivement sur les mises à niveau du protocole. Les détenteurs de jetons AAVE (réseau Ethereum uniquement) peuvent soit voter eux-mêmes sur de nouvelles propositions, soit choisir l’adresse de leur choix. Pour en savoir plus, consultez la page Gouvernance\",\"2a6G7d\":\"Veuillez saisir une adresse de portefeuille valide.\",\"2bAhR7\":\"Rencontrez GHO\",\"2eBWE6\":\"Je reconnais les risques encourus.\",\"2o/xRt\":\"Plafond d'approvisionnement sur la réserve cible atteint. Essayez de réduire le montant.\",\"2uJToh\":[[\"0\"],[\"name\"]],\"2x58bP\":\"L'emprunt stable est activé\",\"34Qfwy\":\"Le plafond d'emprunt est dépassé\",\"39eQRj\":[\"Emprunter \",[\"symbole\"]],\"3BL1xB\":\"Total fourni\",\"3BnIWi\":\"Commuté\",\"3K0oMo\":\"Offre restante\",\"3MoZhl\":\"Il n'y a pas assez de collatéral pour couvrir un nouvel emprunt\",\"3Np5O8\":[\"Fournir \",[\"symbole\"]],\"3O8YTV\":\"Total des intérêts courus\",\"3mXg0z\":\"Max LTV\",\"3q3mFy\":\"Rembourser\",\"3qsjtp\":\"La moyenne pondérée de l'APY pour tous les actifs fournis, y compris les incitations.\",\"3rL+os\":\"Vous ne pouvez retirer vos actifs du module de sécurité qu'après la fin de la période de refroidissement et que la fenêtre de retrait est active.\",\"42UgDM\":[\"Migrer vers \",[\"0\"],\" Marché v3\"],\"49UFQA\":\"Résultats du vote\",\"4DMZUI\":\"Afficher les transactions\",\"4HtGBb\":\"MAX\",\"4Y5H+g\":\"Petits caractères\",\"4YYh4d\":\"Maximum available to borrow\",\"4iPAI3\":\"Montant minimum d’emprunt GHO\",\"4lDFps\":\"Signez pour continuer\",\"4wyw8H\":\"Transactions\",\"5JSSxX\":[\"Votre \",[\"networkName\"],\" Le portefeuille est vide. Obtenez des ressources de test gratuites à l’adresse suivante :\"],\"5K7kGO\":\"documentation\",\"5NOSGa\":\"Le plafond de la dette limite le montant que les utilisateurs du protocole peuvent emprunter sur cet actif. Le plafond de la dette est spécifique aux actifs isolés et est indiqué en USD.\",\"5Ncc6j\":[\"Cet actif a presque atteint son plafond d'offre. Il ne peut y avoir que \",[\"messageValue\"],\" fourni à ce marché.\"],\"5cZ/KX\":\"L'offre de dette variable n'est pas nulle\",\"5che++\":\"Pour demander l'accès à ce marché autorisé, veuillez consulter\xA0: <0>Nom du fournisseur d'accès\",\"5ctNdV\":[\"Minimum \",[\"0\"],\" reçu\"],\"5hDe9v\":\"Allocation action requise\",\"5rsnKT\":\"Récompenses disponibles\",\"5yC5m5\":\"Voir tous les votes\",\"6/dCYd\":\"Aperçu\",\"60crCe\":\"Toutes les transactions\",\"62Xcjh\":\"Collatérale\",\"65A04M\":\"Espagnol\",\"6G8s+q\":\"Signature\",\"6Jrv+z\":[\"Rembourser \",[\"symbole\"]],\"6NGLTR\":\"Montant actualisable\",\"6Xr0UU\":\"Refroidissement...\",\"6bxci/\":\"Pouvoir de vote\",\"6f8S68\":\"Marchés\",\"6g1gi0\":\"Les propositions\",\"6gvoHP\":\"Copier le message d’erreur\",\"6h3Q5G\":\"Remboursé\",\"6lFSyT\":\"Available to Stake\",\"6s8L6f\":\"Changer de réseau\",\"6yAAbq\":\"APY, borrow rate\",\"70wH1Q\":\"APR\",\"72c5Qo\":\"Total\",\"73Auuq\":\"Les paramètres de remise sont décidés par la communauté Aave et peuvent être modifiés au fil du temps. Consultez la section Gouvernance pour les mises à jour et votez pour participer. <0>Pour en savoir plus\",\"75qcAQ\":[[\"stepName\"]],\"7ITr5L\":\"Facteur de santé\",\"7T/o5R\":\"Atteint\",\"7YlcXu\":\"Fork mode is ON\",\"7Z76Iw\":\"L’emprunt n’est pas disponible car vous utilisez le mode Isolation. Pour gérer le mode d’isolation, rendez-vous sur votre <0>tableau de bord.\",\"7aKlMS\":\"Partager sur Lens\",\"7er5fP\":\"Réclamer tout\",\"7hb2+s\":\"Time remaining until the withdraw period ends.\",\"7l88b8\":\"Les données n’ont pas pu être récupérées, veuillez recharger le graphique.\",\"7p5kLi\":\"Tableau de bord\",\"7sofdl\":\"Retrait et échange\",\"8+6BI0\":\"Soyez prudent - Vous êtes très proche de la liquidation. Envisagez de déposer plus de collatéral ou de rembourser certaines de vos positions empruntées\",\"87pUEW\":[\"Votre \",[\"name\"],\" Le portefeuille est vide. Acheter ou transférer des actifs.\"],\"8F1i42\":\"Page introuvable\",\"8G8M0u\":\"Chargement des données...\",\"8Iu1QS\":\"Retiré\",\"8JL93T\":\"Toutes les propositions\",\"8Q51DU\":\"Ajouter au portefeuille\",\"8X/oyn\":\"Montant invalide à frapper\",\"8Z5FPv\":\"Déconnecter le portefeuille\",\"8Zz7s5\":\"actifs\",\"8aLW8H\":\"Solde à révoquer\",\"8bOT3H\":\"Taux d'utilisation\",\"8sLe4/\":\"Voir le contrat\",\"8t/M0y\":\"Please connect your wallet to be able to bridge your tokens.\",\"8vETh9\":\"Montrer\",\"94OHPx\":\"Vous entrez en mode Isolation\",\"9CDK3/\":[\"L'emprunt n'est actuellement pas disponible pour \",[\"0\"],\".\"],\"9GIj3z\":\"Taille de réserve\",\"9Knqb4\":\"Solde de mise en jeu\",\"9OBKm7\":\"Quorum\",\"9QHoGr\":\"Votes actuels\",\"9Rw96f\":[\"Cet actif a presque atteint son plafond d'emprunt. Il n'y a que \",[\"messageValue\"],\" disponible pour être emprunté sur ce marché.\"],\"9Xj/qR\":[\"Certaines ressources migrées ne seront pas utilisées comme garantie en raison de l’activation du mode d’isolement dans \",[\"marketName\"],\" Marché V3. Visite <0>\",[\"marketName\"],\" Tableau de bord V3 pour gérer le mode d’isolation.\"],\"9c6vDV\":\"Cet actif a atteint son plafond d'offre. Rien n'est disponible pour être fourni à partir de ce marché.\",\"9kTWHA\":\"L’AMI a été suspendu en raison d’une décision de la communauté. L’offre, les emprunts et les remboursements sont impactés. <0>Plus d’informations\",\"9lXchd\":\"Jeton sous-jacent\",\"9rWaKF\":\"Bridged Via CCIP\",\"9xSooW\":\"Comme il s'agit d'un réseau de test, vous pouvez obtenir n'importe lequel des actifs si vous avez ETH dans votre portefeuille\",\"A/lwoe\":\"Choisissez l’un des services de rampe d’accès\",\"A6dCI6\":[\"Le montant maximal disponible pour emprunter est de <0/> \",[\"0\"],\" (<1/>).\"],\"AReoaV\":\"Vos emprunts\",\"ARu1L4\":\"Remboursé\",\"AV7cGz\":\"Examiner les détails de la taxe d'approbation\",\"AZOjB8\":\"Récupération de données...\",\"Ai0jas\":\"Rejoignez la discussion de la communauté\",\"Ajl2rq\":\"Le pouvoir d'emprunt et les actifs sont limités en raison du mode d'isolement.\",\"AqgYNC\":\"Plafond d’emprunt du protocole à 100% pour cet actif. Il n’est pas possible d’emprunter davantage.\",\"B3EcQR\":\"Merci d’avoir voté\xA0!!\",\"B6aXGH\":\"Stable\",\"B9Gqbz\":\"Taux variable\",\"BDFEd+\":\"Les stETH fournis en garantie continueront d’accumuler des récompenses de staking fournies par les rebasages quotidiens.\",\"BE2mP0\":\"Borrowed assets\",\"BJyN77\":\"Due to health factor impact, a flashloan is required to perform this transaction, but Aave Governance has disabled flashloan availability for this asset. Try lowering the amount or supplying additional collateral.\",\"BNL4Ep\":\"L'utilisation de la garantie est limitée en raison du mode d'isolement. <0>En savoir plus\",\"BQ/wCO\":\"Migrate your assets\",\"BjLdl1\":\"À prix réduit\",\"BnhYo8\":\"Catégorie d'actifs\",\"Bq9Y7e\":\"Cet actif est gelé en raison d’une décision de la communauté Aave. <0>Plus d’informations\",\"BqWMDJ\":\"Faucet\",\"BqynZO\":\"Optimized for efficiency and risk by supporting blue-chip collateral assets\",\"Bsu7zX\":\"The fee includes the gas cost to complete the transaction on the destination chain and the fee paid to Chainlink CCIP service providers. You can chose to pay in the network token or GHO. <0>Learn more\",\"BwJKBw\":\"de\",\"CDrsH+\":\"Fiche technique\",\"CK1KXz\":\"Max\",\"CMHmbm\":\"Glissement\",\"CZXzs4\":\"Grec\",\"CcRNG6\":\"Transistor\",\"CkTRmy\":[\"Revendication \",[\"symbol\"]],\"CsqtLm\":\"Veuillez connecter votre portefeuille pour voir l’outil de migration.\",\"CtGlFb\":[[\"networkName\"],\" Robinet\"],\"Cxt2YY\":\"Watch wallet\",\"D33VQU\":\"Cette action réduira le facteur de santé de V3 en dessous du seuil de liquidation. Augmenter les garanties migrées ou réduire les emprunts migrés pour continuer.\",\"D9BLRG\":\"This asset has been paused due to a community decision. Supply, withdraw, borrows and repays are impacted.\",\"DAma/S\":\"La garantie est (principalement) la même devise que celle qui est empruntée\",\"DCnFg0\":[\"Adresses (\",[\"0\"],\")\"],\"DG3Lv1\":\"Je comprends parfaitement les risques liés à la migration.\",\"DONJcV\":\"L'actif sous-jacent ne peut pas être sauvé\",\"DR+4uL\":\"Bilan de l’alimentation après le changement\",\"DWjrck\":[\"La ressource ne peut pas être migrée vers \",[\"marketName\"],\" V3 Market en raison des restrictions du mode E. Vous pouvez désactiver ou gérer les catégories du mode E dans votre <0>tableau de bord V3\"],\"Dj+3wB\":\"Aave par mois\",\"DuEq2K\":\"Collatéralisation\",\"DxfsGs\":\"Vous pouvez signaler un incident sur notre <0>Discord ou<1>Github.\",\"Dzma+E\":\"Main Ethereum market with the largest selection of assets and yield options\",\"E/QGRL\":\"Désactivé\",\"EBL9Gz\":\"COPIÉ!\",\"ES8dkb\":\"Taux fixe\",\"EZd3Dk\":[\"Reprise \",[\"symbol\"]],\"Ebgc76\":[\"Retrait \",[\"symbole\"]],\"EdQY6l\":\"Aucun/Aucune\",\"EjvKQ+\":\"Valeur minimale en USD reçue\",\"Enslfm\":\"Destination\",\"EvE9nO\":[\"Réactiver la période de recharge pour annuler le pieu \",[\"0\"],\" \",[\"stakedToken\"]],\"EvECnL\":\"Migrer vers la v3\",\"EzMQbh\":\"The source chain time to finality is the main factor that determines the time to destination. <0>Learn more\",\"F40cwT\":\"Legacy Markets\",\"F6TdXL\":\"Pour en savoir plus.\",\"FDDPeZ\":\"Users can stake their assets in the protocol and earn incentives. In the case of a shortfall event, your stake can be slashed to cover the deficit, providing an additional layer of protection for the protocol.\",\"FHlMf/\":\"Solde actuel de la v2\",\"FHpxjF\":[\"Le facteur de réserve est un pourcentage de l’intérêt qui va à un \",[\"0\"],\" qui est contrôlé par la gouvernance Aave pour promouvoir la croissance de l’écosystème.\"],\"FOBZa6\":\"Puissance d'emprunt utilisée\",\"FPKEug\":\"Opération non prise en charge\",\"FbmMe7\":\"Linked addresses\",\"Fdp03t\":\"sur\",\"Fjw9N+\":\"Actifs à déposer\",\"FmN0fk\":\"Remise en jeu\",\"GDGLIs\":\"GHO est un actif numérique natif décentralisé et adossé à des garanties, indexé sur le dollar américain. Il est créé par les utilisateurs en empruntant contre plusieurs garanties. Lorsque l’utilisateur rembourse sa position d’emprunt de HO, le protocole brûle le GHO de cet utilisateur. Tous les paiements d’intérêts accumulés par les minters de GHO seraient directement transférés à la trésorerie d’AaveDAO.\",\"GQrBTq\":\"Changer de mode E\",\"GWswcZ\":\"Cet actif est gelé en raison d’une décision de gouvernance du protocole Aave. Le 20 décembre 2022, renFIL ne sera plus pris en charge et ne pourra plus être reconnecté à son réseau natif. Il est recommandé de retirer les positions d’offre et de rembourser les positions d’emprunt afin que renFIL puisse être relié à FIL avant la date limite. Après cette date, il ne sera plus possible de convertir renFIL en FIL. <0>Plus d’informations\",\"GX8GKD\":\"Actifs\",\"GgEj+0\":\"Mode lecture seule. Connectez-vous à un portefeuille pour effectuer des transactions.\",\"GjkIKV\":\"Prend fin\",\"GoK/QN\":\"Thank you for submitting feedback!\",\"GtP2hp\":[\"L'emprunt n'est pas disponible, car vous avez activé le mode d'efficacité (E-Mode) pour la catégorie \",[\"0\"],\". Pour gérer les catégories E-Mode, visitez votre <0>tableau de bord.\"],\"H6Ma8Z\":\"Rabais\",\"HB/wfS\":[[\"tooltipText\"]],\"HKDsQN\":\"Rewards can be claimed through\",\"Ha/U5f\":\"This is a program initiated and implemented by the decentralised ZKSync community. Aave Labs does not guarantee the program and accepts no liability.\",\"HciqKU\":\"This is a program initiated and implemented by the decentralised Aave community. Aave Labs does not guarantee the program and accepts no liability.\",\"Hi6Ttn\":\"Désolé, une erreur inattendue s’est produite. En attendant, vous pouvez essayer de recharger la page, ou revenir plus tard.\",\"HkEDbS\":[[\"d\"],\"d\"],\"HmkYqM\":\"Fenêtre d'arrêt de staking\",\"HpK/8d\":\"Recharger\",\"HrnC47\":\"Enregistrer et partager\",\"HuVZMK\":\"Days\",\"HvJKMU\":[\"La ressource ne peut pas être migrée vers \",[\"marketName\"],\" v3 Marché puisque l’actif collatéral activera le mode d’isolation.\"],\"Hvwnm9\":[\"La quantité maximale disponible pour l’approvisionnement est limitée parce que le plafond d’approvisionnement du protocole est à \",[\"0\"],\"%.\"],\"I8CX2c\":\"Le montant total de vos actifs libellés en USD qui peut être utilisé comme garantie pour emprunter des actifs.\",\"IAD2SB\":[\"Prétendant \",[\"symbol\"]],\"IG9X9/\":\"L’emprunt de cet actif est limité à un certain montant afin de minimiser l’insolvabilité du pool de liquidités.\",\"IOIx8L\":\"Il est prévu que cet actif soit désactivé en raison d’une décision de gouvernance du protocole Aave. <0>Plus d’informations\",\"IP+I/j\":\"Période de recharge\",\"IaA40H\":\"Liquidation à\",\"J/hVSQ\":[[\"0\"]],\"JCoxL6\":\"Gérer l’analytique\",\"JK9zf1\":[\"Intérêts composés estimés, y compris l’escompte pour le jalonnement \",[\"0\"],\"AAVE dans le module de sécurité.\"],\"JOqFba\":[\"Déjalonnement \",[\"symbol\"]],\"JPrLjO\":\"Vous ne pouvez pas utiliser cette devise comme garantie\",\"JU6q+W\":\"Récompense(s) à réclamer\",\"JYKRJS\":\"Stake\",\"JZMxX0\":\"Pas assez de solde sur votre portefeuille\",\"Jgflkm\":\"Get GHO\",\"JoMQnI\":\"Solde du portefeuille\",\"JtwD8u\":\"Emprunter le solde après le remboursement\",\"JumYTK\":\"Supplied assets\",\"K05qZY\":\"Retrait et échange\",\"KAz/NV\":\"Le plafond d’endettement du protocole est de 100% pour cet actif. Il n’est pas possible d’emprunter davantage sur cet actif.\",\"KLXVqE\":[\"Les tokens stETH seront migrés vers Wrapped stETH à l’aide du wrapper Lido Protocol, ce qui entraîne une modification de l’équilibre de l’offre après la migration : \",[\"0\"]],\"KLd6ky\":\"Use connected account\",\"KRpokz\":\"VOIR TX\",\"KSlpka\":\"Cela représente le seuil auquel une position d'emprunt sera considérée comme sous-garantie et sujette à liquidation pour chaque garantie. Par exemple, si une garantie a un seuil de liquidation de 80\xA0%, cela signifie que la position sera liquidée lorsque la valeur de la dette vaut 80 % de la valeur de la garantie.\",\"KYAjf3\":\"Isolé\",\"KZwRuD\":[[\"notifyText\"]],\"KkPgim\":\"Changement de mode E\",\"KnN1Tu\":\"Expire\",\"KoOBI2\":\"En raison de la mécanique interne de stETH requise pour le rebasage de la prise en charge, il n’est pas possible d’effectuer un changement de garantie où stETH est le jeton source.\",\"KojyJ4\":\"Mauvais réseau\",\"KsqhWn\":\"Staking\",\"KuBTQq\":\"Entrez l'adresse ETH\",\"KvG1xW\":\"Réclamer\",\"L+8Lzs\":\"LTV actuelle\",\"L+qiq+\":\"Marché\",\"LDzfVJ\":\"Send Feedback\",\"LIrMcF\":\"Pas de pouvoir de vote\",\"LL0zks\":\"Peut être collatéral\",\"LLdJWu\":\"AAVE Réclamable\",\"LSIpNK\":\"Emprunter et rembourser dans le même bloc n'est pas autorisé\",\"LVt3TI\":[\"<0>Tolérance de glissement <1>\",[\"selectedSlippage\"],\"% <2>\",[\"0\"],\"\"],\"LjafV8\":\"Maximum collateral amount to use\",\"LtpQew\":\"Let us know how we can make the app better for you. For user support related inquiries please reach out on\",\"LvVpD/\":\"Emode\",\"M2sknc\":\"Astuce : Essayez d’augmenter le glissement ou de réduire la quantité d’entrée\",\"M7wPsD\":\"Interrupteur\",\"MFu33y\":\"Staking 00\",\"MIy2RJ\":\"Maximum amount received\",\"MZ/nQf\":\"Adresse du destinataire\",\"Ma/MtY\":\"vue de staking\",\"McHlGl\":\"Changement d’APY\",\"MeCCA+\":\"APY, variable\",\"MghdTe\":\"Si le facteur de santé descend en dessous de 1, la liquidation de votre collatéral peut être déclenchée.\",\"Mm/DVQ\":\"Vous avez annulé la transaction.\",\"MnE2QX\":\"Emprunter des informations\",\"MrmQHg\":\"View Bridge Transactions\",\"MuDFEQ\":\"Valeur de retour invalide de la fonction flashloan executor\",\"N5kUMV\":\"L’actif ne peut être utilisé comme garantie qu’en mode isolé avec un pouvoir d’emprunt limité. Pour passer en mode d’isolation, désactivez toutes les autres garanties.\",\"N6Pxr9\":\"View all\",\"NF0e1Q\":\"En attente...\",\"NK9ikO\":\"Solde du portefeuille\",\"NMt2CB\":\"Montant réclamable\",\"NcFGxG\":\"Contrat de collectionneur\",\"NfpPeS\":\"Rien staké\",\"Nh9DAo\":[[\"m\"],\"m\"],\"O+sCUU\":\"Le plafond de mintage non soutenu est dépassé\",\"O+tyU+\":[\"Le montant maximal disponible pour emprunter sur cet actif est limité car le plafond de la dette est à \",[\"0\"],\"%.\"],\"O3oNi5\":\"Email\",\"OFjZGo\":\"Unstake\",\"OR8cYX\":\"Aperçu de la proposition\",\"OYuJ9K\":\"Le plafond d’endettement du protocole est de 100% pour cet actif. Il n’est pas possible d’emprunter sur cet actif.\",\"OfhWJH\":\"Réinitialisation\",\"Og2SKn\":\"handicapé\",\"On0aF2\":\"Site internet\",\"OsyKSt\":\"Retirer\",\"P1dURE\":\"Révoquer le pouvoir\",\"P2WCD/\":[\"L’actif sous-jacent n’existe pas dans \",[\"marketName\"],\" v3 Market, par conséquent, cette position ne peut pas être migrée.\"],\"P2sL6B\":\"Lorsqu'une liquidation survient, les liquidateurs remboursent jusqu'à 50 % de l'encours emprunté au nom de l'emprunteur. En contrepartie, ils peuvent acheter le collatéral à prix réduit et conserver la différence (pénalité de liquidation) en bonus.\",\"P6sRoL\":\"Mise en jeu ABPT\",\"P72/OW\":\"La moyenne pondérée de l'APY pour tous les actifs empruntés, y compris les incitatifs.\",\"P7e6Ug\":\"Veuillez connecter votre portefeuille pour consulter l’historique des transactions.\",\"PByO0X\":\"Votes\",\"PI+kVe\":\"Disable fork\",\"PJK9u/\":\"Emprunter apy\",\"PLUB/s\":\"Fee\",\"PP5ZA8\":[\"Participating in staking \",[\"symbol\"],\" gives annualized rewards. Your wallet balance is the sum of your aTokens and underlying assets. The breakdown to stake is below\"],\"PcBUgb\":\"Seuil de liquidation\",\"PjU6bu\":\"This asset is eligible for SPK incentive program. Aave Labs does not guarantee the program and accepts no liability.\",\"PpqD5g\":\"L'activation de cet actif comme garantie augmente votre pouvoir d'emprunt et votre facteur de santé. Cependant, il peut être liquidé si votre facteur de santé tombe en dessous de 1.\",\"PsOFSf\":\"Cette action réduira le facteur de santé V2 en dessous du seuil de liquidation. Conservez la garantie ou migrez la position d’emprunt pour continuer.\",\"Pu4bI/\":[[\"currentMethod\"]],\"Q0LzKi\":\"View TX\",\"Q4eNqa\":\"The Aave Balancer Pool Token (ABPT) is a liquidity pool token. You can receive ABPT by depositing a combination of AAVE + wstETH in the Balancer liquidity pool. You can then stake your BPT in the Safety Module to secure the protocol and earn Safety Incentives.\",\"QQYsQ7\":\"Withdrawing\",\"QWYCs/\":\"Stake GHO\",\"R+30X3\":\"Non atteint\",\"RCU5PY\":\"Age\",\"RIfckG\":[\"Désactiver \",[\"symbol\"],\" comme garantie\"],\"RMtxNk\":\"Différentiel\",\"RNK49r\":\"Signature non valide\",\"RS0o7b\":\"État\",\"RU+LqV\":\"Détails de la proposition\",\"RYTgZX\":\"lorem ipsum\",\"RbXH+k\":\"AAVE, GHO, and ABPT holders (Ethereum network only) can stake their assets in the Safety Module to add more security to the protocol and earn Safety Incentives. In the case of a shortfall event, your stake can be slashed to cover the deficit, providing an additional layer of protection for the protocol.\",\"RiSYV4\":\"L'actif n'est pas répertorié\",\"Rj01Fz\":\"Liens\",\"RmWFEe\":\"APR staké\",\"RoafuO\":\"Envoyer des commentaires\",\"RtBLm7\":\"Le facteur santé est inférieur au seuil de liquidation\",\"RxzN1M\":\"Activé\",\"SDav7h\":\"Fonds dans le Safety Module\",\"SENccp\":\"Si l’erreur persiste,<0/> vous pouvez la signaler à ce\",\"SIWumd\":\"Afficher les ressources gelées ou mises en pause\",\"SM58dD\":\"Quantité en temps de recharge\",\"SSMiac\":\"Impossible de charger les votants de proposition. Veuillez rafraîchir la page.\",\"SSQVIz\":\"Seuil de liquidation\",\"SUb8x0\":\"Total disponible\",\"SWIgh4\":\"Fees exceed wallet balance\",\"SY9hVo\":\"Le mode lecture seule permet de voir les positions d’adresses dans Aave, mais vous ne pourrez pas effectuer de transactions.\",\"SZRUQ4\":\"Glissement maximal\",\"Sa1UE/\":\"Le plafond d’emprunt du protocole est de 100 % pour cet actif. Il n’est pas possible d’emprunter davantage.\",\"Sk2zW9\":\"Désactiver le E-mode\",\"SxaD0o\":\"Le fournisseur d'adresses de pool n'est pas enregistré\",\"T/AIqG\":\"Limite d’approvisionnement du protocole à 100 % pour cet actif. D’autres approvisionnements ne sont pas disponibles.\",\"T0xCO9\":\"Can't validate the wallet address. Try again.\",\"T4OhVl\":\"GHO balance\",\"T6uYU2\":\"Emprunter\",\"TFxQlw\":\"Pénalité de liquidation\",\"TQ7WsV\":\"Available to stake\",\"TUI7iB\":\"L'actif ne peut être utilisé comme garantie qu'en mode isolé.\",\"TbjyhA\":\"Docs\",\"TduuS0\":\"L'utilisateur n'a pas de dette à taux stable impayée sur cette réserve\",\"TeCFg/\":\"Modification du taux d’emprunt\",\"Tg1JyO\":\"Bridge history\",\"TskbEN\":\"Les détenteurs de stkAAVE bénéficient d’une réduction sur le taux d’emprunt GHO\",\"TszKts\":\"Emprunter le solde après le changement\",\"TtZL6q\":\"Paramètres du modèle de remise\",\"TwJI9F\":\"Asset has been successfully sent to CCIP contract. You can check the status of the transactions below\",\"Tz0GSZ\":\"Activités bloquées\",\"U/eBjN\":\"Recharger la page\",\"U2r8nY\":\"Choose how much voting/proposition power to give to someone else by delegating some of your AAVE, stkAAVE or aAave balance. Your tokens will remain in your account, but your delegate will be able to vote or propose on your behalf. If your AAVE, stkAAVE or aAave balance changes, your delegate's voting/proposition power will be automatically adjusted.\",\"U8IubP\":\"L’application s’exécute en mode réseau de test. Découvrez comment cela fonctionne dans\",\"U9btTk\":\"L'actif n'est pas empruntable en mode d'isolement\",\"UAOZRe\":\"L’impact sur les prix est l’écart entre la valeur totale des tokens d’entrée échangés et les tokens de destination obtenus (en USD), qui résulte de la liquidité limitée de la paire de trading.\",\"UE3KJZ\":\"L’historique des transactions n’est actuellement pas disponible pour ce marché\",\"URmyfc\":\"Détails\",\"UTTKmT\":\"Temps de recharge de la mise activé\",\"UXeR72\":\"Ces fonds ont été empruntés et ne peuvent pas être retirés pour le moment.\",\"UYb8CM\":\"Learn more about the SPK rewards\",\"UbRrG0\":\"Le ratio LTV maximum représente le pouvoir d'emprunt maximum d'une garantie spécifique. Par exemple, si une garantie a un LTV de 75 %, l'utilisateur peut emprunter jusqu'à 0,75 ETH dans la devise principale pour chaque 1 ETH de garantie.\",\"UpndFj\":\"Aucune récompense à réclamer\",\"V0f2Xv\":\"Facteur de réserve\",\"V1HK43\":\"Risques liés à la migration\",\"VATFH9\":\"Dette couverte\",\"VHOVEJ\":\"Connecter le portefeuille\",\"VMfYUK\":\"Sécurité de votre garantie déposée contre les actifs empruntés et sa valeur sous-jacente.\",\"VOAZJh\":\"Total des emprunts\",\"ViKYxK\":\"YAE\",\"W1SSoD\":\"Examiner les détails de la transaction\",\"W5hVah\":\"Rien fourni pour le moment\",\"W5kTFy\":\"Vote\",\"W8ekPc\":\"Retour au tableau de bord\",\"WMPbRK\":\"Sans support\",\"WNGZwH\":\"E-Mode augmente votre LTV pour une catégorie d'actifs sélectionnée jusqu'à <0/>. <1>En savoir plus\",\"WPWG/y\":\"Statut et configuration de la réserve\",\"WZLQSU\":\"L'utilisateur ne peut pas retirer plus que le solde disponible\",\"WaZyaV\":\"<0>Ampleforth est un actif de rebasage. Consultez la <1>documentation pour en savoir plus.\",\"WfU+XN\":\"Étant donné que cette ressource est suspendue, aucune action ne peut être entreprise jusqu’à nouvel ordre\",\"Wjmqs2\":\"No results found. You can import a custom token with a contract address\",\"WkZ6C6\":\"Pour emprunter, vous devez fournir tout actif à utiliser comme garantie.\",\"WyMiQm\":\"Vous avez réussi à changer de jeton.\",\"X/ITG9\":\"Copier le texte d'erreur\",\"X3Pp6x\":\"Utilisé comme collatéral\",\"X4Zt7j\":\"L'action ne peut pas être effectuée car la réserve est mise en pause\",\"XBdKOj\":\"Representative smart contract wallet (ie. Safe) addresses on other chains.\",\"XZzneG\":\"Vous quitterez le mode d'isolement et d'autres jetons peuvent désormais être utilisés comme collatéral\",\"Xg5y9S\":\"Amount to Bridge\",\"Xn4hUi\":\"Veuillez toujours tenir compte de votre <0>facteur de santé (HF) lors de la migration partielle d’une position et que vos tarifs seront mis à jour vers les taux V3.\",\"Xy71ST\":\"Umbrella\",\"Y5kGkc\":\"VOTER NON\",\"YDIOks\":\"Activation du E-Mode\",\"YSodyW\":\"Cette action réduira votre facteur de santé. Veuillez garder à l’esprit le risque accru de liquidation des garanties.\",\"YXOWXM\":\"The total amount bridged minus CCIP fees. Paying in network token does not impact gho amount.\",\"YirHq7\":\"Feedback\",\"YogbCJ\":\"Le mode réseau de test est activé\",\"YrDxdO\":\"Si votre prêt à la valeur dépasse le seuil de liquidation, votre garantie fournie peut être liquidée.\",\"YyIM65\":\"Les conditions de rééquilibrage des taux d'intérêt n'ont pas été remplies\",\"YyydIq\":[\"Ajouter \",[\"0\"],\" à Wallet pour suivre votre solde.\"],\"ZBvhI+\":\"Gouvernance Aave\",\"ZIIRAd\":\"Raw-Ipfs\",\"ZRq4tX\":\"Mode efficacité (E-Mode)\",\"ZSqEW+\":\"Manage E-Mode\",\"ZUFYFE\":\"Désactiver le réseau de test\",\"Zbyywy\":\"Coupure maximale\",\"ZfUGFb\":\"Avant de déposer\",\"ZiXN+B\":\"Assets to stake\",\"ZlsSDH\":\"Valeur de liquidation\",\"ZrEc8j\":\"Nous n’avons trouvé aucun élément lié à votre recherche. Réessayez avec un autre nom, symbole ou adresse de ressource.\",\"ZsLF7e\":\"Activé\",\"a0YQoQ\":\"Enter a valid address\",\"a2fBZn\":\"Temps restant pour dépiquer\",\"a5RYZd\":\"La désactivation de cet actif en tant que garantie affecte votre pouvoir d'emprunt et votre facteur de santé.\",\"a7u1N9\":\"Prix\",\"a9D+6D\":\"Non jalonné\",\"aEtiwq\":\"Vote NAY\",\"aMmFE1\":\"Acheter des crypto-monnaies avec des monnaies fiduciaires\",\"aOKIms\":\"Les paramètres de tableau devraient être de même longueur ne sont pas\",\"aX31hk\":\"Votre solde est inférieur au montant sélectionné.\",\"adUsDd\":\"An error has occurred fetching the proposal.\",\"al6Pyz\":\"Dépasse la remise\",\"aoXTT7\":\"Prêt APY, variable\",\"aqX1Yp\":\"This asset is eligible for rewards through SuperFest. Aave Labs does not guarantee the program and accepts no liability.\",\"avgETN\":\"Eligible for the Merit program.\",\"b4NS3e\":\"Avertissement de période de refroidissement\",\"bNEQeI\":\"Cooldown\",\"bSruit\":\"ZKSync Ignite Program rewards are claimed through the\",\"bUUVED\":\"Actif\",\"bXQ/Og\":\"Partager sur Twitter\",\"bXr0ee\":\"Les actifs isolés ont un pouvoir d'emprunt limité et les autres actifs ne peuvent pas être utilisés comme garantie.\",\"bYmAV1\":\"Adresses\",\"bguKoJ\":\"Le montant demandé est supérieur au montant maximum du prêt en mode taux stable\",\"bwSQI0\":\"Fournir\",\"bxN6EM\":\"Impossible de désactiver le mode E\",\"bxmzSh\":\"Pas assez de collatéral pour rembourser ce montant de dette avec\",\"c91vuQ\":\"L'adresse n'est pas un contrat\",\"c97os2\":\"Aave aToken\",\"c9b44w\":\"Vous ne pouvez pas retirer ce montant car cela entraînera un appel de garantie\",\"cBc+4A\":\"Il s'agit du montant total que vous pouvez emprunter. Vous pouvez emprunter en fonction de votre garantie et jusqu'à ce que le plafond d'emprunt soit atteint.\",\"cIl5kp\":\"Votre pouvoir de vote est basé sur votre solde AAVE/stkAAVE et les délégations reçues.\",\"cLo09S\":\"Détails des risques\",\"cNT+ij\":\"L'emprunt n'est pas disponible car vous avez activé le mode Efficacité (E-Mode) et le mode Isolation. Pour gérer le mode E et le mode Isolation, rendez-vous sur votre <0>tableau de bord.\",\"cZOeBk\":\"Something went wrong fetching bridge message, please try again later.\",\"ceix5S\":\"Pour soumettre une proposition de modifications mineures du protocole, vous aurez besoin d’une puissance d’au moins 80,00 K. Si vous souhaitez modifier la base de code de base, vous aurez besoin d’une puissance de 320k. <0>Pour en savoir plus.\",\"ciybUa\":\"Vote YAE\",\"ckf7gX\":[\"Remboursement \",[\"symbole\"]],\"cp1ZDP\":[\"Bridge \",[\"symbol\"]],\"cqnmnD\":\"Taux d’intérêt effectif\",\"cqwIvs\":\"Discussion de forum\",\"csDS2L\":\"Disponible\",\"cu7Stb\":\"Vous n'avez pas participé à cette proposition\",\"dE6BLF\":\"Gouvernance\",\"dEgA5A\":\"Annuler\",\"dIsyWh\":\"Échec de la validation LTV\",\"dMtLDE\":\"À\",\"dOB5nW\":[\"La quantité maximale disponible pour la fourniture est de <0/> \",[\"0\"],\" (<1/>).\"],\"dVfODp\":\"Vous n'avez pas assez de fonds dans votre portefeuille pour rembourser le montant total. Si vous continuez à rembourser avec votre montant actuel de fonds, vous aurez toujours une petite position d'emprunt dans votre tableau de bord.\",\"dXUQFX\":\"Actifs à emprunter\",\"dgr1aY\":\"L’emprunt est désactivé en raison d’une décision de la communauté Aave. <0>Plus d’informations\",\"djsg0o\":\"Usage de collatéral\",\"dpc0qG\":\"Variable\",\"drdV8R\":\"Liquidation\",\"dxW8cS\":\"Jeton de dette Aave\",\"e4V3oW\":\"Top 10 des adresses\",\"eD8WX/\":\"L'action nécessite une réserve active\",\"eJRJ04\":\"Montant à la mise en jeu\",\"eLh0cL\":\"Le slippage est la différence entre les montants cotés et reçus en raison de l’évolution des conditions du marché entre le moment où la transaction est soumise et sa vérification.\",\"ePK91l\":\"Edit\",\"eVpCmf\":\"Récompenses de staking\",\"eVqvtf\":\"Bridge GHO\",\"eYdurp\":\"Aucune transaction n’a encore été effectuée.\",\"ebLGGN\":\"Total emprunté\",\"ecqEvn\":\"Le solde de la garantie est de 0\",\"efdrrk\":\"Disponible sur\",\"enruNF\":\"Commence\",\"eqLYiD\":\"Arrêter de staker maintenant\",\"euScGB\":\"APY avec remise appliquée\",\"evw5ha\":\"Valeur nette\",\"ezcU16\":\"Obtenir le jeton ABP\",\"f3W0Ej\":[\"Vous êtes passé au tarif \",[\"0\"]],\"fH9i8k\":\"Vous avez réussi à changer de position d’emprunt.\",\"fHcELk\":\"APR Net\",\"fMJQZK\":\"Emprunté\",\"fZ5Vnu\":\"Reçu\",\"firl9Q\":\"Votre prêt actuel à la valeur en fonction de votre collatéral fournie.\",\"flRCF/\":\"Remise sur le staking\",\"fldjW9\":\"Prévisualiser tx et migrer\",\"fsBGk0\":\"Solde\",\"fu1Dbh\":[\"Retirer \",[\"symbole\"]],\"fwjWSI\":\"Fourni\",\"fwyTMb\":\"Migrate to stkABPT v2\",\"g0mals\":\"You can not disable E-Mode because that could cause liquidation. To exit E-Mode supply or repay borrowed positions.\",\"g2UNkE\":\"Alimenté par\",\"g8KGoA\":\"Foire aux questions\",\"g9zzqS\":\"A voté NAY\",\"gDd2gk\":\"about SuperFest.\",\"gFFh9h\":\"Tout est fait !\",\"gIMJlW\":\"Mode réseau test\",\"gOzPxe\":\"Cet actif est gelé en raison d’une décision de gouvernance du protocole Aave. <0>Plus d’informations\",\"gTHi2T\":\"L'utilisateur essaie d'emprunter plusieurs actifs, y compris un en silo\",\"gVW59Y\":\"Veuillez connecter votre portefeuille pour obtenir des ressources de réseau de test gratuites.\",\"gcFNxP\":\"Approuver Confirmé\",\"gncRUO\":\"Cette adresse est bloquée sur app.aave.com car elle est associée à un ou plusieurs\",\"goff7V\":\"Adresse zéro non-valide\",\"gp+f1B\":\"Variante 3\",\"gr8mYw\":\"Vous pouvez emprunter jusqu’à GHO à <0/> <1/> (rabais maximum)\",\"gvTM4B\":\"L'APY net est l'effet combiné de toutes les positions d'offre et d'emprunt sur la valeur nette, y compris les incitations. Il est possible d'avoir un APY net négatif si l'APY de la dette est supérieur à l'APY de l'offre.\",\"gzcch9\":\"Frais de protocole de pont invalide\",\"h33MxW\":\"Representing smart contract wallet (ie. Safe) addresses on other chains.\",\"h3ilK+\":\". .CSV\",\"hB23LY\":\"Activer le temps de recharge\",\"hIJzBh\":\"Available to Claim\",\"hIS4N0\":\"APY Net\",\"hRWvpI\":\"Revendiqué\",\"hdmy/o\":\"Le % de votre pouvoir d'emprunt total utilisé. Ceci est basé sur le montant de votre garantie fournie et le montant total que vous pouvez emprunter.\",\"hehnjM\":\"Montant\",\"hjDCQr\":\"Il y a eu une erreur. Veuillez essayer de modifier les paramètres ou <0><1>copier l'erreur\",\"hom7qf\":\"Réclamer\",\"hpHJ4I\":\"Garantie liquidée\",\"hpuVIp\":\"Users who stake AAVE in Safety Module (i.e. stkAAVE holders) receive a discount on GHO borrow interest rate.\",\"huQ6Tz\":[\"Emprunter \",[\"symbole\"]],\"hxi7vE\":\"Emprunter le solde\",\"i2JTiw\":\"Vous pouvez saisir un montant personnalisé dans le champ.\",\"iB5+/J\":\"À propos de GHO\",\"iChbOF\":\"Paramètres de prêt flash incohérents\",\"iEPVHF\":\"Pas assez de pouvoir de vote pour participer à cette proposition\",\"iEW87X\":\"Délégation de pouvoirs\",\"iEju36\":[\"Vous avez voté \",[\"0\"]],\"iFq2YN\":\"Borrowable\",\"iGxyIA\":\"Safety Module\",\"iMVZk9\":\"Sélectionner la tolérance de glissement\",\"iPMIoT\":\"Entrez un montant\",\"iSLIjg\":\"Connect\",\"iUo5rv\":\"tokens n'est pas la même chose que de les staker . Si vous souhaitez staker votre\",\"iZxa38\":\"Utilisez-le pour voter pour ou contre les propositions actives.\",\"if5PH+\":\"Informations sur le collectionneur\",\"igkfR1\":[\"En mode Isolation, vous ne pouvez pas fournir d’autres actifs en garantie. Un plafond d’endettement global limite le pouvoir d’emprunt de l’actif isolé. Pour quitter le mode d’isolement, désactivez \",[\"0\"],\" en garantie avant d’emprunter un autre actif. Pour en savoir plus, consultez notre <0>FAQ\"],\"il0sEG\":\"L'utilisation du collatéral est limitée en raison du mode d'isolation.\",\"j+K1Xj\":\"Amount After Fee\",\"jA2QeW\":\"Fournir votre\",\"jFi7dz\":\"Interest rate that is determined by Aave Governance. This rate may be changed over time depending on the need for the GHO supply to contract/expand. <0>Learn more\",\"jG3UJ7\":\"Désactiver le E-mode\",\"jKYzR1\":\"Activer le E-Mode\",\"jMam5g\":[[\"0\"],\" Balance\"],\"jSYv+Z\":\"Enabling E-Mode allows you to maximize your borrowing power, however, borrowing is restricted to assets within the selected category. <0>Learn more about how it works and the applied restrictions.\",\"jaKbwW\":[[\"s\"],\"s\"],\"jbFMap\":\"Temps de recharge restant\",\"jeMZNr\":[[\"0\"],\" Le service de rampe d’accès est fourni par le fournisseur externe et, en le sélectionnant, vous acceptez les conditions du fournisseur. Votre accès au service peut dépendre de l’opérationnalité du fournisseur externe.\"],\"jfl9OP\":\"Migré\",\"jmXdoY\":\"En E-Mode, certains actifs ne sont pas empruntables. Quittez le E-mode pour accéder à tous les actifs\",\"jpctdh\":\"Vue\",\"jqzUyM\":\"Non disponible\",\"k/sb6z\":\"Choisir la langue\",\"k3wP3f\":\"<0>Attention: Les changements de paramètres via la gouvernance peuvent modifier le facteur de santé de votre compte et le risque de liquidation. Suivez le <1>forum de gouvernance d’Aave pour les mises à jour.\",\"kACpF3\":[\"Réclamer \",[\"0\"]],\"kH6wUX\":\"Impact sur les prix\",\"kIC28N\":\"Available to claim\",\"kIpSye\":[[\"numSelected\"],\"/\",[\"numAvailable\"],\" Actifs sélectionnés\"],\"kN1Yg5\":\"Pour rembourser au nom d'un utilisateur, un montant explicite à rembourser est nécessaire\",\"kRTD40\":[\"Montant de remboursement à atteindre \",[\"0\"],\"% d’utilisation\"],\"kjN9tT\":\"Le plafond d'approvisionnement est dépassé\",\"knxE+G\":\". JSON (en anglais seulement)\",\"ks2LWT\":\"Le plafond de la dette n'est pas nul\",\"kwwn6i\":\"Les utilisateurs qui misent des AAVE dans le module de sécurité (c’est-à-dire les détenteurs de stkAAVE) bénéficient d’une réduction sur le taux d’intérêt d’emprunt de HO. La réduction s’applique à 100 GHO pour chaque 1 stkAAVE détenu. Utilisez le calculateur ci-dessous pour voir le taux d’emprunt GHO avec le rabais appliqué.\",\"kz3wtK\":\"and about SPK program\",\"kzZyM4\":\"DAI balance will be converted via DSR contracts and then supplied as sDAI. Switching incurs no additional costs and no slippage.\",\"lNVG7i\":\"Sélectionner une ressource\",\"lU2d1/\":[\"L’actif ne peut pas être migré en raison d’une liquidité insuffisante ou d’une limitation du plafond d’emprunt \",[\"marketName\"],\" v3 marché.\"],\"lVhKKI\":\"A voté YAE\",\"lWLqxB\":\"Nous n’avons trouvé aucune transaction liée à votre recherche. Réessayez avec un autre nom de ressource ou réinitialisez les filtres.\",\"lYGfRP\":\"Anglais\",\"lfEjIE\":\"En savoir plus dans notre <0>guide FAQ\",\"lt6bpt\":\"Garantie à rembourser\",\"m/IEhi\":\"Émission totale par jour\",\"m7r7Hh\":\"Sélection d’actifs d’emprunt\",\"mDDK4p\":\"Balancer Pool\",\"mIM0qu\":\"Montant prévu à rembourser\",\"mUAFd6\":\"Variante 2\",\"masO5Z\":\"E-Mode increases your LTV for a selected category of assets. <0>Learn more\",\"mdNjKU\":[\"Votre \",[\"name\"],\" Le portefeuille est vide. Acheter ou transférer des actifs ou utiliser <0>\",[\"0\"],\" pour transférer votre \",[\"network\"],\" actif.\"],\"muiOng\":[\"Acheter \",[\"cryptoSymbol\"],\" avec Fiat\"],\"mvCXBY\":\"Mise en jeu AAVE\",\"mwdzil\":\"D'accord, fermer\",\"mzI/c+\":\"Télécharger\",\"mzdIia\":\"L'actif ne peut pas être utilisé comme collatéral.\",\"n+SX4g\":\"Développeurs\",\"n8Psk4\":\"Nous n’avons pas pu détecter de portefeuille. Connectez un portefeuille pour staker et consulter votre solde.\",\"nJIhzm\":\"Fournir apy\",\"nJgsQu\":\"Avec un pouvoir de vote de <0/>\",\"nLC6tu\":\"Français\",\"nN2T8p\":\"During the cooldown period, you will not earn any merit rewards. However, rewards earned up to this point will remain unaffected.\",\"nNHV0z\":\"La migration simultanée de plusieurs garanties et d’actifs empruntés peut s’avérer coûteuse et peut échouer dans certaines situations. <0>Par conséquent, il n’est pas recommandé de migrer des positions avec plus de 5 actifs (déposés + empruntés) en même temps.\",\"nNbnzu\":\"Proposition\",\"nOy4ob\":\"Nous vous suggérons de revenir au tableau de bord.\",\"nPGNMh\":\"Peut être exécuté\",\"nUK1ou\":[\"Assets with zero LTV (\",[\"0\"],\") must be withdrawn or disabled as collateral to perform this action\"],\"nakd8r\":\"Les détenteurs de stkAAVE bénéficient d’une réduction sur le taux d’emprunt GHO\",\"nh2EJK\":[\"Veuillez passer à \",[\"networkName\"],\".\"],\"njBeMm\":\"Les deux\",\"noN5Xf\":\"We couldn’t detect a wallet. Connect a wallet to view your staking positions and rewards.\",\"ntkAoE\":\"Remise appliquée pour <0/> le staking d’AAVE\",\"ntyFSE\":[[\"h\"],\"h\"],\"nwtY4N\":\"Quelque chose s’est mal passé\",\"nxyWvj\":\"Le retrait de ce montant réduira votre facteur santé et augmentera le risque de liquidation.\",\"o17QVP\":\"Votre facteur de santé et votre prêt à la valeur déterminent l'assurance de votre collatéral. Pour éviter les liquidations, vous pouvez fournir plus de garanties ou rembourser les positions d'emprunt.\",\"o1xc2V\":\"L'approvisionnement en aTokens n'est pas nul\",\"o4tCu3\":\"Emprunter de l’APY\",\"o5ooMr\":\"Dette\",\"o7J4JM\":\"Filtrer\",\"oHFrpj\":\"Temps de recharge pour déstaker\",\"oJ5ZiG\":\"L'utilisateur n'a pas de dette à taux variable impayée sur cette réserve\",\"oRBGin\":\"Veuillez connecter votre portefeuille pour pouvoir échanger vos jetons.\",\"oUwXhx\":\"Ressources de test\",\"oWklJD\":\"Le taux d'intérêt stable <0>restera le même pendant toute la durée de votre prêt. Recommandé pour les périodes de prêt à long terme et pour les utilisateurs qui préfèrent la prévisibilité.\",\"odnIK3\":\"Time remaining until the 48 hour withdraw period starts.\",\"oiK5nY\":\"The current incentives period, decided on by the Aave community, has ended. Governance is in the process on renewing, check for updates. <0>Learn more.\",\"olREoo\":\"All borrow positions outside of this category must be closed to enable this category.\",\"om/XHs\":\"Disponible au dépôt\",\"ov0+mq\":\"Eligible for the ZKSync Ignite program.\",\"ovT1pF\":[\"Per the community, the \",[\"market\"],\" has been frozen.\"],\"ow3fug\":\"Rien n’a été trouvé\",\"owSsI3\":\"Signatures prêtes\",\"p+R52m\":\"Accéder à Balancer Pool\",\"p2A+s1\":[\"La période de recharge est de \",[\"0\"],\". Après \",[\"1\"],\" de temps de recharge, vous entrerez dans la fenêtre de désengagement de \",[\"2\"],\". Vous continuerez à recevoir des récompenses pendant le temps de recharge et la fenêtre de retrait.\"],\"p2S64u\":\"Le ratio prêt/valeur des positions migrées entraînerait la liquidation. Augmenter les garanties migrées ou réduire les emprunts migrés pour continuer.\",\"p2Z2Qi\":\"Cet actif a atteint son plafond d'emprunt. Rien n'est disponible pour être emprunté à ce marché.\",\"p3j+mb\":\"Votre solde de récompenses est de 0\",\"p45alK\":\"Configurer la délégation\",\"p6u2s1\":\"Minimum amount of debt to be repaid\",\"pDgeaz\":[[\"title\"]],\"pdZqBk\":\"Le solde sous-jacent doit être supérieur à 0\",\"pgWG9H\":\"Pas assez de solde staké\",\"piPrJ7\":\"veuillez vérifier que le montant que vous souhaitez fournir n'est pas actuellement utilisé pour le staking. S'il est utilisé pour le staking, votre transaction peut échouer.\",\"pjO/iH\":\"Minimum amount received\",\"pooutM\":\"Voting is on\",\"pqaM5s\":\"Confirming transaction\",\"ptaxX3\":[\"Je comprends comment fonctionnent le temps de recharge (\",[\"0\"],\") et le retrait (\",[\"1\"],\")\"],\"py2iiY\":\"L'appelant de cette fonction doit être un pool\",\"q/51mF\":\"Migrer vers la V3\",\"q3df11\":\"Stratégie de taux d’intérêt\",\"q6lAbz\":\"Staké\",\"qB4kPi\":\"Fournir APY\",\"qENI8q\":\"Paramètres globaux\",\"qGz5zl\":\"Solde de garantie après remboursement\",\"qOqbD6\":\"copier l'erreur\",\"qXCkEM\":\"Veuillez connecter votre portefeuille pour voir vos fournitures, vos emprunts et vos positions ouvertes.\",\"qY2jnw\":\"Expiration invalide\",\"qf/fr+\":\"Intérêts courus\",\"quYPUU\":\"Variable interest rate will <0>fluctuate based on the market conditions.\",\"quzIeW\":\"User is in isolation mode or LTV is zero\",\"qvnz3q\":\"Montant non valide à brûler\",\"rHgdb0\":\"Migrate to Aave V3\",\"rOrHHe\":\"Le montant doit être supérieur à 0\",\"rQ+R+0\":\"Sélection d’actifs d’approvisionnement\",\"rSayea\":\"APY\",\"rTBDeu\":[\"L’actif ne peut pas être migré car vous disposez d’une garantie isolée dans \",[\"marketName\"],\" v3 Marché qui limite les actifs empruntables. Vous pouvez gérer vos garanties dans <0>\",[\"marketName\"],\" Tableau de bord V3\"],\"rcT+yy\":\"Afficher les actifs avec 0 solde\",\"rf8POi\":\"Montant de l’actif emprunté\",\"riNWOA\":\"E-Mode\",\"rjGI/Q\":\"Vie privée\",\"rnKPW1\":\"Watch a wallet balance in read-only mode\",\"ruc7X+\":\"Ajoutez stkAAVE pour voir l’APY d’emprunt avec la remise\",\"rvbaFU\":[\"Bridging \",[\"symbol\"]],\"rwVVB7\":\"Réclamez toutes les récompenses\",\"rwyUva\":\"Ces actifs sont temporairement gelés ou suspendus par des décisions de la communauté Aave, ce qui signifie qu’il n’est pas possible d’obtenir / emprunter ou d’échanger des taux de ces actifs. Les retraits et les remboursements de dettes sont autorisés. Suivez le <0>forum de gouvernance d’Aave pour d’autres mises à jour.\",\"rxJW5W\":\"Votre pouvoir de proposition est basé sur votre solde AAVE/stkAAVE et les délégations reçues.\",\"s2jJnW\":\"You don't have any bridge transactions\",\"s5wBAq\":[\"Unstake \",[\"symbol\"]],\"sJbIdI\":\"Enter ETH address or ENS\",\"sK+Nag\":\"Réviser tx\",\"sP2+gB\":\"NON\",\"sQv06Y\":\"pour\",\"sTtO6J\":\"Confirm transaction\",\"sXKb3l\":\"Exchange rate\",\"sb0q4+\":\"Vous unstaké ici\",\"smJNwH\":\"Disponible à emprunter\",\"solypO\":\"Le facteur de santé n'est pas inférieur au seuil\",\"sr0UJD\":\"Retourner\",\"ss5GCK\":\"L'adresse du fournisseur d'adresses du pool n'est pas valide\",\"swEgK4\":\"Vos informations de vote\",\"t+wtgf\":\"Aucun emprunt pour l'instant\",\"t/YqKh\":\"Remove\",\"t81DpC\":[\"Approuver \",[\"symbol\"],\" pour continuer\"],\"tCnbEs\":\"Prix Oracle\",\"tFZLf8\":\"Ce calcul de gaz n'est qu'une estimation. Votre portefeuille fixera le prix de la transaction. Vous pouvez modifier les paramètres de gaz directement depuis votre fournisseur de portefeuille.\",\"tHuvQI\":\"Accéder au tableau de bord V3\",\"tKv7cI\":\"Changer de position d’emprunt\",\"tOcg3N\":\"Étant donné que cet actif est gelé, les seules actions disponibles sont le retrait et le remboursement, accessibles depuis le <0>tableau de bord\",\"tOuXfv\":[\"Emprunter le montant à atteindre \",[\"0\"],\"% d’utilisation\"],\"te9Bfl\":\"S'il vous plaît, connectez votre portefeuille\",\"tt5yma\":\"Vos ressources\",\"ttoh5c\":\"Passer à\",\"u3ZeYl\":\"La transaction a échoué\",\"u706uF\":\"Prime flash non valide\",\"u8Gfu7\":[\"Aucun résultat de recherche\",[\"0\"]],\"uAQUqI\":\"Status\",\"uHMwk8\":\"Aucune ressource n’a été sélectionnée pour la migration.\",\"uJPHuY\":\"Migration\",\"uY8O30\":\"Pour continuer, vous devez autoriser les contrats intelligents Aave à déplacer vos fonds depuis votre portefeuille. En fonction de l’actif et du portefeuille que vous utilisez, cela se fait en signant le message d’autorisation (sans gaz) ou en soumettant une transaction d’approbation (nécessite du gaz). <0>Pour en savoir plus\",\"udFheE\":\"For repayment of a specific type of debt, the user needs to have debt that type\",\"ulNuNq\":\"Exporter des données vers\",\"ulup2p\":\"Acheter des crypto-monnaies avec des monnaies fiduciaires\",\"umICAY\":\"<0><1><2/>Ajoutez stkAAVE pour voir le taux d’emprunt avec escompte\",\"usB84Z\":\"Le montant maximum disponible pour emprunter est limité car le plafond d’emprunt du protocole est presque atteint.\",\"uwAUvj\":\"COPIER L’IMAGE\",\"v8x7Mg\":\"Garantie insuffisante pour couvrir une nouvelle position d’emprunt. Le portefeuille doit avoir une capacité d’emprunt restante pour effectuer le transfert de dette.\",\"vEqxH9\":\"Restauré\",\"vLyv1R\":\"Cacher\",\"vMba49\":\"L'emprunt n'est pas activé\",\"vMpNwt\":\"Approuvez avec\",\"vXIe7J\":\"Language\",\"vesuBJ\":\"Vous permet de décider si vous souhaitez utiliser un actif fourni en tant que collatéral. Un actif utilisé comme collatéral affectera votre pouvoir d'emprunt et votre Health Factor.\",\"w+V9Cx\":\"Stablecoin\",\"w/JtJ3\":\"L'offre de dette stable n'est pas nulle\",\"w4VBY+\":\"Récompenses APR\",\"w9dLMW\":[[\"label\"]],\"wAOL+X\":[\"Vous \",[\"action\"],\" <0/> \",[\"symbole\"]],\"wBIsjb\":\"Canal Discord\",\"wQZbc/\":\"L'appelant de la fonction n'est pas un AToken\",\"wRRqvW\":\"Vous n'avez pas de fournitures dans cette devise\",\"wZFvVU\":\"VOTER OUI\",\"wb/r1O\":[\"Faucet \",[\"0\"]],\"wdxz7K\":\"Source\",\"weH1nG\":\"Le protocole Aave est programmé pour toujours utiliser le prix de 1 GHO = 1 $. C’est différent de l’utilisation des prix du marché via des oracles pour d’autres actifs cryptographiques. Cela crée des opportunités d’arbitrage stabilisatrices lorsque le prix du GHO fluctue.\",\"wh7Ezv\":\"You have no AAVE/stkAAVE/aAave balance to delegate.\",\"wlsIx7\":\"Avec testnet Faucet, vous pouvez obtenir des ressources gratuites pour tester le protocole Aave. Assurez-vous de changer votre fournisseur de portefeuille pour le réseau de test approprié, sélectionnez l’actif souhaité et cliquez sur «\xA0Faucet\xA0» pour obtenir des jetons transférés vers votre portefeuille. Les actifs d’un réseau de test ne sont pas « réels », ce qui signifie qu’ils n’ont aucune valeur monétaire. <0>Pour en savoir plus\",\"wmE285\":\"Get ABP v2 Token\",\"wyRrcJ\":\"As a result of governance decisions, this ABPT staking pool is now deprecated. You have the flexibility to either migrate all of your tokens to v2 or unstake them without any cooldown period.\",\"x5KiLL\":\"Les ressources sélectionnées ont été migrées avec succès. Rendez-vous sur le tableau de bord du marché pour les voir.\",\"x7F2p6\":\"Différentiel de courant\",\"x7K5ib\":[\"Votre \",[\"networkName\"],\" Le portefeuille est vide. Obtenir un test gratuit \",[\"0\"],\" à\"],\"x9iLRD\":\"tokens, veuillez vous rendre sur\",\"xNy/UG\":\"Rembourser avec\",\"xPm8wv\":\"En savoir plus sur les risques encourus\",\"xXYpZl\":[[\"0\"],\" Faucet\"],\"xaVBSS\":\"Vos informations\",\"xaWZ6f\":\"Changement de type APY\",\"xh6k71\":\"L’utilisation des garanties est limitée en raison du mode d’isolation.\",\"xvIklc\":\"Flashloan est désactivé pour cet actif, cette position ne peut donc pas être migrée.\",\"y5rS9U\":\"Émigrer\",\"y66tBm\":[\"Activer \",[\"symbol\"],\" comme collatéral\"],\"yB1YpA\":\"Mode Sombre\",\"yCrG6m\":\"Taille totale du marché\",\"yJUUbn\":\"Aperçu des transactions\",\"yLGmLX\":[\"Remise en jeu \",[\"symbol\"]],\"yW1oWB\":\"APY type\",\"yYHqJe\":\"Pas une adresse valide\",\"yZwLw6\":\"Suivre le portefeuille\",\"yh2sjd\":[\"Impact sur les prix \",[\"0\"],\"%\"],\"yhvj6d\":\"Vous ne pouvez pas changer d'utilisation en tant que mode de garantie pour cette devise, car cela entraînera un appel de garantie\",\"ylmtBZ\":\"The app is running in fork mode.\",\"ymNY32\":[\"Il n'y a pas assez de fonds dans la \",[\"0\"],\" réserve pour emprunter\"],\"yz7wBu\":\"Fermer\",\"z4uGQg\":\"Le plafond de la dette est dépassé\",\"z5UQOM\":\"La garantie choisie ne peut être liquidée\",\"z5Y+p6\":[\"Fournir \",[\"symbole\"]],\"zCjNKs\":\"L'action ne peut pas être effectuée car la réserve est gelée\",\"zRHytX\":\"Plafond de la dette isolée\",\"zTOjMP\":\"La limite d’approvisionnement du protocole est de 100 % pour cet actif. D’autres approvisionnements ne sont pas disponibles.\",\"zVdRUG\":\"Submission did not work, please try again later or contact wecare@avara.xyz\",\"zevmS2\":\"<0><1><2/>Ajoutez <3/> stkAAVE pour emprunter à <4/> (remise maximale)\",\"zgtIDV\":\"Dette restante\",\"zmTPiV\":\"Bilan d'approvisionnement\",\"zpPbZl\":\"Paramètres du risque de liquidation\",\"zucql+\":\"Menu\",\"zwWKhA\":\"Apprendre encore plus\",\"zy9fXn\":[\"L’actif est gelé \",[\"marketName\"],\" v3, donc cette position ne peut pas être migrée.\"],\"zys+R6\":\"Faites attention à la congestion du réseau et aux prix de l’essence.\",\"zzzTXS\":\"Merit Program rewards are claimed through the\"}")}; \ No newline at end of file +/*eslint-disable*/module.exports={messages:JSON.parse("{\"+0xecS\":[\"Si vous NE vous désengagez PAS dans les \",[\"0\"],\" de la fenêtre de désengagement, vous devrez réactiver le processus de refroidissement.\"],\"+EGVI0\":\"Recevoir (est.)\",\"+VR63W\":[\"Participer à cette réserve \",[\"symbol\"],\" donne des récompenses annualisées.\"],\"+bmKdK\":\"Use your AAVE, stkAAVE, or aAave balance to delegate your voting and proposition powers. You will not be sending any tokens, only the rights to vote and propose changes to the protocol. You can re-delegate or revoke power to self at any time.\",\"+eOPG+\":\"On dirait que nous ne pouvons pas changer de réseau automatiquement. Veuillez vérifier si vous pouvez le changer depuis le portefeuille.\",\"+i3Pd2\":\"Limite d'emprunt\",\"+kLZGu\":\"Montant de l’actif fourni\",\"+nuEh/\":\"Estimated time\",\"+xMFF8\":\"Remind me\",\"/57U31\":\"Amount to migrate\",\"/7ykiW\":\"Emprunter ce montant réduira votre facteur santé et augmentera le risque de liquidation.\",\"/YA5pU\":\"E-Mode increases your LTV for a selected category of assets, meaning that when E-mode is enabled, you will have higher borrowing power over assets of the same E-mode category which are defined by Aave Governance. You can enter E-Mode from your <0>Dashboard. To learn more about E-Mode and applied restrictionn, see the <1>help guide or the <2>Aave V3 Technical Paper.\",\"/izjs/\":\"Montant minimum d’Aave mis en jeu\",\"/jQctM\":\"To\",\"/lDBHm\":\"FAQ\",\"/yNlZf\":\"L'emprunt stable n'est pas activé\",\"/yQcJM\":\"Valeur totale\",\"00AB2i\":\"L'utilisateur n'a pas emprunté la devise spécifiée\",\"00OflG\":\"Il n’y a pas assez de liquidités pour que l’actif cible puisse effectuer le changement. Essayez de réduire le montant.\",\"08/rZ9\":\"La période de recharge est le temps nécessaire avant de retirer vos jetons (20 jours). Vous ne pouvez retirer vos actifs du module de sécurité qu’après la période de recharge et pendant la période de désenjeu. <0>Pour en savoir plus\",\"0AmQcW\":\"Changement de taux\",\"0BF3yK\":\"Désolé, nous n’avons pas trouvé la page que vous cherchiez.\",\"0TAbjq\":\"Recent Transactions\",\"0jhlyw\":\"Risque de liquidation\",\"0ojY+Y\":\"Solde actuel v2\",\"0thX3P\":\"Modification des garanties\",\"0wGCWc\":\"Il s'agit du montant total que vous pouvez emprunter. Vous pouvez emprunter en fonction de votre garantie et jusqu'à ce que le plafond d'emprunt soit atteint.\",\"1AsVfF\":\"À l’heure actuelle, les données sur les prix ne sont pas disponibles pour cette réserve dans le sous-graphe du protocole\",\"1LjK22\":\"Historique des transactions\",\"1Onqx8\":[\"Approuver \",[\"symbol\"],\"...\"],\"1Ue8sX\":\"Veuillez connecter un portefeuille pour afficher vos informations personnelles ici.\",\"1bpx9A\":\"...\",\"1kWUB+\":\"Seuil de liquidation <0/>\",\"1m9Qqc\":\"Retrait et changement\",\"1oyh4g\":\"Borrow rate\",\"1t7rez\":\"L’offre d’actifs est limitée à un certain montant afin de réduire l’exposition du protocole à l’actif et d’aider à gérer les risques encourus.\",\"2CAPu2\":\"Vous avez retiré et échangé des jetons avec succès.\",\"2Eoi/a\":\"Voir détails\",\"2FYpfJ\":\"Plus\",\"2O3qp5\":\"Liquidités disponibles\",\"2OM8/D\":[\"L’actif ne peut pas être migré en raison d’une restriction de plafond d’approvisionnement dans \",[\"marketName\"],\" v3 marché.\"],\"2Q4GU4\":\"Adresse bloquée\",\"2ZGocC\":\"Aave est un protocole entièrement décentralisé et régi par la communauté par les détenteurs de jetons AAVE. Les détenteurs de jetons AAVE discutent, proposent et votent collectivement sur les mises à niveau du protocole. Les détenteurs de jetons AAVE (réseau Ethereum uniquement) peuvent soit voter eux-mêmes sur de nouvelles propositions, soit choisir l’adresse de leur choix. Pour en savoir plus, consultez la page Gouvernance\",\"2a6G7d\":\"Veuillez saisir une adresse de portefeuille valide.\",\"2bAhR7\":\"Rencontrez GHO\",\"2eBWE6\":\"Je reconnais les risques encourus.\",\"2o/xRt\":\"Plafond d'approvisionnement sur la réserve cible atteint. Essayez de réduire le montant.\",\"2uJToh\":[[\"0\"],[\"name\"]],\"2x58bP\":\"L'emprunt stable est activé\",\"34Qfwy\":\"Le plafond d'emprunt est dépassé\",\"39eQRj\":[\"Emprunter \",[\"symbole\"]],\"3BL1xB\":\"Total fourni\",\"3BnIWi\":\"Commuté\",\"3K0oMo\":\"Offre restante\",\"3MoZhl\":\"Il n'y a pas assez de collatéral pour couvrir un nouvel emprunt\",\"3Np5O8\":[\"Fournir \",[\"symbole\"]],\"3O8YTV\":\"Total des intérêts courus\",\"3mXg0z\":\"Max LTV\",\"3q3mFy\":\"Rembourser\",\"3qsjtp\":\"La moyenne pondérée de l'APY pour tous les actifs fournis, y compris les incitations.\",\"3rL+os\":\"Vous ne pouvez retirer vos actifs du module de sécurité qu'après la fin de la période de refroidissement et que la fenêtre de retrait est active.\",\"42UgDM\":[\"Migrer vers \",[\"0\"],\" Marché v3\"],\"49UFQA\":\"Résultats du vote\",\"4DMZUI\":\"Afficher les transactions\",\"4HtGBb\":\"MAX\",\"4Y5H+g\":\"Petits caractères\",\"4YYh4d\":\"Maximum available to borrow\",\"4iPAI3\":\"Montant minimum d’emprunt GHO\",\"4lDFps\":\"Signez pour continuer\",\"4wyw8H\":\"Transactions\",\"5JSSxX\":[\"Votre \",[\"networkName\"],\" Le portefeuille est vide. Obtenez des ressources de test gratuites à l’adresse suivante :\"],\"5K7kGO\":\"documentation\",\"5NOSGa\":\"Le plafond de la dette limite le montant que les utilisateurs du protocole peuvent emprunter sur cet actif. Le plafond de la dette est spécifique aux actifs isolés et est indiqué en USD.\",\"5Ncc6j\":[\"Cet actif a presque atteint son plafond d'offre. Il ne peut y avoir que \",[\"messageValue\"],\" fourni à ce marché.\"],\"5cZ/KX\":\"L'offre de dette variable n'est pas nulle\",\"5che++\":\"Pour demander l'accès à ce marché autorisé, veuillez consulter\xA0: <0>Nom du fournisseur d'accès\",\"5ctNdV\":[\"Minimum \",[\"0\"],\" reçu\"],\"5hDe9v\":\"Allocation action requise\",\"5rsnKT\":\"Récompenses disponibles\",\"5yC5m5\":\"Voir tous les votes\",\"6/dCYd\":\"Aperçu\",\"60crCe\":\"Toutes les transactions\",\"62Xcjh\":\"Collatérale\",\"65A04M\":\"Espagnol\",\"6G8s+q\":\"Signature\",\"6Jrv+z\":[\"Rembourser \",[\"symbole\"]],\"6NGLTR\":\"Montant actualisable\",\"6Xr0UU\":\"Refroidissement...\",\"6bxci/\":\"Pouvoir de vote\",\"6f8S68\":\"Marchés\",\"6g1gi0\":\"Les propositions\",\"6gvoHP\":\"Copier le message d’erreur\",\"6h3Q5G\":\"Remboursé\",\"6lFSyT\":\"Available to Stake\",\"6s8L6f\":\"Changer de réseau\",\"6yAAbq\":\"APY, borrow rate\",\"70wH1Q\":\"APR\",\"72c5Qo\":\"Total\",\"73Auuq\":\"Les paramètres de remise sont décidés par la communauté Aave et peuvent être modifiés au fil du temps. Consultez la section Gouvernance pour les mises à jour et votez pour participer. <0>Pour en savoir plus\",\"75qcAQ\":[[\"stepName\"]],\"7ITr5L\":\"Facteur de santé\",\"7T/o5R\":\"Atteint\",\"7YlcXu\":\"Fork mode is ON\",\"7Z76Iw\":\"L’emprunt n’est pas disponible car vous utilisez le mode Isolation. Pour gérer le mode d’isolation, rendez-vous sur votre <0>tableau de bord.\",\"7aKlMS\":\"Partager sur Lens\",\"7er5fP\":\"Réclamer tout\",\"7hb2+s\":\"Time remaining until the withdraw period ends.\",\"7l88b8\":\"Les données n’ont pas pu être récupérées, veuillez recharger le graphique.\",\"7p5kLi\":\"Tableau de bord\",\"7sofdl\":\"Retrait et échange\",\"8+6BI0\":\"Soyez prudent - Vous êtes très proche de la liquidation. Envisagez de déposer plus de collatéral ou de rembourser certaines de vos positions empruntées\",\"87pUEW\":[\"Votre \",[\"name\"],\" Le portefeuille est vide. Acheter ou transférer des actifs.\"],\"8F1i42\":\"Page introuvable\",\"8G8M0u\":\"Chargement des données...\",\"8Iu1QS\":\"Retiré\",\"8JL93T\":\"Toutes les propositions\",\"8Q51DU\":\"Ajouter au portefeuille\",\"8X/oyn\":\"Montant invalide à frapper\",\"8Z5FPv\":\"Déconnecter le portefeuille\",\"8Zz7s5\":\"actifs\",\"8aLW8H\":\"Solde à révoquer\",\"8bOT3H\":\"Taux d'utilisation\",\"8sLe4/\":\"Voir le contrat\",\"8t/M0y\":\"Please connect your wallet to be able to bridge your tokens.\",\"8vETh9\":\"Montrer\",\"94OHPx\":\"Vous entrez en mode Isolation\",\"9CDK3/\":[\"L'emprunt n'est actuellement pas disponible pour \",[\"0\"],\".\"],\"9GIj3z\":\"Taille de réserve\",\"9Knqb4\":\"Solde de mise en jeu\",\"9OBKm7\":\"Quorum\",\"9QHoGr\":\"Votes actuels\",\"9Rw96f\":[\"Cet actif a presque atteint son plafond d'emprunt. Il n'y a que \",[\"messageValue\"],\" disponible pour être emprunté sur ce marché.\"],\"9Xj/qR\":[\"Certaines ressources migrées ne seront pas utilisées comme garantie en raison de l’activation du mode d’isolement dans \",[\"marketName\"],\" Marché V3. Visite <0>\",[\"marketName\"],\" Tableau de bord V3 pour gérer le mode d’isolation.\"],\"9c6vDV\":\"Cet actif a atteint son plafond d'offre. Rien n'est disponible pour être fourni à partir de ce marché.\",\"9kTWHA\":\"L’AMI a été suspendu en raison d’une décision de la communauté. L’offre, les emprunts et les remboursements sont impactés. <0>Plus d’informations\",\"9lXchd\":\"Jeton sous-jacent\",\"9rWaKF\":\"Bridged Via CCIP\",\"9xSooW\":\"Comme il s'agit d'un réseau de test, vous pouvez obtenir n'importe lequel des actifs si vous avez ETH dans votre portefeuille\",\"A/lwoe\":\"Choisissez l’un des services de rampe d’accès\",\"A6dCI6\":[\"Le montant maximal disponible pour emprunter est de <0/> \",[\"0\"],\" (<1/>).\"],\"AReoaV\":\"Vos emprunts\",\"ARu1L4\":\"Remboursé\",\"AV7cGz\":\"Examiner les détails de la taxe d'approbation\",\"AZOjB8\":\"Récupération de données...\",\"Ai0jas\":\"Rejoignez la discussion de la communauté\",\"Ajl2rq\":\"Le pouvoir d'emprunt et les actifs sont limités en raison du mode d'isolement.\",\"AqgYNC\":\"Plafond d’emprunt du protocole à 100% pour cet actif. Il n’est pas possible d’emprunter davantage.\",\"B3EcQR\":\"Merci d’avoir voté\xA0!!\",\"B6aXGH\":\"Stable\",\"B9Gqbz\":\"Taux variable\",\"BDFEd+\":\"Les stETH fournis en garantie continueront d’accumuler des récompenses de staking fournies par les rebasages quotidiens.\",\"BE2mP0\":\"Borrowed assets\",\"BJyN77\":\"Due to health factor impact, a flashloan is required to perform this transaction, but Aave Governance has disabled flashloan availability for this asset. Try lowering the amount or supplying additional collateral.\",\"BNL4Ep\":\"L'utilisation de la garantie est limitée en raison du mode d'isolement. <0>En savoir plus\",\"BQ/wCO\":\"Migrate your assets\",\"BjLdl1\":\"À prix réduit\",\"BnhYo8\":\"Catégorie d'actifs\",\"Bq9Y7e\":\"Cet actif est gelé en raison d’une décision de la communauté Aave. <0>Plus d’informations\",\"BqWMDJ\":\"Faucet\",\"BqynZO\":\"Optimized for efficiency and risk by supporting blue-chip collateral assets\",\"Bsu7zX\":\"The fee includes the gas cost to complete the transaction on the destination chain and the fee paid to Chainlink CCIP service providers. You can chose to pay in the network token or GHO. <0>Learn more\",\"BwJKBw\":\"de\",\"CDrsH+\":\"Fiche technique\",\"CK1KXz\":\"Max\",\"CMHmbm\":\"Glissement\",\"CZXzs4\":\"Grec\",\"CcRNG6\":\"Transistor\",\"CkTRmy\":[\"Revendication \",[\"symbol\"]],\"CsqtLm\":\"Veuillez connecter votre portefeuille pour voir l’outil de migration.\",\"CtGlFb\":[[\"networkName\"],\" Robinet\"],\"Cxt2YY\":\"Watch wallet\",\"D33VQU\":\"Cette action réduira le facteur de santé de V3 en dessous du seuil de liquidation. Augmenter les garanties migrées ou réduire les emprunts migrés pour continuer.\",\"D9BLRG\":\"This asset has been paused due to a community decision. Supply, withdraw, borrows and repays are impacted.\",\"DAma/S\":\"La garantie est (principalement) la même devise que celle qui est empruntée\",\"DCnFg0\":[\"Adresses (\",[\"0\"],\")\"],\"DG3Lv1\":\"Je comprends parfaitement les risques liés à la migration.\",\"DONJcV\":\"L'actif sous-jacent ne peut pas être sauvé\",\"DR+4uL\":\"Bilan de l’alimentation après le changement\",\"DWjrck\":[\"La ressource ne peut pas être migrée vers \",[\"marketName\"],\" V3 Market en raison des restrictions du mode E. Vous pouvez désactiver ou gérer les catégories du mode E dans votre <0>tableau de bord V3\"],\"Dj+3wB\":\"Aave par mois\",\"DuEq2K\":\"Collatéralisation\",\"DxfsGs\":\"Vous pouvez signaler un incident sur notre <0>Discord ou<1>Github.\",\"Dzma+E\":\"Main Ethereum market with the largest selection of assets and yield options\",\"E/QGRL\":\"Désactivé\",\"EBL9Gz\":\"COPIÉ!\",\"ES8dkb\":\"Taux fixe\",\"EZd3Dk\":[\"Reprise \",[\"symbol\"]],\"Ebgc76\":[\"Retrait \",[\"symbole\"]],\"EdQY6l\":\"Aucun/Aucune\",\"EjvKQ+\":\"Valeur minimale en USD reçue\",\"Enslfm\":\"Destination\",\"EvE9nO\":[\"Réactiver la période de recharge pour annuler le pieu \",[\"0\"],\" \",[\"stakedToken\"]],\"EvECnL\":\"Migrer vers la v3\",\"EzMQbh\":\"The source chain time to finality is the main factor that determines the time to destination. <0>Learn more\",\"F40cwT\":\"Legacy Markets\",\"F6TdXL\":\"Pour en savoir plus.\",\"FDDPeZ\":\"Users can stake their assets in the protocol and earn incentives. In the case of a shortfall event, your stake can be slashed to cover the deficit, providing an additional layer of protection for the protocol.\",\"FHlMf/\":\"Solde actuel de la v2\",\"FHpxjF\":[\"Le facteur de réserve est un pourcentage de l’intérêt qui va à un \",[\"0\"],\" qui est contrôlé par la gouvernance Aave pour promouvoir la croissance de l’écosystème.\"],\"FOBZa6\":\"Puissance d'emprunt utilisée\",\"FPKEug\":\"Opération non prise en charge\",\"FbmMe7\":\"Linked addresses\",\"Fdp03t\":\"sur\",\"Fjw9N+\":\"Actifs à déposer\",\"FmN0fk\":\"Remise en jeu\",\"GDGLIs\":\"GHO est un actif numérique natif décentralisé et adossé à des garanties, indexé sur le dollar américain. Il est créé par les utilisateurs en empruntant contre plusieurs garanties. Lorsque l’utilisateur rembourse sa position d’emprunt de HO, le protocole brûle le GHO de cet utilisateur. Tous les paiements d’intérêts accumulés par les minters de GHO seraient directement transférés à la trésorerie d’AaveDAO.\",\"GQrBTq\":\"Changer de mode E\",\"GWswcZ\":\"Cet actif est gelé en raison d’une décision de gouvernance du protocole Aave. Le 20 décembre 2022, renFIL ne sera plus pris en charge et ne pourra plus être reconnecté à son réseau natif. Il est recommandé de retirer les positions d’offre et de rembourser les positions d’emprunt afin que renFIL puisse être relié à FIL avant la date limite. Après cette date, il ne sera plus possible de convertir renFIL en FIL. <0>Plus d’informations\",\"GX8GKD\":\"Actifs\",\"GgEj+0\":\"Mode lecture seule. Connectez-vous à un portefeuille pour effectuer des transactions.\",\"GjkIKV\":\"Prend fin\",\"GoK/QN\":\"Thank you for submitting feedback!\",\"GtP2hp\":[\"L'emprunt n'est pas disponible, car vous avez activé le mode d'efficacité (E-Mode) pour la catégorie \",[\"0\"],\". Pour gérer les catégories E-Mode, visitez votre <0>tableau de bord.\"],\"H6Ma8Z\":\"Rabais\",\"HB/wfS\":[[\"tooltipText\"]],\"HKDsQN\":\"Rewards can be claimed through\",\"Ha/U5f\":\"This is a program initiated and implemented by the decentralised ZKSync community. Aave Labs does not guarantee the program and accepts no liability.\",\"HciqKU\":\"This is a program initiated and implemented by the decentralised Aave community. Aave Labs does not guarantee the program and accepts no liability.\",\"Hi6Ttn\":\"Désolé, une erreur inattendue s’est produite. En attendant, vous pouvez essayer de recharger la page, ou revenir plus tard.\",\"HkEDbS\":[[\"d\"],\"d\"],\"HmkYqM\":\"Fenêtre d'arrêt de staking\",\"HpK/8d\":\"Recharger\",\"HrnC47\":\"Enregistrer et partager\",\"HuVZMK\":\"Days\",\"HvJKMU\":[\"La ressource ne peut pas être migrée vers \",[\"marketName\"],\" v3 Marché puisque l’actif collatéral activera le mode d’isolation.\"],\"Hvwnm9\":[\"La quantité maximale disponible pour l’approvisionnement est limitée parce que le plafond d’approvisionnement du protocole est à \",[\"0\"],\"%.\"],\"I8CX2c\":\"Le montant total de vos actifs libellés en USD qui peut être utilisé comme garantie pour emprunter des actifs.\",\"IAD2SB\":[\"Prétendant \",[\"symbol\"]],\"IG9X9/\":\"L’emprunt de cet actif est limité à un certain montant afin de minimiser l’insolvabilité du pool de liquidités.\",\"IOIx8L\":\"Il est prévu que cet actif soit désactivé en raison d’une décision de gouvernance du protocole Aave. <0>Plus d’informations\",\"IP+I/j\":\"Période de recharge\",\"IaA40H\":\"Liquidation à\",\"J/hVSQ\":[[\"0\"]],\"JCoxL6\":\"Gérer l’analytique\",\"JK9zf1\":[\"Intérêts composés estimés, y compris l’escompte pour le jalonnement \",[\"0\"],\"AAVE dans le module de sécurité.\"],\"JOqFba\":[\"Déjalonnement \",[\"symbol\"]],\"JPrLjO\":\"Vous ne pouvez pas utiliser cette devise comme garantie\",\"JU6q+W\":\"Récompense(s) à réclamer\",\"JYKRJS\":\"Stake\",\"JZMxX0\":\"Pas assez de solde sur votre portefeuille\",\"Jgflkm\":\"Get GHO\",\"JoMQnI\":\"Solde du portefeuille\",\"JtwD8u\":\"Emprunter le solde après le remboursement\",\"JumYTK\":\"Supplied assets\",\"K05qZY\":\"Retrait et échange\",\"KAz/NV\":\"Le plafond d’endettement du protocole est de 100% pour cet actif. Il n’est pas possible d’emprunter davantage sur cet actif.\",\"KLXVqE\":[\"Les tokens stETH seront migrés vers Wrapped stETH à l’aide du wrapper Lido Protocol, ce qui entraîne une modification de l’équilibre de l’offre après la migration : \",[\"0\"]],\"KLd6ky\":\"Use connected account\",\"KRpokz\":\"VOIR TX\",\"KSlpka\":\"Cela représente le seuil auquel une position d'emprunt sera considérée comme sous-garantie et sujette à liquidation pour chaque garantie. Par exemple, si une garantie a un seuil de liquidation de 80\xA0%, cela signifie que la position sera liquidée lorsque la valeur de la dette vaut 80 % de la valeur de la garantie.\",\"KYAjf3\":\"Isolé\",\"KZwRuD\":[[\"notifyText\"]],\"KkPgim\":\"Changement de mode E\",\"KnN1Tu\":\"Expire\",\"KoOBI2\":\"En raison de la mécanique interne de stETH requise pour le rebasage de la prise en charge, il n’est pas possible d’effectuer un changement de garantie où stETH est le jeton source.\",\"KojyJ4\":\"Mauvais réseau\",\"KsqhWn\":\"Staking\",\"KuBTQq\":\"Entrez l'adresse ETH\",\"KvG1xW\":\"Réclamer\",\"L+8Lzs\":\"LTV actuelle\",\"L+qiq+\":\"Marché\",\"LDzfVJ\":\"Send Feedback\",\"LIrMcF\":\"Pas de pouvoir de vote\",\"LL0zks\":\"Peut être collatéral\",\"LLdJWu\":\"AAVE Réclamable\",\"LSIpNK\":\"Emprunter et rembourser dans le même bloc n'est pas autorisé\",\"LVt3TI\":[\"<0>Tolérance de glissement <1>\",[\"selectedSlippage\"],\"% <2>\",[\"0\"],\"\"],\"LjafV8\":\"Maximum collateral amount to use\",\"LtpQew\":\"Let us know how we can make the app better for you. For user support related inquiries please reach out on\",\"LvVpD/\":\"Emode\",\"M2sknc\":\"Astuce : Essayez d’augmenter le glissement ou de réduire la quantité d’entrée\",\"M7wPsD\":\"Interrupteur\",\"MFu33y\":\"Staking 00\",\"MIy2RJ\":\"Maximum amount received\",\"MZ/nQf\":\"Adresse du destinataire\",\"Ma/MtY\":\"vue de staking\",\"McHlGl\":\"Changement d’APY\",\"MeCCA+\":\"APY, variable\",\"MghdTe\":\"Si le facteur de santé descend en dessous de 1, la liquidation de votre collatéral peut être déclenchée.\",\"Mm/DVQ\":\"Vous avez annulé la transaction.\",\"MnE2QX\":\"Emprunter des informations\",\"MrmQHg\":\"View Bridge Transactions\",\"MuDFEQ\":\"Valeur de retour invalide de la fonction flashloan executor\",\"N5kUMV\":\"L’actif ne peut être utilisé comme garantie qu’en mode isolé avec un pouvoir d’emprunt limité. Pour passer en mode d’isolation, désactivez toutes les autres garanties.\",\"N6Pxr9\":\"View all\",\"NF0e1Q\":\"En attente...\",\"NK9ikO\":\"Solde du portefeuille\",\"NMt2CB\":\"Montant réclamable\",\"NcFGxG\":\"Contrat de collectionneur\",\"NfpPeS\":\"Rien staké\",\"Nh9DAo\":[[\"m\"],\"m\"],\"O+sCUU\":\"Le plafond de mintage non soutenu est dépassé\",\"O+tyU+\":[\"Le montant maximal disponible pour emprunter sur cet actif est limité car le plafond de la dette est à \",[\"0\"],\"%.\"],\"O3oNi5\":\"Email\",\"OFjZGo\":\"Unstake\",\"OR8cYX\":\"Aperçu de la proposition\",\"OYuJ9K\":\"Le plafond d’endettement du protocole est de 100% pour cet actif. Il n’est pas possible d’emprunter sur cet actif.\",\"OfhWJH\":\"Réinitialisation\",\"Og2SKn\":\"handicapé\",\"On0aF2\":\"Site internet\",\"OsyKSt\":\"Retirer\",\"P1dURE\":\"Révoquer le pouvoir\",\"P2WCD/\":[\"L’actif sous-jacent n’existe pas dans \",[\"marketName\"],\" v3 Market, par conséquent, cette position ne peut pas être migrée.\"],\"P2sL6B\":\"Lorsqu'une liquidation survient, les liquidateurs remboursent jusqu'à 50 % de l'encours emprunté au nom de l'emprunteur. En contrepartie, ils peuvent acheter le collatéral à prix réduit et conserver la différence (pénalité de liquidation) en bonus.\",\"P6sRoL\":\"Mise en jeu ABPT\",\"P72/OW\":\"La moyenne pondérée de l'APY pour tous les actifs empruntés, y compris les incitatifs.\",\"P7e6Ug\":\"Veuillez connecter votre portefeuille pour consulter l’historique des transactions.\",\"PByO0X\":\"Votes\",\"PI+kVe\":\"Disable fork\",\"PJK9u/\":\"Emprunter apy\",\"PLUB/s\":\"Fee\",\"PP5ZA8\":[\"Participating in staking \",[\"symbol\"],\" gives annualized rewards. Your wallet balance is the sum of your aTokens and underlying assets. The breakdown to stake is below\"],\"PcBUgb\":\"Seuil de liquidation\",\"PjU6bu\":\"This asset is eligible for SPK incentive program. Aave Labs does not guarantee the program and accepts no liability.\",\"PpqD5g\":\"L'activation de cet actif comme garantie augmente votre pouvoir d'emprunt et votre facteur de santé. Cependant, il peut être liquidé si votre facteur de santé tombe en dessous de 1.\",\"PsOFSf\":\"Cette action réduira le facteur de santé V2 en dessous du seuil de liquidation. Conservez la garantie ou migrez la position d’emprunt pour continuer.\",\"Pu4bI/\":[[\"currentMethod\"]],\"Q0LzKi\":\"View TX\",\"Q4eNqa\":\"The Aave Balancer Pool Token (ABPT) is a liquidity pool token. You can receive ABPT by depositing a combination of AAVE + wstETH in the Balancer liquidity pool. You can then stake your BPT in the Safety Module to secure the protocol and earn Safety Incentives.\",\"QQYsQ7\":\"Withdrawing\",\"QWYCs/\":\"Stake GHO\",\"R+30X3\":\"Non atteint\",\"RCU5PY\":\"Age\",\"RIfckG\":[\"Désactiver \",[\"symbol\"],\" comme garantie\"],\"RMtxNk\":\"Différentiel\",\"RNK49r\":\"Signature non valide\",\"RS0o7b\":\"État\",\"RU+LqV\":\"Détails de la proposition\",\"RYTgZX\":\"lorem ipsum\",\"RbXH+k\":\"AAVE, GHO, and ABPT holders (Ethereum network only) can stake their assets in the Safety Module to add more security to the protocol and earn Safety Incentives. In the case of a shortfall event, your stake can be slashed to cover the deficit, providing an additional layer of protection for the protocol.\",\"RiSYV4\":\"L'actif n'est pas répertorié\",\"Rj01Fz\":\"Liens\",\"RmWFEe\":\"APR staké\",\"RoafuO\":\"Envoyer des commentaires\",\"RtBLm7\":\"Le facteur santé est inférieur au seuil de liquidation\",\"RxzN1M\":\"Activé\",\"SDav7h\":\"Fonds dans le Safety Module\",\"SENccp\":\"Si l’erreur persiste,<0/> vous pouvez la signaler à ce\",\"SIWumd\":\"Afficher les ressources gelées ou mises en pause\",\"SM58dD\":\"Quantité en temps de recharge\",\"SSMiac\":\"Impossible de charger les votants de proposition. Veuillez rafraîchir la page.\",\"SSQVIz\":\"Seuil de liquidation\",\"SUb8x0\":\"Total disponible\",\"SWIgh4\":\"Fees exceed wallet balance\",\"SY9hVo\":\"Le mode lecture seule permet de voir les positions d’adresses dans Aave, mais vous ne pourrez pas effectuer de transactions.\",\"SZRUQ4\":\"Glissement maximal\",\"Sa1UE/\":\"Le plafond d’emprunt du protocole est de 100 % pour cet actif. Il n’est pas possible d’emprunter davantage.\",\"Sk2zW9\":\"Désactiver le E-mode\",\"SxaD0o\":\"Le fournisseur d'adresses de pool n'est pas enregistré\",\"T/AIqG\":\"Limite d’approvisionnement du protocole à 100 % pour cet actif. D’autres approvisionnements ne sont pas disponibles.\",\"T0xCO9\":\"Can't validate the wallet address. Try again.\",\"T4OhVl\":\"GHO balance\",\"T6uYU2\":\"Emprunter\",\"TFxQlw\":\"Pénalité de liquidation\",\"TQ7WsV\":\"Available to stake\",\"TUI7iB\":\"L'actif ne peut être utilisé comme garantie qu'en mode isolé.\",\"TbjyhA\":\"Docs\",\"TduuS0\":\"L'utilisateur n'a pas de dette à taux stable impayée sur cette réserve\",\"TeCFg/\":\"Modification du taux d’emprunt\",\"Tg1JyO\":\"Bridge history\",\"TskbEN\":\"Les détenteurs de stkAAVE bénéficient d’une réduction sur le taux d’emprunt GHO\",\"TszKts\":\"Emprunter le solde après le changement\",\"TtZL6q\":\"Paramètres du modèle de remise\",\"TwJI9F\":\"Asset has been successfully sent to CCIP contract. You can check the status of the transactions below\",\"Tz0GSZ\":\"Activités bloquées\",\"U/eBjN\":\"Recharger la page\",\"U2r8nY\":\"Choose how much voting/proposition power to give to someone else by delegating some of your AAVE, stkAAVE or aAave balance. Your tokens will remain in your account, but your delegate will be able to vote or propose on your behalf. If your AAVE, stkAAVE or aAave balance changes, your delegate's voting/proposition power will be automatically adjusted.\",\"U8IubP\":\"L’application s’exécute en mode réseau de test. Découvrez comment cela fonctionne dans\",\"U9btTk\":\"L'actif n'est pas empruntable en mode d'isolement\",\"UAOZRe\":\"L’impact sur les prix est l’écart entre la valeur totale des tokens d’entrée échangés et les tokens de destination obtenus (en USD), qui résulte de la liquidité limitée de la paire de trading.\",\"UE3KJZ\":\"L’historique des transactions n’est actuellement pas disponible pour ce marché\",\"URmyfc\":\"Détails\",\"UTTKmT\":\"Temps de recharge de la mise activé\",\"UXeR72\":\"Ces fonds ont été empruntés et ne peuvent pas être retirés pour le moment.\",\"UYb8CM\":\"Learn more about the SPK rewards\",\"UbRrG0\":\"Le ratio LTV maximum représente le pouvoir d'emprunt maximum d'une garantie spécifique. Par exemple, si une garantie a un LTV de 75 %, l'utilisateur peut emprunter jusqu'à 0,75 ETH dans la devise principale pour chaque 1 ETH de garantie.\",\"UpndFj\":\"Aucune récompense à réclamer\",\"V0f2Xv\":\"Facteur de réserve\",\"V1HK43\":\"Risques liés à la migration\",\"VATFH9\":\"Dette couverte\",\"VHOVEJ\":\"Connecter le portefeuille\",\"VMfYUK\":\"Sécurité de votre garantie déposée contre les actifs empruntés et sa valeur sous-jacente.\",\"VOAZJh\":\"Total des emprunts\",\"ViKYxK\":\"YAE\",\"W1SSoD\":\"Examiner les détails de la transaction\",\"W5hVah\":\"Rien fourni pour le moment\",\"W5kTFy\":\"Vote\",\"W8ekPc\":\"Retour au tableau de bord\",\"WMPbRK\":\"Sans support\",\"WNGZwH\":\"E-Mode augmente votre LTV pour une catégorie d'actifs sélectionnée jusqu'à <0/>. <1>En savoir plus\",\"WPWG/y\":\"Statut et configuration de la réserve\",\"WZLQSU\":\"L'utilisateur ne peut pas retirer plus que le solde disponible\",\"WaZyaV\":\"<0>Ampleforth est un actif de rebasage. Consultez la <1>documentation pour en savoir plus.\",\"WfU+XN\":\"Étant donné que cette ressource est suspendue, aucune action ne peut être entreprise jusqu’à nouvel ordre\",\"Wjmqs2\":\"No results found. You can import a custom token with a contract address\",\"WkZ6C6\":\"Pour emprunter, vous devez fournir tout actif à utiliser comme garantie.\",\"WyMiQm\":\"Vous avez réussi à changer de jeton.\",\"X/ITG9\":\"Copier le texte d'erreur\",\"X3Pp6x\":\"Utilisé comme collatéral\",\"X4Zt7j\":\"L'action ne peut pas être effectuée car la réserve est mise en pause\",\"XBdKOj\":\"Representative smart contract wallet (ie. Safe) addresses on other chains.\",\"XZzneG\":\"Vous quitterez le mode d'isolement et d'autres jetons peuvent désormais être utilisés comme collatéral\",\"Xg5y9S\":\"Amount to Bridge\",\"Xn4hUi\":\"Veuillez toujours tenir compte de votre <0>facteur de santé (HF) lors de la migration partielle d’une position et que vos tarifs seront mis à jour vers les taux V3.\",\"Xy71ST\":\"Umbrella\",\"Y5kGkc\":\"VOTER NON\",\"YDIOks\":\"Activation du E-Mode\",\"YSodyW\":\"Cette action réduira votre facteur de santé. Veuillez garder à l’esprit le risque accru de liquidation des garanties.\",\"YXOWXM\":\"The total amount bridged minus CCIP fees. Paying in network token does not impact gho amount.\",\"YirHq7\":\"Feedback\",\"YogbCJ\":\"Le mode réseau de test est activé\",\"YrDxdO\":\"Si votre prêt à la valeur dépasse le seuil de liquidation, votre garantie fournie peut être liquidée.\",\"YyIM65\":\"Les conditions de rééquilibrage des taux d'intérêt n'ont pas été remplies\",\"YyydIq\":[\"Ajouter \",[\"0\"],\" à Wallet pour suivre votre solde.\"],\"ZBvhI+\":\"Gouvernance Aave\",\"ZIIRAd\":\"Raw-Ipfs\",\"ZRq4tX\":\"Mode efficacité (E-Mode)\",\"ZSqEW+\":\"Manage E-Mode\",\"ZUFYFE\":\"Désactiver le réseau de test\",\"Zbyywy\":\"Coupure maximale\",\"ZfUGFb\":\"Avant de déposer\",\"ZiXN+B\":\"Assets to stake\",\"ZlsSDH\":\"Valeur de liquidation\",\"ZrEc8j\":\"Nous n’avons trouvé aucun élément lié à votre recherche. Réessayez avec un autre nom, symbole ou adresse de ressource.\",\"ZsLF7e\":\"Activé\",\"a0YQoQ\":\"Enter a valid address\",\"a2fBZn\":\"Temps restant pour dépiquer\",\"a5RYZd\":\"La désactivation de cet actif en tant que garantie affecte votre pouvoir d'emprunt et votre facteur de santé.\",\"a7u1N9\":\"Prix\",\"a9D+6D\":\"Non jalonné\",\"aEtiwq\":\"Vote NAY\",\"aMmFE1\":\"Acheter des crypto-monnaies avec des monnaies fiduciaires\",\"aOKIms\":\"Les paramètres de tableau devraient être de même longueur ne sont pas\",\"aX31hk\":\"Votre solde est inférieur au montant sélectionné.\",\"adUsDd\":\"An error has occurred fetching the proposal.\",\"al6Pyz\":\"Dépasse la remise\",\"aoXTT7\":\"Prêt APY, variable\",\"aqX1Yp\":\"This asset is eligible for rewards through SuperFest. Aave Labs does not guarantee the program and accepts no liability.\",\"avgETN\":\"Eligible for the Merit program.\",\"b4NS3e\":\"Avertissement de période de refroidissement\",\"bNEQeI\":\"Cooldown\",\"bSruit\":\"ZKSync Ignite Program rewards are claimed through the\",\"bUUVED\":\"Actif\",\"bXQ/Og\":\"Partager sur Twitter\",\"bXr0ee\":\"Les actifs isolés ont un pouvoir d'emprunt limité et les autres actifs ne peuvent pas être utilisés comme garantie.\",\"bYmAV1\":\"Adresses\",\"bguKoJ\":\"Le montant demandé est supérieur au montant maximum du prêt en mode taux stable\",\"bwSQI0\":\"Fournir\",\"bxN6EM\":\"Impossible de désactiver le mode E\",\"bxmzSh\":\"Pas assez de collatéral pour rembourser ce montant de dette avec\",\"c91vuQ\":\"L'adresse n'est pas un contrat\",\"c97os2\":\"Aave aToken\",\"c9b44w\":\"Vous ne pouvez pas retirer ce montant car cela entraînera un appel de garantie\",\"cBc+4A\":\"Il s'agit du montant total que vous pouvez emprunter. Vous pouvez emprunter en fonction de votre garantie et jusqu'à ce que le plafond d'emprunt soit atteint.\",\"cIl5kp\":\"Votre pouvoir de vote est basé sur votre solde AAVE/stkAAVE et les délégations reçues.\",\"cLo09S\":\"Détails des risques\",\"cNT+ij\":\"L'emprunt n'est pas disponible car vous avez activé le mode Efficacité (E-Mode) et le mode Isolation. Pour gérer le mode E et le mode Isolation, rendez-vous sur votre <0>tableau de bord.\",\"cZOeBk\":\"Something went wrong fetching bridge message, please try again later.\",\"ceix5S\":\"Pour soumettre une proposition de modifications mineures du protocole, vous aurez besoin d’une puissance d’au moins 80,00 K. Si vous souhaitez modifier la base de code de base, vous aurez besoin d’une puissance de 320k. <0>Pour en savoir plus.\",\"ciybUa\":\"Vote YAE\",\"ckf7gX\":[\"Remboursement \",[\"symbole\"]],\"cp1ZDP\":[\"Bridge \",[\"symbol\"]],\"cqnmnD\":\"Taux d’intérêt effectif\",\"cqwIvs\":\"Discussion de forum\",\"csDS2L\":\"Disponible\",\"cu7Stb\":\"Vous n'avez pas participé à cette proposition\",\"dE6BLF\":\"Gouvernance\",\"dEgA5A\":\"Annuler\",\"dIsyWh\":\"Échec de la validation LTV\",\"dMtLDE\":\"À\",\"dOB5nW\":[\"La quantité maximale disponible pour la fourniture est de <0/> \",[\"0\"],\" (<1/>).\"],\"dVfODp\":\"Vous n'avez pas assez de fonds dans votre portefeuille pour rembourser le montant total. Si vous continuez à rembourser avec votre montant actuel de fonds, vous aurez toujours une petite position d'emprunt dans votre tableau de bord.\",\"dXUQFX\":\"Actifs à emprunter\",\"dgr1aY\":\"L’emprunt est désactivé en raison d’une décision de la communauté Aave. <0>Plus d’informations\",\"djsg0o\":\"Usage de collatéral\",\"dpc0qG\":\"Variable\",\"drdV8R\":\"Liquidation\",\"dxW8cS\":\"Jeton de dette Aave\",\"e4V3oW\":\"Top 10 des adresses\",\"eD8WX/\":\"L'action nécessite une réserve active\",\"eJRJ04\":\"Montant à la mise en jeu\",\"eLh0cL\":\"Le slippage est la différence entre les montants cotés et reçus en raison de l’évolution des conditions du marché entre le moment où la transaction est soumise et sa vérification.\",\"ePK91l\":\"Edit\",\"eVpCmf\":\"Récompenses de staking\",\"eVqvtf\":\"Bridge GHO\",\"eYdurp\":\"Aucune transaction n’a encore été effectuée.\",\"ebLGGN\":\"Total emprunté\",\"ecqEvn\":\"Le solde de la garantie est de 0\",\"efdrrk\":\"Disponible sur\",\"enruNF\":\"Commence\",\"eqLYiD\":\"Arrêter de staker maintenant\",\"euScGB\":\"APY avec remise appliquée\",\"evw5ha\":\"Valeur nette\",\"ezcU16\":\"Obtenir le jeton ABP\",\"f3W0Ej\":[\"Vous êtes passé au tarif \",[\"0\"]],\"fH9i8k\":\"Vous avez réussi à changer de position d’emprunt.\",\"fHcELk\":\"APR Net\",\"fMJQZK\":\"Emprunté\",\"fZ5Vnu\":\"Reçu\",\"firl9Q\":\"Votre prêt actuel à la valeur en fonction de votre collatéral fournie.\",\"flRCF/\":\"Remise sur le staking\",\"fldjW9\":\"Prévisualiser tx et migrer\",\"fsBGk0\":\"Solde\",\"fu1Dbh\":[\"Retirer \",[\"symbole\"]],\"fwjWSI\":\"Fourni\",\"fwyTMb\":\"Migrate to stkABPT v2\",\"g0mals\":\"You can not disable E-Mode because that could cause liquidation. To exit E-Mode supply or repay borrowed positions.\",\"g2UNkE\":\"Alimenté par\",\"g8KGoA\":\"Foire aux questions\",\"g9zzqS\":\"A voté NAY\",\"gDd2gk\":\"about SuperFest.\",\"gFFh9h\":\"Tout est fait !\",\"gIMJlW\":\"Mode réseau test\",\"gOzPxe\":\"Cet actif est gelé en raison d’une décision de gouvernance du protocole Aave. <0>Plus d’informations\",\"gTHi2T\":\"L'utilisateur essaie d'emprunter plusieurs actifs, y compris un en silo\",\"gVW59Y\":\"Veuillez connecter votre portefeuille pour obtenir des ressources de réseau de test gratuites.\",\"gcFNxP\":\"Approuver Confirmé\",\"gncRUO\":\"Cette adresse est bloquée sur app.aave.com car elle est associée à un ou plusieurs\",\"goff7V\":\"Adresse zéro non-valide\",\"gp+f1B\":\"Variante 3\",\"gr8mYw\":\"Vous pouvez emprunter jusqu’à GHO à <0/> <1/> (rabais maximum)\",\"gvTM4B\":\"L'APY net est l'effet combiné de toutes les positions d'offre et d'emprunt sur la valeur nette, y compris les incitations. Il est possible d'avoir un APY net négatif si l'APY de la dette est supérieur à l'APY de l'offre.\",\"gzcch9\":\"Frais de protocole de pont invalide\",\"h33MxW\":\"Representing smart contract wallet (ie. Safe) addresses on other chains.\",\"h3ilK+\":\". .CSV\",\"hB23LY\":\"Activer le temps de recharge\",\"hIJzBh\":\"Available to Claim\",\"hIS4N0\":\"APY Net\",\"hRWvpI\":\"Revendiqué\",\"hdmy/o\":\"Le % de votre pouvoir d'emprunt total utilisé. Ceci est basé sur le montant de votre garantie fournie et le montant total que vous pouvez emprunter.\",\"hehnjM\":\"Montant\",\"hjDCQr\":\"Il y a eu une erreur. Veuillez essayer de modifier les paramètres ou <0><1>copier l'erreur\",\"hom7qf\":\"Réclamer\",\"hpHJ4I\":\"Garantie liquidée\",\"hpuVIp\":\"Users who stake AAVE in Safety Module (i.e. stkAAVE holders) receive a discount on GHO borrow interest rate.\",\"huQ6Tz\":[\"Emprunter \",[\"symbole\"]],\"hxi7vE\":\"Emprunter le solde\",\"i/fZ2Z\":\"Staked Balance\",\"i2JTiw\":\"Vous pouvez saisir un montant personnalisé dans le champ.\",\"iB5+/J\":\"À propos de GHO\",\"iChbOF\":\"Paramètres de prêt flash incohérents\",\"iEPVHF\":\"Pas assez de pouvoir de vote pour participer à cette proposition\",\"iEW87X\":\"Délégation de pouvoirs\",\"iEju36\":[\"Vous avez voté \",[\"0\"]],\"iFq2YN\":\"Borrowable\",\"iGxyIA\":\"Safety Module\",\"iMVZk9\":\"Sélectionner la tolérance de glissement\",\"iPMIoT\":\"Entrez un montant\",\"iSLIjg\":\"Connect\",\"iUo5rv\":\"tokens n'est pas la même chose que de les staker . Si vous souhaitez staker votre\",\"iZxa38\":\"Utilisez-le pour voter pour ou contre les propositions actives.\",\"if5PH+\":\"Informations sur le collectionneur\",\"igkfR1\":[\"En mode Isolation, vous ne pouvez pas fournir d’autres actifs en garantie. Un plafond d’endettement global limite le pouvoir d’emprunt de l’actif isolé. Pour quitter le mode d’isolement, désactivez \",[\"0\"],\" en garantie avant d’emprunter un autre actif. Pour en savoir plus, consultez notre <0>FAQ\"],\"il0sEG\":\"L'utilisation du collatéral est limitée en raison du mode d'isolation.\",\"j+K1Xj\":\"Amount After Fee\",\"jA2QeW\":\"Fournir votre\",\"jFi7dz\":\"Interest rate that is determined by Aave Governance. This rate may be changed over time depending on the need for the GHO supply to contract/expand. <0>Learn more\",\"jG3UJ7\":\"Désactiver le E-mode\",\"jKYzR1\":\"Activer le E-Mode\",\"jMam5g\":[[\"0\"],\" Balance\"],\"jSYv+Z\":\"Enabling E-Mode allows you to maximize your borrowing power, however, borrowing is restricted to assets within the selected category. <0>Learn more about how it works and the applied restrictions.\",\"jaKbwW\":[[\"s\"],\"s\"],\"jbFMap\":\"Temps de recharge restant\",\"jeMZNr\":[[\"0\"],\" Le service de rampe d’accès est fourni par le fournisseur externe et, en le sélectionnant, vous acceptez les conditions du fournisseur. Votre accès au service peut dépendre de l’opérationnalité du fournisseur externe.\"],\"jfl9OP\":\"Migré\",\"jmXdoY\":\"En E-Mode, certains actifs ne sont pas empruntables. Quittez le E-mode pour accéder à tous les actifs\",\"jpctdh\":\"Vue\",\"jqzUyM\":\"Non disponible\",\"k/sb6z\":\"Choisir la langue\",\"k3wP3f\":\"<0>Attention: Les changements de paramètres via la gouvernance peuvent modifier le facteur de santé de votre compte et le risque de liquidation. Suivez le <1>forum de gouvernance d’Aave pour les mises à jour.\",\"kACpF3\":[\"Réclamer \",[\"0\"]],\"kH6wUX\":\"Impact sur les prix\",\"kIC28N\":\"Available to claim\",\"kIpSye\":[[\"numSelected\"],\"/\",[\"numAvailable\"],\" Actifs sélectionnés\"],\"kN1Yg5\":\"Pour rembourser au nom d'un utilisateur, un montant explicite à rembourser est nécessaire\",\"kRTD40\":[\"Montant de remboursement à atteindre \",[\"0\"],\"% d’utilisation\"],\"kjN9tT\":\"Le plafond d'approvisionnement est dépassé\",\"knxE+G\":\". JSON (en anglais seulement)\",\"ks2LWT\":\"Le plafond de la dette n'est pas nul\",\"kwwn6i\":\"Les utilisateurs qui misent des AAVE dans le module de sécurité (c’est-à-dire les détenteurs de stkAAVE) bénéficient d’une réduction sur le taux d’intérêt d’emprunt de HO. La réduction s’applique à 100 GHO pour chaque 1 stkAAVE détenu. Utilisez le calculateur ci-dessous pour voir le taux d’emprunt GHO avec le rabais appliqué.\",\"kz3wtK\":\"and about SPK program\",\"kzZyM4\":\"DAI balance will be converted via DSR contracts and then supplied as sDAI. Switching incurs no additional costs and no slippage.\",\"lNVG7i\":\"Sélectionner une ressource\",\"lU2d1/\":[\"L’actif ne peut pas être migré en raison d’une liquidité insuffisante ou d’une limitation du plafond d’emprunt \",[\"marketName\"],\" v3 marché.\"],\"lVhKKI\":\"A voté YAE\",\"lWLqxB\":\"Nous n’avons trouvé aucune transaction liée à votre recherche. Réessayez avec un autre nom de ressource ou réinitialisez les filtres.\",\"lYGfRP\":\"Anglais\",\"lfEjIE\":\"En savoir plus dans notre <0>guide FAQ\",\"lt6bpt\":\"Garantie à rembourser\",\"m/IEhi\":\"Émission totale par jour\",\"m7r7Hh\":\"Sélection d’actifs d’emprunt\",\"mDDK4p\":\"Balancer Pool\",\"mIM0qu\":\"Montant prévu à rembourser\",\"mUAFd6\":\"Variante 2\",\"masO5Z\":\"E-Mode increases your LTV for a selected category of assets. <0>Learn more\",\"mdNjKU\":[\"Votre \",[\"name\"],\" Le portefeuille est vide. Acheter ou transférer des actifs ou utiliser <0>\",[\"0\"],\" pour transférer votre \",[\"network\"],\" actif.\"],\"muiOng\":[\"Acheter \",[\"cryptoSymbol\"],\" avec Fiat\"],\"mvCXBY\":\"Mise en jeu AAVE\",\"mwdzil\":\"D'accord, fermer\",\"mzI/c+\":\"Télécharger\",\"mzdIia\":\"L'actif ne peut pas être utilisé comme collatéral.\",\"n+SX4g\":\"Développeurs\",\"n8Psk4\":\"Nous n’avons pas pu détecter de portefeuille. Connectez un portefeuille pour staker et consulter votre solde.\",\"nJIhzm\":\"Fournir apy\",\"nJgsQu\":\"Avec un pouvoir de vote de <0/>\",\"nLC6tu\":\"Français\",\"nN2T8p\":\"During the cooldown period, you will not earn any merit rewards. However, rewards earned up to this point will remain unaffected.\",\"nNHV0z\":\"La migration simultanée de plusieurs garanties et d’actifs empruntés peut s’avérer coûteuse et peut échouer dans certaines situations. <0>Par conséquent, il n’est pas recommandé de migrer des positions avec plus de 5 actifs (déposés + empruntés) en même temps.\",\"nNbnzu\":\"Proposition\",\"nOy4ob\":\"Nous vous suggérons de revenir au tableau de bord.\",\"nPGNMh\":\"Peut être exécuté\",\"nUK1ou\":[\"Assets with zero LTV (\",[\"0\"],\") must be withdrawn or disabled as collateral to perform this action\"],\"nakd8r\":\"Les détenteurs de stkAAVE bénéficient d’une réduction sur le taux d’emprunt GHO\",\"nh2EJK\":[\"Veuillez passer à \",[\"networkName\"],\".\"],\"njBeMm\":\"Les deux\",\"noN5Xf\":\"We couldn’t detect a wallet. Connect a wallet to view your staking positions and rewards.\",\"ntkAoE\":\"Remise appliquée pour <0/> le staking d’AAVE\",\"ntyFSE\":[[\"h\"],\"h\"],\"nwtY4N\":\"Quelque chose s’est mal passé\",\"nxyWvj\":\"Le retrait de ce montant réduira votre facteur santé et augmentera le risque de liquidation.\",\"o17QVP\":\"Votre facteur de santé et votre prêt à la valeur déterminent l'assurance de votre collatéral. Pour éviter les liquidations, vous pouvez fournir plus de garanties ou rembourser les positions d'emprunt.\",\"o1xc2V\":\"L'approvisionnement en aTokens n'est pas nul\",\"o4tCu3\":\"Emprunter de l’APY\",\"o5ooMr\":\"Dette\",\"o7J4JM\":\"Filtrer\",\"oHFrpj\":\"Temps de recharge pour déstaker\",\"oJ5ZiG\":\"L'utilisateur n'a pas de dette à taux variable impayée sur cette réserve\",\"oRBGin\":\"Veuillez connecter votre portefeuille pour pouvoir échanger vos jetons.\",\"oUwXhx\":\"Ressources de test\",\"oWklJD\":\"Le taux d'intérêt stable <0>restera le même pendant toute la durée de votre prêt. Recommandé pour les périodes de prêt à long terme et pour les utilisateurs qui préfèrent la prévisibilité.\",\"odnIK3\":\"Time remaining until the 48 hour withdraw period starts.\",\"oiK5nY\":\"The current incentives period, decided on by the Aave community, has ended. Governance is in the process on renewing, check for updates. <0>Learn more.\",\"olREoo\":\"All borrow positions outside of this category must be closed to enable this category.\",\"om/XHs\":\"Disponible au dépôt\",\"ov0+mq\":\"Eligible for the ZKSync Ignite program.\",\"ovT1pF\":[\"Per the community, the \",[\"market\"],\" has been frozen.\"],\"ow3fug\":\"Rien n’a été trouvé\",\"owSsI3\":\"Signatures prêtes\",\"p+R52m\":\"Accéder à Balancer Pool\",\"p2A+s1\":[\"La période de recharge est de \",[\"0\"],\". Après \",[\"1\"],\" de temps de recharge, vous entrerez dans la fenêtre de désengagement de \",[\"2\"],\". Vous continuerez à recevoir des récompenses pendant le temps de recharge et la fenêtre de retrait.\"],\"p2S64u\":\"Le ratio prêt/valeur des positions migrées entraînerait la liquidation. Augmenter les garanties migrées ou réduire les emprunts migrés pour continuer.\",\"p2Z2Qi\":\"Cet actif a atteint son plafond d'emprunt. Rien n'est disponible pour être emprunté à ce marché.\",\"p3j+mb\":\"Votre solde de récompenses est de 0\",\"p45alK\":\"Configurer la délégation\",\"p6u2s1\":\"Minimum amount of debt to be repaid\",\"pDgeaz\":[[\"title\"]],\"pdZqBk\":\"Le solde sous-jacent doit être supérieur à 0\",\"pgWG9H\":\"Pas assez de solde staké\",\"piPrJ7\":\"veuillez vérifier que le montant que vous souhaitez fournir n'est pas actuellement utilisé pour le staking. S'il est utilisé pour le staking, votre transaction peut échouer.\",\"pjO/iH\":\"Minimum amount received\",\"pooutM\":\"Voting is on\",\"pqaM5s\":\"Confirming transaction\",\"ptaxX3\":[\"Je comprends comment fonctionnent le temps de recharge (\",[\"0\"],\") et le retrait (\",[\"1\"],\")\"],\"py2iiY\":\"L'appelant de cette fonction doit être un pool\",\"q/51mF\":\"Migrer vers la V3\",\"q3df11\":\"Stratégie de taux d’intérêt\",\"q6lAbz\":\"Staké\",\"qB4kPi\":\"Fournir APY\",\"qENI8q\":\"Paramètres globaux\",\"qGz5zl\":\"Solde de garantie après remboursement\",\"qOqbD6\":\"copier l'erreur\",\"qXCkEM\":\"Veuillez connecter votre portefeuille pour voir vos fournitures, vos emprunts et vos positions ouvertes.\",\"qY2jnw\":\"Expiration invalide\",\"qf/fr+\":\"Intérêts courus\",\"quYPUU\":\"Variable interest rate will <0>fluctuate based on the market conditions.\",\"quzIeW\":\"User is in isolation mode or LTV is zero\",\"qvnz3q\":\"Montant non valide à brûler\",\"rHgdb0\":\"Migrate to Aave V3\",\"rOrHHe\":\"Le montant doit être supérieur à 0\",\"rQ+R+0\":\"Sélection d’actifs d’approvisionnement\",\"rSayea\":\"APY\",\"rTBDeu\":[\"L’actif ne peut pas être migré car vous disposez d’une garantie isolée dans \",[\"marketName\"],\" v3 Marché qui limite les actifs empruntables. Vous pouvez gérer vos garanties dans <0>\",[\"marketName\"],\" Tableau de bord V3\"],\"rcT+yy\":\"Afficher les actifs avec 0 solde\",\"rf8POi\":\"Montant de l’actif emprunté\",\"riNWOA\":\"E-Mode\",\"rjGI/Q\":\"Vie privée\",\"rnKPW1\":\"Watch a wallet balance in read-only mode\",\"ruc7X+\":\"Ajoutez stkAAVE pour voir l’APY d’emprunt avec la remise\",\"rvbaFU\":[\"Bridging \",[\"symbol\"]],\"rwVVB7\":\"Réclamez toutes les récompenses\",\"rwyUva\":\"Ces actifs sont temporairement gelés ou suspendus par des décisions de la communauté Aave, ce qui signifie qu’il n’est pas possible d’obtenir / emprunter ou d’échanger des taux de ces actifs. Les retraits et les remboursements de dettes sont autorisés. Suivez le <0>forum de gouvernance d’Aave pour d’autres mises à jour.\",\"rxJW5W\":\"Votre pouvoir de proposition est basé sur votre solde AAVE/stkAAVE et les délégations reçues.\",\"s2jJnW\":\"You don't have any bridge transactions\",\"s5wBAq\":[\"Unstake \",[\"symbol\"]],\"sJbIdI\":\"Enter ETH address or ENS\",\"sK+Nag\":\"Réviser tx\",\"sP2+gB\":\"NON\",\"sQv06Y\":\"pour\",\"sTtO6J\":\"Confirm transaction\",\"sXKb3l\":\"Exchange rate\",\"sb0q4+\":\"Vous unstaké ici\",\"smJNwH\":\"Disponible à emprunter\",\"solypO\":\"Le facteur de santé n'est pas inférieur au seuil\",\"sr0UJD\":\"Retourner\",\"ss5GCK\":\"L'adresse du fournisseur d'adresses du pool n'est pas valide\",\"swEgK4\":\"Vos informations de vote\",\"t+wtgf\":\"Aucun emprunt pour l'instant\",\"t/YqKh\":\"Remove\",\"t81DpC\":[\"Approuver \",[\"symbol\"],\" pour continuer\"],\"tCnbEs\":\"Prix Oracle\",\"tFZLf8\":\"Ce calcul de gaz n'est qu'une estimation. Votre portefeuille fixera le prix de la transaction. Vous pouvez modifier les paramètres de gaz directement depuis votre fournisseur de portefeuille.\",\"tHuvQI\":\"Accéder au tableau de bord V3\",\"tKv7cI\":\"Changer de position d’emprunt\",\"tOcg3N\":\"Étant donné que cet actif est gelé, les seules actions disponibles sont le retrait et le remboursement, accessibles depuis le <0>tableau de bord\",\"tOuXfv\":[\"Emprunter le montant à atteindre \",[\"0\"],\"% d’utilisation\"],\"te9Bfl\":\"S'il vous plaît, connectez votre portefeuille\",\"tt5yma\":\"Vos ressources\",\"ttoh5c\":\"Passer à\",\"u3ZeYl\":\"La transaction a échoué\",\"u706uF\":\"Prime flash non valide\",\"u8Gfu7\":[\"Aucun résultat de recherche\",[\"0\"]],\"uAQUqI\":\"Status\",\"uHMwk8\":\"Aucune ressource n’a été sélectionnée pour la migration.\",\"uJPHuY\":\"Migration\",\"uY8O30\":\"Pour continuer, vous devez autoriser les contrats intelligents Aave à déplacer vos fonds depuis votre portefeuille. En fonction de l’actif et du portefeuille que vous utilisez, cela se fait en signant le message d’autorisation (sans gaz) ou en soumettant une transaction d’approbation (nécessite du gaz). <0>Pour en savoir plus\",\"udFheE\":\"For repayment of a specific type of debt, the user needs to have debt that type\",\"ulNuNq\":\"Exporter des données vers\",\"ulup2p\":\"Acheter des crypto-monnaies avec des monnaies fiduciaires\",\"umICAY\":\"<0><1><2/>Ajoutez stkAAVE pour voir le taux d’emprunt avec escompte\",\"usB84Z\":\"Le montant maximum disponible pour emprunter est limité car le plafond d’emprunt du protocole est presque atteint.\",\"uwAUvj\":\"COPIER L’IMAGE\",\"v8x7Mg\":\"Garantie insuffisante pour couvrir une nouvelle position d’emprunt. Le portefeuille doit avoir une capacité d’emprunt restante pour effectuer le transfert de dette.\",\"vEqxH9\":\"Restauré\",\"vLyv1R\":\"Cacher\",\"vMba49\":\"L'emprunt n'est pas activé\",\"vMpNwt\":\"Approuvez avec\",\"vXIe7J\":\"Language\",\"vesuBJ\":\"Vous permet de décider si vous souhaitez utiliser un actif fourni en tant que collatéral. Un actif utilisé comme collatéral affectera votre pouvoir d'emprunt et votre Health Factor.\",\"w+V9Cx\":\"Stablecoin\",\"w/JtJ3\":\"L'offre de dette stable n'est pas nulle\",\"w4VBY+\":\"Récompenses APR\",\"w9dLMW\":[[\"label\"]],\"wAOL+X\":[\"Vous \",[\"action\"],\" <0/> \",[\"symbole\"]],\"wBIsjb\":\"Canal Discord\",\"wQZbc/\":\"L'appelant de la fonction n'est pas un AToken\",\"wRRqvW\":\"Vous n'avez pas de fournitures dans cette devise\",\"wZFvVU\":\"VOTER OUI\",\"wb/r1O\":[\"Faucet \",[\"0\"]],\"wdxz7K\":\"Source\",\"weH1nG\":\"Le protocole Aave est programmé pour toujours utiliser le prix de 1 GHO = 1 $. C’est différent de l’utilisation des prix du marché via des oracles pour d’autres actifs cryptographiques. Cela crée des opportunités d’arbitrage stabilisatrices lorsque le prix du GHO fluctue.\",\"wh7Ezv\":\"You have no AAVE/stkAAVE/aAave balance to delegate.\",\"wlsIx7\":\"Avec testnet Faucet, vous pouvez obtenir des ressources gratuites pour tester le protocole Aave. Assurez-vous de changer votre fournisseur de portefeuille pour le réseau de test approprié, sélectionnez l’actif souhaité et cliquez sur «\xA0Faucet\xA0» pour obtenir des jetons transférés vers votre portefeuille. Les actifs d’un réseau de test ne sont pas « réels », ce qui signifie qu’ils n’ont aucune valeur monétaire. <0>Pour en savoir plus\",\"wmE285\":\"Get ABP v2 Token\",\"wyRrcJ\":\"As a result of governance decisions, this ABPT staking pool is now deprecated. You have the flexibility to either migrate all of your tokens to v2 or unstake them without any cooldown period.\",\"x5KiLL\":\"Les ressources sélectionnées ont été migrées avec succès. Rendez-vous sur le tableau de bord du marché pour les voir.\",\"x7F2p6\":\"Différentiel de courant\",\"x7K5ib\":[\"Votre \",[\"networkName\"],\" Le portefeuille est vide. Obtenir un test gratuit \",[\"0\"],\" à\"],\"x9iLRD\":\"tokens, veuillez vous rendre sur\",\"xNy/UG\":\"Rembourser avec\",\"xPm8wv\":\"En savoir plus sur les risques encourus\",\"xXYpZl\":[[\"0\"],\" Faucet\"],\"xaVBSS\":\"Vos informations\",\"xaWZ6f\":\"Changement de type APY\",\"xh6k71\":\"L’utilisation des garanties est limitée en raison du mode d’isolation.\",\"xvIklc\":\"Flashloan est désactivé pour cet actif, cette position ne peut donc pas être migrée.\",\"y5rS9U\":\"Émigrer\",\"y66tBm\":[\"Activer \",[\"symbol\"],\" comme collatéral\"],\"yB1YpA\":\"Mode Sombre\",\"yCrG6m\":\"Taille totale du marché\",\"yJUUbn\":\"Aperçu des transactions\",\"yLGmLX\":[\"Remise en jeu \",[\"symbol\"]],\"yW1oWB\":\"APY type\",\"yYHqJe\":\"Pas une adresse valide\",\"yZwLw6\":\"Suivre le portefeuille\",\"yh2sjd\":[\"Impact sur les prix \",[\"0\"],\"%\"],\"yhvj6d\":\"Vous ne pouvez pas changer d'utilisation en tant que mode de garantie pour cette devise, car cela entraînera un appel de garantie\",\"ylmtBZ\":\"The app is running in fork mode.\",\"ymNY32\":[\"Il n'y a pas assez de fonds dans la \",[\"0\"],\" réserve pour emprunter\"],\"yz7wBu\":\"Fermer\",\"z4uGQg\":\"Le plafond de la dette est dépassé\",\"z5UQOM\":\"La garantie choisie ne peut être liquidée\",\"z5Y+p6\":[\"Fournir \",[\"symbole\"]],\"zCjNKs\":\"L'action ne peut pas être effectuée car la réserve est gelée\",\"zRHytX\":\"Plafond de la dette isolée\",\"zTOjMP\":\"La limite d’approvisionnement du protocole est de 100 % pour cet actif. D’autres approvisionnements ne sont pas disponibles.\",\"zVdRUG\":\"Submission did not work, please try again later or contact wecare@avara.xyz\",\"zevmS2\":\"<0><1><2/>Ajoutez <3/> stkAAVE pour emprunter à <4/> (remise maximale)\",\"zgtIDV\":\"Dette restante\",\"zmTPiV\":\"Bilan d'approvisionnement\",\"zpPbZl\":\"Paramètres du risque de liquidation\",\"zucql+\":\"Menu\",\"zwWKhA\":\"Apprendre encore plus\",\"zy9fXn\":[\"L’actif est gelé \",[\"marketName\"],\" v3, donc cette position ne peut pas être migrée.\"],\"zys+R6\":\"Faites attention à la congestion du réseau et aux prix de l’essence.\",\"zzzTXS\":\"Merit Program rewards are claimed through the\"}")}; \ No newline at end of file diff --git a/src/modules/umbrella/UmbrellaHeader.tsx b/src/modules/umbrella/UmbrellaHeader.tsx index e51ec0dc65..6b117fc11b 100644 --- a/src/modules/umbrella/UmbrellaHeader.tsx +++ b/src/modules/umbrella/UmbrellaHeader.tsx @@ -1,51 +1,53 @@ import { Trans } from '@lingui/macro'; import { Box, Stack, Typography, useMediaQuery, useTheme } from '@mui/material'; import { FormattedNumber } from 'src/components/primitives/FormattedNumber'; -import { Row } from 'src/components/primitives/Row'; -import { TextWithTooltip } from 'src/components/TextWithTooltip'; import { TopInfoPanel } from 'src/components/TopInfoPanel/TopInfoPanel'; +import { useUmbrellaSummary } from 'src/hooks/stake/useUmbrellaSummary'; import { useRootStore } from 'src/store/root'; import { GENERAL } from 'src/utils/mixPanelEvents'; +import { useShallow } from 'zustand/shallow'; import { Link } from '../../components/primitives/Link'; import { TopInfoPanelItem } from '../../components/TopInfoPanel/TopInfoPanelItem'; +// import { useWeb3Context } from 'src/libs/hooks/useWeb3Context'; import { MarketSwitcher } from './UmbrellaMarketSwitcher'; interface StakingHeaderProps { - tvl: { - [key: string]: number; - }; stkEmission: string; loading: boolean; } -export const UmbrellaHeader: React.FC = ({ tvl, stkEmission, loading }) => { +// TODO: Add APY +// Fix search on assets +// Add total value staked + +// - Total balance USD Staked +// - Net APY across my assets. Average yield across all +// - amount staked staked +// - yield +// - create weighted average +// - Should show reserve APY + weighted average +// - if it is a wToken add in APY +export const UmbrellaHeader: React.FC = ({ stkEmission, loading }) => { const theme = useTheme(); + // const { currentAccount } = useWeb3Context(); + const [currentMarketData, trackEvent] = useRootStore( + useShallow((store) => [store.currentMarketData, store.trackEvent]) + ); + // const [trackEvent, currentMarket, setCurrentMarket] = useRootStore( + // useShallow((store) => [store.trackEvent, store.currentMarket, store.setCurrentMarket]) + // ); + + const { data: stakedDataWithTokenBalances } = useUmbrellaSummary(currentMarketData); + const upToLG = useMediaQuery(theme.breakpoints.up('lg')); const downToSM = useMediaQuery(theme.breakpoints.down('sm')); const downToXSM = useMediaQuery(theme.breakpoints.down('xsm')); const valueTypographyVariant = downToSM ? 'main16' : 'main21'; const symbolsTypographyVariant = downToSM ? 'secondary16' : 'secondary21'; - const trackEvent = useRootStore((store) => store.trackEvent); - - const total = Object.values(tvl || {}).reduce((acc, item) => acc + item, 0); - const TotalFundsTooltip = () => { - return ( - - - {Object.entries(tvl) - .sort((a, b) => b[1] - a[1]) - .map(([key, value]) => ( - - - - ))} - - - ); - }; + const totalUSDAggregateStaked = stakedDataWithTokenBalances?.[0]; return ( = ({ tvl, stkEmission, hideIcon title={ - Funds in the Safety Module - + Staked Balance } loading={loading} > Date: Wed, 22 Jan 2025 11:40:05 +0000 Subject: [PATCH 037/110] feat: apys --- src/hooks/stake/useUmbrellaSummary.ts | 12 ++++++++++- src/locales/en/messages.po | 2 +- src/modules/umbrella/UmbrellaHeader.tsx | 27 +++++++++---------------- 3 files changed, 21 insertions(+), 20 deletions(-) diff --git a/src/hooks/stake/useUmbrellaSummary.ts b/src/hooks/stake/useUmbrellaSummary.ts index 6e972b2b50..78942191bf 100644 --- a/src/hooks/stake/useUmbrellaSummary.ts +++ b/src/hooks/stake/useUmbrellaSummary.ts @@ -39,10 +39,13 @@ export interface MergedStakeData extends StakeData { iconSymbol: string; totalStakedUSD: string; aggregatedTotalStakedUSD: string; + weightedAverageApy: string; } const formatUmbrellaSummary = (stakeData: StakeData[], userStakeData: StakeUserData[]) => { let aggregatedTotalStakedUSD = valueToBigNumber('0'); + let weightedApySum = valueToBigNumber('0'); + let apyTotalWeight = valueToBigNumber('0'); stakeData.forEach((stakeItem) => { const matchingBalance = userStakeData.find( (balanceItem) => balanceItem.stakeToken.toLowerCase() === stakeItem.stakeToken.toLowerCase() @@ -56,6 +59,10 @@ const formatUmbrellaSummary = (stakeData: StakeData[], userStakeData: StakeUserD .shiftedBy(-8); aggregatedTotalStakedUSD = aggregatedTotalStakedUSD.plus(underlyingBalanceValue); + + const apy = valueToBigNumber(stakeItem.rewards[0]?.apy ?? '0'); + weightedApySum = weightedApySum.plus(underlyingBalanceValue.multipliedBy(apy)); + apyTotalWeight = apyTotalWeight.plus(underlyingBalanceValue); } }); @@ -68,7 +75,9 @@ const formatUmbrellaSummary = (stakeData: StakeData[], userStakeData: StakeUserD return acc; } - console.log(matchingBalance); + const weightedAverageApy = apyTotalWeight.gt(0) + ? weightedApySum.dividedBy(apyTotalWeight) + : valueToBigNumber('0'); const stakeTokenBalance = normalize( matchingBalance.balances.stakeTokenBalance, @@ -141,6 +150,7 @@ const formatUmbrellaSummary = (stakeData: StakeData[], userStakeData: StakeUserD : stakeItem.stakeTokenSymbol, totalStakedUSD: `${underlyingTokenBalanceUSD}`, aggregatedTotalStakedUSD: `${aggregatedTotalStakedUSD.toFixed(2)}`, + weightedAverageApy: `${weightedAverageApy}`, }); return acc; diff --git a/src/locales/en/messages.po b/src/locales/en/messages.po index a2fd21c535..b3c4f8b24f 100644 --- a/src/locales/en/messages.po +++ b/src/locales/en/messages.po @@ -2384,6 +2384,7 @@ msgid "Available to Claim" msgstr "Available to Claim" #: src/modules/dashboard/DashboardTopPanel.tsx +#: src/modules/umbrella/UmbrellaHeader.tsx msgid "Net APY" msgstr "Net APY" @@ -2650,7 +2651,6 @@ msgid "Collateral to repay with" msgstr "Collateral to repay with" #: src/modules/staking/StakingHeader.tsx -#: src/modules/umbrella/UmbrellaHeader.tsx msgid "Total emission per day" msgstr "Total emission per day" diff --git a/src/modules/umbrella/UmbrellaHeader.tsx b/src/modules/umbrella/UmbrellaHeader.tsx index 6b117fc11b..78bc5acf75 100644 --- a/src/modules/umbrella/UmbrellaHeader.tsx +++ b/src/modules/umbrella/UmbrellaHeader.tsx @@ -17,18 +17,7 @@ interface StakingHeaderProps { loading: boolean; } -// TODO: Add APY -// Fix search on assets -// Add total value staked - -// - Total balance USD Staked -// - Net APY across my assets. Average yield across all -// - amount staked staked -// - yield -// - create weighted average -// - Should show reserve APY + weighted average -// - if it is a wToken add in APY -export const UmbrellaHeader: React.FC = ({ stkEmission, loading }) => { +export const UmbrellaHeader: React.FC = ({ loading }) => { const theme = useTheme(); // const { currentAccount } = useWeb3Context(); const [currentMarketData, trackEvent] = useRootStore( @@ -46,8 +35,10 @@ export const UmbrellaHeader: React.FC = ({ stkEmission, load const valueTypographyVariant = downToSM ? 'main16' : 'main21'; const symbolsTypographyVariant = downToSM ? 'secondary16' : 'secondary21'; + const noDataTypographyVariant = downToSM ? 'secondary16' : 'secondary21'; - const totalUSDAggregateStaked = stakedDataWithTokenBalances?.[0]; + const totalUSDAggregateStaked = stakedDataWithTokenBalances?.[0].aggregatedTotalStakedUSD; + const weightedAverageApy = stakedDataWithTokenBalances?.[0].weightedAverageApy; return ( = ({ stkEmission, load loading={loading} > = ({ stkEmission, load /> - Total emission per day} loading={loading}> + Net APY} loading={loading}> From 500bae0c39e8c064d053e6306fc961a02025e653 Mon Sep 17 00:00:00 2001 From: Mark Hinschberger Date: Wed, 22 Jan 2025 15:35:53 +0000 Subject: [PATCH 038/110] fix: apy --- src/hooks/stake/useUmbrellaSummary.ts | 10 ++++++---- 1 file changed, 6 insertions(+), 4 deletions(-) diff --git a/src/hooks/stake/useUmbrellaSummary.ts b/src/hooks/stake/useUmbrellaSummary.ts index 78942191bf..b44727dc12 100644 --- a/src/hooks/stake/useUmbrellaSummary.ts +++ b/src/hooks/stake/useUmbrellaSummary.ts @@ -51,7 +51,7 @@ const formatUmbrellaSummary = (stakeData: StakeData[], userStakeData: StakeUserD (balanceItem) => balanceItem.stakeToken.toLowerCase() === stakeItem.stakeToken.toLowerCase() ); - if (matchingBalance) { + if (matchingBalance && !valueToBigNumber(matchingBalance.balances.stakeTokenBalance).isZero()) { const underlyingBalanceValue = BigNumber( normalize(matchingBalance.balances.stakeTokenBalance, stakeItem.underlyingTokenDecimals) ) @@ -60,9 +60,11 @@ const formatUmbrellaSummary = (stakeData: StakeData[], userStakeData: StakeUserD aggregatedTotalStakedUSD = aggregatedTotalStakedUSD.plus(underlyingBalanceValue); - const apy = valueToBigNumber(stakeItem.rewards[0]?.apy ?? '0'); - weightedApySum = weightedApySum.plus(underlyingBalanceValue.multipliedBy(apy)); - apyTotalWeight = apyTotalWeight.plus(underlyingBalanceValue); + if (stakeItem.rewards[0]?.apy && stakeItem.rewards[0]?.apy > '0') { + const apy = valueToBigNumber(stakeItem.rewards[0].apy); + weightedApySum = weightedApySum.plus(underlyingBalanceValue.multipliedBy(apy)); + apyTotalWeight = apyTotalWeight.plus(underlyingBalanceValue); + } } }); From 5356bb317502b62a360bb9609f0b6ac89138d0a2 Mon Sep 17 00:00:00 2001 From: Mark Grothe Date: Wed, 22 Jan 2025 15:46:09 -0600 Subject: [PATCH 039/110] feat: cooldown --- pages/umbrella.page.tsx | 4 +- src/hooks/stake/useUmbrellaSummary.ts | 11 + src/hooks/useModal.tsx | 11 + src/modules/umbrella/AmountStakedItem.tsx | 67 +- .../UmbrellaStakeAssetsListItem.tsx | 2 +- src/modules/umbrella/StakeCooldownActions.tsx | 75 + src/modules/umbrella/StakeCooldownModal.tsx | 16 + .../umbrella/StakeCooldownModalContent.tsx | 363 +++++ src/modules/umbrella/StakingApyItem.tsx | 46 +- src/modules/umbrella/hooks/useStakeData.ts | 4 +- .../services/StakeDataProviderService.ts | 4 +- .../umbrella/services/StakeTokenService.ts | 51 + .../umbrella/services/types/StakeToken.ts | 1203 +++++++++++++++++ .../services/types/StakeToken__factory.ts | 1105 +++++++++++++++ 14 files changed, 2928 insertions(+), 34 deletions(-) create mode 100644 src/modules/umbrella/StakeCooldownActions.tsx create mode 100644 src/modules/umbrella/StakeCooldownModal.tsx create mode 100644 src/modules/umbrella/StakeCooldownModalContent.tsx create mode 100644 src/modules/umbrella/services/StakeTokenService.ts create mode 100644 src/modules/umbrella/services/types/StakeToken.ts create mode 100644 src/modules/umbrella/services/types/StakeToken__factory.ts diff --git a/pages/umbrella.page.tsx b/pages/umbrella.page.tsx index ea6f86505d..e2edc6548a 100644 --- a/pages/umbrella.page.tsx +++ b/pages/umbrella.page.tsx @@ -20,9 +20,7 @@ const UmbrellaStakeModal = dynamic(() => import('../src/modules/umbrella/UmbrellaModal').then((module) => module.UmbrellaModal) ); const StakeCooldownModal = dynamic(() => - import('../src/components/transactions/StakeCooldown/StakeCooldownModal').then( - (module) => module.StakeCooldownModal - ) + import('../src/modules/umbrella/StakeCooldownModal').then((module) => module.StakeCooldownModal) ); const StakeRewardClaimModal = dynamic(() => import('../src/components/transactions/StakeRewardClaim/StakeRewardClaimModal').then( diff --git a/src/hooks/stake/useUmbrellaSummary.ts b/src/hooks/stake/useUmbrellaSummary.ts index b44727dc12..d7ce18fc4e 100644 --- a/src/hooks/stake/useUmbrellaSummary.ts +++ b/src/hooks/stake/useUmbrellaSummary.ts @@ -167,3 +167,14 @@ export const useUmbrellaSummary = (marketData: MarketDataType) => { return combineQueries([stakeDataQuery, userStakeDataQuery] as const, formatUmbrellaSummary); }; + +export const useUmbrellaSummaryFor = (uStakeToken: string, marketData: MarketDataType) => { + const stakeDataQuery = useStakeData(marketData, { + select: (stakeData) => stakeData.filter((s) => s.stakeToken === uStakeToken), + }); + const userStakeDataQuery = useUserStakeData(marketData, { + select: (userData) => userData.filter((s) => s.stakeToken === uStakeToken), + }); + + return combineQueries([stakeDataQuery, userStakeDataQuery] as const, formatUmbrellaSummary); +}; diff --git a/src/hooks/useModal.tsx b/src/hooks/useModal.tsx index 1609786f49..3a0ec2b45c 100644 --- a/src/hooks/useModal.tsx +++ b/src/hooks/useModal.tsx @@ -33,6 +33,7 @@ export enum ModalType { Bridge, ReadMode, Umbrella, + UmbrellaStakeCooldown, } export interface ModalArgsType { @@ -99,6 +100,7 @@ export interface ModalContextType { openStakeRewardsClaim: (stakeAssetName: Stake, icon: string) => void; openStakeRewardsRestakeClaim: (stakeAssetName: Stake, icon: string) => void; openUmbrella: (uStakeToken: string, icon: string) => void; + openUmbrellaStakeCooldown: (uStakeToken: string, icon: string) => void; openClaimRewards: () => void; openEmode: () => void; openFaucet: (underlyingAsset: string) => void; @@ -274,6 +276,15 @@ export const ModalContextProvider: React.FC = ({ children }) setType(ModalType.Umbrella); setArgs({ uStakeToken, icon }); }, + openUmbrellaStakeCooldown: (uStakeToken, icon) => { + trackEvent(GENERAL.OPEN_MODAL, { + modal: 'Umbrella Stake Cooldown', + uStakeToken: uStakeToken, + }); + + setType(ModalType.UmbrellaStakeCooldown); + setArgs({ uStakeToken, icon }); + }, openClaimRewards: () => { trackEvent(GENERAL.OPEN_MODAL, { modal: 'Claim' }); setType(ModalType.ClaimRewards); diff --git a/src/modules/umbrella/AmountStakedItem.tsx b/src/modules/umbrella/AmountStakedItem.tsx index 334a5c16b6..cf6bfc7be3 100644 --- a/src/modules/umbrella/AmountStakedItem.tsx +++ b/src/modules/umbrella/AmountStakedItem.tsx @@ -3,28 +3,77 @@ import { Button, Stack, Typography } from '@mui/material'; import { FormattedNumber } from 'src/components/primitives/FormattedNumber'; import { ReserveSubheader } from 'src/components/ReserveSubheader'; import { MergedStakeData } from 'src/hooks/stake/useUmbrellaSummary'; +import { BigNumber } from 'ethers'; import { SecondsToString } from '../staking/StakingPanel'; +import { useModalContext } from 'src/hooks/useModal'; +import { useCurrentTimestamp } from 'src/hooks/useCurrentTimestamp'; export const AmountStakedItem = ({ stakeData }: { stakeData: MergedStakeData }) => { + const { openUmbrellaStakeCooldown } = useModalContext(); + const now = useCurrentTimestamp(1); const { stakeTokenBalance, stakeTokenBalanceUSD } = stakeData.formattedBalances; + const cooldownSeconds = stakeData?.cooldownSeconds || 0; + const endOfCooldown = stakeData?.cooldownData.endOfCooldown || 0; + const unstakeWindow = stakeData?.cooldownData.withdrawalWindow || 0; + const cooldownTimeRemaining = endOfCooldown - now; + const unstakeTimeRemaining = endOfCooldown + unstakeWindow - now; + + const isCooldownActive = cooldownTimeRemaining > 0; + const isUnstakeWindowActive = endOfCooldown < now && now < endOfCooldown + unstakeWindow; + + const availableToReactivateCooldown = + isCooldownActive && + BigNumber.from(stakeData?.balances.stakeTokenRedeemableAmount || 0).gt( + stakeData?.cooldownData.cooldownAmount || 0 + ); + + console.log('TODO: availableToReactivateCooldown', availableToReactivateCooldown); return ( - - - - Cooldown period - - - - - + {!isCooldownActive && !isUnstakeWindowActive && ( + + + Cooldown period + + + + + + )} + {isCooldownActive && ( + + + Cooldown time left + + + + + + )} + {isUnstakeWindowActive && ( + + + Time left to unstake + + + + + + )} ); diff --git a/src/modules/umbrella/StakeAssets/UmbrellaStakeAssetsListItem.tsx b/src/modules/umbrella/StakeAssets/UmbrellaStakeAssetsListItem.tsx index eb3e96c287..abb00e24bd 100644 --- a/src/modules/umbrella/StakeAssets/UmbrellaStakeAssetsListItem.tsx +++ b/src/modules/umbrella/StakeAssets/UmbrellaStakeAssetsListItem.tsx @@ -57,7 +57,7 @@ export const UmbrellaStakeAssetsListItem = ({ ...umbrellaStakeAsset }: MergedSta - + diff --git a/src/modules/umbrella/StakeCooldownActions.tsx b/src/modules/umbrella/StakeCooldownActions.tsx new file mode 100644 index 0000000000..3da4bfb408 --- /dev/null +++ b/src/modules/umbrella/StakeCooldownActions.tsx @@ -0,0 +1,75 @@ +import { Trans } from '@lingui/macro'; +import { BoxProps } from '@mui/material'; +import { TxActionsWrapper } from 'src/components/transactions/TxActionsWrapper'; +import { useRootStore } from 'src/store/root'; +import { StakeTokenSercie } from './services/StakeTokenService'; +import { useModalContext } from 'src/hooks/useModal'; +import { useShallow } from 'zustand/shallow'; +import { useWeb3Context } from 'src/libs/hooks/useWeb3Context'; +import { getErrorTextFromError, TxAction } from 'src/ui-config/errorMapping'; +import { useQueryClient } from '@tanstack/react-query'; + +export interface StakeCooldownActionsProps extends BoxProps { + isWrongNetwork: boolean; + customGasPrice?: string; + blocked: boolean; + selectedToken: string; + amountToCooldown: string; +} + +export const StakeCooldownActions = ({ + isWrongNetwork, + sx, + blocked, + selectedToken, + amountToCooldown, + ...props +}: StakeCooldownActionsProps) => { + const queryClient = useQueryClient(); + const [user, estimateGasLimit] = useRootStore( + useShallow((state) => [state.account, state.estimateGasLimit]) + ); + const { sendTx } = useWeb3Context(); + + const { mainTxState, loadingTxns, setMainTxState, setTxError } = useModalContext(); + + const action = async () => { + try { + setMainTxState({ ...mainTxState, loading: true }); + const stakeTokenService = new StakeTokenSercie(selectedToken); + let cooldownTxData = stakeTokenService.cooldown(user); + cooldownTxData = await estimateGasLimit(cooldownTxData); + const tx = await sendTx(cooldownTxData); + await tx.wait(1); + setMainTxState({ + txHash: tx.hash, + loading: false, + success: true, + }); + + queryClient.invalidateQueries({ queryKey: ['umbrella'] }); + } catch (error) { + const parsedError = getErrorTextFromError(error, TxAction.GAS_ESTIMATION, false); + setTxError(parsedError); + setMainTxState({ + txHash: undefined, + loading: false, + }); + } + }; + + return ( + Activate Cooldown} + actionInProgressText={Activate Cooldown} + mainTxState={mainTxState} + isWrongNetwork={isWrongNetwork} + sx={sx} + {...props} + /> + ); +}; diff --git a/src/modules/umbrella/StakeCooldownModal.tsx b/src/modules/umbrella/StakeCooldownModal.tsx new file mode 100644 index 0000000000..1ddf1087d8 --- /dev/null +++ b/src/modules/umbrella/StakeCooldownModal.tsx @@ -0,0 +1,16 @@ +import React from 'react'; +import { ModalType, useModalContext } from 'src/hooks/useModal'; + +import { StakeCooldownModalContent } from './StakeCooldownModalContent'; +import { BasicModal } from 'src/components/primitives/BasicModal'; + +export const StakeCooldownModal = () => { + const { type, close, args } = useModalContext(); + return ( + + {args?.uStakeToken && args.icon && ( + + )} + + ); +}; diff --git a/src/modules/umbrella/StakeCooldownModalContent.tsx b/src/modules/umbrella/StakeCooldownModalContent.tsx new file mode 100644 index 0000000000..efc9412839 --- /dev/null +++ b/src/modules/umbrella/StakeCooldownModalContent.tsx @@ -0,0 +1,363 @@ +import { ChainId } from '@aave/contract-helpers'; +import { valueToBigNumber } from '@aave/math-utils'; +import { ArrowDownIcon, CalendarIcon } from '@heroicons/react/outline'; +import { ArrowNarrowRightIcon } from '@heroicons/react/solid'; +import { Trans } from '@lingui/macro'; +import { Box, Checkbox, FormControlLabel, SvgIcon, Typography } from '@mui/material'; +import dayjs from 'dayjs'; +import { parseUnits } from 'ethers/lib/utils'; +import React, { useState } from 'react'; +import { FormattedNumber } from 'src/components/primitives/FormattedNumber'; +import { Link } from 'src/components/primitives/Link'; +import { TokenIcon } from 'src/components/primitives/TokenIcon'; +import { Warning } from 'src/components/primitives/Warning'; +import { TxErrorView } from 'src/components/transactions/FlowCommons/Error'; +import { GasEstimationError } from 'src/components/transactions/FlowCommons/GasEstimationError'; +import { TxSuccessView } from 'src/components/transactions/FlowCommons/Success'; +import { TxModalTitle } from 'src/components/transactions/FlowCommons/TxModalTitle'; +import { GasStation } from 'src/components/transactions/GasStation/GasStation'; +import { ChangeNetworkWarning } from 'src/components/transactions/Warnings/ChangeNetworkWarning'; +import { formattedTime, timeText } from 'src/helpers/timeHelper'; +import { useModalContext } from 'src/hooks/useModal'; +import { useWeb3Context } from 'src/libs/hooks/useWeb3Context'; +import { useRootStore } from 'src/store/root'; +import { GENERAL } from 'src/utils/mixPanelEvents'; +import { StakeCooldownActions } from './StakeCooldownActions'; +import { useUmbrellaSummaryFor } from 'src/hooks/stake/useUmbrellaSummary'; + +export type StakeCooldownProps = { + stakeToken: string; + icon: string; +}; + +export enum ErrorType { + NOT_ENOUGH_BALANCE, + ALREADY_ON_COOLDOWN, +} + +type CalendarEvent = { + title: string; + start: string; + end: string; + description: string; +}; + +export const StakeCooldownModalContent = ({ stakeToken, icon }: StakeCooldownProps) => { + const { chainId: connectedChainId, readOnlyModeAddress } = useWeb3Context(); + const { gasLimit, mainTxState: txState, txError } = useModalContext(); + const trackEvent = useRootStore((store) => store.trackEvent); + const currentMarketData = useRootStore((store) => store.currentMarketData); + const currentNetworkConfig = useRootStore((store) => store.currentNetworkConfig); + const currentChainId = useRootStore((store) => store.currentChainId); + + // states + const [cooldownCheck, setCooldownCheck] = useState(false); + + const { data } = useUmbrellaSummaryFor(stakeToken, currentMarketData); + const stakeData = data?.[0]; + + // Cooldown logic + const stakeCooldownSeconds = stakeData?.cooldownSeconds || 0; + const stakeUnstakeWindow = stakeData?.unstakeWindowSeconds || 0; + + const cooldownPercent = valueToBigNumber(stakeCooldownSeconds) + .dividedBy(stakeCooldownSeconds + stakeUnstakeWindow) + .multipliedBy(100) + .toNumber(); + const unstakeWindowPercent = valueToBigNumber(stakeUnstakeWindow) + .dividedBy(stakeCooldownSeconds + stakeUnstakeWindow) + .multipliedBy(100) + .toNumber(); + + const cooldownLineWidth = cooldownPercent < 15 ? 15 : cooldownPercent > 85 ? 85 : cooldownPercent; + const unstakeWindowLineWidth = + unstakeWindowPercent < 15 ? 15 : unstakeWindowPercent > 85 ? 85 : unstakeWindowPercent; + + const stakedAmount = stakeData?.formattedBalances.stakeTokenRedeemableAmount; + + // error handler + let blockingError: ErrorType | undefined = undefined; + if (stakedAmount === '0') { + blockingError = ErrorType.NOT_ENOUGH_BALANCE; + } + + const handleBlocked = () => { + switch (blockingError) { + case ErrorType.NOT_ENOUGH_BALANCE: + return Nothing staked; + default: + return null; + } + }; + + if (txError && txError.blocking) { + return ; + } + if (txState.success) return Stake cooldown activated} />; + + const timeMessage = (time: number) => { + return `${formattedTime(time)} ${timeText(time)}`; + }; + + const handleOnCoolDownCheckBox = () => { + // trackEvent(GENERAL.ACCEPT_RISK, { + // asset: stakeAssetName, + // modal: 'Cooldown', + // }); + setCooldownCheck(!cooldownCheck); + }; + const amountToCooldown = stakeData?.formattedBalances.stakeTokenRedeemableAmount || '0'; + + const dateMessage = (time: number) => { + const now = dayjs(); + + const futureDate = now.add(time, 'second'); + + return futureDate.format('DD.MM.YY'); + }; + + const googleDate = (timeInSeconds: number) => { + const date = dayjs().add(timeInSeconds, 'second'); + return date.format('YYYYMMDDTHHmmss') + 'Z'; // UTC time + }; + + const createGoogleCalendarUrl = (event: CalendarEvent) => { + const startTime = encodeURIComponent(event.start); + const endTime = encodeURIComponent(event.end); + const text = encodeURIComponent(event.title); + const details = encodeURIComponent(event.description); + + return `https://calendar.google.com/calendar/render?action=TEMPLATE&text=${text}&dates=${startTime}/${endTime}&details=${details}`; + }; + + const event = { + title: 'Unstaking window for Aave', + start: googleDate(stakeCooldownSeconds), + end: googleDate(stakeCooldownSeconds + stakeUnstakeWindow), + description: 'Unstaking window for Aave staking activated', + }; + + const googleCalendarUrl = createGoogleCalendarUrl(event); + + // is Network mismatched + const isWrongNetwork = currentChainId !== connectedChainId; + + return ( + <> + + {isWrongNetwork && !readOnlyModeAddress && ( + + )} + + + The cooldown period is {timeMessage(stakeCooldownSeconds)}. After{' '} + {timeMessage(stakeCooldownSeconds)} of cooldown, you will enter unstake window of{' '} + {timeMessage(stakeUnstakeWindow)}. You will continue receiving rewards during cooldown and + unstake window. + {' '} + + trackEvent(GENERAL.EXTERNAL_LINK, { + assetName: 'ABPT', + link: 'Cooldown Learn More', + }) + } + variant="description" + href="https://docs.aave.com/faq/migration-and-staking" + sx={{ textDecoration: 'underline' }} + > + Learn more + + . + + + + + Amount to unstake + + + + + + + + + + Unstake window + + + + + {dateMessage(stakeCooldownSeconds)} + + + + + + {dateMessage(stakeCooldownSeconds + stakeUnstakeWindow)} + + + + Remind me + + + + + + + + + + + You unstake here + + + + + + + + + + + + + + Cooldown period + + + {timeMessage(stakeCooldownSeconds)} + + + + + Unstake window + + + {timeMessage(stakeUnstakeWindow)} + + + + + + {blockingError !== undefined && ( + + {handleBlocked()} + + )} + + + + + If you DO NOT unstake within {timeMessage(stakeUnstakeWindow)} of unstake window, you + will need to activate cooldown process again. + + + + + + + + } + label={ + + I understand how cooldown ({timeMessage(stakeCooldownSeconds)}) and unstaking ( + {timeMessage(stakeUnstakeWindow)}) work + + } + /> + + {txError && } + + + + ); +}; diff --git a/src/modules/umbrella/StakingApyItem.tsx b/src/modules/umbrella/StakingApyItem.tsx index ef183e13f5..2250867d0c 100644 --- a/src/modules/umbrella/StakingApyItem.tsx +++ b/src/modules/umbrella/StakingApyItem.tsx @@ -6,31 +6,43 @@ import { TokenIcon } from 'src/components/primitives/TokenIcon'; import { MultiIconWithTooltip } from './helpers/MultiIcon'; import { Rewards } from './services/StakeDataProviderService'; +import { MergedStakeData } from 'src/hooks/stake/useUmbrellaSummary'; +import { useAppDataContext } from 'src/hooks/app-data-provider/useAppDataProvider'; + +export const StakingApyItem = ({ stakeData }: { stakeData: MergedStakeData }) => { + const { reserves } = useAppDataContext(); + + const rewards = stakeData.rewards; -export const StakingApyItem = ({ rewards }: { rewards: Rewards[] }) => { - if (rewards.length === 1) { - const reward = rewards[0]; - return ( - - - - - ); - } // TODO: do we need to handle the case where aTokens are configured as a reward? const icons = rewards.map((reward) => ({ src: reward.rewardSymbol, aToken: false })); - const netAPR = rewards - .reduce((acc, reward) => { - return acc + +reward.apy; - }, 0) - .toString(); + let netAPY = rewards.reduce((acc, reward) => { + return acc + +reward.apy; + }, 0); + + if (stakeData.underlyingIsWaToken) { + const underlyingReserve = reserves.find( + (reserve) => reserve.underlyingAsset === stakeData.waTokenData.waTokenUnderlying + ); + + if (!underlyingReserve) { + throw new Error( + `Underlying reserve not found for waToken underlying ${stakeData.waTokenData.waTokenUnderlying}` + ); + } + + netAPY += +underlyingReserve.supplyAPY; + icons.push({ src: underlyingReserve.symbol, aToken: true }); + } + + console.log(icons); return ( - + } + tooltipContent={} /> ); diff --git a/src/modules/umbrella/hooks/useStakeData.ts b/src/modules/umbrella/hooks/useStakeData.ts index 226d9f6212..2d9df62427 100644 --- a/src/modules/umbrella/hooks/useStakeData.ts +++ b/src/modules/umbrella/hooks/useStakeData.ts @@ -21,7 +21,7 @@ export const useStakeData = ( queryFn: () => { return stakeDataService.getStakeData(marketData); }, - queryKey: ['getStkTokens', marketData.marketTitle], + queryKey: ['umbrella', 'stakeData', marketData.marketTitle], ...opts, }); }; @@ -36,7 +36,7 @@ export const useUserStakeData = ( queryFn: () => { return stakeDataService.getUserTakeData(marketData, user); }, - queryKey: ['getUserStakeData', marketData.marketTitle, user], + queryKey: ['umbrella', 'userStakeData', marketData.marketTitle, user], enabled: !!user, ...opts, }); diff --git a/src/modules/umbrella/services/StakeDataProviderService.ts b/src/modules/umbrella/services/StakeDataProviderService.ts index 781373e876..e7cc07d9b2 100644 --- a/src/modules/umbrella/services/StakeDataProviderService.ts +++ b/src/modules/umbrella/services/StakeDataProviderService.ts @@ -14,7 +14,7 @@ export interface StakeData { stakeTokenTotalSupply: string; stakeTokenPrice: string; cooldownSeconds: number; - unstakeWindowSeconds: string; + unstakeWindowSeconds: number; stakeTokenUnderlying: string; underlyingTokenDecimals: number; underlyingTokenName: string; @@ -100,7 +100,7 @@ export class StakeDataProviderService { stakeTokenSymbol: stakeData.stakeTokenSymbol, stakeTokenTotalSupply: stakeData.stakeTokenTotalSupply.toString(), cooldownSeconds: stakeData.cooldownSeconds.toNumber(), - unstakeWindowSeconds: stakeData.unstakeWindowSeconds.toString(), + unstakeWindowSeconds: stakeData.unstakeWindowSeconds.toNumber(), stakeTokenUnderlying: stakeData.stakeTokenUnderlying.toLowerCase(), stakeTokenPrice: stakeData.stakeTokenPrice.toString(), underlyingTokenDecimals: stakeData.underlyingTokenDecimals, diff --git a/src/modules/umbrella/services/StakeTokenService.ts b/src/modules/umbrella/services/StakeTokenService.ts new file mode 100644 index 0000000000..d9915eea54 --- /dev/null +++ b/src/modules/umbrella/services/StakeTokenService.ts @@ -0,0 +1,51 @@ +import { BigNumber, PopulatedTransaction } from 'ethers'; +import { IERC4626StakeTokenInterface } from './types/StakeToken'; +import { IERC4626StakeToken__factory } from './types/StakeToken__factory'; + +export class StakeTokenSercie { + private readonly interface: IERC4626StakeTokenInterface; + + constructor(private readonly stakeTokenAddress: string) { + this.interface = IERC4626StakeToken__factory.createInterface(); + } + + cooldown(user: string) { + const tx: PopulatedTransaction = {}; + const txData = this.interface.encodeFunctionData('cooldown'); + tx.data = txData; + tx.from = user; + tx.to = this.stakeTokenAddress; + tx.gasLimit = BigNumber.from('1000000'); // TODO + return tx; + } + + stake(user: string, amount: string) { + const tx: PopulatedTransaction = {}; + const txData = this.interface.encodeFunctionData('deposit', [amount, user]); + tx.data = txData; + tx.from = user; + tx.to = this.stakeTokenAddress; + tx.gasLimit = BigNumber.from('1000000'); // TODO + return tx; + } + + unstake(user: string, amount: string) { + const tx: PopulatedTransaction = {}; + const txData = this.interface.encodeFunctionData('redeem', [amount, user, user]); + tx.data = txData; + tx.from = user; + tx.to = this.stakeTokenAddress; + tx.gasLimit = BigNumber.from('1000000'); // TODO + return tx; + } + + // stakeWithPermit(user: string, amount: string, deadline: number) { + // const tx: PopulatedTransaction = {}; + // const txData = this.interface.encodeFunctionData('depositWithPermit', [amount, deadline, user]); + // tx.data = txData; + // tx.from = user; + // tx.to = this.stakeTokenAddress; + // tx.gasLimit = BigNumber.from('1000000'); // TODO + // return tx; + // } +} diff --git a/src/modules/umbrella/services/types/StakeToken.ts b/src/modules/umbrella/services/types/StakeToken.ts new file mode 100644 index 0000000000..5eca4da19a --- /dev/null +++ b/src/modules/umbrella/services/types/StakeToken.ts @@ -0,0 +1,1203 @@ +/* Autogenerated file. Do not edit manually. */ +/* tslint:disable */ +/* eslint-disable */ +import type { + BaseContract, + BigNumber, + BigNumberish, + BytesLike, + CallOverrides, + ContractTransaction, + Overrides, + PopulatedTransaction, + Signer, + utils, +} from 'ethers'; +import type { FunctionFragment, Result, EventFragment } from '@ethersproject/abi'; +import type { Listener, Provider } from '@ethersproject/providers'; +import type { TypedEventFilter, TypedEvent, TypedListener, OnEvent } from './common'; + +export declare namespace IERC4626StakeToken { + export type SignatureParamsStruct = { + v: BigNumberish; + r: BytesLike; + s: BytesLike; + }; + + export type SignatureParamsStructOutput = [number, string, string] & { + v: number; + r: string; + s: string; + }; + + export type CooldownSnapshotStruct = { + amount: BigNumberish; + endOfCooldown: BigNumberish; + withdrawalWindow: BigNumberish; + }; + + export type CooldownSnapshotStructOutput = [BigNumber, number, number] & { + amount: BigNumber; + endOfCooldown: number; + withdrawalWindow: number; + }; +} + +export interface IERC4626StakeTokenInterface extends utils.Interface { + functions: { + 'MIN_ASSETS_REMAINING()': FunctionFragment; + 'allowance(address,address)': FunctionFragment; + 'approve(address,uint256)': FunctionFragment; + 'asset()': FunctionFragment; + 'balanceOf(address)': FunctionFragment; + 'convertToAssets(uint256)': FunctionFragment; + 'convertToShares(uint256)': FunctionFragment; + 'cooldown()': FunctionFragment; + 'cooldownNonces(address)': FunctionFragment; + 'cooldownOnBehalfOf(address)': FunctionFragment; + 'cooldownWithPermit(address,uint256,(uint8,bytes32,bytes32))': FunctionFragment; + 'decimals()': FunctionFragment; + 'deposit(uint256,address)': FunctionFragment; + 'depositWithPermit(uint256,address,uint256,(uint8,bytes32,bytes32))': FunctionFragment; + 'getCooldown()': FunctionFragment; + 'getMaxSlashableAssets()': FunctionFragment; + 'getStakerCooldown(address)': FunctionFragment; + 'getUnstakeWindow()': FunctionFragment; + 'isCooldownOperator(address,address)': FunctionFragment; + 'maxDeposit(address)': FunctionFragment; + 'maxMint(address)': FunctionFragment; + 'maxRedeem(address)': FunctionFragment; + 'maxWithdraw(address)': FunctionFragment; + 'mint(uint256,address)': FunctionFragment; + 'name()': FunctionFragment; + 'pause()': FunctionFragment; + 'previewDeposit(uint256)': FunctionFragment; + 'previewMint(uint256)': FunctionFragment; + 'previewRedeem(uint256)': FunctionFragment; + 'previewWithdraw(uint256)': FunctionFragment; + 'redeem(uint256,address,address)': FunctionFragment; + 'setCooldown(uint256)': FunctionFragment; + 'setCooldownOperator(address,bool)': FunctionFragment; + 'setUnstakeWindow(uint256)': FunctionFragment; + 'slash(address,uint256)': FunctionFragment; + 'symbol()': FunctionFragment; + 'totalAssets()': FunctionFragment; + 'totalSupply()': FunctionFragment; + 'transfer(address,uint256)': FunctionFragment; + 'transferFrom(address,address,uint256)': FunctionFragment; + 'unpause()': FunctionFragment; + 'withdraw(uint256,address,address)': FunctionFragment; + }; + + getFunction( + nameOrSignatureOrTopic: + | 'MIN_ASSETS_REMAINING' + | 'allowance' + | 'approve' + | 'asset' + | 'balanceOf' + | 'convertToAssets' + | 'convertToShares' + | 'cooldown' + | 'cooldownNonces' + | 'cooldownOnBehalfOf' + | 'cooldownWithPermit' + | 'decimals' + | 'deposit' + | 'depositWithPermit' + | 'getCooldown' + | 'getMaxSlashableAssets' + | 'getStakerCooldown' + | 'getUnstakeWindow' + | 'isCooldownOperator' + | 'maxDeposit' + | 'maxMint' + | 'maxRedeem' + | 'maxWithdraw' + | 'mint' + | 'name' + | 'pause' + | 'previewDeposit' + | 'previewMint' + | 'previewRedeem' + | 'previewWithdraw' + | 'redeem' + | 'setCooldown' + | 'setCooldownOperator' + | 'setUnstakeWindow' + | 'slash' + | 'symbol' + | 'totalAssets' + | 'totalSupply' + | 'transfer' + | 'transferFrom' + | 'unpause' + | 'withdraw' + ): FunctionFragment; + + encodeFunctionData(functionFragment: 'MIN_ASSETS_REMAINING', values?: undefined): string; + encodeFunctionData(functionFragment: 'allowance', values: [string, string]): string; + encodeFunctionData(functionFragment: 'approve', values: [string, BigNumberish]): string; + encodeFunctionData(functionFragment: 'asset', values?: undefined): string; + encodeFunctionData(functionFragment: 'balanceOf', values: [string]): string; + encodeFunctionData(functionFragment: 'convertToAssets', values: [BigNumberish]): string; + encodeFunctionData(functionFragment: 'convertToShares', values: [BigNumberish]): string; + encodeFunctionData(functionFragment: 'cooldown', values?: undefined): string; + encodeFunctionData(functionFragment: 'cooldownNonces', values: [string]): string; + encodeFunctionData(functionFragment: 'cooldownOnBehalfOf', values: [string]): string; + encodeFunctionData( + functionFragment: 'cooldownWithPermit', + values: [string, BigNumberish, IERC4626StakeToken.SignatureParamsStruct] + ): string; + encodeFunctionData(functionFragment: 'decimals', values?: undefined): string; + encodeFunctionData(functionFragment: 'deposit', values: [BigNumberish, string]): string; + encodeFunctionData( + functionFragment: 'depositWithPermit', + values: [BigNumberish, string, BigNumberish, IERC4626StakeToken.SignatureParamsStruct] + ): string; + encodeFunctionData(functionFragment: 'getCooldown', values?: undefined): string; + encodeFunctionData(functionFragment: 'getMaxSlashableAssets', values?: undefined): string; + encodeFunctionData(functionFragment: 'getStakerCooldown', values: [string]): string; + encodeFunctionData(functionFragment: 'getUnstakeWindow', values?: undefined): string; + encodeFunctionData(functionFragment: 'isCooldownOperator', values: [string, string]): string; + encodeFunctionData(functionFragment: 'maxDeposit', values: [string]): string; + encodeFunctionData(functionFragment: 'maxMint', values: [string]): string; + encodeFunctionData(functionFragment: 'maxRedeem', values: [string]): string; + encodeFunctionData(functionFragment: 'maxWithdraw', values: [string]): string; + encodeFunctionData(functionFragment: 'mint', values: [BigNumberish, string]): string; + encodeFunctionData(functionFragment: 'name', values?: undefined): string; + encodeFunctionData(functionFragment: 'pause', values?: undefined): string; + encodeFunctionData(functionFragment: 'previewDeposit', values: [BigNumberish]): string; + encodeFunctionData(functionFragment: 'previewMint', values: [BigNumberish]): string; + encodeFunctionData(functionFragment: 'previewRedeem', values: [BigNumberish]): string; + encodeFunctionData(functionFragment: 'previewWithdraw', values: [BigNumberish]): string; + encodeFunctionData(functionFragment: 'redeem', values: [BigNumberish, string, string]): string; + encodeFunctionData(functionFragment: 'setCooldown', values: [BigNumberish]): string; + encodeFunctionData(functionFragment: 'setCooldownOperator', values: [string, boolean]): string; + encodeFunctionData(functionFragment: 'setUnstakeWindow', values: [BigNumberish]): string; + encodeFunctionData(functionFragment: 'slash', values: [string, BigNumberish]): string; + encodeFunctionData(functionFragment: 'symbol', values?: undefined): string; + encodeFunctionData(functionFragment: 'totalAssets', values?: undefined): string; + encodeFunctionData(functionFragment: 'totalSupply', values?: undefined): string; + encodeFunctionData(functionFragment: 'transfer', values: [string, BigNumberish]): string; + encodeFunctionData( + functionFragment: 'transferFrom', + values: [string, string, BigNumberish] + ): string; + encodeFunctionData(functionFragment: 'unpause', values?: undefined): string; + encodeFunctionData(functionFragment: 'withdraw', values: [BigNumberish, string, string]): string; + + decodeFunctionResult(functionFragment: 'MIN_ASSETS_REMAINING', data: BytesLike): Result; + decodeFunctionResult(functionFragment: 'allowance', data: BytesLike): Result; + decodeFunctionResult(functionFragment: 'approve', data: BytesLike): Result; + decodeFunctionResult(functionFragment: 'asset', data: BytesLike): Result; + decodeFunctionResult(functionFragment: 'balanceOf', data: BytesLike): Result; + decodeFunctionResult(functionFragment: 'convertToAssets', data: BytesLike): Result; + decodeFunctionResult(functionFragment: 'convertToShares', data: BytesLike): Result; + decodeFunctionResult(functionFragment: 'cooldown', data: BytesLike): Result; + decodeFunctionResult(functionFragment: 'cooldownNonces', data: BytesLike): Result; + decodeFunctionResult(functionFragment: 'cooldownOnBehalfOf', data: BytesLike): Result; + decodeFunctionResult(functionFragment: 'cooldownWithPermit', data: BytesLike): Result; + decodeFunctionResult(functionFragment: 'decimals', data: BytesLike): Result; + decodeFunctionResult(functionFragment: 'deposit', data: BytesLike): Result; + decodeFunctionResult(functionFragment: 'depositWithPermit', data: BytesLike): Result; + decodeFunctionResult(functionFragment: 'getCooldown', data: BytesLike): Result; + decodeFunctionResult(functionFragment: 'getMaxSlashableAssets', data: BytesLike): Result; + decodeFunctionResult(functionFragment: 'getStakerCooldown', data: BytesLike): Result; + decodeFunctionResult(functionFragment: 'getUnstakeWindow', data: BytesLike): Result; + decodeFunctionResult(functionFragment: 'isCooldownOperator', data: BytesLike): Result; + decodeFunctionResult(functionFragment: 'maxDeposit', data: BytesLike): Result; + decodeFunctionResult(functionFragment: 'maxMint', data: BytesLike): Result; + decodeFunctionResult(functionFragment: 'maxRedeem', data: BytesLike): Result; + decodeFunctionResult(functionFragment: 'maxWithdraw', data: BytesLike): Result; + decodeFunctionResult(functionFragment: 'mint', data: BytesLike): Result; + decodeFunctionResult(functionFragment: 'name', data: BytesLike): Result; + decodeFunctionResult(functionFragment: 'pause', data: BytesLike): Result; + decodeFunctionResult(functionFragment: 'previewDeposit', data: BytesLike): Result; + decodeFunctionResult(functionFragment: 'previewMint', data: BytesLike): Result; + decodeFunctionResult(functionFragment: 'previewRedeem', data: BytesLike): Result; + decodeFunctionResult(functionFragment: 'previewWithdraw', data: BytesLike): Result; + decodeFunctionResult(functionFragment: 'redeem', data: BytesLike): Result; + decodeFunctionResult(functionFragment: 'setCooldown', data: BytesLike): Result; + decodeFunctionResult(functionFragment: 'setCooldownOperator', data: BytesLike): Result; + decodeFunctionResult(functionFragment: 'setUnstakeWindow', data: BytesLike): Result; + decodeFunctionResult(functionFragment: 'slash', data: BytesLike): Result; + decodeFunctionResult(functionFragment: 'symbol', data: BytesLike): Result; + decodeFunctionResult(functionFragment: 'totalAssets', data: BytesLike): Result; + decodeFunctionResult(functionFragment: 'totalSupply', data: BytesLike): Result; + decodeFunctionResult(functionFragment: 'transfer', data: BytesLike): Result; + decodeFunctionResult(functionFragment: 'transferFrom', data: BytesLike): Result; + decodeFunctionResult(functionFragment: 'unpause', data: BytesLike): Result; + decodeFunctionResult(functionFragment: 'withdraw', data: BytesLike): Result; + + events: { + 'Approval(address,address,uint256)': EventFragment; + 'CooldownChanged(uint256,uint256)': EventFragment; + 'CooldownOperatorSet(address,address,bool)': EventFragment; + 'Deposit(address,address,uint256,uint256)': EventFragment; + 'Slashed(address,uint256)': EventFragment; + 'StakerCooldownUpdated(address,uint256,uint256,uint256)': EventFragment; + 'Transfer(address,address,uint256)': EventFragment; + 'UnstakeWindowChanged(uint256,uint256)': EventFragment; + 'Withdraw(address,address,address,uint256,uint256)': EventFragment; + }; + + getEvent(nameOrSignatureOrTopic: 'Approval'): EventFragment; + getEvent(nameOrSignatureOrTopic: 'CooldownChanged'): EventFragment; + getEvent(nameOrSignatureOrTopic: 'CooldownOperatorSet'): EventFragment; + getEvent(nameOrSignatureOrTopic: 'Deposit'): EventFragment; + getEvent(nameOrSignatureOrTopic: 'Slashed'): EventFragment; + getEvent(nameOrSignatureOrTopic: 'StakerCooldownUpdated'): EventFragment; + getEvent(nameOrSignatureOrTopic: 'Transfer'): EventFragment; + getEvent(nameOrSignatureOrTopic: 'UnstakeWindowChanged'): EventFragment; + getEvent(nameOrSignatureOrTopic: 'Withdraw'): EventFragment; +} + +export interface ApprovalEventObject { + owner: string; + spender: string; + value: BigNumber; +} +export type ApprovalEvent = TypedEvent<[string, string, BigNumber], ApprovalEventObject>; + +export type ApprovalEventFilter = TypedEventFilter; + +export interface CooldownChangedEventObject { + oldCooldown: BigNumber; + newCooldown: BigNumber; +} +export type CooldownChangedEvent = TypedEvent<[BigNumber, BigNumber], CooldownChangedEventObject>; + +export type CooldownChangedEventFilter = TypedEventFilter; + +export interface CooldownOperatorSetEventObject { + user: string; + operator: string; + flag: boolean; +} +export type CooldownOperatorSetEvent = TypedEvent< + [string, string, boolean], + CooldownOperatorSetEventObject +>; + +export type CooldownOperatorSetEventFilter = TypedEventFilter; + +export interface DepositEventObject { + sender: string; + owner: string; + assets: BigNumber; + shares: BigNumber; +} +export type DepositEvent = TypedEvent<[string, string, BigNumber, BigNumber], DepositEventObject>; + +export type DepositEventFilter = TypedEventFilter; + +export interface SlashedEventObject { + destination: string; + amount: BigNumber; +} +export type SlashedEvent = TypedEvent<[string, BigNumber], SlashedEventObject>; + +export type SlashedEventFilter = TypedEventFilter; + +export interface StakerCooldownUpdatedEventObject { + user: string; + amount: BigNumber; + endOfCooldown: BigNumber; + unstakeWindow: BigNumber; +} +export type StakerCooldownUpdatedEvent = TypedEvent< + [string, BigNumber, BigNumber, BigNumber], + StakerCooldownUpdatedEventObject +>; + +export type StakerCooldownUpdatedEventFilter = TypedEventFilter; + +export interface TransferEventObject { + from: string; + to: string; + value: BigNumber; +} +export type TransferEvent = TypedEvent<[string, string, BigNumber], TransferEventObject>; + +export type TransferEventFilter = TypedEventFilter; + +export interface UnstakeWindowChangedEventObject { + oldUnstakeWindow: BigNumber; + newUnstakeWindow: BigNumber; +} +export type UnstakeWindowChangedEvent = TypedEvent< + [BigNumber, BigNumber], + UnstakeWindowChangedEventObject +>; + +export type UnstakeWindowChangedEventFilter = TypedEventFilter; + +export interface WithdrawEventObject { + sender: string; + receiver: string; + owner: string; + assets: BigNumber; + shares: BigNumber; +} +export type WithdrawEvent = TypedEvent< + [string, string, string, BigNumber, BigNumber], + WithdrawEventObject +>; + +export type WithdrawEventFilter = TypedEventFilter; + +export interface IERC4626StakeToken extends BaseContract { + connect(signerOrProvider: Signer | Provider | string): this; + attach(addressOrName: string): this; + deployed(): Promise; + + interface: IERC4626StakeTokenInterface; + + queryFilter( + event: TypedEventFilter, + fromBlockOrBlockhash?: string | number | undefined, + toBlock?: string | number | undefined + ): Promise>; + + listeners( + eventFilter?: TypedEventFilter + ): Array>; + listeners(eventName?: string): Array; + removeAllListeners(eventFilter: TypedEventFilter): this; + removeAllListeners(eventName?: string): this; + off: OnEvent; + on: OnEvent; + once: OnEvent; + removeListener: OnEvent; + + functions: { + MIN_ASSETS_REMAINING(overrides?: CallOverrides): Promise<[BigNumber]>; + + allowance(owner: string, spender: string, overrides?: CallOverrides): Promise<[BigNumber]>; + + approve( + spender: string, + value: BigNumberish, + overrides?: Overrides & { from?: string } + ): Promise; + + asset(overrides?: CallOverrides): Promise<[string] & { assetTokenAddress: string }>; + + balanceOf(account: string, overrides?: CallOverrides): Promise<[BigNumber]>; + + convertToAssets( + shares: BigNumberish, + overrides?: CallOverrides + ): Promise<[BigNumber] & { assets: BigNumber }>; + + convertToShares( + assets: BigNumberish, + overrides?: CallOverrides + ): Promise<[BigNumber] & { shares: BigNumber }>; + + cooldown(overrides?: Overrides & { from?: string }): Promise; + + cooldownNonces(owner: string, overrides?: CallOverrides): Promise<[BigNumber]>; + + cooldownOnBehalfOf( + from: string, + overrides?: Overrides & { from?: string } + ): Promise; + + cooldownWithPermit( + user: string, + deadline: BigNumberish, + sig: IERC4626StakeToken.SignatureParamsStruct, + overrides?: Overrides & { from?: string } + ): Promise; + + decimals(overrides?: CallOverrides): Promise<[number]>; + + deposit( + assets: BigNumberish, + receiver: string, + overrides?: Overrides & { from?: string } + ): Promise; + + depositWithPermit( + assets: BigNumberish, + receiver: string, + deadline: BigNumberish, + sig: IERC4626StakeToken.SignatureParamsStruct, + overrides?: Overrides & { from?: string } + ): Promise; + + getCooldown(overrides?: CallOverrides): Promise<[BigNumber]>; + + getMaxSlashableAssets(overrides?: CallOverrides): Promise<[BigNumber]>; + + getStakerCooldown( + user: string, + overrides?: CallOverrides + ): Promise<[IERC4626StakeToken.CooldownSnapshotStructOutput]>; + + getUnstakeWindow(overrides?: CallOverrides): Promise<[BigNumber]>; + + isCooldownOperator( + user: string, + operator: string, + overrides?: CallOverrides + ): Promise<[boolean]>; + + maxDeposit( + receiver: string, + overrides?: CallOverrides + ): Promise<[BigNumber] & { maxAssets: BigNumber }>; + + maxMint( + receiver: string, + overrides?: CallOverrides + ): Promise<[BigNumber] & { maxShares: BigNumber }>; + + maxRedeem( + owner: string, + overrides?: CallOverrides + ): Promise<[BigNumber] & { maxShares: BigNumber }>; + + maxWithdraw( + owner: string, + overrides?: CallOverrides + ): Promise<[BigNumber] & { maxAssets: BigNumber }>; + + mint( + shares: BigNumberish, + receiver: string, + overrides?: Overrides & { from?: string } + ): Promise; + + name(overrides?: CallOverrides): Promise<[string]>; + + pause(overrides?: Overrides & { from?: string }): Promise; + + previewDeposit( + assets: BigNumberish, + overrides?: CallOverrides + ): Promise<[BigNumber] & { shares: BigNumber }>; + + previewMint( + shares: BigNumberish, + overrides?: CallOverrides + ): Promise<[BigNumber] & { assets: BigNumber }>; + + previewRedeem( + shares: BigNumberish, + overrides?: CallOverrides + ): Promise<[BigNumber] & { assets: BigNumber }>; + + previewWithdraw( + assets: BigNumberish, + overrides?: CallOverrides + ): Promise<[BigNumber] & { shares: BigNumber }>; + + redeem( + shares: BigNumberish, + receiver: string, + owner: string, + overrides?: Overrides & { from?: string } + ): Promise; + + setCooldown( + cooldown: BigNumberish, + overrides?: Overrides & { from?: string } + ): Promise; + + setCooldownOperator( + operator: string, + flag: boolean, + overrides?: Overrides & { from?: string } + ): Promise; + + setUnstakeWindow( + newUnstakeWindow: BigNumberish, + overrides?: Overrides & { from?: string } + ): Promise; + + slash( + destination: string, + amount: BigNumberish, + overrides?: Overrides & { from?: string } + ): Promise; + + symbol(overrides?: CallOverrides): Promise<[string]>; + + totalAssets( + overrides?: CallOverrides + ): Promise<[BigNumber] & { totalManagedAssets: BigNumber }>; + + totalSupply(overrides?: CallOverrides): Promise<[BigNumber]>; + + transfer( + to: string, + value: BigNumberish, + overrides?: Overrides & { from?: string } + ): Promise; + + transferFrom( + from: string, + to: string, + value: BigNumberish, + overrides?: Overrides & { from?: string } + ): Promise; + + unpause(overrides?: Overrides & { from?: string }): Promise; + + withdraw( + assets: BigNumberish, + receiver: string, + owner: string, + overrides?: Overrides & { from?: string } + ): Promise; + }; + + MIN_ASSETS_REMAINING(overrides?: CallOverrides): Promise; + + allowance(owner: string, spender: string, overrides?: CallOverrides): Promise; + + approve( + spender: string, + value: BigNumberish, + overrides?: Overrides & { from?: string } + ): Promise; + + asset(overrides?: CallOverrides): Promise; + + balanceOf(account: string, overrides?: CallOverrides): Promise; + + convertToAssets(shares: BigNumberish, overrides?: CallOverrides): Promise; + + convertToShares(assets: BigNumberish, overrides?: CallOverrides): Promise; + + cooldown(overrides?: Overrides & { from?: string }): Promise; + + cooldownNonces(owner: string, overrides?: CallOverrides): Promise; + + cooldownOnBehalfOf( + from: string, + overrides?: Overrides & { from?: string } + ): Promise; + + cooldownWithPermit( + user: string, + deadline: BigNumberish, + sig: IERC4626StakeToken.SignatureParamsStruct, + overrides?: Overrides & { from?: string } + ): Promise; + + decimals(overrides?: CallOverrides): Promise; + + deposit( + assets: BigNumberish, + receiver: string, + overrides?: Overrides & { from?: string } + ): Promise; + + depositWithPermit( + assets: BigNumberish, + receiver: string, + deadline: BigNumberish, + sig: IERC4626StakeToken.SignatureParamsStruct, + overrides?: Overrides & { from?: string } + ): Promise; + + getCooldown(overrides?: CallOverrides): Promise; + + getMaxSlashableAssets(overrides?: CallOverrides): Promise; + + getStakerCooldown( + user: string, + overrides?: CallOverrides + ): Promise; + + getUnstakeWindow(overrides?: CallOverrides): Promise; + + isCooldownOperator(user: string, operator: string, overrides?: CallOverrides): Promise; + + maxDeposit(receiver: string, overrides?: CallOverrides): Promise; + + maxMint(receiver: string, overrides?: CallOverrides): Promise; + + maxRedeem(owner: string, overrides?: CallOverrides): Promise; + + maxWithdraw(owner: string, overrides?: CallOverrides): Promise; + + mint( + shares: BigNumberish, + receiver: string, + overrides?: Overrides & { from?: string } + ): Promise; + + name(overrides?: CallOverrides): Promise; + + pause(overrides?: Overrides & { from?: string }): Promise; + + previewDeposit(assets: BigNumberish, overrides?: CallOverrides): Promise; + + previewMint(shares: BigNumberish, overrides?: CallOverrides): Promise; + + previewRedeem(shares: BigNumberish, overrides?: CallOverrides): Promise; + + previewWithdraw(assets: BigNumberish, overrides?: CallOverrides): Promise; + + redeem( + shares: BigNumberish, + receiver: string, + owner: string, + overrides?: Overrides & { from?: string } + ): Promise; + + setCooldown( + cooldown: BigNumberish, + overrides?: Overrides & { from?: string } + ): Promise; + + setCooldownOperator( + operator: string, + flag: boolean, + overrides?: Overrides & { from?: string } + ): Promise; + + setUnstakeWindow( + newUnstakeWindow: BigNumberish, + overrides?: Overrides & { from?: string } + ): Promise; + + slash( + destination: string, + amount: BigNumberish, + overrides?: Overrides & { from?: string } + ): Promise; + + symbol(overrides?: CallOverrides): Promise; + + totalAssets(overrides?: CallOverrides): Promise; + + totalSupply(overrides?: CallOverrides): Promise; + + transfer( + to: string, + value: BigNumberish, + overrides?: Overrides & { from?: string } + ): Promise; + + transferFrom( + from: string, + to: string, + value: BigNumberish, + overrides?: Overrides & { from?: string } + ): Promise; + + unpause(overrides?: Overrides & { from?: string }): Promise; + + withdraw( + assets: BigNumberish, + receiver: string, + owner: string, + overrides?: Overrides & { from?: string } + ): Promise; + + callStatic: { + MIN_ASSETS_REMAINING(overrides?: CallOverrides): Promise; + + allowance(owner: string, spender: string, overrides?: CallOverrides): Promise; + + approve(spender: string, value: BigNumberish, overrides?: CallOverrides): Promise; + + asset(overrides?: CallOverrides): Promise; + + balanceOf(account: string, overrides?: CallOverrides): Promise; + + convertToAssets(shares: BigNumberish, overrides?: CallOverrides): Promise; + + convertToShares(assets: BigNumberish, overrides?: CallOverrides): Promise; + + cooldown(overrides?: CallOverrides): Promise; + + cooldownNonces(owner: string, overrides?: CallOverrides): Promise; + + cooldownOnBehalfOf(from: string, overrides?: CallOverrides): Promise; + + cooldownWithPermit( + user: string, + deadline: BigNumberish, + sig: IERC4626StakeToken.SignatureParamsStruct, + overrides?: CallOverrides + ): Promise; + + decimals(overrides?: CallOverrides): Promise; + + deposit(assets: BigNumberish, receiver: string, overrides?: CallOverrides): Promise; + + depositWithPermit( + assets: BigNumberish, + receiver: string, + deadline: BigNumberish, + sig: IERC4626StakeToken.SignatureParamsStruct, + overrides?: CallOverrides + ): Promise; + + getCooldown(overrides?: CallOverrides): Promise; + + getMaxSlashableAssets(overrides?: CallOverrides): Promise; + + getStakerCooldown( + user: string, + overrides?: CallOverrides + ): Promise; + + getUnstakeWindow(overrides?: CallOverrides): Promise; + + isCooldownOperator(user: string, operator: string, overrides?: CallOverrides): Promise; + + maxDeposit(receiver: string, overrides?: CallOverrides): Promise; + + maxMint(receiver: string, overrides?: CallOverrides): Promise; + + maxRedeem(owner: string, overrides?: CallOverrides): Promise; + + maxWithdraw(owner: string, overrides?: CallOverrides): Promise; + + mint(shares: BigNumberish, receiver: string, overrides?: CallOverrides): Promise; + + name(overrides?: CallOverrides): Promise; + + pause(overrides?: CallOverrides): Promise; + + previewDeposit(assets: BigNumberish, overrides?: CallOverrides): Promise; + + previewMint(shares: BigNumberish, overrides?: CallOverrides): Promise; + + previewRedeem(shares: BigNumberish, overrides?: CallOverrides): Promise; + + previewWithdraw(assets: BigNumberish, overrides?: CallOverrides): Promise; + + redeem( + shares: BigNumberish, + receiver: string, + owner: string, + overrides?: CallOverrides + ): Promise; + + setCooldown(cooldown: BigNumberish, overrides?: CallOverrides): Promise; + + setCooldownOperator(operator: string, flag: boolean, overrides?: CallOverrides): Promise; + + setUnstakeWindow(newUnstakeWindow: BigNumberish, overrides?: CallOverrides): Promise; + + slash(destination: string, amount: BigNumberish, overrides?: CallOverrides): Promise; + + symbol(overrides?: CallOverrides): Promise; + + totalAssets(overrides?: CallOverrides): Promise; + + totalSupply(overrides?: CallOverrides): Promise; + + transfer(to: string, value: BigNumberish, overrides?: CallOverrides): Promise; + + transferFrom( + from: string, + to: string, + value: BigNumberish, + overrides?: CallOverrides + ): Promise; + + unpause(overrides?: CallOverrides): Promise; + + withdraw( + assets: BigNumberish, + receiver: string, + owner: string, + overrides?: CallOverrides + ): Promise; + }; + + filters: { + 'Approval(address,address,uint256)'( + owner?: string | null, + spender?: string | null, + value?: null + ): ApprovalEventFilter; + Approval(owner?: string | null, spender?: string | null, value?: null): ApprovalEventFilter; + + 'CooldownChanged(uint256,uint256)'( + oldCooldown?: null, + newCooldown?: null + ): CooldownChangedEventFilter; + CooldownChanged(oldCooldown?: null, newCooldown?: null): CooldownChangedEventFilter; + + 'CooldownOperatorSet(address,address,bool)'( + user?: string | null, + operator?: string | null, + flag?: null + ): CooldownOperatorSetEventFilter; + CooldownOperatorSet( + user?: string | null, + operator?: string | null, + flag?: null + ): CooldownOperatorSetEventFilter; + + 'Deposit(address,address,uint256,uint256)'( + sender?: string | null, + owner?: string | null, + assets?: null, + shares?: null + ): DepositEventFilter; + Deposit( + sender?: string | null, + owner?: string | null, + assets?: null, + shares?: null + ): DepositEventFilter; + + 'Slashed(address,uint256)'(destination?: string | null, amount?: null): SlashedEventFilter; + Slashed(destination?: string | null, amount?: null): SlashedEventFilter; + + 'StakerCooldownUpdated(address,uint256,uint256,uint256)'( + user?: string | null, + amount?: null, + endOfCooldown?: null, + unstakeWindow?: null + ): StakerCooldownUpdatedEventFilter; + StakerCooldownUpdated( + user?: string | null, + amount?: null, + endOfCooldown?: null, + unstakeWindow?: null + ): StakerCooldownUpdatedEventFilter; + + 'Transfer(address,address,uint256)'( + from?: string | null, + to?: string | null, + value?: null + ): TransferEventFilter; + Transfer(from?: string | null, to?: string | null, value?: null): TransferEventFilter; + + 'UnstakeWindowChanged(uint256,uint256)'( + oldUnstakeWindow?: null, + newUnstakeWindow?: null + ): UnstakeWindowChangedEventFilter; + UnstakeWindowChanged( + oldUnstakeWindow?: null, + newUnstakeWindow?: null + ): UnstakeWindowChangedEventFilter; + + 'Withdraw(address,address,address,uint256,uint256)'( + sender?: string | null, + receiver?: string | null, + owner?: string | null, + assets?: null, + shares?: null + ): WithdrawEventFilter; + Withdraw( + sender?: string | null, + receiver?: string | null, + owner?: string | null, + assets?: null, + shares?: null + ): WithdrawEventFilter; + }; + + estimateGas: { + MIN_ASSETS_REMAINING(overrides?: CallOverrides): Promise; + + allowance(owner: string, spender: string, overrides?: CallOverrides): Promise; + + approve( + spender: string, + value: BigNumberish, + overrides?: Overrides & { from?: string } + ): Promise; + + asset(overrides?: CallOverrides): Promise; + + balanceOf(account: string, overrides?: CallOverrides): Promise; + + convertToAssets(shares: BigNumberish, overrides?: CallOverrides): Promise; + + convertToShares(assets: BigNumberish, overrides?: CallOverrides): Promise; + + cooldown(overrides?: Overrides & { from?: string }): Promise; + + cooldownNonces(owner: string, overrides?: CallOverrides): Promise; + + cooldownOnBehalfOf(from: string, overrides?: Overrides & { from?: string }): Promise; + + cooldownWithPermit( + user: string, + deadline: BigNumberish, + sig: IERC4626StakeToken.SignatureParamsStruct, + overrides?: Overrides & { from?: string } + ): Promise; + + decimals(overrides?: CallOverrides): Promise; + + deposit( + assets: BigNumberish, + receiver: string, + overrides?: Overrides & { from?: string } + ): Promise; + + depositWithPermit( + assets: BigNumberish, + receiver: string, + deadline: BigNumberish, + sig: IERC4626StakeToken.SignatureParamsStruct, + overrides?: Overrides & { from?: string } + ): Promise; + + getCooldown(overrides?: CallOverrides): Promise; + + getMaxSlashableAssets(overrides?: CallOverrides): Promise; + + getStakerCooldown(user: string, overrides?: CallOverrides): Promise; + + getUnstakeWindow(overrides?: CallOverrides): Promise; + + isCooldownOperator( + user: string, + operator: string, + overrides?: CallOverrides + ): Promise; + + maxDeposit(receiver: string, overrides?: CallOverrides): Promise; + + maxMint(receiver: string, overrides?: CallOverrides): Promise; + + maxRedeem(owner: string, overrides?: CallOverrides): Promise; + + maxWithdraw(owner: string, overrides?: CallOverrides): Promise; + + mint( + shares: BigNumberish, + receiver: string, + overrides?: Overrides & { from?: string } + ): Promise; + + name(overrides?: CallOverrides): Promise; + + pause(overrides?: Overrides & { from?: string }): Promise; + + previewDeposit(assets: BigNumberish, overrides?: CallOverrides): Promise; + + previewMint(shares: BigNumberish, overrides?: CallOverrides): Promise; + + previewRedeem(shares: BigNumberish, overrides?: CallOverrides): Promise; + + previewWithdraw(assets: BigNumberish, overrides?: CallOverrides): Promise; + + redeem( + shares: BigNumberish, + receiver: string, + owner: string, + overrides?: Overrides & { from?: string } + ): Promise; + + setCooldown( + cooldown: BigNumberish, + overrides?: Overrides & { from?: string } + ): Promise; + + setCooldownOperator( + operator: string, + flag: boolean, + overrides?: Overrides & { from?: string } + ): Promise; + + setUnstakeWindow( + newUnstakeWindow: BigNumberish, + overrides?: Overrides & { from?: string } + ): Promise; + + slash( + destination: string, + amount: BigNumberish, + overrides?: Overrides & { from?: string } + ): Promise; + + symbol(overrides?: CallOverrides): Promise; + + totalAssets(overrides?: CallOverrides): Promise; + + totalSupply(overrides?: CallOverrides): Promise; + + transfer( + to: string, + value: BigNumberish, + overrides?: Overrides & { from?: string } + ): Promise; + + transferFrom( + from: string, + to: string, + value: BigNumberish, + overrides?: Overrides & { from?: string } + ): Promise; + + unpause(overrides?: Overrides & { from?: string }): Promise; + + withdraw( + assets: BigNumberish, + receiver: string, + owner: string, + overrides?: Overrides & { from?: string } + ): Promise; + }; + + populateTransaction: { + MIN_ASSETS_REMAINING(overrides?: CallOverrides): Promise; + + allowance( + owner: string, + spender: string, + overrides?: CallOverrides + ): Promise; + + approve( + spender: string, + value: BigNumberish, + overrides?: Overrides & { from?: string } + ): Promise; + + asset(overrides?: CallOverrides): Promise; + + balanceOf(account: string, overrides?: CallOverrides): Promise; + + convertToAssets(shares: BigNumberish, overrides?: CallOverrides): Promise; + + convertToShares(assets: BigNumberish, overrides?: CallOverrides): Promise; + + cooldown(overrides?: Overrides & { from?: string }): Promise; + + cooldownNonces(owner: string, overrides?: CallOverrides): Promise; + + cooldownOnBehalfOf( + from: string, + overrides?: Overrides & { from?: string } + ): Promise; + + cooldownWithPermit( + user: string, + deadline: BigNumberish, + sig: IERC4626StakeToken.SignatureParamsStruct, + overrides?: Overrides & { from?: string } + ): Promise; + + decimals(overrides?: CallOverrides): Promise; + + deposit( + assets: BigNumberish, + receiver: string, + overrides?: Overrides & { from?: string } + ): Promise; + + depositWithPermit( + assets: BigNumberish, + receiver: string, + deadline: BigNumberish, + sig: IERC4626StakeToken.SignatureParamsStruct, + overrides?: Overrides & { from?: string } + ): Promise; + + getCooldown(overrides?: CallOverrides): Promise; + + getMaxSlashableAssets(overrides?: CallOverrides): Promise; + + getStakerCooldown(user: string, overrides?: CallOverrides): Promise; + + getUnstakeWindow(overrides?: CallOverrides): Promise; + + isCooldownOperator( + user: string, + operator: string, + overrides?: CallOverrides + ): Promise; + + maxDeposit(receiver: string, overrides?: CallOverrides): Promise; + + maxMint(receiver: string, overrides?: CallOverrides): Promise; + + maxRedeem(owner: string, overrides?: CallOverrides): Promise; + + maxWithdraw(owner: string, overrides?: CallOverrides): Promise; + + mint( + shares: BigNumberish, + receiver: string, + overrides?: Overrides & { from?: string } + ): Promise; + + name(overrides?: CallOverrides): Promise; + + pause(overrides?: Overrides & { from?: string }): Promise; + + previewDeposit(assets: BigNumberish, overrides?: CallOverrides): Promise; + + previewMint(shares: BigNumberish, overrides?: CallOverrides): Promise; + + previewRedeem(shares: BigNumberish, overrides?: CallOverrides): Promise; + + previewWithdraw(assets: BigNumberish, overrides?: CallOverrides): Promise; + + redeem( + shares: BigNumberish, + receiver: string, + owner: string, + overrides?: Overrides & { from?: string } + ): Promise; + + setCooldown( + cooldown: BigNumberish, + overrides?: Overrides & { from?: string } + ): Promise; + + setCooldownOperator( + operator: string, + flag: boolean, + overrides?: Overrides & { from?: string } + ): Promise; + + setUnstakeWindow( + newUnstakeWindow: BigNumberish, + overrides?: Overrides & { from?: string } + ): Promise; + + slash( + destination: string, + amount: BigNumberish, + overrides?: Overrides & { from?: string } + ): Promise; + + symbol(overrides?: CallOverrides): Promise; + + totalAssets(overrides?: CallOverrides): Promise; + + totalSupply(overrides?: CallOverrides): Promise; + + transfer( + to: string, + value: BigNumberish, + overrides?: Overrides & { from?: string } + ): Promise; + + transferFrom( + from: string, + to: string, + value: BigNumberish, + overrides?: Overrides & { from?: string } + ): Promise; + + unpause(overrides?: Overrides & { from?: string }): Promise; + + withdraw( + assets: BigNumberish, + receiver: string, + owner: string, + overrides?: Overrides & { from?: string } + ): Promise; + }; +} diff --git a/src/modules/umbrella/services/types/StakeToken__factory.ts b/src/modules/umbrella/services/types/StakeToken__factory.ts new file mode 100644 index 0000000000..fa68655c26 --- /dev/null +++ b/src/modules/umbrella/services/types/StakeToken__factory.ts @@ -0,0 +1,1105 @@ +/* Autogenerated file. Do not edit manually. */ +/* tslint:disable */ +/* eslint-disable */ + +import { Contract, Signer, utils } from 'ethers'; +import type { Provider } from '@ethersproject/providers'; +import type { IERC4626StakeToken, IERC4626StakeTokenInterface } from './StakeToken'; + +const _abi = [ + { + type: 'function', + name: 'MIN_ASSETS_REMAINING', + inputs: [], + outputs: [ + { + name: '', + type: 'uint256', + internalType: 'uint256', + }, + ], + stateMutability: 'view', + }, + { + type: 'function', + name: 'allowance', + inputs: [ + { + name: 'owner', + type: 'address', + internalType: 'address', + }, + { + name: 'spender', + type: 'address', + internalType: 'address', + }, + ], + outputs: [ + { + name: '', + type: 'uint256', + internalType: 'uint256', + }, + ], + stateMutability: 'view', + }, + { + type: 'function', + name: 'approve', + inputs: [ + { + name: 'spender', + type: 'address', + internalType: 'address', + }, + { + name: 'value', + type: 'uint256', + internalType: 'uint256', + }, + ], + outputs: [ + { + name: '', + type: 'bool', + internalType: 'bool', + }, + ], + stateMutability: 'nonpayable', + }, + { + type: 'function', + name: 'asset', + inputs: [], + outputs: [ + { + name: 'assetTokenAddress', + type: 'address', + internalType: 'address', + }, + ], + stateMutability: 'view', + }, + { + type: 'function', + name: 'balanceOf', + inputs: [ + { + name: 'account', + type: 'address', + internalType: 'address', + }, + ], + outputs: [ + { + name: '', + type: 'uint256', + internalType: 'uint256', + }, + ], + stateMutability: 'view', + }, + { + type: 'function', + name: 'convertToAssets', + inputs: [ + { + name: 'shares', + type: 'uint256', + internalType: 'uint256', + }, + ], + outputs: [ + { + name: 'assets', + type: 'uint256', + internalType: 'uint256', + }, + ], + stateMutability: 'view', + }, + { + type: 'function', + name: 'convertToShares', + inputs: [ + { + name: 'assets', + type: 'uint256', + internalType: 'uint256', + }, + ], + outputs: [ + { + name: 'shares', + type: 'uint256', + internalType: 'uint256', + }, + ], + stateMutability: 'view', + }, + { + type: 'function', + name: 'cooldown', + inputs: [], + outputs: [], + stateMutability: 'nonpayable', + }, + { + type: 'function', + name: 'cooldownNonces', + inputs: [ + { + name: 'owner', + type: 'address', + internalType: 'address', + }, + ], + outputs: [ + { + name: '', + type: 'uint256', + internalType: 'uint256', + }, + ], + stateMutability: 'view', + }, + { + type: 'function', + name: 'cooldownOnBehalfOf', + inputs: [ + { + name: 'from', + type: 'address', + internalType: 'address', + }, + ], + outputs: [], + stateMutability: 'nonpayable', + }, + { + type: 'function', + name: 'cooldownWithPermit', + inputs: [ + { + name: 'user', + type: 'address', + internalType: 'address', + }, + { + name: 'deadline', + type: 'uint256', + internalType: 'uint256', + }, + { + name: 'sig', + type: 'tuple', + internalType: 'struct IERC4626StakeToken.SignatureParams', + components: [ + { + name: 'v', + type: 'uint8', + internalType: 'uint8', + }, + { + name: 'r', + type: 'bytes32', + internalType: 'bytes32', + }, + { + name: 's', + type: 'bytes32', + internalType: 'bytes32', + }, + ], + }, + ], + outputs: [], + stateMutability: 'nonpayable', + }, + { + type: 'function', + name: 'decimals', + inputs: [], + outputs: [ + { + name: '', + type: 'uint8', + internalType: 'uint8', + }, + ], + stateMutability: 'view', + }, + { + type: 'function', + name: 'deposit', + inputs: [ + { + name: 'assets', + type: 'uint256', + internalType: 'uint256', + }, + { + name: 'receiver', + type: 'address', + internalType: 'address', + }, + ], + outputs: [ + { + name: 'shares', + type: 'uint256', + internalType: 'uint256', + }, + ], + stateMutability: 'nonpayable', + }, + { + type: 'function', + name: 'depositWithPermit', + inputs: [ + { + name: 'assets', + type: 'uint256', + internalType: 'uint256', + }, + { + name: 'receiver', + type: 'address', + internalType: 'address', + }, + { + name: 'deadline', + type: 'uint256', + internalType: 'uint256', + }, + { + name: 'sig', + type: 'tuple', + internalType: 'struct IERC4626StakeToken.SignatureParams', + components: [ + { + name: 'v', + type: 'uint8', + internalType: 'uint8', + }, + { + name: 'r', + type: 'bytes32', + internalType: 'bytes32', + }, + { + name: 's', + type: 'bytes32', + internalType: 'bytes32', + }, + ], + }, + ], + outputs: [ + { + name: '', + type: 'uint256', + internalType: 'uint256', + }, + ], + stateMutability: 'nonpayable', + }, + { + type: 'function', + name: 'getCooldown', + inputs: [], + outputs: [ + { + name: '', + type: 'uint256', + internalType: 'uint256', + }, + ], + stateMutability: 'view', + }, + { + type: 'function', + name: 'getMaxSlashableAssets', + inputs: [], + outputs: [ + { + name: '', + type: 'uint256', + internalType: 'uint256', + }, + ], + stateMutability: 'view', + }, + { + type: 'function', + name: 'getStakerCooldown', + inputs: [ + { + name: 'user', + type: 'address', + internalType: 'address', + }, + ], + outputs: [ + { + name: '', + type: 'tuple', + internalType: 'struct IERC4626StakeToken.CooldownSnapshot', + components: [ + { + name: 'amount', + type: 'uint192', + internalType: 'uint192', + }, + { + name: 'endOfCooldown', + type: 'uint32', + internalType: 'uint32', + }, + { + name: 'withdrawalWindow', + type: 'uint32', + internalType: 'uint32', + }, + ], + }, + ], + stateMutability: 'view', + }, + { + type: 'function', + name: 'getUnstakeWindow', + inputs: [], + outputs: [ + { + name: '', + type: 'uint256', + internalType: 'uint256', + }, + ], + stateMutability: 'view', + }, + { + type: 'function', + name: 'isCooldownOperator', + inputs: [ + { + name: 'user', + type: 'address', + internalType: 'address', + }, + { + name: 'operator', + type: 'address', + internalType: 'address', + }, + ], + outputs: [ + { + name: '', + type: 'bool', + internalType: 'bool', + }, + ], + stateMutability: 'view', + }, + { + type: 'function', + name: 'maxDeposit', + inputs: [ + { + name: 'receiver', + type: 'address', + internalType: 'address', + }, + ], + outputs: [ + { + name: 'maxAssets', + type: 'uint256', + internalType: 'uint256', + }, + ], + stateMutability: 'view', + }, + { + type: 'function', + name: 'maxMint', + inputs: [ + { + name: 'receiver', + type: 'address', + internalType: 'address', + }, + ], + outputs: [ + { + name: 'maxShares', + type: 'uint256', + internalType: 'uint256', + }, + ], + stateMutability: 'view', + }, + { + type: 'function', + name: 'maxRedeem', + inputs: [ + { + name: 'owner', + type: 'address', + internalType: 'address', + }, + ], + outputs: [ + { + name: 'maxShares', + type: 'uint256', + internalType: 'uint256', + }, + ], + stateMutability: 'view', + }, + { + type: 'function', + name: 'maxWithdraw', + inputs: [ + { + name: 'owner', + type: 'address', + internalType: 'address', + }, + ], + outputs: [ + { + name: 'maxAssets', + type: 'uint256', + internalType: 'uint256', + }, + ], + stateMutability: 'view', + }, + { + type: 'function', + name: 'mint', + inputs: [ + { + name: 'shares', + type: 'uint256', + internalType: 'uint256', + }, + { + name: 'receiver', + type: 'address', + internalType: 'address', + }, + ], + outputs: [ + { + name: 'assets', + type: 'uint256', + internalType: 'uint256', + }, + ], + stateMutability: 'nonpayable', + }, + { + type: 'function', + name: 'name', + inputs: [], + outputs: [ + { + name: '', + type: 'string', + internalType: 'string', + }, + ], + stateMutability: 'view', + }, + { + type: 'function', + name: 'pause', + inputs: [], + outputs: [], + stateMutability: 'nonpayable', + }, + { + type: 'function', + name: 'previewDeposit', + inputs: [ + { + name: 'assets', + type: 'uint256', + internalType: 'uint256', + }, + ], + outputs: [ + { + name: 'shares', + type: 'uint256', + internalType: 'uint256', + }, + ], + stateMutability: 'view', + }, + { + type: 'function', + name: 'previewMint', + inputs: [ + { + name: 'shares', + type: 'uint256', + internalType: 'uint256', + }, + ], + outputs: [ + { + name: 'assets', + type: 'uint256', + internalType: 'uint256', + }, + ], + stateMutability: 'view', + }, + { + type: 'function', + name: 'previewRedeem', + inputs: [ + { + name: 'shares', + type: 'uint256', + internalType: 'uint256', + }, + ], + outputs: [ + { + name: 'assets', + type: 'uint256', + internalType: 'uint256', + }, + ], + stateMutability: 'view', + }, + { + type: 'function', + name: 'previewWithdraw', + inputs: [ + { + name: 'assets', + type: 'uint256', + internalType: 'uint256', + }, + ], + outputs: [ + { + name: 'shares', + type: 'uint256', + internalType: 'uint256', + }, + ], + stateMutability: 'view', + }, + { + type: 'function', + name: 'redeem', + inputs: [ + { + name: 'shares', + type: 'uint256', + internalType: 'uint256', + }, + { + name: 'receiver', + type: 'address', + internalType: 'address', + }, + { + name: 'owner', + type: 'address', + internalType: 'address', + }, + ], + outputs: [ + { + name: 'assets', + type: 'uint256', + internalType: 'uint256', + }, + ], + stateMutability: 'nonpayable', + }, + { + type: 'function', + name: 'setCooldown', + inputs: [ + { + name: 'cooldown', + type: 'uint256', + internalType: 'uint256', + }, + ], + outputs: [], + stateMutability: 'nonpayable', + }, + { + type: 'function', + name: 'setCooldownOperator', + inputs: [ + { + name: 'operator', + type: 'address', + internalType: 'address', + }, + { + name: 'flag', + type: 'bool', + internalType: 'bool', + }, + ], + outputs: [], + stateMutability: 'nonpayable', + }, + { + type: 'function', + name: 'setUnstakeWindow', + inputs: [ + { + name: 'newUnstakeWindow', + type: 'uint256', + internalType: 'uint256', + }, + ], + outputs: [], + stateMutability: 'nonpayable', + }, + { + type: 'function', + name: 'slash', + inputs: [ + { + name: 'destination', + type: 'address', + internalType: 'address', + }, + { + name: 'amount', + type: 'uint256', + internalType: 'uint256', + }, + ], + outputs: [ + { + name: '', + type: 'uint256', + internalType: 'uint256', + }, + ], + stateMutability: 'nonpayable', + }, + { + type: 'function', + name: 'symbol', + inputs: [], + outputs: [ + { + name: '', + type: 'string', + internalType: 'string', + }, + ], + stateMutability: 'view', + }, + { + type: 'function', + name: 'totalAssets', + inputs: [], + outputs: [ + { + name: 'totalManagedAssets', + type: 'uint256', + internalType: 'uint256', + }, + ], + stateMutability: 'view', + }, + { + type: 'function', + name: 'totalSupply', + inputs: [], + outputs: [ + { + name: '', + type: 'uint256', + internalType: 'uint256', + }, + ], + stateMutability: 'view', + }, + { + type: 'function', + name: 'transfer', + inputs: [ + { + name: 'to', + type: 'address', + internalType: 'address', + }, + { + name: 'value', + type: 'uint256', + internalType: 'uint256', + }, + ], + outputs: [ + { + name: '', + type: 'bool', + internalType: 'bool', + }, + ], + stateMutability: 'nonpayable', + }, + { + type: 'function', + name: 'transferFrom', + inputs: [ + { + name: 'from', + type: 'address', + internalType: 'address', + }, + { + name: 'to', + type: 'address', + internalType: 'address', + }, + { + name: 'value', + type: 'uint256', + internalType: 'uint256', + }, + ], + outputs: [ + { + name: '', + type: 'bool', + internalType: 'bool', + }, + ], + stateMutability: 'nonpayable', + }, + { + type: 'function', + name: 'unpause', + inputs: [], + outputs: [], + stateMutability: 'nonpayable', + }, + { + type: 'function', + name: 'withdraw', + inputs: [ + { + name: 'assets', + type: 'uint256', + internalType: 'uint256', + }, + { + name: 'receiver', + type: 'address', + internalType: 'address', + }, + { + name: 'owner', + type: 'address', + internalType: 'address', + }, + ], + outputs: [ + { + name: 'shares', + type: 'uint256', + internalType: 'uint256', + }, + ], + stateMutability: 'nonpayable', + }, + { + type: 'event', + name: 'Approval', + inputs: [ + { + name: 'owner', + type: 'address', + indexed: true, + internalType: 'address', + }, + { + name: 'spender', + type: 'address', + indexed: true, + internalType: 'address', + }, + { + name: 'value', + type: 'uint256', + indexed: false, + internalType: 'uint256', + }, + ], + anonymous: false, + }, + { + type: 'event', + name: 'CooldownChanged', + inputs: [ + { + name: 'oldCooldown', + type: 'uint256', + indexed: false, + internalType: 'uint256', + }, + { + name: 'newCooldown', + type: 'uint256', + indexed: false, + internalType: 'uint256', + }, + ], + anonymous: false, + }, + { + type: 'event', + name: 'CooldownOperatorSet', + inputs: [ + { + name: 'user', + type: 'address', + indexed: true, + internalType: 'address', + }, + { + name: 'operator', + type: 'address', + indexed: true, + internalType: 'address', + }, + { + name: 'flag', + type: 'bool', + indexed: false, + internalType: 'bool', + }, + ], + anonymous: false, + }, + { + type: 'event', + name: 'Deposit', + inputs: [ + { + name: 'sender', + type: 'address', + indexed: true, + internalType: 'address', + }, + { + name: 'owner', + type: 'address', + indexed: true, + internalType: 'address', + }, + { + name: 'assets', + type: 'uint256', + indexed: false, + internalType: 'uint256', + }, + { + name: 'shares', + type: 'uint256', + indexed: false, + internalType: 'uint256', + }, + ], + anonymous: false, + }, + { + type: 'event', + name: 'Slashed', + inputs: [ + { + name: 'destination', + type: 'address', + indexed: true, + internalType: 'address', + }, + { + name: 'amount', + type: 'uint256', + indexed: false, + internalType: 'uint256', + }, + ], + anonymous: false, + }, + { + type: 'event', + name: 'StakerCooldownUpdated', + inputs: [ + { + name: 'user', + type: 'address', + indexed: true, + internalType: 'address', + }, + { + name: 'amount', + type: 'uint256', + indexed: false, + internalType: 'uint256', + }, + { + name: 'endOfCooldown', + type: 'uint256', + indexed: false, + internalType: 'uint256', + }, + { + name: 'unstakeWindow', + type: 'uint256', + indexed: false, + internalType: 'uint256', + }, + ], + anonymous: false, + }, + { + type: 'event', + name: 'Transfer', + inputs: [ + { + name: 'from', + type: 'address', + indexed: true, + internalType: 'address', + }, + { + name: 'to', + type: 'address', + indexed: true, + internalType: 'address', + }, + { + name: 'value', + type: 'uint256', + indexed: false, + internalType: 'uint256', + }, + ], + anonymous: false, + }, + { + type: 'event', + name: 'UnstakeWindowChanged', + inputs: [ + { + name: 'oldUnstakeWindow', + type: 'uint256', + indexed: false, + internalType: 'uint256', + }, + { + name: 'newUnstakeWindow', + type: 'uint256', + indexed: false, + internalType: 'uint256', + }, + ], + anonymous: false, + }, + { + type: 'event', + name: 'Withdraw', + inputs: [ + { + name: 'sender', + type: 'address', + indexed: true, + internalType: 'address', + }, + { + name: 'receiver', + type: 'address', + indexed: true, + internalType: 'address', + }, + { + name: 'owner', + type: 'address', + indexed: true, + internalType: 'address', + }, + { + name: 'assets', + type: 'uint256', + indexed: false, + internalType: 'uint256', + }, + { + name: 'shares', + type: 'uint256', + indexed: false, + internalType: 'uint256', + }, + ], + anonymous: false, + }, + { + type: 'error', + name: 'NotApprovedForCooldown', + inputs: [ + { + name: 'owner', + type: 'address', + internalType: 'address', + }, + { + name: 'spender', + type: 'address', + internalType: 'address', + }, + ], + }, + { + type: 'error', + name: 'ZeroAddress', + inputs: [], + }, + { + type: 'error', + name: 'ZeroAmountSlashing', + inputs: [], + }, + { + type: 'error', + name: 'ZeroBalanceInStaking', + inputs: [], + }, + { + type: 'error', + name: 'ZeroFundsAvailable', + inputs: [], + }, +] as const; + +export class IERC4626StakeToken__factory { + static readonly abi = _abi; + static createInterface(): IERC4626StakeTokenInterface { + return new utils.Interface(_abi) as IERC4626StakeTokenInterface; + } + static connect(address: string, signerOrProvider: Signer | Provider): IERC4626StakeToken { + return new Contract(address, _abi, signerOrProvider) as IERC4626StakeToken; + } +} From 7ff0402ffe6f1d07f5af8ed80c98495c896fb7b1 Mon Sep 17 00:00:00 2001 From: Mark Grothe Date: Wed, 22 Jan 2025 15:47:34 -0600 Subject: [PATCH 040/110] fix: build --- pages/umbrella.page.tsx | 2 +- 1 file changed, 1 insertion(+), 1 deletion(-) diff --git a/pages/umbrella.page.tsx b/pages/umbrella.page.tsx index e2edc6548a..7b7d829af1 100644 --- a/pages/umbrella.page.tsx +++ b/pages/umbrella.page.tsx @@ -134,7 +134,7 @@ export default function UmbrellaStaking() { return ( <> - + Date: Thu, 23 Jan 2025 03:14:35 -0300 Subject: [PATCH 041/110] feat: basic permit functions --- src/locales/el/messages.js | 2 +- src/locales/en/messages.js | 2 +- src/locales/en/messages.po | 10 +- src/locales/es/messages.js | 2 +- src/locales/fr/messages.js | 2 +- src/modules/umbrella/UmbrellaActions.tsx | 111 ++++++++++++++---- src/modules/umbrella/UmbrellaModalContent.tsx | 3 +- .../umbrella/services/StakeGatewayService.ts | 60 ++++++++++ 8 files changed, 161 insertions(+), 31 deletions(-) diff --git a/src/locales/el/messages.js b/src/locales/el/messages.js index 347291c749..34b981a8f1 100644 --- a/src/locales/el/messages.js +++ b/src/locales/el/messages.js @@ -1 +1 @@ -/*eslint-disable*/module.exports={messages:JSON.parse("{\"+0xecS\":[\"Εάν ΔΕΝ ξεκλειδώσετε εντός \",[\"0\"],\" του παραθύρου ξεκλειδώματος, θα πρέπει να ενεργοποιήσετε ξανά τη διαδικασία ψύξης.\"],\"+EGVI0\":\"Receive (est.)\",\"+VR63W\":[\"Η συμμετοχή σε αυτό το αποθεματικό \",[\"symbol\"],\" δίνει ετήσιες ανταμοιβές.\"],\"+bmKdK\":\"Use your AAVE, stkAAVE, or aAave balance to delegate your voting and proposition powers. You will not be sending any tokens, only the rights to vote and propose changes to the protocol. You can re-delegate or revoke power to self at any time.\",\"+eOPG+\":\"Φαίνεται ότι δεν μπορούμε να αλλάξουμε το δίκτυο αυτόματα. Ελέγξτε αν μπορείτε να το αλλάξετε από το πορτοφόλι.\",\"+i3Pd2\":\"Ανώτατο όριο δανεισμού\",\"+kLZGu\":\"Supplied asset amount\",\"+nuEh/\":\"Estimated time\",\"+xMFF8\":\"Remind me\",\"/57U31\":\"Amount to migrate\",\"/7ykiW\":\"Borrowing this amount will reduce your health factor and increase risk of liquidation.\",\"/YA5pU\":\"E-Mode increases your LTV for a selected category of assets, meaning that when E-mode is enabled, you will have higher borrowing power over assets of the same E-mode category which are defined by Aave Governance. You can enter E-Mode from your <0>Dashboard. To learn more about E-Mode and applied restrictionn, see the <1>help guide or the <2>Aave V3 Technical Paper.\",\"/izjs/\":\"Minimum staked Aave amount\",\"/jQctM\":\"To\",\"/lDBHm\":\"ΣΥΧΝΕΣ ΕΡΩΤΗΣΕΙΣ\",\"/yNlZf\":\"Ο σταθερός δανεισμός δεν είναι ενεργοποιημένος\",\"/yQcJM\":\"Συνολική αξία\",\"00AB2i\":\"Ο χρήστης δεν δανείστηκε το καθορισμένο νόμισμα\",\"00OflG\":\"There is not enough liquidity for the target asset to perform the switch. Try lowering the amount.\",\"08/rZ9\":\"The cooldown period is the time required prior to unstaking your tokens (20 days). You can only withdraw your assets from the Security Module after the cooldown period and within the unstake window.<0>Learn more\",\"0AmQcW\":\"Rate change\",\"0BF3yK\":\"Sorry, we couldn't find the page you were looking for.\",\"0TAbjq\":\"Recent Transactions\",\"0jhlyw\":\"Liquidation risk\",\"0ojY+Y\":\"Current v2 Balance\",\"0thX3P\":\"Collateral change\",\"0wGCWc\":\"Αυτό είναι το συνολικό ποσό που μπορείτε να προμηθεύσετε σε αυτό το αποθεματικό. Μπορείτε να προμηθεύσετε το υπόλοιπο του πορτοφολιού σας μέχρι να επιτευχθεί το ανώτατο όριο προμηθειών.\",\"1AsVfF\":\"Price data is not currently available for this reserve on the protocol subgraph\",\"1LjK22\":\"Transaction history\",\"1Onqx8\":[\"Έγκριση του \",[\"symbol\"],\"...\"],\"1Ue8sX\":\"Παρακαλούμε συνδέστε ένα πορτοφόλι για να δείτε τις προσωπικές σας πληροφορίες εδώ.\",\"1bpx9A\":\"...\",\"1kWUB+\":\"Ρευστοποίηση <0/> κατώτατο όριο\",\"1m9Qqc\":\"Withdrawing and Switching\",\"1oyh4g\":\"Borrow rate\",\"1t7rez\":\"Asset supply is limited to a certain amount to reduce protocol exposure to the asset and to help manage risks involved.\",\"2CAPu2\":\"You've successfully withdrew & switched tokens.\",\"2Eoi/a\":\"Προβολή λεπτομερειών\",\"2FYpfJ\":\"Περισσότερα\",\"2O3qp5\":\"Διαθέσιμη ρευστότητα\",\"2OM8/D\":[\"Asset cannot be migrated due to supply cap restriction in \",[\"marketName\"],\" v3 market.\"],\"2Q4GU4\":\"Blocked Address\",\"2ZGocC\":\"Aave is a fully decentralized, community governed protocol by the AAVE token-holders. AAVE token-holders collectively discuss, propose, and vote on upgrades to the protocol. AAVE token-holders (Ethereum network only) can either vote themselves on new proposals or delagate to an address of choice. To learn more check out the Governance\",\"2a6G7d\":\"Please enter a valid wallet address.\",\"2bAhR7\":\"Meet GHO\",\"2eBWE6\":\"I acknowledge the risks involved.\",\"2o/xRt\":\"Επίτευξη του ανώτατου ορίου εφοδιασμού στο αποθεματικό-στόχο. Δοκιμάστε να \\nμειώσετε την ποσότητα.\",\"2uJToh\":[[\"0\"],[\"name\"]],\"2x58bP\":\"Ο σταθερός δανεισμός είναι ενεργοποιημένος\",\"34Qfwy\":\"Υπέρβαση του ανώτατου ορίου δανεισμού\",\"39eQRj\":[\"Δανεισμός \",[\"symbol\"]],\"3BL1xB\":\"Σύνολο παρεχόμενων\",\"3BnIWi\":\"Switched\",\"3K0oMo\":\"Υπολειπόμενη προσφορά\",\"3MoZhl\":\"Δεν υπάρχουν επαρκείς εξασφαλίσεις για την κάλυψη ενός νέου δανείου\",\"3Np5O8\":[\"Προσφορά \",[\"symbol\"]],\"3O8YTV\":\"Total interest accrued\",\"3mXg0z\":\"Μέγιστο LTV\",\"3q3mFy\":\"Αποπληρωμή\",\"3qsjtp\":\"Ο σταθμισμένος μέσος όρος του APY για όλα τα παρεχόμενα περιουσιακά στοιχεία, συμπεριλαμβανομένων των κινήτρων.\",\"3rL+os\":\"Μπορείτε να αποσύρετε τα περιουσιακά σας στοιχεία από τη Μονάδα Ασφαλείας μόνο αφού λήξει η περίοδος αναμονής και το παράθυρο ξεκλειδώματος είναι ενεργό.\",\"42UgDM\":[\"Migrate to \",[\"0\"],\" v3 Market\"],\"49UFQA\":\"Αποτελέσματα ψηφοφορίας\",\"4DMZUI\":\"View Transactions\",\"4HtGBb\":\"ΜΕΓΙΣΤΟ\",\"4Y5H+g\":\"Terms\",\"4YYh4d\":\"Maximum available to borrow\",\"4iPAI3\":\"Minimum GHO borrow amount\",\"4lDFps\":\"Sign to continue\",\"4wyw8H\":\"Transactions\",\"5JSSxX\":[\"Your \",[\"networkName\"],\" wallet is empty. Get free test assets at\"],\"5K7kGO\":\"τεκμηρίωση\",\"5NOSGa\":\"Debt ceiling limits the amount possible to borrow against this asset by protocol users. Debt ceiling is specific to assets in isolation mode and is denoted in USD.\",\"5Ncc6j\":[\"Αυτό το περιουσιακό στοιχείο έχει σχεδόν φτάσει στο όριο της προσφοράς του. Μόνο \",[\"messageValue\"],\" μπορεί να παρασχεθεί σε αυτή την αγορά.\"],\"5cZ/KX\":\"Η προσφορά μεταβλητού χρέους δεν είναι μηδενική\",\"5che++\":\"Για να ζητήσετε πρόσβαση σε αυτή την αδειοδοτημένη αγορά, επισκεφθείτε την ιστοσελίδα: <0>Όνομα Παρόχου Πρόσβασης\",\"5ctNdV\":[\"Minimum \",[\"0\"],\" received\"],\"5hDe9v\":\"Απαιτούμενη δράση επιδότησης\",\"5rsnKT\":\"Διαθέσιμες ανταμοιβές\",\"5yC5m5\":\"View all votes\",\"6/dCYd\":\"Επισκόπηση\",\"60crCe\":\"All transactions\",\"62Xcjh\":\"Εγγύηση\",\"65A04M\":\"Ισπανικά\",\"6G8s+q\":\"Signing\",\"6Jrv+z\":[\"Αποπληρωμή \",[\"symbol\"]],\"6NGLTR\":\"Discountable amount\",\"6Xr0UU\":\"Ψύξη...\",\"6bxci/\":\"Δύναμη ψήφου\",\"6f8S68\":\"Αγορές\",\"6g1gi0\":\"Προτάσεις\",\"6gvoHP\":\"Copy error message\",\"6h3Q5G\":\"repaid\",\"6lFSyT\":\"Available to Stake\",\"6s8L6f\":\"Αλλαγή Δικτύου\",\"6yAAbq\":\"APY, borrow rate\",\"70wH1Q\":\"APR\",\"72c5Qo\":\"Total\",\"73Auuq\":\"Discount parameters are decided by the Aave community and may be changed over time. Check Governance for updates and vote to participate. <0>Learn more\",\"75qcAQ\":[[\"stepName\"]],\"7ITr5L\":\"Συντελεστής υγείας\",\"7T/o5R\":\"Επιτεύχθηκε\",\"7YlcXu\":\"Fork mode is ON\",\"7Z76Iw\":\"Borrowing is unavailable because you’re using Isolation mode. To manage Isolation mode visit your <0>Dashboard.\",\"7aKlMS\":\"Share on Lens\",\"7er5fP\":\"Διεκδικήστε τα όλα\",\"7hb2+s\":\"Time remaining until the withdraw period ends.\",\"7l88b8\":\"Data couldn't be fetched, please reload graph.\",\"7p5kLi\":\"Ταμπλό\",\"7sofdl\":\"Withdraw and Switch\",\"8+6BI0\":\"Προσοχή - Είστε πολύ κοντά στην ρευστοποίηση. Εξετάστε το ενδεχόμενο να καταθέσετε περισσότερες εγγυήσεις ή να εξοφλήσετε κάποιες από τις δανειακές σας θέσεις\",\"87pUEW\":[\"Το πορτοφόλι σας \",[\"name\"],\" είναι άδειο. Αγοράστε ή μεταφέρετε περιουσιακά στοιχεία.\"],\"8F1i42\":\"Page not found\",\"8G8M0u\":\"Loading data...\",\"8Iu1QS\":\"withdrew\",\"8JL93T\":\"Όλες οι προτάσεις\",\"8Q51DU\":\"Add to wallet\",\"8X/oyn\":\"Μη έγκυρο ποσό για νομισματοκοπία\",\"8Z5FPv\":\"Αποσυνδέστε το πορτοφόλι\",\"8Zz7s5\":\"περιουσιακά στοιχεία\",\"8aLW8H\":\"Balance to revoke\",\"8bOT3H\":\"Ποσοστό χρησιμοποίησης\",\"8sLe4/\":\"View contract\",\"8t/M0y\":\"Please connect your wallet to be able to bridge your tokens.\",\"8vETh9\":\"Εμφάνιση\",\"94OHPx\":\"Εισέρχεστε σε λειτουργία απομόνωσης\",\"9CDK3/\":[\"Ο δανεισμός δεν είναι επί του παρόντος διαθέσιμος για \",[\"0\"],\".\"],\"9GIj3z\":\"Μέγεθος Αποθεματικού\",\"9Knqb4\":\"Staking balance\",\"9OBKm7\":\"Απαρτία\",\"9QHoGr\":\"Τρέχουσες ψήφοι\",\"9Rw96f\":[\"Αυτό το περιουσιακό στοιχείο έχει σχεδόν φτάσει στο όριο δανεισμού του. Υπάρχει μόνο \",[\"messageValue\"],\" διαθέσιμο για δανεισμό από αυτή την αγορά.\"],\"9Xj/qR\":[\"Some migrated assets will not be used as collateral due to enabled isolation mode in \",[\"marketName\"],\" V3 Market. Visit <0>\",[\"marketName\"],\" V3 Dashboard to manage isolation mode.\"],\"9c6vDV\":\"Αυτό το περιουσιακό στοιχείο έχει φτάσει στο όριο της προσφοράς του. Τίποτα δεν είναι διαθέσιμο για προμήθεια από αυτή την αγορά.\",\"9kTWHA\":\"MAI has been paused due to a community decision. Supply, borrows and repays are impacted. <0>More details\",\"9lXchd\":\"Underlying token\",\"9rWaKF\":\"Bridged Via CCIP\",\"9xSooW\":\"Δεδομένου ότι πρόκειται για ένα δοκιμαστικό δίκτυο, μπορείτε να αποκτήσετε οποιοδήποτε από τα περιουσιακά στοιχεία αν έχετε ETH στο πορτοφόλι σας\",\"A/lwoe\":\"Choose one of the on-ramp services\",\"A6dCI6\":[\"Maximum amount available to borrow is <0/> \",[\"0\"],\" (<1/>).\"],\"AReoaV\":\"Τα δάνεια σας\",\"ARu1L4\":\"Repaid\",\"AV7cGz\":\"Αναθεώρηση λεπτομερειών έγκρισης συναλλαγής\",\"AZOjB8\":\"Fetching data...\",\"Ai0jas\":\"Join the community discussion\",\"Ajl2rq\":\"Η δύναμη δανεισμού και τα περιουσιακά στοιχεία είναι περιορισμένα λόγω της λειτουργίας απομόνωσης.\",\"AqgYNC\":\"Protocol borrow cap at 100% for this asset. Further borrowing unavailable.\",\"B3EcQR\":\"Thank you for voting!!\",\"B6aXGH\":\"Σταθερό\",\"B9Gqbz\":\"Variable rate\",\"BDFEd+\":\"stETH supplied as collateral will continue to accrue staking rewards provided by daily rebases.\",\"BE2mP0\":\"Borrowed assets\",\"BJyN77\":\"Due to health factor impact, a flashloan is required to perform this transaction, but Aave Governance has disabled flashloan availability for this asset. Try lowering the amount or supplying additional collateral.\",\"BNL4Ep\":\"Η χρήση εγγύησης είναι περιορισμένη λόγω της λειτουργίας απομόνωσης. <0>Μάθετε περισσότερα\",\"BQ/wCO\":\"Migrate your assets\",\"BjLdl1\":\"At a discount\",\"BnhYo8\":\"Κατηγορία περιουσιακών στοιχείων\",\"Bq9Y7e\":\"This asset is frozen due to an Aave community decision. <0>More details\",\"BqWMDJ\":\"Βρύση\",\"BqynZO\":\"Optimized for efficiency and risk by supporting blue-chip collateral assets\",\"Bsu7zX\":\"The fee includes the gas cost to complete the transaction on the destination chain and the fee paid to Chainlink CCIP service providers. You can chose to pay in the network token or GHO. <0>Learn more\",\"BwJKBw\":\"of\",\"CDrsH+\":\"Techpaper\",\"CK1KXz\":\"Μεγιστο\",\"CMHmbm\":\"Slippage\",\"CZXzs4\":\"Greek\",\"CcRNG6\":\"Switching\",\"CkTRmy\":[\"Διεκδίκηση \",[\"symbol\"]],\"CsqtLm\":\"Please connect your wallet to see migration tool.\",\"CtGlFb\":[[\"networkName\"],\" Βρύση\"],\"Cxt2YY\":\"Watch wallet\",\"D33VQU\":\"This action will reduce health factor of V3 below liquidation threshold. Increase migrated collateral or reduce migrated borrow to continue.\",\"D9BLRG\":\"This asset has been paused due to a community decision. Supply, withdraw, borrows and repays are impacted.\",\"DAma/S\":\"Η εγγύηση είναι (ως επί το πλείστον) το ίδιο νόμισμα που δανείζεται\",\"DCnFg0\":[\"Addresses (\",[\"0\"],\")\"],\"DG3Lv1\":\"I fully understand the risks of migrating.\",\"DONJcV\":\"Το υποκείμενο περιουσιακό στοιχείο δεν μπορεί να διασωθεί\",\"DR+4uL\":\"Supply balance after switch\",\"DWjrck\":[\"Asset cannot be migrated to \",[\"marketName\"],\" V3 Market due to E-mode restrictions. You can disable or manage E-mode categories in your <0>V3 Dashboard\"],\"Dj+3wB\":\"Aave ανά μήνα\",\"DuEq2K\":\"Εξασφάλιση\",\"DxfsGs\":\"You can report incident to our <0>Discord or<1>Github.\",\"Dzma+E\":\"Main Ethereum market with the largest selection of assets and yield options\",\"E/QGRL\":\"Απενεργοποιημένο\",\"EBL9Gz\":\"COPIED!\",\"ES8dkb\":\"Fixed rate\",\"EZd3Dk\":[\"Restaking \",[\"symbol\"]],\"Ebgc76\":[\"Ανάληψη \",[\"symbol\"]],\"EdQY6l\":\"Κανένα\",\"EjvKQ+\":\"Minimum USD value received\",\"Enslfm\":\"Destination\",\"EvE9nO\":[\"Reactivate cooldown period to unstake \",[\"0\"],\" \",[\"stakedToken\"]],\"EvECnL\":\"Migrate to v3\",\"EzMQbh\":\"The source chain time to finality is the main factor that determines the time to destination. <0>Learn more\",\"F40cwT\":\"Legacy Markets\",\"F6TdXL\":\"Μάθετε περισσότερα.\",\"FDDPeZ\":\"Users can stake their assets in the protocol and earn incentives. In the case of a shortfall event, your stake can be slashed to cover the deficit, providing an additional layer of protection for the protocol.\",\"FHlMf/\":\"Current v2 balance\",\"FHpxjF\":[\"Reserve factor is a percentage of interest which goes to a \",[\"0\"],\" that is controlled by Aave governance to promote ecosystem growth.\"],\"FOBZa6\":\"Δανεισμός χρησιμοποιημένης ισχύος\",\"FPKEug\":\"Η λειτουργία δεν υποστηρίζεται\",\"FbmMe7\":\"Linked addresses\",\"Fdp03t\":\"ενεργοποίηση\",\"Fjw9N+\":\"Περιουσιακά στοιχεία προς προμήθεια\",\"FmN0fk\":\"Restake\",\"GDGLIs\":\"GHO is a native decentralized, collateral-backed digital asset pegged to USD. It is created by users via borrowing against multiple collateral. When user repays their GHO borrow position, the protocol burns that user's GHO. All the interest payments accrued by minters of GHO would be directly transferred to the AaveDAO treasury.\",\"GQrBTq\":\"Switch E-Mode\",\"GWswcZ\":\"This asset is frozen due to an Aave Protocol Governance decision. On the 20th of December 2022, renFIL will no longer be supported and cannot be bridged back to its native network. It is recommended to withdraw supply positions and repay borrow positions so that renFIL can be bridged back to FIL before the deadline. After this date, it will no longer be possible to convert renFIL to FIL. <0>More details\",\"GX8GKD\":\"Περιουσιακά Στοιχεία\",\"GgEj+0\":\"Read-only mode. Connect to a wallet to perform transactions.\",\"GjkIKV\":\"τελειώνει\",\"GoK/QN\":\"Thank you for submitting feedback!\",\"GtP2hp\":[\"Ο δανεισμός δεν είναι διαθέσιμος επειδή έχετε ενεργοποιήσει τη λειτουργία Αποδοτικότητας (E-Mode) για την κατηγορία \",[\"0\"],\". Για να διαχειριστείτε τις κατηγορίες E-Mode επισκεφθείτε τον <0>Πίνακα ελέγχου.\"],\"H6Ma8Z\":\"Discount\",\"HB/wfS\":[[\"tooltipText\"]],\"HKDsQN\":\"Rewards can be claimed through\",\"Ha/U5f\":\"This is a program initiated and implemented by the decentralised ZKSync community. Aave Labs does not guarantee the program and accepts no liability.\",\"HciqKU\":\"This is a program initiated and implemented by the decentralised Aave community. Aave Labs does not guarantee the program and accepts no liability.\",\"Hi6Ttn\":\"Sorry, an unexpected error happened. In the meantime you may try reloading the page, or come back later.\",\"HkEDbS\":[[\"d\"],\"η\"],\"HmkYqM\":\"Παράθυρο ξεκλειδώματος\",\"HpK/8d\":\"Reload\",\"HrnC47\":\"Save and share\",\"HuVZMK\":\"Days\",\"HvJKMU\":[\"Asset cannot be migrated to \",[\"marketName\"],\" v3 Market since collateral asset will enable isolation mode.\"],\"Hvwnm9\":[\"Maximum amount available to supply is limited because protocol supply cap is at \",[\"0\"],\"%.\"],\"I8CX2c\":\"Το συνολικό ποσό των περιουσιακών σας στοιχείων σε δολάρια ΗΠΑ που μπορούν να χρησιμοποιηθούν ως εγγύηση για δανεισμό περιουσιακών στοιχείων.\",\"IAD2SB\":[\"Claiming \",[\"symbol\"]],\"IG9X9/\":\"Borrowing of this asset is limited to a certain amount to minimize liquidity pool insolvency.\",\"IOIx8L\":\"This asset is planned to be offboarded due to an Aave Protocol Governance decision. <0>More details\",\"IP+I/j\":\"Περίοδος ψύξης\",\"IaA40H\":\"Ρευστοποίηση στο\",\"J/hVSQ\":[[\"0\"]],\"JCoxL6\":\"Manage analytics\",\"JK9zf1\":[\"Estimated compounding interest, including discount for Staking \",[\"0\"],\"AAVE in Safety Module.\"],\"JOqFba\":[\"Unstaking \",[\"symbol\"]],\"JPrLjO\":\"Δεν μπορείτε να χρησιμοποιήσετε αυτό το νόμισμα ως εγγύηση\",\"JU6q+W\":\"Ανταμοιβή(ες) προς διεκδίκηση\",\"JYKRJS\":\"Κλειδώστε\",\"JZMxX0\":\"Δεν υπάρχει αρκετό υπόλοιπο στο πορτοφόλι σας\",\"Jgflkm\":\"Get GHO\",\"JoMQnI\":\"Υπόλοιπο πορτοφολιού\",\"JtwD8u\":\"Borrow balance after repay\",\"JumYTK\":\"Supplied assets\",\"K05qZY\":\"Withdraw & Switch\",\"KAz/NV\":\"Protocol debt ceiling is at 100% for this asset. Further borrowing against this asset is unavailable.\",\"KLXVqE\":[\"stETH tokens will be migrated to Wrapped stETH using Lido Protocol wrapper which leads to supply balance change after migration: \",[\"0\"]],\"KLd6ky\":\"Use connected account\",\"KRpokz\":\"VIEW TX\",\"KSlpka\":\"Αυτό αντιπροσωπεύει το κατώτατο όριο στο οποίο μια θέση δανεισμού θα θεωρηθεί υποεγγυημένη και θα υπόκειται σε ρευστοποίηση για κάθε εγγύηση. Για παράδειγμα, εάν μια εγγύηση έχει κατώτατο όριο ρευστοποίησης 80%, αυτό σημαίνει ότι η θέση θα ρευστοποιηθεί όταν η αξία του χρέους ανέρχεται στο 80% της αξίας της εγγύησης.\",\"KYAjf3\":\"Απομονωμένο\",\"KZwRuD\":[[\"notifyText\"]],\"KkPgim\":\"Switching E-Mode\",\"KnN1Tu\":\"Λήγει\",\"KoOBI2\":\"Due to internal stETH mechanics required for rebasing support, it is not possible to perform a collateral switch where stETH is the source token.\",\"KojyJ4\":\"Λάθος δίκτυο\",\"KsqhWn\":\"Κλείδωμα\",\"KuBTQq\":\"Εισάγετε διεύθυνση ETH\",\"KvG1xW\":\"Διεκδίκηση\",\"L+8Lzs\":\"Τρέχον LTV\",\"L+qiq+\":\"Αγορά\",\"LDzfVJ\":\"Send Feedback\",\"LIrMcF\":\"Δεν υπάρχει δικαίωμα ψήφου\",\"LL0zks\":\"Μπορεί να αποτελέσει εγγύηση\",\"LLdJWu\":\"Διεκδικήσιμο AAVE\",\"LSIpNK\":\"Δεν επιτρέπεται ο δανεισμός και η αποπληρωμή στο ίδιο block\",\"LVt3TI\":[\"<0>Slippage tolerance <1>\",[\"selectedSlippage\"],\"% <2>\",[\"0\"],\"\"],\"LjafV8\":\"Maximum collateral amount to use\",\"LtpQew\":\"Let us know how we can make the app better for you. For user support related inquiries please reach out on\",\"LvVpD/\":\"Emode\",\"M2sknc\":\"Tip: Try increasing slippage or reduce input amount\",\"M7wPsD\":\"Switch\",\"MFu33y\":\"Staking 00\",\"MIy2RJ\":\"Maximum amount received\",\"MZ/nQf\":\"Διεύθυνση παραλήπτη\",\"Ma/MtY\":\"προβολή κλειδώματος\",\"McHlGl\":\"APY change\",\"MeCCA+\":\"APY, μεταβλητό\",\"MghdTe\":\"Εάν ο συντελεστής υγείας πέσει κάτω από το 1, ενδέχεται να ενεργοποιηθεί η ρευστοποίηση των εγγυήσεών σας.\",\"Mm/DVQ\":\"Ακυρώσατε τη συναλλαγή.\",\"MnE2QX\":\"Borrow info\",\"MrmQHg\":\"View Bridge Transactions\",\"MuDFEQ\":\"Μη έγκυρη τιμή επιστροφής της συνάρτησης εκτελεστή flashloan\",\"N5kUMV\":\"Asset can be only used as collateral in isolation mode with limited borrowing power. To enter isolation mode, disable all other collateral.\",\"N6Pxr9\":\"View all\",\"NF0e1Q\":\"Εκκρεμεί...\",\"NK9ikO\":\"Wallet Balance\",\"NMt2CB\":\"Amount claimable\",\"NcFGxG\":\"Collector Contract\",\"NfpPeS\":\"Τίποτα κλειδωμένο\",\"Nh9DAo\":[[\"m\"],\"λ\"],\"O+sCUU\":\"Υπέρβαση του ανώτατου ορίου νομισματοκοπείου χωρίς αντίκρισμα\",\"O+tyU+\":[\"Maximum amount available to borrow against this asset is limited because debt ceiling is at \",[\"0\"],\"%.\"],\"O3oNi5\":\"Email\",\"OFjZGo\":\"Unstake\",\"OR8cYX\":\"Επισκόπηση πρότασης\",\"OYuJ9K\":\"Protocol debt ceiling is at 100% for this asset. Futher borrowing against this asset is unavailable.\",\"OfhWJH\":\"Reset\",\"Og2SKn\":\"απενεργοποιημένο\",\"On0aF2\":\"Website\",\"OsyKSt\":\"Ανάληψη\",\"P1dURE\":\"Revoke power\",\"P2WCD/\":[\"Underlying asset does not exist in \",[\"marketName\"],\" v3 Market, hence this position cannot be migrated.\"],\"P2sL6B\":\"Όταν πραγματοποιείται ρευστοποίηση, οι ρευστοποιητές επιστρέφουν έως και το 50% του ανεξόφλητου δανεισμένου ποσού για λογαριασμό του δανειολήπτη. Σε αντάλλαγμα, μπορούν να αγοράσουν τις εξασφαλίσεις με έκπτωση και να κρατήσουν τη διαφορά (ποινή ρευστοποίησης) ως μπόνους.\",\"P6sRoL\":\"Stake ABPT\",\"P72/OW\":\"Ο σταθμισμένος μέσος όρος του APY για όλα τα δανειακά περιουσιακά στοιχεία, συμπεριλαμβανομένων των κινήτρων.\",\"P7e6Ug\":\"Please connect your wallet to view transaction history.\",\"PByO0X\":\"Votes\",\"PI+kVe\":\"Disable fork\",\"PJK9u/\":\"Borrow apy\",\"PLUB/s\":\"Fee\",\"PP5ZA8\":[\"Participating in staking \",[\"symbol\"],\" gives annualized rewards. Your wallet balance is the sum of your aTokens and underlying assets. The breakdown to stake is below\"],\"PcBUgb\":\"Κατώτατο όριο ρευστοποίησης\",\"PjU6bu\":\"This asset is eligible for SPK incentive program. Aave Labs does not guarantee the program and accepts no liability.\",\"PpqD5g\":\"Η ενεργοποίηση αυτού του περιουσιακού στοιχείου ως εγγύηση αυξάνει τη δανειοληπτική σας ικανότητα και τον Συντελεστή Υγείας. Ωστόσο, μπορεί να ρευστοποιηθεί εάν ο συντελεστής υγείας σας πέσει κάτω από το 1.\",\"PsOFSf\":\"This action will reduce V2 health factor below liquidation threshold. retain collateral or migrate borrow position to continue.\",\"Pu4bI/\":[[\"currentMethod\"]],\"Q0LzKi\":\"View TX\",\"Q4eNqa\":\"The Aave Balancer Pool Token (ABPT) is a liquidity pool token. You can receive ABPT by depositing a combination of AAVE + wstETH in the Balancer liquidity pool. You can then stake your BPT in the Safety Module to secure the protocol and earn Safety Incentives.\",\"QQYsQ7\":\"Withdrawing\",\"QWYCs/\":\"Stake GHO\",\"R+30X3\":\"Δεν έχει επιτευχθεί\",\"RCU5PY\":\"Age\",\"RIfckG\":[\"Απενεργοποίηση \",[\"symbol\"],\" ως εγγύηση\"],\"RMtxNk\":\"Διαφορικό\",\"RNK49r\":\"Μη έγκυρη υπογραφή\",\"RS0o7b\":\"Κατάσταση\",\"RU+LqV\":\"Λεπτομέρειες πρότασης\",\"RYTgZX\":\"lorem ipsum\",\"RbXH+k\":\"AAVE, GHO, and ABPT holders (Ethereum network only) can stake their assets in the Safety Module to add more security to the protocol and earn Safety Incentives. In the case of a shortfall event, your stake can be slashed to cover the deficit, providing an additional layer of protection for the protocol.\",\"RiSYV4\":\"Το περιουσιακό στοιχείο δεν περιλαμβάνεται στον κατάλογο\",\"Rj01Fz\":\"Σύνδεσμοι\",\"RmWFEe\":\"Κλείδωμα APR\",\"RoafuO\":\"Send feedback\",\"RtBLm7\":\"Ο συντελεστής υγείας είναι μικρότερος από το όριο ρευστοποίησης\",\"RxzN1M\":\"Ενεργοποιημένο\",\"SDav7h\":\"Κεφάλαια στην Μονάδα Ασφάλειας\",\"SENccp\":\"If the error continues to happen,<0/> you may report it to this\",\"SIWumd\":\"Show Frozen or paused assets\",\"SM58dD\":\"Amount in cooldown\",\"SSMiac\":\"Failed to load proposal voters. Please refresh the page.\",\"SSQVIz\":\"Liquidation Threshold\",\"SUb8x0\":\"Σύνολο διαθέσιμων\",\"SWIgh4\":\"Fees exceed wallet balance\",\"SY9hVo\":\"Read-only mode allows to see address positions in Aave, but you won't be able to perform transactions.\",\"SZRUQ4\":\"Max slippage\",\"Sa1UE/\":\"Protocol borrow cap is at 100% for this asset. Further borrowing unavailable.\",\"Sk2zW9\":\"Απενεργοποίηση E-Mode\",\"SxaD0o\":\"Ο πάροχος διευθύνσεων κοινόχρηστων ταμείων δεν είναι εγγεγραμμένος\",\"T/AIqG\":\"Protocol supply cap at 100% for this asset. Further supply unavailable.\",\"T0xCO9\":\"Can't validate the wallet address. Try again.\",\"T4OhVl\":\"GHO balance\",\"T6uYU2\":\"Δανεισμός\",\"TFxQlw\":\"Ποινή ρευστοποίησης\",\"TQ7WsV\":\"Available to stake\",\"TUI7iB\":\"To περιουσιακό στοιχείο μπορεί να χρησιμοποιηθεί ως εγγύηση μόνο σε λειτουργία απομόνωσης.\",\"TbjyhA\":\"Docs\",\"TduuS0\":\"Ο χρήστης δεν έχει ανεξόφλητο χρέος σταθερού επιτοκίου σε αυτό το αποθεματικό\",\"TeCFg/\":\"Borrow rate change\",\"Tg1JyO\":\"Bridge history\",\"TskbEN\":\"Holders of stkAAVE receive a discount on the GHO borrowing rate\",\"TszKts\":\"Borrow balance after switch\",\"TtZL6q\":\"Discount model parameters\",\"TwJI9F\":\"Asset has been successfully sent to CCIP contract. You can check the status of the transactions below\",\"Tz0GSZ\":\"blocked activities\",\"U/eBjN\":\"Reload the page\",\"U2r8nY\":\"Choose how much voting/proposition power to give to someone else by delegating some of your AAVE, stkAAVE or aAave balance. Your tokens will remain in your account, but your delegate will be able to vote or propose on your behalf. If your AAVE, stkAAVE or aAave balance changes, your delegate's voting/proposition power will be automatically adjusted.\",\"U8IubP\":\"The app is running in testnet mode. Learn how it works in\",\"U9btTk\":\"Το περιουσιακό στοιχείο δεν είναι δανείσιμο σε λειτουργία απομόνωσης\",\"UAOZRe\":\"Price impact is the spread between the total value of the entry tokens switched and the destination tokens obtained (in USD), which results from the limited liquidity of the trading pair.\",\"UE3KJZ\":\"Transaction history is not currently available for this market\",\"URmyfc\":\"Λεπτομέρειες\",\"UTTKmT\":\"Stake cooldown activated\",\"UXeR72\":\"Τα κεφάλαια αυτά έχουν δανειστεί και δεν είναι διαθέσιμα για ανάληψη αυτή τη στιγμή.\",\"UYb8CM\":\"Learn more about the SPK rewards\",\"UbRrG0\":\"Ο δείκτης μέγιστου LTV αντιπροσωπεύει τη μέγιστη δανειοληπτική ικανότητα μιας συγκεκριμένης εγγύησης. Για παράδειγμα, εάν μια εγγύηση έχει LTV 75%, ο χρήστης μπορεί να δανειστεί έως και 0,75 ETH στο κύριο νόμισμα για κάθε 1 ETH αξίας εγγύησης.\",\"UpndFj\":\"Δεν υπάρχουν ανταμοιβές για διεκδίκηση\",\"V0f2Xv\":\"Reserve factor\",\"V1HK43\":\"Migration risks\",\"VATFH9\":\"Covered debt\",\"VHOVEJ\":\"Συνδέστε το πορτοφόλι\",\"VMfYUK\":\"Ασφάλεια των κατατεθειμένων εξασφαλίσεών σας έναντι των δανειζόμενων περιουσιακών στοιχείων και της υποκείμενης αξίας τους.\",\"VOAZJh\":\"Σύνολο δανείων\",\"ViKYxK\":\"ΥΠΕΡ\",\"W1SSoD\":\"Αναθεώρηση λεπτομερειών συναλλαγής\",\"W5hVah\":\"Τίποτα δεν έχει παρασχεθεί ακόμη\",\"W5kTFy\":\"Voting\",\"W8ekPc\":\"Back to Dashboard\",\"WMPbRK\":\"Μη υποστηριζόμενο\",\"WNGZwH\":\"Το E-Mode αυξάνει το LTV σας για μια επιλεγμένη κατηγορία περιουσιακών στοιχείων έως και <0/>. <1>Μάθετε περισσότερα\",\"WPWG/y\":\"Κατάσταση & διαμόρφωση αποθεματικού\",\"WZLQSU\":\"Ο χρήστης δεν μπορεί να κάνει ανάληψη μεγαλύτερη από το διαθέσιμο υπόλοιπο\",\"WaZyaV\":\"<0>Ampleforth is a rebasing asset. Visit the <1>documentation to learn more.\",\"WfU+XN\":\"Because this asset is paused, no actions can be taken until further notice\",\"Wjmqs2\":\"No results found. You can import a custom token with a contract address\",\"WkZ6C6\":\"Για να δανειστείτε πρέπει να προσκομίσετε οποιοδήποτε περιουσιακό στοιχείο που θα χρησιμοποιηθεί ως εγγύηση.\",\"WyMiQm\":\"You've successfully switched tokens.\",\"X/ITG9\":\"Κείμενο σφάλματος αντιγραφής\",\"X3Pp6x\":\"Χρησιμοποιείται ως εγγύηση\",\"X4Zt7j\":\"Η ενέργεια δεν μπορεί να εκτελεστεί επειδή η εφεδρεία βρίσκεται σε παύση\",\"XBdKOj\":\"Representative smart contract wallet (ie. Safe) addresses on other chains.\",\"XZzneG\":\"Θα βγείτε από τη λειτουργία απομόνωσης και άλλα tokens μπορούν πλέον να χρησιμοποιηθούν ως εγγύηση\",\"Xg5y9S\":\"Amount to Bridge\",\"Xn4hUi\":\"Please always be aware of your <0>Health Factor (HF) when partially migrating a position and that your rates will be updated to V3 rates.\",\"Xy71ST\":\"Umbrella\",\"Y5kGkc\":\"ΨΗΦΙΣΤΕ ΚΑΤΑ\",\"YDIOks\":\"Ενεργοποίηση E-Mode\",\"YSodyW\":\"This action will reduce your health factor. Please be mindful of the increased risk of collateral liquidation.\",\"YXOWXM\":\"The total amount bridged minus CCIP fees. Paying in network token does not impact gho amount.\",\"YirHq7\":\"Feedback\",\"YogbCJ\":\"Testnet mode is ON\",\"YrDxdO\":\"Εάν το δάνειο προς αξία υπερβεί το όριο ρευστοποίησης, η παρεχόμενη εγγύηση σας μπορεί να ρευστοποιηθεί.\",\"YyIM65\":\"Δεν τηρήθηκαν οι όροι επανεξισορρόπησης των επιτοκίων\",\"YyydIq\":[\"Add \",[\"0\"],\" to wallet to track your balance.\"],\"ZBvhI+\":\"Διακυβέρνηση Aave\",\"ZIIRAd\":\"Raw-Ipfs\",\"ZRq4tX\":\"Λειτουργία αποδοτικότητας (E-Mode)\",\"ZSqEW+\":\"Manage E-Mode\",\"ZUFYFE\":\"Disable testnet\",\"Zbyywy\":\"Μέγιστη περικοπή\",\"ZfUGFb\":\"Πριν από την προμήθεια\",\"ZiXN+B\":\"Assets to stake\",\"ZlsSDH\":\"Αξία ρευστοποίησης\",\"ZrEc8j\":\"We couldn't find any assets related to your search. Try again with a different asset name, symbol, or address.\",\"ZsLF7e\":\"ενεργοποιημένο\",\"a0YQoQ\":\"Enter a valid address\",\"a2fBZn\":\"Χρόνος που απομένει για το ξεκλείδωμα\",\"a5RYZd\":\"Η απενεργοποίηση αυτού του περιουσιακού στοιχείου ως εγγύηση επηρεάζει τη δανειοληπτική σας ικανότητα και τον Συντελεστή Υγείας.\",\"a7u1N9\":\"Price\",\"a9D+6D\":\"Unstaked\",\"aEtiwq\":\"Ψηφίστε ΚΑΤΑ\",\"aMmFE1\":\"Buy Crypto With Fiat\",\"aOKIms\":\"Οι παράμετροι της συστοιχίας που θα έπρεπε να είναι ίσου μήκους δεν είναι\",\"aX31hk\":\"Your balance is lower than the selected amount.\",\"adUsDd\":\"An error has occurred fetching the proposal.\",\"al6Pyz\":\"Exceeds the discount\",\"aoXTT7\":\"Δανεισμός APY, μεταβλητό\",\"aqX1Yp\":\"This asset is eligible for rewards through SuperFest. Aave Labs does not guarantee the program and accepts no liability.\",\"avgETN\":\"Eligible for the Merit program.\",\"b4NS3e\":\"Προειδοποίηση περιόδου ψύξης\",\"bNEQeI\":\"Cooldown\",\"bSruit\":\"ZKSync Ignite Program rewards are claimed through the\",\"bUUVED\":\"Περιουσιακό στοιχείο\",\"bXQ/Og\":\"Μοιραστείτε το στο twitter\",\"bXr0ee\":\"Τα απομονωμένα περιουσιακά στοιχεία έχουν περιορισμένη δανειοληπτική ικανότητα και άλλα περιουσιακά στοιχεία δεν μπορούν να χρησιμοποιηθούν ως εγγύηση.\",\"bYmAV1\":\"Addresses\",\"bguKoJ\":\"Το αιτούμενο ποσό είναι μεγαλύτερο από το μέγιστο μέγεθος δανείου στη λειτουργία σταθερού επιτοκίου\",\"bwSQI0\":\"Προσφορά\",\"bxN6EM\":\"Cannot disable E-Mode\",\"bxmzSh\":\"Δεν υπάρχουν επαρκείς εγγυήσεις για την αποπληρωμή αυτού του ποσού χρέους με\",\"c91vuQ\":\"Η διεύθυνση δεν είναι συμβόλαιο\",\"c97os2\":\"Aave aToken\",\"c9b44w\":\"Δεν μπορείτε να αποσύρετε αυτό το ποσό, διότι θα προκληθεί κλήση εγγύησης\",\"cBc+4A\":\"Αυτό είναι το συνολικό ποσό που μπορείτε να δανειστείτε. Μπορείτε να δανειστείτε με βάση την εξασφάλισή σας και μέχρι να επιτευχθεί το ανώτατο όριο δανεισμού.\",\"cIl5kp\":\"Your voting power is based on your AAVE/stkAAVE balance and received delegations.\",\"cLo09S\":\"Λεπτομέρειες κινδύνου\",\"cNT+ij\":\"Ο δανεισμός δεν είναι διαθέσιμος επειδή έχετε ενεργοποιήσει τη Λειτουργία Αποδοτικότητας (E-Mode) και τη λειτουργία Απομόνωσης. Για να διαχειριστείτε τη λειτουργία E-Mode και τη λειτουργία Απομόνωσης, επισκεφθείτε τον <0>Πίνακα ελέγχου.\",\"cZOeBk\":\"Something went wrong fetching bridge message, please try again later.\",\"ceix5S\":\"To submit a proposal for minor changes to the protocol, you'll need at least 80.00K power. If you want to change the core code base, you'll need 320k power.<0>Learn more.\",\"ciybUa\":\"Ψηφίστε ΥΠΕΡ\",\"ckf7gX\":[\"Αποπληρώνοντας \",[\"symbol\"]],\"cp1ZDP\":[\"Bridge \",[\"symbol\"]],\"cqnmnD\":\"Effective interest rate\",\"cqwIvs\":\"Συζήτηση φόρουμ\",\"csDS2L\":\"Διαθέσιμο\",\"cu7Stb\":\"Δεν συμμετείχατε στην παρούσα πρόταση\",\"dE6BLF\":\"Διακυβέρνηση\",\"dEgA5A\":\"Cancel\",\"dIsyWh\":\"Η επικύρωση του Ltv απέτυχε\",\"dMtLDE\":\"to\",\"dOB5nW\":[\"Maximum amount available to supply is <0/> \",[\"0\"],\" (<1/>).\"],\"dVfODp\":\"Δεν έχετε αρκετά χρήματα στο πορτοφόλι σας για να αποπληρώσετε ολόκληρο το ποσό. Εάν προχωρήσετε στην αποπληρωμή με το τρέχον ποσό των χρημάτων σας, θα εξακολουθείτε να έχετε μια μικρή θέση δανεισμού στο ταμπλό σας.\",\"dXUQFX\":\"Περιουσιακά στοιχεία προς δανεισμό\",\"dgr1aY\":\"Borrowing is disabled due to an Aave community decision. <0>More details\",\"djsg0o\":\"Χρησιμοποίηση εγγυήσεων\",\"dpc0qG\":\"Μεταβλητό\",\"drdV8R\":\"Liquidation\",\"dxW8cS\":\"Aave debt token\",\"e4V3oW\":\"Top 10 addresses\",\"eD8WX/\":\"Η δράση απαιτεί ενεργό απόθεμα\",\"eJRJ04\":\"Amount to unstake\",\"eLh0cL\":\"Slippage is the difference between the quoted and received amounts from changing market conditions between the moment the transaction is submitted and its verification.\",\"ePK91l\":\"Edit\",\"eVpCmf\":\"Staking Rewards\",\"eVqvtf\":\"Bridge GHO\",\"eYdurp\":\"No transactions yet.\",\"ebLGGN\":\"Σύνολο δανεικών\",\"ecqEvn\":\"Το υπόλοιπο των εγγυήσεων είναι 0\",\"efdrrk\":\"Available on\",\"enruNF\":\"starts\",\"eqLYiD\":\"Ξεκλειδώστε τώρα\",\"euScGB\":\"APY with discount applied\",\"evw5ha\":\"Καθαρή αξία\",\"ezcU16\":\"Get ABP Token\",\"f3W0Ej\":[\"Αλλάξατε σε ποσοστό \",[\"0\"]],\"fH9i8k\":\"You've successfully switched borrow position.\",\"fHcELk\":\"Καθαρό APR\",\"fMJQZK\":\"Borrowed\",\"fZ5Vnu\":\"Received\",\"firl9Q\":\"Το τρέχον δάνειο προς αξία με βάση τις παρεχόμενες εξασφαλίσεις σας.\",\"flRCF/\":\"Staking discount\",\"fldjW9\":\"Preview tx and migrate\",\"fsBGk0\":\"Υπόλοιπο\",\"fu1Dbh\":[\"Ανάληψη \",[\"symbol\"]],\"fwjWSI\":\"Supplied\",\"fwyTMb\":\"Migrate to stkABPT v2\",\"g0mals\":\"You can not disable E-Mode because that could cause liquidation. To exit E-Mode supply or repay borrowed positions.\",\"g2UNkE\":\"Powered by\",\"g8KGoA\":\"FAQS\",\"g9zzqS\":\"Voted NAY\",\"gDd2gk\":\"about SuperFest.\",\"gFFh9h\":\"Όλα έτοιμα!\",\"gIMJlW\":\"Λειτουργία Testnet\",\"gOzPxe\":\"This asset is frozen due to an Aave Protocol Governance decision. <0>More details\",\"gTHi2T\":\"Ο χρήστης προσπαθεί να δανειστεί πολλαπλά περιουσιακά στοιχεία, συμπεριλαμβανομένου ενός απομονωμένου περιουσιακού στοιχείου\",\"gVW59Y\":\"Please connect your wallet to get free testnet assets.\",\"gcFNxP\":\"Approve Confirmed\",\"gncRUO\":\"This address is blocked on app.aave.com because it is associated with one or more\",\"goff7V\":\"Η μηδενική διεύθυνση δεν είναι έγκυρη\",\"gp+f1B\":\"Version 3\",\"gr8mYw\":\"You may borrow up to <0/> GHO at <1/> (max discount)\",\"gvTM4B\":\"Το καθαρό ΑΡΥ είναι η συνδυασμένη επίδραση όλων των θέσεων προσφοράς και δανεισμού στην καθαρή αξία, συμπεριλαμβανομένων των κινήτρων. Είναι δυνατόν να υπάρχει αρνητικό καθαρό APY εάν το χρεωστικό APY είναι υψηλότερο από το προσφερόμενο APY.\",\"gzcch9\":\"Μη έγκυρη αμοιβή πρωτοκόλλου γέφυρας\",\"h33MxW\":\"Representing smart contract wallet (ie. Safe) addresses on other chains.\",\"h3ilK+\":\".CSV\",\"hB23LY\":\"Activate Cooldown\",\"hIJzBh\":\"Available to Claim\",\"hIS4N0\":\"Καθαρό APY\",\"hRWvpI\":\"Claimed\",\"hdmy/o\":\"Το % της συνολικής δανειοληπτικής σας δύναμης που χρησιμοποιείται. Αυτό βασίζεται στο ποσό της παρεχόμενης εξασφάλισής σας και στο συνολικό ποσό που μπορείτε να δανειστείτε.\",\"hehnjM\":\"Ποσό\",\"hjDCQr\":\"Υπήρξε κάποιο σφάλμα. Προσπαθήστε να αλλάξετε τις παραμέτρους ή <0><1>αντιγράψτε το σφάλμα\",\"hom7qf\":\"Διεκδίκηση\",\"hpHJ4I\":\"Liquidated collateral\",\"hpuVIp\":\"Users who stake AAVE in Safety Module (i.e. stkAAVE holders) receive a discount on GHO borrow interest rate.\",\"huQ6Tz\":[\"Δανεισμός \",[\"symbol\"]],\"hxi7vE\":\"Borrow balance\",\"i2JTiw\":\"You may enter a custom amount in the field.\",\"iB5+/J\":\"About GHO\",\"iChbOF\":\"Ασυνεπείς παράμετροι flashloan\",\"iEPVHF\":\"Δεν έχει αρκετή δύναμη ψήφου για να συμμετάσχει στην παρούσα πρόταση\",\"iEW87X\":\"Delegated power\",\"iEju36\":[\"Ψηφίσατε \",[\"0\"]],\"iFq2YN\":\"Borrowable\",\"iGxyIA\":\"Safety Module\",\"iMVZk9\":\"Select slippage tolerance\",\"iPMIoT\":\"Εισάγετε ένα ποσό\",\"iSLIjg\":\"Connect\",\"iUo5rv\":\"tokens δεν είναι το ίδιο με το να τα κλειδώνετε. Εάν επιθυμείτε να κλειδώσετε τα\",\"iZxa38\":\"Use it to vote for or against active proposals.\",\"if5PH+\":\"Collector Info\",\"igkfR1\":[\"In Isolation mode, you cannot supply other assets as collateral. A global debt ceiling limits the borrowing power of the isolated asset. To exit isolation mode disable \",[\"0\"],\" as collateral before borrowing another asset. Read more in our <0>FAQ\"],\"il0sEG\":\"H χρήση εγγυήσεων είναι περιορισμένη λόγω της λειτουργίας Απομόνωσης.\",\"j+K1Xj\":\"Amount After Fee\",\"jA2QeW\":\"Προμηθεύοντας το\",\"jFi7dz\":\"Interest rate that is determined by Aave Governance. This rate may be changed over time depending on the need for the GHO supply to contract/expand. <0>Learn more\",\"jG3UJ7\":\"Απενεργοποίηση E-Mode\",\"jKYzR1\":\"Ενεργοποίηση E-Mode\",\"jMam5g\":[[\"0\"],\" Υπόλοιπο\"],\"jSYv+Z\":\"Enabling E-Mode allows you to maximize your borrowing power, however, borrowing is restricted to assets within the selected category. <0>Learn more about how it works and the applied restrictions.\",\"jaKbwW\":[[\"s\"],\"δ\"],\"jbFMap\":\"Χρόνος ψύξης που έχει απομείνει\",\"jeMZNr\":[[\"0\"],\" on-ramp service is provided by External Provider and by selecting you agree to Terms of the Provider. Your access to the service might be reliant on the External Provider being operational.\"],\"jfl9OP\":\"Migrated\",\"jmXdoY\":\"Στο E-Mode ορισμένα περιουσιακά στοιχεία δεν είναι δανείσιμα. Βγείτε από το E-Mode για να αποκτήσετε πρόσβαση σε όλα τα περιουσιακά στοιχεία\",\"jpctdh\":\"View\",\"jqzUyM\":\"Μη διαθέσιμο\",\"k/sb6z\":\"Επιλέξτε γλώσσα\",\"k3wP3f\":\"<0>Attention: Parameter changes via governance can alter your account health factor and risk of liquidation. Follow the <1>Aave governance forum for updates.\",\"kACpF3\":[\"Διεκδίκηση \",[\"0\"]],\"kH6wUX\":\"Επίδραση στην τιμή\",\"kIC28N\":\"Available to claim\",\"kIpSye\":[[\"numSelected\"],\"/\",[\"numAvailable\"],\" assets selected\"],\"kN1Yg5\":\"Για την εξόφληση εκ μέρους ενός χρήστη απαιτείται ένα ρητό ποσό προς εξόφληση\",\"kRTD40\":[\"Repayment amount to reach \",[\"0\"],\"% utilization\"],\"kjN9tT\":\"Υπέρβαση του ανώτατου ορίου προσφοράς\",\"knxE+G\":\".JSON\",\"ks2LWT\":\"Το ανώτατο όριο χρέους δεν είναι μηδενικό\",\"kwwn6i\":\"Users who stake AAVE in Safety Module (i.e. stkAAVE holders) receive a discount on GHO borrow interest rate. The discount applies to 100 GHO for every 1 stkAAVE held. Use the calculator below to see GHO borrow rate with the discount applied.\",\"kz3wtK\":\"and about SPK program\",\"kzZyM4\":\"DAI balance will be converted via DSR contracts and then supplied as sDAI. Switching incurs no additional costs and no slippage.\",\"lNVG7i\":\"Select an asset\",\"lU2d1/\":[\"Asset cannot be migrated due to insufficient liquidity or borrow cap limitation in \",[\"marketName\"],\" v3 market.\"],\"lVhKKI\":\"Voted YAE\",\"lWLqxB\":\"We couldn't find any transactions related to your search. Try again with a different asset name, or reset filters.\",\"lYGfRP\":\"Αγγλικά\",\"lfEjIE\":\"Μάθετε περισσότερα στον οδηγό <0>Συχνών Ερωτήσεων\",\"lt6bpt\":\"Collateral to repay with\",\"m/IEhi\":\"Συνολικές εκπομπές ανά ημέρα\",\"m7r7Hh\":\"Selected borrow assets\",\"mDDK4p\":\"Balancer Pool\",\"mIM0qu\":\"Expected amount to repay\",\"mUAFd6\":\"Version 2\",\"masO5Z\":\"E-Mode increases your LTV for a selected category of assets. <0>Learn more\",\"mdNjKU\":[\"Your \",[\"name\"],\" wallet is empty. Purchase or transfer assets or use <0>\",[\"0\"],\" to transfer your \",[\"network\"],\" assets.\"],\"muiOng\":[\"Buy \",[\"cryptoSymbol\"],\" with Fiat\"],\"mvCXBY\":\"Stake AAVE\",\"mwdzil\":\"Εντάξει, Κλείσιμο\",\"mzI/c+\":\"Download\",\"mzdIia\":\"Το περιουσιακό στοιχείο δεν μπορεί να χρησιμοποιηθεί ως εγγύηση.\",\"n+SX4g\":\"Προγραμματιστές\",\"n8Psk4\":\"We couldn’t detect a wallet. Connect a wallet to stake and view your balance.\",\"nJIhzm\":\"Προσφορά apy\",\"nJgsQu\":\"Με δύναμη ψήφου <0/>\",\"nLC6tu\":\"Γαλλικά\",\"nN2T8p\":\"During the cooldown period, you will not earn any merit rewards. However, rewards earned up to this point will remain unaffected.\",\"nNHV0z\":\"Migrating multiple collaterals and borrowed assets at the same time can be an expensive operation and might fail in certain situations.<0>Therefore it’s not recommended to migrate positions with more than 5 assets (deposited + borrowed) at the same time.\",\"nNbnzu\":\"Proposition\",\"nOy4ob\":\"We suggest you go back to the Dashboard.\",\"nPGNMh\":\"Μπορεί να εκτελεστεί\",\"nUK1ou\":[\"Assets with zero LTV (\",[\"0\"],\") must be withdrawn or disabled as collateral to perform this action\"],\"nakd8r\":\"stkAAVE holders get a discount on GHO borrow rate\",\"nh2EJK\":[\"Παρακαλώ μεταβείτε στο \",[\"networkName\"],\".\"],\"njBeMm\":\"Both\",\"noN5Xf\":\"We couldn’t detect a wallet. Connect a wallet to view your staking positions and rewards.\",\"ntkAoE\":\"Discount applied for <0/> staking AAVE\",\"ntyFSE\":[[\"h\"],\"ω\"],\"nwtY4N\":\"Something went wrong\",\"nxyWvj\":\"Withdrawing this amount will reduce your health factor and increase risk of liquidation.\",\"o17QVP\":\"Ο συντελεστής υγείας και το δάνειο προς αξία καθορίζουν τη διασφάλιση των εξασφαλίσεών σας. Για να αποφύγετε τις ρευστοποιήσεις μπορείτε να παράσχετε περισσότερες εξασφαλίσεις ή να εξοφλήσετε δανειακές θέσεις.\",\"o1xc2V\":\"Η προσφορά AToken δεν είναι μηδενική\",\"o4tCu3\":\"Borrow APY\",\"o5ooMr\":\"Χρέος\",\"o7J4JM\":\"Φίλτρο\",\"oHFrpj\":\"Ψύξτε για ξεκλείδωμα\",\"oJ5ZiG\":\"Ο χρήστης δεν έχει ανεξόφλητο χρέος μεταβλητού επιτοκίου σε αυτό το αποθεματικό\",\"oRBGin\":\"Please connect your wallet to be able to switch your tokens.\",\"oUwXhx\":\"Test Assets\",\"oWklJD\":\"Το σταθερό επιτόκιο θα <0>μείνει το ίδιο για όλη τη διάρκεια του δανείου σας. Συνιστάται για μακροχρόνιες περιόδους δανεισμού και για χρήστες που προτιμούν την προβλεψιμότητα.\",\"odnIK3\":\"Time remaining until the 48 hour withdraw period starts.\",\"oiK5nY\":\"The current incentives period, decided on by the Aave community, has ended. Governance is in the process on renewing, check for updates. <0>Learn more.\",\"olREoo\":\"All borrow positions outside of this category must be closed to enable this category.\",\"om/XHs\":\"Διαθέσιμο για προμήθεια\",\"ov0+mq\":\"Eligible for the ZKSync Ignite program.\",\"ovT1pF\":[\"Per the community, the \",[\"market\"],\" has been frozen.\"],\"ow3fug\":\"Nothing found\",\"owSsI3\":\"Signatures ready\",\"p+R52m\":\"Go to Balancer Pool\",\"p2A+s1\":[\"Η περίοδος ψύξης είναι \",[\"0\"],\". Μετά την \",[\"1\"],\" περίοδο ψύξης, θα εισέλθετε στο παράθυρο ξεκλειδώματος \",[\"2\"],\". Θα συνεχίσετε να λαμβάνετε ανταμοιβές κατά τη διάρκεια της ψύξης και του παραθύρου ξεκλειδώματος.\"],\"p2S64u\":\"The loan to value of the migrated positions would cause liquidation. Increase migrated collateral or reduce migrated borrow to continue.\",\"p2Z2Qi\":\"Αυτό το περιουσιακό στοιχείο έχει φθάσει στο ανώτατο όριο δανεισμού του. Τίποτα δεν είναι διαθέσιμο για δανεισμό από αυτή την αγορά.\",\"p3j+mb\":\"Το υπόλοιπο της ανταμοιβής σας είναι 0\",\"p45alK\":\"Set up delegation\",\"p6u2s1\":\"Minimum amount of debt to be repaid\",\"pDgeaz\":[[\"title\"]],\"pdZqBk\":\"Το υποκείμενο υπόλοιπο πρέπει να είναι μεγαλύτερο από 0\",\"pgWG9H\":\"Δεν υπάρχει αρκετό κλειδωμένο υπόλοιπο\",\"piPrJ7\":\"παρακαλούμε ελέγξτε ότι το ποσό που θέλετε να παρέχετε δεν χρησιμοποιείται επί του παρόντος για κλείδωμα. Εάν χρησιμοποιείται για κλείδωμα, η συναλλαγή σας ενδέχεται να αποτύχει.\",\"pjO/iH\":\"Minimum amount received\",\"pooutM\":\"Voting is on\",\"pqaM5s\":\"Confirming transaction\",\"ptaxX3\":[\"Καταλαβαίνω πώς λειτουργεί η ψύξη (\",[\"0\"],\") και το ξεκλείδωμα (\",[\"1\"],\")\"],\"py2iiY\":\"Ο καλών αυτής της συνάρτησης πρέπει να είναι ένα κοινόχρηστο ταμείο\",\"q/51mF\":\"Migrate to V3\",\"q3df11\":\"Interest rate strategy\",\"q6lAbz\":\"Κλειδωμένο\",\"qB4kPi\":\"Προσφορά APY\",\"qENI8q\":\"Γενικές ρυθμίσεις\",\"qGz5zl\":\"Collateral balance after repay\",\"qOqbD6\":\"αντιγράψτε το σφάλμα\",\"qXCkEM\":\"Συνδέστε το πορτοφόλι σας για να δείτε τις προμήθειες, τα δάνεια και τις ανοιχτές θέσεις σας.\",\"qY2jnw\":\"Μη έγκυρη λήξη\",\"qf/fr+\":\"Interest accrued\",\"quYPUU\":\"Variable interest rate will <0>fluctuate based on the market conditions.\",\"quzIeW\":\"User is in isolation mode or LTV is zero\",\"qvnz3q\":\"Μη έγκυρη ποσότητα προς καύση\",\"rHgdb0\":\"Migrate to Aave V3\",\"rOrHHe\":\"Το ποσό πρέπει να είναι μεγαλύτερο από 0\",\"rQ+R+0\":\"Selected supply assets\",\"rSayea\":\"APY\",\"rTBDeu\":[\"Asset cannot be migrated because you have isolated collateral in \",[\"marketName\"],\" v3 Market which limits borrowable assets. You can manage your collateral in <0>\",[\"marketName\"],\" V3 Dashboard\"],\"rcT+yy\":\"Εμφάνιση περιουσιακών στοιχείων με υπόλοιπο 0\",\"rf8POi\":\"Borrowed asset amount\",\"riNWOA\":\"E-Mode\",\"rjGI/Q\":\"Privacy\",\"rnKPW1\":\"Watch a wallet balance in read-only mode\",\"ruc7X+\":\"Add stkAAVE to see borrow APY with the discount\",\"rvbaFU\":[\"Bridging \",[\"symbol\"]],\"rwVVB7\":\"Διεκδικήστε όλες τις ανταμοιβές\",\"rwyUva\":\"These assets are temporarily frozen or paused by Aave community decisions, meaning that further supply / borrow, or rate swap of these assets are unavailable. Withdrawals and debt repayments are allowed. Follow the <0>Aave governance forum for further updates.\",\"rxJW5W\":\"Your proposition power is based on your AAVE/stkAAVE balance and received delegations.\",\"s2jJnW\":\"You don't have any bridge transactions\",\"s5wBAq\":[\"Unstake \",[\"symbol\"]],\"sJbIdI\":\"Enter ETH address or ENS\",\"sK+Nag\":\"Αναθεώρηση συναλλαγής\",\"sP2+gB\":\"ΚΑΤΑ\",\"sQv06Y\":\"for\",\"sTtO6J\":\"Confirm transaction\",\"sXKb3l\":\"Exchange rate\",\"sb0q4+\":\"Μπορείτε να ξεκλειδώσετε εδώ\",\"smJNwH\":\"Διαθέσιμο για δανεισμό\",\"solypO\":\"Ο παράγοντας υγείας δεν είναι κάτω από το όριο\",\"sr0UJD\":\"Πηγαίνετε Πίσω\",\"ss5GCK\":\"Η διεύθυνση του παρόχου διευθύνσεων κοινόχρηστου ταμείου είναι άκυρη\",\"swEgK4\":\"Οι πληροφορίες ψήφου σας\",\"t+wtgf\":\"Τίποτα δανεισμένο ακόμα\",\"t/YqKh\":\"Remove\",\"t81DpC\":[\"Approve \",[\"symbol\"],\" to continue\"],\"tCnbEs\":\"Τιμή Oracle\",\"tFZLf8\":\"Αυτός ο υπολογισμός gas είναι μόνο μια εκτίμηση. Το πορτοφόλι σας θα καθορίσει την τιμή της συναλλαγής. Μπορείτε να τροποποιήσετε τις ρυθμίσεις gas απευθείας από τον πάροχο του πορτοφολιού σας.\",\"tHuvQI\":\"Go to V3 Dashboard\",\"tKv7cI\":\"Switch borrow position\",\"tOcg3N\":\"Since this asset is frozen, the only available actions are withdraw and repay which can be accessed from the <0>Dashboard\",\"tOuXfv\":[\"Borrow amount to reach \",[\"0\"],\"% utilization\"],\"te9Bfl\":\"Παρακαλώ, συνδέστε το πορτοφόλι σας\",\"tt5yma\":\"Οι προμήθειές σας\",\"ttoh5c\":\"Switch to\",\"u3ZeYl\":\"Η συναλλαγή απέτυχε\",\"u706uF\":\"Άκυρη πριμοδότηση flashloan\",\"u8Gfu7\":[\"No search results\",[\"0\"]],\"uAQUqI\":\"Status\",\"uHMwk8\":\"No assets selected to migrate.\",\"uJPHuY\":\"Migrating\",\"uY8O30\":\"To continue, you need to grant Aave smart contracts permission to move your funds from your wallet. Depending on the asset and wallet you use, it is done by signing the permission message (gas free), or by submitting an approval transaction (requires gas). <0>Learn more\",\"udFheE\":\"Για την αποπληρωμή ενός συγκεκριμένου τύπου χρέους, ο χρήστης πρέπει να έχει χρέος αυτού του τύπου\",\"ulNuNq\":\"Export data to\",\"ulup2p\":\"Buy Crypto with Fiat\",\"umICAY\":\"<0><1><2/>Add stkAAVE to see borrow rate with discount\",\"usB84Z\":\"Maximum amount available to borrow is limited because protocol borrow cap is nearly reached.\",\"uwAUvj\":\"COPY IMAGE\",\"v8x7Mg\":\"Insufficient collateral to cover new borrow position. Wallet must have borrowing power remaining to perform debt switch.\",\"vEqxH9\":\"Restaked\",\"vLyv1R\":\"Απόκρυψη\",\"vMba49\":\"Ο δανεισμός δεν είναι ενεργοποιημένος\",\"vMpNwt\":\"Approve with\",\"vXIe7J\":\"Γλώσσα\",\"vesuBJ\":\"Σας επιτρέπει να αποφασίσετε αν θα χρησιμοποιήσετε ένα παρεχόμενο περιουσιακό στοιχείο ως εγγύηση. Ένα περιουσιακό στοιχείο που χρησιμοποιείται ως εγγύηση θα επηρεάσει τη δανειοληπτική σας ικανότητα και τον συντελεστή υγείας.\",\"w+V9Cx\":\"Σταθερό νόμισμα\",\"w/JtJ3\":\"Η σταθερή προσφορά χρέους δεν είναι μηδενική\",\"w4VBY+\":\"Ανταμοιβές APR\",\"w9dLMW\":[[\"label\"]],\"wAOL+X\":[\"Εσείς \",[\"action\"],\" <0/> \",[\"symbol\"]],\"wBIsjb\":\"Discord channel\",\"wQZbc/\":\"Ο καλών της συνάρτησης δεν είναι AToken\",\"wRRqvW\":\"Δεν έχετε προμήθειες σε αυτό το νόμισμα\",\"wZFvVU\":\"ΨΗΦΙΣΤΕ ΥΠΕΡ\",\"wb/r1O\":[\"Βρύση \",[\"0\"]],\"wdxz7K\":\"Source\",\"weH1nG\":\"The Aave Protocol is programmed to always use the price of 1 GHO = $1. This is different from using market pricing via oracles for other crypto assets. This creates stabilizing arbitrage opportunities when the price of GHO fluctuates.\",\"wh7Ezv\":\"You have no AAVE/stkAAVE/aAave balance to delegate.\",\"wlsIx7\":\"With testnet Faucet you can get free assets to test the Aave Protocol. Make sure to switch your wallet provider to the appropriate testnet network, select desired asset, and click ‘Faucet’ to get tokens transferred to your wallet. The assets on a testnet are not “real,” meaning they have no monetary value. <0>Learn more\",\"wmE285\":\"Get ABP v2 Token\",\"wyRrcJ\":\"As a result of governance decisions, this ABPT staking pool is now deprecated. You have the flexibility to either migrate all of your tokens to v2 or unstake them without any cooldown period.\",\"x5KiLL\":\"Selected assets have successfully migrated. Visit the Market Dashboard to see them.\",\"x7F2p6\":\"Τρέχον διαφορικό\",\"x7K5ib\":[\"Your \",[\"networkName\"],\" wallet is empty. Get free test \",[\"0\"],\" at\"],\"x9iLRD\":\"tokens, παρακαλούμε μεταβείτε στο\",\"xNy/UG\":\"Αποπληρωμή με\",\"xPm8wv\":\"Μάθετε περισσότερα για τους κινδύνους\",\"xXYpZl\":[[\"0\"],\" Βρύση\"],\"xaVBSS\":\"Οι πληροφορίες σας\",\"xaWZ6f\":\"APY type change\",\"xh6k71\":\"Collateral usage is limited because of isolation mode.\",\"xvIklc\":\"Flashloan is disabled for this asset, hence this position cannot be migrated.\",\"y5rS9U\":\"Migrate\",\"y66tBm\":[\"Ενεργοποίηση \",[\"symbol\"],\" ως εγγύηση\"],\"yB1YpA\":\"Σκοτεινή λειτουργία\",\"yCrG6m\":\"Συνολικό μέγεθος της αγοράς\",\"yJUUbn\":\"Επισκόπηση συναλλαγής\",\"yLGmLX\":[\"Restake \",[\"symbol\"]],\"yW1oWB\":\"Τύπος APY\",\"yYHqJe\":\"Μη έγκυρη διεύθυνση\",\"yZwLw6\":\"Track wallet\",\"yh2sjd\":[\"Price impact \",[\"0\"],\"%\"],\"yhvj6d\":\"Δεν μπορείτε να αλλάξετε τη χρήση ως λειτουργία εγγύησης για αυτό το νόμισμα, διότι θα προκαλέσει κλήση εγγύησης\",\"ylmtBZ\":\"The app is running in fork mode.\",\"ymNY32\":[\"Δεν υπάρχουν αρκετά κεφάλαια στο\",[\"0\"],\"αποθεματικό για δανεισμό\"],\"yz7wBu\":\"Κλείσιμο\",\"z4uGQg\":\"Υπέρβαση του ανώτατου ορίου χρέους\",\"z5UQOM\":\"Η εγγύηση που έχει επιλεγεί δεν μπορεί να ρευστοποιηθεί\",\"z5Y+p6\":[\"Παροχή \",[\"symbol\"]],\"zCjNKs\":\"Η ενέργεια δεν μπορεί να εκτελεστεί επειδή το αποθεματικό έχει παγώσει\",\"zRHytX\":\"Isolated Debt Ceiling\",\"zTOjMP\":\"Protocol supply cap is at 100% for this asset. Further supply unavailable.\",\"zVdRUG\":\"Submission did not work, please try again later or contact wecare@avara.xyz\",\"zevmS2\":\"<0><1><2/>Add <3/> stkAAVE to borrow at <4/> (max discount)\",\"zgtIDV\":\"Υπολειπόμενο χρέος\",\"zmTPiV\":\"Υπόλοιπο προσφοράς\",\"zpPbZl\":\"Liquidation risk parameters\",\"zucql+\":\"Μενού\",\"zwWKhA\":\"Μάθετε περισσότερα\",\"zy9fXn\":[\"Asset is frozen in \",[\"marketName\"],\" v3 market, hence this position cannot be migrated.\"],\"zys+R6\":\"Be mindful of the network congestion and gas prices.\",\"zzzTXS\":\"Merit Program rewards are claimed through the\"}")}; \ No newline at end of file +/*eslint-disable*/module.exports={messages:JSON.parse("{\"+0xecS\":[\"Εάν ΔΕΝ ξεκλειδώσετε εντός \",[\"0\"],\" του παραθύρου ξεκλειδώματος, θα πρέπει να ενεργοποιήσετε ξανά τη διαδικασία ψύξης.\"],\"+EGVI0\":\"Receive (est.)\",\"+VR63W\":[\"Η συμμετοχή σε αυτό το αποθεματικό \",[\"symbol\"],\" δίνει ετήσιες ανταμοιβές.\"],\"+bmKdK\":\"Use your AAVE, stkAAVE, or aAave balance to delegate your voting and proposition powers. You will not be sending any tokens, only the rights to vote and propose changes to the protocol. You can re-delegate or revoke power to self at any time.\",\"+eOPG+\":\"Φαίνεται ότι δεν μπορούμε να αλλάξουμε το δίκτυο αυτόματα. Ελέγξτε αν μπορείτε να το αλλάξετε από το πορτοφόλι.\",\"+i3Pd2\":\"Ανώτατο όριο δανεισμού\",\"+kLZGu\":\"Supplied asset amount\",\"+nuEh/\":\"Estimated time\",\"+xMFF8\":\"Remind me\",\"/57U31\":\"Amount to migrate\",\"/7ykiW\":\"Borrowing this amount will reduce your health factor and increase risk of liquidation.\",\"/YA5pU\":\"E-Mode increases your LTV for a selected category of assets, meaning that when E-mode is enabled, you will have higher borrowing power over assets of the same E-mode category which are defined by Aave Governance. You can enter E-Mode from your <0>Dashboard. To learn more about E-Mode and applied restrictionn, see the <1>help guide or the <2>Aave V3 Technical Paper.\",\"/izjs/\":\"Minimum staked Aave amount\",\"/jQctM\":\"To\",\"/lDBHm\":\"ΣΥΧΝΕΣ ΕΡΩΤΗΣΕΙΣ\",\"/yNlZf\":\"Ο σταθερός δανεισμός δεν είναι ενεργοποιημένος\",\"/yQcJM\":\"Συνολική αξία\",\"00AB2i\":\"Ο χρήστης δεν δανείστηκε το καθορισμένο νόμισμα\",\"00OflG\":\"There is not enough liquidity for the target asset to perform the switch. Try lowering the amount.\",\"08/rZ9\":\"The cooldown period is the time required prior to unstaking your tokens (20 days). You can only withdraw your assets from the Security Module after the cooldown period and within the unstake window.<0>Learn more\",\"0AmQcW\":\"Rate change\",\"0BF3yK\":\"Sorry, we couldn't find the page you were looking for.\",\"0TAbjq\":\"Recent Transactions\",\"0jhlyw\":\"Liquidation risk\",\"0ojY+Y\":\"Current v2 Balance\",\"0thX3P\":\"Collateral change\",\"0wGCWc\":\"Αυτό είναι το συνολικό ποσό που μπορείτε να προμηθεύσετε σε αυτό το αποθεματικό. Μπορείτε να προμηθεύσετε το υπόλοιπο του πορτοφολιού σας μέχρι να επιτευχθεί το ανώτατο όριο προμηθειών.\",\"1AsVfF\":\"Price data is not currently available for this reserve on the protocol subgraph\",\"1LjK22\":\"Transaction history\",\"1Onqx8\":[\"Έγκριση του \",[\"symbol\"],\"...\"],\"1Ue8sX\":\"Παρακαλούμε συνδέστε ένα πορτοφόλι για να δείτε τις προσωπικές σας πληροφορίες εδώ.\",\"1bpx9A\":\"...\",\"1kWUB+\":\"Ρευστοποίηση <0/> κατώτατο όριο\",\"1m9Qqc\":\"Withdrawing and Switching\",\"1oyh4g\":\"Borrow rate\",\"1t7rez\":\"Asset supply is limited to a certain amount to reduce protocol exposure to the asset and to help manage risks involved.\",\"2CAPu2\":\"You've successfully withdrew & switched tokens.\",\"2Eoi/a\":\"Προβολή λεπτομερειών\",\"2FYpfJ\":\"Περισσότερα\",\"2O3qp5\":\"Διαθέσιμη ρευστότητα\",\"2OM8/D\":[\"Asset cannot be migrated due to supply cap restriction in \",[\"marketName\"],\" v3 market.\"],\"2Q4GU4\":\"Blocked Address\",\"2ZGocC\":\"Aave is a fully decentralized, community governed protocol by the AAVE token-holders. AAVE token-holders collectively discuss, propose, and vote on upgrades to the protocol. AAVE token-holders (Ethereum network only) can either vote themselves on new proposals or delagate to an address of choice. To learn more check out the Governance\",\"2a6G7d\":\"Please enter a valid wallet address.\",\"2bAhR7\":\"Meet GHO\",\"2eBWE6\":\"I acknowledge the risks involved.\",\"2o/xRt\":\"Επίτευξη του ανώτατου ορίου εφοδιασμού στο αποθεματικό-στόχο. Δοκιμάστε να \\nμειώσετε την ποσότητα.\",\"2uJToh\":[[\"0\"],[\"name\"]],\"2x58bP\":\"Ο σταθερός δανεισμός είναι ενεργοποιημένος\",\"34Qfwy\":\"Υπέρβαση του ανώτατου ορίου δανεισμού\",\"39eQRj\":[\"Δανεισμός \",[\"symbol\"]],\"3BL1xB\":\"Σύνολο παρεχόμενων\",\"3BnIWi\":\"Switched\",\"3K0oMo\":\"Υπολειπόμενη προσφορά\",\"3MoZhl\":\"Δεν υπάρχουν επαρκείς εξασφαλίσεις για την κάλυψη ενός νέου δανείου\",\"3Np5O8\":[\"Προσφορά \",[\"symbol\"]],\"3O8YTV\":\"Total interest accrued\",\"3mXg0z\":\"Μέγιστο LTV\",\"3q3mFy\":\"Αποπληρωμή\",\"3qsjtp\":\"Ο σταθμισμένος μέσος όρος του APY για όλα τα παρεχόμενα περιουσιακά στοιχεία, συμπεριλαμβανομένων των κινήτρων.\",\"3rL+os\":\"Μπορείτε να αποσύρετε τα περιουσιακά σας στοιχεία από τη Μονάδα Ασφαλείας μόνο αφού λήξει η περίοδος αναμονής και το παράθυρο ξεκλειδώματος είναι ενεργό.\",\"42UgDM\":[\"Migrate to \",[\"0\"],\" v3 Market\"],\"49UFQA\":\"Αποτελέσματα ψηφοφορίας\",\"4DMZUI\":\"View Transactions\",\"4HtGBb\":\"ΜΕΓΙΣΤΟ\",\"4Y5H+g\":\"Terms\",\"4YYh4d\":\"Maximum available to borrow\",\"4iPAI3\":\"Minimum GHO borrow amount\",\"4lDFps\":\"Sign to continue\",\"4wyw8H\":\"Transactions\",\"5JSSxX\":[\"Your \",[\"networkName\"],\" wallet is empty. Get free test assets at\"],\"5K7kGO\":\"τεκμηρίωση\",\"5NOSGa\":\"Debt ceiling limits the amount possible to borrow against this asset by protocol users. Debt ceiling is specific to assets in isolation mode and is denoted in USD.\",\"5Ncc6j\":[\"Αυτό το περιουσιακό στοιχείο έχει σχεδόν φτάσει στο όριο της προσφοράς του. Μόνο \",[\"messageValue\"],\" μπορεί να παρασχεθεί σε αυτή την αγορά.\"],\"5cZ/KX\":\"Η προσφορά μεταβλητού χρέους δεν είναι μηδενική\",\"5che++\":\"Για να ζητήσετε πρόσβαση σε αυτή την αδειοδοτημένη αγορά, επισκεφθείτε την ιστοσελίδα: <0>Όνομα Παρόχου Πρόσβασης\",\"5ctNdV\":[\"Minimum \",[\"0\"],\" received\"],\"5hDe9v\":\"Απαιτούμενη δράση επιδότησης\",\"5rsnKT\":\"Διαθέσιμες ανταμοιβές\",\"5yC5m5\":\"View all votes\",\"6/dCYd\":\"Επισκόπηση\",\"60crCe\":\"All transactions\",\"62Xcjh\":\"Εγγύηση\",\"65A04M\":\"Ισπανικά\",\"6G8s+q\":\"Signing\",\"6Jrv+z\":[\"Αποπληρωμή \",[\"symbol\"]],\"6NGLTR\":\"Discountable amount\",\"6Xr0UU\":\"Ψύξη...\",\"6bxci/\":\"Δύναμη ψήφου\",\"6f8S68\":\"Αγορές\",\"6g1gi0\":\"Προτάσεις\",\"6gvoHP\":\"Copy error message\",\"6h3Q5G\":\"repaid\",\"6lFSyT\":\"Available to Stake\",\"6s8L6f\":\"Αλλαγή Δικτύου\",\"6yAAbq\":\"APY, borrow rate\",\"70wH1Q\":\"APR\",\"72c5Qo\":\"Total\",\"73Auuq\":\"Discount parameters are decided by the Aave community and may be changed over time. Check Governance for updates and vote to participate. <0>Learn more\",\"75qcAQ\":[[\"stepName\"]],\"7ITr5L\":\"Συντελεστής υγείας\",\"7T/o5R\":\"Επιτεύχθηκε\",\"7YlcXu\":\"Fork mode is ON\",\"7Z76Iw\":\"Borrowing is unavailable because you’re using Isolation mode. To manage Isolation mode visit your <0>Dashboard.\",\"7aKlMS\":\"Share on Lens\",\"7er5fP\":\"Διεκδικήστε τα όλα\",\"7hb2+s\":\"Time remaining until the withdraw period ends.\",\"7l88b8\":\"Data couldn't be fetched, please reload graph.\",\"7p5kLi\":\"Ταμπλό\",\"7sofdl\":\"Withdraw and Switch\",\"8+6BI0\":\"Προσοχή - Είστε πολύ κοντά στην ρευστοποίηση. Εξετάστε το ενδεχόμενο να καταθέσετε περισσότερες εγγυήσεις ή να εξοφλήσετε κάποιες από τις δανειακές σας θέσεις\",\"87pUEW\":[\"Το πορτοφόλι σας \",[\"name\"],\" είναι άδειο. Αγοράστε ή μεταφέρετε περιουσιακά στοιχεία.\"],\"8F1i42\":\"Page not found\",\"8G8M0u\":\"Loading data...\",\"8Iu1QS\":\"withdrew\",\"8JL93T\":\"Όλες οι προτάσεις\",\"8Q51DU\":\"Add to wallet\",\"8X/oyn\":\"Μη έγκυρο ποσό για νομισματοκοπία\",\"8Z5FPv\":\"Αποσυνδέστε το πορτοφόλι\",\"8Zz7s5\":\"περιουσιακά στοιχεία\",\"8aLW8H\":\"Balance to revoke\",\"8bOT3H\":\"Ποσοστό χρησιμοποίησης\",\"8sLe4/\":\"View contract\",\"8t/M0y\":\"Please connect your wallet to be able to bridge your tokens.\",\"8vETh9\":\"Εμφάνιση\",\"94OHPx\":\"Εισέρχεστε σε λειτουργία απομόνωσης\",\"9CDK3/\":[\"Ο δανεισμός δεν είναι επί του παρόντος διαθέσιμος για \",[\"0\"],\".\"],\"9GIj3z\":\"Μέγεθος Αποθεματικού\",\"9Knqb4\":\"Staking balance\",\"9OBKm7\":\"Απαρτία\",\"9QHoGr\":\"Τρέχουσες ψήφοι\",\"9Rw96f\":[\"Αυτό το περιουσιακό στοιχείο έχει σχεδόν φτάσει στο όριο δανεισμού του. Υπάρχει μόνο \",[\"messageValue\"],\" διαθέσιμο για δανεισμό από αυτή την αγορά.\"],\"9Xj/qR\":[\"Some migrated assets will not be used as collateral due to enabled isolation mode in \",[\"marketName\"],\" V3 Market. Visit <0>\",[\"marketName\"],\" V3 Dashboard to manage isolation mode.\"],\"9c6vDV\":\"Αυτό το περιουσιακό στοιχείο έχει φτάσει στο όριο της προσφοράς του. Τίποτα δεν είναι διαθέσιμο για προμήθεια από αυτή την αγορά.\",\"9kTWHA\":\"MAI has been paused due to a community decision. Supply, borrows and repays are impacted. <0>More details\",\"9lXchd\":\"Underlying token\",\"9rWaKF\":\"Bridged Via CCIP\",\"9xSooW\":\"Δεδομένου ότι πρόκειται για ένα δοκιμαστικό δίκτυο, μπορείτε να αποκτήσετε οποιοδήποτε από τα περιουσιακά στοιχεία αν έχετε ETH στο πορτοφόλι σας\",\"A/lwoe\":\"Choose one of the on-ramp services\",\"A6dCI6\":[\"Maximum amount available to borrow is <0/> \",[\"0\"],\" (<1/>).\"],\"AReoaV\":\"Τα δάνεια σας\",\"ARu1L4\":\"Repaid\",\"AV7cGz\":\"Αναθεώρηση λεπτομερειών έγκρισης συναλλαγής\",\"AZOjB8\":\"Fetching data...\",\"Ai0jas\":\"Join the community discussion\",\"Ajl2rq\":\"Η δύναμη δανεισμού και τα περιουσιακά στοιχεία είναι περιορισμένα λόγω της λειτουργίας απομόνωσης.\",\"AqgYNC\":\"Protocol borrow cap at 100% for this asset. Further borrowing unavailable.\",\"B3EcQR\":\"Thank you for voting!!\",\"B6aXGH\":\"Σταθερό\",\"B9Gqbz\":\"Variable rate\",\"BDFEd+\":\"stETH supplied as collateral will continue to accrue staking rewards provided by daily rebases.\",\"BE2mP0\":\"Borrowed assets\",\"BJyN77\":\"Due to health factor impact, a flashloan is required to perform this transaction, but Aave Governance has disabled flashloan availability for this asset. Try lowering the amount or supplying additional collateral.\",\"BNL4Ep\":\"Η χρήση εγγύησης είναι περιορισμένη λόγω της λειτουργίας απομόνωσης. <0>Μάθετε περισσότερα\",\"BQ/wCO\":\"Migrate your assets\",\"BjLdl1\":\"At a discount\",\"BnhYo8\":\"Κατηγορία περιουσιακών στοιχείων\",\"Bq9Y7e\":\"This asset is frozen due to an Aave community decision. <0>More details\",\"BqWMDJ\":\"Βρύση\",\"BqynZO\":\"Optimized for efficiency and risk by supporting blue-chip collateral assets\",\"Bsu7zX\":\"The fee includes the gas cost to complete the transaction on the destination chain and the fee paid to Chainlink CCIP service providers. You can chose to pay in the network token or GHO. <0>Learn more\",\"BwJKBw\":\"of\",\"CDrsH+\":\"Techpaper\",\"CK1KXz\":\"Μεγιστο\",\"CMHmbm\":\"Slippage\",\"CZXzs4\":\"Greek\",\"CcRNG6\":\"Switching\",\"CkTRmy\":[\"Διεκδίκηση \",[\"symbol\"]],\"CsqtLm\":\"Please connect your wallet to see migration tool.\",\"CtGlFb\":[[\"networkName\"],\" Βρύση\"],\"Cxt2YY\":\"Watch wallet\",\"D33VQU\":\"This action will reduce health factor of V3 below liquidation threshold. Increase migrated collateral or reduce migrated borrow to continue.\",\"D9BLRG\":\"This asset has been paused due to a community decision. Supply, withdraw, borrows and repays are impacted.\",\"DAma/S\":\"Η εγγύηση είναι (ως επί το πλείστον) το ίδιο νόμισμα που δανείζεται\",\"DCnFg0\":[\"Addresses (\",[\"0\"],\")\"],\"DG3Lv1\":\"I fully understand the risks of migrating.\",\"DONJcV\":\"Το υποκείμενο περιουσιακό στοιχείο δεν μπορεί να διασωθεί\",\"DR+4uL\":\"Supply balance after switch\",\"DWjrck\":[\"Asset cannot be migrated to \",[\"marketName\"],\" V3 Market due to E-mode restrictions. You can disable or manage E-mode categories in your <0>V3 Dashboard\"],\"Dj+3wB\":\"Aave ανά μήνα\",\"DptNvx\":\"Amount Staked\",\"DuEq2K\":\"Εξασφάλιση\",\"DxfsGs\":\"You can report incident to our <0>Discord or<1>Github.\",\"Dzma+E\":\"Main Ethereum market with the largest selection of assets and yield options\",\"E/QGRL\":\"Απενεργοποιημένο\",\"EBL9Gz\":\"COPIED!\",\"ES8dkb\":\"Fixed rate\",\"EZd3Dk\":[\"Restaking \",[\"symbol\"]],\"Ebgc76\":[\"Ανάληψη \",[\"symbol\"]],\"EdQY6l\":\"Κανένα\",\"EjvKQ+\":\"Minimum USD value received\",\"Enslfm\":\"Destination\",\"EvE9nO\":[\"Reactivate cooldown period to unstake \",[\"0\"],\" \",[\"stakedToken\"]],\"EvECnL\":\"Migrate to v3\",\"EzMQbh\":\"The source chain time to finality is the main factor that determines the time to destination. <0>Learn more\",\"F40cwT\":\"Legacy Markets\",\"F6TdXL\":\"Μάθετε περισσότερα.\",\"FDDPeZ\":\"Users can stake their assets in the protocol and earn incentives. In the case of a shortfall event, your stake can be slashed to cover the deficit, providing an additional layer of protection for the protocol.\",\"FHlMf/\":\"Current v2 balance\",\"FHpxjF\":[\"Reserve factor is a percentage of interest which goes to a \",[\"0\"],\" that is controlled by Aave governance to promote ecosystem growth.\"],\"FOBZa6\":\"Δανεισμός χρησιμοποιημένης ισχύος\",\"FPKEug\":\"Η λειτουργία δεν υποστηρίζεται\",\"FbmMe7\":\"Linked addresses\",\"Fdp03t\":\"ενεργοποίηση\",\"Fjw9N+\":\"Περιουσιακά στοιχεία προς προμήθεια\",\"FmN0fk\":\"Restake\",\"GDGLIs\":\"GHO is a native decentralized, collateral-backed digital asset pegged to USD. It is created by users via borrowing against multiple collateral. When user repays their GHO borrow position, the protocol burns that user's GHO. All the interest payments accrued by minters of GHO would be directly transferred to the AaveDAO treasury.\",\"GQrBTq\":\"Switch E-Mode\",\"GWswcZ\":\"This asset is frozen due to an Aave Protocol Governance decision. On the 20th of December 2022, renFIL will no longer be supported and cannot be bridged back to its native network. It is recommended to withdraw supply positions and repay borrow positions so that renFIL can be bridged back to FIL before the deadline. After this date, it will no longer be possible to convert renFIL to FIL. <0>More details\",\"GX8GKD\":\"Περιουσιακά Στοιχεία\",\"GgEj+0\":\"Read-only mode. Connect to a wallet to perform transactions.\",\"GjkIKV\":\"τελειώνει\",\"GoK/QN\":\"Thank you for submitting feedback!\",\"GtP2hp\":[\"Ο δανεισμός δεν είναι διαθέσιμος επειδή έχετε ενεργοποιήσει τη λειτουργία Αποδοτικότητας (E-Mode) για την κατηγορία \",[\"0\"],\". Για να διαχειριστείτε τις κατηγορίες E-Mode επισκεφθείτε τον <0>Πίνακα ελέγχου.\"],\"H6Ma8Z\":\"Discount\",\"HB/wfS\":[[\"tooltipText\"]],\"HKDsQN\":\"Rewards can be claimed through\",\"Ha/U5f\":\"This is a program initiated and implemented by the decentralised ZKSync community. Aave Labs does not guarantee the program and accepts no liability.\",\"HciqKU\":\"This is a program initiated and implemented by the decentralised Aave community. Aave Labs does not guarantee the program and accepts no liability.\",\"Hi6Ttn\":\"Sorry, an unexpected error happened. In the meantime you may try reloading the page, or come back later.\",\"HkEDbS\":[[\"d\"],\"η\"],\"HmkYqM\":\"Παράθυρο ξεκλειδώματος\",\"HpK/8d\":\"Reload\",\"HrnC47\":\"Save and share\",\"HuVZMK\":\"Days\",\"HvJKMU\":[\"Asset cannot be migrated to \",[\"marketName\"],\" v3 Market since collateral asset will enable isolation mode.\"],\"Hvwnm9\":[\"Maximum amount available to supply is limited because protocol supply cap is at \",[\"0\"],\"%.\"],\"I8CX2c\":\"Το συνολικό ποσό των περιουσιακών σας στοιχείων σε δολάρια ΗΠΑ που μπορούν να χρησιμοποιηθούν ως εγγύηση για δανεισμό περιουσιακών στοιχείων.\",\"IAD2SB\":[\"Claiming \",[\"symbol\"]],\"IG9X9/\":\"Borrowing of this asset is limited to a certain amount to minimize liquidity pool insolvency.\",\"IOIx8L\":\"This asset is planned to be offboarded due to an Aave Protocol Governance decision. <0>More details\",\"IP+I/j\":\"Περίοδος ψύξης\",\"IaA40H\":\"Ρευστοποίηση στο\",\"J/hVSQ\":[[\"0\"]],\"JCoxL6\":\"Manage analytics\",\"JK9zf1\":[\"Estimated compounding interest, including discount for Staking \",[\"0\"],\"AAVE in Safety Module.\"],\"JOqFba\":[\"Unstaking \",[\"symbol\"]],\"JPrLjO\":\"Δεν μπορείτε να χρησιμοποιήσετε αυτό το νόμισμα ως εγγύηση\",\"JU6q+W\":\"Ανταμοιβή(ες) προς διεκδίκηση\",\"JYKRJS\":\"Κλειδώστε\",\"JZMxX0\":\"Δεν υπάρχει αρκετό υπόλοιπο στο πορτοφόλι σας\",\"Jgflkm\":\"Get GHO\",\"JoMQnI\":\"Υπόλοιπο πορτοφολιού\",\"JtwD8u\":\"Borrow balance after repay\",\"JumYTK\":\"Supplied assets\",\"K05qZY\":\"Withdraw & Switch\",\"KAz/NV\":\"Protocol debt ceiling is at 100% for this asset. Further borrowing against this asset is unavailable.\",\"KLXVqE\":[\"stETH tokens will be migrated to Wrapped stETH using Lido Protocol wrapper which leads to supply balance change after migration: \",[\"0\"]],\"KLd6ky\":\"Use connected account\",\"KRpokz\":\"VIEW TX\",\"KSlpka\":\"Αυτό αντιπροσωπεύει το κατώτατο όριο στο οποίο μια θέση δανεισμού θα θεωρηθεί υποεγγυημένη και θα υπόκειται σε ρευστοποίηση για κάθε εγγύηση. Για παράδειγμα, εάν μια εγγύηση έχει κατώτατο όριο ρευστοποίησης 80%, αυτό σημαίνει ότι η θέση θα ρευστοποιηθεί όταν η αξία του χρέους ανέρχεται στο 80% της αξίας της εγγύησης.\",\"KYAjf3\":\"Απομονωμένο\",\"KZwRuD\":[[\"notifyText\"]],\"KkPgim\":\"Switching E-Mode\",\"KnN1Tu\":\"Λήγει\",\"KoOBI2\":\"Due to internal stETH mechanics required for rebasing support, it is not possible to perform a collateral switch where stETH is the source token.\",\"KojyJ4\":\"Λάθος δίκτυο\",\"KsqhWn\":\"Κλείδωμα\",\"KuBTQq\":\"Εισάγετε διεύθυνση ETH\",\"KvG1xW\":\"Διεκδίκηση\",\"L+8Lzs\":\"Τρέχον LTV\",\"L+qiq+\":\"Αγορά\",\"LDzfVJ\":\"Send Feedback\",\"LIrMcF\":\"Δεν υπάρχει δικαίωμα ψήφου\",\"LL0zks\":\"Μπορεί να αποτελέσει εγγύηση\",\"LLdJWu\":\"Διεκδικήσιμο AAVE\",\"LSIpNK\":\"Δεν επιτρέπεται ο δανεισμός και η αποπληρωμή στο ίδιο block\",\"LVt3TI\":[\"<0>Slippage tolerance <1>\",[\"selectedSlippage\"],\"% <2>\",[\"0\"],\"\"],\"LjafV8\":\"Maximum collateral amount to use\",\"LtpQew\":\"Let us know how we can make the app better for you. For user support related inquiries please reach out on\",\"LvVpD/\":\"Emode\",\"M2sknc\":\"Tip: Try increasing slippage or reduce input amount\",\"M7wPsD\":\"Switch\",\"MFu33y\":\"Staking 00\",\"MIy2RJ\":\"Maximum amount received\",\"MZ/nQf\":\"Διεύθυνση παραλήπτη\",\"Ma/MtY\":\"προβολή κλειδώματος\",\"McHlGl\":\"APY change\",\"MeCCA+\":\"APY, μεταβλητό\",\"MghdTe\":\"Εάν ο συντελεστής υγείας πέσει κάτω από το 1, ενδέχεται να ενεργοποιηθεί η ρευστοποίηση των εγγυήσεών σας.\",\"Mm/DVQ\":\"Ακυρώσατε τη συναλλαγή.\",\"MnE2QX\":\"Borrow info\",\"MrmQHg\":\"View Bridge Transactions\",\"MuDFEQ\":\"Μη έγκυρη τιμή επιστροφής της συνάρτησης εκτελεστή flashloan\",\"N5kUMV\":\"Asset can be only used as collateral in isolation mode with limited borrowing power. To enter isolation mode, disable all other collateral.\",\"N6Pxr9\":\"View all\",\"NF0e1Q\":\"Εκκρεμεί...\",\"NK9ikO\":\"Wallet Balance\",\"NMt2CB\":\"Amount claimable\",\"NcFGxG\":\"Collector Contract\",\"NfpPeS\":\"Τίποτα κλειδωμένο\",\"Nh9DAo\":[[\"m\"],\"λ\"],\"O+sCUU\":\"Υπέρβαση του ανώτατου ορίου νομισματοκοπείου χωρίς αντίκρισμα\",\"O+tyU+\":[\"Maximum amount available to borrow against this asset is limited because debt ceiling is at \",[\"0\"],\"%.\"],\"O3oNi5\":\"Email\",\"OFjZGo\":\"Unstake\",\"OR8cYX\":\"Επισκόπηση πρότασης\",\"OYuJ9K\":\"Protocol debt ceiling is at 100% for this asset. Futher borrowing against this asset is unavailable.\",\"OfhWJH\":\"Reset\",\"Og2SKn\":\"απενεργοποιημένο\",\"On0aF2\":\"Website\",\"OsyKSt\":\"Ανάληψη\",\"P1dURE\":\"Revoke power\",\"P2WCD/\":[\"Underlying asset does not exist in \",[\"marketName\"],\" v3 Market, hence this position cannot be migrated.\"],\"P2sL6B\":\"Όταν πραγματοποιείται ρευστοποίηση, οι ρευστοποιητές επιστρέφουν έως και το 50% του ανεξόφλητου δανεισμένου ποσού για λογαριασμό του δανειολήπτη. Σε αντάλλαγμα, μπορούν να αγοράσουν τις εξασφαλίσεις με έκπτωση και να κρατήσουν τη διαφορά (ποινή ρευστοποίησης) ως μπόνους.\",\"P6sRoL\":\"Stake ABPT\",\"P72/OW\":\"Ο σταθμισμένος μέσος όρος του APY για όλα τα δανειακά περιουσιακά στοιχεία, συμπεριλαμβανομένων των κινήτρων.\",\"P7e6Ug\":\"Please connect your wallet to view transaction history.\",\"PByO0X\":\"Votes\",\"PI+kVe\":\"Disable fork\",\"PJK9u/\":\"Borrow apy\",\"PLUB/s\":\"Fee\",\"PP5ZA8\":[\"Participating in staking \",[\"symbol\"],\" gives annualized rewards. Your wallet balance is the sum of your aTokens and underlying assets. The breakdown to stake is below\"],\"PcBUgb\":\"Κατώτατο όριο ρευστοποίησης\",\"PjU6bu\":\"This asset is eligible for SPK incentive program. Aave Labs does not guarantee the program and accepts no liability.\",\"PpqD5g\":\"Η ενεργοποίηση αυτού του περιουσιακού στοιχείου ως εγγύηση αυξάνει τη δανειοληπτική σας ικανότητα και τον Συντελεστή Υγείας. Ωστόσο, μπορεί να ρευστοποιηθεί εάν ο συντελεστής υγείας σας πέσει κάτω από το 1.\",\"PsOFSf\":\"This action will reduce V2 health factor below liquidation threshold. retain collateral or migrate borrow position to continue.\",\"Pu4bI/\":[[\"currentMethod\"]],\"Q0LzKi\":\"View TX\",\"Q4eNqa\":\"The Aave Balancer Pool Token (ABPT) is a liquidity pool token. You can receive ABPT by depositing a combination of AAVE + wstETH in the Balancer liquidity pool. You can then stake your BPT in the Safety Module to secure the protocol and earn Safety Incentives.\",\"QQYsQ7\":\"Withdrawing\",\"QWYCs/\":\"Stake GHO\",\"R+30X3\":\"Δεν έχει επιτευχθεί\",\"RCU5PY\":\"Age\",\"RIfckG\":[\"Απενεργοποίηση \",[\"symbol\"],\" ως εγγύηση\"],\"RMtxNk\":\"Διαφορικό\",\"RNK49r\":\"Μη έγκυρη υπογραφή\",\"RS0o7b\":\"Κατάσταση\",\"RU+LqV\":\"Λεπτομέρειες πρότασης\",\"RYTgZX\":\"lorem ipsum\",\"RbXH+k\":\"AAVE, GHO, and ABPT holders (Ethereum network only) can stake their assets in the Safety Module to add more security to the protocol and earn Safety Incentives. In the case of a shortfall event, your stake can be slashed to cover the deficit, providing an additional layer of protection for the protocol.\",\"RiSYV4\":\"Το περιουσιακό στοιχείο δεν περιλαμβάνεται στον κατάλογο\",\"Rj01Fz\":\"Σύνδεσμοι\",\"RmWFEe\":\"Κλείδωμα APR\",\"RoafuO\":\"Send feedback\",\"RtBLm7\":\"Ο συντελεστής υγείας είναι μικρότερος από το όριο ρευστοποίησης\",\"RxzN1M\":\"Ενεργοποιημένο\",\"SDav7h\":\"Κεφάλαια στην Μονάδα Ασφάλειας\",\"SENccp\":\"If the error continues to happen,<0/> you may report it to this\",\"SIWumd\":\"Show Frozen or paused assets\",\"SM58dD\":\"Amount in cooldown\",\"SSMiac\":\"Failed to load proposal voters. Please refresh the page.\",\"SSQVIz\":\"Liquidation Threshold\",\"SUb8x0\":\"Σύνολο διαθέσιμων\",\"SWIgh4\":\"Fees exceed wallet balance\",\"SY9hVo\":\"Read-only mode allows to see address positions in Aave, but you won't be able to perform transactions.\",\"SZRUQ4\":\"Max slippage\",\"Sa1UE/\":\"Protocol borrow cap is at 100% for this asset. Further borrowing unavailable.\",\"Sk2zW9\":\"Απενεργοποίηση E-Mode\",\"SxaD0o\":\"Ο πάροχος διευθύνσεων κοινόχρηστων ταμείων δεν είναι εγγεγραμμένος\",\"T/AIqG\":\"Protocol supply cap at 100% for this asset. Further supply unavailable.\",\"T0xCO9\":\"Can't validate the wallet address. Try again.\",\"T4OhVl\":\"GHO balance\",\"T6uYU2\":\"Δανεισμός\",\"TFxQlw\":\"Ποινή ρευστοποίησης\",\"TQ7WsV\":\"Available to stake\",\"TUI7iB\":\"To περιουσιακό στοιχείο μπορεί να χρησιμοποιηθεί ως εγγύηση μόνο σε λειτουργία απομόνωσης.\",\"TbjyhA\":\"Docs\",\"TduuS0\":\"Ο χρήστης δεν έχει ανεξόφλητο χρέος σταθερού επιτοκίου σε αυτό το αποθεματικό\",\"TeCFg/\":\"Borrow rate change\",\"Tg1JyO\":\"Bridge history\",\"TskbEN\":\"Holders of stkAAVE receive a discount on the GHO borrowing rate\",\"TszKts\":\"Borrow balance after switch\",\"TtZL6q\":\"Discount model parameters\",\"TwJI9F\":\"Asset has been successfully sent to CCIP contract. You can check the status of the transactions below\",\"Tz0GSZ\":\"blocked activities\",\"U/eBjN\":\"Reload the page\",\"U2r8nY\":\"Choose how much voting/proposition power to give to someone else by delegating some of your AAVE, stkAAVE or aAave balance. Your tokens will remain in your account, but your delegate will be able to vote or propose on your behalf. If your AAVE, stkAAVE or aAave balance changes, your delegate's voting/proposition power will be automatically adjusted.\",\"U8IubP\":\"The app is running in testnet mode. Learn how it works in\",\"U9btTk\":\"Το περιουσιακό στοιχείο δεν είναι δανείσιμο σε λειτουργία απομόνωσης\",\"UAOZRe\":\"Price impact is the spread between the total value of the entry tokens switched and the destination tokens obtained (in USD), which results from the limited liquidity of the trading pair.\",\"UE3KJZ\":\"Transaction history is not currently available for this market\",\"URmyfc\":\"Λεπτομέρειες\",\"UTTKmT\":\"Stake cooldown activated\",\"UXeR72\":\"Τα κεφάλαια αυτά έχουν δανειστεί και δεν είναι διαθέσιμα για ανάληψη αυτή τη στιγμή.\",\"UYb8CM\":\"Learn more about the SPK rewards\",\"UbRrG0\":\"Ο δείκτης μέγιστου LTV αντιπροσωπεύει τη μέγιστη δανειοληπτική ικανότητα μιας συγκεκριμένης εγγύησης. Για παράδειγμα, εάν μια εγγύηση έχει LTV 75%, ο χρήστης μπορεί να δανειστεί έως και 0,75 ETH στο κύριο νόμισμα για κάθε 1 ETH αξίας εγγύησης.\",\"UpndFj\":\"Δεν υπάρχουν ανταμοιβές για διεκδίκηση\",\"V0f2Xv\":\"Reserve factor\",\"V1HK43\":\"Migration risks\",\"VATFH9\":\"Covered debt\",\"VHOVEJ\":\"Συνδέστε το πορτοφόλι\",\"VMfYUK\":\"Ασφάλεια των κατατεθειμένων εξασφαλίσεών σας έναντι των δανειζόμενων περιουσιακών στοιχείων και της υποκείμενης αξίας τους.\",\"VOAZJh\":\"Σύνολο δανείων\",\"ViKYxK\":\"ΥΠΕΡ\",\"W1SSoD\":\"Αναθεώρηση λεπτομερειών συναλλαγής\",\"W5hVah\":\"Τίποτα δεν έχει παρασχεθεί ακόμη\",\"W5kTFy\":\"Voting\",\"W8ekPc\":\"Back to Dashboard\",\"WMPbRK\":\"Μη υποστηριζόμενο\",\"WNGZwH\":\"Το E-Mode αυξάνει το LTV σας για μια επιλεγμένη κατηγορία περιουσιακών στοιχείων έως και <0/>. <1>Μάθετε περισσότερα\",\"WPWG/y\":\"Κατάσταση & διαμόρφωση αποθεματικού\",\"WZLQSU\":\"Ο χρήστης δεν μπορεί να κάνει ανάληψη μεγαλύτερη από το διαθέσιμο υπόλοιπο\",\"WaZyaV\":\"<0>Ampleforth is a rebasing asset. Visit the <1>documentation to learn more.\",\"WfU+XN\":\"Because this asset is paused, no actions can be taken until further notice\",\"Wjmqs2\":\"No results found. You can import a custom token with a contract address\",\"WkZ6C6\":\"Για να δανειστείτε πρέπει να προσκομίσετε οποιοδήποτε περιουσιακό στοιχείο που θα χρησιμοποιηθεί ως εγγύηση.\",\"WyMiQm\":\"You've successfully switched tokens.\",\"X/ITG9\":\"Κείμενο σφάλματος αντιγραφής\",\"X3Pp6x\":\"Χρησιμοποιείται ως εγγύηση\",\"X4Zt7j\":\"Η ενέργεια δεν μπορεί να εκτελεστεί επειδή η εφεδρεία βρίσκεται σε παύση\",\"XBdKOj\":\"Representative smart contract wallet (ie. Safe) addresses on other chains.\",\"XZzneG\":\"Θα βγείτε από τη λειτουργία απομόνωσης και άλλα tokens μπορούν πλέον να χρησιμοποιηθούν ως εγγύηση\",\"Xg5y9S\":\"Amount to Bridge\",\"Xn4hUi\":\"Please always be aware of your <0>Health Factor (HF) when partially migrating a position and that your rates will be updated to V3 rates.\",\"Xy71ST\":\"Umbrella\",\"Y5kGkc\":\"ΨΗΦΙΣΤΕ ΚΑΤΑ\",\"YDIOks\":\"Ενεργοποίηση E-Mode\",\"YSodyW\":\"This action will reduce your health factor. Please be mindful of the increased risk of collateral liquidation.\",\"YXOWXM\":\"The total amount bridged minus CCIP fees. Paying in network token does not impact gho amount.\",\"YirHq7\":\"Feedback\",\"YogbCJ\":\"Testnet mode is ON\",\"YrDxdO\":\"Εάν το δάνειο προς αξία υπερβεί το όριο ρευστοποίησης, η παρεχόμενη εγγύηση σας μπορεί να ρευστοποιηθεί.\",\"YyIM65\":\"Δεν τηρήθηκαν οι όροι επανεξισορρόπησης των επιτοκίων\",\"YyydIq\":[\"Add \",[\"0\"],\" to wallet to track your balance.\"],\"ZBvhI+\":\"Διακυβέρνηση Aave\",\"ZIIRAd\":\"Raw-Ipfs\",\"ZRq4tX\":\"Λειτουργία αποδοτικότητας (E-Mode)\",\"ZSqEW+\":\"Manage E-Mode\",\"ZUFYFE\":\"Disable testnet\",\"Zbyywy\":\"Μέγιστη περικοπή\",\"ZfUGFb\":\"Πριν από την προμήθεια\",\"ZiXN+B\":\"Assets to stake\",\"ZlsSDH\":\"Αξία ρευστοποίησης\",\"ZrEc8j\":\"We couldn't find any assets related to your search. Try again with a different asset name, symbol, or address.\",\"ZsLF7e\":\"ενεργοποιημένο\",\"a0YQoQ\":\"Enter a valid address\",\"a2fBZn\":\"Χρόνος που απομένει για το ξεκλείδωμα\",\"a5RYZd\":\"Η απενεργοποίηση αυτού του περιουσιακού στοιχείου ως εγγύηση επηρεάζει τη δανειοληπτική σας ικανότητα και τον Συντελεστή Υγείας.\",\"a7u1N9\":\"Price\",\"a9D+6D\":\"Unstaked\",\"aEtiwq\":\"Ψηφίστε ΚΑΤΑ\",\"aMmFE1\":\"Buy Crypto With Fiat\",\"aOKIms\":\"Οι παράμετροι της συστοιχίας που θα έπρεπε να είναι ίσου μήκους δεν είναι\",\"aX31hk\":\"Your balance is lower than the selected amount.\",\"adUsDd\":\"An error has occurred fetching the proposal.\",\"al6Pyz\":\"Exceeds the discount\",\"aoXTT7\":\"Δανεισμός APY, μεταβλητό\",\"aqX1Yp\":\"This asset is eligible for rewards through SuperFest. Aave Labs does not guarantee the program and accepts no liability.\",\"avgETN\":\"Eligible for the Merit program.\",\"b4NS3e\":\"Προειδοποίηση περιόδου ψύξης\",\"bNEQeI\":\"Cooldown\",\"bSruit\":\"ZKSync Ignite Program rewards are claimed through the\",\"bUUVED\":\"Περιουσιακό στοιχείο\",\"bXQ/Og\":\"Μοιραστείτε το στο twitter\",\"bXr0ee\":\"Τα απομονωμένα περιουσιακά στοιχεία έχουν περιορισμένη δανειοληπτική ικανότητα και άλλα περιουσιακά στοιχεία δεν μπορούν να χρησιμοποιηθούν ως εγγύηση.\",\"bYmAV1\":\"Addresses\",\"bguKoJ\":\"Το αιτούμενο ποσό είναι μεγαλύτερο από το μέγιστο μέγεθος δανείου στη λειτουργία σταθερού επιτοκίου\",\"bwSQI0\":\"Προσφορά\",\"bxN6EM\":\"Cannot disable E-Mode\",\"bxmzSh\":\"Δεν υπάρχουν επαρκείς εγγυήσεις για την αποπληρωμή αυτού του ποσού χρέους με\",\"c91vuQ\":\"Η διεύθυνση δεν είναι συμβόλαιο\",\"c97os2\":\"Aave aToken\",\"c9b44w\":\"Δεν μπορείτε να αποσύρετε αυτό το ποσό, διότι θα προκληθεί κλήση εγγύησης\",\"cBc+4A\":\"Αυτό είναι το συνολικό ποσό που μπορείτε να δανειστείτε. Μπορείτε να δανειστείτε με βάση την εξασφάλισή σας και μέχρι να επιτευχθεί το ανώτατο όριο δανεισμού.\",\"cIl5kp\":\"Your voting power is based on your AAVE/stkAAVE balance and received delegations.\",\"cLo09S\":\"Λεπτομέρειες κινδύνου\",\"cNT+ij\":\"Ο δανεισμός δεν είναι διαθέσιμος επειδή έχετε ενεργοποιήσει τη Λειτουργία Αποδοτικότητας (E-Mode) και τη λειτουργία Απομόνωσης. Για να διαχειριστείτε τη λειτουργία E-Mode και τη λειτουργία Απομόνωσης, επισκεφθείτε τον <0>Πίνακα ελέγχου.\",\"cZOeBk\":\"Something went wrong fetching bridge message, please try again later.\",\"ceix5S\":\"To submit a proposal for minor changes to the protocol, you'll need at least 80.00K power. If you want to change the core code base, you'll need 320k power.<0>Learn more.\",\"ciybUa\":\"Ψηφίστε ΥΠΕΡ\",\"ckf7gX\":[\"Αποπληρώνοντας \",[\"symbol\"]],\"cp1ZDP\":[\"Bridge \",[\"symbol\"]],\"cqnmnD\":\"Effective interest rate\",\"cqwIvs\":\"Συζήτηση φόρουμ\",\"csDS2L\":\"Διαθέσιμο\",\"cu7Stb\":\"Δεν συμμετείχατε στην παρούσα πρόταση\",\"dE6BLF\":\"Διακυβέρνηση\",\"dEgA5A\":\"Cancel\",\"dIsyWh\":\"Η επικύρωση του Ltv απέτυχε\",\"dMtLDE\":\"to\",\"dOB5nW\":[\"Maximum amount available to supply is <0/> \",[\"0\"],\" (<1/>).\"],\"dVfODp\":\"Δεν έχετε αρκετά χρήματα στο πορτοφόλι σας για να αποπληρώσετε ολόκληρο το ποσό. Εάν προχωρήσετε στην αποπληρωμή με το τρέχον ποσό των χρημάτων σας, θα εξακολουθείτε να έχετε μια μικρή θέση δανεισμού στο ταμπλό σας.\",\"dXUQFX\":\"Περιουσιακά στοιχεία προς δανεισμό\",\"dgr1aY\":\"Borrowing is disabled due to an Aave community decision. <0>More details\",\"djsg0o\":\"Χρησιμοποίηση εγγυήσεων\",\"dpc0qG\":\"Μεταβλητό\",\"drdV8R\":\"Liquidation\",\"dxW8cS\":\"Aave debt token\",\"e4V3oW\":\"Top 10 addresses\",\"eD8WX/\":\"Η δράση απαιτεί ενεργό απόθεμα\",\"eJRJ04\":\"Amount to unstake\",\"eLh0cL\":\"Slippage is the difference between the quoted and received amounts from changing market conditions between the moment the transaction is submitted and its verification.\",\"ePK91l\":\"Edit\",\"eVpCmf\":\"Staking Rewards\",\"eVqvtf\":\"Bridge GHO\",\"eYdurp\":\"No transactions yet.\",\"ebLGGN\":\"Σύνολο δανεικών\",\"ecqEvn\":\"Το υπόλοιπο των εγγυήσεων είναι 0\",\"efdrrk\":\"Available on\",\"enruNF\":\"starts\",\"eqLYiD\":\"Ξεκλειδώστε τώρα\",\"euScGB\":\"APY with discount applied\",\"evw5ha\":\"Καθαρή αξία\",\"ezcU16\":\"Get ABP Token\",\"f3W0Ej\":[\"Αλλάξατε σε ποσοστό \",[\"0\"]],\"fH9i8k\":\"You've successfully switched borrow position.\",\"fHcELk\":\"Καθαρό APR\",\"fMJQZK\":\"Borrowed\",\"fZ5Vnu\":\"Received\",\"firl9Q\":\"Το τρέχον δάνειο προς αξία με βάση τις παρεχόμενες εξασφαλίσεις σας.\",\"flRCF/\":\"Staking discount\",\"fldjW9\":\"Preview tx and migrate\",\"fsBGk0\":\"Υπόλοιπο\",\"fu1Dbh\":[\"Ανάληψη \",[\"symbol\"]],\"fwjWSI\":\"Supplied\",\"fwyTMb\":\"Migrate to stkABPT v2\",\"g0mals\":\"You can not disable E-Mode because that could cause liquidation. To exit E-Mode supply or repay borrowed positions.\",\"g2UNkE\":\"Powered by\",\"g8KGoA\":\"FAQS\",\"g9zzqS\":\"Voted NAY\",\"gDd2gk\":\"about SuperFest.\",\"gFFh9h\":\"Όλα έτοιμα!\",\"gIMJlW\":\"Λειτουργία Testnet\",\"gOzPxe\":\"This asset is frozen due to an Aave Protocol Governance decision. <0>More details\",\"gTHi2T\":\"Ο χρήστης προσπαθεί να δανειστεί πολλαπλά περιουσιακά στοιχεία, συμπεριλαμβανομένου ενός απομονωμένου περιουσιακού στοιχείου\",\"gVW59Y\":\"Please connect your wallet to get free testnet assets.\",\"gcFNxP\":\"Approve Confirmed\",\"gncRUO\":\"This address is blocked on app.aave.com because it is associated with one or more\",\"goff7V\":\"Η μηδενική διεύθυνση δεν είναι έγκυρη\",\"gp+f1B\":\"Version 3\",\"gr8mYw\":\"You may borrow up to <0/> GHO at <1/> (max discount)\",\"gvTM4B\":\"Το καθαρό ΑΡΥ είναι η συνδυασμένη επίδραση όλων των θέσεων προσφοράς και δανεισμού στην καθαρή αξία, συμπεριλαμβανομένων των κινήτρων. Είναι δυνατόν να υπάρχει αρνητικό καθαρό APY εάν το χρεωστικό APY είναι υψηλότερο από το προσφερόμενο APY.\",\"gzcch9\":\"Μη έγκυρη αμοιβή πρωτοκόλλου γέφυρας\",\"h33MxW\":\"Representing smart contract wallet (ie. Safe) addresses on other chains.\",\"h3ilK+\":\".CSV\",\"hB23LY\":\"Activate Cooldown\",\"hIJzBh\":\"Available to Claim\",\"hIS4N0\":\"Καθαρό APY\",\"hRWvpI\":\"Claimed\",\"hdmy/o\":\"Το % της συνολικής δανειοληπτικής σας δύναμης που χρησιμοποιείται. Αυτό βασίζεται στο ποσό της παρεχόμενης εξασφάλισής σας και στο συνολικό ποσό που μπορείτε να δανειστείτε.\",\"hehnjM\":\"Ποσό\",\"hjDCQr\":\"Υπήρξε κάποιο σφάλμα. Προσπαθήστε να αλλάξετε τις παραμέτρους ή <0><1>αντιγράψτε το σφάλμα\",\"hom7qf\":\"Διεκδίκηση\",\"hpHJ4I\":\"Liquidated collateral\",\"hpuVIp\":\"Users who stake AAVE in Safety Module (i.e. stkAAVE holders) receive a discount on GHO borrow interest rate.\",\"huQ6Tz\":[\"Δανεισμός \",[\"symbol\"]],\"hxi7vE\":\"Borrow balance\",\"i2JTiw\":\"You may enter a custom amount in the field.\",\"iB5+/J\":\"About GHO\",\"iChbOF\":\"Ασυνεπείς παράμετροι flashloan\",\"iEPVHF\":\"Δεν έχει αρκετή δύναμη ψήφου για να συμμετάσχει στην παρούσα πρόταση\",\"iEW87X\":\"Delegated power\",\"iEju36\":[\"Ψηφίσατε \",[\"0\"]],\"iFq2YN\":\"Borrowable\",\"iGxyIA\":\"Safety Module\",\"iMVZk9\":\"Select slippage tolerance\",\"iPMIoT\":\"Εισάγετε ένα ποσό\",\"iSLIjg\":\"Connect\",\"iUo5rv\":\"tokens δεν είναι το ίδιο με το να τα κλειδώνετε. Εάν επιθυμείτε να κλειδώσετε τα\",\"iZxa38\":\"Use it to vote for or against active proposals.\",\"if5PH+\":\"Collector Info\",\"igkfR1\":[\"In Isolation mode, you cannot supply other assets as collateral. A global debt ceiling limits the borrowing power of the isolated asset. To exit isolation mode disable \",[\"0\"],\" as collateral before borrowing another asset. Read more in our <0>FAQ\"],\"il0sEG\":\"H χρήση εγγυήσεων είναι περιορισμένη λόγω της λειτουργίας Απομόνωσης.\",\"j+K1Xj\":\"Amount After Fee\",\"jA2QeW\":\"Προμηθεύοντας το\",\"jFi7dz\":\"Interest rate that is determined by Aave Governance. This rate may be changed over time depending on the need for the GHO supply to contract/expand. <0>Learn more\",\"jG3UJ7\":\"Απενεργοποίηση E-Mode\",\"jKYzR1\":\"Ενεργοποίηση E-Mode\",\"jMam5g\":[[\"0\"],\" Υπόλοιπο\"],\"jSYv+Z\":\"Enabling E-Mode allows you to maximize your borrowing power, however, borrowing is restricted to assets within the selected category. <0>Learn more about how it works and the applied restrictions.\",\"jaKbwW\":[[\"s\"],\"δ\"],\"jbFMap\":\"Χρόνος ψύξης που έχει απομείνει\",\"jeMZNr\":[[\"0\"],\" on-ramp service is provided by External Provider and by selecting you agree to Terms of the Provider. Your access to the service might be reliant on the External Provider being operational.\"],\"jfl9OP\":\"Migrated\",\"jmXdoY\":\"Στο E-Mode ορισμένα περιουσιακά στοιχεία δεν είναι δανείσιμα. Βγείτε από το E-Mode για να αποκτήσετε πρόσβαση σε όλα τα περιουσιακά στοιχεία\",\"jpctdh\":\"View\",\"jqzUyM\":\"Μη διαθέσιμο\",\"k/sb6z\":\"Επιλέξτε γλώσσα\",\"k3wP3f\":\"<0>Attention: Parameter changes via governance can alter your account health factor and risk of liquidation. Follow the <1>Aave governance forum for updates.\",\"kACpF3\":[\"Διεκδίκηση \",[\"0\"]],\"kH6wUX\":\"Επίδραση στην τιμή\",\"kIC28N\":\"Available to claim\",\"kIpSye\":[[\"numSelected\"],\"/\",[\"numAvailable\"],\" assets selected\"],\"kN1Yg5\":\"Για την εξόφληση εκ μέρους ενός χρήστη απαιτείται ένα ρητό ποσό προς εξόφληση\",\"kRTD40\":[\"Repayment amount to reach \",[\"0\"],\"% utilization\"],\"kjN9tT\":\"Υπέρβαση του ανώτατου ορίου προσφοράς\",\"knxE+G\":\".JSON\",\"ks2LWT\":\"Το ανώτατο όριο χρέους δεν είναι μηδενικό\",\"kwwn6i\":\"Users who stake AAVE in Safety Module (i.e. stkAAVE holders) receive a discount on GHO borrow interest rate. The discount applies to 100 GHO for every 1 stkAAVE held. Use the calculator below to see GHO borrow rate with the discount applied.\",\"kz3wtK\":\"and about SPK program\",\"kzZyM4\":\"DAI balance will be converted via DSR contracts and then supplied as sDAI. Switching incurs no additional costs and no slippage.\",\"lNVG7i\":\"Select an asset\",\"lU2d1/\":[\"Asset cannot be migrated due to insufficient liquidity or borrow cap limitation in \",[\"marketName\"],\" v3 market.\"],\"lVhKKI\":\"Voted YAE\",\"lWLqxB\":\"We couldn't find any transactions related to your search. Try again with a different asset name, or reset filters.\",\"lYGfRP\":\"Αγγλικά\",\"lfEjIE\":\"Μάθετε περισσότερα στον οδηγό <0>Συχνών Ερωτήσεων\",\"lt6bpt\":\"Collateral to repay with\",\"m/IEhi\":\"Συνολικές εκπομπές ανά ημέρα\",\"m7r7Hh\":\"Selected borrow assets\",\"mDDK4p\":\"Balancer Pool\",\"mIM0qu\":\"Expected amount to repay\",\"mUAFd6\":\"Version 2\",\"masO5Z\":\"E-Mode increases your LTV for a selected category of assets. <0>Learn more\",\"mdNjKU\":[\"Your \",[\"name\"],\" wallet is empty. Purchase or transfer assets or use <0>\",[\"0\"],\" to transfer your \",[\"network\"],\" assets.\"],\"muiOng\":[\"Buy \",[\"cryptoSymbol\"],\" with Fiat\"],\"mvCXBY\":\"Stake AAVE\",\"mwdzil\":\"Εντάξει, Κλείσιμο\",\"mzI/c+\":\"Download\",\"mzdIia\":\"Το περιουσιακό στοιχείο δεν μπορεί να χρησιμοποιηθεί ως εγγύηση.\",\"n+SX4g\":\"Προγραμματιστές\",\"n8Psk4\":\"We couldn’t detect a wallet. Connect a wallet to stake and view your balance.\",\"nJIhzm\":\"Προσφορά apy\",\"nJgsQu\":\"Με δύναμη ψήφου <0/>\",\"nLC6tu\":\"Γαλλικά\",\"nN2T8p\":\"During the cooldown period, you will not earn any merit rewards. However, rewards earned up to this point will remain unaffected.\",\"nNHV0z\":\"Migrating multiple collaterals and borrowed assets at the same time can be an expensive operation and might fail in certain situations.<0>Therefore it’s not recommended to migrate positions with more than 5 assets (deposited + borrowed) at the same time.\",\"nNbnzu\":\"Proposition\",\"nOy4ob\":\"We suggest you go back to the Dashboard.\",\"nPGNMh\":\"Μπορεί να εκτελεστεί\",\"nUK1ou\":[\"Assets with zero LTV (\",[\"0\"],\") must be withdrawn or disabled as collateral to perform this action\"],\"nakd8r\":\"stkAAVE holders get a discount on GHO borrow rate\",\"nh2EJK\":[\"Παρακαλώ μεταβείτε στο \",[\"networkName\"],\".\"],\"njBeMm\":\"Both\",\"noN5Xf\":\"We couldn’t detect a wallet. Connect a wallet to view your staking positions and rewards.\",\"ntkAoE\":\"Discount applied for <0/> staking AAVE\",\"ntyFSE\":[[\"h\"],\"ω\"],\"nwtY4N\":\"Something went wrong\",\"nxyWvj\":\"Withdrawing this amount will reduce your health factor and increase risk of liquidation.\",\"o17QVP\":\"Ο συντελεστής υγείας και το δάνειο προς αξία καθορίζουν τη διασφάλιση των εξασφαλίσεών σας. Για να αποφύγετε τις ρευστοποιήσεις μπορείτε να παράσχετε περισσότερες εξασφαλίσεις ή να εξοφλήσετε δανειακές θέσεις.\",\"o1xc2V\":\"Η προσφορά AToken δεν είναι μηδενική\",\"o4tCu3\":\"Borrow APY\",\"o5ooMr\":\"Χρέος\",\"o7J4JM\":\"Φίλτρο\",\"oHFrpj\":\"Ψύξτε για ξεκλείδωμα\",\"oJ5ZiG\":\"Ο χρήστης δεν έχει ανεξόφλητο χρέος μεταβλητού επιτοκίου σε αυτό το αποθεματικό\",\"oRBGin\":\"Please connect your wallet to be able to switch your tokens.\",\"oUwXhx\":\"Test Assets\",\"oWklJD\":\"Το σταθερό επιτόκιο θα <0>μείνει το ίδιο για όλη τη διάρκεια του δανείου σας. Συνιστάται για μακροχρόνιες περιόδους δανεισμού και για χρήστες που προτιμούν την προβλεψιμότητα.\",\"odnIK3\":\"Time remaining until the 48 hour withdraw period starts.\",\"oiK5nY\":\"The current incentives period, decided on by the Aave community, has ended. Governance is in the process on renewing, check for updates. <0>Learn more.\",\"olREoo\":\"All borrow positions outside of this category must be closed to enable this category.\",\"om/XHs\":\"Διαθέσιμο για προμήθεια\",\"ov0+mq\":\"Eligible for the ZKSync Ignite program.\",\"ovT1pF\":[\"Per the community, the \",[\"market\"],\" has been frozen.\"],\"ow3fug\":\"Nothing found\",\"owSsI3\":\"Signatures ready\",\"p+R52m\":\"Go to Balancer Pool\",\"p2A+s1\":[\"Η περίοδος ψύξης είναι \",[\"0\"],\". Μετά την \",[\"1\"],\" περίοδο ψύξης, θα εισέλθετε στο παράθυρο ξεκλειδώματος \",[\"2\"],\". Θα συνεχίσετε να λαμβάνετε ανταμοιβές κατά τη διάρκεια της ψύξης και του παραθύρου ξεκλειδώματος.\"],\"p2S64u\":\"The loan to value of the migrated positions would cause liquidation. Increase migrated collateral or reduce migrated borrow to continue.\",\"p2Z2Qi\":\"Αυτό το περιουσιακό στοιχείο έχει φθάσει στο ανώτατο όριο δανεισμού του. Τίποτα δεν είναι διαθέσιμο για δανεισμό από αυτή την αγορά.\",\"p3j+mb\":\"Το υπόλοιπο της ανταμοιβής σας είναι 0\",\"p45alK\":\"Set up delegation\",\"p6u2s1\":\"Minimum amount of debt to be repaid\",\"pDgeaz\":[[\"title\"]],\"pdZqBk\":\"Το υποκείμενο υπόλοιπο πρέπει να είναι μεγαλύτερο από 0\",\"pgWG9H\":\"Δεν υπάρχει αρκετό κλειδωμένο υπόλοιπο\",\"piPrJ7\":\"παρακαλούμε ελέγξτε ότι το ποσό που θέλετε να παρέχετε δεν χρησιμοποιείται επί του παρόντος για κλείδωμα. Εάν χρησιμοποιείται για κλείδωμα, η συναλλαγή σας ενδέχεται να αποτύχει.\",\"pjO/iH\":\"Minimum amount received\",\"pooutM\":\"Voting is on\",\"pqaM5s\":\"Confirming transaction\",\"ptaxX3\":[\"Καταλαβαίνω πώς λειτουργεί η ψύξη (\",[\"0\"],\") και το ξεκλείδωμα (\",[\"1\"],\")\"],\"py2iiY\":\"Ο καλών αυτής της συνάρτησης πρέπει να είναι ένα κοινόχρηστο ταμείο\",\"q/51mF\":\"Migrate to V3\",\"q3df11\":\"Interest rate strategy\",\"q6lAbz\":\"Κλειδωμένο\",\"qB4kPi\":\"Προσφορά APY\",\"qENI8q\":\"Γενικές ρυθμίσεις\",\"qGz5zl\":\"Collateral balance after repay\",\"qOqbD6\":\"αντιγράψτε το σφάλμα\",\"qXCkEM\":\"Συνδέστε το πορτοφόλι σας για να δείτε τις προμήθειες, τα δάνεια και τις ανοιχτές θέσεις σας.\",\"qY2jnw\":\"Μη έγκυρη λήξη\",\"qf/fr+\":\"Interest accrued\",\"quYPUU\":\"Variable interest rate will <0>fluctuate based on the market conditions.\",\"quzIeW\":\"User is in isolation mode or LTV is zero\",\"qvnz3q\":\"Μη έγκυρη ποσότητα προς καύση\",\"rHgdb0\":\"Migrate to Aave V3\",\"rOrHHe\":\"Το ποσό πρέπει να είναι μεγαλύτερο από 0\",\"rQ+R+0\":\"Selected supply assets\",\"rSayea\":\"APY\",\"rTBDeu\":[\"Asset cannot be migrated because you have isolated collateral in \",[\"marketName\"],\" v3 Market which limits borrowable assets. You can manage your collateral in <0>\",[\"marketName\"],\" V3 Dashboard\"],\"rcT+yy\":\"Εμφάνιση περιουσιακών στοιχείων με υπόλοιπο 0\",\"rf8POi\":\"Borrowed asset amount\",\"riNWOA\":\"E-Mode\",\"rjGI/Q\":\"Privacy\",\"rnKPW1\":\"Watch a wallet balance in read-only mode\",\"ruc7X+\":\"Add stkAAVE to see borrow APY with the discount\",\"rvbaFU\":[\"Bridging \",[\"symbol\"]],\"rwVVB7\":\"Διεκδικήστε όλες τις ανταμοιβές\",\"rwyUva\":\"These assets are temporarily frozen or paused by Aave community decisions, meaning that further supply / borrow, or rate swap of these assets are unavailable. Withdrawals and debt repayments are allowed. Follow the <0>Aave governance forum for further updates.\",\"rxJW5W\":\"Your proposition power is based on your AAVE/stkAAVE balance and received delegations.\",\"s2jJnW\":\"You don't have any bridge transactions\",\"s5wBAq\":[\"Unstake \",[\"symbol\"]],\"sJbIdI\":\"Enter ETH address or ENS\",\"sK+Nag\":\"Αναθεώρηση συναλλαγής\",\"sP2+gB\":\"ΚΑΤΑ\",\"sQv06Y\":\"for\",\"sTtO6J\":\"Confirm transaction\",\"sXKb3l\":\"Exchange rate\",\"sb0q4+\":\"Μπορείτε να ξεκλειδώσετε εδώ\",\"smJNwH\":\"Διαθέσιμο για δανεισμό\",\"solypO\":\"Ο παράγοντας υγείας δεν είναι κάτω από το όριο\",\"sr0UJD\":\"Πηγαίνετε Πίσω\",\"ss5GCK\":\"Η διεύθυνση του παρόχου διευθύνσεων κοινόχρηστου ταμείου είναι άκυρη\",\"swEgK4\":\"Οι πληροφορίες ψήφου σας\",\"t+wtgf\":\"Τίποτα δανεισμένο ακόμα\",\"t/YqKh\":\"Remove\",\"t81DpC\":[\"Approve \",[\"symbol\"],\" to continue\"],\"tCnbEs\":\"Τιμή Oracle\",\"tFZLf8\":\"Αυτός ο υπολογισμός gas είναι μόνο μια εκτίμηση. Το πορτοφόλι σας θα καθορίσει την τιμή της συναλλαγής. Μπορείτε να τροποποιήσετε τις ρυθμίσεις gas απευθείας από τον πάροχο του πορτοφολιού σας.\",\"tHuvQI\":\"Go to V3 Dashboard\",\"tKv7cI\":\"Switch borrow position\",\"tOcg3N\":\"Since this asset is frozen, the only available actions are withdraw and repay which can be accessed from the <0>Dashboard\",\"tOuXfv\":[\"Borrow amount to reach \",[\"0\"],\"% utilization\"],\"te9Bfl\":\"Παρακαλώ, συνδέστε το πορτοφόλι σας\",\"tt5yma\":\"Οι προμήθειές σας\",\"ttoh5c\":\"Switch to\",\"u3ZeYl\":\"Η συναλλαγή απέτυχε\",\"u706uF\":\"Άκυρη πριμοδότηση flashloan\",\"u8Gfu7\":[\"No search results\",[\"0\"]],\"uAQUqI\":\"Status\",\"uHMwk8\":\"No assets selected to migrate.\",\"uJPHuY\":\"Migrating\",\"uY8O30\":\"To continue, you need to grant Aave smart contracts permission to move your funds from your wallet. Depending on the asset and wallet you use, it is done by signing the permission message (gas free), or by submitting an approval transaction (requires gas). <0>Learn more\",\"udFheE\":\"Για την αποπληρωμή ενός συγκεκριμένου τύπου χρέους, ο χρήστης πρέπει να έχει χρέος αυτού του τύπου\",\"ulNuNq\":\"Export data to\",\"ulup2p\":\"Buy Crypto with Fiat\",\"umICAY\":\"<0><1><2/>Add stkAAVE to see borrow rate with discount\",\"usB84Z\":\"Maximum amount available to borrow is limited because protocol borrow cap is nearly reached.\",\"uwAUvj\":\"COPY IMAGE\",\"v8x7Mg\":\"Insufficient collateral to cover new borrow position. Wallet must have borrowing power remaining to perform debt switch.\",\"vEqxH9\":\"Restaked\",\"vLyv1R\":\"Απόκρυψη\",\"vMba49\":\"Ο δανεισμός δεν είναι ενεργοποιημένος\",\"vMpNwt\":\"Approve with\",\"vXIe7J\":\"Γλώσσα\",\"vesuBJ\":\"Σας επιτρέπει να αποφασίσετε αν θα χρησιμοποιήσετε ένα παρεχόμενο περιουσιακό στοιχείο ως εγγύηση. Ένα περιουσιακό στοιχείο που χρησιμοποιείται ως εγγύηση θα επηρεάσει τη δανειοληπτική σας ικανότητα και τον συντελεστή υγείας.\",\"w+V9Cx\":\"Σταθερό νόμισμα\",\"w/JtJ3\":\"Η σταθερή προσφορά χρέους δεν είναι μηδενική\",\"w4VBY+\":\"Ανταμοιβές APR\",\"w9dLMW\":[[\"label\"]],\"wAOL+X\":[\"Εσείς \",[\"action\"],\" <0/> \",[\"symbol\"]],\"wBIsjb\":\"Discord channel\",\"wQZbc/\":\"Ο καλών της συνάρτησης δεν είναι AToken\",\"wRRqvW\":\"Δεν έχετε προμήθειες σε αυτό το νόμισμα\",\"wZFvVU\":\"ΨΗΦΙΣΤΕ ΥΠΕΡ\",\"wb/r1O\":[\"Βρύση \",[\"0\"]],\"wdxz7K\":\"Source\",\"weH1nG\":\"The Aave Protocol is programmed to always use the price of 1 GHO = $1. This is different from using market pricing via oracles for other crypto assets. This creates stabilizing arbitrage opportunities when the price of GHO fluctuates.\",\"wh7Ezv\":\"You have no AAVE/stkAAVE/aAave balance to delegate.\",\"wlsIx7\":\"With testnet Faucet you can get free assets to test the Aave Protocol. Make sure to switch your wallet provider to the appropriate testnet network, select desired asset, and click ‘Faucet’ to get tokens transferred to your wallet. The assets on a testnet are not “real,” meaning they have no monetary value. <0>Learn more\",\"wmE285\":\"Get ABP v2 Token\",\"wyRrcJ\":\"As a result of governance decisions, this ABPT staking pool is now deprecated. You have the flexibility to either migrate all of your tokens to v2 or unstake them without any cooldown period.\",\"x5KiLL\":\"Selected assets have successfully migrated. Visit the Market Dashboard to see them.\",\"x7F2p6\":\"Τρέχον διαφορικό\",\"x7K5ib\":[\"Your \",[\"networkName\"],\" wallet is empty. Get free test \",[\"0\"],\" at\"],\"x9iLRD\":\"tokens, παρακαλούμε μεταβείτε στο\",\"xNy/UG\":\"Αποπληρωμή με\",\"xPm8wv\":\"Μάθετε περισσότερα για τους κινδύνους\",\"xXYpZl\":[[\"0\"],\" Βρύση\"],\"xaVBSS\":\"Οι πληροφορίες σας\",\"xaWZ6f\":\"APY type change\",\"xh6k71\":\"Collateral usage is limited because of isolation mode.\",\"xvIklc\":\"Flashloan is disabled for this asset, hence this position cannot be migrated.\",\"y5rS9U\":\"Migrate\",\"y66tBm\":[\"Ενεργοποίηση \",[\"symbol\"],\" ως εγγύηση\"],\"yB1YpA\":\"Σκοτεινή λειτουργία\",\"yCrG6m\":\"Συνολικό μέγεθος της αγοράς\",\"yJUUbn\":\"Επισκόπηση συναλλαγής\",\"yLGmLX\":[\"Restake \",[\"symbol\"]],\"yW1oWB\":\"Τύπος APY\",\"yYHqJe\":\"Μη έγκυρη διεύθυνση\",\"yZwLw6\":\"Track wallet\",\"yh2sjd\":[\"Price impact \",[\"0\"],\"%\"],\"yhvj6d\":\"Δεν μπορείτε να αλλάξετε τη χρήση ως λειτουργία εγγύησης για αυτό το νόμισμα, διότι θα προκαλέσει κλήση εγγύησης\",\"ylmtBZ\":\"The app is running in fork mode.\",\"ymNY32\":[\"Δεν υπάρχουν αρκετά κεφάλαια στο\",[\"0\"],\"αποθεματικό για δανεισμό\"],\"yz7wBu\":\"Κλείσιμο\",\"z4uGQg\":\"Υπέρβαση του ανώτατου ορίου χρέους\",\"z5UQOM\":\"Η εγγύηση που έχει επιλεγεί δεν μπορεί να ρευστοποιηθεί\",\"z5Y+p6\":[\"Παροχή \",[\"symbol\"]],\"zCjNKs\":\"Η ενέργεια δεν μπορεί να εκτελεστεί επειδή το αποθεματικό έχει παγώσει\",\"zRHytX\":\"Isolated Debt Ceiling\",\"zTOjMP\":\"Protocol supply cap is at 100% for this asset. Further supply unavailable.\",\"zVdRUG\":\"Submission did not work, please try again later or contact wecare@avara.xyz\",\"zevmS2\":\"<0><1><2/>Add <3/> stkAAVE to borrow at <4/> (max discount)\",\"zgtIDV\":\"Υπολειπόμενο χρέος\",\"zmTPiV\":\"Υπόλοιπο προσφοράς\",\"zpPbZl\":\"Liquidation risk parameters\",\"zucql+\":\"Μενού\",\"zwWKhA\":\"Μάθετε περισσότερα\",\"zy9fXn\":[\"Asset is frozen in \",[\"marketName\"],\" v3 market, hence this position cannot be migrated.\"],\"zys+R6\":\"Be mindful of the network congestion and gas prices.\",\"zzzTXS\":\"Merit Program rewards are claimed through the\"}")}; \ No newline at end of file diff --git a/src/locales/en/messages.js b/src/locales/en/messages.js index 9659f3be76..249ccb30aa 100644 --- a/src/locales/en/messages.js +++ b/src/locales/en/messages.js @@ -1 +1 @@ -/*eslint-disable*/module.exports={messages:JSON.parse("{\"+0xecS\":[\"If you DO NOT unstake within \",[\"0\"],\" of unstake window, you will need to activate cooldown process again.\"],\"+EGVI0\":\"Receive (est.)\",\"+VR63W\":[\"Participating in this \",[\"symbol\"],\" reserve gives annualized rewards.\"],\"+bmKdK\":\"Use your AAVE, stkAAVE, or aAave balance to delegate your voting and proposition powers. You will not be sending any tokens, only the rights to vote and propose changes to the protocol. You can re-delegate or revoke power to self at any time.\",\"+eOPG+\":\"Seems like we can't switch the network automatically. Please check if you can change it from the wallet.\",\"+i3Pd2\":\"Borrow cap\",\"+kLZGu\":\"Supplied asset amount\",\"+nuEh/\":\"Estimated time\",\"+xMFF8\":\"Remind me\",\"/57U31\":\"Amount to migrate\",\"/7ykiW\":\"Borrowing this amount will reduce your health factor and increase risk of liquidation.\",\"/YA5pU\":\"E-Mode increases your LTV for a selected category of assets, meaning that when E-mode is enabled, you will have higher borrowing power over assets of the same E-mode category which are defined by Aave Governance. You can enter E-Mode from your <0>Dashboard. To learn more about E-Mode and applied restrictionn, see the <1>help guide or the <2>Aave V3 Technical Paper.\",\"/izjs/\":\"Minimum staked Aave amount\",\"/jQctM\":\"To\",\"/lDBHm\":\"FAQ\",\"/yNlZf\":\"Stable borrowing is not enabled\",\"/yQcJM\":\"Total worth\",\"00AB2i\":\"User did not borrow the specified currency\",\"00OflG\":\"There is not enough liquidity for the target asset to perform the switch. Try lowering the amount.\",\"08/rZ9\":\"The cooldown period is the time required prior to unstaking your tokens (20 days). You can only withdraw your assets from the Security Module after the cooldown period and within the unstake window.<0>Learn more\",\"0AmQcW\":\"Rate change\",\"0BF3yK\":\"Sorry, we couldn't find the page you were looking for.\",\"0TAbjq\":\"Recent Transactions\",\"0jhlyw\":\"Liquidation risk\",\"0ojY+Y\":\"Current v2 Balance\",\"0thX3P\":\"Collateral change\",\"0wGCWc\":\"This is the total amount that you are able to supply to in this reserve. You are able to supply your wallet balance up until the supply cap is reached.\",\"1AsVfF\":\"Price data is not currently available for this reserve on the protocol subgraph\",\"1LjK22\":\"Transaction history\",\"1Onqx8\":[\"Approving \",[\"symbol\"],\"...\"],\"1Ue8sX\":\"Please connect a wallet to view your personal information here.\",\"1bpx9A\":\"...\",\"1kWUB+\":\"Liquidation <0/> threshold\",\"1m9Qqc\":\"Withdrawing and Switching\",\"1oyh4g\":\"Borrow rate\",\"1t7rez\":\"Asset supply is limited to a certain amount to reduce protocol exposure to the asset and to help manage risks involved.\",\"2CAPu2\":\"You've successfully withdrew & switched tokens.\",\"2Eoi/a\":\"View details\",\"2FYpfJ\":\"More\",\"2O3qp5\":\"Available liquidity\",\"2OM8/D\":[\"Asset cannot be migrated due to supply cap restriction in \",[\"marketName\"],\" v3 market.\"],\"2Q4GU4\":\"Blocked Address\",\"2ZGocC\":\"Aave is a fully decentralized, community governed protocol by the AAVE token-holders. AAVE token-holders collectively discuss, propose, and vote on upgrades to the protocol. AAVE token-holders (Ethereum network only) can either vote themselves on new proposals or delagate to an address of choice. To learn more check out the Governance\",\"2a6G7d\":\"Please enter a valid wallet address.\",\"2bAhR7\":\"Meet GHO\",\"2eBWE6\":\"I acknowledge the risks involved.\",\"2o/xRt\":\"Supply cap on target reserve reached. Try lowering the amount.\",\"2uJToh\":[[\"0\"],[\"name\"]],\"2x58bP\":\"Stable borrowing is enabled\",\"34Qfwy\":\"Borrow cap is exceeded\",\"39eQRj\":[\"Borrow \",[\"symbol\"]],\"3BL1xB\":\"Total supplied\",\"3BnIWi\":\"Switched\",\"3K0oMo\":\"Remaining supply\",\"3MoZhl\":\"There is not enough collateral to cover a new borrow\",\"3Np5O8\":[\"Supply \",[\"symbol\"]],\"3O8YTV\":\"Total interest accrued\",\"3mXg0z\":\"Max LTV\",\"3q3mFy\":\"Repay\",\"3qsjtp\":\"The weighted average of APY for all supplied assets, including incentives.\",\"3rL+os\":\"You can only withdraw your assets from the Security Module after the cooldown period ends and the unstake window is active.\",\"42UgDM\":[\"Migrate to \",[\"0\"],\" v3 Market\"],\"49UFQA\":\"Voting results\",\"4DMZUI\":\"View Transactions\",\"4HtGBb\":\"MAX\",\"4Y5H+g\":\"Terms\",\"4YYh4d\":\"Maximum available to borrow\",\"4iPAI3\":\"Minimum GHO borrow amount\",\"4lDFps\":\"Sign to continue\",\"4wyw8H\":\"Transactions\",\"5JSSxX\":[\"Your \",[\"networkName\"],\" wallet is empty. Get free test assets at\"],\"5K7kGO\":\"documentation\",\"5NOSGa\":\"Debt ceiling limits the amount possible to borrow against this asset by protocol users. Debt ceiling is specific to assets in isolation mode and is denoted in USD.\",\"5Ncc6j\":[\"This asset has almost reached its supply cap. There can only be \",[\"messageValue\"],\" supplied to this market.\"],\"5cZ/KX\":\"Variable debt supply is not zero\",\"5che++\":\"To request access for this permissioned market, please visit: <0>Acces Provider Name\",\"5ctNdV\":[\"Minimum \",[\"0\"],\" received\"],\"5hDe9v\":\"Allowance required action\",\"5rsnKT\":\"Available rewards\",\"5yC5m5\":\"View all votes\",\"6/dCYd\":\"Overview\",\"60crCe\":\"All transactions\",\"62Xcjh\":\"Collateral\",\"65A04M\":\"Spanish\",\"6G8s+q\":\"Signing\",\"6Jrv+z\":[\"Repay \",[\"symbol\"]],\"6NGLTR\":\"Discountable amount\",\"6Xr0UU\":\"Cooling down...\",\"6bxci/\":\"Voting power\",\"6f8S68\":\"Markets\",\"6g1gi0\":\"Proposals\",\"6gvoHP\":\"Copy error message\",\"6h3Q5G\":\"repaid\",\"6lFSyT\":\"Available to Stake\",\"6s8L6f\":\"Switch Network\",\"6yAAbq\":\"APY, borrow rate\",\"70wH1Q\":\"APR\",\"72c5Qo\":\"Total\",\"73Auuq\":\"Discount parameters are decided by the Aave community and may be changed over time. Check Governance for updates and vote to participate. <0>Learn more\",\"75qcAQ\":[[\"stepName\"]],\"7ITr5L\":\"Health factor\",\"7T/o5R\":\"Reached\",\"7YlcXu\":\"Fork mode is ON\",\"7Z76Iw\":\"Borrowing is unavailable because you’re using Isolation mode. To manage Isolation mode visit your <0>Dashboard.\",\"7aKlMS\":\"Share on Lens\",\"7er5fP\":\"Claim all\",\"7hb2+s\":\"Time remaining until the withdraw period ends.\",\"7l88b8\":\"Data couldn't be fetched, please reload graph.\",\"7p5kLi\":\"Dashboard\",\"7sofdl\":\"Withdraw and Switch\",\"8+6BI0\":\"Be careful - You are very close to liquidation. Consider depositing more collateral or paying down some of your borrowed positions\",\"87pUEW\":[\"Your \",[\"name\"],\" wallet is empty. Purchase or transfer assets.\"],\"8F1i42\":\"Page not found\",\"8G8M0u\":\"Loading data...\",\"8Iu1QS\":\"withdrew\",\"8JL93T\":\"All proposals\",\"8Q51DU\":\"Add to wallet\",\"8X/oyn\":\"Invalid amount to mint\",\"8Z5FPv\":\"Disconnect Wallet\",\"8Zz7s5\":\"assets\",\"8aLW8H\":\"Balance to revoke\",\"8bOT3H\":\"Utilization Rate\",\"8sLe4/\":\"View contract\",\"8t/M0y\":\"Please connect your wallet to be able to bridge your tokens.\",\"8vETh9\":\"Show\",\"94OHPx\":\"You are entering Isolation mode\",\"9CDK3/\":[\"Borrowing is currently unavailable for \",[\"0\"],\".\"],\"9GIj3z\":\"Reserve Size\",\"9Knqb4\":\"Staking balance\",\"9OBKm7\":\"Quorum\",\"9QHoGr\":\"Current votes\",\"9Rw96f\":[\"This asset has almost reached its borrow cap. There is only \",[\"messageValue\"],\" available to be borrowed from this market.\"],\"9Xj/qR\":[\"Some migrated assets will not be used as collateral due to enabled isolation mode in \",[\"marketName\"],\" V3 Market. Visit <0>\",[\"marketName\"],\" V3 Dashboard to manage isolation mode.\"],\"9c6vDV\":\"This asset has reached its supply cap. Nothing is available to be supplied from this market.\",\"9kTWHA\":\"MAI has been paused due to a community decision. Supply, borrows and repays are impacted. <0>More details\",\"9lXchd\":\"Underlying token\",\"9rWaKF\":\"Bridged Via CCIP\",\"9xSooW\":\"Since this is a test network, you can get any of the assets if you have ETH on your wallet\",\"A/lwoe\":\"Choose one of the on-ramp services\",\"A6dCI6\":[\"Maximum amount available to borrow is <0/> \",[\"0\"],\" (<1/>).\"],\"AReoaV\":\"Your borrows\",\"ARu1L4\":\"Repaid\",\"AV7cGz\":\"Review approval tx details\",\"AZOjB8\":\"Fetching data...\",\"Ai0jas\":\"Join the community discussion\",\"Ajl2rq\":\"Borrowing power and assets are limited due to Isolation mode.\",\"AqgYNC\":\"Protocol borrow cap at 100% for this asset. Further borrowing unavailable.\",\"B3EcQR\":\"Thank you for voting!!\",\"B6aXGH\":\"Stable\",\"B9Gqbz\":\"Variable rate\",\"BDFEd+\":\"stETH supplied as collateral will continue to accrue staking rewards provided by daily rebases.\",\"BE2mP0\":\"Borrowed assets\",\"BJyN77\":\"Due to health factor impact, a flashloan is required to perform this transaction, but Aave Governance has disabled flashloan availability for this asset. Try lowering the amount or supplying additional collateral.\",\"BNL4Ep\":\"Collateral usage is limited because of isolation mode. <0>Learn More\",\"BQ/wCO\":\"Migrate your assets\",\"BjLdl1\":\"At a discount\",\"BnhYo8\":\"Asset category\",\"Bq9Y7e\":\"This asset is frozen due to an Aave community decision. <0>More details\",\"BqWMDJ\":\"Faucet\",\"BqynZO\":\"Optimized for efficiency and risk by supporting blue-chip collateral assets\",\"Bsu7zX\":\"The fee includes the gas cost to complete the transaction on the destination chain and the fee paid to Chainlink CCIP service providers. You can chose to pay in the network token or GHO. <0>Learn more\",\"BwJKBw\":\"of\",\"CDrsH+\":\"Techpaper\",\"CK1KXz\":\"Max\",\"CMHmbm\":\"Slippage\",\"CZXzs4\":\"Greek\",\"CcRNG6\":\"Switching\",\"CkTRmy\":[\"Claim \",[\"symbol\"]],\"CsqtLm\":\"Please connect your wallet to see migration tool.\",\"CtGlFb\":[[\"networkName\"],\" Faucet\"],\"Cxt2YY\":\"Watch wallet\",\"D33VQU\":\"This action will reduce health factor of V3 below liquidation threshold. Increase migrated collateral or reduce migrated borrow to continue.\",\"D9BLRG\":\"This asset has been paused due to a community decision. Supply, withdraw, borrows and repays are impacted.\",\"DAma/S\":\"Collateral is (mostly) the same currency that is being borrowed\",\"DCnFg0\":[\"Addresses (\",[\"0\"],\")\"],\"DG3Lv1\":\"I fully understand the risks of migrating.\",\"DONJcV\":\"The underlying asset cannot be rescued\",\"DR+4uL\":\"Supply balance after switch\",\"DWjrck\":[\"Asset cannot be migrated to \",[\"marketName\"],\" V3 Market due to E-mode restrictions. You can disable or manage E-mode categories in your <0>V3 Dashboard\"],\"Dj+3wB\":\"Aave per month\",\"DuEq2K\":\"Collateralization\",\"DxfsGs\":\"You can report incident to our <0>Discord or<1>Github.\",\"Dzma+E\":\"Main Ethereum market with the largest selection of assets and yield options\",\"E/QGRL\":\"Disabled\",\"EBL9Gz\":\"COPIED!\",\"ES8dkb\":\"Fixed rate\",\"EZd3Dk\":[\"Restaking \",[\"symbol\"]],\"Ebgc76\":[\"Withdrawing \",[\"symbol\"]],\"EdQY6l\":\"None\",\"EjvKQ+\":\"Minimum USD value received\",\"Enslfm\":\"Destination\",\"EvE9nO\":[\"Reactivate cooldown period to unstake \",[\"0\"],\" \",[\"stakedToken\"]],\"EvECnL\":\"Migrate to v3\",\"EzMQbh\":\"The source chain time to finality is the main factor that determines the time to destination. <0>Learn more\",\"F40cwT\":\"Legacy Markets\",\"F6TdXL\":\"Learn more.\",\"FDDPeZ\":\"Users can stake their assets in the protocol and earn incentives. In the case of a shortfall event, your stake can be slashed to cover the deficit, providing an additional layer of protection for the protocol.\",\"FHlMf/\":\"Current v2 balance\",\"FHpxjF\":[\"Reserve factor is a percentage of interest which goes to a \",[\"0\"],\" that is controlled by Aave governance to promote ecosystem growth.\"],\"FOBZa6\":\"Borrow power used\",\"FPKEug\":\"Operation not supported\",\"FbmMe7\":\"Linked addresses\",\"Fdp03t\":\"on\",\"Fjw9N+\":\"Assets to supply\",\"FmN0fk\":\"Restake\",\"GDGLIs\":\"GHO is a native decentralized, collateral-backed digital asset pegged to USD. It is created by users via borrowing against multiple collateral. When user repays their GHO borrow position, the protocol burns that user's GHO. All the interest payments accrued by minters of GHO would be directly transferred to the AaveDAO treasury.\",\"GQrBTq\":\"Switch E-Mode\",\"GWswcZ\":\"This asset is frozen due to an Aave Protocol Governance decision. On the 20th of December 2022, renFIL will no longer be supported and cannot be bridged back to its native network. It is recommended to withdraw supply positions and repay borrow positions so that renFIL can be bridged back to FIL before the deadline. After this date, it will no longer be possible to convert renFIL to FIL. <0>More details\",\"GX8GKD\":\"Assets\",\"GgEj+0\":\"Read-only mode. Connect to a wallet to perform transactions.\",\"GjkIKV\":\"ends\",\"GoK/QN\":\"Thank you for submitting feedback!\",\"GtP2hp\":[\"Borrowing is unavailable because you’ve enabled Efficiency Mode (E-Mode) for \",[\"0\"],\" category. To manage E-Mode categories visit your <0>Dashboard.\"],\"H6Ma8Z\":\"Discount\",\"HB/wfS\":[[\"tooltipText\"]],\"HKDsQN\":\"Rewards can be claimed through\",\"Ha/U5f\":\"This is a program initiated and implemented by the decentralised ZKSync community. Aave Labs does not guarantee the program and accepts no liability.\",\"HciqKU\":\"This is a program initiated and implemented by the decentralised Aave community. Aave Labs does not guarantee the program and accepts no liability.\",\"Hi6Ttn\":\"Sorry, an unexpected error happened. In the meantime you may try reloading the page, or come back later.\",\"HkEDbS\":[[\"d\"],\"d\"],\"HmkYqM\":\"Unstake window\",\"HpK/8d\":\"Reload\",\"HrnC47\":\"Save and share\",\"HuVZMK\":\"Days\",\"HvJKMU\":[\"Asset cannot be migrated to \",[\"marketName\"],\" v3 Market since collateral asset will enable isolation mode.\"],\"Hvwnm9\":[\"Maximum amount available to supply is limited because protocol supply cap is at \",[\"0\"],\"%.\"],\"I8CX2c\":\"The total amount of your assets denominated in USD that can be used as collateral for borrowing assets.\",\"IAD2SB\":[\"Claiming \",[\"symbol\"]],\"IG9X9/\":\"Borrowing of this asset is limited to a certain amount to minimize liquidity pool insolvency.\",\"IOIx8L\":\"This asset is planned to be offboarded due to an Aave Protocol Governance decision. <0>More details\",\"IP+I/j\":\"Cooldown period\",\"IaA40H\":\"Liquidation at\",\"J/hVSQ\":[[\"0\"]],\"JCoxL6\":\"Manage analytics\",\"JK9zf1\":[\"Estimated compounding interest, including discount for Staking \",[\"0\"],\"AAVE in Safety Module.\"],\"JOqFba\":[\"Unstaking \",[\"symbol\"]],\"JPrLjO\":\"You can not use this currency as collateral\",\"JU6q+W\":\"Reward(s) to claim\",\"JYKRJS\":\"Stake\",\"JZMxX0\":\"Not enough balance on your wallet\",\"Jgflkm\":\"Get GHO\",\"JoMQnI\":\"Wallet balance\",\"JtwD8u\":\"Borrow balance after repay\",\"JumYTK\":\"Supplied assets\",\"K05qZY\":\"Withdraw & Switch\",\"KAz/NV\":\"Protocol debt ceiling is at 100% for this asset. Further borrowing against this asset is unavailable.\",\"KLXVqE\":[\"stETH tokens will be migrated to Wrapped stETH using Lido Protocol wrapper which leads to supply balance change after migration: \",[\"0\"]],\"KLd6ky\":\"Use connected account\",\"KRpokz\":\"VIEW TX\",\"KSlpka\":\"This represents the threshold at which a borrow position will be considered undercollateralized and subject to liquidation for each collateral. For example, if a collateral has a liquidation threshold of 80%, it means that the position will be liquidated when the debt value is worth 80% of the collateral value.\",\"KYAjf3\":\"Isolated\",\"KZwRuD\":[[\"notifyText\"]],\"KkPgim\":\"Switching E-Mode\",\"KnN1Tu\":\"Expires\",\"KoOBI2\":\"Due to internal stETH mechanics required for rebasing support, it is not possible to perform a collateral switch where stETH is the source token.\",\"KojyJ4\":\"Wrong Network\",\"KsqhWn\":\"Staking\",\"KuBTQq\":\"Enter ETH address\",\"KvG1xW\":\"Claiming\",\"L+8Lzs\":\"Current LTV\",\"L+qiq+\":\"Market\",\"LDzfVJ\":\"Send Feedback\",\"LIrMcF\":\"No voting power\",\"LL0zks\":\"Can be collateral\",\"LLdJWu\":\"Claimable AAVE\",\"LSIpNK\":\"Borrow and repay in same block is not allowed\",\"LVt3TI\":[\"<0>Slippage tolerance <1>\",[\"selectedSlippage\"],\"% <2>\",[\"0\"],\"\"],\"LjafV8\":\"Maximum collateral amount to use\",\"LtpQew\":\"Let us know how we can make the app better for you. For user support related inquiries please reach out on\",\"LvVpD/\":\"Emode\",\"M2sknc\":\"Tip: Try increasing slippage or reduce input amount\",\"M7wPsD\":\"Switch\",\"MFu33y\":\"Staking 00\",\"MIy2RJ\":\"Maximum amount received\",\"MZ/nQf\":\"Recipient address\",\"Ma/MtY\":\"staking view\",\"McHlGl\":\"APY change\",\"MeCCA+\":\"APY, variable\",\"MghdTe\":\"If the health factor goes below 1, the liquidation of your collateral might be triggered.\",\"Mm/DVQ\":\"You cancelled the transaction.\",\"MnE2QX\":\"Borrow info\",\"MrmQHg\":\"View Bridge Transactions\",\"MuDFEQ\":\"Invalid return value of the flashloan executor function\",\"N5kUMV\":\"Asset can be only used as collateral in isolation mode with limited borrowing power. To enter isolation mode, disable all other collateral.\",\"N6Pxr9\":\"View all\",\"NF0e1Q\":\"Pending...\",\"NK9ikO\":\"Wallet Balance\",\"NMt2CB\":\"Amount claimable\",\"NcFGxG\":\"Collector Contract\",\"NfpPeS\":\"Nothing staked\",\"Nh9DAo\":[[\"m\"],\"m\"],\"O+sCUU\":\"Unbacked mint cap is exceeded\",\"O+tyU+\":[\"Maximum amount available to borrow against this asset is limited because debt ceiling is at \",[\"0\"],\"%.\"],\"O3oNi5\":\"Email\",\"OFjZGo\":\"Unstake\",\"OR8cYX\":\"Proposal overview\",\"OYuJ9K\":\"Protocol debt ceiling is at 100% for this asset. Futher borrowing against this asset is unavailable.\",\"OfhWJH\":\"Reset\",\"Og2SKn\":\"disabled\",\"On0aF2\":\"Website\",\"OsyKSt\":\"Withdraw\",\"P1dURE\":\"Revoke power\",\"P2WCD/\":[\"Underlying asset does not exist in \",[\"marketName\"],\" v3 Market, hence this position cannot be migrated.\"],\"P2sL6B\":\"When a liquidation occurs, liquidators repay up to 50% of the outstanding borrowed amount on behalf of the borrower. In return, they can buy the collateral at a discount and keep the difference (liquidation penalty) as a bonus.\",\"P6sRoL\":\"Stake ABPT\",\"P72/OW\":\"The weighted average of APY for all borrowed assets, including incentives.\",\"P7e6Ug\":\"Please connect your wallet to view transaction history.\",\"PByO0X\":\"Votes\",\"PI+kVe\":\"Disable fork\",\"PJK9u/\":\"Borrow apy\",\"PLUB/s\":\"Fee\",\"PP5ZA8\":[\"Participating in staking \",[\"symbol\"],\" gives annualized rewards. Your wallet balance is the sum of your aTokens and underlying assets. The breakdown to stake is below\"],\"PcBUgb\":\"Liquidation threshold\",\"PjU6bu\":\"This asset is eligible for SPK incentive program. Aave Labs does not guarantee the program and accepts no liability.\",\"PpqD5g\":\"Enabling this asset as collateral increases your borrowing power and Health Factor. However, it can get liquidated if your health factor drops below 1.\",\"PsOFSf\":\"This action will reduce V2 health factor below liquidation threshold. retain collateral or migrate borrow position to continue.\",\"Pu4bI/\":[[\"currentMethod\"]],\"Q0LzKi\":\"View TX\",\"Q4eNqa\":\"The Aave Balancer Pool Token (ABPT) is a liquidity pool token. You can receive ABPT by depositing a combination of AAVE + wstETH in the Balancer liquidity pool. You can then stake your BPT in the Safety Module to secure the protocol and earn Safety Incentives.\",\"QQYsQ7\":\"Withdrawing\",\"QWYCs/\":\"Stake GHO\",\"R+30X3\":\"Not reached\",\"RCU5PY\":\"Age\",\"RIfckG\":[\"Disable \",[\"symbol\"],\" as collateral\"],\"RMtxNk\":\"Differential\",\"RNK49r\":\"Invalid signature\",\"RS0o7b\":\"State\",\"RU+LqV\":\"Proposal details\",\"RYTgZX\":\"lorem ipsum\",\"RbXH+k\":\"AAVE, GHO, and ABPT holders (Ethereum network only) can stake their assets in the Safety Module to add more security to the protocol and earn Safety Incentives. In the case of a shortfall event, your stake can be slashed to cover the deficit, providing an additional layer of protection for the protocol.\",\"RiSYV4\":\"Asset is not listed\",\"Rj01Fz\":\"Links\",\"RmWFEe\":\"Staking APR\",\"RoafuO\":\"Send feedback\",\"RtBLm7\":\"Health factor is lesser than the liquidation threshold\",\"RxzN1M\":\"Enabled\",\"SDav7h\":\"Funds in the Safety Module\",\"SENccp\":\"If the error continues to happen,<0/> you may report it to this\",\"SIWumd\":\"Show Frozen or paused assets\",\"SM58dD\":\"Amount in cooldown\",\"SSMiac\":\"Failed to load proposal voters. Please refresh the page.\",\"SSQVIz\":\"Liquidation Threshold\",\"SUb8x0\":\"Total available\",\"SWIgh4\":\"Fees exceed wallet balance\",\"SY9hVo\":\"Read-only mode allows to see address positions in Aave, but you won't be able to perform transactions.\",\"SZRUQ4\":\"Max slippage\",\"Sa1UE/\":\"Protocol borrow cap is at 100% for this asset. Further borrowing unavailable.\",\"Sk2zW9\":\"Disabling E-Mode\",\"SxaD0o\":\"Pool addresses provider is not registered\",\"T/AIqG\":\"Protocol supply cap at 100% for this asset. Further supply unavailable.\",\"T0xCO9\":\"Can't validate the wallet address. Try again.\",\"T4OhVl\":\"GHO balance\",\"T6uYU2\":\"Borrow\",\"TFxQlw\":\"Liquidation penalty\",\"TQ7WsV\":\"Available to stake\",\"TUI7iB\":\"Asset can only be used as collateral in isolation mode only.\",\"TbjyhA\":\"Docs\",\"TduuS0\":\"User does not have outstanding stable rate debt on this reserve\",\"TeCFg/\":\"Borrow rate change\",\"Tg1JyO\":\"Bridge history\",\"TskbEN\":\"Holders of stkAAVE receive a discount on the GHO borrowing rate\",\"TszKts\":\"Borrow balance after switch\",\"TtZL6q\":\"Discount model parameters\",\"TwJI9F\":\"Asset has been successfully sent to CCIP contract. You can check the status of the transactions below\",\"Tz0GSZ\":\"blocked activities\",\"U/eBjN\":\"Reload the page\",\"U2r8nY\":\"Choose how much voting/proposition power to give to someone else by delegating some of your AAVE, stkAAVE or aAave balance. Your tokens will remain in your account, but your delegate will be able to vote or propose on your behalf. If your AAVE, stkAAVE or aAave balance changes, your delegate's voting/proposition power will be automatically adjusted.\",\"U8IubP\":\"The app is running in testnet mode. Learn how it works in\",\"U9btTk\":\"Asset is not borrowable in isolation mode\",\"UAOZRe\":\"Price impact is the spread between the total value of the entry tokens switched and the destination tokens obtained (in USD), which results from the limited liquidity of the trading pair.\",\"UE3KJZ\":\"Transaction history is not currently available for this market\",\"URmyfc\":\"Details\",\"UTTKmT\":\"Stake cooldown activated\",\"UXeR72\":\"These funds have been borrowed and are not available for withdrawal at this time.\",\"UYb8CM\":\"Learn more about the SPK rewards\",\"UbRrG0\":\"The Maximum LTV ratio represents the maximum borrowing power of a specific collateral. For example, if a collateral has an LTV of 75%, the user can borrow up to 0.75 worth of ETH in the principal currency for every 1 ETH worth of collateral.\",\"UpndFj\":\"No rewards to claim\",\"V0f2Xv\":\"Reserve factor\",\"V1HK43\":\"Migration risks\",\"VATFH9\":\"Covered debt\",\"VHOVEJ\":\"Connect wallet\",\"VMfYUK\":\"Safety of your deposited collateral against the borrowed assets and its underlying value.\",\"VOAZJh\":\"Total borrows\",\"ViKYxK\":\"YAE\",\"W1SSoD\":\"Review tx details\",\"W5hVah\":\"Nothing supplied yet\",\"W5kTFy\":\"Voting\",\"W8ekPc\":\"Back to Dashboard\",\"WMPbRK\":\"Unbacked\",\"WNGZwH\":\"E-Mode increases your LTV for a selected category of assets up to<0/>. <1>Learn more\",\"WPWG/y\":\"Reserve status & configuration\",\"WZLQSU\":\"User cannot withdraw more than the available balance\",\"WaZyaV\":\"<0>Ampleforth is a rebasing asset. Visit the <1>documentation to learn more.\",\"WfU+XN\":\"Because this asset is paused, no actions can be taken until further notice\",\"Wjmqs2\":\"No results found. You can import a custom token with a contract address\",\"WkZ6C6\":\"To borrow you need to supply any asset to be used as collateral.\",\"WyMiQm\":\"You've successfully switched tokens.\",\"X/ITG9\":\"Copy error text\",\"X3Pp6x\":\"Used as collateral\",\"X4Zt7j\":\"Action cannot be performed because the reserve is paused\",\"XBdKOj\":\"Representative smart contract wallet (ie. Safe) addresses on other chains.\",\"XZzneG\":\"You will exit isolation mode and other tokens can now be used as collateral\",\"Xg5y9S\":\"Amount to Bridge\",\"Xn4hUi\":\"Please always be aware of your <0>Health Factor (HF) when partially migrating a position and that your rates will be updated to V3 rates.\",\"Xy71ST\":\"Umbrella\",\"Y5kGkc\":\"VOTE NAY\",\"YDIOks\":\"Enabling E-Mode\",\"YSodyW\":\"This action will reduce your health factor. Please be mindful of the increased risk of collateral liquidation.\",\"YXOWXM\":\"The total amount bridged minus CCIP fees. Paying in network token does not impact gho amount.\",\"YirHq7\":\"Feedback\",\"YogbCJ\":\"Testnet mode is ON\",\"YrDxdO\":\"If your loan to value goes above the liquidation threshold your collateral supplied may be liquidated.\",\"YyIM65\":\"Interest rate rebalance conditions were not met\",\"YyydIq\":[\"Add \",[\"0\"],\" to wallet to track your balance.\"],\"ZBvhI+\":\"Aave Governance\",\"ZIIRAd\":\"Raw-Ipfs\",\"ZRq4tX\":\"Efficiency mode (E-Mode)\",\"ZSqEW+\":\"Manage E-Mode\",\"ZUFYFE\":\"Disable testnet\",\"Zbyywy\":\"Max slashing\",\"ZfUGFb\":\"Before supplying\",\"ZiXN+B\":\"Assets to stake\",\"ZlsSDH\":\"Liquidation value\",\"ZrEc8j\":\"We couldn't find any assets related to your search. Try again with a different asset name, symbol, or address.\",\"ZsLF7e\":\"enabled\",\"a0YQoQ\":\"Enter a valid address\",\"a2fBZn\":\"Time left to unstake\",\"a5RYZd\":\"Disabling this asset as collateral affects your borrowing power and Health Factor.\",\"a7u1N9\":\"Price\",\"a9D+6D\":\"Unstaked\",\"aEtiwq\":\"Vote NAY\",\"aMmFE1\":\"Buy Crypto With Fiat\",\"aOKIms\":\"Array parameters that should be equal length are not\",\"aX31hk\":\"Your balance is lower than the selected amount.\",\"adUsDd\":\"An error has occurred fetching the proposal.\",\"al6Pyz\":\"Exceeds the discount\",\"aoXTT7\":\"Borrow APY, variable\",\"aqX1Yp\":\"This asset is eligible for rewards through SuperFest. Aave Labs does not guarantee the program and accepts no liability.\",\"avgETN\":\"Eligible for the Merit program.\",\"b4NS3e\":\"Cooldown period warning\",\"bNEQeI\":\"Cooldown\",\"bSruit\":\"ZKSync Ignite Program rewards are claimed through the\",\"bUUVED\":\"Asset\",\"bXQ/Og\":\"Share on twitter\",\"bXr0ee\":\"Isolated assets have limited borrowing power and other assets cannot be used as collateral.\",\"bYmAV1\":\"Addresses\",\"bguKoJ\":\"The requested amount is greater than the max loan size in stable rate mode\",\"bwSQI0\":\"Supply\",\"bxN6EM\":\"Cannot disable E-Mode\",\"bxmzSh\":\"Not enough collateral to repay this amount of debt with\",\"c91vuQ\":\"Address is not a contract\",\"c97os2\":\"Aave aToken\",\"c9b44w\":\"You can not withdraw this amount because it will cause collateral call\",\"cBc+4A\":\"This is the total amount available for you to borrow. You can borrow based on your collateral and until the borrow cap is reached.\",\"cIl5kp\":\"Your voting power is based on your AAVE/stkAAVE balance and received delegations.\",\"cLo09S\":\"Risk details\",\"cNT+ij\":\"Borrowing is unavailable because you’ve enabled Efficiency Mode (E-Mode) and Isolation mode. To manage E-Mode and Isolation mode visit your <0>Dashboard.\",\"cZOeBk\":\"Something went wrong fetching bridge message, please try again later.\",\"ceix5S\":\"To submit a proposal for minor changes to the protocol, you'll need at least 80.00K power. If you want to change the core code base, you'll need 320k power.<0>Learn more.\",\"ciybUa\":\"Vote YAE\",\"ckf7gX\":[\"Repaying \",[\"symbol\"]],\"cp1ZDP\":[\"Bridge \",[\"symbol\"]],\"cqnmnD\":\"Effective interest rate\",\"cqwIvs\":\"Forum discussion\",\"csDS2L\":\"Available\",\"cu7Stb\":\"You did not participate in this proposal\",\"dE6BLF\":\"Governance\",\"dEgA5A\":\"Cancel\",\"dIsyWh\":\"Ltv validation failed\",\"dMtLDE\":\"to\",\"dOB5nW\":[\"Maximum amount available to supply is <0/> \",[\"0\"],\" (<1/>).\"],\"dVfODp\":\"You don’t have enough funds in your wallet to repay the full amount. If you proceed to repay with your current amount of funds, you will still have a small borrowing position in your dashboard.\",\"dXUQFX\":\"Assets to borrow\",\"dgr1aY\":\"Borrowing is disabled due to an Aave community decision. <0>More details\",\"djsg0o\":\"Collateral usage\",\"dpc0qG\":\"Variable\",\"drdV8R\":\"Liquidation\",\"dxW8cS\":\"Aave debt token\",\"e4V3oW\":\"Top 10 addresses\",\"eD8WX/\":\"Action requires an active reserve\",\"eJRJ04\":\"Amount to unstake\",\"eLh0cL\":\"Slippage is the difference between the quoted and received amounts from changing market conditions between the moment the transaction is submitted and its verification.\",\"ePK91l\":\"Edit\",\"eVpCmf\":\"Staking Rewards\",\"eVqvtf\":\"Bridge GHO\",\"eYdurp\":\"No transactions yet.\",\"ebLGGN\":\"Total borrowed\",\"ecqEvn\":\"The collateral balance is 0\",\"efdrrk\":\"Available on\",\"enruNF\":\"starts\",\"eqLYiD\":\"Unstake now\",\"euScGB\":\"APY with discount applied\",\"evw5ha\":\"Net worth\",\"ezcU16\":\"Get ABP Token\",\"f3W0Ej\":[\"You switched to \",[\"0\"],\" rate\"],\"fH9i8k\":\"You've successfully switched borrow position.\",\"fHcELk\":\"Net APR\",\"fMJQZK\":\"Borrowed\",\"fZ5Vnu\":\"Received\",\"firl9Q\":\"Your current loan to value based on your collateral supplied.\",\"flRCF/\":\"Staking discount\",\"fldjW9\":\"Preview tx and migrate\",\"fsBGk0\":\"Balance\",\"fu1Dbh\":[\"Withdraw \",[\"symbol\"]],\"fwjWSI\":\"Supplied\",\"fwyTMb\":\"Migrate to stkABPT v2\",\"g0mals\":\"You can not disable E-Mode because that could cause liquidation. To exit E-Mode supply or repay borrowed positions.\",\"g2UNkE\":\"Powered by\",\"g8KGoA\":\"FAQS\",\"g9zzqS\":\"Voted NAY\",\"gDd2gk\":\"about SuperFest.\",\"gFFh9h\":\"All done!\",\"gIMJlW\":\"Testnet mode\",\"gOzPxe\":\"This asset is frozen due to an Aave Protocol Governance decision. <0>More details\",\"gTHi2T\":\"User is trying to borrow multiple assets including a siloed one\",\"gVW59Y\":\"Please connect your wallet to get free testnet assets.\",\"gcFNxP\":\"Approve Confirmed\",\"gncRUO\":\"This address is blocked on app.aave.com because it is associated with one or more\",\"goff7V\":\"Zero address not valid\",\"gp+f1B\":\"Version 3\",\"gr8mYw\":\"You may borrow up to <0/> GHO at <1/> (max discount)\",\"gvTM4B\":\"Net APY is the combined effect of all supply and borrow positions on net worth, including incentives. It is possible to have a negative net APY if debt APY is higher than supply APY.\",\"gzcch9\":\"Invalid bridge protocol fee\",\"h33MxW\":\"Representing smart contract wallet (ie. Safe) addresses on other chains.\",\"h3ilK+\":\".CSV\",\"hB23LY\":\"Activate Cooldown\",\"hIJzBh\":\"Available to Claim\",\"hIS4N0\":\"Net APY\",\"hRWvpI\":\"Claimed\",\"hdmy/o\":\"The % of your total borrowing power used. This is based on the amount of your collateral supplied and the total amount that you can borrow.\",\"hehnjM\":\"Amount\",\"hjDCQr\":\"There was some error. Please try changing the parameters or <0><1>copy the error\",\"hom7qf\":\"Claim\",\"hpHJ4I\":\"Liquidated collateral\",\"hpuVIp\":\"Users who stake AAVE in Safety Module (i.e. stkAAVE holders) receive a discount on GHO borrow interest rate.\",\"huQ6Tz\":[\"Borrowing \",[\"symbol\"]],\"hxi7vE\":\"Borrow balance\",\"i2JTiw\":\"You may enter a custom amount in the field.\",\"iB5+/J\":\"About GHO\",\"iChbOF\":\"Inconsistent flashloan parameters\",\"iEPVHF\":\"Not enough voting power to participate in this proposal\",\"iEW87X\":\"Delegated power\",\"iEju36\":[\"You voted \",[\"0\"]],\"iFq2YN\":\"Borrowable\",\"iGxyIA\":\"Safety Module\",\"iMVZk9\":\"Select slippage tolerance\",\"iPMIoT\":\"Enter an amount\",\"iSLIjg\":\"Connect\",\"iUo5rv\":\"tokens is not the same as staking them. If you wish to stake your\",\"iZxa38\":\"Use it to vote for or against active proposals.\",\"if5PH+\":\"Collector Info\",\"igkfR1\":[\"In Isolation mode, you cannot supply other assets as collateral. A global debt ceiling limits the borrowing power of the isolated asset. To exit isolation mode disable \",[\"0\"],\" as collateral before borrowing another asset. Read more in our <0>FAQ\"],\"il0sEG\":\"Collateral usage is limited because of Isolation mode.\",\"j+K1Xj\":\"Amount After Fee\",\"jA2QeW\":\"Supplying your\",\"jFi7dz\":\"Interest rate that is determined by Aave Governance. This rate may be changed over time depending on the need for the GHO supply to contract/expand. <0>Learn more\",\"jG3UJ7\":\"Disable E-Mode\",\"jKYzR1\":\"Enable E-Mode\",\"jMam5g\":[[\"0\"],\" Balance\"],\"jSYv+Z\":\"Enabling E-Mode allows you to maximize your borrowing power, however, borrowing is restricted to assets within the selected category. <0>Learn more about how it works and the applied restrictions.\",\"jaKbwW\":[[\"s\"],\"s\"],\"jbFMap\":\"Cooldown time left\",\"jeMZNr\":[[\"0\"],\" on-ramp service is provided by External Provider and by selecting you agree to Terms of the Provider. Your access to the service might be reliant on the External Provider being operational.\"],\"jfl9OP\":\"Migrated\",\"jmXdoY\":\"In E-Mode some assets are not borrowable. Exit E-Mode to get access to all assets\",\"jpctdh\":\"View\",\"jqzUyM\":\"Unavailable\",\"k/sb6z\":\"Select language\",\"k3wP3f\":\"<0>Attention: Parameter changes via governance can alter your account health factor and risk of liquidation. Follow the <1>Aave governance forum for updates.\",\"kACpF3\":[\"Claim \",[\"0\"]],\"kH6wUX\":\"Price impact\",\"kIC28N\":\"Available to claim\",\"kIpSye\":[[\"numSelected\"],\"/\",[\"numAvailable\"],\" assets selected\"],\"kN1Yg5\":\"To repay on behalf of a user an explicit amount to repay is needed\",\"kRTD40\":[\"Repayment amount to reach \",[\"0\"],\"% utilization\"],\"kjN9tT\":\"Supply cap is exceeded\",\"knxE+G\":\".JSON\",\"ks2LWT\":\"Debt ceiling is not zero\",\"kwwn6i\":\"Users who stake AAVE in Safety Module (i.e. stkAAVE holders) receive a discount on GHO borrow interest rate. The discount applies to 100 GHO for every 1 stkAAVE held. Use the calculator below to see GHO borrow rate with the discount applied.\",\"kz3wtK\":\"and about SPK program\",\"kzZyM4\":\"DAI balance will be converted via DSR contracts and then supplied as sDAI. Switching incurs no additional costs and no slippage.\",\"lNVG7i\":\"Select an asset\",\"lU2d1/\":[\"Asset cannot be migrated due to insufficient liquidity or borrow cap limitation in \",[\"marketName\"],\" v3 market.\"],\"lVhKKI\":\"Voted YAE\",\"lWLqxB\":\"We couldn't find any transactions related to your search. Try again with a different asset name, or reset filters.\",\"lYGfRP\":\"English\",\"lfEjIE\":\"Learn more in our <0>FAQ guide\",\"lt6bpt\":\"Collateral to repay with\",\"m/IEhi\":\"Total emission per day\",\"m7r7Hh\":\"Selected borrow assets\",\"mDDK4p\":\"Balancer Pool\",\"mIM0qu\":\"Expected amount to repay\",\"mUAFd6\":\"Version 2\",\"masO5Z\":\"E-Mode increases your LTV for a selected category of assets. <0>Learn more\",\"mdNjKU\":[\"Your \",[\"name\"],\" wallet is empty. Purchase or transfer assets or use <0>\",[\"0\"],\" to transfer your \",[\"network\"],\" assets.\"],\"muiOng\":[\"Buy \",[\"cryptoSymbol\"],\" with Fiat\"],\"mvCXBY\":\"Stake AAVE\",\"mwdzil\":\"Ok, Close\",\"mzI/c+\":\"Download\",\"mzdIia\":\"Asset cannot be used as collateral.\",\"n+SX4g\":\"Developers\",\"n8Psk4\":\"We couldn’t detect a wallet. Connect a wallet to stake and view your balance.\",\"nJIhzm\":\"Supply apy\",\"nJgsQu\":\"With a voting power of <0/>\",\"nLC6tu\":\"French\",\"nN2T8p\":\"During the cooldown period, you will not earn any merit rewards. However, rewards earned up to this point will remain unaffected.\",\"nNHV0z\":\"Migrating multiple collaterals and borrowed assets at the same time can be an expensive operation and might fail in certain situations.<0>Therefore it’s not recommended to migrate positions with more than 5 assets (deposited + borrowed) at the same time.\",\"nNbnzu\":\"Proposition\",\"nOy4ob\":\"We suggest you go back to the Dashboard.\",\"nPGNMh\":\"Can be executed\",\"nUK1ou\":[\"Assets with zero LTV (\",[\"0\"],\") must be withdrawn or disabled as collateral to perform this action\"],\"nakd8r\":\"stkAAVE holders get a discount on GHO borrow rate\",\"nh2EJK\":[\"Please switch to \",[\"networkName\"],\".\"],\"njBeMm\":\"Both\",\"noN5Xf\":\"We couldn’t detect a wallet. Connect a wallet to view your staking positions and rewards.\",\"ntkAoE\":\"Discount applied for <0/> staking AAVE\",\"ntyFSE\":[[\"h\"],\"h\"],\"nwtY4N\":\"Something went wrong\",\"nxyWvj\":\"Withdrawing this amount will reduce your health factor and increase risk of liquidation.\",\"o17QVP\":\"Your health factor and loan to value determine the assurance of your collateral. To avoid liquidations you can supply more collateral or repay borrow positions.\",\"o1xc2V\":\"AToken supply is not zero\",\"o4tCu3\":\"Borrow APY\",\"o5ooMr\":\"Debt\",\"o7J4JM\":\"Filter\",\"oHFrpj\":\"Cooldown to unstake\",\"oJ5ZiG\":\"User does not have outstanding variable rate debt on this reserve\",\"oRBGin\":\"Please connect your wallet to be able to switch your tokens.\",\"oUwXhx\":\"Test Assets\",\"oWklJD\":\"Stable interest rate will <0>stay the same for the duration of your loan. Recommended for long-term loan periods and for users who prefer predictability.\",\"odnIK3\":\"Time remaining until the 48 hour withdraw period starts.\",\"oiK5nY\":\"The current incentives period, decided on by the Aave community, has ended. Governance is in the process on renewing, check for updates. <0>Learn more.\",\"olREoo\":\"All borrow positions outside of this category must be closed to enable this category.\",\"om/XHs\":\"Available to supply\",\"ov0+mq\":\"Eligible for the ZKSync Ignite program.\",\"ovT1pF\":[\"Per the community, the \",[\"market\"],\" has been frozen.\"],\"ow3fug\":\"Nothing found\",\"owSsI3\":\"Signatures ready\",\"p+R52m\":\"Go to Balancer Pool\",\"p2A+s1\":[\"The cooldown period is \",[\"0\"],\". After \",[\"1\"],\" of cooldown, you will enter unstake window of \",[\"2\"],\". You will continue receiving rewards during cooldown and unstake window.\"],\"p2S64u\":\"The loan to value of the migrated positions would cause liquidation. Increase migrated collateral or reduce migrated borrow to continue.\",\"p2Z2Qi\":\"This asset has reached its borrow cap. Nothing is available to be borrowed from this market.\",\"p3j+mb\":\"Your reward balance is 0\",\"p45alK\":\"Set up delegation\",\"p6u2s1\":\"Minimum amount of debt to be repaid\",\"pDgeaz\":[[\"title\"]],\"pdZqBk\":\"The underlying balance needs to be greater than 0\",\"pgWG9H\":\"Not enough staked balance\",\"piPrJ7\":\"please check that the amount you want to supply is not currently being used for staking. If it is being used for staking, your transaction might fail.\",\"pjO/iH\":\"Minimum amount received\",\"pooutM\":\"Voting is on\",\"pqaM5s\":\"Confirming transaction\",\"ptaxX3\":[\"I understand how cooldown (\",[\"0\"],\") and unstaking (\",[\"1\"],\") work\"],\"py2iiY\":\"The caller of this function must be a pool\",\"q/51mF\":\"Migrate to V3\",\"q3df11\":\"Interest rate strategy\",\"q6lAbz\":\"Staked\",\"qB4kPi\":\"Supply APY\",\"qENI8q\":\"Global settings\",\"qGz5zl\":\"Collateral balance after repay\",\"qOqbD6\":\"copy the error\",\"qXCkEM\":\"Please connect your wallet to see your supplies, borrowings, and open positions.\",\"qY2jnw\":\"Invalid expiration\",\"qf/fr+\":\"Interest accrued\",\"quYPUU\":\"Variable interest rate will <0>fluctuate based on the market conditions.\",\"quzIeW\":\"User is in isolation mode or LTV is zero\",\"qvnz3q\":\"Invalid amount to burn\",\"rHgdb0\":\"Migrate to Aave V3\",\"rOrHHe\":\"Amount must be greater than 0\",\"rQ+R+0\":\"Selected supply assets\",\"rSayea\":\"APY\",\"rTBDeu\":[\"Asset cannot be migrated because you have isolated collateral in \",[\"marketName\"],\" v3 Market which limits borrowable assets. You can manage your collateral in <0>\",[\"marketName\"],\" V3 Dashboard\"],\"rcT+yy\":\"Show assets with 0 balance\",\"rf8POi\":\"Borrowed asset amount\",\"riNWOA\":\"E-Mode\",\"rjGI/Q\":\"Privacy\",\"rnKPW1\":\"Watch a wallet balance in read-only mode\",\"ruc7X+\":\"Add stkAAVE to see borrow APY with the discount\",\"rvbaFU\":[\"Bridging \",[\"symbol\"]],\"rwVVB7\":\"Claim all rewards\",\"rwyUva\":\"These assets are temporarily frozen or paused by Aave community decisions, meaning that further supply / borrow, or rate swap of these assets are unavailable. Withdrawals and debt repayments are allowed. Follow the <0>Aave governance forum for further updates.\",\"rxJW5W\":\"Your proposition power is based on your AAVE/stkAAVE balance and received delegations.\",\"s2jJnW\":\"You don't have any bridge transactions\",\"s5wBAq\":[\"Unstake \",[\"symbol\"]],\"sJbIdI\":\"Enter ETH address or ENS\",\"sK+Nag\":\"Review tx\",\"sP2+gB\":\"NAY\",\"sQv06Y\":\"for\",\"sTtO6J\":\"Confirm transaction\",\"sXKb3l\":\"Exchange rate\",\"sb0q4+\":\"You unstake here\",\"smJNwH\":\"Available to borrow\",\"solypO\":\"Health factor is not below the threshold\",\"sr0UJD\":\"Go Back\",\"ss5GCK\":\"The address of the pool addresses provider is invalid\",\"swEgK4\":\"Your voting info\",\"t+wtgf\":\"Nothing borrowed yet\",\"t/YqKh\":\"Remove\",\"t81DpC\":[\"Approve \",[\"symbol\"],\" to continue\"],\"tCnbEs\":\"Oracle price\",\"tFZLf8\":\"This gas calculation is only an estimation. Your wallet will set the price of the transaction. You can modify the gas settings directly from your wallet provider.\",\"tHuvQI\":\"Go to V3 Dashboard\",\"tKv7cI\":\"Switch borrow position\",\"tOcg3N\":\"Since this asset is frozen, the only available actions are withdraw and repay which can be accessed from the <0>Dashboard\",\"tOuXfv\":[\"Borrow amount to reach \",[\"0\"],\"% utilization\"],\"te9Bfl\":\"Please, connect your wallet\",\"tt5yma\":\"Your supplies\",\"ttoh5c\":\"Switch to\",\"u3ZeYl\":\"Transaction failed\",\"u706uF\":\"Invalid flashloan premium\",\"u8Gfu7\":[\"No search results\",[\"0\"]],\"uAQUqI\":\"Status\",\"uHMwk8\":\"No assets selected to migrate.\",\"uJPHuY\":\"Migrating\",\"uY8O30\":\"To continue, you need to grant Aave smart contracts permission to move your funds from your wallet. Depending on the asset and wallet you use, it is done by signing the permission message (gas free), or by submitting an approval transaction (requires gas). <0>Learn more\",\"udFheE\":\"For repayment of a specific type of debt, the user needs to have debt that type\",\"ulNuNq\":\"Export data to\",\"ulup2p\":\"Buy Crypto with Fiat\",\"umICAY\":\"<0><1><2/>Add stkAAVE to see borrow rate with discount\",\"usB84Z\":\"Maximum amount available to borrow is limited because protocol borrow cap is nearly reached.\",\"uwAUvj\":\"COPY IMAGE\",\"v8x7Mg\":\"Insufficient collateral to cover new borrow position. Wallet must have borrowing power remaining to perform debt switch.\",\"vEqxH9\":\"Restaked\",\"vLyv1R\":\"Hide\",\"vMba49\":\"Borrowing is not enabled\",\"vMpNwt\":\"Approve with\",\"vXIe7J\":\"Language\",\"vesuBJ\":\"Allows you to decide whether to use a supplied asset as collateral. An asset used as collateral will affect your borrowing power and health factor.\",\"w+V9Cx\":\"Stablecoin\",\"w/JtJ3\":\"Stable debt supply is not zero\",\"w4VBY+\":\"Rewards APR\",\"w9dLMW\":[[\"label\"]],\"wAOL+X\":[\"You \",[\"action\"],\" <0/> \",[\"symbol\"]],\"wBIsjb\":\"Discord channel\",\"wQZbc/\":\"The caller of the function is not an AToken\",\"wRRqvW\":\"You do not have supplies in this currency\",\"wZFvVU\":\"VOTE YAE\",\"wb/r1O\":[\"Faucet \",[\"0\"]],\"wdxz7K\":\"Source\",\"weH1nG\":\"The Aave Protocol is programmed to always use the price of 1 GHO = $1. This is different from using market pricing via oracles for other crypto assets. This creates stabilizing arbitrage opportunities when the price of GHO fluctuates.\",\"wh7Ezv\":\"You have no AAVE/stkAAVE/aAave balance to delegate.\",\"wlsIx7\":\"With testnet Faucet you can get free assets to test the Aave Protocol. Make sure to switch your wallet provider to the appropriate testnet network, select desired asset, and click ‘Faucet’ to get tokens transferred to your wallet. The assets on a testnet are not “real,” meaning they have no monetary value. <0>Learn more\",\"wmE285\":\"Get ABP v2 Token\",\"wyRrcJ\":\"As a result of governance decisions, this ABPT staking pool is now deprecated. You have the flexibility to either migrate all of your tokens to v2 or unstake them without any cooldown period.\",\"x5KiLL\":\"Selected assets have successfully migrated. Visit the Market Dashboard to see them.\",\"x7F2p6\":\"Current differential\",\"x7K5ib\":[\"Your \",[\"networkName\"],\" wallet is empty. Get free test \",[\"0\"],\" at\"],\"x9iLRD\":\"tokens, please go to the\",\"xNy/UG\":\"Repay with\",\"xPm8wv\":\"Learn more about risks involved\",\"xXYpZl\":[[\"0\"],\" Faucet\"],\"xaVBSS\":\"Your info\",\"xaWZ6f\":\"APY type change\",\"xh6k71\":\"Collateral usage is limited because of isolation mode.\",\"xvIklc\":\"Flashloan is disabled for this asset, hence this position cannot be migrated.\",\"y5rS9U\":\"Migrate\",\"y66tBm\":[\"Enable \",[\"symbol\"],\" as collateral\"],\"yB1YpA\":\"Dark mode\",\"yCrG6m\":\"Total market size\",\"yJUUbn\":\"Transaction overview\",\"yLGmLX\":[\"Restake \",[\"symbol\"]],\"yW1oWB\":\"APY type\",\"yYHqJe\":\"Not a valid address\",\"yZwLw6\":\"Track wallet\",\"yh2sjd\":[\"Price impact \",[\"0\"],\"%\"],\"yhvj6d\":\"You can not switch usage as collateral mode for this currency, because it will cause collateral call\",\"ylmtBZ\":\"The app is running in fork mode.\",\"ymNY32\":[\"There are not enough funds in the\",[\"0\"],\"reserve to borrow\"],\"yz7wBu\":\"Close\",\"z4uGQg\":\"Debt ceiling is exceeded\",\"z5UQOM\":\"The collateral chosen cannot be liquidated\",\"z5Y+p6\":[\"Supplying \",[\"symbol\"]],\"zCjNKs\":\"Action cannot be performed because the reserve is frozen\",\"zRHytX\":\"Isolated Debt Ceiling\",\"zTOjMP\":\"Protocol supply cap is at 100% for this asset. Further supply unavailable.\",\"zVdRUG\":\"Submission did not work, please try again later or contact wecare@avara.xyz\",\"zevmS2\":\"<0><1><2/>Add <3/> stkAAVE to borrow at <4/> (max discount)\",\"zgtIDV\":\"Remaining debt\",\"zmTPiV\":\"Supply balance\",\"zpPbZl\":\"Liquidation risk parameters\",\"zucql+\":\"Menu\",\"zwWKhA\":\"Learn more\",\"zy9fXn\":[\"Asset is frozen in \",[\"marketName\"],\" v3 market, hence this position cannot be migrated.\"],\"zys+R6\":\"Be mindful of the network congestion and gas prices.\",\"zzzTXS\":\"Merit Program rewards are claimed through the\"}")}; \ No newline at end of file +/*eslint-disable*/module.exports={messages:JSON.parse("{\"+0xecS\":[\"If you DO NOT unstake within \",[\"0\"],\" of unstake window, you will need to activate cooldown process again.\"],\"+EGVI0\":\"Receive (est.)\",\"+VR63W\":[\"Participating in this \",[\"symbol\"],\" reserve gives annualized rewards.\"],\"+bmKdK\":\"Use your AAVE, stkAAVE, or aAave balance to delegate your voting and proposition powers. You will not be sending any tokens, only the rights to vote and propose changes to the protocol. You can re-delegate or revoke power to self at any time.\",\"+eOPG+\":\"Seems like we can't switch the network automatically. Please check if you can change it from the wallet.\",\"+i3Pd2\":\"Borrow cap\",\"+kLZGu\":\"Supplied asset amount\",\"+nuEh/\":\"Estimated time\",\"+xMFF8\":\"Remind me\",\"/57U31\":\"Amount to migrate\",\"/7ykiW\":\"Borrowing this amount will reduce your health factor and increase risk of liquidation.\",\"/YA5pU\":\"E-Mode increases your LTV for a selected category of assets, meaning that when E-mode is enabled, you will have higher borrowing power over assets of the same E-mode category which are defined by Aave Governance. You can enter E-Mode from your <0>Dashboard. To learn more about E-Mode and applied restrictionn, see the <1>help guide or the <2>Aave V3 Technical Paper.\",\"/izjs/\":\"Minimum staked Aave amount\",\"/jQctM\":\"To\",\"/lDBHm\":\"FAQ\",\"/yNlZf\":\"Stable borrowing is not enabled\",\"/yQcJM\":\"Total worth\",\"00AB2i\":\"User did not borrow the specified currency\",\"00OflG\":\"There is not enough liquidity for the target asset to perform the switch. Try lowering the amount.\",\"08/rZ9\":\"The cooldown period is the time required prior to unstaking your tokens (20 days). You can only withdraw your assets from the Security Module after the cooldown period and within the unstake window.<0>Learn more\",\"0AmQcW\":\"Rate change\",\"0BF3yK\":\"Sorry, we couldn't find the page you were looking for.\",\"0TAbjq\":\"Recent Transactions\",\"0jhlyw\":\"Liquidation risk\",\"0ojY+Y\":\"Current v2 Balance\",\"0thX3P\":\"Collateral change\",\"0wGCWc\":\"This is the total amount that you are able to supply to in this reserve. You are able to supply your wallet balance up until the supply cap is reached.\",\"1AsVfF\":\"Price data is not currently available for this reserve on the protocol subgraph\",\"1LjK22\":\"Transaction history\",\"1Onqx8\":[\"Approving \",[\"symbol\"],\"...\"],\"1Ue8sX\":\"Please connect a wallet to view your personal information here.\",\"1bpx9A\":\"...\",\"1kWUB+\":\"Liquidation <0/> threshold\",\"1m9Qqc\":\"Withdrawing and Switching\",\"1oyh4g\":\"Borrow rate\",\"1t7rez\":\"Asset supply is limited to a certain amount to reduce protocol exposure to the asset and to help manage risks involved.\",\"2CAPu2\":\"You've successfully withdrew & switched tokens.\",\"2Eoi/a\":\"View details\",\"2FYpfJ\":\"More\",\"2O3qp5\":\"Available liquidity\",\"2OM8/D\":[\"Asset cannot be migrated due to supply cap restriction in \",[\"marketName\"],\" v3 market.\"],\"2Q4GU4\":\"Blocked Address\",\"2ZGocC\":\"Aave is a fully decentralized, community governed protocol by the AAVE token-holders. AAVE token-holders collectively discuss, propose, and vote on upgrades to the protocol. AAVE token-holders (Ethereum network only) can either vote themselves on new proposals or delagate to an address of choice. To learn more check out the Governance\",\"2a6G7d\":\"Please enter a valid wallet address.\",\"2bAhR7\":\"Meet GHO\",\"2eBWE6\":\"I acknowledge the risks involved.\",\"2o/xRt\":\"Supply cap on target reserve reached. Try lowering the amount.\",\"2uJToh\":[[\"0\"],[\"name\"]],\"2x58bP\":\"Stable borrowing is enabled\",\"34Qfwy\":\"Borrow cap is exceeded\",\"39eQRj\":[\"Borrow \",[\"symbol\"]],\"3BL1xB\":\"Total supplied\",\"3BnIWi\":\"Switched\",\"3K0oMo\":\"Remaining supply\",\"3MoZhl\":\"There is not enough collateral to cover a new borrow\",\"3Np5O8\":[\"Supply \",[\"symbol\"]],\"3O8YTV\":\"Total interest accrued\",\"3mXg0z\":\"Max LTV\",\"3q3mFy\":\"Repay\",\"3qsjtp\":\"The weighted average of APY for all supplied assets, including incentives.\",\"3rL+os\":\"You can only withdraw your assets from the Security Module after the cooldown period ends and the unstake window is active.\",\"42UgDM\":[\"Migrate to \",[\"0\"],\" v3 Market\"],\"49UFQA\":\"Voting results\",\"4DMZUI\":\"View Transactions\",\"4HtGBb\":\"MAX\",\"4Y5H+g\":\"Terms\",\"4YYh4d\":\"Maximum available to borrow\",\"4iPAI3\":\"Minimum GHO borrow amount\",\"4lDFps\":\"Sign to continue\",\"4wyw8H\":\"Transactions\",\"5JSSxX\":[\"Your \",[\"networkName\"],\" wallet is empty. Get free test assets at\"],\"5K7kGO\":\"documentation\",\"5NOSGa\":\"Debt ceiling limits the amount possible to borrow against this asset by protocol users. Debt ceiling is specific to assets in isolation mode and is denoted in USD.\",\"5Ncc6j\":[\"This asset has almost reached its supply cap. There can only be \",[\"messageValue\"],\" supplied to this market.\"],\"5cZ/KX\":\"Variable debt supply is not zero\",\"5che++\":\"To request access for this permissioned market, please visit: <0>Acces Provider Name\",\"5ctNdV\":[\"Minimum \",[\"0\"],\" received\"],\"5hDe9v\":\"Allowance required action\",\"5rsnKT\":\"Available rewards\",\"5yC5m5\":\"View all votes\",\"6/dCYd\":\"Overview\",\"60crCe\":\"All transactions\",\"62Xcjh\":\"Collateral\",\"65A04M\":\"Spanish\",\"6G8s+q\":\"Signing\",\"6Jrv+z\":[\"Repay \",[\"symbol\"]],\"6NGLTR\":\"Discountable amount\",\"6Xr0UU\":\"Cooling down...\",\"6bxci/\":\"Voting power\",\"6f8S68\":\"Markets\",\"6g1gi0\":\"Proposals\",\"6gvoHP\":\"Copy error message\",\"6h3Q5G\":\"repaid\",\"6lFSyT\":\"Available to Stake\",\"6s8L6f\":\"Switch Network\",\"6yAAbq\":\"APY, borrow rate\",\"70wH1Q\":\"APR\",\"72c5Qo\":\"Total\",\"73Auuq\":\"Discount parameters are decided by the Aave community and may be changed over time. Check Governance for updates and vote to participate. <0>Learn more\",\"75qcAQ\":[[\"stepName\"]],\"7ITr5L\":\"Health factor\",\"7T/o5R\":\"Reached\",\"7YlcXu\":\"Fork mode is ON\",\"7Z76Iw\":\"Borrowing is unavailable because you’re using Isolation mode. To manage Isolation mode visit your <0>Dashboard.\",\"7aKlMS\":\"Share on Lens\",\"7er5fP\":\"Claim all\",\"7hb2+s\":\"Time remaining until the withdraw period ends.\",\"7l88b8\":\"Data couldn't be fetched, please reload graph.\",\"7p5kLi\":\"Dashboard\",\"7sofdl\":\"Withdraw and Switch\",\"8+6BI0\":\"Be careful - You are very close to liquidation. Consider depositing more collateral or paying down some of your borrowed positions\",\"87pUEW\":[\"Your \",[\"name\"],\" wallet is empty. Purchase or transfer assets.\"],\"8F1i42\":\"Page not found\",\"8G8M0u\":\"Loading data...\",\"8Iu1QS\":\"withdrew\",\"8JL93T\":\"All proposals\",\"8Q51DU\":\"Add to wallet\",\"8X/oyn\":\"Invalid amount to mint\",\"8Z5FPv\":\"Disconnect Wallet\",\"8Zz7s5\":\"assets\",\"8aLW8H\":\"Balance to revoke\",\"8bOT3H\":\"Utilization Rate\",\"8sLe4/\":\"View contract\",\"8t/M0y\":\"Please connect your wallet to be able to bridge your tokens.\",\"8vETh9\":\"Show\",\"94OHPx\":\"You are entering Isolation mode\",\"9CDK3/\":[\"Borrowing is currently unavailable for \",[\"0\"],\".\"],\"9GIj3z\":\"Reserve Size\",\"9Knqb4\":\"Staking balance\",\"9OBKm7\":\"Quorum\",\"9QHoGr\":\"Current votes\",\"9Rw96f\":[\"This asset has almost reached its borrow cap. There is only \",[\"messageValue\"],\" available to be borrowed from this market.\"],\"9Xj/qR\":[\"Some migrated assets will not be used as collateral due to enabled isolation mode in \",[\"marketName\"],\" V3 Market. Visit <0>\",[\"marketName\"],\" V3 Dashboard to manage isolation mode.\"],\"9c6vDV\":\"This asset has reached its supply cap. Nothing is available to be supplied from this market.\",\"9kTWHA\":\"MAI has been paused due to a community decision. Supply, borrows and repays are impacted. <0>More details\",\"9lXchd\":\"Underlying token\",\"9rWaKF\":\"Bridged Via CCIP\",\"9xSooW\":\"Since this is a test network, you can get any of the assets if you have ETH on your wallet\",\"A/lwoe\":\"Choose one of the on-ramp services\",\"A6dCI6\":[\"Maximum amount available to borrow is <0/> \",[\"0\"],\" (<1/>).\"],\"AReoaV\":\"Your borrows\",\"ARu1L4\":\"Repaid\",\"AV7cGz\":\"Review approval tx details\",\"AZOjB8\":\"Fetching data...\",\"Ai0jas\":\"Join the community discussion\",\"Ajl2rq\":\"Borrowing power and assets are limited due to Isolation mode.\",\"AqgYNC\":\"Protocol borrow cap at 100% for this asset. Further borrowing unavailable.\",\"B3EcQR\":\"Thank you for voting!!\",\"B6aXGH\":\"Stable\",\"B9Gqbz\":\"Variable rate\",\"BDFEd+\":\"stETH supplied as collateral will continue to accrue staking rewards provided by daily rebases.\",\"BE2mP0\":\"Borrowed assets\",\"BJyN77\":\"Due to health factor impact, a flashloan is required to perform this transaction, but Aave Governance has disabled flashloan availability for this asset. Try lowering the amount or supplying additional collateral.\",\"BNL4Ep\":\"Collateral usage is limited because of isolation mode. <0>Learn More\",\"BQ/wCO\":\"Migrate your assets\",\"BjLdl1\":\"At a discount\",\"BnhYo8\":\"Asset category\",\"Bq9Y7e\":\"This asset is frozen due to an Aave community decision. <0>More details\",\"BqWMDJ\":\"Faucet\",\"BqynZO\":\"Optimized for efficiency and risk by supporting blue-chip collateral assets\",\"Bsu7zX\":\"The fee includes the gas cost to complete the transaction on the destination chain and the fee paid to Chainlink CCIP service providers. You can chose to pay in the network token or GHO. <0>Learn more\",\"BwJKBw\":\"of\",\"CDrsH+\":\"Techpaper\",\"CK1KXz\":\"Max\",\"CMHmbm\":\"Slippage\",\"CZXzs4\":\"Greek\",\"CcRNG6\":\"Switching\",\"CkTRmy\":[\"Claim \",[\"symbol\"]],\"CsqtLm\":\"Please connect your wallet to see migration tool.\",\"CtGlFb\":[[\"networkName\"],\" Faucet\"],\"Cxt2YY\":\"Watch wallet\",\"D33VQU\":\"This action will reduce health factor of V3 below liquidation threshold. Increase migrated collateral or reduce migrated borrow to continue.\",\"D9BLRG\":\"This asset has been paused due to a community decision. Supply, withdraw, borrows and repays are impacted.\",\"DAma/S\":\"Collateral is (mostly) the same currency that is being borrowed\",\"DCnFg0\":[\"Addresses (\",[\"0\"],\")\"],\"DG3Lv1\":\"I fully understand the risks of migrating.\",\"DONJcV\":\"The underlying asset cannot be rescued\",\"DR+4uL\":\"Supply balance after switch\",\"DWjrck\":[\"Asset cannot be migrated to \",[\"marketName\"],\" V3 Market due to E-mode restrictions. You can disable or manage E-mode categories in your <0>V3 Dashboard\"],\"Dj+3wB\":\"Aave per month\",\"DptNvx\":\"Amount Staked\",\"DuEq2K\":\"Collateralization\",\"DxfsGs\":\"You can report incident to our <0>Discord or<1>Github.\",\"Dzma+E\":\"Main Ethereum market with the largest selection of assets and yield options\",\"E/QGRL\":\"Disabled\",\"EBL9Gz\":\"COPIED!\",\"ES8dkb\":\"Fixed rate\",\"EZd3Dk\":[\"Restaking \",[\"symbol\"]],\"Ebgc76\":[\"Withdrawing \",[\"symbol\"]],\"EdQY6l\":\"None\",\"EjvKQ+\":\"Minimum USD value received\",\"Enslfm\":\"Destination\",\"EvE9nO\":[\"Reactivate cooldown period to unstake \",[\"0\"],\" \",[\"stakedToken\"]],\"EvECnL\":\"Migrate to v3\",\"EzMQbh\":\"The source chain time to finality is the main factor that determines the time to destination. <0>Learn more\",\"F40cwT\":\"Legacy Markets\",\"F6TdXL\":\"Learn more.\",\"FDDPeZ\":\"Users can stake their assets in the protocol and earn incentives. In the case of a shortfall event, your stake can be slashed to cover the deficit, providing an additional layer of protection for the protocol.\",\"FHlMf/\":\"Current v2 balance\",\"FHpxjF\":[\"Reserve factor is a percentage of interest which goes to a \",[\"0\"],\" that is controlled by Aave governance to promote ecosystem growth.\"],\"FOBZa6\":\"Borrow power used\",\"FPKEug\":\"Operation not supported\",\"FbmMe7\":\"Linked addresses\",\"Fdp03t\":\"on\",\"Fjw9N+\":\"Assets to supply\",\"FmN0fk\":\"Restake\",\"GDGLIs\":\"GHO is a native decentralized, collateral-backed digital asset pegged to USD. It is created by users via borrowing against multiple collateral. When user repays their GHO borrow position, the protocol burns that user's GHO. All the interest payments accrued by minters of GHO would be directly transferred to the AaveDAO treasury.\",\"GQrBTq\":\"Switch E-Mode\",\"GWswcZ\":\"This asset is frozen due to an Aave Protocol Governance decision. On the 20th of December 2022, renFIL will no longer be supported and cannot be bridged back to its native network. It is recommended to withdraw supply positions and repay borrow positions so that renFIL can be bridged back to FIL before the deadline. After this date, it will no longer be possible to convert renFIL to FIL. <0>More details\",\"GX8GKD\":\"Assets\",\"GgEj+0\":\"Read-only mode. Connect to a wallet to perform transactions.\",\"GjkIKV\":\"ends\",\"GoK/QN\":\"Thank you for submitting feedback!\",\"GtP2hp\":[\"Borrowing is unavailable because you’ve enabled Efficiency Mode (E-Mode) for \",[\"0\"],\" category. To manage E-Mode categories visit your <0>Dashboard.\"],\"H6Ma8Z\":\"Discount\",\"HB/wfS\":[[\"tooltipText\"]],\"HKDsQN\":\"Rewards can be claimed through\",\"Ha/U5f\":\"This is a program initiated and implemented by the decentralised ZKSync community. Aave Labs does not guarantee the program and accepts no liability.\",\"HciqKU\":\"This is a program initiated and implemented by the decentralised Aave community. Aave Labs does not guarantee the program and accepts no liability.\",\"Hi6Ttn\":\"Sorry, an unexpected error happened. In the meantime you may try reloading the page, or come back later.\",\"HkEDbS\":[[\"d\"],\"d\"],\"HmkYqM\":\"Unstake window\",\"HpK/8d\":\"Reload\",\"HrnC47\":\"Save and share\",\"HuVZMK\":\"Days\",\"HvJKMU\":[\"Asset cannot be migrated to \",[\"marketName\"],\" v3 Market since collateral asset will enable isolation mode.\"],\"Hvwnm9\":[\"Maximum amount available to supply is limited because protocol supply cap is at \",[\"0\"],\"%.\"],\"I8CX2c\":\"The total amount of your assets denominated in USD that can be used as collateral for borrowing assets.\",\"IAD2SB\":[\"Claiming \",[\"symbol\"]],\"IG9X9/\":\"Borrowing of this asset is limited to a certain amount to minimize liquidity pool insolvency.\",\"IOIx8L\":\"This asset is planned to be offboarded due to an Aave Protocol Governance decision. <0>More details\",\"IP+I/j\":\"Cooldown period\",\"IaA40H\":\"Liquidation at\",\"J/hVSQ\":[[\"0\"]],\"JCoxL6\":\"Manage analytics\",\"JK9zf1\":[\"Estimated compounding interest, including discount for Staking \",[\"0\"],\"AAVE in Safety Module.\"],\"JOqFba\":[\"Unstaking \",[\"symbol\"]],\"JPrLjO\":\"You can not use this currency as collateral\",\"JU6q+W\":\"Reward(s) to claim\",\"JYKRJS\":\"Stake\",\"JZMxX0\":\"Not enough balance on your wallet\",\"Jgflkm\":\"Get GHO\",\"JoMQnI\":\"Wallet balance\",\"JtwD8u\":\"Borrow balance after repay\",\"JumYTK\":\"Supplied assets\",\"K05qZY\":\"Withdraw & Switch\",\"KAz/NV\":\"Protocol debt ceiling is at 100% for this asset. Further borrowing against this asset is unavailable.\",\"KLXVqE\":[\"stETH tokens will be migrated to Wrapped stETH using Lido Protocol wrapper which leads to supply balance change after migration: \",[\"0\"]],\"KLd6ky\":\"Use connected account\",\"KRpokz\":\"VIEW TX\",\"KSlpka\":\"This represents the threshold at which a borrow position will be considered undercollateralized and subject to liquidation for each collateral. For example, if a collateral has a liquidation threshold of 80%, it means that the position will be liquidated when the debt value is worth 80% of the collateral value.\",\"KYAjf3\":\"Isolated\",\"KZwRuD\":[[\"notifyText\"]],\"KkPgim\":\"Switching E-Mode\",\"KnN1Tu\":\"Expires\",\"KoOBI2\":\"Due to internal stETH mechanics required for rebasing support, it is not possible to perform a collateral switch where stETH is the source token.\",\"KojyJ4\":\"Wrong Network\",\"KsqhWn\":\"Staking\",\"KuBTQq\":\"Enter ETH address\",\"KvG1xW\":\"Claiming\",\"L+8Lzs\":\"Current LTV\",\"L+qiq+\":\"Market\",\"LDzfVJ\":\"Send Feedback\",\"LIrMcF\":\"No voting power\",\"LL0zks\":\"Can be collateral\",\"LLdJWu\":\"Claimable AAVE\",\"LSIpNK\":\"Borrow and repay in same block is not allowed\",\"LVt3TI\":[\"<0>Slippage tolerance <1>\",[\"selectedSlippage\"],\"% <2>\",[\"0\"],\"\"],\"LjafV8\":\"Maximum collateral amount to use\",\"LtpQew\":\"Let us know how we can make the app better for you. For user support related inquiries please reach out on\",\"LvVpD/\":\"Emode\",\"M2sknc\":\"Tip: Try increasing slippage or reduce input amount\",\"M7wPsD\":\"Switch\",\"MFu33y\":\"Staking 00\",\"MIy2RJ\":\"Maximum amount received\",\"MZ/nQf\":\"Recipient address\",\"Ma/MtY\":\"staking view\",\"McHlGl\":\"APY change\",\"MeCCA+\":\"APY, variable\",\"MghdTe\":\"If the health factor goes below 1, the liquidation of your collateral might be triggered.\",\"Mm/DVQ\":\"You cancelled the transaction.\",\"MnE2QX\":\"Borrow info\",\"MrmQHg\":\"View Bridge Transactions\",\"MuDFEQ\":\"Invalid return value of the flashloan executor function\",\"N5kUMV\":\"Asset can be only used as collateral in isolation mode with limited borrowing power. To enter isolation mode, disable all other collateral.\",\"N6Pxr9\":\"View all\",\"NF0e1Q\":\"Pending...\",\"NK9ikO\":\"Wallet Balance\",\"NMt2CB\":\"Amount claimable\",\"NcFGxG\":\"Collector Contract\",\"NfpPeS\":\"Nothing staked\",\"Nh9DAo\":[[\"m\"],\"m\"],\"O+sCUU\":\"Unbacked mint cap is exceeded\",\"O+tyU+\":[\"Maximum amount available to borrow against this asset is limited because debt ceiling is at \",[\"0\"],\"%.\"],\"O3oNi5\":\"Email\",\"OFjZGo\":\"Unstake\",\"OR8cYX\":\"Proposal overview\",\"OYuJ9K\":\"Protocol debt ceiling is at 100% for this asset. Futher borrowing against this asset is unavailable.\",\"OfhWJH\":\"Reset\",\"Og2SKn\":\"disabled\",\"On0aF2\":\"Website\",\"OsyKSt\":\"Withdraw\",\"P1dURE\":\"Revoke power\",\"P2WCD/\":[\"Underlying asset does not exist in \",[\"marketName\"],\" v3 Market, hence this position cannot be migrated.\"],\"P2sL6B\":\"When a liquidation occurs, liquidators repay up to 50% of the outstanding borrowed amount on behalf of the borrower. In return, they can buy the collateral at a discount and keep the difference (liquidation penalty) as a bonus.\",\"P6sRoL\":\"Stake ABPT\",\"P72/OW\":\"The weighted average of APY for all borrowed assets, including incentives.\",\"P7e6Ug\":\"Please connect your wallet to view transaction history.\",\"PByO0X\":\"Votes\",\"PI+kVe\":\"Disable fork\",\"PJK9u/\":\"Borrow apy\",\"PLUB/s\":\"Fee\",\"PP5ZA8\":[\"Participating in staking \",[\"symbol\"],\" gives annualized rewards. Your wallet balance is the sum of your aTokens and underlying assets. The breakdown to stake is below\"],\"PcBUgb\":\"Liquidation threshold\",\"PjU6bu\":\"This asset is eligible for SPK incentive program. Aave Labs does not guarantee the program and accepts no liability.\",\"PpqD5g\":\"Enabling this asset as collateral increases your borrowing power and Health Factor. However, it can get liquidated if your health factor drops below 1.\",\"PsOFSf\":\"This action will reduce V2 health factor below liquidation threshold. retain collateral or migrate borrow position to continue.\",\"Pu4bI/\":[[\"currentMethod\"]],\"Q0LzKi\":\"View TX\",\"Q4eNqa\":\"The Aave Balancer Pool Token (ABPT) is a liquidity pool token. You can receive ABPT by depositing a combination of AAVE + wstETH in the Balancer liquidity pool. You can then stake your BPT in the Safety Module to secure the protocol and earn Safety Incentives.\",\"QQYsQ7\":\"Withdrawing\",\"QWYCs/\":\"Stake GHO\",\"R+30X3\":\"Not reached\",\"RCU5PY\":\"Age\",\"RIfckG\":[\"Disable \",[\"symbol\"],\" as collateral\"],\"RMtxNk\":\"Differential\",\"RNK49r\":\"Invalid signature\",\"RS0o7b\":\"State\",\"RU+LqV\":\"Proposal details\",\"RYTgZX\":\"lorem ipsum\",\"RbXH+k\":\"AAVE, GHO, and ABPT holders (Ethereum network only) can stake their assets in the Safety Module to add more security to the protocol and earn Safety Incentives. In the case of a shortfall event, your stake can be slashed to cover the deficit, providing an additional layer of protection for the protocol.\",\"RiSYV4\":\"Asset is not listed\",\"Rj01Fz\":\"Links\",\"RmWFEe\":\"Staking APR\",\"RoafuO\":\"Send feedback\",\"RtBLm7\":\"Health factor is lesser than the liquidation threshold\",\"RxzN1M\":\"Enabled\",\"SDav7h\":\"Funds in the Safety Module\",\"SENccp\":\"If the error continues to happen,<0/> you may report it to this\",\"SIWumd\":\"Show Frozen or paused assets\",\"SM58dD\":\"Amount in cooldown\",\"SSMiac\":\"Failed to load proposal voters. Please refresh the page.\",\"SSQVIz\":\"Liquidation Threshold\",\"SUb8x0\":\"Total available\",\"SWIgh4\":\"Fees exceed wallet balance\",\"SY9hVo\":\"Read-only mode allows to see address positions in Aave, but you won't be able to perform transactions.\",\"SZRUQ4\":\"Max slippage\",\"Sa1UE/\":\"Protocol borrow cap is at 100% for this asset. Further borrowing unavailable.\",\"Sk2zW9\":\"Disabling E-Mode\",\"SxaD0o\":\"Pool addresses provider is not registered\",\"T/AIqG\":\"Protocol supply cap at 100% for this asset. Further supply unavailable.\",\"T0xCO9\":\"Can't validate the wallet address. Try again.\",\"T4OhVl\":\"GHO balance\",\"T6uYU2\":\"Borrow\",\"TFxQlw\":\"Liquidation penalty\",\"TQ7WsV\":\"Available to stake\",\"TUI7iB\":\"Asset can only be used as collateral in isolation mode only.\",\"TbjyhA\":\"Docs\",\"TduuS0\":\"User does not have outstanding stable rate debt on this reserve\",\"TeCFg/\":\"Borrow rate change\",\"Tg1JyO\":\"Bridge history\",\"TskbEN\":\"Holders of stkAAVE receive a discount on the GHO borrowing rate\",\"TszKts\":\"Borrow balance after switch\",\"TtZL6q\":\"Discount model parameters\",\"TwJI9F\":\"Asset has been successfully sent to CCIP contract. You can check the status of the transactions below\",\"Tz0GSZ\":\"blocked activities\",\"U/eBjN\":\"Reload the page\",\"U2r8nY\":\"Choose how much voting/proposition power to give to someone else by delegating some of your AAVE, stkAAVE or aAave balance. Your tokens will remain in your account, but your delegate will be able to vote or propose on your behalf. If your AAVE, stkAAVE or aAave balance changes, your delegate's voting/proposition power will be automatically adjusted.\",\"U8IubP\":\"The app is running in testnet mode. Learn how it works in\",\"U9btTk\":\"Asset is not borrowable in isolation mode\",\"UAOZRe\":\"Price impact is the spread between the total value of the entry tokens switched and the destination tokens obtained (in USD), which results from the limited liquidity of the trading pair.\",\"UE3KJZ\":\"Transaction history is not currently available for this market\",\"URmyfc\":\"Details\",\"UTTKmT\":\"Stake cooldown activated\",\"UXeR72\":\"These funds have been borrowed and are not available for withdrawal at this time.\",\"UYb8CM\":\"Learn more about the SPK rewards\",\"UbRrG0\":\"The Maximum LTV ratio represents the maximum borrowing power of a specific collateral. For example, if a collateral has an LTV of 75%, the user can borrow up to 0.75 worth of ETH in the principal currency for every 1 ETH worth of collateral.\",\"UpndFj\":\"No rewards to claim\",\"V0f2Xv\":\"Reserve factor\",\"V1HK43\":\"Migration risks\",\"VATFH9\":\"Covered debt\",\"VHOVEJ\":\"Connect wallet\",\"VMfYUK\":\"Safety of your deposited collateral against the borrowed assets and its underlying value.\",\"VOAZJh\":\"Total borrows\",\"ViKYxK\":\"YAE\",\"W1SSoD\":\"Review tx details\",\"W5hVah\":\"Nothing supplied yet\",\"W5kTFy\":\"Voting\",\"W8ekPc\":\"Back to Dashboard\",\"WMPbRK\":\"Unbacked\",\"WNGZwH\":\"E-Mode increases your LTV for a selected category of assets up to<0/>. <1>Learn more\",\"WPWG/y\":\"Reserve status & configuration\",\"WZLQSU\":\"User cannot withdraw more than the available balance\",\"WaZyaV\":\"<0>Ampleforth is a rebasing asset. Visit the <1>documentation to learn more.\",\"WfU+XN\":\"Because this asset is paused, no actions can be taken until further notice\",\"Wjmqs2\":\"No results found. You can import a custom token with a contract address\",\"WkZ6C6\":\"To borrow you need to supply any asset to be used as collateral.\",\"WyMiQm\":\"You've successfully switched tokens.\",\"X/ITG9\":\"Copy error text\",\"X3Pp6x\":\"Used as collateral\",\"X4Zt7j\":\"Action cannot be performed because the reserve is paused\",\"XBdKOj\":\"Representative smart contract wallet (ie. Safe) addresses on other chains.\",\"XZzneG\":\"You will exit isolation mode and other tokens can now be used as collateral\",\"Xg5y9S\":\"Amount to Bridge\",\"Xn4hUi\":\"Please always be aware of your <0>Health Factor (HF) when partially migrating a position and that your rates will be updated to V3 rates.\",\"Xy71ST\":\"Umbrella\",\"Y5kGkc\":\"VOTE NAY\",\"YDIOks\":\"Enabling E-Mode\",\"YSodyW\":\"This action will reduce your health factor. Please be mindful of the increased risk of collateral liquidation.\",\"YXOWXM\":\"The total amount bridged minus CCIP fees. Paying in network token does not impact gho amount.\",\"YirHq7\":\"Feedback\",\"YogbCJ\":\"Testnet mode is ON\",\"YrDxdO\":\"If your loan to value goes above the liquidation threshold your collateral supplied may be liquidated.\",\"YyIM65\":\"Interest rate rebalance conditions were not met\",\"YyydIq\":[\"Add \",[\"0\"],\" to wallet to track your balance.\"],\"ZBvhI+\":\"Aave Governance\",\"ZIIRAd\":\"Raw-Ipfs\",\"ZRq4tX\":\"Efficiency mode (E-Mode)\",\"ZSqEW+\":\"Manage E-Mode\",\"ZUFYFE\":\"Disable testnet\",\"Zbyywy\":\"Max slashing\",\"ZfUGFb\":\"Before supplying\",\"ZiXN+B\":\"Assets to stake\",\"ZlsSDH\":\"Liquidation value\",\"ZrEc8j\":\"We couldn't find any assets related to your search. Try again with a different asset name, symbol, or address.\",\"ZsLF7e\":\"enabled\",\"a0YQoQ\":\"Enter a valid address\",\"a2fBZn\":\"Time left to unstake\",\"a5RYZd\":\"Disabling this asset as collateral affects your borrowing power and Health Factor.\",\"a7u1N9\":\"Price\",\"a9D+6D\":\"Unstaked\",\"aEtiwq\":\"Vote NAY\",\"aMmFE1\":\"Buy Crypto With Fiat\",\"aOKIms\":\"Array parameters that should be equal length are not\",\"aX31hk\":\"Your balance is lower than the selected amount.\",\"adUsDd\":\"An error has occurred fetching the proposal.\",\"al6Pyz\":\"Exceeds the discount\",\"aoXTT7\":\"Borrow APY, variable\",\"aqX1Yp\":\"This asset is eligible for rewards through SuperFest. Aave Labs does not guarantee the program and accepts no liability.\",\"avgETN\":\"Eligible for the Merit program.\",\"b4NS3e\":\"Cooldown period warning\",\"bNEQeI\":\"Cooldown\",\"bSruit\":\"ZKSync Ignite Program rewards are claimed through the\",\"bUUVED\":\"Asset\",\"bXQ/Og\":\"Share on twitter\",\"bXr0ee\":\"Isolated assets have limited borrowing power and other assets cannot be used as collateral.\",\"bYmAV1\":\"Addresses\",\"bguKoJ\":\"The requested amount is greater than the max loan size in stable rate mode\",\"bwSQI0\":\"Supply\",\"bxN6EM\":\"Cannot disable E-Mode\",\"bxmzSh\":\"Not enough collateral to repay this amount of debt with\",\"c91vuQ\":\"Address is not a contract\",\"c97os2\":\"Aave aToken\",\"c9b44w\":\"You can not withdraw this amount because it will cause collateral call\",\"cBc+4A\":\"This is the total amount available for you to borrow. You can borrow based on your collateral and until the borrow cap is reached.\",\"cIl5kp\":\"Your voting power is based on your AAVE/stkAAVE balance and received delegations.\",\"cLo09S\":\"Risk details\",\"cNT+ij\":\"Borrowing is unavailable because you’ve enabled Efficiency Mode (E-Mode) and Isolation mode. To manage E-Mode and Isolation mode visit your <0>Dashboard.\",\"cZOeBk\":\"Something went wrong fetching bridge message, please try again later.\",\"ceix5S\":\"To submit a proposal for minor changes to the protocol, you'll need at least 80.00K power. If you want to change the core code base, you'll need 320k power.<0>Learn more.\",\"ciybUa\":\"Vote YAE\",\"ckf7gX\":[\"Repaying \",[\"symbol\"]],\"cp1ZDP\":[\"Bridge \",[\"symbol\"]],\"cqnmnD\":\"Effective interest rate\",\"cqwIvs\":\"Forum discussion\",\"csDS2L\":\"Available\",\"cu7Stb\":\"You did not participate in this proposal\",\"dE6BLF\":\"Governance\",\"dEgA5A\":\"Cancel\",\"dIsyWh\":\"Ltv validation failed\",\"dMtLDE\":\"to\",\"dOB5nW\":[\"Maximum amount available to supply is <0/> \",[\"0\"],\" (<1/>).\"],\"dVfODp\":\"You don’t have enough funds in your wallet to repay the full amount. If you proceed to repay with your current amount of funds, you will still have a small borrowing position in your dashboard.\",\"dXUQFX\":\"Assets to borrow\",\"dgr1aY\":\"Borrowing is disabled due to an Aave community decision. <0>More details\",\"djsg0o\":\"Collateral usage\",\"dpc0qG\":\"Variable\",\"drdV8R\":\"Liquidation\",\"dxW8cS\":\"Aave debt token\",\"e4V3oW\":\"Top 10 addresses\",\"eD8WX/\":\"Action requires an active reserve\",\"eJRJ04\":\"Amount to unstake\",\"eLh0cL\":\"Slippage is the difference between the quoted and received amounts from changing market conditions between the moment the transaction is submitted and its verification.\",\"ePK91l\":\"Edit\",\"eVpCmf\":\"Staking Rewards\",\"eVqvtf\":\"Bridge GHO\",\"eYdurp\":\"No transactions yet.\",\"ebLGGN\":\"Total borrowed\",\"ecqEvn\":\"The collateral balance is 0\",\"efdrrk\":\"Available on\",\"enruNF\":\"starts\",\"eqLYiD\":\"Unstake now\",\"euScGB\":\"APY with discount applied\",\"evw5ha\":\"Net worth\",\"ezcU16\":\"Get ABP Token\",\"f3W0Ej\":[\"You switched to \",[\"0\"],\" rate\"],\"fH9i8k\":\"You've successfully switched borrow position.\",\"fHcELk\":\"Net APR\",\"fMJQZK\":\"Borrowed\",\"fZ5Vnu\":\"Received\",\"firl9Q\":\"Your current loan to value based on your collateral supplied.\",\"flRCF/\":\"Staking discount\",\"fldjW9\":\"Preview tx and migrate\",\"fsBGk0\":\"Balance\",\"fu1Dbh\":[\"Withdraw \",[\"symbol\"]],\"fwjWSI\":\"Supplied\",\"fwyTMb\":\"Migrate to stkABPT v2\",\"g0mals\":\"You can not disable E-Mode because that could cause liquidation. To exit E-Mode supply or repay borrowed positions.\",\"g2UNkE\":\"Powered by\",\"g8KGoA\":\"FAQS\",\"g9zzqS\":\"Voted NAY\",\"gDd2gk\":\"about SuperFest.\",\"gFFh9h\":\"All done!\",\"gIMJlW\":\"Testnet mode\",\"gOzPxe\":\"This asset is frozen due to an Aave Protocol Governance decision. <0>More details\",\"gTHi2T\":\"User is trying to borrow multiple assets including a siloed one\",\"gVW59Y\":\"Please connect your wallet to get free testnet assets.\",\"gcFNxP\":\"Approve Confirmed\",\"gncRUO\":\"This address is blocked on app.aave.com because it is associated with one or more\",\"goff7V\":\"Zero address not valid\",\"gp+f1B\":\"Version 3\",\"gr8mYw\":\"You may borrow up to <0/> GHO at <1/> (max discount)\",\"gvTM4B\":\"Net APY is the combined effect of all supply and borrow positions on net worth, including incentives. It is possible to have a negative net APY if debt APY is higher than supply APY.\",\"gzcch9\":\"Invalid bridge protocol fee\",\"h33MxW\":\"Representing smart contract wallet (ie. Safe) addresses on other chains.\",\"h3ilK+\":\".CSV\",\"hB23LY\":\"Activate Cooldown\",\"hIJzBh\":\"Available to Claim\",\"hIS4N0\":\"Net APY\",\"hRWvpI\":\"Claimed\",\"hdmy/o\":\"The % of your total borrowing power used. This is based on the amount of your collateral supplied and the total amount that you can borrow.\",\"hehnjM\":\"Amount\",\"hjDCQr\":\"There was some error. Please try changing the parameters or <0><1>copy the error\",\"hom7qf\":\"Claim\",\"hpHJ4I\":\"Liquidated collateral\",\"hpuVIp\":\"Users who stake AAVE in Safety Module (i.e. stkAAVE holders) receive a discount on GHO borrow interest rate.\",\"huQ6Tz\":[\"Borrowing \",[\"symbol\"]],\"hxi7vE\":\"Borrow balance\",\"i2JTiw\":\"You may enter a custom amount in the field.\",\"iB5+/J\":\"About GHO\",\"iChbOF\":\"Inconsistent flashloan parameters\",\"iEPVHF\":\"Not enough voting power to participate in this proposal\",\"iEW87X\":\"Delegated power\",\"iEju36\":[\"You voted \",[\"0\"]],\"iFq2YN\":\"Borrowable\",\"iGxyIA\":\"Safety Module\",\"iMVZk9\":\"Select slippage tolerance\",\"iPMIoT\":\"Enter an amount\",\"iSLIjg\":\"Connect\",\"iUo5rv\":\"tokens is not the same as staking them. If you wish to stake your\",\"iZxa38\":\"Use it to vote for or against active proposals.\",\"if5PH+\":\"Collector Info\",\"igkfR1\":[\"In Isolation mode, you cannot supply other assets as collateral. A global debt ceiling limits the borrowing power of the isolated asset. To exit isolation mode disable \",[\"0\"],\" as collateral before borrowing another asset. Read more in our <0>FAQ\"],\"il0sEG\":\"Collateral usage is limited because of Isolation mode.\",\"j+K1Xj\":\"Amount After Fee\",\"jA2QeW\":\"Supplying your\",\"jFi7dz\":\"Interest rate that is determined by Aave Governance. This rate may be changed over time depending on the need for the GHO supply to contract/expand. <0>Learn more\",\"jG3UJ7\":\"Disable E-Mode\",\"jKYzR1\":\"Enable E-Mode\",\"jMam5g\":[[\"0\"],\" Balance\"],\"jSYv+Z\":\"Enabling E-Mode allows you to maximize your borrowing power, however, borrowing is restricted to assets within the selected category. <0>Learn more about how it works and the applied restrictions.\",\"jaKbwW\":[[\"s\"],\"s\"],\"jbFMap\":\"Cooldown time left\",\"jeMZNr\":[[\"0\"],\" on-ramp service is provided by External Provider and by selecting you agree to Terms of the Provider. Your access to the service might be reliant on the External Provider being operational.\"],\"jfl9OP\":\"Migrated\",\"jmXdoY\":\"In E-Mode some assets are not borrowable. Exit E-Mode to get access to all assets\",\"jpctdh\":\"View\",\"jqzUyM\":\"Unavailable\",\"k/sb6z\":\"Select language\",\"k3wP3f\":\"<0>Attention: Parameter changes via governance can alter your account health factor and risk of liquidation. Follow the <1>Aave governance forum for updates.\",\"kACpF3\":[\"Claim \",[\"0\"]],\"kH6wUX\":\"Price impact\",\"kIC28N\":\"Available to claim\",\"kIpSye\":[[\"numSelected\"],\"/\",[\"numAvailable\"],\" assets selected\"],\"kN1Yg5\":\"To repay on behalf of a user an explicit amount to repay is needed\",\"kRTD40\":[\"Repayment amount to reach \",[\"0\"],\"% utilization\"],\"kjN9tT\":\"Supply cap is exceeded\",\"knxE+G\":\".JSON\",\"ks2LWT\":\"Debt ceiling is not zero\",\"kwwn6i\":\"Users who stake AAVE in Safety Module (i.e. stkAAVE holders) receive a discount on GHO borrow interest rate. The discount applies to 100 GHO for every 1 stkAAVE held. Use the calculator below to see GHO borrow rate with the discount applied.\",\"kz3wtK\":\"and about SPK program\",\"kzZyM4\":\"DAI balance will be converted via DSR contracts and then supplied as sDAI. Switching incurs no additional costs and no slippage.\",\"lNVG7i\":\"Select an asset\",\"lU2d1/\":[\"Asset cannot be migrated due to insufficient liquidity or borrow cap limitation in \",[\"marketName\"],\" v3 market.\"],\"lVhKKI\":\"Voted YAE\",\"lWLqxB\":\"We couldn't find any transactions related to your search. Try again with a different asset name, or reset filters.\",\"lYGfRP\":\"English\",\"lfEjIE\":\"Learn more in our <0>FAQ guide\",\"lt6bpt\":\"Collateral to repay with\",\"m/IEhi\":\"Total emission per day\",\"m7r7Hh\":\"Selected borrow assets\",\"mDDK4p\":\"Balancer Pool\",\"mIM0qu\":\"Expected amount to repay\",\"mUAFd6\":\"Version 2\",\"masO5Z\":\"E-Mode increases your LTV for a selected category of assets. <0>Learn more\",\"mdNjKU\":[\"Your \",[\"name\"],\" wallet is empty. Purchase or transfer assets or use <0>\",[\"0\"],\" to transfer your \",[\"network\"],\" assets.\"],\"muiOng\":[\"Buy \",[\"cryptoSymbol\"],\" with Fiat\"],\"mvCXBY\":\"Stake AAVE\",\"mwdzil\":\"Ok, Close\",\"mzI/c+\":\"Download\",\"mzdIia\":\"Asset cannot be used as collateral.\",\"n+SX4g\":\"Developers\",\"n8Psk4\":\"We couldn’t detect a wallet. Connect a wallet to stake and view your balance.\",\"nJIhzm\":\"Supply apy\",\"nJgsQu\":\"With a voting power of <0/>\",\"nLC6tu\":\"French\",\"nN2T8p\":\"During the cooldown period, you will not earn any merit rewards. However, rewards earned up to this point will remain unaffected.\",\"nNHV0z\":\"Migrating multiple collaterals and borrowed assets at the same time can be an expensive operation and might fail in certain situations.<0>Therefore it’s not recommended to migrate positions with more than 5 assets (deposited + borrowed) at the same time.\",\"nNbnzu\":\"Proposition\",\"nOy4ob\":\"We suggest you go back to the Dashboard.\",\"nPGNMh\":\"Can be executed\",\"nUK1ou\":[\"Assets with zero LTV (\",[\"0\"],\") must be withdrawn or disabled as collateral to perform this action\"],\"nakd8r\":\"stkAAVE holders get a discount on GHO borrow rate\",\"nh2EJK\":[\"Please switch to \",[\"networkName\"],\".\"],\"njBeMm\":\"Both\",\"noN5Xf\":\"We couldn’t detect a wallet. Connect a wallet to view your staking positions and rewards.\",\"ntkAoE\":\"Discount applied for <0/> staking AAVE\",\"ntyFSE\":[[\"h\"],\"h\"],\"nwtY4N\":\"Something went wrong\",\"nxyWvj\":\"Withdrawing this amount will reduce your health factor and increase risk of liquidation.\",\"o17QVP\":\"Your health factor and loan to value determine the assurance of your collateral. To avoid liquidations you can supply more collateral or repay borrow positions.\",\"o1xc2V\":\"AToken supply is not zero\",\"o4tCu3\":\"Borrow APY\",\"o5ooMr\":\"Debt\",\"o7J4JM\":\"Filter\",\"oHFrpj\":\"Cooldown to unstake\",\"oJ5ZiG\":\"User does not have outstanding variable rate debt on this reserve\",\"oRBGin\":\"Please connect your wallet to be able to switch your tokens.\",\"oUwXhx\":\"Test Assets\",\"oWklJD\":\"Stable interest rate will <0>stay the same for the duration of your loan. Recommended for long-term loan periods and for users who prefer predictability.\",\"odnIK3\":\"Time remaining until the 48 hour withdraw period starts.\",\"oiK5nY\":\"The current incentives period, decided on by the Aave community, has ended. Governance is in the process on renewing, check for updates. <0>Learn more.\",\"olREoo\":\"All borrow positions outside of this category must be closed to enable this category.\",\"om/XHs\":\"Available to supply\",\"ov0+mq\":\"Eligible for the ZKSync Ignite program.\",\"ovT1pF\":[\"Per the community, the \",[\"market\"],\" has been frozen.\"],\"ow3fug\":\"Nothing found\",\"owSsI3\":\"Signatures ready\",\"p+R52m\":\"Go to Balancer Pool\",\"p2A+s1\":[\"The cooldown period is \",[\"0\"],\". After \",[\"1\"],\" of cooldown, you will enter unstake window of \",[\"2\"],\". You will continue receiving rewards during cooldown and unstake window.\"],\"p2S64u\":\"The loan to value of the migrated positions would cause liquidation. Increase migrated collateral or reduce migrated borrow to continue.\",\"p2Z2Qi\":\"This asset has reached its borrow cap. Nothing is available to be borrowed from this market.\",\"p3j+mb\":\"Your reward balance is 0\",\"p45alK\":\"Set up delegation\",\"p6u2s1\":\"Minimum amount of debt to be repaid\",\"pDgeaz\":[[\"title\"]],\"pdZqBk\":\"The underlying balance needs to be greater than 0\",\"pgWG9H\":\"Not enough staked balance\",\"piPrJ7\":\"please check that the amount you want to supply is not currently being used for staking. If it is being used for staking, your transaction might fail.\",\"pjO/iH\":\"Minimum amount received\",\"pooutM\":\"Voting is on\",\"pqaM5s\":\"Confirming transaction\",\"ptaxX3\":[\"I understand how cooldown (\",[\"0\"],\") and unstaking (\",[\"1\"],\") work\"],\"py2iiY\":\"The caller of this function must be a pool\",\"q/51mF\":\"Migrate to V3\",\"q3df11\":\"Interest rate strategy\",\"q6lAbz\":\"Staked\",\"qB4kPi\":\"Supply APY\",\"qENI8q\":\"Global settings\",\"qGz5zl\":\"Collateral balance after repay\",\"qOqbD6\":\"copy the error\",\"qXCkEM\":\"Please connect your wallet to see your supplies, borrowings, and open positions.\",\"qY2jnw\":\"Invalid expiration\",\"qf/fr+\":\"Interest accrued\",\"quYPUU\":\"Variable interest rate will <0>fluctuate based on the market conditions.\",\"quzIeW\":\"User is in isolation mode or LTV is zero\",\"qvnz3q\":\"Invalid amount to burn\",\"rHgdb0\":\"Migrate to Aave V3\",\"rOrHHe\":\"Amount must be greater than 0\",\"rQ+R+0\":\"Selected supply assets\",\"rSayea\":\"APY\",\"rTBDeu\":[\"Asset cannot be migrated because you have isolated collateral in \",[\"marketName\"],\" v3 Market which limits borrowable assets. You can manage your collateral in <0>\",[\"marketName\"],\" V3 Dashboard\"],\"rcT+yy\":\"Show assets with 0 balance\",\"rf8POi\":\"Borrowed asset amount\",\"riNWOA\":\"E-Mode\",\"rjGI/Q\":\"Privacy\",\"rnKPW1\":\"Watch a wallet balance in read-only mode\",\"ruc7X+\":\"Add stkAAVE to see borrow APY with the discount\",\"rvbaFU\":[\"Bridging \",[\"symbol\"]],\"rwVVB7\":\"Claim all rewards\",\"rwyUva\":\"These assets are temporarily frozen or paused by Aave community decisions, meaning that further supply / borrow, or rate swap of these assets are unavailable. Withdrawals and debt repayments are allowed. Follow the <0>Aave governance forum for further updates.\",\"rxJW5W\":\"Your proposition power is based on your AAVE/stkAAVE balance and received delegations.\",\"s2jJnW\":\"You don't have any bridge transactions\",\"s5wBAq\":[\"Unstake \",[\"symbol\"]],\"sJbIdI\":\"Enter ETH address or ENS\",\"sK+Nag\":\"Review tx\",\"sP2+gB\":\"NAY\",\"sQv06Y\":\"for\",\"sTtO6J\":\"Confirm transaction\",\"sXKb3l\":\"Exchange rate\",\"sb0q4+\":\"You unstake here\",\"smJNwH\":\"Available to borrow\",\"solypO\":\"Health factor is not below the threshold\",\"sr0UJD\":\"Go Back\",\"ss5GCK\":\"The address of the pool addresses provider is invalid\",\"swEgK4\":\"Your voting info\",\"t+wtgf\":\"Nothing borrowed yet\",\"t/YqKh\":\"Remove\",\"t81DpC\":[\"Approve \",[\"symbol\"],\" to continue\"],\"tCnbEs\":\"Oracle price\",\"tFZLf8\":\"This gas calculation is only an estimation. Your wallet will set the price of the transaction. You can modify the gas settings directly from your wallet provider.\",\"tHuvQI\":\"Go to V3 Dashboard\",\"tKv7cI\":\"Switch borrow position\",\"tOcg3N\":\"Since this asset is frozen, the only available actions are withdraw and repay which can be accessed from the <0>Dashboard\",\"tOuXfv\":[\"Borrow amount to reach \",[\"0\"],\"% utilization\"],\"te9Bfl\":\"Please, connect your wallet\",\"tt5yma\":\"Your supplies\",\"ttoh5c\":\"Switch to\",\"u3ZeYl\":\"Transaction failed\",\"u706uF\":\"Invalid flashloan premium\",\"u8Gfu7\":[\"No search results\",[\"0\"]],\"uAQUqI\":\"Status\",\"uHMwk8\":\"No assets selected to migrate.\",\"uJPHuY\":\"Migrating\",\"uY8O30\":\"To continue, you need to grant Aave smart contracts permission to move your funds from your wallet. Depending on the asset and wallet you use, it is done by signing the permission message (gas free), or by submitting an approval transaction (requires gas). <0>Learn more\",\"udFheE\":\"For repayment of a specific type of debt, the user needs to have debt that type\",\"ulNuNq\":\"Export data to\",\"ulup2p\":\"Buy Crypto with Fiat\",\"umICAY\":\"<0><1><2/>Add stkAAVE to see borrow rate with discount\",\"usB84Z\":\"Maximum amount available to borrow is limited because protocol borrow cap is nearly reached.\",\"uwAUvj\":\"COPY IMAGE\",\"v8x7Mg\":\"Insufficient collateral to cover new borrow position. Wallet must have borrowing power remaining to perform debt switch.\",\"vEqxH9\":\"Restaked\",\"vLyv1R\":\"Hide\",\"vMba49\":\"Borrowing is not enabled\",\"vMpNwt\":\"Approve with\",\"vXIe7J\":\"Language\",\"vesuBJ\":\"Allows you to decide whether to use a supplied asset as collateral. An asset used as collateral will affect your borrowing power and health factor.\",\"w+V9Cx\":\"Stablecoin\",\"w/JtJ3\":\"Stable debt supply is not zero\",\"w4VBY+\":\"Rewards APR\",\"w9dLMW\":[[\"label\"]],\"wAOL+X\":[\"You \",[\"action\"],\" <0/> \",[\"symbol\"]],\"wBIsjb\":\"Discord channel\",\"wQZbc/\":\"The caller of the function is not an AToken\",\"wRRqvW\":\"You do not have supplies in this currency\",\"wZFvVU\":\"VOTE YAE\",\"wb/r1O\":[\"Faucet \",[\"0\"]],\"wdxz7K\":\"Source\",\"weH1nG\":\"The Aave Protocol is programmed to always use the price of 1 GHO = $1. This is different from using market pricing via oracles for other crypto assets. This creates stabilizing arbitrage opportunities when the price of GHO fluctuates.\",\"wh7Ezv\":\"You have no AAVE/stkAAVE/aAave balance to delegate.\",\"wlsIx7\":\"With testnet Faucet you can get free assets to test the Aave Protocol. Make sure to switch your wallet provider to the appropriate testnet network, select desired asset, and click ‘Faucet’ to get tokens transferred to your wallet. The assets on a testnet are not “real,” meaning they have no monetary value. <0>Learn more\",\"wmE285\":\"Get ABP v2 Token\",\"wyRrcJ\":\"As a result of governance decisions, this ABPT staking pool is now deprecated. You have the flexibility to either migrate all of your tokens to v2 or unstake them without any cooldown period.\",\"x5KiLL\":\"Selected assets have successfully migrated. Visit the Market Dashboard to see them.\",\"x7F2p6\":\"Current differential\",\"x7K5ib\":[\"Your \",[\"networkName\"],\" wallet is empty. Get free test \",[\"0\"],\" at\"],\"x9iLRD\":\"tokens, please go to the\",\"xNy/UG\":\"Repay with\",\"xPm8wv\":\"Learn more about risks involved\",\"xXYpZl\":[[\"0\"],\" Faucet\"],\"xaVBSS\":\"Your info\",\"xaWZ6f\":\"APY type change\",\"xh6k71\":\"Collateral usage is limited because of isolation mode.\",\"xvIklc\":\"Flashloan is disabled for this asset, hence this position cannot be migrated.\",\"y5rS9U\":\"Migrate\",\"y66tBm\":[\"Enable \",[\"symbol\"],\" as collateral\"],\"yB1YpA\":\"Dark mode\",\"yCrG6m\":\"Total market size\",\"yJUUbn\":\"Transaction overview\",\"yLGmLX\":[\"Restake \",[\"symbol\"]],\"yW1oWB\":\"APY type\",\"yYHqJe\":\"Not a valid address\",\"yZwLw6\":\"Track wallet\",\"yh2sjd\":[\"Price impact \",[\"0\"],\"%\"],\"yhvj6d\":\"You can not switch usage as collateral mode for this currency, because it will cause collateral call\",\"ylmtBZ\":\"The app is running in fork mode.\",\"ymNY32\":[\"There are not enough funds in the\",[\"0\"],\"reserve to borrow\"],\"yz7wBu\":\"Close\",\"z4uGQg\":\"Debt ceiling is exceeded\",\"z5UQOM\":\"The collateral chosen cannot be liquidated\",\"z5Y+p6\":[\"Supplying \",[\"symbol\"]],\"zCjNKs\":\"Action cannot be performed because the reserve is frozen\",\"zRHytX\":\"Isolated Debt Ceiling\",\"zTOjMP\":\"Protocol supply cap is at 100% for this asset. Further supply unavailable.\",\"zVdRUG\":\"Submission did not work, please try again later or contact wecare@avara.xyz\",\"zevmS2\":\"<0><1><2/>Add <3/> stkAAVE to borrow at <4/> (max discount)\",\"zgtIDV\":\"Remaining debt\",\"zmTPiV\":\"Supply balance\",\"zpPbZl\":\"Liquidation risk parameters\",\"zucql+\":\"Menu\",\"zwWKhA\":\"Learn more\",\"zy9fXn\":[\"Asset is frozen in \",[\"marketName\"],\" v3 market, hence this position cannot be migrated.\"],\"zys+R6\":\"Be mindful of the network congestion and gas prices.\",\"zzzTXS\":\"Merit Program rewards are claimed through the\"}")}; \ No newline at end of file diff --git a/src/locales/en/messages.po b/src/locales/en/messages.po index cb392767e3..4c4e9f3cc6 100644 --- a/src/locales/en/messages.po +++ b/src/locales/en/messages.po @@ -817,6 +817,10 @@ msgstr "Asset cannot be migrated to {marketName} V3 Market due to E-mode restric msgid "Aave per month" msgstr "Aave per month" +#: src/modules/umbrella/StakeAssets/UmbrellaAssetsList.tsx +msgid "Amount Staked" +msgstr "Amount Staked" + #: src/components/transactions/FlowCommons/TxModalDetails.tsx #: src/components/transactions/Swap/SwapModalDetails.tsx #: src/modules/history/actions/ActionDetails.tsx @@ -1029,6 +1033,7 @@ msgstr "This asset is planned to be offboarded due to an Aave Protocol Governanc #: src/components/transactions/StakeCooldown/StakeCooldownModalContent.tsx #: src/modules/staking/StakingPanel.tsx +#: src/modules/umbrella/AmountStakedItem.tsx msgid "Cooldown period" msgstr "Cooldown period" @@ -1083,9 +1088,8 @@ msgstr "Reward(s) to claim" #: src/components/transactions/Stake/StakeActions.tsx #: src/modules/staking/StakingPanel.tsx #: src/modules/staking/StakingPanel.tsx -#: src/modules/umbrella/StakeAssets/UmbrellaAssetsListItem.tsx +#: src/modules/umbrella/AvailableToStakeItem.tsx #: src/modules/umbrella/StakeAssets/UmbrellaAssetsListMobileItem.tsx -#: src/modules/umbrella/StakeAssets/UmbrellaStakeAssetsListItem.tsx #: src/modules/umbrella/UmbrellaActions.tsx msgid "Stake" msgstr "Stake" @@ -1983,6 +1987,7 @@ msgid "Cooldown period warning" msgstr "Cooldown period warning" #: src/components/transactions/FlowCommons/TxModalDetails.tsx +#: src/modules/umbrella/AmountStakedItem.tsx msgid "Cooldown" msgstr "Cooldown" @@ -2406,6 +2411,7 @@ msgstr "There was some error. Please try changing the parameters or <0><1>copy t #: src/modules/dashboard/DashboardTopPanel.tsx #: src/modules/staking/StakingPanel.tsx +#: src/modules/umbrella/AvailableToClaimItem.tsx msgid "Claim" msgstr "Claim" diff --git a/src/locales/es/messages.js b/src/locales/es/messages.js index 91813fed70..0123feb164 100644 --- a/src/locales/es/messages.js +++ b/src/locales/es/messages.js @@ -1 +1 @@ -/*eslint-disable*/module.exports={messages:JSON.parse("{\"+0xecS\":[\"Si NO unstakeas entre \",[\"0\"],\" de la ventana de unstakeo, necesitarás activar el proceso de cooldown de nuevo.\"],\"+EGVI0\":\"Recibir (est.)\",\"+VR63W\":[\"Participar en esta reserva de \",[\"symbol\"],\" da recompensas anuales.\"],\"+bmKdK\":\"Utiliza tu balance de AAVE, stkAAVE o aAava para delegar tu voto y poder de proposición. No enviarás ningún token, solo los derechos de votar y proponer cambios en el protocolo. Puedes volver a delegar o revocar el poder de vuelta en cualquier momento.\",\"+eOPG+\":\"Parece que no podemos cambiar la red automáticamente. Por favor, comprueba si puedes cambiarla desde la cartera.\",\"+i3Pd2\":\"Límite del préstamo\",\"+kLZGu\":\"Cantidad de activos suministrados\",\"+nuEh/\":\"Estimated time\",\"+xMFF8\":\"Remind me\",\"/57U31\":\"Cantidad para migrar\",\"/7ykiW\":\"Tomar prestado esta cantidad reducirá tu factor de salud y aumentará el riesgo de liquidación.\",\"/YA5pU\":\"E-Mode increases your LTV for a selected category of assets, meaning that when E-mode is enabled, you will have higher borrowing power over assets of the same E-mode category which are defined by Aave Governance. You can enter E-Mode from your <0>Dashboard. To learn more about E-Mode and applied restrictionn, see the <1>help guide or the <2>Aave V3 Technical Paper.\",\"/izjs/\":\"Cantidad mínima de Aave stakeado\",\"/jQctM\":\"To\",\"/lDBHm\":\"Preguntas frecuentes\",\"/yNlZf\":\"El préstamo estable no está habilitado\",\"/yQcJM\":\"Valor total\",\"00AB2i\":\"El usuario no tomó prestado el activo especificado\",\"00OflG\":\"No hay suficiente liquidez para que el activo seleccionado realice el cambio. Prueba reduciendo la cantidad.\",\"08/rZ9\":\"El periodo de cooldown es el tiempo requerido antes de unstakear tus tokens (20 días). Solo puedes retirar tus activos del Módulo de Seguridad después del periodo de cooldown y dentro de la ventana de unstakeo.<0>Aprende más\",\"0AmQcW\":\"Cambio de tasa\",\"0BF3yK\":\"Lo sentimos, no hemos podido encontrar la página que estabas buscando.\",\"0TAbjq\":\"Recent Transactions\",\"0jhlyw\":\"Riesgo de liquidación\",\"0ojY+Y\":\"Balance actual v2\",\"0thX3P\":\"Cambio de garantía\",\"0wGCWc\":\"Esta es la cantidad total que puedes suministrar en esta reserva. Puedes suministrar el balance de tu cartera hasta que se alcance el límite de suministro.\",\"1AsVfF\":\"Los datos de los precios no están disponibles actualmente para esta reserva en el subgraph del protocolo\",\"1LjK22\":\"Historial de transacciones\",\"1Onqx8\":[\"Aprobando \",[\"symbol\"],\"...\"],\"1Ue8sX\":\"Por favor conecta una cartera para ver tu información personal aquí.\",\"1bpx9A\":\"...\",\"1kWUB+\":\"Umbral <0/> de liquidación\",\"1m9Qqc\":\"Retirando y Cambiando\",\"1oyh4g\":\"Borrow rate\",\"1t7rez\":\"El suministro de activos está limitado a una cierta cantidad para reducir la exposición del protocolo a este activo y ayudar a manejar los riesgos implicados.\",\"2CAPu2\":\"Has retirado y cambiado tokens con éxito.\",\"2Eoi/a\":\"Ver detalles\",\"2FYpfJ\":\"Más\",\"2O3qp5\":\"Liquidez disponible\",\"2OM8/D\":[\"Este activo no se puede migrar debido a una restricción del límite de suministro en el mercado v3 de \",[\"marketName\"],\".\"],\"2Q4GU4\":\"Dirección bloqueada\",\"2ZGocC\":\"Aave es un protocolo totalmente descentralizado, gobernado por la comunidad de poseedores de tokens AAVE. Los poseedores de tokens AAVE discuten, proponen y votan colectivamente sobre las actualizaciones del protocolo. Los poseedores de tokens AAVE (solo en la red Ethereum) pueden votar ellos mismos sobre nuevas propuestas o delegarse a una dirección de su elección. Para aprender más, consulta la\",\"2a6G7d\":\"Por favor introduce una dirección de cartera válida.\",\"2bAhR7\":\"Conoce GHO\",\"2eBWE6\":\"Acepto los riesgos involucadros.\",\"2o/xRt\":\"Se ha alcanzado el límite de suministro en la reserva especificada. Prueba reduciendo la cantidad.\",\"2uJToh\":[[\"0\"],[\"name\"]],\"2x58bP\":\"El préstamo estable no está habilitado\",\"34Qfwy\":\"El límite del préstamo se ha sobrepasado\",\"39eQRj\":[\"Tomar prestado \",[\"symbol\"]],\"3BL1xB\":\"Total suministrado\",\"3BnIWi\":\"Cambiado\",\"3K0oMo\":\"Suministro restante\",\"3MoZhl\":\"No hay suficiente garantía para cubrir un nuevo préstamo\",\"3Np5O8\":[\"Suministrar \",[\"symbol\"]],\"3O8YTV\":\"Interés total acumulado\",\"3mXg0z\":\"LTV máximo\",\"3q3mFy\":\"Pagar\",\"3qsjtp\":\"El promedio ponderado de APY para todos los activos suministrados, incluidos los incentivos.\",\"3rL+os\":\"Solo puedes retirar tus activos del Módulo de Seguridad después de que finalice el período de cooldown y la ventana de unstakeo esté activa.\",\"42UgDM\":[\"Migrar al mercado V3 de \",[\"0\"]],\"49UFQA\":\"Resultados de la votación\",\"4DMZUI\":\"Ver Transacciones\",\"4HtGBb\":\"MAX\",\"4Y5H+g\":\"Términos\",\"4YYh4d\":\"Máximo disponible para tomar prestado\",\"4iPAI3\":\"Cantidad de préstamo mínima de GHO\",\"4lDFps\":\"Firma para continuar\",\"4wyw8H\":\"Transacciones\",\"5JSSxX\":[\"Tu cartera de \",[\"networkName\"],\" está vacía. Consigue activos de prueba gratis en\"],\"5K7kGO\":\"documentación\",\"5NOSGa\":\"El límite de deuda limita la cantidad posible que los usuarios del protocolo pueden tomar prestado contra este activo. El límite de deuda es específico para los activos en isolation mode y se indica en USD.\",\"5Ncc6j\":[\"Este activo casi ha alcanzado su límite de suministro. Solo se puede suministrar \",[\"messageValue\"],\" a este mercado.\"],\"5cZ/KX\":\"El suministro de deuda variable no es cero\",\"5che++\":\"Para solicitar acceso a este mercado, porfavor visita: <0>Nombre del proveedor de acceso\",\"5ctNdV\":[\"Mínimo \",[\"0\"],\" recibido\"],\"5hDe9v\":\"Acción de permiso requerida\",\"5rsnKT\":\"Recompensas disponibles\",\"5yC5m5\":\"Ver todos los votos\",\"6/dCYd\":\"Resumen\",\"60crCe\":\"Todas las transacciones\",\"62Xcjh\":\"Garantía\",\"65A04M\":\"Español\",\"6G8s+q\":\"Firmando\",\"6Jrv+z\":[\"Pagar \",[\"symbol\"]],\"6NGLTR\":\"Cantidad descontable\",\"6Xr0UU\":\"Cooling down...\",\"6bxci/\":\"Poder de votación\",\"6f8S68\":\"Mercados\",\"6g1gi0\":\"Propuestas\",\"6gvoHP\":\"Copiar mensaje de error\",\"6h3Q5G\":\"reembolsado\",\"6lFSyT\":\"Available to Stake\",\"6s8L6f\":\"Cambiar de red\",\"6yAAbq\":\"APY, tasa de préstamo\",\"70wH1Q\":\"APR\",\"72c5Qo\":\"Total\",\"73Auuq\":\"Los parámetros de descuento son decididos por la comunidad de Aave y pueden cambiar con el tiempo. Consulta el Gobierno para ver actualizaciones y vota para participar. <0>-Aprende más\",\"75qcAQ\":[[\"stepName\"]],\"7ITr5L\":\"Factor de salud\",\"7T/o5R\":\"Alcanzado\",\"7YlcXu\":\"El fork mode está activado\",\"7Z76Iw\":\"Tomar prestado no está disponible porque estás usando el Isolation mode. Para administrar el Isolation mode, visita tu <0>Panel de control.\",\"7aKlMS\":\"Compartir en Lens\",\"7er5fP\":\"Reclamar todo\",\"7hb2+s\":\"Time remaining until the withdraw period ends.\",\"7l88b8\":\"No se pudieron recuperar los datos, por favor recarga el gráfico.\",\"7p5kLi\":\"Panel de control\",\"7sofdl\":\"Retirar y Cambiar\",\"8+6BI0\":\"Ten cuidado - Estás muy cerca de la liquidación. Considera depositar más garantía o pagar alguno de tus préstamos\",\"87pUEW\":[\"Tu cartera de \",[\"name\"],\" está vacía. Compra o transfiere activos.\"],\"8F1i42\":\"Página no encontrada\",\"8G8M0u\":\"Cargando datos...\",\"8Iu1QS\":\"retirado\",\"8JL93T\":\"Todas las propuestas\",\"8Q51DU\":\"Añadir a la cartera\",\"8X/oyn\":\"Cantidad invalidad para generar\",\"8Z5FPv\":\"Desconectar cartera\",\"8Zz7s5\":\"activos\",\"8aLW8H\":\"Balance a revocar\",\"8bOT3H\":\"Tasa de uso\",\"8sLe4/\":\"Ver contrato\",\"8t/M0y\":\"Please connect your wallet to be able to bridge your tokens.\",\"8vETh9\":\"Mostrar\",\"94OHPx\":\"Estás entrando en el Isolation mode\",\"9CDK3/\":[\"Tomar prestado no está disponible actualmente para \",[\"0\"],\".\"],\"9GIj3z\":\"Tamaño de la reserva\",\"9Knqb4\":\"Balance stakeado\",\"9OBKm7\":\"Quorum\",\"9QHoGr\":\"Votos actuales\",\"9Rw96f\":[\"Este activo casi ha alcanzado su límite de préstamo. Solo hay \",[\"messageValue\"],\" disponibles para ser prestado de este mercado.\"],\"9Xj/qR\":[\"Algunos activos migrados no se utilizarán como garantía debido al isolation mode habilitado en el mercado V3 de \",[\"marketName\"],\". Visita el <0>Panel de control de \",[\"marketName\"],\" V3 para administrar el isolation mode.\"],\"9c6vDV\":\"Este activo ha alcanzado su límite de suministro. No queda nada disponible para ser suministrado desde este mercado.\",\"9kTWHA\":\"MAI ha sido pausado debido a una decisión de la comunidad. Los suministros, préstamos y pagos se han visto afectados. <0>Más información\",\"9lXchd\":\"Token subyacente\",\"9rWaKF\":\"Bridged Via CCIP\",\"9xSooW\":\"Puesto que esta es una red de pruebas, puedes obtener cualquiera de los activos si tienes ETH en tu cartera\",\"A/lwoe\":\"Elige uno de los servicios on-ramp\",\"A6dCI6\":[\"La máxima cantidad disponible para tomar prestado es <0/> \",[\"0\"],\" (<1/>).\"],\"AReoaV\":\"Tus préstamos\",\"ARu1L4\":\"Pagado\",\"AV7cGz\":\"Revisa los detalles del approve\",\"AZOjB8\":\"Recuperando datos...\",\"Ai0jas\":\"Únete a la discusión de la comunidad\",\"Ajl2rq\":\"El poder de préstamo y los activos están limitados debido al Isolation mode.\",\"AqgYNC\":\"El límite de préstamo del protocolo está al 100% para este activo. No es posible tomar más prestado.\",\"B3EcQR\":\"¡Gracias por votar!\",\"B6aXGH\":\"Estable\",\"B9Gqbz\":\"Tasa variable\",\"BDFEd+\":\"stETH suministrado como garantía continuará acumulando recompensas de staking proporcionadas por rebases diarios.\",\"BE2mP0\":\"Borrowed assets\",\"BJyN77\":\"Debido al impacto del factor de salud, se requiere un préstamo flash para realizar esta transacción, pero el Gobierno de Aave ha inhabilitado la disponibilidad de préstamos flash para este activo. Intenta reducir la cantidad o suministrar garantía adicional.\",\"BNL4Ep\":\"El uso como garantía está limitado debido al isolation mode. <0>Aprende más\",\"BQ/wCO\":\"Migrate your assets\",\"BjLdl1\":\"Con un descuento\",\"BnhYo8\":\"Categoría de activos\",\"Bq9Y7e\":\"Este activo está congelado debido a una decisión de la comunidad de Aave. <0>Más información\",\"BqWMDJ\":\"Faucet\",\"BqynZO\":\"Optimized for efficiency and risk by supporting blue-chip collateral assets\",\"Bsu7zX\":\"The fee includes the gas cost to complete the transaction on the destination chain and the fee paid to Chainlink CCIP service providers. You can chose to pay in the network token or GHO. <0>Learn more\",\"BwJKBw\":\"de\",\"CDrsH+\":\"Documento técnico\",\"CK1KXz\":\"Max\",\"CMHmbm\":\"Deslizamiento\",\"CZXzs4\":\"Griego\",\"CcRNG6\":\"Cambiando\",\"CkTRmy\":[\"Reclamar \",[\"symbol\"]],\"CsqtLm\":\"Por favor conecta tu cartera para ver la herramienta de migración.\",\"CtGlFb\":[\"Faucet \",[\"networkName\"]],\"Cxt2YY\":\"Watch wallet\",\"D33VQU\":\"Esta acción reducirá el factor de salud de V3 por debajo del umbral de liquidación. Aumenta la garantía migrada o reduce el préstamo migrado para continuar.\",\"D9BLRG\":\"Este activo ha sido pausado debido a una decisión de la comunidad. El suministro, los retiros, los préstamos y los pagos se han visto afectados.\",\"DAma/S\":\"La garantía es (en su mayoría) el mismo activo que se está tomando prestado\",\"DCnFg0\":[\"Direcciones (\",[\"0\"],\")\"],\"DG3Lv1\":\"Entiendo completamente los riesgos de migrar.\",\"DONJcV\":\"El activo base no puede ser rescatado\",\"DR+4uL\":\"Balance del suministro después del cambio\",\"DWjrck\":[\"Este activo no se puede migrar al mercado V3 de \",[\"marketName\"],\" debido a las restricciones del E-mode. Puedes deshabilitar o administrar las categorías del E-mode en tu <0>Panel de control V3\"],\"Dj+3wB\":\"Aave por mes\",\"DuEq2K\":\"Colateralización\",\"DxfsGs\":\"Puedes reportar cualquier incidente a nuestro <0>Discord o <1>Github.\",\"Dzma+E\":\"Main Ethereum market with the largest selection of assets and yield options\",\"E/QGRL\":\"Deshabilitado\",\"EBL9Gz\":\"¡COPIADO!\",\"ES8dkb\":\"Interés fijo\",\"EZd3Dk\":[\"Restakeando \",[\"symbol\"]],\"Ebgc76\":[\"Retirando \",[\"symbol\"]],\"EdQY6l\":\"Ninguno\",\"EjvKQ+\":\"Valor mínimo en USD recibido\",\"Enslfm\":\"Destination\",\"EvE9nO\":[\"Reactivar el periodo de cooldown para unstakear \",[\"0\"],\" \",[\"stakedToken\"]],\"EvECnL\":\"Migrar a V3\",\"EzMQbh\":\"The source chain time to finality is the main factor that determines the time to destination. <0>Learn more\",\"F40cwT\":\"Legacy Markets\",\"F6TdXL\":\"Aprende más.\",\"FDDPeZ\":\"Users can stake their assets in the protocol and earn incentives. In the case of a shortfall event, your stake can be slashed to cover the deficit, providing an additional layer of protection for the protocol.\",\"FHlMf/\":\"Balance actual v2\",\"FHpxjF\":[\"El factor de reserva es un porcentaje de interés que va a un \",[\"0\"],\" que es controlado por el gobierno de Aave para promover el crecimiento del ecosistema.\"],\"FOBZa6\":\"Capacidad de préstamo utilizada\",\"FPKEug\":\"Operación no soportada\",\"FbmMe7\":\"Direcciones vinculadas\",\"Fdp03t\":\"en\",\"Fjw9N+\":\"Activos a suministrar\",\"FmN0fk\":\"Restakear\",\"GDGLIs\":\"GHO es un activo nativo descentralizado, digital y respaldado por garantía, vinculado al USD. Es creado por los usuarios que lo toman prestado contra múltiples garantías. Cuando el usuario paga su posición de préstamo de GHO, el protocolo quema el GHO de ese usuario. Todos los pagos de interés acumulados por los acuñadores de GHO serán transferidos directamente a la tesorería de\xA0la\xA0DAO\xA0de\xA0Aave.\",\"GQrBTq\":\"Cambiar E-Mode\",\"GWswcZ\":\"Este activo está congelado debido a una decisión del Gobierno del Protocolo Aave. El 20 de diciembre de 2022, renFIL ya no será compatible y no se podrá conectar de nuevo a su red nativa. Se recomienda retirar las posiciones de suministro y pagar las posiciones de préstamo para que renFIL se pueda convertir de nuevo a FIL antes de la fecha límite. Después de esta fecha, ya no será posible convertir renFIL a FIL. <0>Más detalles\",\"GX8GKD\":\"Activos\",\"GgEj+0\":\"Modo de solo lectura. Conéctate a una cartera para realizar transacciones.\",\"GjkIKV\":\"finaliza\",\"GoK/QN\":\"Thank you for submitting feedback!\",\"GtP2hp\":[\"Tomar prestado no está disponible porque has habilitado el Efficieny Mode (E-Mode) para la categoría \",[\"0\"],\". Para manejar las categorías del E-Mode visita tu <0>Panel de control.\"],\"H6Ma8Z\":\"Descuento\",\"HB/wfS\":[[\"tooltipText\"]],\"HKDsQN\":\"Rewards can be claimed through\",\"Ha/U5f\":\"This is a program initiated and implemented by the decentralised ZKSync community. Aave Labs does not guarantee the program and accepts no liability.\",\"HciqKU\":\"This is a program initiated and implemented by the decentralised Aave community. Aave Labs does not guarantee the program and accepts no liability.\",\"Hi6Ttn\":\"Lo sentimos, se produjo un error imprevisto. Mientras tanto, puedes intentar recargar la página, o volver después.\",\"HkEDbS\":[[\"d\"],\"d\"],\"HmkYqM\":\"Ventana de unstakeo\",\"HpK/8d\":\"Recargar\",\"HrnC47\":\"Guardar y compartir\",\"HuVZMK\":\"Days\",\"HvJKMU\":[\"Este activo no se puede migrar al mercado v3 de \",[\"marketName\"],\", ya que el activo de garantía habilitará el isolation mode.\"],\"Hvwnm9\":[\"La cantidad máxima disponible para suministrar está limitada porque el límite de suministro del protocolo está al \",[\"0\"],\"%.\"],\"I8CX2c\":\"La cantidad total de tus activos denominados en USD que pueden ser usados como garantía para activos de préstamo.\",\"IAD2SB\":[\"Reclamando \",[\"symbol\"]],\"IG9X9/\":\"Tomar prestado este activo está limitado a una cierta cantidad para minimizar la insolvencia del fondo de liquidez.\",\"IOIx8L\":\"Está previsto que este activo se desvincule debido a una decisión del Gobierno del Protocolo Aave. <0>Más detalles\",\"IP+I/j\":\"Periodo de cooldown\",\"IaA40H\":\"Liquidación en\",\"J/hVSQ\":[[\"0\"]],\"JCoxL6\":\"Administrar analíticas\",\"JK9zf1\":[\"Interés compuesto estimado, incluyendo el descuento por Staking \",[\"0\"],\"AAVE en el Módulo de Seguridad.\"],\"JOqFba\":[\"Unstakeando \",[\"symbol\"]],\"JPrLjO\":\"No puedes usar este activo como garantía\",\"JU6q+W\":\"Recompensa(s) por reclamar\",\"JYKRJS\":\"Stakear\",\"JZMxX0\":\"No hay suficiente balance en tu cartera\",\"Jgflkm\":\"Obtener GHO\",\"JoMQnI\":\"Balance de la cartera\",\"JtwD8u\":\"Balance tomado prestado tras pagar\",\"JumYTK\":\"Supplied assets\",\"K05qZY\":\"Retirar y Cambiar\",\"KAz/NV\":\"El límite de deuda del protocolo está al 100% para este activo. No es posible tomar más prestado usando este activo como garantía.\",\"KLXVqE\":[\"Los tokens stETH se migrarán a Wrapped stETH usando el wrapper del protocolo de Lido, lo que provoca un cambio en el balance de suministro después de la migración: \",[\"0\"]],\"KLd6ky\":\"Use connected account\",\"KRpokz\":\"VER TX\",\"KSlpka\":\"Esto representa el umbral en el que un préstamo será considerado sin garantía suficiente y sujeto a la liquidación de la misma. Por ejemplo, si una garantía tiene un umbral de liquidación del 80 %, significa que el préstamo será liquidado cuando el valor de la deuda alcanze el 80% del valor de la garantía.\",\"KYAjf3\":\"Aislado\",\"KZwRuD\":[[\"notifyText\"]],\"KkPgim\":\"Cambiando E-Mode\",\"KnN1Tu\":\"Caduca\",\"KoOBI2\":\"Debido a mecánicas internas de stETH requeridas para el soporte del rebase, no es posible realizar un cambio de garantía donde stETH es el token de origen.\",\"KojyJ4\":\"Red incorrecta\",\"KsqhWn\":\"Staking\",\"KuBTQq\":\"Introduce la dirección ETH\",\"KvG1xW\":\"Reclamando\",\"L+8Lzs\":\"LTV actual\",\"L+qiq+\":\"Mercado\",\"LDzfVJ\":\"Send Feedback\",\"LIrMcF\":\"Sin poder de voto\",\"LL0zks\":\"Puede ser garantía\",\"LLdJWu\":\"AAVE Reclamable\",\"LSIpNK\":\"Tomar prestado y pagar en el mismo bloque no está permitido\",\"LVt3TI\":[\"<0>Tolerancia de deslizamiento <1>\",[\"selectedSlippage\"],\"% <2>\",[\"0\"],\"\"],\"LjafV8\":\"Maximum collateral amount to use\",\"LtpQew\":\"Let us know how we can make the app better for you. For user support related inquiries please reach out on\",\"LvVpD/\":\"Modo E\",\"M2sknc\":\"Tip: Intenta aumentar el deslizamiento o reduce la cantidad de entrada\",\"M7wPsD\":\"Cambiar\",\"MFu33y\":\"Staking 00\",\"MIy2RJ\":\"Maximum amount received\",\"MZ/nQf\":\"Dirección del destinatario\",\"Ma/MtY\":\"vista de stakeo\",\"McHlGl\":\"Cambio de APY\",\"MeCCA+\":\"APY, variable\",\"MghdTe\":\"Si el factor de salud se encuentra por debajo de 1, la liquidación de tu colateral puede ser activada.\",\"Mm/DVQ\":\"Has cancelado la transacción.\",\"MnE2QX\":\"Información de préstamo\",\"MrmQHg\":\"View Bridge Transactions\",\"MuDFEQ\":\"Valor de retorno inválido en la función executor del préstamo flash\",\"N5kUMV\":\"Este activo solo se puede utilizar como garantía en isolation mode con poder de préstamo limitado. Para entrar en el isolation mode, deshabilita todas las demás garantías.\",\"N6Pxr9\":\"View all\",\"NF0e1Q\":\"Pendiente...\",\"NK9ikO\":\"Balance de la cartera\",\"NMt2CB\":\"Cantidad reclamable\",\"NcFGxG\":\"Collector Contract\",\"NfpPeS\":\"Nada invertido\",\"Nh9DAo\":[[\"m\"],\"m\"],\"O+sCUU\":\"El límite de minteo sin respaldo ha sido excedido\",\"O+tyU+\":[\"La cantidad máxima disponible para tomar prestado contra este activo está limitada porque el límite de deuda está al \",[\"0\"],\"%.\"],\"O3oNi5\":\"Email\",\"OFjZGo\":\"Unstakear\",\"OR8cYX\":\"Resumen de la propuesta\",\"OYuJ9K\":\"El límite de deuda del protocolo está al 100% para este activo. No es posible tomar más prestado usando este activo como garantía.\",\"OfhWJH\":\"Restablecer\",\"Og2SKn\":\"deshabilitado\",\"On0aF2\":\"Página web\",\"OsyKSt\":\"Retirar\",\"P1dURE\":\"Revocar poder\",\"P2WCD/\":[\"El activo subyacente no existe en el mercado v3 de \",[\"marketName\"],\", por lo tanto, esta posición no se puede migrar.\"],\"P2sL6B\":\"Cuando ocurre una liquidación, los liquidadores pagan hasta el 50% de la cantidad pendiente del préstamo en nombre del prestatario. A cambio, pueden comprar la garantía con descuento y quedarse con la diferencia (sanción de liquidación) como bonificación.\",\"P6sRoL\":\"Stakea ABPT\",\"P72/OW\":\"El promedio ponderado de APY para todos los activos prestados, incluidos los incentivos.\",\"P7e6Ug\":\"Por favor conecta tu cartera para ver el historial de transacciones.\",\"PByO0X\":\"Votos\",\"PI+kVe\":\"Deshabilitar fork\",\"PJK9u/\":\"Apy préstamo\",\"PLUB/s\":\"Fee\",\"PP5ZA8\":[\"Participating in staking \",[\"symbol\"],\" gives annualized rewards. Your wallet balance is the sum of your aTokens and underlying assets. The breakdown to stake is below\"],\"PcBUgb\":\"Umbral de liquidación\",\"PjU6bu\":\"This asset is eligible for SPK incentive program. Aave Labs does not guarantee the program and accepts no liability.\",\"PpqD5g\":\"Habilitar este activo como garantía aumenta tu poder préstamo y el factor de salud. Sin embargo, puede ser liquidado si tu factor de salud cae por debajo de 1.\",\"PsOFSf\":\"Esta acción reducirá el factor de salud V2 por debajo del umbral de liquidación. Mantén la garantía o migra la posición de préstamo para continuar.\",\"Pu4bI/\":[[\"currentMethod\"]],\"Q0LzKi\":\"View TX\",\"Q4eNqa\":\"El Aave Balancer Pool Token (ABPT) es un token de pool de liquidez. Puedes recibir ABPT depositando una combinación de AAVE + wstETH en el pool de liquidez de Balancer. Luego puedes stakear tu BPT en el módulo de seguridad para asegurar el protocolo y ganar incentivos de seguridad.\",\"QQYsQ7\":\"Retirando\",\"QWYCs/\":\"Stakear GHO\",\"R+30X3\":\"No alcanzado\",\"RCU5PY\":\"Age\",\"RIfckG\":[\"Desactivar \",[\"symbol\"],\" como garantía\"],\"RMtxNk\":\"Diferencial\",\"RNK49r\":\"Firma inválida\",\"RS0o7b\":\"Estado\",\"RU+LqV\":\"Detalles de la propuesta\",\"RYTgZX\":\"lorem ipsum\",\"RbXH+k\":\"Los poseedores de AAVE, GHO y ABPT (solo en la red de Ethereum) pueden stakear sus activos en el Módulo de Seguridad para añadir más seguridad al protocolo y obtener incentivos de seguridad. En el caso de un evento de shortfall, tu stakeo puede ser reducido para cubrir el déficit. proporcionando una capa adicional de protección para el protocolo.\",\"RiSYV4\":\"El activo no está listado\",\"Rj01Fz\":\"Enlaces\",\"RmWFEe\":\"Staking APR\",\"RoafuO\":\"Enviar feedback\",\"RtBLm7\":\"El factor de salud es menor que el umbral de liquidación\",\"RxzN1M\":\"Habilitado\",\"SDav7h\":\"Fondos en el Módulo de Seguridad\",\"SENccp\":\"Si el error persiste, <0/> podrías reportarlo a esto\",\"SIWumd\":\"Mostrar activos congelados o pausados\",\"SM58dD\":\"Cantidad en cooldown\",\"SSMiac\":\"Error al cargar los votantes de la propuesta. Por favor actualiza la página.\",\"SSQVIz\":\"Umbral de liquidación\",\"SUb8x0\":\"Total disponible\",\"SWIgh4\":\"Fees exceed wallet balance\",\"SY9hVo\":\"El modo de solo lectura permite ver las posiciones de las direcciones en Aave, pero no podrás realizar transacciones.\",\"SZRUQ4\":\"Deslizamiento máximo\",\"Sa1UE/\":\"El límite de préstamo del protocolo está al 100% para este activo. No es posible tomar más prestado.\",\"Sk2zW9\":\"Desactivando E-Mode\",\"SxaD0o\":\"La dirección del proveedor del pool no esta registrada\",\"T/AIqG\":\"El límite de suministro del protocolo está al 100% para este activo. No es posible suministrar más.\",\"T0xCO9\":\"No se puede validar la dirección de la cartera. Vuelve a intentarlo.\",\"T4OhVl\":\"GHO balance\",\"T6uYU2\":\"Tomar prestado\",\"TFxQlw\":\"Penalización de liquidación\",\"TQ7WsV\":\"Available to stake\",\"TUI7iB\":\"El activo solo puede usarse como garantía en el Isolation mode únicamente.\",\"TbjyhA\":\"Docs\",\"TduuS0\":\"El usuario no tiene deuda pendiente de tasa estable en esta reserva\",\"TeCFg/\":\"Cambio de tasa de préstamo\",\"Tg1JyO\":\"Bridge history\",\"TskbEN\":\"Los poseedores de stkAAVE reciben un descuento en la tasa de préstamo de GHO\",\"TszKts\":\"Balance de préstamo después del cambio\",\"TtZL6q\":\"Parámetros del modelo de descuento\",\"TwJI9F\":\"Asset has been successfully sent to CCIP contract. You can check the status of the transactions below\",\"Tz0GSZ\":\"actividades bloqueadas\",\"U/eBjN\":\"Recarga la página\",\"U2r8nY\":\"Elige cuánto poder de voto/proposición otorgar a otra persona delegando parte de tu balance de AAVe o stkAAVE. Tus tokens permanecerán en tu cuenta, pero tu delegado podrá votar o proponer en tu lugar. Si tu balance de AAVE, stkAAVE o aAave cambia, el poder de voto/proposición de tu delegado se ajustará automáticamente.\",\"U8IubP\":\"La aplicación se está ejecutando en testnet mode. Aprende como funciona en\",\"U9btTk\":\"El activo no se puede pedir prestado en isolation mode\",\"UAOZRe\":\"El impacto del precio es la diferencia entre el valor total de los tokens de entrada cambiados y los tokens de destino obtenidos (en USD), que resulta de la liquidez limitada del par de cambio.\",\"UE3KJZ\":\"El historial de transacciones no está disponible actualmente para este mercado\",\"URmyfc\":\"Detalles\",\"UTTKmT\":\"Cooldown de stakeo activado\",\"UXeR72\":\"Estos fondos se han tomado prestados y no están disponibles para su retirada en este momento.\",\"UYb8CM\":\"Learn more about the SPK rewards\",\"UbRrG0\":\"El ratio LTV máximo representa el poder de endeudamiento máximo de una garantía específica. Por ejemplo, si una garantía tiene un LTV del 75 %, el usuario puede pedir prestado hasta 0,75 ETH en la moneda principal por cada 1 ETH de garantía.\",\"UpndFj\":\"No hay recompensas para reclamar\",\"V0f2Xv\":\"Factor de reserva\",\"V1HK43\":\"Riesgos de migración\",\"VATFH9\":\"Deuda cubierta\",\"VHOVEJ\":\"Conectar cartera\",\"VMfYUK\":\"Seguridad de tu garantía depositada contra los activos prestados y su valor subyacente.\",\"VOAZJh\":\"Total de préstamos\",\"ViKYxK\":\"YAE\",\"W1SSoD\":\"Revisar detalles de la tx\",\"W5hVah\":\"Nada suministrado aún\",\"W5kTFy\":\"Votando\",\"W8ekPc\":\"Volver al panel de control\",\"WMPbRK\":\"No respaldado\",\"WNGZwH\":\"El E-Mode incrementa tu LTV para una categoría seleccionada de activos hasta el <0/>. <1>Aprende más\",\"WPWG/y\":\"Configuración y estado de la reserva\",\"WZLQSU\":\"El usuario no puede retirar más que el balance disponible\",\"WaZyaV\":\"<0>Ampleforth es un activo con rebase. Visita la <1>documentación para aprender más.\",\"WfU+XN\":\"Debido a que este activo está en pausa, no se pueden realizar acciones hasta nuevo aviso\",\"Wjmqs2\":\"No results found. You can import a custom token with a contract address\",\"WkZ6C6\":\"Para tomar prestado, necesitas suministrar cualquier activo para ser utilizado como garantía.\",\"WyMiQm\":\"Has cambiado los tokens con éxito.\",\"X/ITG9\":\"Copiar el texto del error\",\"X3Pp6x\":\"Utilizado como garantía\",\"X4Zt7j\":\"No se puede realizar la acción porque la reserva está pausada\",\"XBdKOj\":\"Direcciones de cartera de contrato inteligente representativas (Safe) en otras cadenas.\",\"XZzneG\":\"Saldrás del modo aislamiento y otros tokens pueden ser usados ahora como garantía\",\"Xg5y9S\":\"Amount to Bridge\",\"Xn4hUi\":\"Por favor ten siempre en cuenta tu <0>factor de salud (HF) cuando migres parcialmente una posición y que tus tasas serán actualizadas a tasas de la V3.\",\"Xy71ST\":\"Umbrella\",\"Y5kGkc\":\"VOTAR NO\",\"YDIOks\":\"Habilitar E-Mode\",\"YSodyW\":\"Esta acción reducirá tu factor de salud. Por favor ten en cuenta el riesgo incrementado de liquidación de la garantía.\",\"YXOWXM\":\"The total amount bridged minus CCIP fees. Paying in network token does not impact gho amount.\",\"YirHq7\":\"Feedback\",\"YogbCJ\":\"Testnet mode está ON\",\"YrDxdO\":\"Si tu relación préstamo-valor supera el umbral de liquidación, tu garantía puede ser liquidada.\",\"YyIM65\":\"No se cumplieron las condiciones de ajuste de tasas de interés\",\"YyydIq\":[\"Añade \",[\"0\"],\" a tu cartera para hacer un seguimiento del balance.\"],\"ZBvhI+\":\"Gobierno de Aave\",\"ZIIRAd\":\"Raw-Ipfs\",\"ZRq4tX\":\"Modo de eficiencia (E-Mode)\",\"ZSqEW+\":\"Manage E-Mode\",\"ZUFYFE\":\"Deshabilitar testnet\",\"Zbyywy\":\"Max slashing\",\"ZfUGFb\":\"Antes de suministrar\",\"ZiXN+B\":\"Assets to stake\",\"ZlsSDH\":\"Valor de liquidación\",\"ZrEc8j\":\"No pudimos encontrar ningún activo relacionado con tu búsqueda. Vuelve a intentarlo con un nombre diferente de activo, símbolo o dirección.\",\"ZsLF7e\":\"habilitado\",\"a0YQoQ\":\"Enter a valid address\",\"a2fBZn\":\"Tempo restante para unstakear\",\"a5RYZd\":\"Deshabilitar este activo como garantía afecta tu poder de préstamo y Factor de Salud.\",\"a7u1N9\":\"Precio\",\"a9D+6D\":\"Unstakeado\",\"aEtiwq\":\"Votar NO\",\"aMmFE1\":\"Comprar Crypto con Fiat\",\"aOKIms\":\"Los parámetros del array que deberían ser iguales en longitud no lo son\",\"aX31hk\":\"Tu balance es más bajo que la cantidad seleccionada.\",\"adUsDd\":\"Se ha producido un error al recuperar la propuesta.\",\"al6Pyz\":\"Supera el descuento\",\"aoXTT7\":\"APY préstamo, variable\",\"aqX1Yp\":\"This asset is eligible for rewards through SuperFest. Aave Labs does not guarantee the program and accepts no liability.\",\"avgETN\":\"Eligible for the Merit program.\",\"b4NS3e\":\"Advertencia periodo de cooldown\",\"bNEQeI\":\"Cooldown\",\"bSruit\":\"ZKSync Ignite Program rewards are claimed through the\",\"bUUVED\":\"Activo\",\"bXQ/Og\":\"Compartir en twitter\",\"bXr0ee\":\"Los activos aislados han limitado tu capacidad de préstamo y otros activos no pueden ser usados como garantía.\",\"bYmAV1\":\"Direcciones\",\"bguKoJ\":\"La cantidad solicitada es mayor que el tamaño máximo del préstamo en el modo de tasa estable\",\"bwSQI0\":\"Suministrar\",\"bxN6EM\":\"No se puede deshabilitar E-Mode\",\"bxmzSh\":\"No hay suficiente garantía para pagar esta cantidad de deuda con\",\"c91vuQ\":\"La dirección no es un contrato\",\"c97os2\":\"aToken de Aave\",\"c9b44w\":\"No puedes retirar esta cantidad porque causará una liquidación\",\"cBc+4A\":\"Esta es la cantidad total disponible que puedes tomar prestada. Puedes tomar prestado basado en tu garantía y hasta que el límite de préstamo se alcance.\",\"cIl5kp\":\"Tu poder de voto se basa en tu balance de AAVE/stkAAVE y delegaciones recibidas.\",\"cLo09S\":\"Detalles de riesgo\",\"cNT+ij\":\"Tomar prestado no está disponible porque has habilitado el Efficiency Mode (E-Mode) y el Isolation mode. Para administrar el E-Mode y el Isolation Mode, visita tu <0>Panel de control.\",\"cZOeBk\":\"Something went wrong fetching bridge message, please try again later.\",\"ceix5S\":\"Para enviar una propuesta de cambios menores al protocolo, necesitarás al menos 80K de poder. Si deseas cambiar la base central del código, necesitarás un poder de 320K.<0>Aprende más\",\"ciybUa\":\"Votar SI\",\"ckf7gX\":[\"Pagando \",[\"symbol\"]],\"cp1ZDP\":[\"Bridge \",[\"symbol\"]],\"cqnmnD\":\"Tasa de interés efectiva\",\"cqwIvs\":\"Hilo de discusión del foro\",\"csDS2L\":\"Disponible\",\"cu7Stb\":\"No has participado en esta propuesta\",\"dE6BLF\":\"Gobierno\",\"dEgA5A\":\"Cancelar\",\"dIsyWh\":\"La validación del LTV ha fallado\",\"dMtLDE\":\"para\",\"dOB5nW\":[\"La cantidad máxima disponible para suministrar es <0/> \",[\"0\"],\" (<1/>).\"],\"dVfODp\":\"No tienes suficientes fondos en tu cartera para pagar la cantidad total. Si procedes a pagar con tu cantidad actual de fondos, aún tendrás un pequeño préstamo en tu panel de control.\",\"dXUQFX\":\"Activos a tomar prestado\",\"dgr1aY\":\"Tomar prestado está deshabilitado debido a una decisión de la comunidad de Aave. <0>Más información\",\"djsg0o\":\"Uso de la garantía\",\"dpc0qG\":\"Variable\",\"drdV8R\":\"Liquidación\",\"dxW8cS\":\"Token de deuda de Aave\",\"e4V3oW\":\"Top 10 direcciones\",\"eD8WX/\":\"La acción requiere una reserva activa\",\"eJRJ04\":\"Cantidad para unstakear\",\"eLh0cL\":\"El deslizamiento es la diferencia entre las cantidades calculadas y las recibidas debido a las condiciones cambiantes del mercado entre el momento en que se envía la transacción y su verificación.\",\"ePK91l\":\"Editar\",\"eVpCmf\":\"Recompensas de Staking\",\"eVqvtf\":\"Bridge GHO\",\"eYdurp\":\"Aún no hay transacciones.\",\"ebLGGN\":\"Total tomado prestado\",\"ecqEvn\":\"El balance de garantía es 0\",\"efdrrk\":\"Disponible en\",\"enruNF\":\"empieza\",\"eqLYiD\":\"Unstakea ahora\",\"euScGB\":\"APY con descuento aplicado\",\"evw5ha\":\"Valor neto\",\"ezcU16\":\"Obtener Token ABP\",\"f3W0Ej\":[\"Has cambiado a tasa \",[\"0\"]],\"fH9i8k\":\"Has cambiado con éxito la posición de préstamo.\",\"fHcELk\":\"APR Neto\",\"fMJQZK\":\"Prestado\",\"fZ5Vnu\":\"Recibido\",\"firl9Q\":\"Tu actual relación préstamo-valor basado en tu garantía suministrada.\",\"flRCF/\":\"Descuento por staking\",\"fldjW9\":\"Previsualizar la tx y migrar\",\"fsBGk0\":\"Balance\",\"fu1Dbh\":[\"Retirar \",[\"symbol\"]],\"fwjWSI\":\"Suministrado\",\"fwyTMb\":\"Migrar a stkABPT v2\",\"g0mals\":\"You can not disable E-Mode because that could cause liquidation. To exit E-Mode supply or repay borrowed positions.\",\"g2UNkE\":\"Powered by\",\"g8KGoA\":\"FAQS\",\"g9zzqS\":\"Votó NAY\",\"gDd2gk\":\"about SuperFest.\",\"gFFh9h\":\"¡Todo listo!\",\"gIMJlW\":\"Testnet mode\",\"gOzPxe\":\"Este activo está congelado debido a una decisión del Gobierno del Protocolo Aave. <0>More información\",\"gTHi2T\":\"El usuario está intentando tomar prestado múltiples activos incluido uno aislado\",\"gVW59Y\":\"Por favor conecta tu cartera para obtener activos testnet gratis.\",\"gcFNxP\":\"Aprobación confirmada\",\"gncRUO\":\"Esta dirección está bloqueada en app.aave.com porque está asociada con una o más\",\"goff7V\":\"Dirección cero no válida\",\"gp+f1B\":\"Versión 3\",\"gr8mYw\":\"Puedes tomar prestado hasta <0/> GHO al <1/> (descuento máximo)\",\"gvTM4B\":\"El APY neto es el efecto combinado de todos los suministros y préstamos sobre total, incluidos los incentivos. Es posible tener un APY neto negativo si el APY de la deuda es mayor que el APY de suministro.\",\"gzcch9\":\"Comisión de puente de protocolo inválida\",\"h33MxW\":\"Direcciones de cartera de contrato inteligente representantes (Safe) en otras cadenas.\",\"h3ilK+\":\".CSV\",\"hB23LY\":\"Activar Cooldown\",\"hIJzBh\":\"Available to Claim\",\"hIS4N0\":\"APY neto\",\"hRWvpI\":\"Reclamado\",\"hdmy/o\":\"El % de tu poder de préstamo total utilizado. Esto se basa en la cantidad de tu garantía suministrada y la cantidad total que puedes pedir prestado.\",\"hehnjM\":\"Cantidad\",\"hjDCQr\":\"Hubo un error. Por favor intenta cambiar los parámetros o <0><1>copiar el error\",\"hom7qf\":\"Reclamar\",\"hpHJ4I\":\"Garantía liquidada\",\"hpuVIp\":\"Users who stake AAVE in Safety Module (i.e. stkAAVE holders) receive a discount on GHO borrow interest rate.\",\"huQ6Tz\":[\"Tomando prestado \",[\"symbol\"]],\"hxi7vE\":\"Balance tomado prestado\",\"i2JTiw\":\"Puedes ingresar una cantidad específica en el campo.\",\"iB5+/J\":\"Sobre GHO\",\"iChbOF\":\"Parámetros inconsistentes del préstamo flash\",\"iEPVHF\":\"No hay suficiente poder de voto para participar en esta propuesta\",\"iEW87X\":\"Poder delegado\",\"iEju36\":[\"Has votado \",[\"0\"]],\"iFq2YN\":\"Borrowable\",\"iGxyIA\":\"Safety Module\",\"iMVZk9\":\"Seleccionar tolerancia de deslizamiento\",\"iPMIoT\":\"Ingresa una cantidad\",\"iSLIjg\":\"Conectar\",\"iUo5rv\":\"tokens no es lo mismo que stakearlos. Si deseas stakearlos\",\"iZxa38\":\"Úsalo para votar a favor o en contra de propuestas activas.\",\"if5PH+\":\"Collector Info\",\"igkfR1\":[\"En el Isolation mode, no puedes suministrar otros activos como garantía. Un límite de deuda global limita la capacidad de préstamo del activo aislado. Para salir del Isolation mode, deshabilita \",[\"0\"],\" como garantía antes de tomar prestado otro activo. Lee más en nuestras <0>preguntas frecuentes \"],\"il0sEG\":\"El uso de garantías está limitado debido al Isolation mode.\",\"j+K1Xj\":\"Amount After Fee\",\"jA2QeW\":\"Suministrando tu\",\"jFi7dz\":\"Tasa de interés determinada por el gobierno de Aave. Esta tasa puede cambiar con el tiempo dependiendo de la necesidad de que el suministro de GHO se contraiga/expanda. <0>Aprende más\",\"jG3UJ7\":\"Desactivar el E-Mode\",\"jKYzR1\":\"Habilitar E-Mode\",\"jMam5g\":[\"Balance \",[\"0\"]],\"jSYv+Z\":\"Enabling E-Mode allows you to maximize your borrowing power, however, borrowing is restricted to assets within the selected category. <0>Learn more about how it works and the applied restrictions.\",\"jaKbwW\":[[\"s\"],\"s\"],\"jbFMap\":\"Periodo restante de cooldown\",\"jeMZNr\":[[\"0\"],\" el servicio on-ramp es proporcionado por proveedores externos y al seleccionarlo, estás aceptando los términos de dichos proveedores. Tu acceso al servicio podría depender de que el proveedor externo esté operativo.\"],\"jfl9OP\":\"Migrado\",\"jmXdoY\":\"En E-Mode algunos activos no se pueden pedir prestados. Sal del E-Mode para obtener acceso a todos los activos\",\"jpctdh\":\"Ver\",\"jqzUyM\":\"No disponible\",\"k/sb6z\":\"Seleccionar idioma\",\"k3wP3f\":\"<0>Atención: Los cambios de parámetros a través de la gobernanza pueden alterar el factor de salud de tu cuenta y el riesgo de liquidación. Sigue el <1>foro de gobierno de Aave para mantenerte actualizado.\",\"kACpF3\":[\"Reclamar \",[\"0\"]],\"kH6wUX\":\"Impacto del precio\",\"kIC28N\":\"Available to claim\",\"kIpSye\":[[\"numSelected\"],\"/\",[\"numAvailable\"],\" activos seleccionados\"],\"kN1Yg5\":\"Para pagar en nombre de un usuario, se necesita una cantidad explícita para pagar\",\"kRTD40\":[\"Cantidad a pagar para alcanzar el \",[\"0\"],\"% de utilización\"],\"kjN9tT\":\"El límite de suministro se ha sobrepasado\",\"knxE+G\":\".JSON\",\"ks2LWT\":\"El límite de deuda no es cero\",\"kwwn6i\":\"Los usuarios que stakean AAVE en el Modulo de Seguridad (es decir, poseedores de stkAAVE) reciben un descuento en la tasa de interés de préstamo de GHO. Este descuento se aplica a 100 GHO por cada 1 stkAAVE en posesión. Usa el calculador de abajo para ver la tasa de préstamo de GHO con el descuento aplicado.\",\"kz3wtK\":\"and about SPK program\",\"kzZyM4\":\"El balance de DAI se convertirá a través de los contratos de DSR y luego se suministrará como sDAI. El cambio no genera costos adicionales ni deslizamientos.\",\"lNVG7i\":\"Selecciona un activo\",\"lU2d1/\":[\"Este activo no se puede migrar debido a una liquidez insuficiente o a una limitación del límite de préstamo en el mercado v3 de \",[\"marketName\"],\".\"],\"lVhKKI\":\"Votó YAE\",\"lWLqxB\":\"No pudimos encontrar ninguna transacción relacionada con tu búsqueda. Vuelve a intentarlo con un nombre de activo diferente o restablece los filtros.\",\"lYGfRP\":\"Inglés\",\"lfEjIE\":\"Aprende más en nuestra guía <0>Preguntas frecuentes\",\"lt6bpt\":\"Garantía a pagar con\",\"m/IEhi\":\"Emisiones totales por día\",\"m7r7Hh\":\"Activos de préstamo seleccionados\",\"mDDK4p\":\"Pool de Balancer\",\"mIM0qu\":\"Cantidad esperada a pagar\",\"mUAFd6\":\"Versión 2\",\"masO5Z\":\"E-Mode increases your LTV for a selected category of assets. <0>Learn more\",\"mdNjKU\":[\"Tu cartera de \",[\"name\"],\" está vacía. Compra o transfiere activos o usa <0>\",[\"0\"],\" para transferir tus activos de \",[\"network\"],\".\"],\"muiOng\":[\"Comprar \",[\"cryptoSymbol\"],\" con Fiat\"],\"mvCXBY\":\"Stakea AAVE\",\"mwdzil\":\"Vale, cerrar\",\"mzI/c+\":\"Descargar\",\"mzdIia\":\"Este activo no puede usarse como garantía.\",\"n+SX4g\":\"Desarrolladores\",\"n8Psk4\":\"No podemos detectar una cartera. Conecta una cartera para stakear y ver tu balance.\",\"nJIhzm\":\"Apy de suministro\",\"nJgsQu\":\"Con un poder de votación de <0/>\",\"nLC6tu\":\"Francés\",\"nN2T8p\":\"During the cooldown period, you will not earn any merit rewards. However, rewards earned up to this point will remain unaffected.\",\"nNHV0z\":\"Migrar múltiples garantías y activos prestados al mismo tiempo puede ser una operación costosa y podría fallar en ciertas situaciones.<0>Por lo tanto, no se recomienda migrar posiciones con más de 5 activos (depositados + tomados prestados) al mismo tiempo.\",\"nNbnzu\":\"Proposición\",\"nOy4ob\":\"Te sugerimos volver al Panel de control.\",\"nPGNMh\":\"Puede ser ejecutado\",\"nUK1ou\":[\"Assets with zero LTV (\",[\"0\"],\") must be withdrawn or disabled as collateral to perform this action\"],\"nakd8r\":\"poseedores de stkAAVE obtienen un descuento en la tasa de préstamo de GHO\",\"nh2EJK\":[\"Por favor, cambia a \",[\"networkName\"],\".\"],\"njBeMm\":\"Ambos\",\"noN5Xf\":\"We couldn’t detect a wallet. Connect a wallet to view your staking positions and rewards.\",\"ntkAoE\":\"Descuento aplicado para <0/> AAVE stakeados\",\"ntyFSE\":[[\"h\"],\"h\"],\"nwtY4N\":\"Se produjo un error\",\"nxyWvj\":\"Retirar esta cantidad reducirá tu factor de salud y aumentará el riesgo de liquidación.\",\"o17QVP\":\"Tu factor de salud y la relación préstamo-valor determinan la seguridad de tu garantía. Para evitar liquidaciones, puedes suministrar más garantía o pagar las posiciones de préstamo.\",\"o1xc2V\":\"El balance de AToken no es cero\",\"o4tCu3\":\"APY préstamo\",\"o5ooMr\":\"Deuda\",\"o7J4JM\":\"Filtro\",\"oHFrpj\":\"Cooldown para undstakear\",\"oJ5ZiG\":\"El usuario no tiene deuda pendiente de tasa variable en esta reserva\",\"oRBGin\":\"Por favor conecta tu cartera para cambiar tus tokens.\",\"oUwXhx\":\"Activos de prueba\",\"oWklJD\":\"La tasa de interés estable <0>permanecerá igual durante la duración de su préstamo. Está recomendado para los períodos de préstamo a largo plazo y para los usuarios que prefieren la previsibilidad.\",\"odnIK3\":\"Time remaining until the 48 hour withdraw period starts.\",\"oiK5nY\":\"The current incentives period, decided on by the Aave community, has ended. Governance is in the process on renewing, check for updates. <0>Learn more.\",\"olREoo\":\"All borrow positions outside of this category must be closed to enable this category.\",\"om/XHs\":\"Disponible para suministrar\",\"ov0+mq\":\"Eligible for the ZKSync Ignite program.\",\"ovT1pF\":[\"Per the community, the \",[\"market\"],\" has been frozen.\"],\"ow3fug\":\"Sin resultados\",\"owSsI3\":\"Firmas listas\",\"p+R52m\":\"Ir al pool de Balancer\",\"p2A+s1\":[\"El periodo de cooldown es \",[\"0\"],\". Después \",[\"1\"],\" del cooldown, entrarás a la ventana de unstakeo de \",[\"2\"],\". Continuarás recibiendo premios durante el cooldown y la ventana de unstakeo.\"],\"p2S64u\":\"La relación préstamo-valor de las posiciones migradas provocaría la liquidación. Aumenta la garantía migrada o reduce el préstamo migrado para continuar.\",\"p2Z2Qi\":\"Este activo ha alcanzado su límite de préstamo. No queda nada disponible para ser prestado de este mercado.\",\"p3j+mb\":\"Tu balance de recompensa es 0\",\"p45alK\":\"Configurar la delegación\",\"p6u2s1\":\"Minimum amount of debt to be repaid\",\"pDgeaz\":[[\"title\"]],\"pdZqBk\":\"El balance subyacente debe ser mayor que 0\",\"pgWG9H\":\"No hay suficiente balance stakeado\",\"piPrJ7\":\"por favor comprueba que la cantidad que deseas depositar no está siendo utilizada actualmente para stakear. Si está utilizando para stakear, tu transacción podría fallar.\",\"pjO/iH\":\"Cantidad mínima recibida\",\"pooutM\":\"La votación está activa\",\"pqaM5s\":\"Confirmando transacción\",\"ptaxX3\":[\"Entiendo como el cooldown (\",[\"0\"],\") y el proceso de unstaking (\",[\"1\"],\") funcionan\"],\"py2iiY\":\"La función debe ser llamada por un pool\",\"q/51mF\":\"Migrar a V3\",\"q3df11\":\"Estrategia de tasa de interés\",\"q6lAbz\":\"Stakeado\",\"qB4kPi\":\"Suministrar APY\",\"qENI8q\":\"Configuración global\",\"qGz5zl\":\"Balance de la garantía tras pagar\",\"qOqbD6\":\"copiar el error\",\"qXCkEM\":\"Por favor, conecta tu cartera para ver tus suministros, préstamos y posiciones abiertas.\",\"qY2jnw\":\"Expiración inválida\",\"qf/fr+\":\"Interés acumulado\",\"quYPUU\":\"Variable interest rate will <0>fluctuate based on the market conditions.\",\"quzIeW\":\"User is in isolation mode or LTV is zero\",\"qvnz3q\":\"Cantidad inválida para quemar\",\"rHgdb0\":\"Migrate to Aave V3\",\"rOrHHe\":\"La cantidad debe ser mayor que 0\",\"rQ+R+0\":\"Activos de suministro seleccionados\",\"rSayea\":\"APY\",\"rTBDeu\":[\"Este activo no se puede migrar porque tienes una garantía en Isolation Mode en el mercado v3 de \",[\"marketName\"],\" que limita los activos prestados. Puedes administrar tu garantía en el <0>Panel de control V3 de \",[\"marketName\"],\"\"],\"rcT+yy\":\"Mostrar activos con 0 balance\",\"rf8POi\":\"Cantidad de activos tomados prestados\",\"riNWOA\":\"E-Mode\",\"rjGI/Q\":\"Privacidad\",\"rnKPW1\":\"Watch a wallet balance in read-only mode\",\"ruc7X+\":\"Añade stkAAVE para ver el APY de préstamo con el descuento\",\"rvbaFU\":[\"Bridging \",[\"symbol\"]],\"rwVVB7\":\"Reclamar todas las recompensas\",\"rwyUva\":\"Estos activos están temporalmente congelados o pausados por decisiones de la comunidad de Aave, lo que significa que no se puede suministrar / tomar prestado o intercambiar tasas de estos activos. Se permiten retiros y pagos de deuda. Sigue el <0>foro de gobierno de Aave para más actualizaciones.\",\"rxJW5W\":\"Tu poder de proposición se basa en tu balance de AAVE/stkAAVE y delegaciones recibidas.\",\"s2jJnW\":\"You don't have any bridge transactions\",\"s5wBAq\":[\"Unstakear \",[\"symbol\"]],\"sJbIdI\":\"Enter ETH address or ENS\",\"sK+Nag\":\"Revisión tx\",\"sP2+gB\":\"NO\",\"sQv06Y\":\"para\",\"sTtO6J\":\"Confirmar transacción\",\"sXKb3l\":\"Tasa de cambio\",\"sb0q4+\":\"Unstakea aquí\",\"smJNwH\":\"Disponible para tomar prestado\",\"solypO\":\"El factor de salud no está por debajo del umbral\",\"sr0UJD\":\"Volver atrás\",\"ss5GCK\":\"La dirección del proveedor del grupo de direcciones no es válida\",\"swEgK4\":\"Tu información de voto\",\"t+wtgf\":\"Nada tomado prestado aún\",\"t/YqKh\":\"Eliminar\",\"t81DpC\":[\"Aprueba \",[\"symbol\"],\" para continuar\"],\"tCnbEs\":\"Precio del oráculo\",\"tFZLf8\":\"Este cálculo de gas es solo una estimación. Tu cartera establecerá el precio de la transacción. Puedes modificar la configuración de gas directamente desde tu proveedor de cartera.\",\"tHuvQI\":\"Ir al panel de control V3\",\"tKv7cI\":\"Cambiar posición de préstamo\",\"tOcg3N\":\"Dado que este activo está congelado, las únicas acciones disponibles son retirar y pagar, a las que se puede acceder desde el <0>Panel de control\",\"tOuXfv\":[\"Cantidad a tomar prestado para alcanzar el \",[\"0\"],\"% de utilización\"],\"te9Bfl\":\"Por favor, conecta tu cartera\",\"tt5yma\":\"Tus suministros\",\"ttoh5c\":\"Cambiar a\",\"u3ZeYl\":\"Error en la transacción\",\"u706uF\":\"Préstamo flash inválido\",\"u8Gfu7\":[\"Sin resultados de búsqueda\",[\"0\"]],\"uAQUqI\":\"Status\",\"uHMwk8\":\"No hay activos seleccionados para migrar.\",\"uJPHuY\":\"Migrando\",\"uY8O30\":\"Para continuar, necesitas otorgar permiso a los contratos inteligentes de Aave para mover tus fondos de tu cartera. Según el activo y la cartera que uses, se hace firmando el mensaje de permiso (sin coste de gas), o enviando una transacción de aprobación (requiere coste de gas). <0>Aprende más\",\"udFheE\":\"Para el pago de un tipo específico de deuda, el usuario necesita tener una deuda de ese tipo\",\"ulNuNq\":\"Exportar datos a\",\"ulup2p\":\"Comprar Crypto con Fiat\",\"umICAY\":\"<0><1><2/>Añade stkAAVE para ver la tasa de préstamo con descuento\",\"usB84Z\":\"La cantidad máxima disponible para tomar prestado está limitada porque casi se ha alcanzado el límite de préstamo del protocolo.\",\"uwAUvj\":\"COPIAR IMAGEN\",\"v8x7Mg\":\"Garantía insuficiente para cubrir la nueva posición de préstamo. La cartera debe tener poder de préstamo suficiente para realizar el cambio de deuda.\",\"vEqxH9\":\"Restakeado\",\"vLyv1R\":\"Ocultar\",\"vMba49\":\"Tomar prestado no está habilitado\",\"vMpNwt\":\"Aprobar con\",\"vXIe7J\":\"Idioma\",\"vesuBJ\":\"Te permite decidir si utilizar un activo suministrado como garantía. Un activo utilizado como garantía afectará a tu poder de préstamo y factor de salud.\",\"w+V9Cx\":\"Stablecoin\",\"w/JtJ3\":\"El balance de deuda estable no es cero\",\"w4VBY+\":\"APR de recompensas\",\"w9dLMW\":[[\"label\"]],\"wAOL+X\":[\"Tu \",[\"action\"],\" <0/> \",[\"symbol\"]],\"wBIsjb\":\"Canal de Discord\",\"wQZbc/\":\"El llamador de la función no es un AToken\",\"wRRqvW\":\"No tienes suministros en este activo\",\"wZFvVU\":\"VOTAR SI\",\"wb/r1O\":[\"Faucet \",[\"0\"]],\"wdxz7K\":\"Source\",\"weH1nG\":\"El Protocolo Aave está programado para usar siempre el precio de 1 GHO = $1. Esto es diferente del uso del precio de mercado a través de oráculos para otros criptoactivos. Esto crea oportunidades de arbitraje estabilizadoras cuando el precio de GHO fluctúa.\",\"wh7Ezv\":\"No tienes balance de AAVE/stkAAVE/aAave para delegar.\",\"wlsIx7\":\"Con la testnet Faucet puedes obtener activos gratuitos para probar el Protocolo Aave. Asegúrate de cambiar tu proveedor de cartera a la red de testnet adecuada, selecciona el activo deseado y haz clic en \\\"Faucet\\\" para obtener tokens transferidos a tu cartera. Los activos de una testnet no son \\\"reales\\\", lo que significada que no tienen valor monetario. <0>Aprende más\",\"wmE285\":\"Obtener Token ABP v2\",\"wyRrcJ\":\"Como resultado de las decisiones del gobierno, este pool de stakeo de ABPT está obsoleto. Tienes la flexibilidad de migrar todos tus tokens a v2 o unstakearlos sin ningún periodo de cooldown.\",\"x5KiLL\":\"Los activos seleccionados se han migrado correctamente. Visita el panel de control del mercado para verlos.\",\"x7F2p6\":\"Diferencial actual\",\"x7K5ib\":[\"Tu cartera de \",[\"networkName\"],\" está vacía. Consigue \",[\"0\"],\" de prueba gratis en\"],\"x9iLRD\":\"tokens, por favor ve al\",\"xNy/UG\":\"Pagar con\",\"xPm8wv\":\"Aprende más sobre los riesgos involucrados\",\"xXYpZl\":[[\"0\"],\" Faucet\"],\"xaVBSS\":\"Tu información\",\"xaWZ6f\":\"Cambio tipo de APY\",\"xh6k71\":\"El uso de garantías está limitado debido al isolation mode.\",\"xvIklc\":\"El préstamo flash está deshabilitado para este activo, por lo tanto, esta posición no se puede migrar.\",\"y5rS9U\":\"Migrar\",\"y66tBm\":[\"Habilitar \",[\"symbol\"],\" como garantía\"],\"yB1YpA\":\"Modo oscuro\",\"yCrG6m\":\"Tamaño total del mercado\",\"yJUUbn\":\"Resumen de la transacción\",\"yLGmLX\":[\"Restakear \",[\"symbol\"]],\"yW1oWB\":\"Tipo APY\",\"yYHqJe\":\"Dirección no válida\",\"yZwLw6\":\"Haz seguimiento de tu cartera\",\"yh2sjd\":[\"Impacto en el precio \",[\"0\"],\"%\"],\"yhvj6d\":\"No puedes cambiar el uso como modo de garantía para este activo, porque causará una liquidación\",\"ylmtBZ\":\"La aplicación se ejecuta en fork mode.\",\"ymNY32\":[\"No hay fondos suficientes en la reserva\",[\"0\"],\"para tomar prestado\"],\"yz7wBu\":\"Cerrar\",\"z4uGQg\":\"El límite de deuda está sobrepasado\",\"z5UQOM\":\"La garantía elegida no puede ser liquidada\",\"z5Y+p6\":[\"Suministrando \",[\"symbol\"]],\"zCjNKs\":\"No se puede realizar la acción porque la reserva está congelada\",\"zRHytX\":\"Límite de deuda aislado\",\"zTOjMP\":\"El límite de suministro del protocolo está al 100% para este activo. No es posible suministrar más.\",\"zVdRUG\":\"Submission did not work, please try again later or contact wecare@avara.xyz\",\"zevmS2\":\"<0><1><2/>añade <3/> stkAAVE para tomar prestado al <4/> (descuento máximo)\",\"zgtIDV\":\"Deuda restante\",\"zmTPiV\":\"Balance de suministro\",\"zpPbZl\":\"Parámetros de riesgo de liquidación\",\"zucql+\":\"Menú\",\"zwWKhA\":\"Aprende más\",\"zy9fXn\":[\"Este activo está congelado en el mercado v3 de \",[\"marketName\"],\", por lo tanto, esta posición no se puede migrar.\"],\"zys+R6\":\"Ten en cuenta la congestión de la red y los precios del gas.\",\"zzzTXS\":\"Merit Program rewards are claimed through the\"}")}; \ No newline at end of file +/*eslint-disable*/module.exports={messages:JSON.parse("{\"+0xecS\":[\"Si NO unstakeas entre \",[\"0\"],\" de la ventana de unstakeo, necesitarás activar el proceso de cooldown de nuevo.\"],\"+EGVI0\":\"Recibir (est.)\",\"+VR63W\":[\"Participar en esta reserva de \",[\"symbol\"],\" da recompensas anuales.\"],\"+bmKdK\":\"Utiliza tu balance de AAVE, stkAAVE o aAava para delegar tu voto y poder de proposición. No enviarás ningún token, solo los derechos de votar y proponer cambios en el protocolo. Puedes volver a delegar o revocar el poder de vuelta en cualquier momento.\",\"+eOPG+\":\"Parece que no podemos cambiar la red automáticamente. Por favor, comprueba si puedes cambiarla desde la cartera.\",\"+i3Pd2\":\"Límite del préstamo\",\"+kLZGu\":\"Cantidad de activos suministrados\",\"+nuEh/\":\"Estimated time\",\"+xMFF8\":\"Remind me\",\"/57U31\":\"Cantidad para migrar\",\"/7ykiW\":\"Tomar prestado esta cantidad reducirá tu factor de salud y aumentará el riesgo de liquidación.\",\"/YA5pU\":\"E-Mode increases your LTV for a selected category of assets, meaning that when E-mode is enabled, you will have higher borrowing power over assets of the same E-mode category which are defined by Aave Governance. You can enter E-Mode from your <0>Dashboard. To learn more about E-Mode and applied restrictionn, see the <1>help guide or the <2>Aave V3 Technical Paper.\",\"/izjs/\":\"Cantidad mínima de Aave stakeado\",\"/jQctM\":\"To\",\"/lDBHm\":\"Preguntas frecuentes\",\"/yNlZf\":\"El préstamo estable no está habilitado\",\"/yQcJM\":\"Valor total\",\"00AB2i\":\"El usuario no tomó prestado el activo especificado\",\"00OflG\":\"No hay suficiente liquidez para que el activo seleccionado realice el cambio. Prueba reduciendo la cantidad.\",\"08/rZ9\":\"El periodo de cooldown es el tiempo requerido antes de unstakear tus tokens (20 días). Solo puedes retirar tus activos del Módulo de Seguridad después del periodo de cooldown y dentro de la ventana de unstakeo.<0>Aprende más\",\"0AmQcW\":\"Cambio de tasa\",\"0BF3yK\":\"Lo sentimos, no hemos podido encontrar la página que estabas buscando.\",\"0TAbjq\":\"Recent Transactions\",\"0jhlyw\":\"Riesgo de liquidación\",\"0ojY+Y\":\"Balance actual v2\",\"0thX3P\":\"Cambio de garantía\",\"0wGCWc\":\"Esta es la cantidad total que puedes suministrar en esta reserva. Puedes suministrar el balance de tu cartera hasta que se alcance el límite de suministro.\",\"1AsVfF\":\"Los datos de los precios no están disponibles actualmente para esta reserva en el subgraph del protocolo\",\"1LjK22\":\"Historial de transacciones\",\"1Onqx8\":[\"Aprobando \",[\"symbol\"],\"...\"],\"1Ue8sX\":\"Por favor conecta una cartera para ver tu información personal aquí.\",\"1bpx9A\":\"...\",\"1kWUB+\":\"Umbral <0/> de liquidación\",\"1m9Qqc\":\"Retirando y Cambiando\",\"1oyh4g\":\"Borrow rate\",\"1t7rez\":\"El suministro de activos está limitado a una cierta cantidad para reducir la exposición del protocolo a este activo y ayudar a manejar los riesgos implicados.\",\"2CAPu2\":\"Has retirado y cambiado tokens con éxito.\",\"2Eoi/a\":\"Ver detalles\",\"2FYpfJ\":\"Más\",\"2O3qp5\":\"Liquidez disponible\",\"2OM8/D\":[\"Este activo no se puede migrar debido a una restricción del límite de suministro en el mercado v3 de \",[\"marketName\"],\".\"],\"2Q4GU4\":\"Dirección bloqueada\",\"2ZGocC\":\"Aave es un protocolo totalmente descentralizado, gobernado por la comunidad de poseedores de tokens AAVE. Los poseedores de tokens AAVE discuten, proponen y votan colectivamente sobre las actualizaciones del protocolo. Los poseedores de tokens AAVE (solo en la red Ethereum) pueden votar ellos mismos sobre nuevas propuestas o delegarse a una dirección de su elección. Para aprender más, consulta la\",\"2a6G7d\":\"Por favor introduce una dirección de cartera válida.\",\"2bAhR7\":\"Conoce GHO\",\"2eBWE6\":\"Acepto los riesgos involucadros.\",\"2o/xRt\":\"Se ha alcanzado el límite de suministro en la reserva especificada. Prueba reduciendo la cantidad.\",\"2uJToh\":[[\"0\"],[\"name\"]],\"2x58bP\":\"El préstamo estable no está habilitado\",\"34Qfwy\":\"El límite del préstamo se ha sobrepasado\",\"39eQRj\":[\"Tomar prestado \",[\"symbol\"]],\"3BL1xB\":\"Total suministrado\",\"3BnIWi\":\"Cambiado\",\"3K0oMo\":\"Suministro restante\",\"3MoZhl\":\"No hay suficiente garantía para cubrir un nuevo préstamo\",\"3Np5O8\":[\"Suministrar \",[\"symbol\"]],\"3O8YTV\":\"Interés total acumulado\",\"3mXg0z\":\"LTV máximo\",\"3q3mFy\":\"Pagar\",\"3qsjtp\":\"El promedio ponderado de APY para todos los activos suministrados, incluidos los incentivos.\",\"3rL+os\":\"Solo puedes retirar tus activos del Módulo de Seguridad después de que finalice el período de cooldown y la ventana de unstakeo esté activa.\",\"42UgDM\":[\"Migrar al mercado V3 de \",[\"0\"]],\"49UFQA\":\"Resultados de la votación\",\"4DMZUI\":\"Ver Transacciones\",\"4HtGBb\":\"MAX\",\"4Y5H+g\":\"Términos\",\"4YYh4d\":\"Máximo disponible para tomar prestado\",\"4iPAI3\":\"Cantidad de préstamo mínima de GHO\",\"4lDFps\":\"Firma para continuar\",\"4wyw8H\":\"Transacciones\",\"5JSSxX\":[\"Tu cartera de \",[\"networkName\"],\" está vacía. Consigue activos de prueba gratis en\"],\"5K7kGO\":\"documentación\",\"5NOSGa\":\"El límite de deuda limita la cantidad posible que los usuarios del protocolo pueden tomar prestado contra este activo. El límite de deuda es específico para los activos en isolation mode y se indica en USD.\",\"5Ncc6j\":[\"Este activo casi ha alcanzado su límite de suministro. Solo se puede suministrar \",[\"messageValue\"],\" a este mercado.\"],\"5cZ/KX\":\"El suministro de deuda variable no es cero\",\"5che++\":\"Para solicitar acceso a este mercado, porfavor visita: <0>Nombre del proveedor de acceso\",\"5ctNdV\":[\"Mínimo \",[\"0\"],\" recibido\"],\"5hDe9v\":\"Acción de permiso requerida\",\"5rsnKT\":\"Recompensas disponibles\",\"5yC5m5\":\"Ver todos los votos\",\"6/dCYd\":\"Resumen\",\"60crCe\":\"Todas las transacciones\",\"62Xcjh\":\"Garantía\",\"65A04M\":\"Español\",\"6G8s+q\":\"Firmando\",\"6Jrv+z\":[\"Pagar \",[\"symbol\"]],\"6NGLTR\":\"Cantidad descontable\",\"6Xr0UU\":\"Cooling down...\",\"6bxci/\":\"Poder de votación\",\"6f8S68\":\"Mercados\",\"6g1gi0\":\"Propuestas\",\"6gvoHP\":\"Copiar mensaje de error\",\"6h3Q5G\":\"reembolsado\",\"6lFSyT\":\"Available to Stake\",\"6s8L6f\":\"Cambiar de red\",\"6yAAbq\":\"APY, tasa de préstamo\",\"70wH1Q\":\"APR\",\"72c5Qo\":\"Total\",\"73Auuq\":\"Los parámetros de descuento son decididos por la comunidad de Aave y pueden cambiar con el tiempo. Consulta el Gobierno para ver actualizaciones y vota para participar. <0>-Aprende más\",\"75qcAQ\":[[\"stepName\"]],\"7ITr5L\":\"Factor de salud\",\"7T/o5R\":\"Alcanzado\",\"7YlcXu\":\"El fork mode está activado\",\"7Z76Iw\":\"Tomar prestado no está disponible porque estás usando el Isolation mode. Para administrar el Isolation mode, visita tu <0>Panel de control.\",\"7aKlMS\":\"Compartir en Lens\",\"7er5fP\":\"Reclamar todo\",\"7hb2+s\":\"Time remaining until the withdraw period ends.\",\"7l88b8\":\"No se pudieron recuperar los datos, por favor recarga el gráfico.\",\"7p5kLi\":\"Panel de control\",\"7sofdl\":\"Retirar y Cambiar\",\"8+6BI0\":\"Ten cuidado - Estás muy cerca de la liquidación. Considera depositar más garantía o pagar alguno de tus préstamos\",\"87pUEW\":[\"Tu cartera de \",[\"name\"],\" está vacía. Compra o transfiere activos.\"],\"8F1i42\":\"Página no encontrada\",\"8G8M0u\":\"Cargando datos...\",\"8Iu1QS\":\"retirado\",\"8JL93T\":\"Todas las propuestas\",\"8Q51DU\":\"Añadir a la cartera\",\"8X/oyn\":\"Cantidad invalidad para generar\",\"8Z5FPv\":\"Desconectar cartera\",\"8Zz7s5\":\"activos\",\"8aLW8H\":\"Balance a revocar\",\"8bOT3H\":\"Tasa de uso\",\"8sLe4/\":\"Ver contrato\",\"8t/M0y\":\"Please connect your wallet to be able to bridge your tokens.\",\"8vETh9\":\"Mostrar\",\"94OHPx\":\"Estás entrando en el Isolation mode\",\"9CDK3/\":[\"Tomar prestado no está disponible actualmente para \",[\"0\"],\".\"],\"9GIj3z\":\"Tamaño de la reserva\",\"9Knqb4\":\"Balance stakeado\",\"9OBKm7\":\"Quorum\",\"9QHoGr\":\"Votos actuales\",\"9Rw96f\":[\"Este activo casi ha alcanzado su límite de préstamo. Solo hay \",[\"messageValue\"],\" disponibles para ser prestado de este mercado.\"],\"9Xj/qR\":[\"Algunos activos migrados no se utilizarán como garantía debido al isolation mode habilitado en el mercado V3 de \",[\"marketName\"],\". Visita el <0>Panel de control de \",[\"marketName\"],\" V3 para administrar el isolation mode.\"],\"9c6vDV\":\"Este activo ha alcanzado su límite de suministro. No queda nada disponible para ser suministrado desde este mercado.\",\"9kTWHA\":\"MAI ha sido pausado debido a una decisión de la comunidad. Los suministros, préstamos y pagos se han visto afectados. <0>Más información\",\"9lXchd\":\"Token subyacente\",\"9rWaKF\":\"Bridged Via CCIP\",\"9xSooW\":\"Puesto que esta es una red de pruebas, puedes obtener cualquiera de los activos si tienes ETH en tu cartera\",\"A/lwoe\":\"Elige uno de los servicios on-ramp\",\"A6dCI6\":[\"La máxima cantidad disponible para tomar prestado es <0/> \",[\"0\"],\" (<1/>).\"],\"AReoaV\":\"Tus préstamos\",\"ARu1L4\":\"Pagado\",\"AV7cGz\":\"Revisa los detalles del approve\",\"AZOjB8\":\"Recuperando datos...\",\"Ai0jas\":\"Únete a la discusión de la comunidad\",\"Ajl2rq\":\"El poder de préstamo y los activos están limitados debido al Isolation mode.\",\"AqgYNC\":\"El límite de préstamo del protocolo está al 100% para este activo. No es posible tomar más prestado.\",\"B3EcQR\":\"¡Gracias por votar!\",\"B6aXGH\":\"Estable\",\"B9Gqbz\":\"Tasa variable\",\"BDFEd+\":\"stETH suministrado como garantía continuará acumulando recompensas de staking proporcionadas por rebases diarios.\",\"BE2mP0\":\"Borrowed assets\",\"BJyN77\":\"Debido al impacto del factor de salud, se requiere un préstamo flash para realizar esta transacción, pero el Gobierno de Aave ha inhabilitado la disponibilidad de préstamos flash para este activo. Intenta reducir la cantidad o suministrar garantía adicional.\",\"BNL4Ep\":\"El uso como garantía está limitado debido al isolation mode. <0>Aprende más\",\"BQ/wCO\":\"Migrate your assets\",\"BjLdl1\":\"Con un descuento\",\"BnhYo8\":\"Categoría de activos\",\"Bq9Y7e\":\"Este activo está congelado debido a una decisión de la comunidad de Aave. <0>Más información\",\"BqWMDJ\":\"Faucet\",\"BqynZO\":\"Optimized for efficiency and risk by supporting blue-chip collateral assets\",\"Bsu7zX\":\"The fee includes the gas cost to complete the transaction on the destination chain and the fee paid to Chainlink CCIP service providers. You can chose to pay in the network token or GHO. <0>Learn more\",\"BwJKBw\":\"de\",\"CDrsH+\":\"Documento técnico\",\"CK1KXz\":\"Max\",\"CMHmbm\":\"Deslizamiento\",\"CZXzs4\":\"Griego\",\"CcRNG6\":\"Cambiando\",\"CkTRmy\":[\"Reclamar \",[\"symbol\"]],\"CsqtLm\":\"Por favor conecta tu cartera para ver la herramienta de migración.\",\"CtGlFb\":[\"Faucet \",[\"networkName\"]],\"Cxt2YY\":\"Watch wallet\",\"D33VQU\":\"Esta acción reducirá el factor de salud de V3 por debajo del umbral de liquidación. Aumenta la garantía migrada o reduce el préstamo migrado para continuar.\",\"D9BLRG\":\"Este activo ha sido pausado debido a una decisión de la comunidad. El suministro, los retiros, los préstamos y los pagos se han visto afectados.\",\"DAma/S\":\"La garantía es (en su mayoría) el mismo activo que se está tomando prestado\",\"DCnFg0\":[\"Direcciones (\",[\"0\"],\")\"],\"DG3Lv1\":\"Entiendo completamente los riesgos de migrar.\",\"DONJcV\":\"El activo base no puede ser rescatado\",\"DR+4uL\":\"Balance del suministro después del cambio\",\"DWjrck\":[\"Este activo no se puede migrar al mercado V3 de \",[\"marketName\"],\" debido a las restricciones del E-mode. Puedes deshabilitar o administrar las categorías del E-mode en tu <0>Panel de control V3\"],\"Dj+3wB\":\"Aave por mes\",\"DptNvx\":\"Amount Staked\",\"DuEq2K\":\"Colateralización\",\"DxfsGs\":\"Puedes reportar cualquier incidente a nuestro <0>Discord o <1>Github.\",\"Dzma+E\":\"Main Ethereum market with the largest selection of assets and yield options\",\"E/QGRL\":\"Deshabilitado\",\"EBL9Gz\":\"¡COPIADO!\",\"ES8dkb\":\"Interés fijo\",\"EZd3Dk\":[\"Restakeando \",[\"symbol\"]],\"Ebgc76\":[\"Retirando \",[\"symbol\"]],\"EdQY6l\":\"Ninguno\",\"EjvKQ+\":\"Valor mínimo en USD recibido\",\"Enslfm\":\"Destination\",\"EvE9nO\":[\"Reactivar el periodo de cooldown para unstakear \",[\"0\"],\" \",[\"stakedToken\"]],\"EvECnL\":\"Migrar a V3\",\"EzMQbh\":\"The source chain time to finality is the main factor that determines the time to destination. <0>Learn more\",\"F40cwT\":\"Legacy Markets\",\"F6TdXL\":\"Aprende más.\",\"FDDPeZ\":\"Users can stake their assets in the protocol and earn incentives. In the case of a shortfall event, your stake can be slashed to cover the deficit, providing an additional layer of protection for the protocol.\",\"FHlMf/\":\"Balance actual v2\",\"FHpxjF\":[\"El factor de reserva es un porcentaje de interés que va a un \",[\"0\"],\" que es controlado por el gobierno de Aave para promover el crecimiento del ecosistema.\"],\"FOBZa6\":\"Capacidad de préstamo utilizada\",\"FPKEug\":\"Operación no soportada\",\"FbmMe7\":\"Direcciones vinculadas\",\"Fdp03t\":\"en\",\"Fjw9N+\":\"Activos a suministrar\",\"FmN0fk\":\"Restakear\",\"GDGLIs\":\"GHO es un activo nativo descentralizado, digital y respaldado por garantía, vinculado al USD. Es creado por los usuarios que lo toman prestado contra múltiples garantías. Cuando el usuario paga su posición de préstamo de GHO, el protocolo quema el GHO de ese usuario. Todos los pagos de interés acumulados por los acuñadores de GHO serán transferidos directamente a la tesorería de\xA0la\xA0DAO\xA0de\xA0Aave.\",\"GQrBTq\":\"Cambiar E-Mode\",\"GWswcZ\":\"Este activo está congelado debido a una decisión del Gobierno del Protocolo Aave. El 20 de diciembre de 2022, renFIL ya no será compatible y no se podrá conectar de nuevo a su red nativa. Se recomienda retirar las posiciones de suministro y pagar las posiciones de préstamo para que renFIL se pueda convertir de nuevo a FIL antes de la fecha límite. Después de esta fecha, ya no será posible convertir renFIL a FIL. <0>Más detalles\",\"GX8GKD\":\"Activos\",\"GgEj+0\":\"Modo de solo lectura. Conéctate a una cartera para realizar transacciones.\",\"GjkIKV\":\"finaliza\",\"GoK/QN\":\"Thank you for submitting feedback!\",\"GtP2hp\":[\"Tomar prestado no está disponible porque has habilitado el Efficieny Mode (E-Mode) para la categoría \",[\"0\"],\". Para manejar las categorías del E-Mode visita tu <0>Panel de control.\"],\"H6Ma8Z\":\"Descuento\",\"HB/wfS\":[[\"tooltipText\"]],\"HKDsQN\":\"Rewards can be claimed through\",\"Ha/U5f\":\"This is a program initiated and implemented by the decentralised ZKSync community. Aave Labs does not guarantee the program and accepts no liability.\",\"HciqKU\":\"This is a program initiated and implemented by the decentralised Aave community. Aave Labs does not guarantee the program and accepts no liability.\",\"Hi6Ttn\":\"Lo sentimos, se produjo un error imprevisto. Mientras tanto, puedes intentar recargar la página, o volver después.\",\"HkEDbS\":[[\"d\"],\"d\"],\"HmkYqM\":\"Ventana de unstakeo\",\"HpK/8d\":\"Recargar\",\"HrnC47\":\"Guardar y compartir\",\"HuVZMK\":\"Days\",\"HvJKMU\":[\"Este activo no se puede migrar al mercado v3 de \",[\"marketName\"],\", ya que el activo de garantía habilitará el isolation mode.\"],\"Hvwnm9\":[\"La cantidad máxima disponible para suministrar está limitada porque el límite de suministro del protocolo está al \",[\"0\"],\"%.\"],\"I8CX2c\":\"La cantidad total de tus activos denominados en USD que pueden ser usados como garantía para activos de préstamo.\",\"IAD2SB\":[\"Reclamando \",[\"symbol\"]],\"IG9X9/\":\"Tomar prestado este activo está limitado a una cierta cantidad para minimizar la insolvencia del fondo de liquidez.\",\"IOIx8L\":\"Está previsto que este activo se desvincule debido a una decisión del Gobierno del Protocolo Aave. <0>Más detalles\",\"IP+I/j\":\"Periodo de cooldown\",\"IaA40H\":\"Liquidación en\",\"J/hVSQ\":[[\"0\"]],\"JCoxL6\":\"Administrar analíticas\",\"JK9zf1\":[\"Interés compuesto estimado, incluyendo el descuento por Staking \",[\"0\"],\"AAVE en el Módulo de Seguridad.\"],\"JOqFba\":[\"Unstakeando \",[\"symbol\"]],\"JPrLjO\":\"No puedes usar este activo como garantía\",\"JU6q+W\":\"Recompensa(s) por reclamar\",\"JYKRJS\":\"Stakear\",\"JZMxX0\":\"No hay suficiente balance en tu cartera\",\"Jgflkm\":\"Obtener GHO\",\"JoMQnI\":\"Balance de la cartera\",\"JtwD8u\":\"Balance tomado prestado tras pagar\",\"JumYTK\":\"Supplied assets\",\"K05qZY\":\"Retirar y Cambiar\",\"KAz/NV\":\"El límite de deuda del protocolo está al 100% para este activo. No es posible tomar más prestado usando este activo como garantía.\",\"KLXVqE\":[\"Los tokens stETH se migrarán a Wrapped stETH usando el wrapper del protocolo de Lido, lo que provoca un cambio en el balance de suministro después de la migración: \",[\"0\"]],\"KLd6ky\":\"Use connected account\",\"KRpokz\":\"VER TX\",\"KSlpka\":\"Esto representa el umbral en el que un préstamo será considerado sin garantía suficiente y sujeto a la liquidación de la misma. Por ejemplo, si una garantía tiene un umbral de liquidación del 80 %, significa que el préstamo será liquidado cuando el valor de la deuda alcanze el 80% del valor de la garantía.\",\"KYAjf3\":\"Aislado\",\"KZwRuD\":[[\"notifyText\"]],\"KkPgim\":\"Cambiando E-Mode\",\"KnN1Tu\":\"Caduca\",\"KoOBI2\":\"Debido a mecánicas internas de stETH requeridas para el soporte del rebase, no es posible realizar un cambio de garantía donde stETH es el token de origen.\",\"KojyJ4\":\"Red incorrecta\",\"KsqhWn\":\"Staking\",\"KuBTQq\":\"Introduce la dirección ETH\",\"KvG1xW\":\"Reclamando\",\"L+8Lzs\":\"LTV actual\",\"L+qiq+\":\"Mercado\",\"LDzfVJ\":\"Send Feedback\",\"LIrMcF\":\"Sin poder de voto\",\"LL0zks\":\"Puede ser garantía\",\"LLdJWu\":\"AAVE Reclamable\",\"LSIpNK\":\"Tomar prestado y pagar en el mismo bloque no está permitido\",\"LVt3TI\":[\"<0>Tolerancia de deslizamiento <1>\",[\"selectedSlippage\"],\"% <2>\",[\"0\"],\"\"],\"LjafV8\":\"Maximum collateral amount to use\",\"LtpQew\":\"Let us know how we can make the app better for you. For user support related inquiries please reach out on\",\"LvVpD/\":\"Modo E\",\"M2sknc\":\"Tip: Intenta aumentar el deslizamiento o reduce la cantidad de entrada\",\"M7wPsD\":\"Cambiar\",\"MFu33y\":\"Staking 00\",\"MIy2RJ\":\"Maximum amount received\",\"MZ/nQf\":\"Dirección del destinatario\",\"Ma/MtY\":\"vista de stakeo\",\"McHlGl\":\"Cambio de APY\",\"MeCCA+\":\"APY, variable\",\"MghdTe\":\"Si el factor de salud se encuentra por debajo de 1, la liquidación de tu colateral puede ser activada.\",\"Mm/DVQ\":\"Has cancelado la transacción.\",\"MnE2QX\":\"Información de préstamo\",\"MrmQHg\":\"View Bridge Transactions\",\"MuDFEQ\":\"Valor de retorno inválido en la función executor del préstamo flash\",\"N5kUMV\":\"Este activo solo se puede utilizar como garantía en isolation mode con poder de préstamo limitado. Para entrar en el isolation mode, deshabilita todas las demás garantías.\",\"N6Pxr9\":\"View all\",\"NF0e1Q\":\"Pendiente...\",\"NK9ikO\":\"Balance de la cartera\",\"NMt2CB\":\"Cantidad reclamable\",\"NcFGxG\":\"Collector Contract\",\"NfpPeS\":\"Nada invertido\",\"Nh9DAo\":[[\"m\"],\"m\"],\"O+sCUU\":\"El límite de minteo sin respaldo ha sido excedido\",\"O+tyU+\":[\"La cantidad máxima disponible para tomar prestado contra este activo está limitada porque el límite de deuda está al \",[\"0\"],\"%.\"],\"O3oNi5\":\"Email\",\"OFjZGo\":\"Unstakear\",\"OR8cYX\":\"Resumen de la propuesta\",\"OYuJ9K\":\"El límite de deuda del protocolo está al 100% para este activo. No es posible tomar más prestado usando este activo como garantía.\",\"OfhWJH\":\"Restablecer\",\"Og2SKn\":\"deshabilitado\",\"On0aF2\":\"Página web\",\"OsyKSt\":\"Retirar\",\"P1dURE\":\"Revocar poder\",\"P2WCD/\":[\"El activo subyacente no existe en el mercado v3 de \",[\"marketName\"],\", por lo tanto, esta posición no se puede migrar.\"],\"P2sL6B\":\"Cuando ocurre una liquidación, los liquidadores pagan hasta el 50% de la cantidad pendiente del préstamo en nombre del prestatario. A cambio, pueden comprar la garantía con descuento y quedarse con la diferencia (sanción de liquidación) como bonificación.\",\"P6sRoL\":\"Stakea ABPT\",\"P72/OW\":\"El promedio ponderado de APY para todos los activos prestados, incluidos los incentivos.\",\"P7e6Ug\":\"Por favor conecta tu cartera para ver el historial de transacciones.\",\"PByO0X\":\"Votos\",\"PI+kVe\":\"Deshabilitar fork\",\"PJK9u/\":\"Apy préstamo\",\"PLUB/s\":\"Fee\",\"PP5ZA8\":[\"Participating in staking \",[\"symbol\"],\" gives annualized rewards. Your wallet balance is the sum of your aTokens and underlying assets. The breakdown to stake is below\"],\"PcBUgb\":\"Umbral de liquidación\",\"PjU6bu\":\"This asset is eligible for SPK incentive program. Aave Labs does not guarantee the program and accepts no liability.\",\"PpqD5g\":\"Habilitar este activo como garantía aumenta tu poder préstamo y el factor de salud. Sin embargo, puede ser liquidado si tu factor de salud cae por debajo de 1.\",\"PsOFSf\":\"Esta acción reducirá el factor de salud V2 por debajo del umbral de liquidación. Mantén la garantía o migra la posición de préstamo para continuar.\",\"Pu4bI/\":[[\"currentMethod\"]],\"Q0LzKi\":\"View TX\",\"Q4eNqa\":\"El Aave Balancer Pool Token (ABPT) es un token de pool de liquidez. Puedes recibir ABPT depositando una combinación de AAVE + wstETH en el pool de liquidez de Balancer. Luego puedes stakear tu BPT en el módulo de seguridad para asegurar el protocolo y ganar incentivos de seguridad.\",\"QQYsQ7\":\"Retirando\",\"QWYCs/\":\"Stakear GHO\",\"R+30X3\":\"No alcanzado\",\"RCU5PY\":\"Age\",\"RIfckG\":[\"Desactivar \",[\"symbol\"],\" como garantía\"],\"RMtxNk\":\"Diferencial\",\"RNK49r\":\"Firma inválida\",\"RS0o7b\":\"Estado\",\"RU+LqV\":\"Detalles de la propuesta\",\"RYTgZX\":\"lorem ipsum\",\"RbXH+k\":\"Los poseedores de AAVE, GHO y ABPT (solo en la red de Ethereum) pueden stakear sus activos en el Módulo de Seguridad para añadir más seguridad al protocolo y obtener incentivos de seguridad. En el caso de un evento de shortfall, tu stakeo puede ser reducido para cubrir el déficit. proporcionando una capa adicional de protección para el protocolo.\",\"RiSYV4\":\"El activo no está listado\",\"Rj01Fz\":\"Enlaces\",\"RmWFEe\":\"Staking APR\",\"RoafuO\":\"Enviar feedback\",\"RtBLm7\":\"El factor de salud es menor que el umbral de liquidación\",\"RxzN1M\":\"Habilitado\",\"SDav7h\":\"Fondos en el Módulo de Seguridad\",\"SENccp\":\"Si el error persiste, <0/> podrías reportarlo a esto\",\"SIWumd\":\"Mostrar activos congelados o pausados\",\"SM58dD\":\"Cantidad en cooldown\",\"SSMiac\":\"Error al cargar los votantes de la propuesta. Por favor actualiza la página.\",\"SSQVIz\":\"Umbral de liquidación\",\"SUb8x0\":\"Total disponible\",\"SWIgh4\":\"Fees exceed wallet balance\",\"SY9hVo\":\"El modo de solo lectura permite ver las posiciones de las direcciones en Aave, pero no podrás realizar transacciones.\",\"SZRUQ4\":\"Deslizamiento máximo\",\"Sa1UE/\":\"El límite de préstamo del protocolo está al 100% para este activo. No es posible tomar más prestado.\",\"Sk2zW9\":\"Desactivando E-Mode\",\"SxaD0o\":\"La dirección del proveedor del pool no esta registrada\",\"T/AIqG\":\"El límite de suministro del protocolo está al 100% para este activo. No es posible suministrar más.\",\"T0xCO9\":\"No se puede validar la dirección de la cartera. Vuelve a intentarlo.\",\"T4OhVl\":\"GHO balance\",\"T6uYU2\":\"Tomar prestado\",\"TFxQlw\":\"Penalización de liquidación\",\"TQ7WsV\":\"Available to stake\",\"TUI7iB\":\"El activo solo puede usarse como garantía en el Isolation mode únicamente.\",\"TbjyhA\":\"Docs\",\"TduuS0\":\"El usuario no tiene deuda pendiente de tasa estable en esta reserva\",\"TeCFg/\":\"Cambio de tasa de préstamo\",\"Tg1JyO\":\"Bridge history\",\"TskbEN\":\"Los poseedores de stkAAVE reciben un descuento en la tasa de préstamo de GHO\",\"TszKts\":\"Balance de préstamo después del cambio\",\"TtZL6q\":\"Parámetros del modelo de descuento\",\"TwJI9F\":\"Asset has been successfully sent to CCIP contract. You can check the status of the transactions below\",\"Tz0GSZ\":\"actividades bloqueadas\",\"U/eBjN\":\"Recarga la página\",\"U2r8nY\":\"Elige cuánto poder de voto/proposición otorgar a otra persona delegando parte de tu balance de AAVe o stkAAVE. Tus tokens permanecerán en tu cuenta, pero tu delegado podrá votar o proponer en tu lugar. Si tu balance de AAVE, stkAAVE o aAave cambia, el poder de voto/proposición de tu delegado se ajustará automáticamente.\",\"U8IubP\":\"La aplicación se está ejecutando en testnet mode. Aprende como funciona en\",\"U9btTk\":\"El activo no se puede pedir prestado en isolation mode\",\"UAOZRe\":\"El impacto del precio es la diferencia entre el valor total de los tokens de entrada cambiados y los tokens de destino obtenidos (en USD), que resulta de la liquidez limitada del par de cambio.\",\"UE3KJZ\":\"El historial de transacciones no está disponible actualmente para este mercado\",\"URmyfc\":\"Detalles\",\"UTTKmT\":\"Cooldown de stakeo activado\",\"UXeR72\":\"Estos fondos se han tomado prestados y no están disponibles para su retirada en este momento.\",\"UYb8CM\":\"Learn more about the SPK rewards\",\"UbRrG0\":\"El ratio LTV máximo representa el poder de endeudamiento máximo de una garantía específica. Por ejemplo, si una garantía tiene un LTV del 75 %, el usuario puede pedir prestado hasta 0,75 ETH en la moneda principal por cada 1 ETH de garantía.\",\"UpndFj\":\"No hay recompensas para reclamar\",\"V0f2Xv\":\"Factor de reserva\",\"V1HK43\":\"Riesgos de migración\",\"VATFH9\":\"Deuda cubierta\",\"VHOVEJ\":\"Conectar cartera\",\"VMfYUK\":\"Seguridad de tu garantía depositada contra los activos prestados y su valor subyacente.\",\"VOAZJh\":\"Total de préstamos\",\"ViKYxK\":\"YAE\",\"W1SSoD\":\"Revisar detalles de la tx\",\"W5hVah\":\"Nada suministrado aún\",\"W5kTFy\":\"Votando\",\"W8ekPc\":\"Volver al panel de control\",\"WMPbRK\":\"No respaldado\",\"WNGZwH\":\"El E-Mode incrementa tu LTV para una categoría seleccionada de activos hasta el <0/>. <1>Aprende más\",\"WPWG/y\":\"Configuración y estado de la reserva\",\"WZLQSU\":\"El usuario no puede retirar más que el balance disponible\",\"WaZyaV\":\"<0>Ampleforth es un activo con rebase. Visita la <1>documentación para aprender más.\",\"WfU+XN\":\"Debido a que este activo está en pausa, no se pueden realizar acciones hasta nuevo aviso\",\"Wjmqs2\":\"No results found. You can import a custom token with a contract address\",\"WkZ6C6\":\"Para tomar prestado, necesitas suministrar cualquier activo para ser utilizado como garantía.\",\"WyMiQm\":\"Has cambiado los tokens con éxito.\",\"X/ITG9\":\"Copiar el texto del error\",\"X3Pp6x\":\"Utilizado como garantía\",\"X4Zt7j\":\"No se puede realizar la acción porque la reserva está pausada\",\"XBdKOj\":\"Direcciones de cartera de contrato inteligente representativas (Safe) en otras cadenas.\",\"XZzneG\":\"Saldrás del modo aislamiento y otros tokens pueden ser usados ahora como garantía\",\"Xg5y9S\":\"Amount to Bridge\",\"Xn4hUi\":\"Por favor ten siempre en cuenta tu <0>factor de salud (HF) cuando migres parcialmente una posición y que tus tasas serán actualizadas a tasas de la V3.\",\"Xy71ST\":\"Umbrella\",\"Y5kGkc\":\"VOTAR NO\",\"YDIOks\":\"Habilitar E-Mode\",\"YSodyW\":\"Esta acción reducirá tu factor de salud. Por favor ten en cuenta el riesgo incrementado de liquidación de la garantía.\",\"YXOWXM\":\"The total amount bridged minus CCIP fees. Paying in network token does not impact gho amount.\",\"YirHq7\":\"Feedback\",\"YogbCJ\":\"Testnet mode está ON\",\"YrDxdO\":\"Si tu relación préstamo-valor supera el umbral de liquidación, tu garantía puede ser liquidada.\",\"YyIM65\":\"No se cumplieron las condiciones de ajuste de tasas de interés\",\"YyydIq\":[\"Añade \",[\"0\"],\" a tu cartera para hacer un seguimiento del balance.\"],\"ZBvhI+\":\"Gobierno de Aave\",\"ZIIRAd\":\"Raw-Ipfs\",\"ZRq4tX\":\"Modo de eficiencia (E-Mode)\",\"ZSqEW+\":\"Manage E-Mode\",\"ZUFYFE\":\"Deshabilitar testnet\",\"Zbyywy\":\"Max slashing\",\"ZfUGFb\":\"Antes de suministrar\",\"ZiXN+B\":\"Assets to stake\",\"ZlsSDH\":\"Valor de liquidación\",\"ZrEc8j\":\"No pudimos encontrar ningún activo relacionado con tu búsqueda. Vuelve a intentarlo con un nombre diferente de activo, símbolo o dirección.\",\"ZsLF7e\":\"habilitado\",\"a0YQoQ\":\"Enter a valid address\",\"a2fBZn\":\"Tempo restante para unstakear\",\"a5RYZd\":\"Deshabilitar este activo como garantía afecta tu poder de préstamo y Factor de Salud.\",\"a7u1N9\":\"Precio\",\"a9D+6D\":\"Unstakeado\",\"aEtiwq\":\"Votar NO\",\"aMmFE1\":\"Comprar Crypto con Fiat\",\"aOKIms\":\"Los parámetros del array que deberían ser iguales en longitud no lo son\",\"aX31hk\":\"Tu balance es más bajo que la cantidad seleccionada.\",\"adUsDd\":\"Se ha producido un error al recuperar la propuesta.\",\"al6Pyz\":\"Supera el descuento\",\"aoXTT7\":\"APY préstamo, variable\",\"aqX1Yp\":\"This asset is eligible for rewards through SuperFest. Aave Labs does not guarantee the program and accepts no liability.\",\"avgETN\":\"Eligible for the Merit program.\",\"b4NS3e\":\"Advertencia periodo de cooldown\",\"bNEQeI\":\"Cooldown\",\"bSruit\":\"ZKSync Ignite Program rewards are claimed through the\",\"bUUVED\":\"Activo\",\"bXQ/Og\":\"Compartir en twitter\",\"bXr0ee\":\"Los activos aislados han limitado tu capacidad de préstamo y otros activos no pueden ser usados como garantía.\",\"bYmAV1\":\"Direcciones\",\"bguKoJ\":\"La cantidad solicitada es mayor que el tamaño máximo del préstamo en el modo de tasa estable\",\"bwSQI0\":\"Suministrar\",\"bxN6EM\":\"No se puede deshabilitar E-Mode\",\"bxmzSh\":\"No hay suficiente garantía para pagar esta cantidad de deuda con\",\"c91vuQ\":\"La dirección no es un contrato\",\"c97os2\":\"aToken de Aave\",\"c9b44w\":\"No puedes retirar esta cantidad porque causará una liquidación\",\"cBc+4A\":\"Esta es la cantidad total disponible que puedes tomar prestada. Puedes tomar prestado basado en tu garantía y hasta que el límite de préstamo se alcance.\",\"cIl5kp\":\"Tu poder de voto se basa en tu balance de AAVE/stkAAVE y delegaciones recibidas.\",\"cLo09S\":\"Detalles de riesgo\",\"cNT+ij\":\"Tomar prestado no está disponible porque has habilitado el Efficiency Mode (E-Mode) y el Isolation mode. Para administrar el E-Mode y el Isolation Mode, visita tu <0>Panel de control.\",\"cZOeBk\":\"Something went wrong fetching bridge message, please try again later.\",\"ceix5S\":\"Para enviar una propuesta de cambios menores al protocolo, necesitarás al menos 80K de poder. Si deseas cambiar la base central del código, necesitarás un poder de 320K.<0>Aprende más\",\"ciybUa\":\"Votar SI\",\"ckf7gX\":[\"Pagando \",[\"symbol\"]],\"cp1ZDP\":[\"Bridge \",[\"symbol\"]],\"cqnmnD\":\"Tasa de interés efectiva\",\"cqwIvs\":\"Hilo de discusión del foro\",\"csDS2L\":\"Disponible\",\"cu7Stb\":\"No has participado en esta propuesta\",\"dE6BLF\":\"Gobierno\",\"dEgA5A\":\"Cancelar\",\"dIsyWh\":\"La validación del LTV ha fallado\",\"dMtLDE\":\"para\",\"dOB5nW\":[\"La cantidad máxima disponible para suministrar es <0/> \",[\"0\"],\" (<1/>).\"],\"dVfODp\":\"No tienes suficientes fondos en tu cartera para pagar la cantidad total. Si procedes a pagar con tu cantidad actual de fondos, aún tendrás un pequeño préstamo en tu panel de control.\",\"dXUQFX\":\"Activos a tomar prestado\",\"dgr1aY\":\"Tomar prestado está deshabilitado debido a una decisión de la comunidad de Aave. <0>Más información\",\"djsg0o\":\"Uso de la garantía\",\"dpc0qG\":\"Variable\",\"drdV8R\":\"Liquidación\",\"dxW8cS\":\"Token de deuda de Aave\",\"e4V3oW\":\"Top 10 direcciones\",\"eD8WX/\":\"La acción requiere una reserva activa\",\"eJRJ04\":\"Cantidad para unstakear\",\"eLh0cL\":\"El deslizamiento es la diferencia entre las cantidades calculadas y las recibidas debido a las condiciones cambiantes del mercado entre el momento en que se envía la transacción y su verificación.\",\"ePK91l\":\"Editar\",\"eVpCmf\":\"Recompensas de Staking\",\"eVqvtf\":\"Bridge GHO\",\"eYdurp\":\"Aún no hay transacciones.\",\"ebLGGN\":\"Total tomado prestado\",\"ecqEvn\":\"El balance de garantía es 0\",\"efdrrk\":\"Disponible en\",\"enruNF\":\"empieza\",\"eqLYiD\":\"Unstakea ahora\",\"euScGB\":\"APY con descuento aplicado\",\"evw5ha\":\"Valor neto\",\"ezcU16\":\"Obtener Token ABP\",\"f3W0Ej\":[\"Has cambiado a tasa \",[\"0\"]],\"fH9i8k\":\"Has cambiado con éxito la posición de préstamo.\",\"fHcELk\":\"APR Neto\",\"fMJQZK\":\"Prestado\",\"fZ5Vnu\":\"Recibido\",\"firl9Q\":\"Tu actual relación préstamo-valor basado en tu garantía suministrada.\",\"flRCF/\":\"Descuento por staking\",\"fldjW9\":\"Previsualizar la tx y migrar\",\"fsBGk0\":\"Balance\",\"fu1Dbh\":[\"Retirar \",[\"symbol\"]],\"fwjWSI\":\"Suministrado\",\"fwyTMb\":\"Migrar a stkABPT v2\",\"g0mals\":\"You can not disable E-Mode because that could cause liquidation. To exit E-Mode supply or repay borrowed positions.\",\"g2UNkE\":\"Powered by\",\"g8KGoA\":\"FAQS\",\"g9zzqS\":\"Votó NAY\",\"gDd2gk\":\"about SuperFest.\",\"gFFh9h\":\"¡Todo listo!\",\"gIMJlW\":\"Testnet mode\",\"gOzPxe\":\"Este activo está congelado debido a una decisión del Gobierno del Protocolo Aave. <0>More información\",\"gTHi2T\":\"El usuario está intentando tomar prestado múltiples activos incluido uno aislado\",\"gVW59Y\":\"Por favor conecta tu cartera para obtener activos testnet gratis.\",\"gcFNxP\":\"Aprobación confirmada\",\"gncRUO\":\"Esta dirección está bloqueada en app.aave.com porque está asociada con una o más\",\"goff7V\":\"Dirección cero no válida\",\"gp+f1B\":\"Versión 3\",\"gr8mYw\":\"Puedes tomar prestado hasta <0/> GHO al <1/> (descuento máximo)\",\"gvTM4B\":\"El APY neto es el efecto combinado de todos los suministros y préstamos sobre total, incluidos los incentivos. Es posible tener un APY neto negativo si el APY de la deuda es mayor que el APY de suministro.\",\"gzcch9\":\"Comisión de puente de protocolo inválida\",\"h33MxW\":\"Direcciones de cartera de contrato inteligente representantes (Safe) en otras cadenas.\",\"h3ilK+\":\".CSV\",\"hB23LY\":\"Activar Cooldown\",\"hIJzBh\":\"Available to Claim\",\"hIS4N0\":\"APY neto\",\"hRWvpI\":\"Reclamado\",\"hdmy/o\":\"El % de tu poder de préstamo total utilizado. Esto se basa en la cantidad de tu garantía suministrada y la cantidad total que puedes pedir prestado.\",\"hehnjM\":\"Cantidad\",\"hjDCQr\":\"Hubo un error. Por favor intenta cambiar los parámetros o <0><1>copiar el error\",\"hom7qf\":\"Reclamar\",\"hpHJ4I\":\"Garantía liquidada\",\"hpuVIp\":\"Users who stake AAVE in Safety Module (i.e. stkAAVE holders) receive a discount on GHO borrow interest rate.\",\"huQ6Tz\":[\"Tomando prestado \",[\"symbol\"]],\"hxi7vE\":\"Balance tomado prestado\",\"i2JTiw\":\"Puedes ingresar una cantidad específica en el campo.\",\"iB5+/J\":\"Sobre GHO\",\"iChbOF\":\"Parámetros inconsistentes del préstamo flash\",\"iEPVHF\":\"No hay suficiente poder de voto para participar en esta propuesta\",\"iEW87X\":\"Poder delegado\",\"iEju36\":[\"Has votado \",[\"0\"]],\"iFq2YN\":\"Borrowable\",\"iGxyIA\":\"Safety Module\",\"iMVZk9\":\"Seleccionar tolerancia de deslizamiento\",\"iPMIoT\":\"Ingresa una cantidad\",\"iSLIjg\":\"Conectar\",\"iUo5rv\":\"tokens no es lo mismo que stakearlos. Si deseas stakearlos\",\"iZxa38\":\"Úsalo para votar a favor o en contra de propuestas activas.\",\"if5PH+\":\"Collector Info\",\"igkfR1\":[\"En el Isolation mode, no puedes suministrar otros activos como garantía. Un límite de deuda global limita la capacidad de préstamo del activo aislado. Para salir del Isolation mode, deshabilita \",[\"0\"],\" como garantía antes de tomar prestado otro activo. Lee más en nuestras <0>preguntas frecuentes \"],\"il0sEG\":\"El uso de garantías está limitado debido al Isolation mode.\",\"j+K1Xj\":\"Amount After Fee\",\"jA2QeW\":\"Suministrando tu\",\"jFi7dz\":\"Tasa de interés determinada por el gobierno de Aave. Esta tasa puede cambiar con el tiempo dependiendo de la necesidad de que el suministro de GHO se contraiga/expanda. <0>Aprende más\",\"jG3UJ7\":\"Desactivar el E-Mode\",\"jKYzR1\":\"Habilitar E-Mode\",\"jMam5g\":[\"Balance \",[\"0\"]],\"jSYv+Z\":\"Enabling E-Mode allows you to maximize your borrowing power, however, borrowing is restricted to assets within the selected category. <0>Learn more about how it works and the applied restrictions.\",\"jaKbwW\":[[\"s\"],\"s\"],\"jbFMap\":\"Periodo restante de cooldown\",\"jeMZNr\":[[\"0\"],\" el servicio on-ramp es proporcionado por proveedores externos y al seleccionarlo, estás aceptando los términos de dichos proveedores. Tu acceso al servicio podría depender de que el proveedor externo esté operativo.\"],\"jfl9OP\":\"Migrado\",\"jmXdoY\":\"En E-Mode algunos activos no se pueden pedir prestados. Sal del E-Mode para obtener acceso a todos los activos\",\"jpctdh\":\"Ver\",\"jqzUyM\":\"No disponible\",\"k/sb6z\":\"Seleccionar idioma\",\"k3wP3f\":\"<0>Atención: Los cambios de parámetros a través de la gobernanza pueden alterar el factor de salud de tu cuenta y el riesgo de liquidación. Sigue el <1>foro de gobierno de Aave para mantenerte actualizado.\",\"kACpF3\":[\"Reclamar \",[\"0\"]],\"kH6wUX\":\"Impacto del precio\",\"kIC28N\":\"Available to claim\",\"kIpSye\":[[\"numSelected\"],\"/\",[\"numAvailable\"],\" activos seleccionados\"],\"kN1Yg5\":\"Para pagar en nombre de un usuario, se necesita una cantidad explícita para pagar\",\"kRTD40\":[\"Cantidad a pagar para alcanzar el \",[\"0\"],\"% de utilización\"],\"kjN9tT\":\"El límite de suministro se ha sobrepasado\",\"knxE+G\":\".JSON\",\"ks2LWT\":\"El límite de deuda no es cero\",\"kwwn6i\":\"Los usuarios que stakean AAVE en el Modulo de Seguridad (es decir, poseedores de stkAAVE) reciben un descuento en la tasa de interés de préstamo de GHO. Este descuento se aplica a 100 GHO por cada 1 stkAAVE en posesión. Usa el calculador de abajo para ver la tasa de préstamo de GHO con el descuento aplicado.\",\"kz3wtK\":\"and about SPK program\",\"kzZyM4\":\"El balance de DAI se convertirá a través de los contratos de DSR y luego se suministrará como sDAI. El cambio no genera costos adicionales ni deslizamientos.\",\"lNVG7i\":\"Selecciona un activo\",\"lU2d1/\":[\"Este activo no se puede migrar debido a una liquidez insuficiente o a una limitación del límite de préstamo en el mercado v3 de \",[\"marketName\"],\".\"],\"lVhKKI\":\"Votó YAE\",\"lWLqxB\":\"No pudimos encontrar ninguna transacción relacionada con tu búsqueda. Vuelve a intentarlo con un nombre de activo diferente o restablece los filtros.\",\"lYGfRP\":\"Inglés\",\"lfEjIE\":\"Aprende más en nuestra guía <0>Preguntas frecuentes\",\"lt6bpt\":\"Garantía a pagar con\",\"m/IEhi\":\"Emisiones totales por día\",\"m7r7Hh\":\"Activos de préstamo seleccionados\",\"mDDK4p\":\"Pool de Balancer\",\"mIM0qu\":\"Cantidad esperada a pagar\",\"mUAFd6\":\"Versión 2\",\"masO5Z\":\"E-Mode increases your LTV for a selected category of assets. <0>Learn more\",\"mdNjKU\":[\"Tu cartera de \",[\"name\"],\" está vacía. Compra o transfiere activos o usa <0>\",[\"0\"],\" para transferir tus activos de \",[\"network\"],\".\"],\"muiOng\":[\"Comprar \",[\"cryptoSymbol\"],\" con Fiat\"],\"mvCXBY\":\"Stakea AAVE\",\"mwdzil\":\"Vale, cerrar\",\"mzI/c+\":\"Descargar\",\"mzdIia\":\"Este activo no puede usarse como garantía.\",\"n+SX4g\":\"Desarrolladores\",\"n8Psk4\":\"No podemos detectar una cartera. Conecta una cartera para stakear y ver tu balance.\",\"nJIhzm\":\"Apy de suministro\",\"nJgsQu\":\"Con un poder de votación de <0/>\",\"nLC6tu\":\"Francés\",\"nN2T8p\":\"During the cooldown period, you will not earn any merit rewards. However, rewards earned up to this point will remain unaffected.\",\"nNHV0z\":\"Migrar múltiples garantías y activos prestados al mismo tiempo puede ser una operación costosa y podría fallar en ciertas situaciones.<0>Por lo tanto, no se recomienda migrar posiciones con más de 5 activos (depositados + tomados prestados) al mismo tiempo.\",\"nNbnzu\":\"Proposición\",\"nOy4ob\":\"Te sugerimos volver al Panel de control.\",\"nPGNMh\":\"Puede ser ejecutado\",\"nUK1ou\":[\"Assets with zero LTV (\",[\"0\"],\") must be withdrawn or disabled as collateral to perform this action\"],\"nakd8r\":\"poseedores de stkAAVE obtienen un descuento en la tasa de préstamo de GHO\",\"nh2EJK\":[\"Por favor, cambia a \",[\"networkName\"],\".\"],\"njBeMm\":\"Ambos\",\"noN5Xf\":\"We couldn’t detect a wallet. Connect a wallet to view your staking positions and rewards.\",\"ntkAoE\":\"Descuento aplicado para <0/> AAVE stakeados\",\"ntyFSE\":[[\"h\"],\"h\"],\"nwtY4N\":\"Se produjo un error\",\"nxyWvj\":\"Retirar esta cantidad reducirá tu factor de salud y aumentará el riesgo de liquidación.\",\"o17QVP\":\"Tu factor de salud y la relación préstamo-valor determinan la seguridad de tu garantía. Para evitar liquidaciones, puedes suministrar más garantía o pagar las posiciones de préstamo.\",\"o1xc2V\":\"El balance de AToken no es cero\",\"o4tCu3\":\"APY préstamo\",\"o5ooMr\":\"Deuda\",\"o7J4JM\":\"Filtro\",\"oHFrpj\":\"Cooldown para undstakear\",\"oJ5ZiG\":\"El usuario no tiene deuda pendiente de tasa variable en esta reserva\",\"oRBGin\":\"Por favor conecta tu cartera para cambiar tus tokens.\",\"oUwXhx\":\"Activos de prueba\",\"oWklJD\":\"La tasa de interés estable <0>permanecerá igual durante la duración de su préstamo. Está recomendado para los períodos de préstamo a largo plazo y para los usuarios que prefieren la previsibilidad.\",\"odnIK3\":\"Time remaining until the 48 hour withdraw period starts.\",\"oiK5nY\":\"The current incentives period, decided on by the Aave community, has ended. Governance is in the process on renewing, check for updates. <0>Learn more.\",\"olREoo\":\"All borrow positions outside of this category must be closed to enable this category.\",\"om/XHs\":\"Disponible para suministrar\",\"ov0+mq\":\"Eligible for the ZKSync Ignite program.\",\"ovT1pF\":[\"Per the community, the \",[\"market\"],\" has been frozen.\"],\"ow3fug\":\"Sin resultados\",\"owSsI3\":\"Firmas listas\",\"p+R52m\":\"Ir al pool de Balancer\",\"p2A+s1\":[\"El periodo de cooldown es \",[\"0\"],\". Después \",[\"1\"],\" del cooldown, entrarás a la ventana de unstakeo de \",[\"2\"],\". Continuarás recibiendo premios durante el cooldown y la ventana de unstakeo.\"],\"p2S64u\":\"La relación préstamo-valor de las posiciones migradas provocaría la liquidación. Aumenta la garantía migrada o reduce el préstamo migrado para continuar.\",\"p2Z2Qi\":\"Este activo ha alcanzado su límite de préstamo. No queda nada disponible para ser prestado de este mercado.\",\"p3j+mb\":\"Tu balance de recompensa es 0\",\"p45alK\":\"Configurar la delegación\",\"p6u2s1\":\"Minimum amount of debt to be repaid\",\"pDgeaz\":[[\"title\"]],\"pdZqBk\":\"El balance subyacente debe ser mayor que 0\",\"pgWG9H\":\"No hay suficiente balance stakeado\",\"piPrJ7\":\"por favor comprueba que la cantidad que deseas depositar no está siendo utilizada actualmente para stakear. Si está utilizando para stakear, tu transacción podría fallar.\",\"pjO/iH\":\"Cantidad mínima recibida\",\"pooutM\":\"La votación está activa\",\"pqaM5s\":\"Confirmando transacción\",\"ptaxX3\":[\"Entiendo como el cooldown (\",[\"0\"],\") y el proceso de unstaking (\",[\"1\"],\") funcionan\"],\"py2iiY\":\"La función debe ser llamada por un pool\",\"q/51mF\":\"Migrar a V3\",\"q3df11\":\"Estrategia de tasa de interés\",\"q6lAbz\":\"Stakeado\",\"qB4kPi\":\"Suministrar APY\",\"qENI8q\":\"Configuración global\",\"qGz5zl\":\"Balance de la garantía tras pagar\",\"qOqbD6\":\"copiar el error\",\"qXCkEM\":\"Por favor, conecta tu cartera para ver tus suministros, préstamos y posiciones abiertas.\",\"qY2jnw\":\"Expiración inválida\",\"qf/fr+\":\"Interés acumulado\",\"quYPUU\":\"Variable interest rate will <0>fluctuate based on the market conditions.\",\"quzIeW\":\"User is in isolation mode or LTV is zero\",\"qvnz3q\":\"Cantidad inválida para quemar\",\"rHgdb0\":\"Migrate to Aave V3\",\"rOrHHe\":\"La cantidad debe ser mayor que 0\",\"rQ+R+0\":\"Activos de suministro seleccionados\",\"rSayea\":\"APY\",\"rTBDeu\":[\"Este activo no se puede migrar porque tienes una garantía en Isolation Mode en el mercado v3 de \",[\"marketName\"],\" que limita los activos prestados. Puedes administrar tu garantía en el <0>Panel de control V3 de \",[\"marketName\"],\"\"],\"rcT+yy\":\"Mostrar activos con 0 balance\",\"rf8POi\":\"Cantidad de activos tomados prestados\",\"riNWOA\":\"E-Mode\",\"rjGI/Q\":\"Privacidad\",\"rnKPW1\":\"Watch a wallet balance in read-only mode\",\"ruc7X+\":\"Añade stkAAVE para ver el APY de préstamo con el descuento\",\"rvbaFU\":[\"Bridging \",[\"symbol\"]],\"rwVVB7\":\"Reclamar todas las recompensas\",\"rwyUva\":\"Estos activos están temporalmente congelados o pausados por decisiones de la comunidad de Aave, lo que significa que no se puede suministrar / tomar prestado o intercambiar tasas de estos activos. Se permiten retiros y pagos de deuda. Sigue el <0>foro de gobierno de Aave para más actualizaciones.\",\"rxJW5W\":\"Tu poder de proposición se basa en tu balance de AAVE/stkAAVE y delegaciones recibidas.\",\"s2jJnW\":\"You don't have any bridge transactions\",\"s5wBAq\":[\"Unstakear \",[\"symbol\"]],\"sJbIdI\":\"Enter ETH address or ENS\",\"sK+Nag\":\"Revisión tx\",\"sP2+gB\":\"NO\",\"sQv06Y\":\"para\",\"sTtO6J\":\"Confirmar transacción\",\"sXKb3l\":\"Tasa de cambio\",\"sb0q4+\":\"Unstakea aquí\",\"smJNwH\":\"Disponible para tomar prestado\",\"solypO\":\"El factor de salud no está por debajo del umbral\",\"sr0UJD\":\"Volver atrás\",\"ss5GCK\":\"La dirección del proveedor del grupo de direcciones no es válida\",\"swEgK4\":\"Tu información de voto\",\"t+wtgf\":\"Nada tomado prestado aún\",\"t/YqKh\":\"Eliminar\",\"t81DpC\":[\"Aprueba \",[\"symbol\"],\" para continuar\"],\"tCnbEs\":\"Precio del oráculo\",\"tFZLf8\":\"Este cálculo de gas es solo una estimación. Tu cartera establecerá el precio de la transacción. Puedes modificar la configuración de gas directamente desde tu proveedor de cartera.\",\"tHuvQI\":\"Ir al panel de control V3\",\"tKv7cI\":\"Cambiar posición de préstamo\",\"tOcg3N\":\"Dado que este activo está congelado, las únicas acciones disponibles son retirar y pagar, a las que se puede acceder desde el <0>Panel de control\",\"tOuXfv\":[\"Cantidad a tomar prestado para alcanzar el \",[\"0\"],\"% de utilización\"],\"te9Bfl\":\"Por favor, conecta tu cartera\",\"tt5yma\":\"Tus suministros\",\"ttoh5c\":\"Cambiar a\",\"u3ZeYl\":\"Error en la transacción\",\"u706uF\":\"Préstamo flash inválido\",\"u8Gfu7\":[\"Sin resultados de búsqueda\",[\"0\"]],\"uAQUqI\":\"Status\",\"uHMwk8\":\"No hay activos seleccionados para migrar.\",\"uJPHuY\":\"Migrando\",\"uY8O30\":\"Para continuar, necesitas otorgar permiso a los contratos inteligentes de Aave para mover tus fondos de tu cartera. Según el activo y la cartera que uses, se hace firmando el mensaje de permiso (sin coste de gas), o enviando una transacción de aprobación (requiere coste de gas). <0>Aprende más\",\"udFheE\":\"Para el pago de un tipo específico de deuda, el usuario necesita tener una deuda de ese tipo\",\"ulNuNq\":\"Exportar datos a\",\"ulup2p\":\"Comprar Crypto con Fiat\",\"umICAY\":\"<0><1><2/>Añade stkAAVE para ver la tasa de préstamo con descuento\",\"usB84Z\":\"La cantidad máxima disponible para tomar prestado está limitada porque casi se ha alcanzado el límite de préstamo del protocolo.\",\"uwAUvj\":\"COPIAR IMAGEN\",\"v8x7Mg\":\"Garantía insuficiente para cubrir la nueva posición de préstamo. La cartera debe tener poder de préstamo suficiente para realizar el cambio de deuda.\",\"vEqxH9\":\"Restakeado\",\"vLyv1R\":\"Ocultar\",\"vMba49\":\"Tomar prestado no está habilitado\",\"vMpNwt\":\"Aprobar con\",\"vXIe7J\":\"Idioma\",\"vesuBJ\":\"Te permite decidir si utilizar un activo suministrado como garantía. Un activo utilizado como garantía afectará a tu poder de préstamo y factor de salud.\",\"w+V9Cx\":\"Stablecoin\",\"w/JtJ3\":\"El balance de deuda estable no es cero\",\"w4VBY+\":\"APR de recompensas\",\"w9dLMW\":[[\"label\"]],\"wAOL+X\":[\"Tu \",[\"action\"],\" <0/> \",[\"symbol\"]],\"wBIsjb\":\"Canal de Discord\",\"wQZbc/\":\"El llamador de la función no es un AToken\",\"wRRqvW\":\"No tienes suministros en este activo\",\"wZFvVU\":\"VOTAR SI\",\"wb/r1O\":[\"Faucet \",[\"0\"]],\"wdxz7K\":\"Source\",\"weH1nG\":\"El Protocolo Aave está programado para usar siempre el precio de 1 GHO = $1. Esto es diferente del uso del precio de mercado a través de oráculos para otros criptoactivos. Esto crea oportunidades de arbitraje estabilizadoras cuando el precio de GHO fluctúa.\",\"wh7Ezv\":\"No tienes balance de AAVE/stkAAVE/aAave para delegar.\",\"wlsIx7\":\"Con la testnet Faucet puedes obtener activos gratuitos para probar el Protocolo Aave. Asegúrate de cambiar tu proveedor de cartera a la red de testnet adecuada, selecciona el activo deseado y haz clic en \\\"Faucet\\\" para obtener tokens transferidos a tu cartera. Los activos de una testnet no son \\\"reales\\\", lo que significada que no tienen valor monetario. <0>Aprende más\",\"wmE285\":\"Obtener Token ABP v2\",\"wyRrcJ\":\"Como resultado de las decisiones del gobierno, este pool de stakeo de ABPT está obsoleto. Tienes la flexibilidad de migrar todos tus tokens a v2 o unstakearlos sin ningún periodo de cooldown.\",\"x5KiLL\":\"Los activos seleccionados se han migrado correctamente. Visita el panel de control del mercado para verlos.\",\"x7F2p6\":\"Diferencial actual\",\"x7K5ib\":[\"Tu cartera de \",[\"networkName\"],\" está vacía. Consigue \",[\"0\"],\" de prueba gratis en\"],\"x9iLRD\":\"tokens, por favor ve al\",\"xNy/UG\":\"Pagar con\",\"xPm8wv\":\"Aprende más sobre los riesgos involucrados\",\"xXYpZl\":[[\"0\"],\" Faucet\"],\"xaVBSS\":\"Tu información\",\"xaWZ6f\":\"Cambio tipo de APY\",\"xh6k71\":\"El uso de garantías está limitado debido al isolation mode.\",\"xvIklc\":\"El préstamo flash está deshabilitado para este activo, por lo tanto, esta posición no se puede migrar.\",\"y5rS9U\":\"Migrar\",\"y66tBm\":[\"Habilitar \",[\"symbol\"],\" como garantía\"],\"yB1YpA\":\"Modo oscuro\",\"yCrG6m\":\"Tamaño total del mercado\",\"yJUUbn\":\"Resumen de la transacción\",\"yLGmLX\":[\"Restakear \",[\"symbol\"]],\"yW1oWB\":\"Tipo APY\",\"yYHqJe\":\"Dirección no válida\",\"yZwLw6\":\"Haz seguimiento de tu cartera\",\"yh2sjd\":[\"Impacto en el precio \",[\"0\"],\"%\"],\"yhvj6d\":\"No puedes cambiar el uso como modo de garantía para este activo, porque causará una liquidación\",\"ylmtBZ\":\"La aplicación se ejecuta en fork mode.\",\"ymNY32\":[\"No hay fondos suficientes en la reserva\",[\"0\"],\"para tomar prestado\"],\"yz7wBu\":\"Cerrar\",\"z4uGQg\":\"El límite de deuda está sobrepasado\",\"z5UQOM\":\"La garantía elegida no puede ser liquidada\",\"z5Y+p6\":[\"Suministrando \",[\"symbol\"]],\"zCjNKs\":\"No se puede realizar la acción porque la reserva está congelada\",\"zRHytX\":\"Límite de deuda aislado\",\"zTOjMP\":\"El límite de suministro del protocolo está al 100% para este activo. No es posible suministrar más.\",\"zVdRUG\":\"Submission did not work, please try again later or contact wecare@avara.xyz\",\"zevmS2\":\"<0><1><2/>añade <3/> stkAAVE para tomar prestado al <4/> (descuento máximo)\",\"zgtIDV\":\"Deuda restante\",\"zmTPiV\":\"Balance de suministro\",\"zpPbZl\":\"Parámetros de riesgo de liquidación\",\"zucql+\":\"Menú\",\"zwWKhA\":\"Aprende más\",\"zy9fXn\":[\"Este activo está congelado en el mercado v3 de \",[\"marketName\"],\", por lo tanto, esta posición no se puede migrar.\"],\"zys+R6\":\"Ten en cuenta la congestión de la red y los precios del gas.\",\"zzzTXS\":\"Merit Program rewards are claimed through the\"}")}; \ No newline at end of file diff --git a/src/locales/fr/messages.js b/src/locales/fr/messages.js index e0b5ecfd28..fa1be5bdf5 100644 --- a/src/locales/fr/messages.js +++ b/src/locales/fr/messages.js @@ -1 +1 @@ -/*eslint-disable*/module.exports={messages:JSON.parse("{\"+0xecS\":[\"Si vous NE vous désengagez PAS dans les \",[\"0\"],\" de la fenêtre de désengagement, vous devrez réactiver le processus de refroidissement.\"],\"+EGVI0\":\"Recevoir (est.)\",\"+VR63W\":[\"Participer à cette réserve \",[\"symbol\"],\" donne des récompenses annualisées.\"],\"+bmKdK\":\"Use your AAVE, stkAAVE, or aAave balance to delegate your voting and proposition powers. You will not be sending any tokens, only the rights to vote and propose changes to the protocol. You can re-delegate or revoke power to self at any time.\",\"+eOPG+\":\"On dirait que nous ne pouvons pas changer de réseau automatiquement. Veuillez vérifier si vous pouvez le changer depuis le portefeuille.\",\"+i3Pd2\":\"Limite d'emprunt\",\"+kLZGu\":\"Montant de l’actif fourni\",\"+nuEh/\":\"Estimated time\",\"+xMFF8\":\"Remind me\",\"/57U31\":\"Amount to migrate\",\"/7ykiW\":\"Emprunter ce montant réduira votre facteur santé et augmentera le risque de liquidation.\",\"/YA5pU\":\"E-Mode increases your LTV for a selected category of assets, meaning that when E-mode is enabled, you will have higher borrowing power over assets of the same E-mode category which are defined by Aave Governance. You can enter E-Mode from your <0>Dashboard. To learn more about E-Mode and applied restrictionn, see the <1>help guide or the <2>Aave V3 Technical Paper.\",\"/izjs/\":\"Montant minimum d’Aave mis en jeu\",\"/jQctM\":\"To\",\"/lDBHm\":\"FAQ\",\"/yNlZf\":\"L'emprunt stable n'est pas activé\",\"/yQcJM\":\"Valeur totale\",\"00AB2i\":\"L'utilisateur n'a pas emprunté la devise spécifiée\",\"00OflG\":\"Il n’y a pas assez de liquidités pour que l’actif cible puisse effectuer le changement. Essayez de réduire le montant.\",\"08/rZ9\":\"La période de recharge est le temps nécessaire avant de retirer vos jetons (20 jours). Vous ne pouvez retirer vos actifs du module de sécurité qu’après la période de recharge et pendant la période de désenjeu. <0>Pour en savoir plus\",\"0AmQcW\":\"Changement de taux\",\"0BF3yK\":\"Désolé, nous n’avons pas trouvé la page que vous cherchiez.\",\"0TAbjq\":\"Recent Transactions\",\"0jhlyw\":\"Risque de liquidation\",\"0ojY+Y\":\"Solde actuel v2\",\"0thX3P\":\"Modification des garanties\",\"0wGCWc\":\"Il s'agit du montant total que vous pouvez emprunter. Vous pouvez emprunter en fonction de votre garantie et jusqu'à ce que le plafond d'emprunt soit atteint.\",\"1AsVfF\":\"À l’heure actuelle, les données sur les prix ne sont pas disponibles pour cette réserve dans le sous-graphe du protocole\",\"1LjK22\":\"Historique des transactions\",\"1Onqx8\":[\"Approuver \",[\"symbol\"],\"...\"],\"1Ue8sX\":\"Veuillez connecter un portefeuille pour afficher vos informations personnelles ici.\",\"1bpx9A\":\"...\",\"1kWUB+\":\"Seuil de liquidation <0/>\",\"1m9Qqc\":\"Retrait et changement\",\"1oyh4g\":\"Borrow rate\",\"1t7rez\":\"L’offre d’actifs est limitée à un certain montant afin de réduire l’exposition du protocole à l’actif et d’aider à gérer les risques encourus.\",\"2CAPu2\":\"Vous avez retiré et échangé des jetons avec succès.\",\"2Eoi/a\":\"Voir détails\",\"2FYpfJ\":\"Plus\",\"2O3qp5\":\"Liquidités disponibles\",\"2OM8/D\":[\"L’actif ne peut pas être migré en raison d’une restriction de plafond d’approvisionnement dans \",[\"marketName\"],\" v3 marché.\"],\"2Q4GU4\":\"Adresse bloquée\",\"2ZGocC\":\"Aave est un protocole entièrement décentralisé et régi par la communauté par les détenteurs de jetons AAVE. Les détenteurs de jetons AAVE discutent, proposent et votent collectivement sur les mises à niveau du protocole. Les détenteurs de jetons AAVE (réseau Ethereum uniquement) peuvent soit voter eux-mêmes sur de nouvelles propositions, soit choisir l’adresse de leur choix. Pour en savoir plus, consultez la page Gouvernance\",\"2a6G7d\":\"Veuillez saisir une adresse de portefeuille valide.\",\"2bAhR7\":\"Rencontrez GHO\",\"2eBWE6\":\"Je reconnais les risques encourus.\",\"2o/xRt\":\"Plafond d'approvisionnement sur la réserve cible atteint. Essayez de réduire le montant.\",\"2uJToh\":[[\"0\"],[\"name\"]],\"2x58bP\":\"L'emprunt stable est activé\",\"34Qfwy\":\"Le plafond d'emprunt est dépassé\",\"39eQRj\":[\"Emprunter \",[\"symbole\"]],\"3BL1xB\":\"Total fourni\",\"3BnIWi\":\"Commuté\",\"3K0oMo\":\"Offre restante\",\"3MoZhl\":\"Il n'y a pas assez de collatéral pour couvrir un nouvel emprunt\",\"3Np5O8\":[\"Fournir \",[\"symbole\"]],\"3O8YTV\":\"Total des intérêts courus\",\"3mXg0z\":\"Max LTV\",\"3q3mFy\":\"Rembourser\",\"3qsjtp\":\"La moyenne pondérée de l'APY pour tous les actifs fournis, y compris les incitations.\",\"3rL+os\":\"Vous ne pouvez retirer vos actifs du module de sécurité qu'après la fin de la période de refroidissement et que la fenêtre de retrait est active.\",\"42UgDM\":[\"Migrer vers \",[\"0\"],\" Marché v3\"],\"49UFQA\":\"Résultats du vote\",\"4DMZUI\":\"Afficher les transactions\",\"4HtGBb\":\"MAX\",\"4Y5H+g\":\"Petits caractères\",\"4YYh4d\":\"Maximum available to borrow\",\"4iPAI3\":\"Montant minimum d’emprunt GHO\",\"4lDFps\":\"Signez pour continuer\",\"4wyw8H\":\"Transactions\",\"5JSSxX\":[\"Votre \",[\"networkName\"],\" Le portefeuille est vide. Obtenez des ressources de test gratuites à l’adresse suivante :\"],\"5K7kGO\":\"documentation\",\"5NOSGa\":\"Le plafond de la dette limite le montant que les utilisateurs du protocole peuvent emprunter sur cet actif. Le plafond de la dette est spécifique aux actifs isolés et est indiqué en USD.\",\"5Ncc6j\":[\"Cet actif a presque atteint son plafond d'offre. Il ne peut y avoir que \",[\"messageValue\"],\" fourni à ce marché.\"],\"5cZ/KX\":\"L'offre de dette variable n'est pas nulle\",\"5che++\":\"Pour demander l'accès à ce marché autorisé, veuillez consulter\xA0: <0>Nom du fournisseur d'accès\",\"5ctNdV\":[\"Minimum \",[\"0\"],\" reçu\"],\"5hDe9v\":\"Allocation action requise\",\"5rsnKT\":\"Récompenses disponibles\",\"5yC5m5\":\"Voir tous les votes\",\"6/dCYd\":\"Aperçu\",\"60crCe\":\"Toutes les transactions\",\"62Xcjh\":\"Collatérale\",\"65A04M\":\"Espagnol\",\"6G8s+q\":\"Signature\",\"6Jrv+z\":[\"Rembourser \",[\"symbole\"]],\"6NGLTR\":\"Montant actualisable\",\"6Xr0UU\":\"Refroidissement...\",\"6bxci/\":\"Pouvoir de vote\",\"6f8S68\":\"Marchés\",\"6g1gi0\":\"Les propositions\",\"6gvoHP\":\"Copier le message d’erreur\",\"6h3Q5G\":\"Remboursé\",\"6lFSyT\":\"Available to Stake\",\"6s8L6f\":\"Changer de réseau\",\"6yAAbq\":\"APY, borrow rate\",\"70wH1Q\":\"APR\",\"72c5Qo\":\"Total\",\"73Auuq\":\"Les paramètres de remise sont décidés par la communauté Aave et peuvent être modifiés au fil du temps. Consultez la section Gouvernance pour les mises à jour et votez pour participer. <0>Pour en savoir plus\",\"75qcAQ\":[[\"stepName\"]],\"7ITr5L\":\"Facteur de santé\",\"7T/o5R\":\"Atteint\",\"7YlcXu\":\"Fork mode is ON\",\"7Z76Iw\":\"L’emprunt n’est pas disponible car vous utilisez le mode Isolation. Pour gérer le mode d’isolation, rendez-vous sur votre <0>tableau de bord.\",\"7aKlMS\":\"Partager sur Lens\",\"7er5fP\":\"Réclamer tout\",\"7hb2+s\":\"Time remaining until the withdraw period ends.\",\"7l88b8\":\"Les données n’ont pas pu être récupérées, veuillez recharger le graphique.\",\"7p5kLi\":\"Tableau de bord\",\"7sofdl\":\"Retrait et échange\",\"8+6BI0\":\"Soyez prudent - Vous êtes très proche de la liquidation. Envisagez de déposer plus de collatéral ou de rembourser certaines de vos positions empruntées\",\"87pUEW\":[\"Votre \",[\"name\"],\" Le portefeuille est vide. Acheter ou transférer des actifs.\"],\"8F1i42\":\"Page introuvable\",\"8G8M0u\":\"Chargement des données...\",\"8Iu1QS\":\"Retiré\",\"8JL93T\":\"Toutes les propositions\",\"8Q51DU\":\"Ajouter au portefeuille\",\"8X/oyn\":\"Montant invalide à frapper\",\"8Z5FPv\":\"Déconnecter le portefeuille\",\"8Zz7s5\":\"actifs\",\"8aLW8H\":\"Solde à révoquer\",\"8bOT3H\":\"Taux d'utilisation\",\"8sLe4/\":\"Voir le contrat\",\"8t/M0y\":\"Please connect your wallet to be able to bridge your tokens.\",\"8vETh9\":\"Montrer\",\"94OHPx\":\"Vous entrez en mode Isolation\",\"9CDK3/\":[\"L'emprunt n'est actuellement pas disponible pour \",[\"0\"],\".\"],\"9GIj3z\":\"Taille de réserve\",\"9Knqb4\":\"Solde de mise en jeu\",\"9OBKm7\":\"Quorum\",\"9QHoGr\":\"Votes actuels\",\"9Rw96f\":[\"Cet actif a presque atteint son plafond d'emprunt. Il n'y a que \",[\"messageValue\"],\" disponible pour être emprunté sur ce marché.\"],\"9Xj/qR\":[\"Certaines ressources migrées ne seront pas utilisées comme garantie en raison de l’activation du mode d’isolement dans \",[\"marketName\"],\" Marché V3. Visite <0>\",[\"marketName\"],\" Tableau de bord V3 pour gérer le mode d’isolation.\"],\"9c6vDV\":\"Cet actif a atteint son plafond d'offre. Rien n'est disponible pour être fourni à partir de ce marché.\",\"9kTWHA\":\"L’AMI a été suspendu en raison d’une décision de la communauté. L’offre, les emprunts et les remboursements sont impactés. <0>Plus d’informations\",\"9lXchd\":\"Jeton sous-jacent\",\"9rWaKF\":\"Bridged Via CCIP\",\"9xSooW\":\"Comme il s'agit d'un réseau de test, vous pouvez obtenir n'importe lequel des actifs si vous avez ETH dans votre portefeuille\",\"A/lwoe\":\"Choisissez l’un des services de rampe d’accès\",\"A6dCI6\":[\"Le montant maximal disponible pour emprunter est de <0/> \",[\"0\"],\" (<1/>).\"],\"AReoaV\":\"Vos emprunts\",\"ARu1L4\":\"Remboursé\",\"AV7cGz\":\"Examiner les détails de la taxe d'approbation\",\"AZOjB8\":\"Récupération de données...\",\"Ai0jas\":\"Rejoignez la discussion de la communauté\",\"Ajl2rq\":\"Le pouvoir d'emprunt et les actifs sont limités en raison du mode d'isolement.\",\"AqgYNC\":\"Plafond d’emprunt du protocole à 100% pour cet actif. Il n’est pas possible d’emprunter davantage.\",\"B3EcQR\":\"Merci d’avoir voté\xA0!!\",\"B6aXGH\":\"Stable\",\"B9Gqbz\":\"Taux variable\",\"BDFEd+\":\"Les stETH fournis en garantie continueront d’accumuler des récompenses de staking fournies par les rebasages quotidiens.\",\"BE2mP0\":\"Borrowed assets\",\"BJyN77\":\"Due to health factor impact, a flashloan is required to perform this transaction, but Aave Governance has disabled flashloan availability for this asset. Try lowering the amount or supplying additional collateral.\",\"BNL4Ep\":\"L'utilisation de la garantie est limitée en raison du mode d'isolement. <0>En savoir plus\",\"BQ/wCO\":\"Migrate your assets\",\"BjLdl1\":\"À prix réduit\",\"BnhYo8\":\"Catégorie d'actifs\",\"Bq9Y7e\":\"Cet actif est gelé en raison d’une décision de la communauté Aave. <0>Plus d’informations\",\"BqWMDJ\":\"Faucet\",\"BqynZO\":\"Optimized for efficiency and risk by supporting blue-chip collateral assets\",\"Bsu7zX\":\"The fee includes the gas cost to complete the transaction on the destination chain and the fee paid to Chainlink CCIP service providers. You can chose to pay in the network token or GHO. <0>Learn more\",\"BwJKBw\":\"de\",\"CDrsH+\":\"Fiche technique\",\"CK1KXz\":\"Max\",\"CMHmbm\":\"Glissement\",\"CZXzs4\":\"Grec\",\"CcRNG6\":\"Transistor\",\"CkTRmy\":[\"Revendication \",[\"symbol\"]],\"CsqtLm\":\"Veuillez connecter votre portefeuille pour voir l’outil de migration.\",\"CtGlFb\":[[\"networkName\"],\" Robinet\"],\"Cxt2YY\":\"Watch wallet\",\"D33VQU\":\"Cette action réduira le facteur de santé de V3 en dessous du seuil de liquidation. Augmenter les garanties migrées ou réduire les emprunts migrés pour continuer.\",\"D9BLRG\":\"This asset has been paused due to a community decision. Supply, withdraw, borrows and repays are impacted.\",\"DAma/S\":\"La garantie est (principalement) la même devise que celle qui est empruntée\",\"DCnFg0\":[\"Adresses (\",[\"0\"],\")\"],\"DG3Lv1\":\"Je comprends parfaitement les risques liés à la migration.\",\"DONJcV\":\"L'actif sous-jacent ne peut pas être sauvé\",\"DR+4uL\":\"Bilan de l’alimentation après le changement\",\"DWjrck\":[\"La ressource ne peut pas être migrée vers \",[\"marketName\"],\" V3 Market en raison des restrictions du mode E. Vous pouvez désactiver ou gérer les catégories du mode E dans votre <0>tableau de bord V3\"],\"Dj+3wB\":\"Aave par mois\",\"DuEq2K\":\"Collatéralisation\",\"DxfsGs\":\"Vous pouvez signaler un incident sur notre <0>Discord ou<1>Github.\",\"Dzma+E\":\"Main Ethereum market with the largest selection of assets and yield options\",\"E/QGRL\":\"Désactivé\",\"EBL9Gz\":\"COPIÉ!\",\"ES8dkb\":\"Taux fixe\",\"EZd3Dk\":[\"Reprise \",[\"symbol\"]],\"Ebgc76\":[\"Retrait \",[\"symbole\"]],\"EdQY6l\":\"Aucun/Aucune\",\"EjvKQ+\":\"Valeur minimale en USD reçue\",\"Enslfm\":\"Destination\",\"EvE9nO\":[\"Réactiver la période de recharge pour annuler le pieu \",[\"0\"],\" \",[\"stakedToken\"]],\"EvECnL\":\"Migrer vers la v3\",\"EzMQbh\":\"The source chain time to finality is the main factor that determines the time to destination. <0>Learn more\",\"F40cwT\":\"Legacy Markets\",\"F6TdXL\":\"Pour en savoir plus.\",\"FDDPeZ\":\"Users can stake their assets in the protocol and earn incentives. In the case of a shortfall event, your stake can be slashed to cover the deficit, providing an additional layer of protection for the protocol.\",\"FHlMf/\":\"Solde actuel de la v2\",\"FHpxjF\":[\"Le facteur de réserve est un pourcentage de l’intérêt qui va à un \",[\"0\"],\" qui est contrôlé par la gouvernance Aave pour promouvoir la croissance de l’écosystème.\"],\"FOBZa6\":\"Puissance d'emprunt utilisée\",\"FPKEug\":\"Opération non prise en charge\",\"FbmMe7\":\"Linked addresses\",\"Fdp03t\":\"sur\",\"Fjw9N+\":\"Actifs à déposer\",\"FmN0fk\":\"Remise en jeu\",\"GDGLIs\":\"GHO est un actif numérique natif décentralisé et adossé à des garanties, indexé sur le dollar américain. Il est créé par les utilisateurs en empruntant contre plusieurs garanties. Lorsque l’utilisateur rembourse sa position d’emprunt de HO, le protocole brûle le GHO de cet utilisateur. Tous les paiements d’intérêts accumulés par les minters de GHO seraient directement transférés à la trésorerie d’AaveDAO.\",\"GQrBTq\":\"Changer de mode E\",\"GWswcZ\":\"Cet actif est gelé en raison d’une décision de gouvernance du protocole Aave. Le 20 décembre 2022, renFIL ne sera plus pris en charge et ne pourra plus être reconnecté à son réseau natif. Il est recommandé de retirer les positions d’offre et de rembourser les positions d’emprunt afin que renFIL puisse être relié à FIL avant la date limite. Après cette date, il ne sera plus possible de convertir renFIL en FIL. <0>Plus d’informations\",\"GX8GKD\":\"Actifs\",\"GgEj+0\":\"Mode lecture seule. Connectez-vous à un portefeuille pour effectuer des transactions.\",\"GjkIKV\":\"Prend fin\",\"GoK/QN\":\"Thank you for submitting feedback!\",\"GtP2hp\":[\"L'emprunt n'est pas disponible, car vous avez activé le mode d'efficacité (E-Mode) pour la catégorie \",[\"0\"],\". Pour gérer les catégories E-Mode, visitez votre <0>tableau de bord.\"],\"H6Ma8Z\":\"Rabais\",\"HB/wfS\":[[\"tooltipText\"]],\"HKDsQN\":\"Rewards can be claimed through\",\"Ha/U5f\":\"This is a program initiated and implemented by the decentralised ZKSync community. Aave Labs does not guarantee the program and accepts no liability.\",\"HciqKU\":\"This is a program initiated and implemented by the decentralised Aave community. Aave Labs does not guarantee the program and accepts no liability.\",\"Hi6Ttn\":\"Désolé, une erreur inattendue s’est produite. En attendant, vous pouvez essayer de recharger la page, ou revenir plus tard.\",\"HkEDbS\":[[\"d\"],\"d\"],\"HmkYqM\":\"Fenêtre d'arrêt de staking\",\"HpK/8d\":\"Recharger\",\"HrnC47\":\"Enregistrer et partager\",\"HuVZMK\":\"Days\",\"HvJKMU\":[\"La ressource ne peut pas être migrée vers \",[\"marketName\"],\" v3 Marché puisque l’actif collatéral activera le mode d’isolation.\"],\"Hvwnm9\":[\"La quantité maximale disponible pour l’approvisionnement est limitée parce que le plafond d’approvisionnement du protocole est à \",[\"0\"],\"%.\"],\"I8CX2c\":\"Le montant total de vos actifs libellés en USD qui peut être utilisé comme garantie pour emprunter des actifs.\",\"IAD2SB\":[\"Prétendant \",[\"symbol\"]],\"IG9X9/\":\"L’emprunt de cet actif est limité à un certain montant afin de minimiser l’insolvabilité du pool de liquidités.\",\"IOIx8L\":\"Il est prévu que cet actif soit désactivé en raison d’une décision de gouvernance du protocole Aave. <0>Plus d’informations\",\"IP+I/j\":\"Période de recharge\",\"IaA40H\":\"Liquidation à\",\"J/hVSQ\":[[\"0\"]],\"JCoxL6\":\"Gérer l’analytique\",\"JK9zf1\":[\"Intérêts composés estimés, y compris l’escompte pour le jalonnement \",[\"0\"],\"AAVE dans le module de sécurité.\"],\"JOqFba\":[\"Déjalonnement \",[\"symbol\"]],\"JPrLjO\":\"Vous ne pouvez pas utiliser cette devise comme garantie\",\"JU6q+W\":\"Récompense(s) à réclamer\",\"JYKRJS\":\"Stake\",\"JZMxX0\":\"Pas assez de solde sur votre portefeuille\",\"Jgflkm\":\"Get GHO\",\"JoMQnI\":\"Solde du portefeuille\",\"JtwD8u\":\"Emprunter le solde après le remboursement\",\"JumYTK\":\"Supplied assets\",\"K05qZY\":\"Retrait et échange\",\"KAz/NV\":\"Le plafond d’endettement du protocole est de 100% pour cet actif. Il n’est pas possible d’emprunter davantage sur cet actif.\",\"KLXVqE\":[\"Les tokens stETH seront migrés vers Wrapped stETH à l’aide du wrapper Lido Protocol, ce qui entraîne une modification de l’équilibre de l’offre après la migration : \",[\"0\"]],\"KLd6ky\":\"Use connected account\",\"KRpokz\":\"VOIR TX\",\"KSlpka\":\"Cela représente le seuil auquel une position d'emprunt sera considérée comme sous-garantie et sujette à liquidation pour chaque garantie. Par exemple, si une garantie a un seuil de liquidation de 80\xA0%, cela signifie que la position sera liquidée lorsque la valeur de la dette vaut 80 % de la valeur de la garantie.\",\"KYAjf3\":\"Isolé\",\"KZwRuD\":[[\"notifyText\"]],\"KkPgim\":\"Changement de mode E\",\"KnN1Tu\":\"Expire\",\"KoOBI2\":\"En raison de la mécanique interne de stETH requise pour le rebasage de la prise en charge, il n’est pas possible d’effectuer un changement de garantie où stETH est le jeton source.\",\"KojyJ4\":\"Mauvais réseau\",\"KsqhWn\":\"Staking\",\"KuBTQq\":\"Entrez l'adresse ETH\",\"KvG1xW\":\"Réclamer\",\"L+8Lzs\":\"LTV actuelle\",\"L+qiq+\":\"Marché\",\"LDzfVJ\":\"Send Feedback\",\"LIrMcF\":\"Pas de pouvoir de vote\",\"LL0zks\":\"Peut être collatéral\",\"LLdJWu\":\"AAVE Réclamable\",\"LSIpNK\":\"Emprunter et rembourser dans le même bloc n'est pas autorisé\",\"LVt3TI\":[\"<0>Tolérance de glissement <1>\",[\"selectedSlippage\"],\"% <2>\",[\"0\"],\"\"],\"LjafV8\":\"Maximum collateral amount to use\",\"LtpQew\":\"Let us know how we can make the app better for you. For user support related inquiries please reach out on\",\"LvVpD/\":\"Emode\",\"M2sknc\":\"Astuce : Essayez d’augmenter le glissement ou de réduire la quantité d’entrée\",\"M7wPsD\":\"Interrupteur\",\"MFu33y\":\"Staking 00\",\"MIy2RJ\":\"Maximum amount received\",\"MZ/nQf\":\"Adresse du destinataire\",\"Ma/MtY\":\"vue de staking\",\"McHlGl\":\"Changement d’APY\",\"MeCCA+\":\"APY, variable\",\"MghdTe\":\"Si le facteur de santé descend en dessous de 1, la liquidation de votre collatéral peut être déclenchée.\",\"Mm/DVQ\":\"Vous avez annulé la transaction.\",\"MnE2QX\":\"Emprunter des informations\",\"MrmQHg\":\"View Bridge Transactions\",\"MuDFEQ\":\"Valeur de retour invalide de la fonction flashloan executor\",\"N5kUMV\":\"L’actif ne peut être utilisé comme garantie qu’en mode isolé avec un pouvoir d’emprunt limité. Pour passer en mode d’isolation, désactivez toutes les autres garanties.\",\"N6Pxr9\":\"View all\",\"NF0e1Q\":\"En attente...\",\"NK9ikO\":\"Solde du portefeuille\",\"NMt2CB\":\"Montant réclamable\",\"NcFGxG\":\"Contrat de collectionneur\",\"NfpPeS\":\"Rien staké\",\"Nh9DAo\":[[\"m\"],\"m\"],\"O+sCUU\":\"Le plafond de mintage non soutenu est dépassé\",\"O+tyU+\":[\"Le montant maximal disponible pour emprunter sur cet actif est limité car le plafond de la dette est à \",[\"0\"],\"%.\"],\"O3oNi5\":\"Email\",\"OFjZGo\":\"Unstake\",\"OR8cYX\":\"Aperçu de la proposition\",\"OYuJ9K\":\"Le plafond d’endettement du protocole est de 100% pour cet actif. Il n’est pas possible d’emprunter sur cet actif.\",\"OfhWJH\":\"Réinitialisation\",\"Og2SKn\":\"handicapé\",\"On0aF2\":\"Site internet\",\"OsyKSt\":\"Retirer\",\"P1dURE\":\"Révoquer le pouvoir\",\"P2WCD/\":[\"L’actif sous-jacent n’existe pas dans \",[\"marketName\"],\" v3 Market, par conséquent, cette position ne peut pas être migrée.\"],\"P2sL6B\":\"Lorsqu'une liquidation survient, les liquidateurs remboursent jusqu'à 50 % de l'encours emprunté au nom de l'emprunteur. En contrepartie, ils peuvent acheter le collatéral à prix réduit et conserver la différence (pénalité de liquidation) en bonus.\",\"P6sRoL\":\"Mise en jeu ABPT\",\"P72/OW\":\"La moyenne pondérée de l'APY pour tous les actifs empruntés, y compris les incitatifs.\",\"P7e6Ug\":\"Veuillez connecter votre portefeuille pour consulter l’historique des transactions.\",\"PByO0X\":\"Votes\",\"PI+kVe\":\"Disable fork\",\"PJK9u/\":\"Emprunter apy\",\"PLUB/s\":\"Fee\",\"PP5ZA8\":[\"Participating in staking \",[\"symbol\"],\" gives annualized rewards. Your wallet balance is the sum of your aTokens and underlying assets. The breakdown to stake is below\"],\"PcBUgb\":\"Seuil de liquidation\",\"PjU6bu\":\"This asset is eligible for SPK incentive program. Aave Labs does not guarantee the program and accepts no liability.\",\"PpqD5g\":\"L'activation de cet actif comme garantie augmente votre pouvoir d'emprunt et votre facteur de santé. Cependant, il peut être liquidé si votre facteur de santé tombe en dessous de 1.\",\"PsOFSf\":\"Cette action réduira le facteur de santé V2 en dessous du seuil de liquidation. Conservez la garantie ou migrez la position d’emprunt pour continuer.\",\"Pu4bI/\":[[\"currentMethod\"]],\"Q0LzKi\":\"View TX\",\"Q4eNqa\":\"The Aave Balancer Pool Token (ABPT) is a liquidity pool token. You can receive ABPT by depositing a combination of AAVE + wstETH in the Balancer liquidity pool. You can then stake your BPT in the Safety Module to secure the protocol and earn Safety Incentives.\",\"QQYsQ7\":\"Withdrawing\",\"QWYCs/\":\"Stake GHO\",\"R+30X3\":\"Non atteint\",\"RCU5PY\":\"Age\",\"RIfckG\":[\"Désactiver \",[\"symbol\"],\" comme garantie\"],\"RMtxNk\":\"Différentiel\",\"RNK49r\":\"Signature non valide\",\"RS0o7b\":\"État\",\"RU+LqV\":\"Détails de la proposition\",\"RYTgZX\":\"lorem ipsum\",\"RbXH+k\":\"AAVE, GHO, and ABPT holders (Ethereum network only) can stake their assets in the Safety Module to add more security to the protocol and earn Safety Incentives. In the case of a shortfall event, your stake can be slashed to cover the deficit, providing an additional layer of protection for the protocol.\",\"RiSYV4\":\"L'actif n'est pas répertorié\",\"Rj01Fz\":\"Liens\",\"RmWFEe\":\"APR staké\",\"RoafuO\":\"Envoyer des commentaires\",\"RtBLm7\":\"Le facteur santé est inférieur au seuil de liquidation\",\"RxzN1M\":\"Activé\",\"SDav7h\":\"Fonds dans le Safety Module\",\"SENccp\":\"Si l’erreur persiste,<0/> vous pouvez la signaler à ce\",\"SIWumd\":\"Afficher les ressources gelées ou mises en pause\",\"SM58dD\":\"Quantité en temps de recharge\",\"SSMiac\":\"Impossible de charger les votants de proposition. Veuillez rafraîchir la page.\",\"SSQVIz\":\"Seuil de liquidation\",\"SUb8x0\":\"Total disponible\",\"SWIgh4\":\"Fees exceed wallet balance\",\"SY9hVo\":\"Le mode lecture seule permet de voir les positions d’adresses dans Aave, mais vous ne pourrez pas effectuer de transactions.\",\"SZRUQ4\":\"Glissement maximal\",\"Sa1UE/\":\"Le plafond d’emprunt du protocole est de 100 % pour cet actif. Il n’est pas possible d’emprunter davantage.\",\"Sk2zW9\":\"Désactiver le E-mode\",\"SxaD0o\":\"Le fournisseur d'adresses de pool n'est pas enregistré\",\"T/AIqG\":\"Limite d’approvisionnement du protocole à 100 % pour cet actif. D’autres approvisionnements ne sont pas disponibles.\",\"T0xCO9\":\"Can't validate the wallet address. Try again.\",\"T4OhVl\":\"GHO balance\",\"T6uYU2\":\"Emprunter\",\"TFxQlw\":\"Pénalité de liquidation\",\"TQ7WsV\":\"Available to stake\",\"TUI7iB\":\"L'actif ne peut être utilisé comme garantie qu'en mode isolé.\",\"TbjyhA\":\"Docs\",\"TduuS0\":\"L'utilisateur n'a pas de dette à taux stable impayée sur cette réserve\",\"TeCFg/\":\"Modification du taux d’emprunt\",\"Tg1JyO\":\"Bridge history\",\"TskbEN\":\"Les détenteurs de stkAAVE bénéficient d’une réduction sur le taux d’emprunt GHO\",\"TszKts\":\"Emprunter le solde après le changement\",\"TtZL6q\":\"Paramètres du modèle de remise\",\"TwJI9F\":\"Asset has been successfully sent to CCIP contract. You can check the status of the transactions below\",\"Tz0GSZ\":\"Activités bloquées\",\"U/eBjN\":\"Recharger la page\",\"U2r8nY\":\"Choose how much voting/proposition power to give to someone else by delegating some of your AAVE, stkAAVE or aAave balance. Your tokens will remain in your account, but your delegate will be able to vote or propose on your behalf. If your AAVE, stkAAVE or aAave balance changes, your delegate's voting/proposition power will be automatically adjusted.\",\"U8IubP\":\"L’application s’exécute en mode réseau de test. Découvrez comment cela fonctionne dans\",\"U9btTk\":\"L'actif n'est pas empruntable en mode d'isolement\",\"UAOZRe\":\"L’impact sur les prix est l’écart entre la valeur totale des tokens d’entrée échangés et les tokens de destination obtenus (en USD), qui résulte de la liquidité limitée de la paire de trading.\",\"UE3KJZ\":\"L’historique des transactions n’est actuellement pas disponible pour ce marché\",\"URmyfc\":\"Détails\",\"UTTKmT\":\"Temps de recharge de la mise activé\",\"UXeR72\":\"Ces fonds ont été empruntés et ne peuvent pas être retirés pour le moment.\",\"UYb8CM\":\"Learn more about the SPK rewards\",\"UbRrG0\":\"Le ratio LTV maximum représente le pouvoir d'emprunt maximum d'une garantie spécifique. Par exemple, si une garantie a un LTV de 75 %, l'utilisateur peut emprunter jusqu'à 0,75 ETH dans la devise principale pour chaque 1 ETH de garantie.\",\"UpndFj\":\"Aucune récompense à réclamer\",\"V0f2Xv\":\"Facteur de réserve\",\"V1HK43\":\"Risques liés à la migration\",\"VATFH9\":\"Dette couverte\",\"VHOVEJ\":\"Connecter le portefeuille\",\"VMfYUK\":\"Sécurité de votre garantie déposée contre les actifs empruntés et sa valeur sous-jacente.\",\"VOAZJh\":\"Total des emprunts\",\"ViKYxK\":\"YAE\",\"W1SSoD\":\"Examiner les détails de la transaction\",\"W5hVah\":\"Rien fourni pour le moment\",\"W5kTFy\":\"Vote\",\"W8ekPc\":\"Retour au tableau de bord\",\"WMPbRK\":\"Sans support\",\"WNGZwH\":\"E-Mode augmente votre LTV pour une catégorie d'actifs sélectionnée jusqu'à <0/>. <1>En savoir plus\",\"WPWG/y\":\"Statut et configuration de la réserve\",\"WZLQSU\":\"L'utilisateur ne peut pas retirer plus que le solde disponible\",\"WaZyaV\":\"<0>Ampleforth est un actif de rebasage. Consultez la <1>documentation pour en savoir plus.\",\"WfU+XN\":\"Étant donné que cette ressource est suspendue, aucune action ne peut être entreprise jusqu’à nouvel ordre\",\"Wjmqs2\":\"No results found. You can import a custom token with a contract address\",\"WkZ6C6\":\"Pour emprunter, vous devez fournir tout actif à utiliser comme garantie.\",\"WyMiQm\":\"Vous avez réussi à changer de jeton.\",\"X/ITG9\":\"Copier le texte d'erreur\",\"X3Pp6x\":\"Utilisé comme collatéral\",\"X4Zt7j\":\"L'action ne peut pas être effectuée car la réserve est mise en pause\",\"XBdKOj\":\"Representative smart contract wallet (ie. Safe) addresses on other chains.\",\"XZzneG\":\"Vous quitterez le mode d'isolement et d'autres jetons peuvent désormais être utilisés comme collatéral\",\"Xg5y9S\":\"Amount to Bridge\",\"Xn4hUi\":\"Veuillez toujours tenir compte de votre <0>facteur de santé (HF) lors de la migration partielle d’une position et que vos tarifs seront mis à jour vers les taux V3.\",\"Xy71ST\":\"Umbrella\",\"Y5kGkc\":\"VOTER NON\",\"YDIOks\":\"Activation du E-Mode\",\"YSodyW\":\"Cette action réduira votre facteur de santé. Veuillez garder à l’esprit le risque accru de liquidation des garanties.\",\"YXOWXM\":\"The total amount bridged minus CCIP fees. Paying in network token does not impact gho amount.\",\"YirHq7\":\"Feedback\",\"YogbCJ\":\"Le mode réseau de test est activé\",\"YrDxdO\":\"Si votre prêt à la valeur dépasse le seuil de liquidation, votre garantie fournie peut être liquidée.\",\"YyIM65\":\"Les conditions de rééquilibrage des taux d'intérêt n'ont pas été remplies\",\"YyydIq\":[\"Ajouter \",[\"0\"],\" à Wallet pour suivre votre solde.\"],\"ZBvhI+\":\"Gouvernance Aave\",\"ZIIRAd\":\"Raw-Ipfs\",\"ZRq4tX\":\"Mode efficacité (E-Mode)\",\"ZSqEW+\":\"Manage E-Mode\",\"ZUFYFE\":\"Désactiver le réseau de test\",\"Zbyywy\":\"Coupure maximale\",\"ZfUGFb\":\"Avant de déposer\",\"ZiXN+B\":\"Assets to stake\",\"ZlsSDH\":\"Valeur de liquidation\",\"ZrEc8j\":\"Nous n’avons trouvé aucun élément lié à votre recherche. Réessayez avec un autre nom, symbole ou adresse de ressource.\",\"ZsLF7e\":\"Activé\",\"a0YQoQ\":\"Enter a valid address\",\"a2fBZn\":\"Temps restant pour dépiquer\",\"a5RYZd\":\"La désactivation de cet actif en tant que garantie affecte votre pouvoir d'emprunt et votre facteur de santé.\",\"a7u1N9\":\"Prix\",\"a9D+6D\":\"Non jalonné\",\"aEtiwq\":\"Vote NAY\",\"aMmFE1\":\"Acheter des crypto-monnaies avec des monnaies fiduciaires\",\"aOKIms\":\"Les paramètres de tableau devraient être de même longueur ne sont pas\",\"aX31hk\":\"Votre solde est inférieur au montant sélectionné.\",\"adUsDd\":\"An error has occurred fetching the proposal.\",\"al6Pyz\":\"Dépasse la remise\",\"aoXTT7\":\"Prêt APY, variable\",\"aqX1Yp\":\"This asset is eligible for rewards through SuperFest. Aave Labs does not guarantee the program and accepts no liability.\",\"avgETN\":\"Eligible for the Merit program.\",\"b4NS3e\":\"Avertissement de période de refroidissement\",\"bNEQeI\":\"Cooldown\",\"bSruit\":\"ZKSync Ignite Program rewards are claimed through the\",\"bUUVED\":\"Actif\",\"bXQ/Og\":\"Partager sur Twitter\",\"bXr0ee\":\"Les actifs isolés ont un pouvoir d'emprunt limité et les autres actifs ne peuvent pas être utilisés comme garantie.\",\"bYmAV1\":\"Adresses\",\"bguKoJ\":\"Le montant demandé est supérieur au montant maximum du prêt en mode taux stable\",\"bwSQI0\":\"Fournir\",\"bxN6EM\":\"Impossible de désactiver le mode E\",\"bxmzSh\":\"Pas assez de collatéral pour rembourser ce montant de dette avec\",\"c91vuQ\":\"L'adresse n'est pas un contrat\",\"c97os2\":\"Aave aToken\",\"c9b44w\":\"Vous ne pouvez pas retirer ce montant car cela entraînera un appel de garantie\",\"cBc+4A\":\"Il s'agit du montant total que vous pouvez emprunter. Vous pouvez emprunter en fonction de votre garantie et jusqu'à ce que le plafond d'emprunt soit atteint.\",\"cIl5kp\":\"Votre pouvoir de vote est basé sur votre solde AAVE/stkAAVE et les délégations reçues.\",\"cLo09S\":\"Détails des risques\",\"cNT+ij\":\"L'emprunt n'est pas disponible car vous avez activé le mode Efficacité (E-Mode) et le mode Isolation. Pour gérer le mode E et le mode Isolation, rendez-vous sur votre <0>tableau de bord.\",\"cZOeBk\":\"Something went wrong fetching bridge message, please try again later.\",\"ceix5S\":\"Pour soumettre une proposition de modifications mineures du protocole, vous aurez besoin d’une puissance d’au moins 80,00 K. Si vous souhaitez modifier la base de code de base, vous aurez besoin d’une puissance de 320k. <0>Pour en savoir plus.\",\"ciybUa\":\"Vote YAE\",\"ckf7gX\":[\"Remboursement \",[\"symbole\"]],\"cp1ZDP\":[\"Bridge \",[\"symbol\"]],\"cqnmnD\":\"Taux d’intérêt effectif\",\"cqwIvs\":\"Discussion de forum\",\"csDS2L\":\"Disponible\",\"cu7Stb\":\"Vous n'avez pas participé à cette proposition\",\"dE6BLF\":\"Gouvernance\",\"dEgA5A\":\"Annuler\",\"dIsyWh\":\"Échec de la validation LTV\",\"dMtLDE\":\"À\",\"dOB5nW\":[\"La quantité maximale disponible pour la fourniture est de <0/> \",[\"0\"],\" (<1/>).\"],\"dVfODp\":\"Vous n'avez pas assez de fonds dans votre portefeuille pour rembourser le montant total. Si vous continuez à rembourser avec votre montant actuel de fonds, vous aurez toujours une petite position d'emprunt dans votre tableau de bord.\",\"dXUQFX\":\"Actifs à emprunter\",\"dgr1aY\":\"L’emprunt est désactivé en raison d’une décision de la communauté Aave. <0>Plus d’informations\",\"djsg0o\":\"Usage de collatéral\",\"dpc0qG\":\"Variable\",\"drdV8R\":\"Liquidation\",\"dxW8cS\":\"Jeton de dette Aave\",\"e4V3oW\":\"Top 10 des adresses\",\"eD8WX/\":\"L'action nécessite une réserve active\",\"eJRJ04\":\"Montant à la mise en jeu\",\"eLh0cL\":\"Le slippage est la différence entre les montants cotés et reçus en raison de l’évolution des conditions du marché entre le moment où la transaction est soumise et sa vérification.\",\"ePK91l\":\"Edit\",\"eVpCmf\":\"Récompenses de staking\",\"eVqvtf\":\"Bridge GHO\",\"eYdurp\":\"Aucune transaction n’a encore été effectuée.\",\"ebLGGN\":\"Total emprunté\",\"ecqEvn\":\"Le solde de la garantie est de 0\",\"efdrrk\":\"Disponible sur\",\"enruNF\":\"Commence\",\"eqLYiD\":\"Arrêter de staker maintenant\",\"euScGB\":\"APY avec remise appliquée\",\"evw5ha\":\"Valeur nette\",\"ezcU16\":\"Obtenir le jeton ABP\",\"f3W0Ej\":[\"Vous êtes passé au tarif \",[\"0\"]],\"fH9i8k\":\"Vous avez réussi à changer de position d’emprunt.\",\"fHcELk\":\"APR Net\",\"fMJQZK\":\"Emprunté\",\"fZ5Vnu\":\"Reçu\",\"firl9Q\":\"Votre prêt actuel à la valeur en fonction de votre collatéral fournie.\",\"flRCF/\":\"Remise sur le staking\",\"fldjW9\":\"Prévisualiser tx et migrer\",\"fsBGk0\":\"Solde\",\"fu1Dbh\":[\"Retirer \",[\"symbole\"]],\"fwjWSI\":\"Fourni\",\"fwyTMb\":\"Migrate to stkABPT v2\",\"g0mals\":\"You can not disable E-Mode because that could cause liquidation. To exit E-Mode supply or repay borrowed positions.\",\"g2UNkE\":\"Alimenté par\",\"g8KGoA\":\"Foire aux questions\",\"g9zzqS\":\"A voté NAY\",\"gDd2gk\":\"about SuperFest.\",\"gFFh9h\":\"Tout est fait !\",\"gIMJlW\":\"Mode réseau test\",\"gOzPxe\":\"Cet actif est gelé en raison d’une décision de gouvernance du protocole Aave. <0>Plus d’informations\",\"gTHi2T\":\"L'utilisateur essaie d'emprunter plusieurs actifs, y compris un en silo\",\"gVW59Y\":\"Veuillez connecter votre portefeuille pour obtenir des ressources de réseau de test gratuites.\",\"gcFNxP\":\"Approuver Confirmé\",\"gncRUO\":\"Cette adresse est bloquée sur app.aave.com car elle est associée à un ou plusieurs\",\"goff7V\":\"Adresse zéro non-valide\",\"gp+f1B\":\"Variante 3\",\"gr8mYw\":\"Vous pouvez emprunter jusqu’à GHO à <0/> <1/> (rabais maximum)\",\"gvTM4B\":\"L'APY net est l'effet combiné de toutes les positions d'offre et d'emprunt sur la valeur nette, y compris les incitations. Il est possible d'avoir un APY net négatif si l'APY de la dette est supérieur à l'APY de l'offre.\",\"gzcch9\":\"Frais de protocole de pont invalide\",\"h33MxW\":\"Representing smart contract wallet (ie. Safe) addresses on other chains.\",\"h3ilK+\":\". .CSV\",\"hB23LY\":\"Activer le temps de recharge\",\"hIJzBh\":\"Available to Claim\",\"hIS4N0\":\"APY Net\",\"hRWvpI\":\"Revendiqué\",\"hdmy/o\":\"Le % de votre pouvoir d'emprunt total utilisé. Ceci est basé sur le montant de votre garantie fournie et le montant total que vous pouvez emprunter.\",\"hehnjM\":\"Montant\",\"hjDCQr\":\"Il y a eu une erreur. Veuillez essayer de modifier les paramètres ou <0><1>copier l'erreur\",\"hom7qf\":\"Réclamer\",\"hpHJ4I\":\"Garantie liquidée\",\"hpuVIp\":\"Users who stake AAVE in Safety Module (i.e. stkAAVE holders) receive a discount on GHO borrow interest rate.\",\"huQ6Tz\":[\"Emprunter \",[\"symbole\"]],\"hxi7vE\":\"Emprunter le solde\",\"i2JTiw\":\"Vous pouvez saisir un montant personnalisé dans le champ.\",\"iB5+/J\":\"À propos de GHO\",\"iChbOF\":\"Paramètres de prêt flash incohérents\",\"iEPVHF\":\"Pas assez de pouvoir de vote pour participer à cette proposition\",\"iEW87X\":\"Délégation de pouvoirs\",\"iEju36\":[\"Vous avez voté \",[\"0\"]],\"iFq2YN\":\"Borrowable\",\"iGxyIA\":\"Safety Module\",\"iMVZk9\":\"Sélectionner la tolérance de glissement\",\"iPMIoT\":\"Entrez un montant\",\"iSLIjg\":\"Connect\",\"iUo5rv\":\"tokens n'est pas la même chose que de les staker . Si vous souhaitez staker votre\",\"iZxa38\":\"Utilisez-le pour voter pour ou contre les propositions actives.\",\"if5PH+\":\"Informations sur le collectionneur\",\"igkfR1\":[\"En mode Isolation, vous ne pouvez pas fournir d’autres actifs en garantie. Un plafond d’endettement global limite le pouvoir d’emprunt de l’actif isolé. Pour quitter le mode d’isolement, désactivez \",[\"0\"],\" en garantie avant d’emprunter un autre actif. Pour en savoir plus, consultez notre <0>FAQ\"],\"il0sEG\":\"L'utilisation du collatéral est limitée en raison du mode d'isolation.\",\"j+K1Xj\":\"Amount After Fee\",\"jA2QeW\":\"Fournir votre\",\"jFi7dz\":\"Interest rate that is determined by Aave Governance. This rate may be changed over time depending on the need for the GHO supply to contract/expand. <0>Learn more\",\"jG3UJ7\":\"Désactiver le E-mode\",\"jKYzR1\":\"Activer le E-Mode\",\"jMam5g\":[[\"0\"],\" Balance\"],\"jSYv+Z\":\"Enabling E-Mode allows you to maximize your borrowing power, however, borrowing is restricted to assets within the selected category. <0>Learn more about how it works and the applied restrictions.\",\"jaKbwW\":[[\"s\"],\"s\"],\"jbFMap\":\"Temps de recharge restant\",\"jeMZNr\":[[\"0\"],\" Le service de rampe d’accès est fourni par le fournisseur externe et, en le sélectionnant, vous acceptez les conditions du fournisseur. Votre accès au service peut dépendre de l’opérationnalité du fournisseur externe.\"],\"jfl9OP\":\"Migré\",\"jmXdoY\":\"En E-Mode, certains actifs ne sont pas empruntables. Quittez le E-mode pour accéder à tous les actifs\",\"jpctdh\":\"Vue\",\"jqzUyM\":\"Non disponible\",\"k/sb6z\":\"Choisir la langue\",\"k3wP3f\":\"<0>Attention: Les changements de paramètres via la gouvernance peuvent modifier le facteur de santé de votre compte et le risque de liquidation. Suivez le <1>forum de gouvernance d’Aave pour les mises à jour.\",\"kACpF3\":[\"Réclamer \",[\"0\"]],\"kH6wUX\":\"Impact sur les prix\",\"kIC28N\":\"Available to claim\",\"kIpSye\":[[\"numSelected\"],\"/\",[\"numAvailable\"],\" Actifs sélectionnés\"],\"kN1Yg5\":\"Pour rembourser au nom d'un utilisateur, un montant explicite à rembourser est nécessaire\",\"kRTD40\":[\"Montant de remboursement à atteindre \",[\"0\"],\"% d’utilisation\"],\"kjN9tT\":\"Le plafond d'approvisionnement est dépassé\",\"knxE+G\":\". JSON (en anglais seulement)\",\"ks2LWT\":\"Le plafond de la dette n'est pas nul\",\"kwwn6i\":\"Les utilisateurs qui misent des AAVE dans le module de sécurité (c’est-à-dire les détenteurs de stkAAVE) bénéficient d’une réduction sur le taux d’intérêt d’emprunt de HO. La réduction s’applique à 100 GHO pour chaque 1 stkAAVE détenu. Utilisez le calculateur ci-dessous pour voir le taux d’emprunt GHO avec le rabais appliqué.\",\"kz3wtK\":\"and about SPK program\",\"kzZyM4\":\"DAI balance will be converted via DSR contracts and then supplied as sDAI. Switching incurs no additional costs and no slippage.\",\"lNVG7i\":\"Sélectionner une ressource\",\"lU2d1/\":[\"L’actif ne peut pas être migré en raison d’une liquidité insuffisante ou d’une limitation du plafond d’emprunt \",[\"marketName\"],\" v3 marché.\"],\"lVhKKI\":\"A voté YAE\",\"lWLqxB\":\"Nous n’avons trouvé aucune transaction liée à votre recherche. Réessayez avec un autre nom de ressource ou réinitialisez les filtres.\",\"lYGfRP\":\"Anglais\",\"lfEjIE\":\"En savoir plus dans notre <0>guide FAQ\",\"lt6bpt\":\"Garantie à rembourser\",\"m/IEhi\":\"Émission totale par jour\",\"m7r7Hh\":\"Sélection d’actifs d’emprunt\",\"mDDK4p\":\"Balancer Pool\",\"mIM0qu\":\"Montant prévu à rembourser\",\"mUAFd6\":\"Variante 2\",\"masO5Z\":\"E-Mode increases your LTV for a selected category of assets. <0>Learn more\",\"mdNjKU\":[\"Votre \",[\"name\"],\" Le portefeuille est vide. Acheter ou transférer des actifs ou utiliser <0>\",[\"0\"],\" pour transférer votre \",[\"network\"],\" actif.\"],\"muiOng\":[\"Acheter \",[\"cryptoSymbol\"],\" avec Fiat\"],\"mvCXBY\":\"Mise en jeu AAVE\",\"mwdzil\":\"D'accord, fermer\",\"mzI/c+\":\"Télécharger\",\"mzdIia\":\"L'actif ne peut pas être utilisé comme collatéral.\",\"n+SX4g\":\"Développeurs\",\"n8Psk4\":\"Nous n’avons pas pu détecter de portefeuille. Connectez un portefeuille pour staker et consulter votre solde.\",\"nJIhzm\":\"Fournir apy\",\"nJgsQu\":\"Avec un pouvoir de vote de <0/>\",\"nLC6tu\":\"Français\",\"nN2T8p\":\"During the cooldown period, you will not earn any merit rewards. However, rewards earned up to this point will remain unaffected.\",\"nNHV0z\":\"La migration simultanée de plusieurs garanties et d’actifs empruntés peut s’avérer coûteuse et peut échouer dans certaines situations. <0>Par conséquent, il n’est pas recommandé de migrer des positions avec plus de 5 actifs (déposés + empruntés) en même temps.\",\"nNbnzu\":\"Proposition\",\"nOy4ob\":\"Nous vous suggérons de revenir au tableau de bord.\",\"nPGNMh\":\"Peut être exécuté\",\"nUK1ou\":[\"Assets with zero LTV (\",[\"0\"],\") must be withdrawn or disabled as collateral to perform this action\"],\"nakd8r\":\"Les détenteurs de stkAAVE bénéficient d’une réduction sur le taux d’emprunt GHO\",\"nh2EJK\":[\"Veuillez passer à \",[\"networkName\"],\".\"],\"njBeMm\":\"Les deux\",\"noN5Xf\":\"We couldn’t detect a wallet. Connect a wallet to view your staking positions and rewards.\",\"ntkAoE\":\"Remise appliquée pour <0/> le staking d’AAVE\",\"ntyFSE\":[[\"h\"],\"h\"],\"nwtY4N\":\"Quelque chose s’est mal passé\",\"nxyWvj\":\"Le retrait de ce montant réduira votre facteur santé et augmentera le risque de liquidation.\",\"o17QVP\":\"Votre facteur de santé et votre prêt à la valeur déterminent l'assurance de votre collatéral. Pour éviter les liquidations, vous pouvez fournir plus de garanties ou rembourser les positions d'emprunt.\",\"o1xc2V\":\"L'approvisionnement en aTokens n'est pas nul\",\"o4tCu3\":\"Emprunter de l’APY\",\"o5ooMr\":\"Dette\",\"o7J4JM\":\"Filtrer\",\"oHFrpj\":\"Temps de recharge pour déstaker\",\"oJ5ZiG\":\"L'utilisateur n'a pas de dette à taux variable impayée sur cette réserve\",\"oRBGin\":\"Veuillez connecter votre portefeuille pour pouvoir échanger vos jetons.\",\"oUwXhx\":\"Ressources de test\",\"oWklJD\":\"Le taux d'intérêt stable <0>restera le même pendant toute la durée de votre prêt. Recommandé pour les périodes de prêt à long terme et pour les utilisateurs qui préfèrent la prévisibilité.\",\"odnIK3\":\"Time remaining until the 48 hour withdraw period starts.\",\"oiK5nY\":\"The current incentives period, decided on by the Aave community, has ended. Governance is in the process on renewing, check for updates. <0>Learn more.\",\"olREoo\":\"All borrow positions outside of this category must be closed to enable this category.\",\"om/XHs\":\"Disponible au dépôt\",\"ov0+mq\":\"Eligible for the ZKSync Ignite program.\",\"ovT1pF\":[\"Per the community, the \",[\"market\"],\" has been frozen.\"],\"ow3fug\":\"Rien n’a été trouvé\",\"owSsI3\":\"Signatures prêtes\",\"p+R52m\":\"Accéder à Balancer Pool\",\"p2A+s1\":[\"La période de recharge est de \",[\"0\"],\". Après \",[\"1\"],\" de temps de recharge, vous entrerez dans la fenêtre de désengagement de \",[\"2\"],\". Vous continuerez à recevoir des récompenses pendant le temps de recharge et la fenêtre de retrait.\"],\"p2S64u\":\"Le ratio prêt/valeur des positions migrées entraînerait la liquidation. Augmenter les garanties migrées ou réduire les emprunts migrés pour continuer.\",\"p2Z2Qi\":\"Cet actif a atteint son plafond d'emprunt. Rien n'est disponible pour être emprunté à ce marché.\",\"p3j+mb\":\"Votre solde de récompenses est de 0\",\"p45alK\":\"Configurer la délégation\",\"p6u2s1\":\"Minimum amount of debt to be repaid\",\"pDgeaz\":[[\"title\"]],\"pdZqBk\":\"Le solde sous-jacent doit être supérieur à 0\",\"pgWG9H\":\"Pas assez de solde staké\",\"piPrJ7\":\"veuillez vérifier que le montant que vous souhaitez fournir n'est pas actuellement utilisé pour le staking. S'il est utilisé pour le staking, votre transaction peut échouer.\",\"pjO/iH\":\"Minimum amount received\",\"pooutM\":\"Voting is on\",\"pqaM5s\":\"Confirming transaction\",\"ptaxX3\":[\"Je comprends comment fonctionnent le temps de recharge (\",[\"0\"],\") et le retrait (\",[\"1\"],\")\"],\"py2iiY\":\"L'appelant de cette fonction doit être un pool\",\"q/51mF\":\"Migrer vers la V3\",\"q3df11\":\"Stratégie de taux d’intérêt\",\"q6lAbz\":\"Staké\",\"qB4kPi\":\"Fournir APY\",\"qENI8q\":\"Paramètres globaux\",\"qGz5zl\":\"Solde de garantie après remboursement\",\"qOqbD6\":\"copier l'erreur\",\"qXCkEM\":\"Veuillez connecter votre portefeuille pour voir vos fournitures, vos emprunts et vos positions ouvertes.\",\"qY2jnw\":\"Expiration invalide\",\"qf/fr+\":\"Intérêts courus\",\"quYPUU\":\"Variable interest rate will <0>fluctuate based on the market conditions.\",\"quzIeW\":\"User is in isolation mode or LTV is zero\",\"qvnz3q\":\"Montant non valide à brûler\",\"rHgdb0\":\"Migrate to Aave V3\",\"rOrHHe\":\"Le montant doit être supérieur à 0\",\"rQ+R+0\":\"Sélection d’actifs d’approvisionnement\",\"rSayea\":\"APY\",\"rTBDeu\":[\"L’actif ne peut pas être migré car vous disposez d’une garantie isolée dans \",[\"marketName\"],\" v3 Marché qui limite les actifs empruntables. Vous pouvez gérer vos garanties dans <0>\",[\"marketName\"],\" Tableau de bord V3\"],\"rcT+yy\":\"Afficher les actifs avec 0 solde\",\"rf8POi\":\"Montant de l’actif emprunté\",\"riNWOA\":\"E-Mode\",\"rjGI/Q\":\"Vie privée\",\"rnKPW1\":\"Watch a wallet balance in read-only mode\",\"ruc7X+\":\"Ajoutez stkAAVE pour voir l’APY d’emprunt avec la remise\",\"rvbaFU\":[\"Bridging \",[\"symbol\"]],\"rwVVB7\":\"Réclamez toutes les récompenses\",\"rwyUva\":\"Ces actifs sont temporairement gelés ou suspendus par des décisions de la communauté Aave, ce qui signifie qu’il n’est pas possible d’obtenir / emprunter ou d’échanger des taux de ces actifs. Les retraits et les remboursements de dettes sont autorisés. Suivez le <0>forum de gouvernance d’Aave pour d’autres mises à jour.\",\"rxJW5W\":\"Votre pouvoir de proposition est basé sur votre solde AAVE/stkAAVE et les délégations reçues.\",\"s2jJnW\":\"You don't have any bridge transactions\",\"s5wBAq\":[\"Unstake \",[\"symbol\"]],\"sJbIdI\":\"Enter ETH address or ENS\",\"sK+Nag\":\"Réviser tx\",\"sP2+gB\":\"NON\",\"sQv06Y\":\"pour\",\"sTtO6J\":\"Confirm transaction\",\"sXKb3l\":\"Exchange rate\",\"sb0q4+\":\"Vous unstaké ici\",\"smJNwH\":\"Disponible à emprunter\",\"solypO\":\"Le facteur de santé n'est pas inférieur au seuil\",\"sr0UJD\":\"Retourner\",\"ss5GCK\":\"L'adresse du fournisseur d'adresses du pool n'est pas valide\",\"swEgK4\":\"Vos informations de vote\",\"t+wtgf\":\"Aucun emprunt pour l'instant\",\"t/YqKh\":\"Remove\",\"t81DpC\":[\"Approuver \",[\"symbol\"],\" pour continuer\"],\"tCnbEs\":\"Prix Oracle\",\"tFZLf8\":\"Ce calcul de gaz n'est qu'une estimation. Votre portefeuille fixera le prix de la transaction. Vous pouvez modifier les paramètres de gaz directement depuis votre fournisseur de portefeuille.\",\"tHuvQI\":\"Accéder au tableau de bord V3\",\"tKv7cI\":\"Changer de position d’emprunt\",\"tOcg3N\":\"Étant donné que cet actif est gelé, les seules actions disponibles sont le retrait et le remboursement, accessibles depuis le <0>tableau de bord\",\"tOuXfv\":[\"Emprunter le montant à atteindre \",[\"0\"],\"% d’utilisation\"],\"te9Bfl\":\"S'il vous plaît, connectez votre portefeuille\",\"tt5yma\":\"Vos ressources\",\"ttoh5c\":\"Passer à\",\"u3ZeYl\":\"La transaction a échoué\",\"u706uF\":\"Prime flash non valide\",\"u8Gfu7\":[\"Aucun résultat de recherche\",[\"0\"]],\"uAQUqI\":\"Status\",\"uHMwk8\":\"Aucune ressource n’a été sélectionnée pour la migration.\",\"uJPHuY\":\"Migration\",\"uY8O30\":\"Pour continuer, vous devez autoriser les contrats intelligents Aave à déplacer vos fonds depuis votre portefeuille. En fonction de l’actif et du portefeuille que vous utilisez, cela se fait en signant le message d’autorisation (sans gaz) ou en soumettant une transaction d’approbation (nécessite du gaz). <0>Pour en savoir plus\",\"udFheE\":\"For repayment of a specific type of debt, the user needs to have debt that type\",\"ulNuNq\":\"Exporter des données vers\",\"ulup2p\":\"Acheter des crypto-monnaies avec des monnaies fiduciaires\",\"umICAY\":\"<0><1><2/>Ajoutez stkAAVE pour voir le taux d’emprunt avec escompte\",\"usB84Z\":\"Le montant maximum disponible pour emprunter est limité car le plafond d’emprunt du protocole est presque atteint.\",\"uwAUvj\":\"COPIER L’IMAGE\",\"v8x7Mg\":\"Garantie insuffisante pour couvrir une nouvelle position d’emprunt. Le portefeuille doit avoir une capacité d’emprunt restante pour effectuer le transfert de dette.\",\"vEqxH9\":\"Restauré\",\"vLyv1R\":\"Cacher\",\"vMba49\":\"L'emprunt n'est pas activé\",\"vMpNwt\":\"Approuvez avec\",\"vXIe7J\":\"Language\",\"vesuBJ\":\"Vous permet de décider si vous souhaitez utiliser un actif fourni en tant que collatéral. Un actif utilisé comme collatéral affectera votre pouvoir d'emprunt et votre Health Factor.\",\"w+V9Cx\":\"Stablecoin\",\"w/JtJ3\":\"L'offre de dette stable n'est pas nulle\",\"w4VBY+\":\"Récompenses APR\",\"w9dLMW\":[[\"label\"]],\"wAOL+X\":[\"Vous \",[\"action\"],\" <0/> \",[\"symbole\"]],\"wBIsjb\":\"Canal Discord\",\"wQZbc/\":\"L'appelant de la fonction n'est pas un AToken\",\"wRRqvW\":\"Vous n'avez pas de fournitures dans cette devise\",\"wZFvVU\":\"VOTER OUI\",\"wb/r1O\":[\"Faucet \",[\"0\"]],\"wdxz7K\":\"Source\",\"weH1nG\":\"Le protocole Aave est programmé pour toujours utiliser le prix de 1 GHO = 1 $. C’est différent de l’utilisation des prix du marché via des oracles pour d’autres actifs cryptographiques. Cela crée des opportunités d’arbitrage stabilisatrices lorsque le prix du GHO fluctue.\",\"wh7Ezv\":\"You have no AAVE/stkAAVE/aAave balance to delegate.\",\"wlsIx7\":\"Avec testnet Faucet, vous pouvez obtenir des ressources gratuites pour tester le protocole Aave. Assurez-vous de changer votre fournisseur de portefeuille pour le réseau de test approprié, sélectionnez l’actif souhaité et cliquez sur «\xA0Faucet\xA0» pour obtenir des jetons transférés vers votre portefeuille. Les actifs d’un réseau de test ne sont pas « réels », ce qui signifie qu’ils n’ont aucune valeur monétaire. <0>Pour en savoir plus\",\"wmE285\":\"Get ABP v2 Token\",\"wyRrcJ\":\"As a result of governance decisions, this ABPT staking pool is now deprecated. You have the flexibility to either migrate all of your tokens to v2 or unstake them without any cooldown period.\",\"x5KiLL\":\"Les ressources sélectionnées ont été migrées avec succès. Rendez-vous sur le tableau de bord du marché pour les voir.\",\"x7F2p6\":\"Différentiel de courant\",\"x7K5ib\":[\"Votre \",[\"networkName\"],\" Le portefeuille est vide. Obtenir un test gratuit \",[\"0\"],\" à\"],\"x9iLRD\":\"tokens, veuillez vous rendre sur\",\"xNy/UG\":\"Rembourser avec\",\"xPm8wv\":\"En savoir plus sur les risques encourus\",\"xXYpZl\":[[\"0\"],\" Faucet\"],\"xaVBSS\":\"Vos informations\",\"xaWZ6f\":\"Changement de type APY\",\"xh6k71\":\"L’utilisation des garanties est limitée en raison du mode d’isolation.\",\"xvIklc\":\"Flashloan est désactivé pour cet actif, cette position ne peut donc pas être migrée.\",\"y5rS9U\":\"Émigrer\",\"y66tBm\":[\"Activer \",[\"symbol\"],\" comme collatéral\"],\"yB1YpA\":\"Mode Sombre\",\"yCrG6m\":\"Taille totale du marché\",\"yJUUbn\":\"Aperçu des transactions\",\"yLGmLX\":[\"Remise en jeu \",[\"symbol\"]],\"yW1oWB\":\"APY type\",\"yYHqJe\":\"Pas une adresse valide\",\"yZwLw6\":\"Suivre le portefeuille\",\"yh2sjd\":[\"Impact sur les prix \",[\"0\"],\"%\"],\"yhvj6d\":\"Vous ne pouvez pas changer d'utilisation en tant que mode de garantie pour cette devise, car cela entraînera un appel de garantie\",\"ylmtBZ\":\"The app is running in fork mode.\",\"ymNY32\":[\"Il n'y a pas assez de fonds dans la \",[\"0\"],\" réserve pour emprunter\"],\"yz7wBu\":\"Fermer\",\"z4uGQg\":\"Le plafond de la dette est dépassé\",\"z5UQOM\":\"La garantie choisie ne peut être liquidée\",\"z5Y+p6\":[\"Fournir \",[\"symbole\"]],\"zCjNKs\":\"L'action ne peut pas être effectuée car la réserve est gelée\",\"zRHytX\":\"Plafond de la dette isolée\",\"zTOjMP\":\"La limite d’approvisionnement du protocole est de 100 % pour cet actif. D’autres approvisionnements ne sont pas disponibles.\",\"zVdRUG\":\"Submission did not work, please try again later or contact wecare@avara.xyz\",\"zevmS2\":\"<0><1><2/>Ajoutez <3/> stkAAVE pour emprunter à <4/> (remise maximale)\",\"zgtIDV\":\"Dette restante\",\"zmTPiV\":\"Bilan d'approvisionnement\",\"zpPbZl\":\"Paramètres du risque de liquidation\",\"zucql+\":\"Menu\",\"zwWKhA\":\"Apprendre encore plus\",\"zy9fXn\":[\"L’actif est gelé \",[\"marketName\"],\" v3, donc cette position ne peut pas être migrée.\"],\"zys+R6\":\"Faites attention à la congestion du réseau et aux prix de l’essence.\",\"zzzTXS\":\"Merit Program rewards are claimed through the\"}")}; \ No newline at end of file +/*eslint-disable*/module.exports={messages:JSON.parse("{\"+0xecS\":[\"Si vous NE vous désengagez PAS dans les \",[\"0\"],\" de la fenêtre de désengagement, vous devrez réactiver le processus de refroidissement.\"],\"+EGVI0\":\"Recevoir (est.)\",\"+VR63W\":[\"Participer à cette réserve \",[\"symbol\"],\" donne des récompenses annualisées.\"],\"+bmKdK\":\"Use your AAVE, stkAAVE, or aAave balance to delegate your voting and proposition powers. You will not be sending any tokens, only the rights to vote and propose changes to the protocol. You can re-delegate or revoke power to self at any time.\",\"+eOPG+\":\"On dirait que nous ne pouvons pas changer de réseau automatiquement. Veuillez vérifier si vous pouvez le changer depuis le portefeuille.\",\"+i3Pd2\":\"Limite d'emprunt\",\"+kLZGu\":\"Montant de l’actif fourni\",\"+nuEh/\":\"Estimated time\",\"+xMFF8\":\"Remind me\",\"/57U31\":\"Amount to migrate\",\"/7ykiW\":\"Emprunter ce montant réduira votre facteur santé et augmentera le risque de liquidation.\",\"/YA5pU\":\"E-Mode increases your LTV for a selected category of assets, meaning that when E-mode is enabled, you will have higher borrowing power over assets of the same E-mode category which are defined by Aave Governance. You can enter E-Mode from your <0>Dashboard. To learn more about E-Mode and applied restrictionn, see the <1>help guide or the <2>Aave V3 Technical Paper.\",\"/izjs/\":\"Montant minimum d’Aave mis en jeu\",\"/jQctM\":\"To\",\"/lDBHm\":\"FAQ\",\"/yNlZf\":\"L'emprunt stable n'est pas activé\",\"/yQcJM\":\"Valeur totale\",\"00AB2i\":\"L'utilisateur n'a pas emprunté la devise spécifiée\",\"00OflG\":\"Il n’y a pas assez de liquidités pour que l’actif cible puisse effectuer le changement. Essayez de réduire le montant.\",\"08/rZ9\":\"La période de recharge est le temps nécessaire avant de retirer vos jetons (20 jours). Vous ne pouvez retirer vos actifs du module de sécurité qu’après la période de recharge et pendant la période de désenjeu. <0>Pour en savoir plus\",\"0AmQcW\":\"Changement de taux\",\"0BF3yK\":\"Désolé, nous n’avons pas trouvé la page que vous cherchiez.\",\"0TAbjq\":\"Recent Transactions\",\"0jhlyw\":\"Risque de liquidation\",\"0ojY+Y\":\"Solde actuel v2\",\"0thX3P\":\"Modification des garanties\",\"0wGCWc\":\"Il s'agit du montant total que vous pouvez emprunter. Vous pouvez emprunter en fonction de votre garantie et jusqu'à ce que le plafond d'emprunt soit atteint.\",\"1AsVfF\":\"À l’heure actuelle, les données sur les prix ne sont pas disponibles pour cette réserve dans le sous-graphe du protocole\",\"1LjK22\":\"Historique des transactions\",\"1Onqx8\":[\"Approuver \",[\"symbol\"],\"...\"],\"1Ue8sX\":\"Veuillez connecter un portefeuille pour afficher vos informations personnelles ici.\",\"1bpx9A\":\"...\",\"1kWUB+\":\"Seuil de liquidation <0/>\",\"1m9Qqc\":\"Retrait et changement\",\"1oyh4g\":\"Borrow rate\",\"1t7rez\":\"L’offre d’actifs est limitée à un certain montant afin de réduire l’exposition du protocole à l’actif et d’aider à gérer les risques encourus.\",\"2CAPu2\":\"Vous avez retiré et échangé des jetons avec succès.\",\"2Eoi/a\":\"Voir détails\",\"2FYpfJ\":\"Plus\",\"2O3qp5\":\"Liquidités disponibles\",\"2OM8/D\":[\"L’actif ne peut pas être migré en raison d’une restriction de plafond d’approvisionnement dans \",[\"marketName\"],\" v3 marché.\"],\"2Q4GU4\":\"Adresse bloquée\",\"2ZGocC\":\"Aave est un protocole entièrement décentralisé et régi par la communauté par les détenteurs de jetons AAVE. Les détenteurs de jetons AAVE discutent, proposent et votent collectivement sur les mises à niveau du protocole. Les détenteurs de jetons AAVE (réseau Ethereum uniquement) peuvent soit voter eux-mêmes sur de nouvelles propositions, soit choisir l’adresse de leur choix. Pour en savoir plus, consultez la page Gouvernance\",\"2a6G7d\":\"Veuillez saisir une adresse de portefeuille valide.\",\"2bAhR7\":\"Rencontrez GHO\",\"2eBWE6\":\"Je reconnais les risques encourus.\",\"2o/xRt\":\"Plafond d'approvisionnement sur la réserve cible atteint. Essayez de réduire le montant.\",\"2uJToh\":[[\"0\"],[\"name\"]],\"2x58bP\":\"L'emprunt stable est activé\",\"34Qfwy\":\"Le plafond d'emprunt est dépassé\",\"39eQRj\":[\"Emprunter \",[\"symbole\"]],\"3BL1xB\":\"Total fourni\",\"3BnIWi\":\"Commuté\",\"3K0oMo\":\"Offre restante\",\"3MoZhl\":\"Il n'y a pas assez de collatéral pour couvrir un nouvel emprunt\",\"3Np5O8\":[\"Fournir \",[\"symbole\"]],\"3O8YTV\":\"Total des intérêts courus\",\"3mXg0z\":\"Max LTV\",\"3q3mFy\":\"Rembourser\",\"3qsjtp\":\"La moyenne pondérée de l'APY pour tous les actifs fournis, y compris les incitations.\",\"3rL+os\":\"Vous ne pouvez retirer vos actifs du module de sécurité qu'après la fin de la période de refroidissement et que la fenêtre de retrait est active.\",\"42UgDM\":[\"Migrer vers \",[\"0\"],\" Marché v3\"],\"49UFQA\":\"Résultats du vote\",\"4DMZUI\":\"Afficher les transactions\",\"4HtGBb\":\"MAX\",\"4Y5H+g\":\"Petits caractères\",\"4YYh4d\":\"Maximum available to borrow\",\"4iPAI3\":\"Montant minimum d’emprunt GHO\",\"4lDFps\":\"Signez pour continuer\",\"4wyw8H\":\"Transactions\",\"5JSSxX\":[\"Votre \",[\"networkName\"],\" Le portefeuille est vide. Obtenez des ressources de test gratuites à l’adresse suivante :\"],\"5K7kGO\":\"documentation\",\"5NOSGa\":\"Le plafond de la dette limite le montant que les utilisateurs du protocole peuvent emprunter sur cet actif. Le plafond de la dette est spécifique aux actifs isolés et est indiqué en USD.\",\"5Ncc6j\":[\"Cet actif a presque atteint son plafond d'offre. Il ne peut y avoir que \",[\"messageValue\"],\" fourni à ce marché.\"],\"5cZ/KX\":\"L'offre de dette variable n'est pas nulle\",\"5che++\":\"Pour demander l'accès à ce marché autorisé, veuillez consulter\xA0: <0>Nom du fournisseur d'accès\",\"5ctNdV\":[\"Minimum \",[\"0\"],\" reçu\"],\"5hDe9v\":\"Allocation action requise\",\"5rsnKT\":\"Récompenses disponibles\",\"5yC5m5\":\"Voir tous les votes\",\"6/dCYd\":\"Aperçu\",\"60crCe\":\"Toutes les transactions\",\"62Xcjh\":\"Collatérale\",\"65A04M\":\"Espagnol\",\"6G8s+q\":\"Signature\",\"6Jrv+z\":[\"Rembourser \",[\"symbole\"]],\"6NGLTR\":\"Montant actualisable\",\"6Xr0UU\":\"Refroidissement...\",\"6bxci/\":\"Pouvoir de vote\",\"6f8S68\":\"Marchés\",\"6g1gi0\":\"Les propositions\",\"6gvoHP\":\"Copier le message d’erreur\",\"6h3Q5G\":\"Remboursé\",\"6lFSyT\":\"Available to Stake\",\"6s8L6f\":\"Changer de réseau\",\"6yAAbq\":\"APY, borrow rate\",\"70wH1Q\":\"APR\",\"72c5Qo\":\"Total\",\"73Auuq\":\"Les paramètres de remise sont décidés par la communauté Aave et peuvent être modifiés au fil du temps. Consultez la section Gouvernance pour les mises à jour et votez pour participer. <0>Pour en savoir plus\",\"75qcAQ\":[[\"stepName\"]],\"7ITr5L\":\"Facteur de santé\",\"7T/o5R\":\"Atteint\",\"7YlcXu\":\"Fork mode is ON\",\"7Z76Iw\":\"L’emprunt n’est pas disponible car vous utilisez le mode Isolation. Pour gérer le mode d’isolation, rendez-vous sur votre <0>tableau de bord.\",\"7aKlMS\":\"Partager sur Lens\",\"7er5fP\":\"Réclamer tout\",\"7hb2+s\":\"Time remaining until the withdraw period ends.\",\"7l88b8\":\"Les données n’ont pas pu être récupérées, veuillez recharger le graphique.\",\"7p5kLi\":\"Tableau de bord\",\"7sofdl\":\"Retrait et échange\",\"8+6BI0\":\"Soyez prudent - Vous êtes très proche de la liquidation. Envisagez de déposer plus de collatéral ou de rembourser certaines de vos positions empruntées\",\"87pUEW\":[\"Votre \",[\"name\"],\" Le portefeuille est vide. Acheter ou transférer des actifs.\"],\"8F1i42\":\"Page introuvable\",\"8G8M0u\":\"Chargement des données...\",\"8Iu1QS\":\"Retiré\",\"8JL93T\":\"Toutes les propositions\",\"8Q51DU\":\"Ajouter au portefeuille\",\"8X/oyn\":\"Montant invalide à frapper\",\"8Z5FPv\":\"Déconnecter le portefeuille\",\"8Zz7s5\":\"actifs\",\"8aLW8H\":\"Solde à révoquer\",\"8bOT3H\":\"Taux d'utilisation\",\"8sLe4/\":\"Voir le contrat\",\"8t/M0y\":\"Please connect your wallet to be able to bridge your tokens.\",\"8vETh9\":\"Montrer\",\"94OHPx\":\"Vous entrez en mode Isolation\",\"9CDK3/\":[\"L'emprunt n'est actuellement pas disponible pour \",[\"0\"],\".\"],\"9GIj3z\":\"Taille de réserve\",\"9Knqb4\":\"Solde de mise en jeu\",\"9OBKm7\":\"Quorum\",\"9QHoGr\":\"Votes actuels\",\"9Rw96f\":[\"Cet actif a presque atteint son plafond d'emprunt. Il n'y a que \",[\"messageValue\"],\" disponible pour être emprunté sur ce marché.\"],\"9Xj/qR\":[\"Certaines ressources migrées ne seront pas utilisées comme garantie en raison de l’activation du mode d’isolement dans \",[\"marketName\"],\" Marché V3. Visite <0>\",[\"marketName\"],\" Tableau de bord V3 pour gérer le mode d’isolation.\"],\"9c6vDV\":\"Cet actif a atteint son plafond d'offre. Rien n'est disponible pour être fourni à partir de ce marché.\",\"9kTWHA\":\"L’AMI a été suspendu en raison d’une décision de la communauté. L’offre, les emprunts et les remboursements sont impactés. <0>Plus d’informations\",\"9lXchd\":\"Jeton sous-jacent\",\"9rWaKF\":\"Bridged Via CCIP\",\"9xSooW\":\"Comme il s'agit d'un réseau de test, vous pouvez obtenir n'importe lequel des actifs si vous avez ETH dans votre portefeuille\",\"A/lwoe\":\"Choisissez l’un des services de rampe d’accès\",\"A6dCI6\":[\"Le montant maximal disponible pour emprunter est de <0/> \",[\"0\"],\" (<1/>).\"],\"AReoaV\":\"Vos emprunts\",\"ARu1L4\":\"Remboursé\",\"AV7cGz\":\"Examiner les détails de la taxe d'approbation\",\"AZOjB8\":\"Récupération de données...\",\"Ai0jas\":\"Rejoignez la discussion de la communauté\",\"Ajl2rq\":\"Le pouvoir d'emprunt et les actifs sont limités en raison du mode d'isolement.\",\"AqgYNC\":\"Plafond d’emprunt du protocole à 100% pour cet actif. Il n’est pas possible d’emprunter davantage.\",\"B3EcQR\":\"Merci d’avoir voté\xA0!!\",\"B6aXGH\":\"Stable\",\"B9Gqbz\":\"Taux variable\",\"BDFEd+\":\"Les stETH fournis en garantie continueront d’accumuler des récompenses de staking fournies par les rebasages quotidiens.\",\"BE2mP0\":\"Borrowed assets\",\"BJyN77\":\"Due to health factor impact, a flashloan is required to perform this transaction, but Aave Governance has disabled flashloan availability for this asset. Try lowering the amount or supplying additional collateral.\",\"BNL4Ep\":\"L'utilisation de la garantie est limitée en raison du mode d'isolement. <0>En savoir plus\",\"BQ/wCO\":\"Migrate your assets\",\"BjLdl1\":\"À prix réduit\",\"BnhYo8\":\"Catégorie d'actifs\",\"Bq9Y7e\":\"Cet actif est gelé en raison d’une décision de la communauté Aave. <0>Plus d’informations\",\"BqWMDJ\":\"Faucet\",\"BqynZO\":\"Optimized for efficiency and risk by supporting blue-chip collateral assets\",\"Bsu7zX\":\"The fee includes the gas cost to complete the transaction on the destination chain and the fee paid to Chainlink CCIP service providers. You can chose to pay in the network token or GHO. <0>Learn more\",\"BwJKBw\":\"de\",\"CDrsH+\":\"Fiche technique\",\"CK1KXz\":\"Max\",\"CMHmbm\":\"Glissement\",\"CZXzs4\":\"Grec\",\"CcRNG6\":\"Transistor\",\"CkTRmy\":[\"Revendication \",[\"symbol\"]],\"CsqtLm\":\"Veuillez connecter votre portefeuille pour voir l’outil de migration.\",\"CtGlFb\":[[\"networkName\"],\" Robinet\"],\"Cxt2YY\":\"Watch wallet\",\"D33VQU\":\"Cette action réduira le facteur de santé de V3 en dessous du seuil de liquidation. Augmenter les garanties migrées ou réduire les emprunts migrés pour continuer.\",\"D9BLRG\":\"This asset has been paused due to a community decision. Supply, withdraw, borrows and repays are impacted.\",\"DAma/S\":\"La garantie est (principalement) la même devise que celle qui est empruntée\",\"DCnFg0\":[\"Adresses (\",[\"0\"],\")\"],\"DG3Lv1\":\"Je comprends parfaitement les risques liés à la migration.\",\"DONJcV\":\"L'actif sous-jacent ne peut pas être sauvé\",\"DR+4uL\":\"Bilan de l’alimentation après le changement\",\"DWjrck\":[\"La ressource ne peut pas être migrée vers \",[\"marketName\"],\" V3 Market en raison des restrictions du mode E. Vous pouvez désactiver ou gérer les catégories du mode E dans votre <0>tableau de bord V3\"],\"Dj+3wB\":\"Aave par mois\",\"DptNvx\":\"Amount Staked\",\"DuEq2K\":\"Collatéralisation\",\"DxfsGs\":\"Vous pouvez signaler un incident sur notre <0>Discord ou<1>Github.\",\"Dzma+E\":\"Main Ethereum market with the largest selection of assets and yield options\",\"E/QGRL\":\"Désactivé\",\"EBL9Gz\":\"COPIÉ!\",\"ES8dkb\":\"Taux fixe\",\"EZd3Dk\":[\"Reprise \",[\"symbol\"]],\"Ebgc76\":[\"Retrait \",[\"symbole\"]],\"EdQY6l\":\"Aucun/Aucune\",\"EjvKQ+\":\"Valeur minimale en USD reçue\",\"Enslfm\":\"Destination\",\"EvE9nO\":[\"Réactiver la période de recharge pour annuler le pieu \",[\"0\"],\" \",[\"stakedToken\"]],\"EvECnL\":\"Migrer vers la v3\",\"EzMQbh\":\"The source chain time to finality is the main factor that determines the time to destination. <0>Learn more\",\"F40cwT\":\"Legacy Markets\",\"F6TdXL\":\"Pour en savoir plus.\",\"FDDPeZ\":\"Users can stake their assets in the protocol and earn incentives. In the case of a shortfall event, your stake can be slashed to cover the deficit, providing an additional layer of protection for the protocol.\",\"FHlMf/\":\"Solde actuel de la v2\",\"FHpxjF\":[\"Le facteur de réserve est un pourcentage de l’intérêt qui va à un \",[\"0\"],\" qui est contrôlé par la gouvernance Aave pour promouvoir la croissance de l’écosystème.\"],\"FOBZa6\":\"Puissance d'emprunt utilisée\",\"FPKEug\":\"Opération non prise en charge\",\"FbmMe7\":\"Linked addresses\",\"Fdp03t\":\"sur\",\"Fjw9N+\":\"Actifs à déposer\",\"FmN0fk\":\"Remise en jeu\",\"GDGLIs\":\"GHO est un actif numérique natif décentralisé et adossé à des garanties, indexé sur le dollar américain. Il est créé par les utilisateurs en empruntant contre plusieurs garanties. Lorsque l’utilisateur rembourse sa position d’emprunt de HO, le protocole brûle le GHO de cet utilisateur. Tous les paiements d’intérêts accumulés par les minters de GHO seraient directement transférés à la trésorerie d’AaveDAO.\",\"GQrBTq\":\"Changer de mode E\",\"GWswcZ\":\"Cet actif est gelé en raison d’une décision de gouvernance du protocole Aave. Le 20 décembre 2022, renFIL ne sera plus pris en charge et ne pourra plus être reconnecté à son réseau natif. Il est recommandé de retirer les positions d’offre et de rembourser les positions d’emprunt afin que renFIL puisse être relié à FIL avant la date limite. Après cette date, il ne sera plus possible de convertir renFIL en FIL. <0>Plus d’informations\",\"GX8GKD\":\"Actifs\",\"GgEj+0\":\"Mode lecture seule. Connectez-vous à un portefeuille pour effectuer des transactions.\",\"GjkIKV\":\"Prend fin\",\"GoK/QN\":\"Thank you for submitting feedback!\",\"GtP2hp\":[\"L'emprunt n'est pas disponible, car vous avez activé le mode d'efficacité (E-Mode) pour la catégorie \",[\"0\"],\". Pour gérer les catégories E-Mode, visitez votre <0>tableau de bord.\"],\"H6Ma8Z\":\"Rabais\",\"HB/wfS\":[[\"tooltipText\"]],\"HKDsQN\":\"Rewards can be claimed through\",\"Ha/U5f\":\"This is a program initiated and implemented by the decentralised ZKSync community. Aave Labs does not guarantee the program and accepts no liability.\",\"HciqKU\":\"This is a program initiated and implemented by the decentralised Aave community. Aave Labs does not guarantee the program and accepts no liability.\",\"Hi6Ttn\":\"Désolé, une erreur inattendue s’est produite. En attendant, vous pouvez essayer de recharger la page, ou revenir plus tard.\",\"HkEDbS\":[[\"d\"],\"d\"],\"HmkYqM\":\"Fenêtre d'arrêt de staking\",\"HpK/8d\":\"Recharger\",\"HrnC47\":\"Enregistrer et partager\",\"HuVZMK\":\"Days\",\"HvJKMU\":[\"La ressource ne peut pas être migrée vers \",[\"marketName\"],\" v3 Marché puisque l’actif collatéral activera le mode d’isolation.\"],\"Hvwnm9\":[\"La quantité maximale disponible pour l’approvisionnement est limitée parce que le plafond d’approvisionnement du protocole est à \",[\"0\"],\"%.\"],\"I8CX2c\":\"Le montant total de vos actifs libellés en USD qui peut être utilisé comme garantie pour emprunter des actifs.\",\"IAD2SB\":[\"Prétendant \",[\"symbol\"]],\"IG9X9/\":\"L’emprunt de cet actif est limité à un certain montant afin de minimiser l’insolvabilité du pool de liquidités.\",\"IOIx8L\":\"Il est prévu que cet actif soit désactivé en raison d’une décision de gouvernance du protocole Aave. <0>Plus d’informations\",\"IP+I/j\":\"Période de recharge\",\"IaA40H\":\"Liquidation à\",\"J/hVSQ\":[[\"0\"]],\"JCoxL6\":\"Gérer l’analytique\",\"JK9zf1\":[\"Intérêts composés estimés, y compris l’escompte pour le jalonnement \",[\"0\"],\"AAVE dans le module de sécurité.\"],\"JOqFba\":[\"Déjalonnement \",[\"symbol\"]],\"JPrLjO\":\"Vous ne pouvez pas utiliser cette devise comme garantie\",\"JU6q+W\":\"Récompense(s) à réclamer\",\"JYKRJS\":\"Stake\",\"JZMxX0\":\"Pas assez de solde sur votre portefeuille\",\"Jgflkm\":\"Get GHO\",\"JoMQnI\":\"Solde du portefeuille\",\"JtwD8u\":\"Emprunter le solde après le remboursement\",\"JumYTK\":\"Supplied assets\",\"K05qZY\":\"Retrait et échange\",\"KAz/NV\":\"Le plafond d’endettement du protocole est de 100% pour cet actif. Il n’est pas possible d’emprunter davantage sur cet actif.\",\"KLXVqE\":[\"Les tokens stETH seront migrés vers Wrapped stETH à l’aide du wrapper Lido Protocol, ce qui entraîne une modification de l’équilibre de l’offre après la migration : \",[\"0\"]],\"KLd6ky\":\"Use connected account\",\"KRpokz\":\"VOIR TX\",\"KSlpka\":\"Cela représente le seuil auquel une position d'emprunt sera considérée comme sous-garantie et sujette à liquidation pour chaque garantie. Par exemple, si une garantie a un seuil de liquidation de 80\xA0%, cela signifie que la position sera liquidée lorsque la valeur de la dette vaut 80 % de la valeur de la garantie.\",\"KYAjf3\":\"Isolé\",\"KZwRuD\":[[\"notifyText\"]],\"KkPgim\":\"Changement de mode E\",\"KnN1Tu\":\"Expire\",\"KoOBI2\":\"En raison de la mécanique interne de stETH requise pour le rebasage de la prise en charge, il n’est pas possible d’effectuer un changement de garantie où stETH est le jeton source.\",\"KojyJ4\":\"Mauvais réseau\",\"KsqhWn\":\"Staking\",\"KuBTQq\":\"Entrez l'adresse ETH\",\"KvG1xW\":\"Réclamer\",\"L+8Lzs\":\"LTV actuelle\",\"L+qiq+\":\"Marché\",\"LDzfVJ\":\"Send Feedback\",\"LIrMcF\":\"Pas de pouvoir de vote\",\"LL0zks\":\"Peut être collatéral\",\"LLdJWu\":\"AAVE Réclamable\",\"LSIpNK\":\"Emprunter et rembourser dans le même bloc n'est pas autorisé\",\"LVt3TI\":[\"<0>Tolérance de glissement <1>\",[\"selectedSlippage\"],\"% <2>\",[\"0\"],\"\"],\"LjafV8\":\"Maximum collateral amount to use\",\"LtpQew\":\"Let us know how we can make the app better for you. For user support related inquiries please reach out on\",\"LvVpD/\":\"Emode\",\"M2sknc\":\"Astuce : Essayez d’augmenter le glissement ou de réduire la quantité d’entrée\",\"M7wPsD\":\"Interrupteur\",\"MFu33y\":\"Staking 00\",\"MIy2RJ\":\"Maximum amount received\",\"MZ/nQf\":\"Adresse du destinataire\",\"Ma/MtY\":\"vue de staking\",\"McHlGl\":\"Changement d’APY\",\"MeCCA+\":\"APY, variable\",\"MghdTe\":\"Si le facteur de santé descend en dessous de 1, la liquidation de votre collatéral peut être déclenchée.\",\"Mm/DVQ\":\"Vous avez annulé la transaction.\",\"MnE2QX\":\"Emprunter des informations\",\"MrmQHg\":\"View Bridge Transactions\",\"MuDFEQ\":\"Valeur de retour invalide de la fonction flashloan executor\",\"N5kUMV\":\"L’actif ne peut être utilisé comme garantie qu’en mode isolé avec un pouvoir d’emprunt limité. Pour passer en mode d’isolation, désactivez toutes les autres garanties.\",\"N6Pxr9\":\"View all\",\"NF0e1Q\":\"En attente...\",\"NK9ikO\":\"Solde du portefeuille\",\"NMt2CB\":\"Montant réclamable\",\"NcFGxG\":\"Contrat de collectionneur\",\"NfpPeS\":\"Rien staké\",\"Nh9DAo\":[[\"m\"],\"m\"],\"O+sCUU\":\"Le plafond de mintage non soutenu est dépassé\",\"O+tyU+\":[\"Le montant maximal disponible pour emprunter sur cet actif est limité car le plafond de la dette est à \",[\"0\"],\"%.\"],\"O3oNi5\":\"Email\",\"OFjZGo\":\"Unstake\",\"OR8cYX\":\"Aperçu de la proposition\",\"OYuJ9K\":\"Le plafond d’endettement du protocole est de 100% pour cet actif. Il n’est pas possible d’emprunter sur cet actif.\",\"OfhWJH\":\"Réinitialisation\",\"Og2SKn\":\"handicapé\",\"On0aF2\":\"Site internet\",\"OsyKSt\":\"Retirer\",\"P1dURE\":\"Révoquer le pouvoir\",\"P2WCD/\":[\"L’actif sous-jacent n’existe pas dans \",[\"marketName\"],\" v3 Market, par conséquent, cette position ne peut pas être migrée.\"],\"P2sL6B\":\"Lorsqu'une liquidation survient, les liquidateurs remboursent jusqu'à 50 % de l'encours emprunté au nom de l'emprunteur. En contrepartie, ils peuvent acheter le collatéral à prix réduit et conserver la différence (pénalité de liquidation) en bonus.\",\"P6sRoL\":\"Mise en jeu ABPT\",\"P72/OW\":\"La moyenne pondérée de l'APY pour tous les actifs empruntés, y compris les incitatifs.\",\"P7e6Ug\":\"Veuillez connecter votre portefeuille pour consulter l’historique des transactions.\",\"PByO0X\":\"Votes\",\"PI+kVe\":\"Disable fork\",\"PJK9u/\":\"Emprunter apy\",\"PLUB/s\":\"Fee\",\"PP5ZA8\":[\"Participating in staking \",[\"symbol\"],\" gives annualized rewards. Your wallet balance is the sum of your aTokens and underlying assets. The breakdown to stake is below\"],\"PcBUgb\":\"Seuil de liquidation\",\"PjU6bu\":\"This asset is eligible for SPK incentive program. Aave Labs does not guarantee the program and accepts no liability.\",\"PpqD5g\":\"L'activation de cet actif comme garantie augmente votre pouvoir d'emprunt et votre facteur de santé. Cependant, il peut être liquidé si votre facteur de santé tombe en dessous de 1.\",\"PsOFSf\":\"Cette action réduira le facteur de santé V2 en dessous du seuil de liquidation. Conservez la garantie ou migrez la position d’emprunt pour continuer.\",\"Pu4bI/\":[[\"currentMethod\"]],\"Q0LzKi\":\"View TX\",\"Q4eNqa\":\"The Aave Balancer Pool Token (ABPT) is a liquidity pool token. You can receive ABPT by depositing a combination of AAVE + wstETH in the Balancer liquidity pool. You can then stake your BPT in the Safety Module to secure the protocol and earn Safety Incentives.\",\"QQYsQ7\":\"Withdrawing\",\"QWYCs/\":\"Stake GHO\",\"R+30X3\":\"Non atteint\",\"RCU5PY\":\"Age\",\"RIfckG\":[\"Désactiver \",[\"symbol\"],\" comme garantie\"],\"RMtxNk\":\"Différentiel\",\"RNK49r\":\"Signature non valide\",\"RS0o7b\":\"État\",\"RU+LqV\":\"Détails de la proposition\",\"RYTgZX\":\"lorem ipsum\",\"RbXH+k\":\"AAVE, GHO, and ABPT holders (Ethereum network only) can stake their assets in the Safety Module to add more security to the protocol and earn Safety Incentives. In the case of a shortfall event, your stake can be slashed to cover the deficit, providing an additional layer of protection for the protocol.\",\"RiSYV4\":\"L'actif n'est pas répertorié\",\"Rj01Fz\":\"Liens\",\"RmWFEe\":\"APR staké\",\"RoafuO\":\"Envoyer des commentaires\",\"RtBLm7\":\"Le facteur santé est inférieur au seuil de liquidation\",\"RxzN1M\":\"Activé\",\"SDav7h\":\"Fonds dans le Safety Module\",\"SENccp\":\"Si l’erreur persiste,<0/> vous pouvez la signaler à ce\",\"SIWumd\":\"Afficher les ressources gelées ou mises en pause\",\"SM58dD\":\"Quantité en temps de recharge\",\"SSMiac\":\"Impossible de charger les votants de proposition. Veuillez rafraîchir la page.\",\"SSQVIz\":\"Seuil de liquidation\",\"SUb8x0\":\"Total disponible\",\"SWIgh4\":\"Fees exceed wallet balance\",\"SY9hVo\":\"Le mode lecture seule permet de voir les positions d’adresses dans Aave, mais vous ne pourrez pas effectuer de transactions.\",\"SZRUQ4\":\"Glissement maximal\",\"Sa1UE/\":\"Le plafond d’emprunt du protocole est de 100 % pour cet actif. Il n’est pas possible d’emprunter davantage.\",\"Sk2zW9\":\"Désactiver le E-mode\",\"SxaD0o\":\"Le fournisseur d'adresses de pool n'est pas enregistré\",\"T/AIqG\":\"Limite d’approvisionnement du protocole à 100 % pour cet actif. D’autres approvisionnements ne sont pas disponibles.\",\"T0xCO9\":\"Can't validate the wallet address. Try again.\",\"T4OhVl\":\"GHO balance\",\"T6uYU2\":\"Emprunter\",\"TFxQlw\":\"Pénalité de liquidation\",\"TQ7WsV\":\"Available to stake\",\"TUI7iB\":\"L'actif ne peut être utilisé comme garantie qu'en mode isolé.\",\"TbjyhA\":\"Docs\",\"TduuS0\":\"L'utilisateur n'a pas de dette à taux stable impayée sur cette réserve\",\"TeCFg/\":\"Modification du taux d’emprunt\",\"Tg1JyO\":\"Bridge history\",\"TskbEN\":\"Les détenteurs de stkAAVE bénéficient d’une réduction sur le taux d’emprunt GHO\",\"TszKts\":\"Emprunter le solde après le changement\",\"TtZL6q\":\"Paramètres du modèle de remise\",\"TwJI9F\":\"Asset has been successfully sent to CCIP contract. You can check the status of the transactions below\",\"Tz0GSZ\":\"Activités bloquées\",\"U/eBjN\":\"Recharger la page\",\"U2r8nY\":\"Choose how much voting/proposition power to give to someone else by delegating some of your AAVE, stkAAVE or aAave balance. Your tokens will remain in your account, but your delegate will be able to vote or propose on your behalf. If your AAVE, stkAAVE or aAave balance changes, your delegate's voting/proposition power will be automatically adjusted.\",\"U8IubP\":\"L’application s’exécute en mode réseau de test. Découvrez comment cela fonctionne dans\",\"U9btTk\":\"L'actif n'est pas empruntable en mode d'isolement\",\"UAOZRe\":\"L’impact sur les prix est l’écart entre la valeur totale des tokens d’entrée échangés et les tokens de destination obtenus (en USD), qui résulte de la liquidité limitée de la paire de trading.\",\"UE3KJZ\":\"L’historique des transactions n’est actuellement pas disponible pour ce marché\",\"URmyfc\":\"Détails\",\"UTTKmT\":\"Temps de recharge de la mise activé\",\"UXeR72\":\"Ces fonds ont été empruntés et ne peuvent pas être retirés pour le moment.\",\"UYb8CM\":\"Learn more about the SPK rewards\",\"UbRrG0\":\"Le ratio LTV maximum représente le pouvoir d'emprunt maximum d'une garantie spécifique. Par exemple, si une garantie a un LTV de 75 %, l'utilisateur peut emprunter jusqu'à 0,75 ETH dans la devise principale pour chaque 1 ETH de garantie.\",\"UpndFj\":\"Aucune récompense à réclamer\",\"V0f2Xv\":\"Facteur de réserve\",\"V1HK43\":\"Risques liés à la migration\",\"VATFH9\":\"Dette couverte\",\"VHOVEJ\":\"Connecter le portefeuille\",\"VMfYUK\":\"Sécurité de votre garantie déposée contre les actifs empruntés et sa valeur sous-jacente.\",\"VOAZJh\":\"Total des emprunts\",\"ViKYxK\":\"YAE\",\"W1SSoD\":\"Examiner les détails de la transaction\",\"W5hVah\":\"Rien fourni pour le moment\",\"W5kTFy\":\"Vote\",\"W8ekPc\":\"Retour au tableau de bord\",\"WMPbRK\":\"Sans support\",\"WNGZwH\":\"E-Mode augmente votre LTV pour une catégorie d'actifs sélectionnée jusqu'à <0/>. <1>En savoir plus\",\"WPWG/y\":\"Statut et configuration de la réserve\",\"WZLQSU\":\"L'utilisateur ne peut pas retirer plus que le solde disponible\",\"WaZyaV\":\"<0>Ampleforth est un actif de rebasage. Consultez la <1>documentation pour en savoir plus.\",\"WfU+XN\":\"Étant donné que cette ressource est suspendue, aucune action ne peut être entreprise jusqu’à nouvel ordre\",\"Wjmqs2\":\"No results found. You can import a custom token with a contract address\",\"WkZ6C6\":\"Pour emprunter, vous devez fournir tout actif à utiliser comme garantie.\",\"WyMiQm\":\"Vous avez réussi à changer de jeton.\",\"X/ITG9\":\"Copier le texte d'erreur\",\"X3Pp6x\":\"Utilisé comme collatéral\",\"X4Zt7j\":\"L'action ne peut pas être effectuée car la réserve est mise en pause\",\"XBdKOj\":\"Representative smart contract wallet (ie. Safe) addresses on other chains.\",\"XZzneG\":\"Vous quitterez le mode d'isolement et d'autres jetons peuvent désormais être utilisés comme collatéral\",\"Xg5y9S\":\"Amount to Bridge\",\"Xn4hUi\":\"Veuillez toujours tenir compte de votre <0>facteur de santé (HF) lors de la migration partielle d’une position et que vos tarifs seront mis à jour vers les taux V3.\",\"Xy71ST\":\"Umbrella\",\"Y5kGkc\":\"VOTER NON\",\"YDIOks\":\"Activation du E-Mode\",\"YSodyW\":\"Cette action réduira votre facteur de santé. Veuillez garder à l’esprit le risque accru de liquidation des garanties.\",\"YXOWXM\":\"The total amount bridged minus CCIP fees. Paying in network token does not impact gho amount.\",\"YirHq7\":\"Feedback\",\"YogbCJ\":\"Le mode réseau de test est activé\",\"YrDxdO\":\"Si votre prêt à la valeur dépasse le seuil de liquidation, votre garantie fournie peut être liquidée.\",\"YyIM65\":\"Les conditions de rééquilibrage des taux d'intérêt n'ont pas été remplies\",\"YyydIq\":[\"Ajouter \",[\"0\"],\" à Wallet pour suivre votre solde.\"],\"ZBvhI+\":\"Gouvernance Aave\",\"ZIIRAd\":\"Raw-Ipfs\",\"ZRq4tX\":\"Mode efficacité (E-Mode)\",\"ZSqEW+\":\"Manage E-Mode\",\"ZUFYFE\":\"Désactiver le réseau de test\",\"Zbyywy\":\"Coupure maximale\",\"ZfUGFb\":\"Avant de déposer\",\"ZiXN+B\":\"Assets to stake\",\"ZlsSDH\":\"Valeur de liquidation\",\"ZrEc8j\":\"Nous n’avons trouvé aucun élément lié à votre recherche. Réessayez avec un autre nom, symbole ou adresse de ressource.\",\"ZsLF7e\":\"Activé\",\"a0YQoQ\":\"Enter a valid address\",\"a2fBZn\":\"Temps restant pour dépiquer\",\"a5RYZd\":\"La désactivation de cet actif en tant que garantie affecte votre pouvoir d'emprunt et votre facteur de santé.\",\"a7u1N9\":\"Prix\",\"a9D+6D\":\"Non jalonné\",\"aEtiwq\":\"Vote NAY\",\"aMmFE1\":\"Acheter des crypto-monnaies avec des monnaies fiduciaires\",\"aOKIms\":\"Les paramètres de tableau devraient être de même longueur ne sont pas\",\"aX31hk\":\"Votre solde est inférieur au montant sélectionné.\",\"adUsDd\":\"An error has occurred fetching the proposal.\",\"al6Pyz\":\"Dépasse la remise\",\"aoXTT7\":\"Prêt APY, variable\",\"aqX1Yp\":\"This asset is eligible for rewards through SuperFest. Aave Labs does not guarantee the program and accepts no liability.\",\"avgETN\":\"Eligible for the Merit program.\",\"b4NS3e\":\"Avertissement de période de refroidissement\",\"bNEQeI\":\"Cooldown\",\"bSruit\":\"ZKSync Ignite Program rewards are claimed through the\",\"bUUVED\":\"Actif\",\"bXQ/Og\":\"Partager sur Twitter\",\"bXr0ee\":\"Les actifs isolés ont un pouvoir d'emprunt limité et les autres actifs ne peuvent pas être utilisés comme garantie.\",\"bYmAV1\":\"Adresses\",\"bguKoJ\":\"Le montant demandé est supérieur au montant maximum du prêt en mode taux stable\",\"bwSQI0\":\"Fournir\",\"bxN6EM\":\"Impossible de désactiver le mode E\",\"bxmzSh\":\"Pas assez de collatéral pour rembourser ce montant de dette avec\",\"c91vuQ\":\"L'adresse n'est pas un contrat\",\"c97os2\":\"Aave aToken\",\"c9b44w\":\"Vous ne pouvez pas retirer ce montant car cela entraînera un appel de garantie\",\"cBc+4A\":\"Il s'agit du montant total que vous pouvez emprunter. Vous pouvez emprunter en fonction de votre garantie et jusqu'à ce que le plafond d'emprunt soit atteint.\",\"cIl5kp\":\"Votre pouvoir de vote est basé sur votre solde AAVE/stkAAVE et les délégations reçues.\",\"cLo09S\":\"Détails des risques\",\"cNT+ij\":\"L'emprunt n'est pas disponible car vous avez activé le mode Efficacité (E-Mode) et le mode Isolation. Pour gérer le mode E et le mode Isolation, rendez-vous sur votre <0>tableau de bord.\",\"cZOeBk\":\"Something went wrong fetching bridge message, please try again later.\",\"ceix5S\":\"Pour soumettre une proposition de modifications mineures du protocole, vous aurez besoin d’une puissance d’au moins 80,00 K. Si vous souhaitez modifier la base de code de base, vous aurez besoin d’une puissance de 320k. <0>Pour en savoir plus.\",\"ciybUa\":\"Vote YAE\",\"ckf7gX\":[\"Remboursement \",[\"symbole\"]],\"cp1ZDP\":[\"Bridge \",[\"symbol\"]],\"cqnmnD\":\"Taux d’intérêt effectif\",\"cqwIvs\":\"Discussion de forum\",\"csDS2L\":\"Disponible\",\"cu7Stb\":\"Vous n'avez pas participé à cette proposition\",\"dE6BLF\":\"Gouvernance\",\"dEgA5A\":\"Annuler\",\"dIsyWh\":\"Échec de la validation LTV\",\"dMtLDE\":\"À\",\"dOB5nW\":[\"La quantité maximale disponible pour la fourniture est de <0/> \",[\"0\"],\" (<1/>).\"],\"dVfODp\":\"Vous n'avez pas assez de fonds dans votre portefeuille pour rembourser le montant total. Si vous continuez à rembourser avec votre montant actuel de fonds, vous aurez toujours une petite position d'emprunt dans votre tableau de bord.\",\"dXUQFX\":\"Actifs à emprunter\",\"dgr1aY\":\"L’emprunt est désactivé en raison d’une décision de la communauté Aave. <0>Plus d’informations\",\"djsg0o\":\"Usage de collatéral\",\"dpc0qG\":\"Variable\",\"drdV8R\":\"Liquidation\",\"dxW8cS\":\"Jeton de dette Aave\",\"e4V3oW\":\"Top 10 des adresses\",\"eD8WX/\":\"L'action nécessite une réserve active\",\"eJRJ04\":\"Montant à la mise en jeu\",\"eLh0cL\":\"Le slippage est la différence entre les montants cotés et reçus en raison de l’évolution des conditions du marché entre le moment où la transaction est soumise et sa vérification.\",\"ePK91l\":\"Edit\",\"eVpCmf\":\"Récompenses de staking\",\"eVqvtf\":\"Bridge GHO\",\"eYdurp\":\"Aucune transaction n’a encore été effectuée.\",\"ebLGGN\":\"Total emprunté\",\"ecqEvn\":\"Le solde de la garantie est de 0\",\"efdrrk\":\"Disponible sur\",\"enruNF\":\"Commence\",\"eqLYiD\":\"Arrêter de staker maintenant\",\"euScGB\":\"APY avec remise appliquée\",\"evw5ha\":\"Valeur nette\",\"ezcU16\":\"Obtenir le jeton ABP\",\"f3W0Ej\":[\"Vous êtes passé au tarif \",[\"0\"]],\"fH9i8k\":\"Vous avez réussi à changer de position d’emprunt.\",\"fHcELk\":\"APR Net\",\"fMJQZK\":\"Emprunté\",\"fZ5Vnu\":\"Reçu\",\"firl9Q\":\"Votre prêt actuel à la valeur en fonction de votre collatéral fournie.\",\"flRCF/\":\"Remise sur le staking\",\"fldjW9\":\"Prévisualiser tx et migrer\",\"fsBGk0\":\"Solde\",\"fu1Dbh\":[\"Retirer \",[\"symbole\"]],\"fwjWSI\":\"Fourni\",\"fwyTMb\":\"Migrate to stkABPT v2\",\"g0mals\":\"You can not disable E-Mode because that could cause liquidation. To exit E-Mode supply or repay borrowed positions.\",\"g2UNkE\":\"Alimenté par\",\"g8KGoA\":\"Foire aux questions\",\"g9zzqS\":\"A voté NAY\",\"gDd2gk\":\"about SuperFest.\",\"gFFh9h\":\"Tout est fait !\",\"gIMJlW\":\"Mode réseau test\",\"gOzPxe\":\"Cet actif est gelé en raison d’une décision de gouvernance du protocole Aave. <0>Plus d’informations\",\"gTHi2T\":\"L'utilisateur essaie d'emprunter plusieurs actifs, y compris un en silo\",\"gVW59Y\":\"Veuillez connecter votre portefeuille pour obtenir des ressources de réseau de test gratuites.\",\"gcFNxP\":\"Approuver Confirmé\",\"gncRUO\":\"Cette adresse est bloquée sur app.aave.com car elle est associée à un ou plusieurs\",\"goff7V\":\"Adresse zéro non-valide\",\"gp+f1B\":\"Variante 3\",\"gr8mYw\":\"Vous pouvez emprunter jusqu’à GHO à <0/> <1/> (rabais maximum)\",\"gvTM4B\":\"L'APY net est l'effet combiné de toutes les positions d'offre et d'emprunt sur la valeur nette, y compris les incitations. Il est possible d'avoir un APY net négatif si l'APY de la dette est supérieur à l'APY de l'offre.\",\"gzcch9\":\"Frais de protocole de pont invalide\",\"h33MxW\":\"Representing smart contract wallet (ie. Safe) addresses on other chains.\",\"h3ilK+\":\". .CSV\",\"hB23LY\":\"Activer le temps de recharge\",\"hIJzBh\":\"Available to Claim\",\"hIS4N0\":\"APY Net\",\"hRWvpI\":\"Revendiqué\",\"hdmy/o\":\"Le % de votre pouvoir d'emprunt total utilisé. Ceci est basé sur le montant de votre garantie fournie et le montant total que vous pouvez emprunter.\",\"hehnjM\":\"Montant\",\"hjDCQr\":\"Il y a eu une erreur. Veuillez essayer de modifier les paramètres ou <0><1>copier l'erreur\",\"hom7qf\":\"Réclamer\",\"hpHJ4I\":\"Garantie liquidée\",\"hpuVIp\":\"Users who stake AAVE in Safety Module (i.e. stkAAVE holders) receive a discount on GHO borrow interest rate.\",\"huQ6Tz\":[\"Emprunter \",[\"symbole\"]],\"hxi7vE\":\"Emprunter le solde\",\"i2JTiw\":\"Vous pouvez saisir un montant personnalisé dans le champ.\",\"iB5+/J\":\"À propos de GHO\",\"iChbOF\":\"Paramètres de prêt flash incohérents\",\"iEPVHF\":\"Pas assez de pouvoir de vote pour participer à cette proposition\",\"iEW87X\":\"Délégation de pouvoirs\",\"iEju36\":[\"Vous avez voté \",[\"0\"]],\"iFq2YN\":\"Borrowable\",\"iGxyIA\":\"Safety Module\",\"iMVZk9\":\"Sélectionner la tolérance de glissement\",\"iPMIoT\":\"Entrez un montant\",\"iSLIjg\":\"Connect\",\"iUo5rv\":\"tokens n'est pas la même chose que de les staker . Si vous souhaitez staker votre\",\"iZxa38\":\"Utilisez-le pour voter pour ou contre les propositions actives.\",\"if5PH+\":\"Informations sur le collectionneur\",\"igkfR1\":[\"En mode Isolation, vous ne pouvez pas fournir d’autres actifs en garantie. Un plafond d’endettement global limite le pouvoir d’emprunt de l’actif isolé. Pour quitter le mode d’isolement, désactivez \",[\"0\"],\" en garantie avant d’emprunter un autre actif. Pour en savoir plus, consultez notre <0>FAQ\"],\"il0sEG\":\"L'utilisation du collatéral est limitée en raison du mode d'isolation.\",\"j+K1Xj\":\"Amount After Fee\",\"jA2QeW\":\"Fournir votre\",\"jFi7dz\":\"Interest rate that is determined by Aave Governance. This rate may be changed over time depending on the need for the GHO supply to contract/expand. <0>Learn more\",\"jG3UJ7\":\"Désactiver le E-mode\",\"jKYzR1\":\"Activer le E-Mode\",\"jMam5g\":[[\"0\"],\" Balance\"],\"jSYv+Z\":\"Enabling E-Mode allows you to maximize your borrowing power, however, borrowing is restricted to assets within the selected category. <0>Learn more about how it works and the applied restrictions.\",\"jaKbwW\":[[\"s\"],\"s\"],\"jbFMap\":\"Temps de recharge restant\",\"jeMZNr\":[[\"0\"],\" Le service de rampe d’accès est fourni par le fournisseur externe et, en le sélectionnant, vous acceptez les conditions du fournisseur. Votre accès au service peut dépendre de l’opérationnalité du fournisseur externe.\"],\"jfl9OP\":\"Migré\",\"jmXdoY\":\"En E-Mode, certains actifs ne sont pas empruntables. Quittez le E-mode pour accéder à tous les actifs\",\"jpctdh\":\"Vue\",\"jqzUyM\":\"Non disponible\",\"k/sb6z\":\"Choisir la langue\",\"k3wP3f\":\"<0>Attention: Les changements de paramètres via la gouvernance peuvent modifier le facteur de santé de votre compte et le risque de liquidation. Suivez le <1>forum de gouvernance d’Aave pour les mises à jour.\",\"kACpF3\":[\"Réclamer \",[\"0\"]],\"kH6wUX\":\"Impact sur les prix\",\"kIC28N\":\"Available to claim\",\"kIpSye\":[[\"numSelected\"],\"/\",[\"numAvailable\"],\" Actifs sélectionnés\"],\"kN1Yg5\":\"Pour rembourser au nom d'un utilisateur, un montant explicite à rembourser est nécessaire\",\"kRTD40\":[\"Montant de remboursement à atteindre \",[\"0\"],\"% d’utilisation\"],\"kjN9tT\":\"Le plafond d'approvisionnement est dépassé\",\"knxE+G\":\". JSON (en anglais seulement)\",\"ks2LWT\":\"Le plafond de la dette n'est pas nul\",\"kwwn6i\":\"Les utilisateurs qui misent des AAVE dans le module de sécurité (c’est-à-dire les détenteurs de stkAAVE) bénéficient d’une réduction sur le taux d’intérêt d’emprunt de HO. La réduction s’applique à 100 GHO pour chaque 1 stkAAVE détenu. Utilisez le calculateur ci-dessous pour voir le taux d’emprunt GHO avec le rabais appliqué.\",\"kz3wtK\":\"and about SPK program\",\"kzZyM4\":\"DAI balance will be converted via DSR contracts and then supplied as sDAI. Switching incurs no additional costs and no slippage.\",\"lNVG7i\":\"Sélectionner une ressource\",\"lU2d1/\":[\"L’actif ne peut pas être migré en raison d’une liquidité insuffisante ou d’une limitation du plafond d’emprunt \",[\"marketName\"],\" v3 marché.\"],\"lVhKKI\":\"A voté YAE\",\"lWLqxB\":\"Nous n’avons trouvé aucune transaction liée à votre recherche. Réessayez avec un autre nom de ressource ou réinitialisez les filtres.\",\"lYGfRP\":\"Anglais\",\"lfEjIE\":\"En savoir plus dans notre <0>guide FAQ\",\"lt6bpt\":\"Garantie à rembourser\",\"m/IEhi\":\"Émission totale par jour\",\"m7r7Hh\":\"Sélection d’actifs d’emprunt\",\"mDDK4p\":\"Balancer Pool\",\"mIM0qu\":\"Montant prévu à rembourser\",\"mUAFd6\":\"Variante 2\",\"masO5Z\":\"E-Mode increases your LTV for a selected category of assets. <0>Learn more\",\"mdNjKU\":[\"Votre \",[\"name\"],\" Le portefeuille est vide. Acheter ou transférer des actifs ou utiliser <0>\",[\"0\"],\" pour transférer votre \",[\"network\"],\" actif.\"],\"muiOng\":[\"Acheter \",[\"cryptoSymbol\"],\" avec Fiat\"],\"mvCXBY\":\"Mise en jeu AAVE\",\"mwdzil\":\"D'accord, fermer\",\"mzI/c+\":\"Télécharger\",\"mzdIia\":\"L'actif ne peut pas être utilisé comme collatéral.\",\"n+SX4g\":\"Développeurs\",\"n8Psk4\":\"Nous n’avons pas pu détecter de portefeuille. Connectez un portefeuille pour staker et consulter votre solde.\",\"nJIhzm\":\"Fournir apy\",\"nJgsQu\":\"Avec un pouvoir de vote de <0/>\",\"nLC6tu\":\"Français\",\"nN2T8p\":\"During the cooldown period, you will not earn any merit rewards. However, rewards earned up to this point will remain unaffected.\",\"nNHV0z\":\"La migration simultanée de plusieurs garanties et d’actifs empruntés peut s’avérer coûteuse et peut échouer dans certaines situations. <0>Par conséquent, il n’est pas recommandé de migrer des positions avec plus de 5 actifs (déposés + empruntés) en même temps.\",\"nNbnzu\":\"Proposition\",\"nOy4ob\":\"Nous vous suggérons de revenir au tableau de bord.\",\"nPGNMh\":\"Peut être exécuté\",\"nUK1ou\":[\"Assets with zero LTV (\",[\"0\"],\") must be withdrawn or disabled as collateral to perform this action\"],\"nakd8r\":\"Les détenteurs de stkAAVE bénéficient d’une réduction sur le taux d’emprunt GHO\",\"nh2EJK\":[\"Veuillez passer à \",[\"networkName\"],\".\"],\"njBeMm\":\"Les deux\",\"noN5Xf\":\"We couldn’t detect a wallet. Connect a wallet to view your staking positions and rewards.\",\"ntkAoE\":\"Remise appliquée pour <0/> le staking d’AAVE\",\"ntyFSE\":[[\"h\"],\"h\"],\"nwtY4N\":\"Quelque chose s’est mal passé\",\"nxyWvj\":\"Le retrait de ce montant réduira votre facteur santé et augmentera le risque de liquidation.\",\"o17QVP\":\"Votre facteur de santé et votre prêt à la valeur déterminent l'assurance de votre collatéral. Pour éviter les liquidations, vous pouvez fournir plus de garanties ou rembourser les positions d'emprunt.\",\"o1xc2V\":\"L'approvisionnement en aTokens n'est pas nul\",\"o4tCu3\":\"Emprunter de l’APY\",\"o5ooMr\":\"Dette\",\"o7J4JM\":\"Filtrer\",\"oHFrpj\":\"Temps de recharge pour déstaker\",\"oJ5ZiG\":\"L'utilisateur n'a pas de dette à taux variable impayée sur cette réserve\",\"oRBGin\":\"Veuillez connecter votre portefeuille pour pouvoir échanger vos jetons.\",\"oUwXhx\":\"Ressources de test\",\"oWklJD\":\"Le taux d'intérêt stable <0>restera le même pendant toute la durée de votre prêt. Recommandé pour les périodes de prêt à long terme et pour les utilisateurs qui préfèrent la prévisibilité.\",\"odnIK3\":\"Time remaining until the 48 hour withdraw period starts.\",\"oiK5nY\":\"The current incentives period, decided on by the Aave community, has ended. Governance is in the process on renewing, check for updates. <0>Learn more.\",\"olREoo\":\"All borrow positions outside of this category must be closed to enable this category.\",\"om/XHs\":\"Disponible au dépôt\",\"ov0+mq\":\"Eligible for the ZKSync Ignite program.\",\"ovT1pF\":[\"Per the community, the \",[\"market\"],\" has been frozen.\"],\"ow3fug\":\"Rien n’a été trouvé\",\"owSsI3\":\"Signatures prêtes\",\"p+R52m\":\"Accéder à Balancer Pool\",\"p2A+s1\":[\"La période de recharge est de \",[\"0\"],\". Après \",[\"1\"],\" de temps de recharge, vous entrerez dans la fenêtre de désengagement de \",[\"2\"],\". Vous continuerez à recevoir des récompenses pendant le temps de recharge et la fenêtre de retrait.\"],\"p2S64u\":\"Le ratio prêt/valeur des positions migrées entraînerait la liquidation. Augmenter les garanties migrées ou réduire les emprunts migrés pour continuer.\",\"p2Z2Qi\":\"Cet actif a atteint son plafond d'emprunt. Rien n'est disponible pour être emprunté à ce marché.\",\"p3j+mb\":\"Votre solde de récompenses est de 0\",\"p45alK\":\"Configurer la délégation\",\"p6u2s1\":\"Minimum amount of debt to be repaid\",\"pDgeaz\":[[\"title\"]],\"pdZqBk\":\"Le solde sous-jacent doit être supérieur à 0\",\"pgWG9H\":\"Pas assez de solde staké\",\"piPrJ7\":\"veuillez vérifier que le montant que vous souhaitez fournir n'est pas actuellement utilisé pour le staking. S'il est utilisé pour le staking, votre transaction peut échouer.\",\"pjO/iH\":\"Minimum amount received\",\"pooutM\":\"Voting is on\",\"pqaM5s\":\"Confirming transaction\",\"ptaxX3\":[\"Je comprends comment fonctionnent le temps de recharge (\",[\"0\"],\") et le retrait (\",[\"1\"],\")\"],\"py2iiY\":\"L'appelant de cette fonction doit être un pool\",\"q/51mF\":\"Migrer vers la V3\",\"q3df11\":\"Stratégie de taux d’intérêt\",\"q6lAbz\":\"Staké\",\"qB4kPi\":\"Fournir APY\",\"qENI8q\":\"Paramètres globaux\",\"qGz5zl\":\"Solde de garantie après remboursement\",\"qOqbD6\":\"copier l'erreur\",\"qXCkEM\":\"Veuillez connecter votre portefeuille pour voir vos fournitures, vos emprunts et vos positions ouvertes.\",\"qY2jnw\":\"Expiration invalide\",\"qf/fr+\":\"Intérêts courus\",\"quYPUU\":\"Variable interest rate will <0>fluctuate based on the market conditions.\",\"quzIeW\":\"User is in isolation mode or LTV is zero\",\"qvnz3q\":\"Montant non valide à brûler\",\"rHgdb0\":\"Migrate to Aave V3\",\"rOrHHe\":\"Le montant doit être supérieur à 0\",\"rQ+R+0\":\"Sélection d’actifs d’approvisionnement\",\"rSayea\":\"APY\",\"rTBDeu\":[\"L’actif ne peut pas être migré car vous disposez d’une garantie isolée dans \",[\"marketName\"],\" v3 Marché qui limite les actifs empruntables. Vous pouvez gérer vos garanties dans <0>\",[\"marketName\"],\" Tableau de bord V3\"],\"rcT+yy\":\"Afficher les actifs avec 0 solde\",\"rf8POi\":\"Montant de l’actif emprunté\",\"riNWOA\":\"E-Mode\",\"rjGI/Q\":\"Vie privée\",\"rnKPW1\":\"Watch a wallet balance in read-only mode\",\"ruc7X+\":\"Ajoutez stkAAVE pour voir l’APY d’emprunt avec la remise\",\"rvbaFU\":[\"Bridging \",[\"symbol\"]],\"rwVVB7\":\"Réclamez toutes les récompenses\",\"rwyUva\":\"Ces actifs sont temporairement gelés ou suspendus par des décisions de la communauté Aave, ce qui signifie qu’il n’est pas possible d’obtenir / emprunter ou d’échanger des taux de ces actifs. Les retraits et les remboursements de dettes sont autorisés. Suivez le <0>forum de gouvernance d’Aave pour d’autres mises à jour.\",\"rxJW5W\":\"Votre pouvoir de proposition est basé sur votre solde AAVE/stkAAVE et les délégations reçues.\",\"s2jJnW\":\"You don't have any bridge transactions\",\"s5wBAq\":[\"Unstake \",[\"symbol\"]],\"sJbIdI\":\"Enter ETH address or ENS\",\"sK+Nag\":\"Réviser tx\",\"sP2+gB\":\"NON\",\"sQv06Y\":\"pour\",\"sTtO6J\":\"Confirm transaction\",\"sXKb3l\":\"Exchange rate\",\"sb0q4+\":\"Vous unstaké ici\",\"smJNwH\":\"Disponible à emprunter\",\"solypO\":\"Le facteur de santé n'est pas inférieur au seuil\",\"sr0UJD\":\"Retourner\",\"ss5GCK\":\"L'adresse du fournisseur d'adresses du pool n'est pas valide\",\"swEgK4\":\"Vos informations de vote\",\"t+wtgf\":\"Aucun emprunt pour l'instant\",\"t/YqKh\":\"Remove\",\"t81DpC\":[\"Approuver \",[\"symbol\"],\" pour continuer\"],\"tCnbEs\":\"Prix Oracle\",\"tFZLf8\":\"Ce calcul de gaz n'est qu'une estimation. Votre portefeuille fixera le prix de la transaction. Vous pouvez modifier les paramètres de gaz directement depuis votre fournisseur de portefeuille.\",\"tHuvQI\":\"Accéder au tableau de bord V3\",\"tKv7cI\":\"Changer de position d’emprunt\",\"tOcg3N\":\"Étant donné que cet actif est gelé, les seules actions disponibles sont le retrait et le remboursement, accessibles depuis le <0>tableau de bord\",\"tOuXfv\":[\"Emprunter le montant à atteindre \",[\"0\"],\"% d’utilisation\"],\"te9Bfl\":\"S'il vous plaît, connectez votre portefeuille\",\"tt5yma\":\"Vos ressources\",\"ttoh5c\":\"Passer à\",\"u3ZeYl\":\"La transaction a échoué\",\"u706uF\":\"Prime flash non valide\",\"u8Gfu7\":[\"Aucun résultat de recherche\",[\"0\"]],\"uAQUqI\":\"Status\",\"uHMwk8\":\"Aucune ressource n’a été sélectionnée pour la migration.\",\"uJPHuY\":\"Migration\",\"uY8O30\":\"Pour continuer, vous devez autoriser les contrats intelligents Aave à déplacer vos fonds depuis votre portefeuille. En fonction de l’actif et du portefeuille que vous utilisez, cela se fait en signant le message d’autorisation (sans gaz) ou en soumettant une transaction d’approbation (nécessite du gaz). <0>Pour en savoir plus\",\"udFheE\":\"For repayment of a specific type of debt, the user needs to have debt that type\",\"ulNuNq\":\"Exporter des données vers\",\"ulup2p\":\"Acheter des crypto-monnaies avec des monnaies fiduciaires\",\"umICAY\":\"<0><1><2/>Ajoutez stkAAVE pour voir le taux d’emprunt avec escompte\",\"usB84Z\":\"Le montant maximum disponible pour emprunter est limité car le plafond d’emprunt du protocole est presque atteint.\",\"uwAUvj\":\"COPIER L’IMAGE\",\"v8x7Mg\":\"Garantie insuffisante pour couvrir une nouvelle position d’emprunt. Le portefeuille doit avoir une capacité d’emprunt restante pour effectuer le transfert de dette.\",\"vEqxH9\":\"Restauré\",\"vLyv1R\":\"Cacher\",\"vMba49\":\"L'emprunt n'est pas activé\",\"vMpNwt\":\"Approuvez avec\",\"vXIe7J\":\"Language\",\"vesuBJ\":\"Vous permet de décider si vous souhaitez utiliser un actif fourni en tant que collatéral. Un actif utilisé comme collatéral affectera votre pouvoir d'emprunt et votre Health Factor.\",\"w+V9Cx\":\"Stablecoin\",\"w/JtJ3\":\"L'offre de dette stable n'est pas nulle\",\"w4VBY+\":\"Récompenses APR\",\"w9dLMW\":[[\"label\"]],\"wAOL+X\":[\"Vous \",[\"action\"],\" <0/> \",[\"symbole\"]],\"wBIsjb\":\"Canal Discord\",\"wQZbc/\":\"L'appelant de la fonction n'est pas un AToken\",\"wRRqvW\":\"Vous n'avez pas de fournitures dans cette devise\",\"wZFvVU\":\"VOTER OUI\",\"wb/r1O\":[\"Faucet \",[\"0\"]],\"wdxz7K\":\"Source\",\"weH1nG\":\"Le protocole Aave est programmé pour toujours utiliser le prix de 1 GHO = 1 $. C’est différent de l’utilisation des prix du marché via des oracles pour d’autres actifs cryptographiques. Cela crée des opportunités d’arbitrage stabilisatrices lorsque le prix du GHO fluctue.\",\"wh7Ezv\":\"You have no AAVE/stkAAVE/aAave balance to delegate.\",\"wlsIx7\":\"Avec testnet Faucet, vous pouvez obtenir des ressources gratuites pour tester le protocole Aave. Assurez-vous de changer votre fournisseur de portefeuille pour le réseau de test approprié, sélectionnez l’actif souhaité et cliquez sur «\xA0Faucet\xA0» pour obtenir des jetons transférés vers votre portefeuille. Les actifs d’un réseau de test ne sont pas « réels », ce qui signifie qu’ils n’ont aucune valeur monétaire. <0>Pour en savoir plus\",\"wmE285\":\"Get ABP v2 Token\",\"wyRrcJ\":\"As a result of governance decisions, this ABPT staking pool is now deprecated. You have the flexibility to either migrate all of your tokens to v2 or unstake them without any cooldown period.\",\"x5KiLL\":\"Les ressources sélectionnées ont été migrées avec succès. Rendez-vous sur le tableau de bord du marché pour les voir.\",\"x7F2p6\":\"Différentiel de courant\",\"x7K5ib\":[\"Votre \",[\"networkName\"],\" Le portefeuille est vide. Obtenir un test gratuit \",[\"0\"],\" à\"],\"x9iLRD\":\"tokens, veuillez vous rendre sur\",\"xNy/UG\":\"Rembourser avec\",\"xPm8wv\":\"En savoir plus sur les risques encourus\",\"xXYpZl\":[[\"0\"],\" Faucet\"],\"xaVBSS\":\"Vos informations\",\"xaWZ6f\":\"Changement de type APY\",\"xh6k71\":\"L’utilisation des garanties est limitée en raison du mode d’isolation.\",\"xvIklc\":\"Flashloan est désactivé pour cet actif, cette position ne peut donc pas être migrée.\",\"y5rS9U\":\"Émigrer\",\"y66tBm\":[\"Activer \",[\"symbol\"],\" comme collatéral\"],\"yB1YpA\":\"Mode Sombre\",\"yCrG6m\":\"Taille totale du marché\",\"yJUUbn\":\"Aperçu des transactions\",\"yLGmLX\":[\"Remise en jeu \",[\"symbol\"]],\"yW1oWB\":\"APY type\",\"yYHqJe\":\"Pas une adresse valide\",\"yZwLw6\":\"Suivre le portefeuille\",\"yh2sjd\":[\"Impact sur les prix \",[\"0\"],\"%\"],\"yhvj6d\":\"Vous ne pouvez pas changer d'utilisation en tant que mode de garantie pour cette devise, car cela entraînera un appel de garantie\",\"ylmtBZ\":\"The app is running in fork mode.\",\"ymNY32\":[\"Il n'y a pas assez de fonds dans la \",[\"0\"],\" réserve pour emprunter\"],\"yz7wBu\":\"Fermer\",\"z4uGQg\":\"Le plafond de la dette est dépassé\",\"z5UQOM\":\"La garantie choisie ne peut être liquidée\",\"z5Y+p6\":[\"Fournir \",[\"symbole\"]],\"zCjNKs\":\"L'action ne peut pas être effectuée car la réserve est gelée\",\"zRHytX\":\"Plafond de la dette isolée\",\"zTOjMP\":\"La limite d’approvisionnement du protocole est de 100 % pour cet actif. D’autres approvisionnements ne sont pas disponibles.\",\"zVdRUG\":\"Submission did not work, please try again later or contact wecare@avara.xyz\",\"zevmS2\":\"<0><1><2/>Ajoutez <3/> stkAAVE pour emprunter à <4/> (remise maximale)\",\"zgtIDV\":\"Dette restante\",\"zmTPiV\":\"Bilan d'approvisionnement\",\"zpPbZl\":\"Paramètres du risque de liquidation\",\"zucql+\":\"Menu\",\"zwWKhA\":\"Apprendre encore plus\",\"zy9fXn\":[\"L’actif est gelé \",[\"marketName\"],\" v3, donc cette position ne peut pas être migrée.\"],\"zys+R6\":\"Faites attention à la congestion du réseau et aux prix de l’essence.\",\"zzzTXS\":\"Merit Program rewards are claimed through the\"}")}; \ No newline at end of file diff --git a/src/modules/umbrella/UmbrellaActions.tsx b/src/modules/umbrella/UmbrellaActions.tsx index b1668b561f..a71fe551d1 100644 --- a/src/modules/umbrella/UmbrellaActions.tsx +++ b/src/modules/umbrella/UmbrellaActions.tsx @@ -1,14 +1,18 @@ +import { API_ETH_MOCK_ADDRESS } from '@aave/contract-helpers'; import { Trans } from '@lingui/macro'; import { BoxProps } from '@mui/material'; -import { parseUnits } from 'ethers/lib/utils'; +import { constants, PopulatedTransaction } from 'ethers'; +import { formatUnits, parseUnits } from 'ethers/lib/utils'; +import { useState } from 'react'; import { TxActionsWrapper } from 'src/components/transactions/TxActionsWrapper'; import { checkRequiresApproval } from 'src/components/transactions/utils'; import { MergedStakeData } from 'src/hooks/stake/useUmbrellaSummary'; -import { useApprovalTx } from 'src/hooks/useApprovalTx'; +import { SignedParams, useApprovalTx } from 'src/hooks/useApprovalTx'; import { useApprovedAmount } from 'src/hooks/useApprovedAmount'; import { useModalContext } from 'src/hooks/useModal'; import { useWeb3Context } from 'src/libs/hooks/useWeb3Context'; import { useRootStore } from 'src/store/root'; +import { ApprovalMethod } from 'src/store/walletSlice'; import { getErrorTextFromError, TxAction } from 'src/ui-config/errorMapping'; import { useShallow } from 'zustand/shallow'; @@ -24,9 +28,10 @@ export interface StakeActionProps extends BoxProps { stakeData: MergedStakeData; selectedToken: StakeInputAsset; event: string; + isMaxSelected: boolean; } -const STAKE_GATEWAY_CONTRACT = '0x169e71ef44e0f67d21a4722eb51a6119f23da421'; +const STAKE_GATEWAY_CONTRACT = '0x0E467CeF974b0D46141F1698116b2085E529f7eF'; export const UmbrellaActions = ({ amountToStake, @@ -37,9 +42,16 @@ export const UmbrellaActions = ({ selectedToken, event, stakeData, + isMaxSelected, ...props }: StakeActionProps) => { - const [estimateGasLimit] = useRootStore(useShallow((state) => [state.estimateGasLimit])); + const [estimateGasLimit, tryPermit, walletApprovalMethodPreference] = useRootStore( + useShallow((state) => [ + state.estimateGasLimit, + state.tryPermit, + state.walletApprovalMethodPreference, + ]) + ); const currentChainId = useRootStore((store) => store.currentChainId); const user = useRootStore((store) => store.account); @@ -48,33 +60,50 @@ export const UmbrellaActions = ({ approvalTxState, mainTxState, loadingTxns, - // setLoadingTxns, + setLoadingTxns, // setApprovalTxState, setMainTxState, // setGasLimit, setTxError, } = useModalContext(); - const { data: approvedAmount, refetch: fetchApprovedAmount } = useApprovedAmount({ + const [signatureParams, setSignatureParams] = useState(); + + const permitAvailable = + selectedToken.aToken || + tryPermit({ + reserveAddress: selectedToken.address, + isWrappedBaseAsset: selectedToken.address === API_ETH_MOCK_ADDRESS, + }); + const usePermit = permitAvailable && walletApprovalMethodPreference === ApprovalMethod.PERMIT; + + const { + data: approvedAmount, + isFetching: fetchingApprovedAmount, + refetch: fetchApprovedAmount, + } = useApprovedAmount({ chainId: currentChainId, token: selectedToken.address, spender: STAKE_GATEWAY_CONTRACT, }); - const amountToApprove = - amountToStake === '-1' - ? (selectedToken.aToken - ? Number(selectedToken.balance) * 1.1 - : selectedToken.balance - ).toString() - : amountToStake; + setLoadingTxns(fetchingApprovedAmount); + + const parsedAmountToStake = parseUnits(amountToStake, stakeData.decimals); + const parsedBalance = parseUnits(selectedToken.balance, stakeData.decimals); + + const bufferBalanceAmount = parsedBalance.div(10).add(parsedBalance); + + const amountToApprove = isMaxSelected + ? (selectedToken.aToken ? bufferBalanceAmount.toString() : parsedBalance.toString()).toString() + : parsedAmountToStake.toString(); const requiresApproval = Number(amountToStake) !== 0 && checkRequiresApproval({ approvedAmount: approvedAmount?.toString() || '0', amount: amountToApprove, - signedAmount: '0', + signedAmount: signatureParams ? signatureParams.amount : '0', }); const tokenApproval = { @@ -85,14 +114,16 @@ export const UmbrellaActions = ({ }; const { approval } = useApprovalTx({ - usePermit: false, + usePermit, approvedAmount: tokenApproval, requiresApproval, assetAddress: selectedToken.address, symbol: selectedToken.symbol, decimals: stakeData.decimals, + amountToApprove, onApprovalTxConfirmed: fetchApprovedAmount, - signatureAmount: '0', + signatureAmount: formatUnits(amountToApprove, stakeData.decimals).toString(), + onSignTxCompleted: (signedParams) => setSignatureParams(signedParams), }); const { currentAccount, sendTx } = useWeb3Context(); @@ -101,13 +132,45 @@ export const UmbrellaActions = ({ try { setMainTxState({ ...mainTxState, loading: true }); const stakeService = new StakeGatewayService(STAKE_GATEWAY_CONTRACT); - let stakeTxData = stakeService.stake( - currentAccount, - stakeData.stakeToken, - amountToStake === '-1' - ? parseUnits(selectedToken.balance, stakeData.decimals).toString() - : parseUnits(amountToStake, stakeData.decimals).toString() - ); + let stakeTxData: PopulatedTransaction; + + if (usePermit && signatureParams) { + if (selectedToken.aToken) { + stakeTxData = stakeService.stakeATokenWithPermit( + currentAccount, + stakeData.stakeToken, + isMaxSelected ? constants.MaxUint256.toString() : parsedAmountToStake.toString(), + signatureParams.deadline, + signatureParams.signature + ); + } else { + stakeTxData = stakeService.stakeWithPermit( + user, + stakeData.stakeToken, + isMaxSelected ? parsedBalance.toString() : parsedAmountToStake.toString(), + signatureParams.deadline, + signatureParams.signature + ); + } + } else { + if (selectedToken.aToken) { + stakeTxData = stakeService.stakeAToken( + currentAccount, + stakeData.stakeToken, + isMaxSelected + ? constants.MaxUint256.toString() + : parseUnits(amountToStake, stakeData.decimals).toString() + ); + } else { + stakeTxData = stakeService.stake( + currentAccount, + stakeData.stakeToken, + isMaxSelected + ? parseUnits(selectedToken.balance, stakeData.decimals).toString() + : parseUnits(amountToStake, stakeData.decimals).toString() + ); + } + } stakeTxData = await estimateGasLimit(stakeTxData); const tx = await sendTx(stakeTxData); await tx.wait(1); @@ -149,7 +212,7 @@ export const UmbrellaActions = ({ symbol={symbol} requiresAmount actionText={Stake} - tryPermit={false} + tryPermit={permitAvailable} actionInProgressText={Staking} sx={sx} // event={STAKE.STAKE_BUTTON_MODAL} diff --git a/src/modules/umbrella/UmbrellaModalContent.tsx b/src/modules/umbrella/UmbrellaModalContent.tsx index ebcaffc8be..1f5ce3bc66 100644 --- a/src/modules/umbrella/UmbrellaModalContent.tsx +++ b/src/modules/umbrella/UmbrellaModalContent.tsx @@ -161,13 +161,14 @@ export const UmbrellaModalContent = ({ stakeData }: StakeProps) => { ); diff --git a/src/modules/umbrella/services/StakeGatewayService.ts b/src/modules/umbrella/services/StakeGatewayService.ts index 960464aecf..2c32a310ea 100644 --- a/src/modules/umbrella/services/StakeGatewayService.ts +++ b/src/modules/umbrella/services/StakeGatewayService.ts @@ -1,4 +1,5 @@ import { gasLimitRecommendations, ProtocolAction } from '@aave/contract-helpers'; +import { SignatureLike, splitSignature } from '@ethersproject/bytes'; import { BigNumber, PopulatedTransaction } from 'ethers'; import { StakeGatewayInterface } from './types/StakeGateway'; @@ -21,4 +22,63 @@ export class StakeGatewayService { tx.gasLimit = BigNumber.from(gasLimitRecommendations[ProtocolAction.supply].recommended); return tx; } + + stakeWithPermit( + user: string, + stakeTokenAddress: string, + amount: string, + deadline: string, + permit: SignatureLike + ) { + const tx: PopulatedTransaction = {}; + const signature = splitSignature(permit); + const txData = this.interface.encodeFunctionData('stakeWithPermit', [ + stakeTokenAddress, + amount, + deadline, + signature.v, + signature.r, + signature.s, + ]); + tx.data = txData; + tx.from = user; + tx.to = this.stakeGatewayAddress; + tx.gasLimit = BigNumber.from(gasLimitRecommendations[ProtocolAction.supply].recommended); + return tx; + } + + stakeAToken(user: string, stakeTokenAddress: string, amount: string) { + const tx: PopulatedTransaction = {}; + const txData = this.interface.encodeFunctionData('stakeATokens', [stakeTokenAddress, amount]); + tx.data = txData; + tx.from = user; + tx.to = this.stakeGatewayAddress; + // TODO: change properly + tx.gasLimit = BigNumber.from(gasLimitRecommendations[ProtocolAction.supply].recommended); + return tx; + } + + stakeATokenWithPermit( + user: string, + stakeTokenAddress: string, + amount: string, + deadline: string, + permit: SignatureLike + ) { + const tx: PopulatedTransaction = {}; + const signature = splitSignature(permit); + const txData = this.interface.encodeFunctionData('stakeATokensWithPermit', [ + stakeTokenAddress, + amount, + deadline, + signature.v, + signature.r, + signature.s, + ]); + tx.data = txData; + tx.from = user; + tx.to = this.stakeGatewayAddress; + tx.gasLimit = BigNumber.from(gasLimitRecommendations[ProtocolAction.supply].recommended); + return tx; + } } From b1ad21a05ede4e40a2254b108f2460bf1e6e82dd Mon Sep 17 00:00:00 2001 From: Joaquin Battilana Date: Thu, 23 Jan 2025 03:16:38 -0300 Subject: [PATCH 042/110] feat: eslint --- src/modules/umbrella/AmountStakedItem.tsx | 1 + .../umbrella/services/types/StakeGateway.ts | 133 +++------- .../services/types/StakeGateway__factory.ts | 242 +++++++++--------- src/modules/umbrella/services/types/common.ts | 21 +- 4 files changed, 162 insertions(+), 235 deletions(-) diff --git a/src/modules/umbrella/AmountStakedItem.tsx b/src/modules/umbrella/AmountStakedItem.tsx index 1f9b396c9d..334a5c16b6 100644 --- a/src/modules/umbrella/AmountStakedItem.tsx +++ b/src/modules/umbrella/AmountStakedItem.tsx @@ -3,6 +3,7 @@ import { Button, Stack, Typography } from '@mui/material'; import { FormattedNumber } from 'src/components/primitives/FormattedNumber'; import { ReserveSubheader } from 'src/components/ReserveSubheader'; import { MergedStakeData } from 'src/hooks/stake/useUmbrellaSummary'; + import { SecondsToString } from '../staking/StakingPanel'; export const AmountStakedItem = ({ stakeData }: { stakeData: MergedStakeData }) => { diff --git a/src/modules/umbrella/services/types/StakeGateway.ts b/src/modules/umbrella/services/types/StakeGateway.ts index 87f01c120c..93974dfadf 100644 --- a/src/modules/umbrella/services/types/StakeGateway.ts +++ b/src/modules/umbrella/services/types/StakeGateway.ts @@ -12,103 +12,54 @@ import type { PopulatedTransaction, Signer, utils, -} from "ethers"; -import type { FunctionFragment, Result } from "@ethersproject/abi"; -import type { Listener, Provider } from "@ethersproject/providers"; -import type { - TypedEventFilter, - TypedEvent, - TypedListener, - OnEvent, -} from "./common"; +} from 'ethers'; +import type { FunctionFragment, Result } from '@ethersproject/abi'; +import type { Listener, Provider } from '@ethersproject/providers'; +import type { TypedEventFilter, TypedEvent, TypedListener, OnEvent } from './common'; export interface StakeGatewayInterface extends utils.Interface { functions: { - "redeem(address,uint256)": FunctionFragment; - "redeemATokens(address,uint256)": FunctionFragment; - "stake(address,uint256)": FunctionFragment; - "stakeATokens(address,uint256)": FunctionFragment; - "stakeATokensWithPermit(address,uint256,uint256,uint8,bytes32,bytes32)": FunctionFragment; - "stakeWithPermit(address,uint256,uint256,uint8,bytes32,bytes32)": FunctionFragment; - "stataTokenFactory()": FunctionFragment; + 'redeem(address,uint256)': FunctionFragment; + 'redeemATokens(address,uint256)': FunctionFragment; + 'stake(address,uint256)': FunctionFragment; + 'stakeATokens(address,uint256)': FunctionFragment; + 'stakeATokensWithPermit(address,uint256,uint256,uint8,bytes32,bytes32)': FunctionFragment; + 'stakeWithPermit(address,uint256,uint256,uint8,bytes32,bytes32)': FunctionFragment; + 'stataTokenFactory()': FunctionFragment; }; getFunction( nameOrSignatureOrTopic: - | "redeem" - | "redeemATokens" - | "stake" - | "stakeATokens" - | "stakeATokensWithPermit" - | "stakeWithPermit" - | "stataTokenFactory" + | 'redeem' + | 'redeemATokens' + | 'stake' + | 'stakeATokens' + | 'stakeATokensWithPermit' + | 'stakeWithPermit' + | 'stataTokenFactory' ): FunctionFragment; + encodeFunctionData(functionFragment: 'redeem', values: [string, BigNumberish]): string; + encodeFunctionData(functionFragment: 'redeemATokens', values: [string, BigNumberish]): string; + encodeFunctionData(functionFragment: 'stake', values: [string, BigNumberish]): string; + encodeFunctionData(functionFragment: 'stakeATokens', values: [string, BigNumberish]): string; encodeFunctionData( - functionFragment: "redeem", - values: [string, BigNumberish] - ): string; - encodeFunctionData( - functionFragment: "redeemATokens", - values: [string, BigNumberish] - ): string; - encodeFunctionData( - functionFragment: "stake", - values: [string, BigNumberish] - ): string; - encodeFunctionData( - functionFragment: "stakeATokens", - values: [string, BigNumberish] - ): string; - encodeFunctionData( - functionFragment: "stakeATokensWithPermit", - values: [ - string, - BigNumberish, - BigNumberish, - BigNumberish, - BytesLike, - BytesLike - ] - ): string; - encodeFunctionData( - functionFragment: "stakeWithPermit", - values: [ - string, - BigNumberish, - BigNumberish, - BigNumberish, - BytesLike, - BytesLike - ] + functionFragment: 'stakeATokensWithPermit', + values: [string, BigNumberish, BigNumberish, BigNumberish, BytesLike, BytesLike] ): string; encodeFunctionData( - functionFragment: "stataTokenFactory", - values?: undefined + functionFragment: 'stakeWithPermit', + values: [string, BigNumberish, BigNumberish, BigNumberish, BytesLike, BytesLike] ): string; + encodeFunctionData(functionFragment: 'stataTokenFactory', values?: undefined): string; - decodeFunctionResult(functionFragment: "redeem", data: BytesLike): Result; - decodeFunctionResult( - functionFragment: "redeemATokens", - data: BytesLike - ): Result; - decodeFunctionResult(functionFragment: "stake", data: BytesLike): Result; - decodeFunctionResult( - functionFragment: "stakeATokens", - data: BytesLike - ): Result; - decodeFunctionResult( - functionFragment: "stakeATokensWithPermit", - data: BytesLike - ): Result; - decodeFunctionResult( - functionFragment: "stakeWithPermit", - data: BytesLike - ): Result; - decodeFunctionResult( - functionFragment: "stataTokenFactory", - data: BytesLike - ): Result; + decodeFunctionResult(functionFragment: 'redeem', data: BytesLike): Result; + decodeFunctionResult(functionFragment: 'redeemATokens', data: BytesLike): Result; + decodeFunctionResult(functionFragment: 'stake', data: BytesLike): Result; + decodeFunctionResult(functionFragment: 'stakeATokens', data: BytesLike): Result; + decodeFunctionResult(functionFragment: 'stakeATokensWithPermit', data: BytesLike): Result; + decodeFunctionResult(functionFragment: 'stakeWithPermit', data: BytesLike): Result; + decodeFunctionResult(functionFragment: 'stataTokenFactory', data: BytesLike): Result; events: {}; } @@ -130,9 +81,7 @@ export interface StakeGateway extends BaseContract { eventFilter?: TypedEventFilter ): Array>; listeners(eventName?: string): Array; - removeAllListeners( - eventFilter: TypedEventFilter - ): this; + removeAllListeners(eventFilter: TypedEventFilter): this; removeAllListeners(eventName?: string): this; off: OnEvent; on: OnEvent; @@ -234,11 +183,7 @@ export interface StakeGateway extends BaseContract { stataTokenFactory(overrides?: CallOverrides): Promise; callStatic: { - redeem( - stakeToken: string, - amount: BigNumberish, - overrides?: CallOverrides - ): Promise; + redeem(stakeToken: string, amount: BigNumberish, overrides?: CallOverrides): Promise; redeemATokens( stakeToken: string, @@ -246,11 +191,7 @@ export interface StakeGateway extends BaseContract { overrides?: CallOverrides ): Promise; - stake( - stakeToken: string, - amount: BigNumberish, - overrides?: CallOverrides - ): Promise; + stake(stakeToken: string, amount: BigNumberish, overrides?: CallOverrides): Promise; stakeATokens( stakeToken: string, diff --git a/src/modules/umbrella/services/types/StakeGateway__factory.ts b/src/modules/umbrella/services/types/StakeGateway__factory.ts index c6a6f67b9c..8a08970ca6 100644 --- a/src/modules/umbrella/services/types/StakeGateway__factory.ts +++ b/src/modules/umbrella/services/types/StakeGateway__factory.ts @@ -1,234 +1,234 @@ /* Autogenerated file. Do not edit manually. */ /* tslint:disable */ /* eslint-disable */ -import { Signer, utils, Contract, ContractFactory, Overrides } from "ethers"; -import type { Provider, TransactionRequest } from "@ethersproject/providers"; -import type { StakeGateway, StakeGatewayInterface } from "./StakeGateway"; +import { Signer, utils, Contract, ContractFactory, Overrides } from 'ethers'; +import type { Provider, TransactionRequest } from '@ethersproject/providers'; +import type { StakeGateway, StakeGatewayInterface } from './StakeGateway'; const _abi = [ { - type: "constructor", + type: 'constructor', inputs: [ { - name: "_stataTokenFactory", - type: "address", - internalType: "contract IStataTokenFactory", + name: '_stataTokenFactory', + type: 'address', + internalType: 'contract IStataTokenFactory', }, ], - stateMutability: "nonpayable", + stateMutability: 'nonpayable', }, { - type: "function", - name: "redeem", + type: 'function', + name: 'redeem', inputs: [ { - name: "stakeToken", - type: "address", - internalType: "contract IERC4626StakeToken", + name: 'stakeToken', + type: 'address', + internalType: 'contract IERC4626StakeToken', }, { - name: "amount", - type: "uint256", - internalType: "uint256", + name: 'amount', + type: 'uint256', + internalType: 'uint256', }, ], outputs: [ { - name: "shares", - type: "uint256", - internalType: "uint256", + name: 'shares', + type: 'uint256', + internalType: 'uint256', }, ], - stateMutability: "nonpayable", + stateMutability: 'nonpayable', }, { - type: "function", - name: "redeemATokens", + type: 'function', + name: 'redeemATokens', inputs: [ { - name: "stakeToken", - type: "address", - internalType: "contract IERC4626StakeToken", + name: 'stakeToken', + type: 'address', + internalType: 'contract IERC4626StakeToken', }, { - name: "amount", - type: "uint256", - internalType: "uint256", + name: 'amount', + type: 'uint256', + internalType: 'uint256', }, ], outputs: [ { - name: "shares", - type: "uint256", - internalType: "uint256", + name: 'shares', + type: 'uint256', + internalType: 'uint256', }, ], - stateMutability: "nonpayable", + stateMutability: 'nonpayable', }, { - type: "function", - name: "stake", + type: 'function', + name: 'stake', inputs: [ { - name: "stakeToken", - type: "address", - internalType: "contract IERC4626StakeToken", + name: 'stakeToken', + type: 'address', + internalType: 'contract IERC4626StakeToken', }, { - name: "amount", - type: "uint256", - internalType: "uint256", + name: 'amount', + type: 'uint256', + internalType: 'uint256', }, ], outputs: [ { - name: "shares", - type: "uint256", - internalType: "uint256", + name: 'shares', + type: 'uint256', + internalType: 'uint256', }, ], - stateMutability: "nonpayable", + stateMutability: 'nonpayable', }, { - type: "function", - name: "stakeATokens", + type: 'function', + name: 'stakeATokens', inputs: [ { - name: "stakeToken", - type: "address", - internalType: "contract IERC4626StakeToken", + name: 'stakeToken', + type: 'address', + internalType: 'contract IERC4626StakeToken', }, { - name: "amount", - type: "uint256", - internalType: "uint256", + name: 'amount', + type: 'uint256', + internalType: 'uint256', }, ], outputs: [ { - name: "shares", - type: "uint256", - internalType: "uint256", + name: 'shares', + type: 'uint256', + internalType: 'uint256', }, ], - stateMutability: "nonpayable", + stateMutability: 'nonpayable', }, { - type: "function", - name: "stakeATokensWithPermit", + type: 'function', + name: 'stakeATokensWithPermit', inputs: [ { - name: "stakeToken", - type: "address", - internalType: "contract IERC4626StakeToken", + name: 'stakeToken', + type: 'address', + internalType: 'contract IERC4626StakeToken', }, { - name: "amount", - type: "uint256", - internalType: "uint256", + name: 'amount', + type: 'uint256', + internalType: 'uint256', }, { - name: "deadline", - type: "uint256", - internalType: "uint256", + name: 'deadline', + type: 'uint256', + internalType: 'uint256', }, { - name: "v", - type: "uint8", - internalType: "uint8", + name: 'v', + type: 'uint8', + internalType: 'uint8', }, { - name: "r", - type: "bytes32", - internalType: "bytes32", + name: 'r', + type: 'bytes32', + internalType: 'bytes32', }, { - name: "s", - type: "bytes32", - internalType: "bytes32", + name: 's', + type: 'bytes32', + internalType: 'bytes32', }, ], outputs: [ { - name: "shares", - type: "uint256", - internalType: "uint256", + name: 'shares', + type: 'uint256', + internalType: 'uint256', }, ], - stateMutability: "nonpayable", + stateMutability: 'nonpayable', }, { - type: "function", - name: "stakeWithPermit", + type: 'function', + name: 'stakeWithPermit', inputs: [ { - name: "stakeToken", - type: "address", - internalType: "contract IERC4626StakeToken", + name: 'stakeToken', + type: 'address', + internalType: 'contract IERC4626StakeToken', }, { - name: "amount", - type: "uint256", - internalType: "uint256", + name: 'amount', + type: 'uint256', + internalType: 'uint256', }, { - name: "deadline", - type: "uint256", - internalType: "uint256", + name: 'deadline', + type: 'uint256', + internalType: 'uint256', }, { - name: "v", - type: "uint8", - internalType: "uint8", + name: 'v', + type: 'uint8', + internalType: 'uint8', }, { - name: "r", - type: "bytes32", - internalType: "bytes32", + name: 'r', + type: 'bytes32', + internalType: 'bytes32', }, { - name: "s", - type: "bytes32", - internalType: "bytes32", + name: 's', + type: 'bytes32', + internalType: 'bytes32', }, ], outputs: [ { - name: "shares", - type: "uint256", - internalType: "uint256", + name: 'shares', + type: 'uint256', + internalType: 'uint256', }, ], - stateMutability: "nonpayable", + stateMutability: 'nonpayable', }, { - type: "function", - name: "stataTokenFactory", + type: 'function', + name: 'stataTokenFactory', inputs: [], outputs: [ { - name: "", - type: "address", - internalType: "contract IStataTokenFactory", + name: '', + type: 'address', + internalType: 'contract IStataTokenFactory', }, ], - stateMutability: "view", + stateMutability: 'view', }, { - type: "error", - name: "SafeERC20FailedOperation", + type: 'error', + name: 'SafeERC20FailedOperation', inputs: [ { - name: "token", - type: "address", - internalType: "address", + name: 'token', + type: 'address', + internalType: 'address', }, ], }, ] as const; const _bytecode = - "0x60a060405234801561001057600080fd5b50604051610f66380380610f6683398101604081905261002f91610040565b6001600160a01b0316608052610070565b60006020828403121561005257600080fd5b81516001600160a01b038116811461006957600080fd5b9392505050565b608051610edc61008a600039600060ad0152610edc6000f3fe608060405234801561001057600080fd5b506004361061007d5760003560e01c80634868658f1161005b5780634868658f146100fa57806373d6a8891461010d578063adc9772e14610120578063dd8866b71461013357600080fd5b806301b8a710146100825780631494088f146100a85780631e9a6950146100e7575b600080fd5b610095610090366004610d7f565b610146565b6040519081526020015b60405180910390f35b6100cf7f000000000000000000000000000000000000000000000000000000000000000081565b6040516001600160a01b03909116815260200161009f565b6100956100f5366004610d7f565b61015b565b610095610108366004610dab565b610169565b61009561011b366004610dab565b610327565b61009561012e366004610d7f565b610465565b610095610141366004610d7f565b610473565b6000610154828460016105c9565b9392505050565b6000610154828460006105c9565b600080876001600160a01b03166338d52e0f6040518163ffffffff1660e01b8152600401602060405180830381865afa1580156101aa573d6000803e3d6000fd5b505050506040513d601f19601f820116820180604052508101906101ce9190610e0d565b90506000816001600160a01b031663a0c1f15e6040518163ffffffff1660e01b8152600401602060405180830381865afa158015610210573d6000803e3d6000fd5b505050506040513d601f19601f820116820180604052508101906102349190610e0d565b905060001988036102aa576040516370a0823160e01b81523360048201526001600160a01b038216906370a0823190602401602060405180830381865afa158015610283573d6000803e3d6000fd5b505050506040513d601f19601f820116820180604052508101906102a79190610e2a565b97505b60405163d505accf60e01b81526001600160a01b0382169063d505accf906102e290339030908d908d908d908d908d90600401610e43565b600060405180830381600087803b1580156102fc57600080fd5b505af192505050801561030d575060015b5061031a888a6001610854565b9998505050505050505050565b600080876001600160a01b03166338d52e0f6040518163ffffffff1660e01b8152600401602060405180830381865afa158015610368573d6000803e3d6000fd5b505050506040513d601f19601f8201168201806040525081019061038c9190610e0d565b90506000816001600160a01b03166338d52e0f6040518163ffffffff1660e01b8152600401602060405180830381865afa1580156103ce573d6000803e3d6000fd5b505050506040513d601f19601f820116820180604052508101906103f29190610e0d565b60405163d505accf60e01b81529091506001600160a01b0382169063d505accf9061042d90339030908d908d908d908d908d90600401610e43565b600060405180830381600087803b15801561044757600080fd5b505af1925050508015610458575060015b5061031a888a6000610854565b600061015482846000610854565b600080836001600160a01b03166338d52e0f6040518163ffffffff1660e01b8152600401602060405180830381865afa1580156104b4573d6000803e3d6000fd5b505050506040513d601f19601f820116820180604052508101906104d89190610e0d565b90506000816001600160a01b031663a0c1f15e6040518163ffffffff1660e01b8152600401602060405180830381865afa15801561051a573d6000803e3d6000fd5b505050506040513d601f19601f8201168201806040525081019061053e9190610e0d565b905060001984036105b4576040516370a0823160e01b81523360048201526001600160a01b038216906370a0823190602401602060405180830381865afa15801561058d573d6000803e3d6000fd5b505050506040513d601f19601f820116820180604052508101906105b19190610e2a565b93505b6105c084866001610854565b95945050505050565b600080841161061f5760405162461bcd60e51b815260206004820181905260248201527f416d6f756e74206d7573742062652067726561746572207468616e207a65726f60448201526064015b60405180910390fd5b6000836001600160a01b03166338d52e0f6040518163ffffffff1660e01b8152600401602060405180830381865afa15801561065f573d6000803e3d6000fd5b505050506040513d601f19601f820116820180604052508101906106839190610e0d565b90506001600160a01b0381166106d15760405162461bcd60e51b815260206004820152601360248201527224b73b30b634b21039ba30b5b2903a37b5b2b760691b6044820152606401610616565b604051635d043b2960e11b8152600481018690523060248201523360448201526000906001600160a01b0386169063ba087652906064016020604051808303816000875af1158015610727573d6000803e3d6000fd5b505050506040513d601f19601f8201168201806040525081019061074b9190610e2a565b905083156107d3576040516304876fcd60e11b8152600481018290523360248201523060448201526001600160a01b0383169063090edf9a906064016020604051808303816000875af11580156107a6573d6000803e3d6000fd5b505050506040513d601f19601f820116820180604052508101906107ca9190610e2a565b92505050610154565b604051635d043b2960e11b8152600481018290523360248201523060448201526001600160a01b0383169063ba087652906064016020604051808303816000875af1158015610826573d6000803e3d6000fd5b505050506040513d601f19601f8201168201806040525081019061084a9190610e2a565b9695505050505050565b60008084116108a55760405162461bcd60e51b815260206004820181905260248201527f416d6f756e74206d7573742062652067726561746572207468616e207a65726f6044820152606401610616565b6000836001600160a01b03166338d52e0f6040518163ffffffff1660e01b8152600401602060405180830381865afa1580156108e5573d6000803e3d6000fd5b505050506040513d601f19601f820116820180604052508101906109099190610e0d565b90506001600160a01b0381166109575760405162461bcd60e51b815260206004820152601360248201527224b73b30b634b21039ba30b5b2903a37b5b2b760691b6044820152606401610616565b6000836109c557816001600160a01b03166338d52e0f6040518163ffffffff1660e01b8152600401602060405180830381865afa15801561099c573d6000803e3d6000fd5b505050506040513d601f19601f820116820180604052508101906109c09190610e0d565b610a27565b816001600160a01b031663a0c1f15e6040518163ffffffff1660e01b8152600401602060405180830381865afa158015610a03573d6000803e3d6000fd5b505050506040513d601f19601f82011682018060405250810190610a279190610e0d565b9050610a3e6001600160a01b038216333089610c96565b60405163095ea7b360e01b81526001600160a01b0383811660048301526024820188905282169063095ea7b3906044016020604051808303816000875af1158015610a8d573d6000803e3d6000fd5b505050506040513d601f19601f82011682018060405250810190610ab19190610e84565b5060008415610b325760405163e25ec34960e01b8152600481018890523060248201526001600160a01b0384169063e25ec349906044016020604051808303816000875af1158015610b07573d6000803e3d6000fd5b505050506040513d601f19601f82011682018060405250810190610b2b9190610e2a565b9050610ba6565b604051636e553f6560e01b8152600481018890523060248201526001600160a01b03841690636e553f65906044016020604051808303816000875af1158015610b7f573d6000803e3d6000fd5b505050506040513d601f19601f82011682018060405250810190610ba39190610e2a565b90505b60405163095ea7b360e01b81526001600160a01b0387811660048301526024820183905284169063095ea7b3906044016020604051808303816000875af1158015610bf5573d6000803e3d6000fd5b505050506040513d601f19601f82011682018060405250810190610c199190610e84565b50604051636e553f6560e01b8152600481018290523360248201526001600160a01b03871690636e553f65906044016020604051808303816000875af1158015610c67573d6000803e3d6000fd5b505050506040513d601f19601f82011682018060405250810190610c8b9190610e2a565b979650505050505050565b604080516001600160a01b0385811660248301528416604482015260648082018490528251808303909101815260849091019091526020810180516001600160e01b03166323b872dd60e01b179052610cf0908590610cf6565b50505050565b600080602060008451602086016000885af180610d19576040513d6000823e3d81fd5b50506000513d91508115610d31578060011415610d3e565b6001600160a01b0384163b155b15610cf057604051635274afe760e01b81526001600160a01b0385166004820152602401610616565b6001600160a01b0381168114610d7c57600080fd5b50565b60008060408385031215610d9257600080fd5b8235610d9d81610d67565b946020939093013593505050565b60008060008060008060c08789031215610dc457600080fd5b8635610dcf81610d67565b95506020870135945060408701359350606087013560ff81168114610df357600080fd5b9598949750929560808101359460a0909101359350915050565b600060208284031215610e1f57600080fd5b815161015481610d67565b600060208284031215610e3c57600080fd5b5051919050565b6001600160a01b0397881681529590961660208601526040850193909352606084019190915260ff16608083015260a082015260c081019190915260e00190565b600060208284031215610e9657600080fd5b8151801515811461015457600080fdfea26469706673582212201f459ecb9a00bf627bd8b5d690e1be08cf4a62d809fd4ca8b3b2b1ebd111854764736f6c63430008140033"; + '0x60a060405234801561001057600080fd5b50604051610f66380380610f6683398101604081905261002f91610040565b6001600160a01b0316608052610070565b60006020828403121561005257600080fd5b81516001600160a01b038116811461006957600080fd5b9392505050565b608051610edc61008a600039600060ad0152610edc6000f3fe608060405234801561001057600080fd5b506004361061007d5760003560e01c80634868658f1161005b5780634868658f146100fa57806373d6a8891461010d578063adc9772e14610120578063dd8866b71461013357600080fd5b806301b8a710146100825780631494088f146100a85780631e9a6950146100e7575b600080fd5b610095610090366004610d7f565b610146565b6040519081526020015b60405180910390f35b6100cf7f000000000000000000000000000000000000000000000000000000000000000081565b6040516001600160a01b03909116815260200161009f565b6100956100f5366004610d7f565b61015b565b610095610108366004610dab565b610169565b61009561011b366004610dab565b610327565b61009561012e366004610d7f565b610465565b610095610141366004610d7f565b610473565b6000610154828460016105c9565b9392505050565b6000610154828460006105c9565b600080876001600160a01b03166338d52e0f6040518163ffffffff1660e01b8152600401602060405180830381865afa1580156101aa573d6000803e3d6000fd5b505050506040513d601f19601f820116820180604052508101906101ce9190610e0d565b90506000816001600160a01b031663a0c1f15e6040518163ffffffff1660e01b8152600401602060405180830381865afa158015610210573d6000803e3d6000fd5b505050506040513d601f19601f820116820180604052508101906102349190610e0d565b905060001988036102aa576040516370a0823160e01b81523360048201526001600160a01b038216906370a0823190602401602060405180830381865afa158015610283573d6000803e3d6000fd5b505050506040513d601f19601f820116820180604052508101906102a79190610e2a565b97505b60405163d505accf60e01b81526001600160a01b0382169063d505accf906102e290339030908d908d908d908d908d90600401610e43565b600060405180830381600087803b1580156102fc57600080fd5b505af192505050801561030d575060015b5061031a888a6001610854565b9998505050505050505050565b600080876001600160a01b03166338d52e0f6040518163ffffffff1660e01b8152600401602060405180830381865afa158015610368573d6000803e3d6000fd5b505050506040513d601f19601f8201168201806040525081019061038c9190610e0d565b90506000816001600160a01b03166338d52e0f6040518163ffffffff1660e01b8152600401602060405180830381865afa1580156103ce573d6000803e3d6000fd5b505050506040513d601f19601f820116820180604052508101906103f29190610e0d565b60405163d505accf60e01b81529091506001600160a01b0382169063d505accf9061042d90339030908d908d908d908d908d90600401610e43565b600060405180830381600087803b15801561044757600080fd5b505af1925050508015610458575060015b5061031a888a6000610854565b600061015482846000610854565b600080836001600160a01b03166338d52e0f6040518163ffffffff1660e01b8152600401602060405180830381865afa1580156104b4573d6000803e3d6000fd5b505050506040513d601f19601f820116820180604052508101906104d89190610e0d565b90506000816001600160a01b031663a0c1f15e6040518163ffffffff1660e01b8152600401602060405180830381865afa15801561051a573d6000803e3d6000fd5b505050506040513d601f19601f8201168201806040525081019061053e9190610e0d565b905060001984036105b4576040516370a0823160e01b81523360048201526001600160a01b038216906370a0823190602401602060405180830381865afa15801561058d573d6000803e3d6000fd5b505050506040513d601f19601f820116820180604052508101906105b19190610e2a565b93505b6105c084866001610854565b95945050505050565b600080841161061f5760405162461bcd60e51b815260206004820181905260248201527f416d6f756e74206d7573742062652067726561746572207468616e207a65726f60448201526064015b60405180910390fd5b6000836001600160a01b03166338d52e0f6040518163ffffffff1660e01b8152600401602060405180830381865afa15801561065f573d6000803e3d6000fd5b505050506040513d601f19601f820116820180604052508101906106839190610e0d565b90506001600160a01b0381166106d15760405162461bcd60e51b815260206004820152601360248201527224b73b30b634b21039ba30b5b2903a37b5b2b760691b6044820152606401610616565b604051635d043b2960e11b8152600481018690523060248201523360448201526000906001600160a01b0386169063ba087652906064016020604051808303816000875af1158015610727573d6000803e3d6000fd5b505050506040513d601f19601f8201168201806040525081019061074b9190610e2a565b905083156107d3576040516304876fcd60e11b8152600481018290523360248201523060448201526001600160a01b0383169063090edf9a906064016020604051808303816000875af11580156107a6573d6000803e3d6000fd5b505050506040513d601f19601f820116820180604052508101906107ca9190610e2a565b92505050610154565b604051635d043b2960e11b8152600481018290523360248201523060448201526001600160a01b0383169063ba087652906064016020604051808303816000875af1158015610826573d6000803e3d6000fd5b505050506040513d601f19601f8201168201806040525081019061084a9190610e2a565b9695505050505050565b60008084116108a55760405162461bcd60e51b815260206004820181905260248201527f416d6f756e74206d7573742062652067726561746572207468616e207a65726f6044820152606401610616565b6000836001600160a01b03166338d52e0f6040518163ffffffff1660e01b8152600401602060405180830381865afa1580156108e5573d6000803e3d6000fd5b505050506040513d601f19601f820116820180604052508101906109099190610e0d565b90506001600160a01b0381166109575760405162461bcd60e51b815260206004820152601360248201527224b73b30b634b21039ba30b5b2903a37b5b2b760691b6044820152606401610616565b6000836109c557816001600160a01b03166338d52e0f6040518163ffffffff1660e01b8152600401602060405180830381865afa15801561099c573d6000803e3d6000fd5b505050506040513d601f19601f820116820180604052508101906109c09190610e0d565b610a27565b816001600160a01b031663a0c1f15e6040518163ffffffff1660e01b8152600401602060405180830381865afa158015610a03573d6000803e3d6000fd5b505050506040513d601f19601f82011682018060405250810190610a279190610e0d565b9050610a3e6001600160a01b038216333089610c96565b60405163095ea7b360e01b81526001600160a01b0383811660048301526024820188905282169063095ea7b3906044016020604051808303816000875af1158015610a8d573d6000803e3d6000fd5b505050506040513d601f19601f82011682018060405250810190610ab19190610e84565b5060008415610b325760405163e25ec34960e01b8152600481018890523060248201526001600160a01b0384169063e25ec349906044016020604051808303816000875af1158015610b07573d6000803e3d6000fd5b505050506040513d601f19601f82011682018060405250810190610b2b9190610e2a565b9050610ba6565b604051636e553f6560e01b8152600481018890523060248201526001600160a01b03841690636e553f65906044016020604051808303816000875af1158015610b7f573d6000803e3d6000fd5b505050506040513d601f19601f82011682018060405250810190610ba39190610e2a565b90505b60405163095ea7b360e01b81526001600160a01b0387811660048301526024820183905284169063095ea7b3906044016020604051808303816000875af1158015610bf5573d6000803e3d6000fd5b505050506040513d601f19601f82011682018060405250810190610c199190610e84565b50604051636e553f6560e01b8152600481018290523360248201526001600160a01b03871690636e553f65906044016020604051808303816000875af1158015610c67573d6000803e3d6000fd5b505050506040513d601f19601f82011682018060405250810190610c8b9190610e2a565b979650505050505050565b604080516001600160a01b0385811660248301528416604482015260648082018490528251808303909101815260849091019091526020810180516001600160e01b03166323b872dd60e01b179052610cf0908590610cf6565b50505050565b600080602060008451602086016000885af180610d19576040513d6000823e3d81fd5b50506000513d91508115610d31578060011415610d3e565b6001600160a01b0384163b155b15610cf057604051635274afe760e01b81526001600160a01b0385166004820152602401610616565b6001600160a01b0381168114610d7c57600080fd5b50565b60008060408385031215610d9257600080fd5b8235610d9d81610d67565b946020939093013593505050565b60008060008060008060c08789031215610dc457600080fd5b8635610dcf81610d67565b95506020870135945060408701359350606087013560ff81168114610df357600080fd5b9598949750929560808101359460a0909101359350915050565b600060208284031215610e1f57600080fd5b815161015481610d67565b600060208284031215610e3c57600080fd5b5051919050565b6001600160a01b0397881681529590961660208601526040850193909352606084019190915260ff16608083015260a082015260c081019190915260e00190565b600060208284031215610e9657600080fd5b8151801515811461015457600080fdfea26469706673582212201f459ecb9a00bf627bd8b5d690e1be08cf4a62d809fd4ca8b3b2b1ebd111854764736f6c63430008140033'; type StakeGatewayConstructorParams = | [signer?: Signer] @@ -251,10 +251,7 @@ export class StakeGateway__factory extends ContractFactory { _stataTokenFactory: string, overrides?: Overrides & { from?: string } ): Promise { - return super.deploy( - _stataTokenFactory, - overrides || {} - ) as Promise; + return super.deploy(_stataTokenFactory, overrides || {}) as Promise; } override getDeployTransaction( _stataTokenFactory: string, @@ -274,10 +271,7 @@ export class StakeGateway__factory extends ContractFactory { static createInterface(): StakeGatewayInterface { return new utils.Interface(_abi) as StakeGatewayInterface; } - static connect( - address: string, - signerOrProvider: Signer | Provider - ): StakeGateway { + static connect(address: string, signerOrProvider: Signer | Provider): StakeGateway { return new Contract(address, _abi, signerOrProvider) as StakeGateway; } } diff --git a/src/modules/umbrella/services/types/common.ts b/src/modules/umbrella/services/types/common.ts index 2fc40c7fb1..035e496a0e 100644 --- a/src/modules/umbrella/services/types/common.ts +++ b/src/modules/umbrella/services/types/common.ts @@ -1,18 +1,14 @@ /* Autogenerated file. Do not edit manually. */ /* tslint:disable */ /* eslint-disable */ -import type { Listener } from "@ethersproject/providers"; -import type { Event, EventFilter } from "ethers"; +import type { Listener } from '@ethersproject/providers'; +import type { Event, EventFilter } from 'ethers'; -export interface TypedEvent< - TArgsArray extends Array = any, - TArgsObject = any -> extends Event { +export interface TypedEvent = any, TArgsObject = any> extends Event { args: TArgsArray & TArgsObject; } -export interface TypedEventFilter<_TEvent extends TypedEvent> - extends EventFilter {} +export interface TypedEventFilter<_TEvent extends TypedEvent> extends EventFilter {} export interface TypedListener { (...listenerArg: [...__TypechainArgsArray, TEvent]): void; @@ -32,13 +28,8 @@ export type MinEthersFactory = { deploy(...a: ARGS[]): Promise; }; -export type GetContractTypeFromFactory = F extends MinEthersFactory< - infer C, - any -> - ? C - : never; +export type GetContractTypeFromFactory = F extends MinEthersFactory ? C : never; export type GetARGsTypeFromFactory = F extends MinEthersFactory - ? Parameters + ? Parameters : never; From 18dddb3731b25550b3ae44e2530da8fc8878b1a1 Mon Sep 17 00:00:00 2001 From: Mark Hinschberger Date: Thu, 23 Jan 2025 12:22:46 +0000 Subject: [PATCH 043/110] feat: dropdown actions --- pages/umbrella.page.tsx | 55 +---------- src/hooks/stake/useUmbrellaSummary.ts | 7 +- src/modules/umbrella/AmountStakedItem.tsx | 9 +- src/modules/umbrella/AvailableToClaimItem.tsx | 6 +- src/modules/umbrella/AvailableToStakeItem.tsx | 9 +- .../StakeAssets/UmbrellaAssetsList.tsx | 4 + .../UmbrellaStakeAssetsListItem.tsx | 6 ++ src/modules/umbrella/UmbrellaHeader.tsx | 18 ++-- .../umbrella/helpers/StakingDropdown.tsx | 99 +++++++++++++++++++ 9 files changed, 135 insertions(+), 78 deletions(-) create mode 100644 src/modules/umbrella/helpers/StakingDropdown.tsx diff --git a/pages/umbrella.page.tsx b/pages/umbrella.page.tsx index ea6f86505d..ebe0bac1e0 100644 --- a/pages/umbrella.page.tsx +++ b/pages/umbrella.page.tsx @@ -1,18 +1,14 @@ // import { StakeUIUserData } from '@aave/contract-helpers/dist/esm/V3-uiStakeDataProvider-contract/types'; import { Trans } from '@lingui/macro'; import { Box, Container } from '@mui/material'; -import { BigNumber } from 'ethers/lib/ethers'; -import { formatEther } from 'ethers/lib/utils'; import dynamic from 'next/dynamic'; -import { ReactNode, useEffect } from 'react'; +import { ReactNode } from 'react'; import { ConnectWalletPaper } from 'src/components/ConnectWalletPaper'; -import { StakeTokenFormatted, useGeneralStakeUiData } from 'src/hooks/stake/useGeneralStakeUiData'; // import { useUserStakeUiData } from 'src/hooks/stake/useUserStakeUiData'; import { MainLayout } from 'src/layouts/MainLayout'; import { UmbrellaAssetsListContainer } from 'src/modules/umbrella/StakeAssets/UmbrellaAssetsListContainer'; import { UmbrellaHeader } from 'src/modules/umbrella/UmbrellaHeader'; // import { UmbrellaStakedAssetsListContainer } from 'src/modules/umbrella/UserStakedAssets/UmbrellaStakedAssetsListContainer'; -import { useRootStore } from 'src/store/root'; import { useWeb3Context } from '../src/libs/hooks/useWeb3Context'; @@ -74,53 +70,6 @@ export const MarketContainer = ({ children }: MarketContainerProps) => { export default function UmbrellaStaking() { const { currentAccount } = useWeb3Context(); - const currentMarketData = useRootStore((store) => store.currentMarketData); - // const { data: stakeUserResult } = useUserStakeUiData(currentMarketData); - - const { data: stakeGeneralResult, isLoading: stakeGeneralResultLoading } = - useGeneralStakeUiData(currentMarketData); - - let stkAave: StakeTokenFormatted | undefined; - let stkBpt: StakeTokenFormatted | undefined; - let stkGho: StakeTokenFormatted | undefined; - let stkBptV2: StakeTokenFormatted | undefined; - - if (stakeGeneralResult && Array.isArray(stakeGeneralResult)) { - [stkAave, stkBpt, stkGho, stkBptV2] = stakeGeneralResult; - } - - // let stkAaveUserData: StakeUIUserData | undefined; - // let stkBptUserData: StakeUIUserData | undefined; - // let stkGhoUserData: StakeUIUserData | undefined; - // let stkBptV2UserData: StakeUIUserData | undefined; - // if (stakeUserResult && Array.isArray(stakeUserResult)) { - // [stkAaveUserData, stkBptUserData, stkGhoUserData, stkBptV2UserData] = stakeUserResult; - // } - - const trackEvent = useRootStore((store) => store.trackEvent); - - useEffect(() => { - trackEvent('Page Viewed', { - 'Page Name': 'Staking', - }); - }, [trackEvent]); - - const tvl = { - 'Staked Aave': Number(stkAave?.totalSupplyUSDFormatted || '0'), - 'Staked GHO': Number(stkGho?.totalSupplyUSDFormatted || '0'), - 'Staked ABPT': Number(stkBpt?.totalSupplyUSDFormatted || '0'), - 'Staked ABPT V2': Number(stkBptV2?.totalSupplyUSDFormatted || '0'), - }; - - // Total AAVE Emissions (stkaave dps + stkbpt dps) - const stkEmission = formatEther( - BigNumber.from(stkAave?.distributionPerSecond || '0') - .add(stkBpt?.distributionPerSecond || '0') - .add(stkGho?.distributionPerSecond || '0') - .add(stkBptV2?.distributionPerSecond || '0') - .mul('86400') - ); - if (!currentAccount) { return ( - + { const stakeDataQuery = useStakeData(marketData); const userStakeDataQuery = useUserStakeData(marketData); - - return combineQueries([stakeDataQuery, userStakeDataQuery] as const, formatUmbrellaSummary); + const { data, isPending } = combineQueries( + [stakeDataQuery, userStakeDataQuery] as const, + formatUmbrellaSummary + ); + return { data, loading: isPending }; }; diff --git a/src/modules/umbrella/AmountStakedItem.tsx b/src/modules/umbrella/AmountStakedItem.tsx index 334a5c16b6..19434c46ec 100644 --- a/src/modules/umbrella/AmountStakedItem.tsx +++ b/src/modules/umbrella/AmountStakedItem.tsx @@ -1,10 +1,9 @@ -import { Trans } from '@lingui/macro'; -import { Button, Stack, Typography } from '@mui/material'; +import { Stack } from '@mui/material'; import { FormattedNumber } from 'src/components/primitives/FormattedNumber'; import { ReserveSubheader } from 'src/components/ReserveSubheader'; import { MergedStakeData } from 'src/hooks/stake/useUmbrellaSummary'; -import { SecondsToString } from '../staking/StakingPanel'; +// import { SecondsToString } from '../staking/StakingPanel'; export const AmountStakedItem = ({ stakeData }: { stakeData: MergedStakeData }) => { const { stakeTokenBalance, stakeTokenBalanceUSD } = stakeData.formattedBalances; @@ -13,7 +12,7 @@ export const AmountStakedItem = ({ stakeData }: { stakeData: MergedStakeData }) - + {/* @@ -25,7 +24,7 @@ export const AmountStakedItem = ({ stakeData }: { stakeData: MergedStakeData }) - + */} ); }; diff --git a/src/modules/umbrella/AvailableToClaimItem.tsx b/src/modules/umbrella/AvailableToClaimItem.tsx index b45cf16e49..5d202d3e34 100644 --- a/src/modules/umbrella/AvailableToClaimItem.tsx +++ b/src/modules/umbrella/AvailableToClaimItem.tsx @@ -1,5 +1,5 @@ import { Trans } from '@lingui/macro'; -import { Box, Button, Stack, Typography } from '@mui/material'; +import { Box, Stack, Typography } from '@mui/material'; import { FormattedNumber } from 'src/components/primitives/FormattedNumber'; import { Row } from 'src/components/primitives/Row'; import { TokenIcon } from 'src/components/primitives/TokenIcon'; @@ -31,7 +31,7 @@ export const AvailableToClaimItem = ({ stakeData }: { stakeData: MergedStakeData {stakeData.formattedRewards.length === 1 && ( )} - {totalAvailableToClaim > 0 && ( + {/* {totalAvailableToClaim > 0 && ( - )} + )} */} ); }; diff --git a/src/modules/umbrella/AvailableToStakeItem.tsx b/src/modules/umbrella/AvailableToStakeItem.tsx index aa873688db..001a7c7a84 100644 --- a/src/modules/umbrella/AvailableToStakeItem.tsx +++ b/src/modules/umbrella/AvailableToStakeItem.tsx @@ -1,16 +1,13 @@ import { Trans } from '@lingui/macro'; -import { Box, Button, Stack, Typography } from '@mui/material'; +import { Box, Stack, Typography } from '@mui/material'; import { FormattedNumber } from 'src/components/primitives/FormattedNumber'; import { Row } from 'src/components/primitives/Row'; import { TokenIcon } from 'src/components/primitives/TokenIcon'; import { MergedStakeData } from 'src/hooks/stake/useUmbrellaSummary'; -import { useModalContext } from 'src/hooks/useModal'; import { MultiIconWithTooltip } from './helpers/MultiIcon'; export const AvailableToStakeItem = ({ stakeData }: { stakeData: MergedStakeData }) => { - const { openUmbrella } = useModalContext(); - const { underlyingWaTokenBalance, underlyingWaTokenATokenBalance, underlyingTokenBalance } = stakeData.formattedBalances; @@ -50,7 +47,7 @@ export const AvailableToStakeItem = ({ stakeData }: { stakeData: MergedStakeData ) : ( )} - + */} ); }; diff --git a/src/modules/umbrella/StakeAssets/UmbrellaAssetsList.tsx b/src/modules/umbrella/StakeAssets/UmbrellaAssetsList.tsx index e8189d9793..f061c7a8df 100644 --- a/src/modules/umbrella/StakeAssets/UmbrellaAssetsList.tsx +++ b/src/modules/umbrella/StakeAssets/UmbrellaAssetsList.tsx @@ -48,6 +48,10 @@ const listHeaders = [ title: Available to Claim, sortKey: 'TODO', }, + { + title: <>, + // sortKey: 'TODO', + }, // { // title: ( // { + // const theme = useTheme(); + // const [trackEvent, currentMarket] = useRootStore( // useShallow((store) => [store.trackEvent, store.currentMarket]) // ); @@ -71,6 +74,9 @@ export const UmbrellaStakeAssetsListItem = ({ ...umbrellaStakeAsset }: MergedSta + + + ); }; diff --git a/src/modules/umbrella/UmbrellaHeader.tsx b/src/modules/umbrella/UmbrellaHeader.tsx index 78bc5acf75..41f6487689 100644 --- a/src/modules/umbrella/UmbrellaHeader.tsx +++ b/src/modules/umbrella/UmbrellaHeader.tsx @@ -12,12 +12,7 @@ import { TopInfoPanelItem } from '../../components/TopInfoPanel/TopInfoPanelItem // import { useWeb3Context } from 'src/libs/hooks/useWeb3Context'; import { MarketSwitcher } from './UmbrellaMarketSwitcher'; -interface StakingHeaderProps { - stkEmission: string; - loading: boolean; -} - -export const UmbrellaHeader: React.FC = ({ loading }) => { +export const UmbrellaHeader: React.FC = () => { const theme = useTheme(); // const { currentAccount } = useWeb3Context(); const [currentMarketData, trackEvent] = useRootStore( @@ -27,7 +22,8 @@ export const UmbrellaHeader: React.FC = ({ loading }) => { // useShallow((store) => [store.trackEvent, store.currentMarket, store.setCurrentMarket]) // ); - const { data: stakedDataWithTokenBalances } = useUmbrellaSummary(currentMarketData); + const { data: stakedDataWithTokenBalances, isPending: isLoadingStakedDataWithTokenBalances } = + useUmbrellaSummary(currentMarketData); const upToLG = useMediaQuery(theme.breakpoints.up('lg')); const downToSM = useMediaQuery(theme.breakpoints.down('sm')); @@ -84,7 +80,7 @@ export const UmbrellaHeader: React.FC = ({ loading }) => { Staked Balance } - loading={loading} + loading={isLoadingStakedDataWithTokenBalances} > = ({ loading }) => { /> - Net APY} loading={loading}> + Net APY} + loading={isLoadingStakedDataWithTokenBalances} + > { + const { openUmbrella } = useModalContext(); + + const [anchorEl, setAnchorEl] = useState(null); + const open = Boolean(anchorEl); + const theme = useTheme(); + + const handleClick = (event: React.MouseEvent) => { + setAnchorEl(event.currentTarget); + }; + + const handleClose = () => { + setAnchorEl(null); + }; + + // const handleStakeMoreClick = () => { + // handleClose(); + // setStakeMoreModalOpen(true); + // }; + + // console.log('stakeData', stakeData); + + return ( +
+ + + + + + + Cooldown... + 1d + + { + handleClose(); + openUmbrella(stakeData.stakeToken, stakeData.stakeTokenSymbol); + }} + > + + Stake more... + + + + Claim... + + +
+ ); +}; From 932096ec249a954e9d9f516f9c3eeee11bc029d7 Mon Sep 17 00:00:00 2001 From: Mark Hinschberger Date: Thu, 23 Jan 2025 16:45:28 +0000 Subject: [PATCH 044/110] feat: cleanup --- pages/umbrella.page.tsx | 6 +- src/locales/el/messages.js | 2 +- src/locales/en/messages.js | 2 +- src/locales/en/messages.po | 24 ++- src/locales/es/messages.js | 2 +- src/locales/fr/messages.js | 2 +- .../UmbrellaStakeAssetsListItem.tsx | 2 +- src/modules/umbrella/StakeCooldownActions.tsx | 9 +- src/modules/umbrella/StakeCooldownModal.tsx | 2 +- .../umbrella/StakeCooldownModalContent.tsx | 3 +- src/modules/umbrella/StakingApyItem.tsx | 4 +- .../UmbrellaUserAssetsListItemLoader.tsx | 41 ----- .../UmbrellaUserStakeAssetsList.tsx | 132 -------------- .../UmbrellaUserStakeAssetsListContainer.tsx | 110 ----------- .../UmbrellaUserStakeAssetsListItem.tsx | 171 ------------------ .../umbrella/helpers/StakingDropdown.tsx | 146 ++++++++------- .../umbrella/services/StakeTokenService.ts | 1 + 17 files changed, 121 insertions(+), 538 deletions(-) delete mode 100644 src/modules/umbrella/UserStakedAssets/UmbrellaUserAssetsListItemLoader.tsx delete mode 100644 src/modules/umbrella/UserStakedAssets/UmbrellaUserStakeAssetsList.tsx delete mode 100644 src/modules/umbrella/UserStakedAssets/UmbrellaUserStakeAssetsListContainer.tsx delete mode 100644 src/modules/umbrella/UserStakedAssets/UmbrellaUserStakeAssetsListItem.tsx diff --git a/pages/umbrella.page.tsx b/pages/umbrella.page.tsx index a17388d97f..384c65d7aa 100644 --- a/pages/umbrella.page.tsx +++ b/pages/umbrella.page.tsx @@ -8,8 +8,8 @@ import { ConnectWalletPaper } from 'src/components/ConnectWalletPaper'; import { MainLayout } from 'src/layouts/MainLayout'; import { UmbrellaAssetsListContainer } from 'src/modules/umbrella/StakeAssets/UmbrellaAssetsListContainer'; import { UmbrellaHeader } from 'src/modules/umbrella/UmbrellaHeader'; -// import { UmbrellaStakedAssetsListContainer } from 'src/modules/umbrella/UserStakedAssets/UmbrellaStakedAssetsListContainer'; +// import { UmbrellaStakedAssetsListContainer } from 'src/modules/umbrella/UserStakedAssets/UmbrellaStakedAssetsListContainer'; import { useWeb3Context } from '../src/libs/hooks/useWeb3Context'; const UmbrellaStakeModal = dynamic(() => @@ -93,10 +93,6 @@ export default function UmbrellaStaking() { mt: { xs: '-32px', lg: '-46px', xl: '-44px', xxl: '-48px' }, }} > - -

TODO but can reuse most of existing

- {/* */} -
diff --git a/src/locales/el/messages.js b/src/locales/el/messages.js index 1844127e27..0ef76c4b01 100644 --- a/src/locales/el/messages.js +++ b/src/locales/el/messages.js @@ -1 +1 @@ -/*eslint-disable*/module.exports={messages:JSON.parse("{\"+0xecS\":[\"Εάν ΔΕΝ ξεκλειδώσετε εντός \",[\"0\"],\" του παραθύρου ξεκλειδώματος, θα πρέπει να ενεργοποιήσετε ξανά τη διαδικασία ψύξης.\"],\"+EGVI0\":\"Receive (est.)\",\"+VR63W\":[\"Η συμμετοχή σε αυτό το αποθεματικό \",[\"symbol\"],\" δίνει ετήσιες ανταμοιβές.\"],\"+bmKdK\":\"Use your AAVE, stkAAVE, or aAave balance to delegate your voting and proposition powers. You will not be sending any tokens, only the rights to vote and propose changes to the protocol. You can re-delegate or revoke power to self at any time.\",\"+eOPG+\":\"Φαίνεται ότι δεν μπορούμε να αλλάξουμε το δίκτυο αυτόματα. Ελέγξτε αν μπορείτε να το αλλάξετε από το πορτοφόλι.\",\"+i3Pd2\":\"Ανώτατο όριο δανεισμού\",\"+kLZGu\":\"Supplied asset amount\",\"+nuEh/\":\"Estimated time\",\"+xMFF8\":\"Remind me\",\"/57U31\":\"Amount to migrate\",\"/7ykiW\":\"Borrowing this amount will reduce your health factor and increase risk of liquidation.\",\"/YA5pU\":\"E-Mode increases your LTV for a selected category of assets, meaning that when E-mode is enabled, you will have higher borrowing power over assets of the same E-mode category which are defined by Aave Governance. You can enter E-Mode from your <0>Dashboard. To learn more about E-Mode and applied restrictionn, see the <1>help guide or the <2>Aave V3 Technical Paper.\",\"/izjs/\":\"Minimum staked Aave amount\",\"/jQctM\":\"To\",\"/lDBHm\":\"ΣΥΧΝΕΣ ΕΡΩΤΗΣΕΙΣ\",\"/yNlZf\":\"Ο σταθερός δανεισμός δεν είναι ενεργοποιημένος\",\"/yQcJM\":\"Συνολική αξία\",\"00AB2i\":\"Ο χρήστης δεν δανείστηκε το καθορισμένο νόμισμα\",\"00OflG\":\"There is not enough liquidity for the target asset to perform the switch. Try lowering the amount.\",\"08/rZ9\":\"The cooldown period is the time required prior to unstaking your tokens (20 days). You can only withdraw your assets from the Security Module after the cooldown period and within the unstake window.<0>Learn more\",\"0AmQcW\":\"Rate change\",\"0BF3yK\":\"Sorry, we couldn't find the page you were looking for.\",\"0TAbjq\":\"Recent Transactions\",\"0jhlyw\":\"Liquidation risk\",\"0ojY+Y\":\"Current v2 Balance\",\"0thX3P\":\"Collateral change\",\"0wGCWc\":\"Αυτό είναι το συνολικό ποσό που μπορείτε να προμηθεύσετε σε αυτό το αποθεματικό. Μπορείτε να προμηθεύσετε το υπόλοιπο του πορτοφολιού σας μέχρι να επιτευχθεί το ανώτατο όριο προμηθειών.\",\"1AsVfF\":\"Price data is not currently available for this reserve on the protocol subgraph\",\"1LjK22\":\"Transaction history\",\"1Onqx8\":[\"Έγκριση του \",[\"symbol\"],\"...\"],\"1Ue8sX\":\"Παρακαλούμε συνδέστε ένα πορτοφόλι για να δείτε τις προσωπικές σας πληροφορίες εδώ.\",\"1bpx9A\":\"...\",\"1kWUB+\":\"Ρευστοποίηση <0/> κατώτατο όριο\",\"1m9Qqc\":\"Withdrawing and Switching\",\"1oyh4g\":\"Borrow rate\",\"1t7rez\":\"Asset supply is limited to a certain amount to reduce protocol exposure to the asset and to help manage risks involved.\",\"2CAPu2\":\"You've successfully withdrew & switched tokens.\",\"2Eoi/a\":\"Προβολή λεπτομερειών\",\"2FYpfJ\":\"Περισσότερα\",\"2O3qp5\":\"Διαθέσιμη ρευστότητα\",\"2OM8/D\":[\"Asset cannot be migrated due to supply cap restriction in \",[\"marketName\"],\" v3 market.\"],\"2Q4GU4\":\"Blocked Address\",\"2ZGocC\":\"Aave is a fully decentralized, community governed protocol by the AAVE token-holders. AAVE token-holders collectively discuss, propose, and vote on upgrades to the protocol. AAVE token-holders (Ethereum network only) can either vote themselves on new proposals or delagate to an address of choice. To learn more check out the Governance\",\"2a6G7d\":\"Please enter a valid wallet address.\",\"2bAhR7\":\"Meet GHO\",\"2eBWE6\":\"I acknowledge the risks involved.\",\"2o/xRt\":\"Επίτευξη του ανώτατου ορίου εφοδιασμού στο αποθεματικό-στόχο. Δοκιμάστε να \\nμειώσετε την ποσότητα.\",\"2uJToh\":[[\"0\"],[\"name\"]],\"2x58bP\":\"Ο σταθερός δανεισμός είναι ενεργοποιημένος\",\"34Qfwy\":\"Υπέρβαση του ανώτατου ορίου δανεισμού\",\"39eQRj\":[\"Δανεισμός \",[\"symbol\"]],\"3BL1xB\":\"Σύνολο παρεχόμενων\",\"3BnIWi\":\"Switched\",\"3K0oMo\":\"Υπολειπόμενη προσφορά\",\"3MoZhl\":\"Δεν υπάρχουν επαρκείς εξασφαλίσεις για την κάλυψη ενός νέου δανείου\",\"3Np5O8\":[\"Προσφορά \",[\"symbol\"]],\"3O8YTV\":\"Total interest accrued\",\"3mXg0z\":\"Μέγιστο LTV\",\"3q3mFy\":\"Αποπληρωμή\",\"3qsjtp\":\"Ο σταθμισμένος μέσος όρος του APY για όλα τα παρεχόμενα περιουσιακά στοιχεία, συμπεριλαμβανομένων των κινήτρων.\",\"3rL+os\":\"Μπορείτε να αποσύρετε τα περιουσιακά σας στοιχεία από τη Μονάδα Ασφαλείας μόνο αφού λήξει η περίοδος αναμονής και το παράθυρο ξεκλειδώματος είναι ενεργό.\",\"42UgDM\":[\"Migrate to \",[\"0\"],\" v3 Market\"],\"49UFQA\":\"Αποτελέσματα ψηφοφορίας\",\"4DMZUI\":\"View Transactions\",\"4HtGBb\":\"ΜΕΓΙΣΤΟ\",\"4Y5H+g\":\"Terms\",\"4YYh4d\":\"Maximum available to borrow\",\"4iPAI3\":\"Minimum GHO borrow amount\",\"4lDFps\":\"Sign to continue\",\"4wyw8H\":\"Transactions\",\"5JSSxX\":[\"Your \",[\"networkName\"],\" wallet is empty. Get free test assets at\"],\"5K7kGO\":\"τεκμηρίωση\",\"5NOSGa\":\"Debt ceiling limits the amount possible to borrow against this asset by protocol users. Debt ceiling is specific to assets in isolation mode and is denoted in USD.\",\"5Ncc6j\":[\"Αυτό το περιουσιακό στοιχείο έχει σχεδόν φτάσει στο όριο της προσφοράς του. Μόνο \",[\"messageValue\"],\" μπορεί να παρασχεθεί σε αυτή την αγορά.\"],\"5cZ/KX\":\"Η προσφορά μεταβλητού χρέους δεν είναι μηδενική\",\"5che++\":\"Για να ζητήσετε πρόσβαση σε αυτή την αδειοδοτημένη αγορά, επισκεφθείτε την ιστοσελίδα: <0>Όνομα Παρόχου Πρόσβασης\",\"5ctNdV\":[\"Minimum \",[\"0\"],\" received\"],\"5hDe9v\":\"Απαιτούμενη δράση επιδότησης\",\"5rsnKT\":\"Διαθέσιμες ανταμοιβές\",\"5yC5m5\":\"View all votes\",\"6/dCYd\":\"Επισκόπηση\",\"60crCe\":\"All transactions\",\"62Xcjh\":\"Εγγύηση\",\"65A04M\":\"Ισπανικά\",\"6G8s+q\":\"Signing\",\"6Jrv+z\":[\"Αποπληρωμή \",[\"symbol\"]],\"6NGLTR\":\"Discountable amount\",\"6Xr0UU\":\"Ψύξη...\",\"6bxci/\":\"Δύναμη ψήφου\",\"6f8S68\":\"Αγορές\",\"6g1gi0\":\"Προτάσεις\",\"6gvoHP\":\"Copy error message\",\"6h3Q5G\":\"repaid\",\"6lFSyT\":\"Available to Stake\",\"6s8L6f\":\"Αλλαγή Δικτύου\",\"6yAAbq\":\"APY, borrow rate\",\"70wH1Q\":\"APR\",\"72c5Qo\":\"Total\",\"73Auuq\":\"Discount parameters are decided by the Aave community and may be changed over time. Check Governance for updates and vote to participate. <0>Learn more\",\"75qcAQ\":[[\"stepName\"]],\"7ITr5L\":\"Συντελεστής υγείας\",\"7T/o5R\":\"Επιτεύχθηκε\",\"7YlcXu\":\"Fork mode is ON\",\"7Z76Iw\":\"Borrowing is unavailable because you’re using Isolation mode. To manage Isolation mode visit your <0>Dashboard.\",\"7aKlMS\":\"Share on Lens\",\"7er5fP\":\"Διεκδικήστε τα όλα\",\"7hb2+s\":\"Time remaining until the withdraw period ends.\",\"7l88b8\":\"Data couldn't be fetched, please reload graph.\",\"7p5kLi\":\"Ταμπλό\",\"7sofdl\":\"Withdraw and Switch\",\"8+6BI0\":\"Προσοχή - Είστε πολύ κοντά στην ρευστοποίηση. Εξετάστε το ενδεχόμενο να καταθέσετε περισσότερες εγγυήσεις ή να εξοφλήσετε κάποιες από τις δανειακές σας θέσεις\",\"87pUEW\":[\"Το πορτοφόλι σας \",[\"name\"],\" είναι άδειο. Αγοράστε ή μεταφέρετε περιουσιακά στοιχεία.\"],\"8F1i42\":\"Page not found\",\"8G8M0u\":\"Loading data...\",\"8Iu1QS\":\"withdrew\",\"8JL93T\":\"Όλες οι προτάσεις\",\"8Q51DU\":\"Add to wallet\",\"8X/oyn\":\"Μη έγκυρο ποσό για νομισματοκοπία\",\"8Z5FPv\":\"Αποσυνδέστε το πορτοφόλι\",\"8Zz7s5\":\"περιουσιακά στοιχεία\",\"8aLW8H\":\"Balance to revoke\",\"8bOT3H\":\"Ποσοστό χρησιμοποίησης\",\"8sLe4/\":\"View contract\",\"8t/M0y\":\"Please connect your wallet to be able to bridge your tokens.\",\"8vETh9\":\"Εμφάνιση\",\"94OHPx\":\"Εισέρχεστε σε λειτουργία απομόνωσης\",\"9CDK3/\":[\"Ο δανεισμός δεν είναι επί του παρόντος διαθέσιμος για \",[\"0\"],\".\"],\"9GIj3z\":\"Μέγεθος Αποθεματικού\",\"9Knqb4\":\"Staking balance\",\"9OBKm7\":\"Απαρτία\",\"9QHoGr\":\"Τρέχουσες ψήφοι\",\"9Rw96f\":[\"Αυτό το περιουσιακό στοιχείο έχει σχεδόν φτάσει στο όριο δανεισμού του. Υπάρχει μόνο \",[\"messageValue\"],\" διαθέσιμο για δανεισμό από αυτή την αγορά.\"],\"9Xj/qR\":[\"Some migrated assets will not be used as collateral due to enabled isolation mode in \",[\"marketName\"],\" V3 Market. Visit <0>\",[\"marketName\"],\" V3 Dashboard to manage isolation mode.\"],\"9c6vDV\":\"Αυτό το περιουσιακό στοιχείο έχει φτάσει στο όριο της προσφοράς του. Τίποτα δεν είναι διαθέσιμο για προμήθεια από αυτή την αγορά.\",\"9kTWHA\":\"MAI has been paused due to a community decision. Supply, borrows and repays are impacted. <0>More details\",\"9lXchd\":\"Underlying token\",\"9rWaKF\":\"Bridged Via CCIP\",\"9xSooW\":\"Δεδομένου ότι πρόκειται για ένα δοκιμαστικό δίκτυο, μπορείτε να αποκτήσετε οποιοδήποτε από τα περιουσιακά στοιχεία αν έχετε ETH στο πορτοφόλι σας\",\"A/lwoe\":\"Choose one of the on-ramp services\",\"A6dCI6\":[\"Maximum amount available to borrow is <0/> \",[\"0\"],\" (<1/>).\"],\"AReoaV\":\"Τα δάνεια σας\",\"ARu1L4\":\"Repaid\",\"AV7cGz\":\"Αναθεώρηση λεπτομερειών έγκρισης συναλλαγής\",\"AZOjB8\":\"Fetching data...\",\"Ai0jas\":\"Join the community discussion\",\"Ajl2rq\":\"Η δύναμη δανεισμού και τα περιουσιακά στοιχεία είναι περιορισμένα λόγω της λειτουργίας απομόνωσης.\",\"AqgYNC\":\"Protocol borrow cap at 100% for this asset. Further borrowing unavailable.\",\"B3EcQR\":\"Thank you for voting!!\",\"B6aXGH\":\"Σταθερό\",\"B9Gqbz\":\"Variable rate\",\"BDFEd+\":\"stETH supplied as collateral will continue to accrue staking rewards provided by daily rebases.\",\"BE2mP0\":\"Borrowed assets\",\"BJyN77\":\"Due to health factor impact, a flashloan is required to perform this transaction, but Aave Governance has disabled flashloan availability for this asset. Try lowering the amount or supplying additional collateral.\",\"BNL4Ep\":\"Η χρήση εγγύησης είναι περιορισμένη λόγω της λειτουργίας απομόνωσης. <0>Μάθετε περισσότερα\",\"BQ/wCO\":\"Migrate your assets\",\"BjLdl1\":\"At a discount\",\"BnhYo8\":\"Κατηγορία περιουσιακών στοιχείων\",\"Bq9Y7e\":\"This asset is frozen due to an Aave community decision. <0>More details\",\"BqWMDJ\":\"Βρύση\",\"BqynZO\":\"Optimized for efficiency and risk by supporting blue-chip collateral assets\",\"Bsu7zX\":\"The fee includes the gas cost to complete the transaction on the destination chain and the fee paid to Chainlink CCIP service providers. You can chose to pay in the network token or GHO. <0>Learn more\",\"BwJKBw\":\"of\",\"CDrsH+\":\"Techpaper\",\"CK1KXz\":\"Μεγιστο\",\"CMHmbm\":\"Slippage\",\"CZXzs4\":\"Greek\",\"CcRNG6\":\"Switching\",\"CkTRmy\":[\"Διεκδίκηση \",[\"symbol\"]],\"CsqtLm\":\"Please connect your wallet to see migration tool.\",\"CtGlFb\":[[\"networkName\"],\" Βρύση\"],\"Cxt2YY\":\"Watch wallet\",\"D33VQU\":\"This action will reduce health factor of V3 below liquidation threshold. Increase migrated collateral or reduce migrated borrow to continue.\",\"D9BLRG\":\"This asset has been paused due to a community decision. Supply, withdraw, borrows and repays are impacted.\",\"DAma/S\":\"Η εγγύηση είναι (ως επί το πλείστον) το ίδιο νόμισμα που δανείζεται\",\"DCnFg0\":[\"Addresses (\",[\"0\"],\")\"],\"DG3Lv1\":\"I fully understand the risks of migrating.\",\"DONJcV\":\"Το υποκείμενο περιουσιακό στοιχείο δεν μπορεί να διασωθεί\",\"DR+4uL\":\"Supply balance after switch\",\"DWjrck\":[\"Asset cannot be migrated to \",[\"marketName\"],\" V3 Market due to E-mode restrictions. You can disable or manage E-mode categories in your <0>V3 Dashboard\"],\"Dj+3wB\":\"Aave ανά μήνα\",\"DptNvx\":\"Amount Staked\",\"DuEq2K\":\"Εξασφάλιση\",\"DxfsGs\":\"You can report incident to our <0>Discord or<1>Github.\",\"Dzma+E\":\"Main Ethereum market with the largest selection of assets and yield options\",\"E/QGRL\":\"Απενεργοποιημένο\",\"EBL9Gz\":\"COPIED!\",\"ES8dkb\":\"Fixed rate\",\"EZd3Dk\":[\"Restaking \",[\"symbol\"]],\"Ebgc76\":[\"Ανάληψη \",[\"symbol\"]],\"EdQY6l\":\"Κανένα\",\"EjvKQ+\":\"Minimum USD value received\",\"Enslfm\":\"Destination\",\"EvE9nO\":[\"Reactivate cooldown period to unstake \",[\"0\"],\" \",[\"stakedToken\"]],\"EvECnL\":\"Migrate to v3\",\"EzMQbh\":\"The source chain time to finality is the main factor that determines the time to destination. <0>Learn more\",\"F40cwT\":\"Legacy Markets\",\"F6TdXL\":\"Μάθετε περισσότερα.\",\"FDDPeZ\":\"Users can stake their assets in the protocol and earn incentives. In the case of a shortfall event, your stake can be slashed to cover the deficit, providing an additional layer of protection for the protocol.\",\"FHlMf/\":\"Current v2 balance\",\"FHpxjF\":[\"Reserve factor is a percentage of interest which goes to a \",[\"0\"],\" that is controlled by Aave governance to promote ecosystem growth.\"],\"FOBZa6\":\"Δανεισμός χρησιμοποιημένης ισχύος\",\"FPKEug\":\"Η λειτουργία δεν υποστηρίζεται\",\"FbmMe7\":\"Linked addresses\",\"Fdp03t\":\"ενεργοποίηση\",\"Fjw9N+\":\"Περιουσιακά στοιχεία προς προμήθεια\",\"FmN0fk\":\"Restake\",\"GDGLIs\":\"GHO is a native decentralized, collateral-backed digital asset pegged to USD. It is created by users via borrowing against multiple collateral. When user repays their GHO borrow position, the protocol burns that user's GHO. All the interest payments accrued by minters of GHO would be directly transferred to the AaveDAO treasury.\",\"GQrBTq\":\"Switch E-Mode\",\"GWswcZ\":\"This asset is frozen due to an Aave Protocol Governance decision. On the 20th of December 2022, renFIL will no longer be supported and cannot be bridged back to its native network. It is recommended to withdraw supply positions and repay borrow positions so that renFIL can be bridged back to FIL before the deadline. After this date, it will no longer be possible to convert renFIL to FIL. <0>More details\",\"GX8GKD\":\"Περιουσιακά Στοιχεία\",\"GgEj+0\":\"Read-only mode. Connect to a wallet to perform transactions.\",\"GjkIKV\":\"τελειώνει\",\"GoK/QN\":\"Thank you for submitting feedback!\",\"GtP2hp\":[\"Ο δανεισμός δεν είναι διαθέσιμος επειδή έχετε ενεργοποιήσει τη λειτουργία Αποδοτικότητας (E-Mode) για την κατηγορία \",[\"0\"],\". Για να διαχειριστείτε τις κατηγορίες E-Mode επισκεφθείτε τον <0>Πίνακα ελέγχου.\"],\"H6Ma8Z\":\"Discount\",\"HB/wfS\":[[\"tooltipText\"]],\"HKDsQN\":\"Rewards can be claimed through\",\"Ha/U5f\":\"This is a program initiated and implemented by the decentralised ZKSync community. Aave Labs does not guarantee the program and accepts no liability.\",\"HciqKU\":\"This is a program initiated and implemented by the decentralised Aave community. Aave Labs does not guarantee the program and accepts no liability.\",\"Hi6Ttn\":\"Sorry, an unexpected error happened. In the meantime you may try reloading the page, or come back later.\",\"HkEDbS\":[[\"d\"],\"η\"],\"HmkYqM\":\"Παράθυρο ξεκλειδώματος\",\"HpK/8d\":\"Reload\",\"HrnC47\":\"Save and share\",\"HuVZMK\":\"Days\",\"HvJKMU\":[\"Asset cannot be migrated to \",[\"marketName\"],\" v3 Market since collateral asset will enable isolation mode.\"],\"Hvwnm9\":[\"Maximum amount available to supply is limited because protocol supply cap is at \",[\"0\"],\"%.\"],\"I8CX2c\":\"Το συνολικό ποσό των περιουσιακών σας στοιχείων σε δολάρια ΗΠΑ που μπορούν να χρησιμοποιηθούν ως εγγύηση για δανεισμό περιουσιακών στοιχείων.\",\"IAD2SB\":[\"Claiming \",[\"symbol\"]],\"IG9X9/\":\"Borrowing of this asset is limited to a certain amount to minimize liquidity pool insolvency.\",\"IOIx8L\":\"This asset is planned to be offboarded due to an Aave Protocol Governance decision. <0>More details\",\"IP+I/j\":\"Περίοδος ψύξης\",\"IaA40H\":\"Ρευστοποίηση στο\",\"J/hVSQ\":[[\"0\"]],\"JCoxL6\":\"Manage analytics\",\"JK9zf1\":[\"Estimated compounding interest, including discount for Staking \",[\"0\"],\"AAVE in Safety Module.\"],\"JOqFba\":[\"Unstaking \",[\"symbol\"]],\"JPrLjO\":\"Δεν μπορείτε να χρησιμοποιήσετε αυτό το νόμισμα ως εγγύηση\",\"JU6q+W\":\"Ανταμοιβή(ες) προς διεκδίκηση\",\"JYKRJS\":\"Κλειδώστε\",\"JZMxX0\":\"Δεν υπάρχει αρκετό υπόλοιπο στο πορτοφόλι σας\",\"Jgflkm\":\"Get GHO\",\"JoMQnI\":\"Υπόλοιπο πορτοφολιού\",\"JtwD8u\":\"Borrow balance after repay\",\"JumYTK\":\"Supplied assets\",\"K05qZY\":\"Withdraw & Switch\",\"KAz/NV\":\"Protocol debt ceiling is at 100% for this asset. Further borrowing against this asset is unavailable.\",\"KLXVqE\":[\"stETH tokens will be migrated to Wrapped stETH using Lido Protocol wrapper which leads to supply balance change after migration: \",[\"0\"]],\"KLd6ky\":\"Use connected account\",\"KRpokz\":\"VIEW TX\",\"KSlpka\":\"Αυτό αντιπροσωπεύει το κατώτατο όριο στο οποίο μια θέση δανεισμού θα θεωρηθεί υποεγγυημένη και θα υπόκειται σε ρευστοποίηση για κάθε εγγύηση. Για παράδειγμα, εάν μια εγγύηση έχει κατώτατο όριο ρευστοποίησης 80%, αυτό σημαίνει ότι η θέση θα ρευστοποιηθεί όταν η αξία του χρέους ανέρχεται στο 80% της αξίας της εγγύησης.\",\"KYAjf3\":\"Απομονωμένο\",\"KZwRuD\":[[\"notifyText\"]],\"KkPgim\":\"Switching E-Mode\",\"KnN1Tu\":\"Λήγει\",\"KoOBI2\":\"Due to internal stETH mechanics required for rebasing support, it is not possible to perform a collateral switch where stETH is the source token.\",\"KojyJ4\":\"Λάθος δίκτυο\",\"KsqhWn\":\"Κλείδωμα\",\"KuBTQq\":\"Εισάγετε διεύθυνση ETH\",\"KvG1xW\":\"Διεκδίκηση\",\"L+8Lzs\":\"Τρέχον LTV\",\"L+qiq+\":\"Αγορά\",\"LDzfVJ\":\"Send Feedback\",\"LIrMcF\":\"Δεν υπάρχει δικαίωμα ψήφου\",\"LL0zks\":\"Μπορεί να αποτελέσει εγγύηση\",\"LLdJWu\":\"Διεκδικήσιμο AAVE\",\"LSIpNK\":\"Δεν επιτρέπεται ο δανεισμός και η αποπληρωμή στο ίδιο block\",\"LVt3TI\":[\"<0>Slippage tolerance <1>\",[\"selectedSlippage\"],\"% <2>\",[\"0\"],\"\"],\"LjafV8\":\"Maximum collateral amount to use\",\"LtpQew\":\"Let us know how we can make the app better for you. For user support related inquiries please reach out on\",\"LvVpD/\":\"Emode\",\"M2sknc\":\"Tip: Try increasing slippage or reduce input amount\",\"M7wPsD\":\"Switch\",\"MFu33y\":\"Staking 00\",\"MIy2RJ\":\"Maximum amount received\",\"MZ/nQf\":\"Διεύθυνση παραλήπτη\",\"Ma/MtY\":\"προβολή κλειδώματος\",\"McHlGl\":\"APY change\",\"MeCCA+\":\"APY, μεταβλητό\",\"MghdTe\":\"Εάν ο συντελεστής υγείας πέσει κάτω από το 1, ενδέχεται να ενεργοποιηθεί η ρευστοποίηση των εγγυήσεών σας.\",\"Mm/DVQ\":\"Ακυρώσατε τη συναλλαγή.\",\"MnE2QX\":\"Borrow info\",\"MrmQHg\":\"View Bridge Transactions\",\"MuDFEQ\":\"Μη έγκυρη τιμή επιστροφής της συνάρτησης εκτελεστή flashloan\",\"N5kUMV\":\"Asset can be only used as collateral in isolation mode with limited borrowing power. To enter isolation mode, disable all other collateral.\",\"N6Pxr9\":\"View all\",\"NF0e1Q\":\"Εκκρεμεί...\",\"NK9ikO\":\"Wallet Balance\",\"NMt2CB\":\"Amount claimable\",\"NcFGxG\":\"Collector Contract\",\"NfpPeS\":\"Τίποτα κλειδωμένο\",\"Nh9DAo\":[[\"m\"],\"λ\"],\"O+sCUU\":\"Υπέρβαση του ανώτατου ορίου νομισματοκοπείου χωρίς αντίκρισμα\",\"O+tyU+\":[\"Maximum amount available to borrow against this asset is limited because debt ceiling is at \",[\"0\"],\"%.\"],\"O3oNi5\":\"Email\",\"OFjZGo\":\"Unstake\",\"OR8cYX\":\"Επισκόπηση πρότασης\",\"OYuJ9K\":\"Protocol debt ceiling is at 100% for this asset. Futher borrowing against this asset is unavailable.\",\"OfhWJH\":\"Reset\",\"Og2SKn\":\"απενεργοποιημένο\",\"On0aF2\":\"Website\",\"OsyKSt\":\"Ανάληψη\",\"P1dURE\":\"Revoke power\",\"P2WCD/\":[\"Underlying asset does not exist in \",[\"marketName\"],\" v3 Market, hence this position cannot be migrated.\"],\"P2sL6B\":\"Όταν πραγματοποιείται ρευστοποίηση, οι ρευστοποιητές επιστρέφουν έως και το 50% του ανεξόφλητου δανεισμένου ποσού για λογαριασμό του δανειολήπτη. Σε αντάλλαγμα, μπορούν να αγοράσουν τις εξασφαλίσεις με έκπτωση και να κρατήσουν τη διαφορά (ποινή ρευστοποίησης) ως μπόνους.\",\"P6sRoL\":\"Stake ABPT\",\"P72/OW\":\"Ο σταθμισμένος μέσος όρος του APY για όλα τα δανειακά περιουσιακά στοιχεία, συμπεριλαμβανομένων των κινήτρων.\",\"P7e6Ug\":\"Please connect your wallet to view transaction history.\",\"PByO0X\":\"Votes\",\"PI+kVe\":\"Disable fork\",\"PJK9u/\":\"Borrow apy\",\"PLUB/s\":\"Fee\",\"PP5ZA8\":[\"Participating in staking \",[\"symbol\"],\" gives annualized rewards. Your wallet balance is the sum of your aTokens and underlying assets. The breakdown to stake is below\"],\"PcBUgb\":\"Κατώτατο όριο ρευστοποίησης\",\"PjU6bu\":\"This asset is eligible for SPK incentive program. Aave Labs does not guarantee the program and accepts no liability.\",\"PpqD5g\":\"Η ενεργοποίηση αυτού του περιουσιακού στοιχείου ως εγγύηση αυξάνει τη δανειοληπτική σας ικανότητα και τον Συντελεστή Υγείας. Ωστόσο, μπορεί να ρευστοποιηθεί εάν ο συντελεστής υγείας σας πέσει κάτω από το 1.\",\"PsOFSf\":\"This action will reduce V2 health factor below liquidation threshold. retain collateral or migrate borrow position to continue.\",\"Pu4bI/\":[[\"currentMethod\"]],\"Q0LzKi\":\"View TX\",\"Q4eNqa\":\"The Aave Balancer Pool Token (ABPT) is a liquidity pool token. You can receive ABPT by depositing a combination of AAVE + wstETH in the Balancer liquidity pool. You can then stake your BPT in the Safety Module to secure the protocol and earn Safety Incentives.\",\"QQYsQ7\":\"Withdrawing\",\"QWYCs/\":\"Stake GHO\",\"R+30X3\":\"Δεν έχει επιτευχθεί\",\"RCU5PY\":\"Age\",\"RIfckG\":[\"Απενεργοποίηση \",[\"symbol\"],\" ως εγγύηση\"],\"RMtxNk\":\"Διαφορικό\",\"RNK49r\":\"Μη έγκυρη υπογραφή\",\"RS0o7b\":\"Κατάσταση\",\"RU+LqV\":\"Λεπτομέρειες πρότασης\",\"RYTgZX\":\"lorem ipsum\",\"RbXH+k\":\"AAVE, GHO, and ABPT holders (Ethereum network only) can stake their assets in the Safety Module to add more security to the protocol and earn Safety Incentives. In the case of a shortfall event, your stake can be slashed to cover the deficit, providing an additional layer of protection for the protocol.\",\"RiSYV4\":\"Το περιουσιακό στοιχείο δεν περιλαμβάνεται στον κατάλογο\",\"Rj01Fz\":\"Σύνδεσμοι\",\"RmWFEe\":\"Κλείδωμα APR\",\"RoafuO\":\"Send feedback\",\"RtBLm7\":\"Ο συντελεστής υγείας είναι μικρότερος από το όριο ρευστοποίησης\",\"RxzN1M\":\"Ενεργοποιημένο\",\"SDav7h\":\"Κεφάλαια στην Μονάδα Ασφάλειας\",\"SENccp\":\"If the error continues to happen,<0/> you may report it to this\",\"SIWumd\":\"Show Frozen or paused assets\",\"SM58dD\":\"Amount in cooldown\",\"SSMiac\":\"Failed to load proposal voters. Please refresh the page.\",\"SSQVIz\":\"Liquidation Threshold\",\"SUb8x0\":\"Σύνολο διαθέσιμων\",\"SWIgh4\":\"Fees exceed wallet balance\",\"SY9hVo\":\"Read-only mode allows to see address positions in Aave, but you won't be able to perform transactions.\",\"SZRUQ4\":\"Max slippage\",\"Sa1UE/\":\"Protocol borrow cap is at 100% for this asset. Further borrowing unavailable.\",\"Sk2zW9\":\"Απενεργοποίηση E-Mode\",\"SxaD0o\":\"Ο πάροχος διευθύνσεων κοινόχρηστων ταμείων δεν είναι εγγεγραμμένος\",\"T/AIqG\":\"Protocol supply cap at 100% for this asset. Further supply unavailable.\",\"T0xCO9\":\"Can't validate the wallet address. Try again.\",\"T4OhVl\":\"GHO balance\",\"T6uYU2\":\"Δανεισμός\",\"TFxQlw\":\"Ποινή ρευστοποίησης\",\"TQ7WsV\":\"Available to stake\",\"TUI7iB\":\"To περιουσιακό στοιχείο μπορεί να χρησιμοποιηθεί ως εγγύηση μόνο σε λειτουργία απομόνωσης.\",\"TbjyhA\":\"Docs\",\"TduuS0\":\"Ο χρήστης δεν έχει ανεξόφλητο χρέος σταθερού επιτοκίου σε αυτό το αποθεματικό\",\"TeCFg/\":\"Borrow rate change\",\"Tg1JyO\":\"Bridge history\",\"TskbEN\":\"Holders of stkAAVE receive a discount on the GHO borrowing rate\",\"TszKts\":\"Borrow balance after switch\",\"TtZL6q\":\"Discount model parameters\",\"TwJI9F\":\"Asset has been successfully sent to CCIP contract. You can check the status of the transactions below\",\"Tz0GSZ\":\"blocked activities\",\"U/eBjN\":\"Reload the page\",\"U2r8nY\":\"Choose how much voting/proposition power to give to someone else by delegating some of your AAVE, stkAAVE or aAave balance. Your tokens will remain in your account, but your delegate will be able to vote or propose on your behalf. If your AAVE, stkAAVE or aAave balance changes, your delegate's voting/proposition power will be automatically adjusted.\",\"U8IubP\":\"The app is running in testnet mode. Learn how it works in\",\"U9btTk\":\"Το περιουσιακό στοιχείο δεν είναι δανείσιμο σε λειτουργία απομόνωσης\",\"UAOZRe\":\"Price impact is the spread between the total value of the entry tokens switched and the destination tokens obtained (in USD), which results from the limited liquidity of the trading pair.\",\"UE3KJZ\":\"Transaction history is not currently available for this market\",\"URmyfc\":\"Λεπτομέρειες\",\"UTTKmT\":\"Stake cooldown activated\",\"UXeR72\":\"Τα κεφάλαια αυτά έχουν δανειστεί και δεν είναι διαθέσιμα για ανάληψη αυτή τη στιγμή.\",\"UYb8CM\":\"Learn more about the SPK rewards\",\"UbRrG0\":\"Ο δείκτης μέγιστου LTV αντιπροσωπεύει τη μέγιστη δανειοληπτική ικανότητα μιας συγκεκριμένης εγγύησης. Για παράδειγμα, εάν μια εγγύηση έχει LTV 75%, ο χρήστης μπορεί να δανειστεί έως και 0,75 ETH στο κύριο νόμισμα για κάθε 1 ETH αξίας εγγύησης.\",\"UpndFj\":\"Δεν υπάρχουν ανταμοιβές για διεκδίκηση\",\"V0f2Xv\":\"Reserve factor\",\"V1HK43\":\"Migration risks\",\"VATFH9\":\"Covered debt\",\"VHOVEJ\":\"Συνδέστε το πορτοφόλι\",\"VMfYUK\":\"Ασφάλεια των κατατεθειμένων εξασφαλίσεών σας έναντι των δανειζόμενων περιουσιακών στοιχείων και της υποκείμενης αξίας τους.\",\"VOAZJh\":\"Σύνολο δανείων\",\"ViKYxK\":\"ΥΠΕΡ\",\"W1SSoD\":\"Αναθεώρηση λεπτομερειών συναλλαγής\",\"W5hVah\":\"Τίποτα δεν έχει παρασχεθεί ακόμη\",\"W5kTFy\":\"Voting\",\"W8ekPc\":\"Back to Dashboard\",\"WMPbRK\":\"Μη υποστηριζόμενο\",\"WNGZwH\":\"Το E-Mode αυξάνει το LTV σας για μια επιλεγμένη κατηγορία περιουσιακών στοιχείων έως και <0/>. <1>Μάθετε περισσότερα\",\"WPWG/y\":\"Κατάσταση & διαμόρφωση αποθεματικού\",\"WZLQSU\":\"Ο χρήστης δεν μπορεί να κάνει ανάληψη μεγαλύτερη από το διαθέσιμο υπόλοιπο\",\"WaZyaV\":\"<0>Ampleforth is a rebasing asset. Visit the <1>documentation to learn more.\",\"WfU+XN\":\"Because this asset is paused, no actions can be taken until further notice\",\"Wjmqs2\":\"No results found. You can import a custom token with a contract address\",\"WkZ6C6\":\"Για να δανειστείτε πρέπει να προσκομίσετε οποιοδήποτε περιουσιακό στοιχείο που θα χρησιμοποιηθεί ως εγγύηση.\",\"WyMiQm\":\"You've successfully switched tokens.\",\"X/ITG9\":\"Κείμενο σφάλματος αντιγραφής\",\"X3Pp6x\":\"Χρησιμοποιείται ως εγγύηση\",\"X4Zt7j\":\"Η ενέργεια δεν μπορεί να εκτελεστεί επειδή η εφεδρεία βρίσκεται σε παύση\",\"XBdKOj\":\"Representative smart contract wallet (ie. Safe) addresses on other chains.\",\"XZzneG\":\"Θα βγείτε από τη λειτουργία απομόνωσης και άλλα tokens μπορούν πλέον να χρησιμοποιηθούν ως εγγύηση\",\"Xg5y9S\":\"Amount to Bridge\",\"Xn4hUi\":\"Please always be aware of your <0>Health Factor (HF) when partially migrating a position and that your rates will be updated to V3 rates.\",\"Xy71ST\":\"Umbrella\",\"Y5kGkc\":\"ΨΗΦΙΣΤΕ ΚΑΤΑ\",\"YDIOks\":\"Ενεργοποίηση E-Mode\",\"YSodyW\":\"This action will reduce your health factor. Please be mindful of the increased risk of collateral liquidation.\",\"YXOWXM\":\"The total amount bridged minus CCIP fees. Paying in network token does not impact gho amount.\",\"YirHq7\":\"Feedback\",\"YogbCJ\":\"Testnet mode is ON\",\"YrDxdO\":\"Εάν το δάνειο προς αξία υπερβεί το όριο ρευστοποίησης, η παρεχόμενη εγγύηση σας μπορεί να ρευστοποιηθεί.\",\"YyIM65\":\"Δεν τηρήθηκαν οι όροι επανεξισορρόπησης των επιτοκίων\",\"YyydIq\":[\"Add \",[\"0\"],\" to wallet to track your balance.\"],\"ZBvhI+\":\"Διακυβέρνηση Aave\",\"ZIIRAd\":\"Raw-Ipfs\",\"ZRq4tX\":\"Λειτουργία αποδοτικότητας (E-Mode)\",\"ZSqEW+\":\"Manage E-Mode\",\"ZUFYFE\":\"Disable testnet\",\"Zbyywy\":\"Μέγιστη περικοπή\",\"ZfUGFb\":\"Πριν από την προμήθεια\",\"ZiXN+B\":\"Assets to stake\",\"ZlsSDH\":\"Αξία ρευστοποίησης\",\"ZrEc8j\":\"We couldn't find any assets related to your search. Try again with a different asset name, symbol, or address.\",\"ZsLF7e\":\"ενεργοποιημένο\",\"a0YQoQ\":\"Enter a valid address\",\"a2fBZn\":\"Χρόνος που απομένει για το ξεκλείδωμα\",\"a5RYZd\":\"Η απενεργοποίηση αυτού του περιουσιακού στοιχείου ως εγγύηση επηρεάζει τη δανειοληπτική σας ικανότητα και τον Συντελεστή Υγείας.\",\"a7u1N9\":\"Price\",\"a9D+6D\":\"Unstaked\",\"aEtiwq\":\"Ψηφίστε ΚΑΤΑ\",\"aMmFE1\":\"Buy Crypto With Fiat\",\"aOKIms\":\"Οι παράμετροι της συστοιχίας που θα έπρεπε να είναι ίσου μήκους δεν είναι\",\"aX31hk\":\"Your balance is lower than the selected amount.\",\"adUsDd\":\"An error has occurred fetching the proposal.\",\"al6Pyz\":\"Exceeds the discount\",\"aoXTT7\":\"Δανεισμός APY, μεταβλητό\",\"aqX1Yp\":\"This asset is eligible for rewards through SuperFest. Aave Labs does not guarantee the program and accepts no liability.\",\"avgETN\":\"Eligible for the Merit program.\",\"b4NS3e\":\"Προειδοποίηση περιόδου ψύξης\",\"bNEQeI\":\"Cooldown\",\"bSruit\":\"ZKSync Ignite Program rewards are claimed through the\",\"bUUVED\":\"Περιουσιακό στοιχείο\",\"bXQ/Og\":\"Μοιραστείτε το στο twitter\",\"bXr0ee\":\"Τα απομονωμένα περιουσιακά στοιχεία έχουν περιορισμένη δανειοληπτική ικανότητα και άλλα περιουσιακά στοιχεία δεν μπορούν να χρησιμοποιηθούν ως εγγύηση.\",\"bYmAV1\":\"Addresses\",\"bguKoJ\":\"Το αιτούμενο ποσό είναι μεγαλύτερο από το μέγιστο μέγεθος δανείου στη λειτουργία σταθερού επιτοκίου\",\"bwSQI0\":\"Προσφορά\",\"bxN6EM\":\"Cannot disable E-Mode\",\"bxmzSh\":\"Δεν υπάρχουν επαρκείς εγγυήσεις για την αποπληρωμή αυτού του ποσού χρέους με\",\"c91vuQ\":\"Η διεύθυνση δεν είναι συμβόλαιο\",\"c97os2\":\"Aave aToken\",\"c9b44w\":\"Δεν μπορείτε να αποσύρετε αυτό το ποσό, διότι θα προκληθεί κλήση εγγύησης\",\"cBc+4A\":\"Αυτό είναι το συνολικό ποσό που μπορείτε να δανειστείτε. Μπορείτε να δανειστείτε με βάση την εξασφάλισή σας και μέχρι να επιτευχθεί το ανώτατο όριο δανεισμού.\",\"cIl5kp\":\"Your voting power is based on your AAVE/stkAAVE balance and received delegations.\",\"cLo09S\":\"Λεπτομέρειες κινδύνου\",\"cNT+ij\":\"Ο δανεισμός δεν είναι διαθέσιμος επειδή έχετε ενεργοποιήσει τη Λειτουργία Αποδοτικότητας (E-Mode) και τη λειτουργία Απομόνωσης. Για να διαχειριστείτε τη λειτουργία E-Mode και τη λειτουργία Απομόνωσης, επισκεφθείτε τον <0>Πίνακα ελέγχου.\",\"cZOeBk\":\"Something went wrong fetching bridge message, please try again later.\",\"ceix5S\":\"To submit a proposal for minor changes to the protocol, you'll need at least 80.00K power. If you want to change the core code base, you'll need 320k power.<0>Learn more.\",\"ciybUa\":\"Ψηφίστε ΥΠΕΡ\",\"ckf7gX\":[\"Αποπληρώνοντας \",[\"symbol\"]],\"cp1ZDP\":[\"Bridge \",[\"symbol\"]],\"cqnmnD\":\"Effective interest rate\",\"cqwIvs\":\"Συζήτηση φόρουμ\",\"csDS2L\":\"Διαθέσιμο\",\"cu7Stb\":\"Δεν συμμετείχατε στην παρούσα πρόταση\",\"dE6BLF\":\"Διακυβέρνηση\",\"dEgA5A\":\"Cancel\",\"dIsyWh\":\"Η επικύρωση του Ltv απέτυχε\",\"dMtLDE\":\"to\",\"dOB5nW\":[\"Maximum amount available to supply is <0/> \",[\"0\"],\" (<1/>).\"],\"dVfODp\":\"Δεν έχετε αρκετά χρήματα στο πορτοφόλι σας για να αποπληρώσετε ολόκληρο το ποσό. Εάν προχωρήσετε στην αποπληρωμή με το τρέχον ποσό των χρημάτων σας, θα εξακολουθείτε να έχετε μια μικρή θέση δανεισμού στο ταμπλό σας.\",\"dXUQFX\":\"Περιουσιακά στοιχεία προς δανεισμό\",\"dgr1aY\":\"Borrowing is disabled due to an Aave community decision. <0>More details\",\"djsg0o\":\"Χρησιμοποίηση εγγυήσεων\",\"dpc0qG\":\"Μεταβλητό\",\"drdV8R\":\"Liquidation\",\"dxW8cS\":\"Aave debt token\",\"e4V3oW\":\"Top 10 addresses\",\"eD8WX/\":\"Η δράση απαιτεί ενεργό απόθεμα\",\"eJRJ04\":\"Amount to unstake\",\"eLh0cL\":\"Slippage is the difference between the quoted and received amounts from changing market conditions between the moment the transaction is submitted and its verification.\",\"ePK91l\":\"Edit\",\"eVpCmf\":\"Staking Rewards\",\"eVqvtf\":\"Bridge GHO\",\"eYdurp\":\"No transactions yet.\",\"ebLGGN\":\"Σύνολο δανεικών\",\"ecqEvn\":\"Το υπόλοιπο των εγγυήσεων είναι 0\",\"efdrrk\":\"Available on\",\"enruNF\":\"starts\",\"eqLYiD\":\"Ξεκλειδώστε τώρα\",\"euScGB\":\"APY with discount applied\",\"evw5ha\":\"Καθαρή αξία\",\"ezcU16\":\"Get ABP Token\",\"f3W0Ej\":[\"Αλλάξατε σε ποσοστό \",[\"0\"]],\"fH9i8k\":\"You've successfully switched borrow position.\",\"fHcELk\":\"Καθαρό APR\",\"fMJQZK\":\"Borrowed\",\"fZ5Vnu\":\"Received\",\"firl9Q\":\"Το τρέχον δάνειο προς αξία με βάση τις παρεχόμενες εξασφαλίσεις σας.\",\"flRCF/\":\"Staking discount\",\"fldjW9\":\"Preview tx and migrate\",\"fsBGk0\":\"Υπόλοιπο\",\"fu1Dbh\":[\"Ανάληψη \",[\"symbol\"]],\"fwjWSI\":\"Supplied\",\"fwyTMb\":\"Migrate to stkABPT v2\",\"g0mals\":\"You can not disable E-Mode because that could cause liquidation. To exit E-Mode supply or repay borrowed positions.\",\"g2UNkE\":\"Powered by\",\"g8KGoA\":\"FAQS\",\"g9zzqS\":\"Voted NAY\",\"gDd2gk\":\"about SuperFest.\",\"gFFh9h\":\"Όλα έτοιμα!\",\"gIMJlW\":\"Λειτουργία Testnet\",\"gOzPxe\":\"This asset is frozen due to an Aave Protocol Governance decision. <0>More details\",\"gTHi2T\":\"Ο χρήστης προσπαθεί να δανειστεί πολλαπλά περιουσιακά στοιχεία, συμπεριλαμβανομένου ενός απομονωμένου περιουσιακού στοιχείου\",\"gVW59Y\":\"Please connect your wallet to get free testnet assets.\",\"gcFNxP\":\"Approve Confirmed\",\"gncRUO\":\"This address is blocked on app.aave.com because it is associated with one or more\",\"goff7V\":\"Η μηδενική διεύθυνση δεν είναι έγκυρη\",\"gp+f1B\":\"Version 3\",\"gr8mYw\":\"You may borrow up to <0/> GHO at <1/> (max discount)\",\"gvTM4B\":\"Το καθαρό ΑΡΥ είναι η συνδυασμένη επίδραση όλων των θέσεων προσφοράς και δανεισμού στην καθαρή αξία, συμπεριλαμβανομένων των κινήτρων. Είναι δυνατόν να υπάρχει αρνητικό καθαρό APY εάν το χρεωστικό APY είναι υψηλότερο από το προσφερόμενο APY.\",\"gzcch9\":\"Μη έγκυρη αμοιβή πρωτοκόλλου γέφυρας\",\"h33MxW\":\"Representing smart contract wallet (ie. Safe) addresses on other chains.\",\"h3ilK+\":\".CSV\",\"hB23LY\":\"Activate Cooldown\",\"hIJzBh\":\"Available to Claim\",\"hIS4N0\":\"Καθαρό APY\",\"hRWvpI\":\"Claimed\",\"hdmy/o\":\"Το % της συνολικής δανειοληπτικής σας δύναμης που χρησιμοποιείται. Αυτό βασίζεται στο ποσό της παρεχόμενης εξασφάλισής σας και στο συνολικό ποσό που μπορείτε να δανειστείτε.\",\"hehnjM\":\"Ποσό\",\"hjDCQr\":\"Υπήρξε κάποιο σφάλμα. Προσπαθήστε να αλλάξετε τις παραμέτρους ή <0><1>αντιγράψτε το σφάλμα\",\"hom7qf\":\"Διεκδίκηση\",\"hpHJ4I\":\"Liquidated collateral\",\"hpuVIp\":\"Users who stake AAVE in Safety Module (i.e. stkAAVE holders) receive a discount on GHO borrow interest rate.\",\"huQ6Tz\":[\"Δανεισμός \",[\"symbol\"]],\"hxi7vE\":\"Borrow balance\",\"i/fZ2Z\":\"Staked Balance\",\"i2JTiw\":\"You may enter a custom amount in the field.\",\"iB5+/J\":\"About GHO\",\"iChbOF\":\"Ασυνεπείς παράμετροι flashloan\",\"iEPVHF\":\"Δεν έχει αρκετή δύναμη ψήφου για να συμμετάσχει στην παρούσα πρόταση\",\"iEW87X\":\"Delegated power\",\"iEju36\":[\"Ψηφίσατε \",[\"0\"]],\"iFq2YN\":\"Borrowable\",\"iGxyIA\":\"Safety Module\",\"iMVZk9\":\"Select slippage tolerance\",\"iPMIoT\":\"Εισάγετε ένα ποσό\",\"iSLIjg\":\"Connect\",\"iUo5rv\":\"tokens δεν είναι το ίδιο με το να τα κλειδώνετε. Εάν επιθυμείτε να κλειδώσετε τα\",\"iZxa38\":\"Use it to vote for or against active proposals.\",\"if5PH+\":\"Collector Info\",\"igkfR1\":[\"In Isolation mode, you cannot supply other assets as collateral. A global debt ceiling limits the borrowing power of the isolated asset. To exit isolation mode disable \",[\"0\"],\" as collateral before borrowing another asset. Read more in our <0>FAQ\"],\"il0sEG\":\"H χρήση εγγυήσεων είναι περιορισμένη λόγω της λειτουργίας Απομόνωσης.\",\"j+K1Xj\":\"Amount After Fee\",\"jA2QeW\":\"Προμηθεύοντας το\",\"jFi7dz\":\"Interest rate that is determined by Aave Governance. This rate may be changed over time depending on the need for the GHO supply to contract/expand. <0>Learn more\",\"jG3UJ7\":\"Απενεργοποίηση E-Mode\",\"jKYzR1\":\"Ενεργοποίηση E-Mode\",\"jMam5g\":[[\"0\"],\" Υπόλοιπο\"],\"jSYv+Z\":\"Enabling E-Mode allows you to maximize your borrowing power, however, borrowing is restricted to assets within the selected category. <0>Learn more about how it works and the applied restrictions.\",\"jaKbwW\":[[\"s\"],\"δ\"],\"jbFMap\":\"Χρόνος ψύξης που έχει απομείνει\",\"jeMZNr\":[[\"0\"],\" on-ramp service is provided by External Provider and by selecting you agree to Terms of the Provider. Your access to the service might be reliant on the External Provider being operational.\"],\"jfl9OP\":\"Migrated\",\"jmXdoY\":\"Στο E-Mode ορισμένα περιουσιακά στοιχεία δεν είναι δανείσιμα. Βγείτε από το E-Mode για να αποκτήσετε πρόσβαση σε όλα τα περιουσιακά στοιχεία\",\"jpctdh\":\"View\",\"jqzUyM\":\"Μη διαθέσιμο\",\"k/sb6z\":\"Επιλέξτε γλώσσα\",\"k3wP3f\":\"<0>Attention: Parameter changes via governance can alter your account health factor and risk of liquidation. Follow the <1>Aave governance forum for updates.\",\"kACpF3\":[\"Διεκδίκηση \",[\"0\"]],\"kH6wUX\":\"Επίδραση στην τιμή\",\"kIC28N\":\"Available to claim\",\"kIpSye\":[[\"numSelected\"],\"/\",[\"numAvailable\"],\" assets selected\"],\"kN1Yg5\":\"Για την εξόφληση εκ μέρους ενός χρήστη απαιτείται ένα ρητό ποσό προς εξόφληση\",\"kRTD40\":[\"Repayment amount to reach \",[\"0\"],\"% utilization\"],\"kjN9tT\":\"Υπέρβαση του ανώτατου ορίου προσφοράς\",\"knxE+G\":\".JSON\",\"ks2LWT\":\"Το ανώτατο όριο χρέους δεν είναι μηδενικό\",\"kwwn6i\":\"Users who stake AAVE in Safety Module (i.e. stkAAVE holders) receive a discount on GHO borrow interest rate. The discount applies to 100 GHO for every 1 stkAAVE held. Use the calculator below to see GHO borrow rate with the discount applied.\",\"kz3wtK\":\"and about SPK program\",\"kzZyM4\":\"DAI balance will be converted via DSR contracts and then supplied as sDAI. Switching incurs no additional costs and no slippage.\",\"lNVG7i\":\"Select an asset\",\"lU2d1/\":[\"Asset cannot be migrated due to insufficient liquidity or borrow cap limitation in \",[\"marketName\"],\" v3 market.\"],\"lVhKKI\":\"Voted YAE\",\"lWLqxB\":\"We couldn't find any transactions related to your search. Try again with a different asset name, or reset filters.\",\"lYGfRP\":\"Αγγλικά\",\"lfEjIE\":\"Μάθετε περισσότερα στον οδηγό <0>Συχνών Ερωτήσεων\",\"lt6bpt\":\"Collateral to repay with\",\"m/IEhi\":\"Συνολικές εκπομπές ανά ημέρα\",\"m7r7Hh\":\"Selected borrow assets\",\"mDDK4p\":\"Balancer Pool\",\"mIM0qu\":\"Expected amount to repay\",\"mUAFd6\":\"Version 2\",\"masO5Z\":\"E-Mode increases your LTV for a selected category of assets. <0>Learn more\",\"mdNjKU\":[\"Your \",[\"name\"],\" wallet is empty. Purchase or transfer assets or use <0>\",[\"0\"],\" to transfer your \",[\"network\"],\" assets.\"],\"muiOng\":[\"Buy \",[\"cryptoSymbol\"],\" with Fiat\"],\"mvCXBY\":\"Stake AAVE\",\"mwdzil\":\"Εντάξει, Κλείσιμο\",\"mzI/c+\":\"Download\",\"mzdIia\":\"Το περιουσιακό στοιχείο δεν μπορεί να χρησιμοποιηθεί ως εγγύηση.\",\"n+SX4g\":\"Προγραμματιστές\",\"n8Psk4\":\"We couldn’t detect a wallet. Connect a wallet to stake and view your balance.\",\"nJIhzm\":\"Προσφορά apy\",\"nJgsQu\":\"Με δύναμη ψήφου <0/>\",\"nLC6tu\":\"Γαλλικά\",\"nN2T8p\":\"During the cooldown period, you will not earn any merit rewards. However, rewards earned up to this point will remain unaffected.\",\"nNHV0z\":\"Migrating multiple collaterals and borrowed assets at the same time can be an expensive operation and might fail in certain situations.<0>Therefore it’s not recommended to migrate positions with more than 5 assets (deposited + borrowed) at the same time.\",\"nNbnzu\":\"Proposition\",\"nOy4ob\":\"We suggest you go back to the Dashboard.\",\"nPGNMh\":\"Μπορεί να εκτελεστεί\",\"nUK1ou\":[\"Assets with zero LTV (\",[\"0\"],\") must be withdrawn or disabled as collateral to perform this action\"],\"nakd8r\":\"stkAAVE holders get a discount on GHO borrow rate\",\"nh2EJK\":[\"Παρακαλώ μεταβείτε στο \",[\"networkName\"],\".\"],\"njBeMm\":\"Both\",\"noN5Xf\":\"We couldn’t detect a wallet. Connect a wallet to view your staking positions and rewards.\",\"ntkAoE\":\"Discount applied for <0/> staking AAVE\",\"ntyFSE\":[[\"h\"],\"ω\"],\"nwtY4N\":\"Something went wrong\",\"nxyWvj\":\"Withdrawing this amount will reduce your health factor and increase risk of liquidation.\",\"o17QVP\":\"Ο συντελεστής υγείας και το δάνειο προς αξία καθορίζουν τη διασφάλιση των εξασφαλίσεών σας. Για να αποφύγετε τις ρευστοποιήσεις μπορείτε να παράσχετε περισσότερες εξασφαλίσεις ή να εξοφλήσετε δανειακές θέσεις.\",\"o1xc2V\":\"Η προσφορά AToken δεν είναι μηδενική\",\"o4tCu3\":\"Borrow APY\",\"o5ooMr\":\"Χρέος\",\"o7J4JM\":\"Φίλτρο\",\"oHFrpj\":\"Ψύξτε για ξεκλείδωμα\",\"oJ5ZiG\":\"Ο χρήστης δεν έχει ανεξόφλητο χρέος μεταβλητού επιτοκίου σε αυτό το αποθεματικό\",\"oRBGin\":\"Please connect your wallet to be able to switch your tokens.\",\"oUwXhx\":\"Test Assets\",\"oWklJD\":\"Το σταθερό επιτόκιο θα <0>μείνει το ίδιο για όλη τη διάρκεια του δανείου σας. Συνιστάται για μακροχρόνιες περιόδους δανεισμού και για χρήστες που προτιμούν την προβλεψιμότητα.\",\"odnIK3\":\"Time remaining until the 48 hour withdraw period starts.\",\"oiK5nY\":\"The current incentives period, decided on by the Aave community, has ended. Governance is in the process on renewing, check for updates. <0>Learn more.\",\"olREoo\":\"All borrow positions outside of this category must be closed to enable this category.\",\"om/XHs\":\"Διαθέσιμο για προμήθεια\",\"ov0+mq\":\"Eligible for the ZKSync Ignite program.\",\"ovT1pF\":[\"Per the community, the \",[\"market\"],\" has been frozen.\"],\"ow3fug\":\"Nothing found\",\"owSsI3\":\"Signatures ready\",\"p+R52m\":\"Go to Balancer Pool\",\"p2A+s1\":[\"Η περίοδος ψύξης είναι \",[\"0\"],\". Μετά την \",[\"1\"],\" περίοδο ψύξης, θα εισέλθετε στο παράθυρο ξεκλειδώματος \",[\"2\"],\". Θα συνεχίσετε να λαμβάνετε ανταμοιβές κατά τη διάρκεια της ψύξης και του παραθύρου ξεκλειδώματος.\"],\"p2S64u\":\"The loan to value of the migrated positions would cause liquidation. Increase migrated collateral or reduce migrated borrow to continue.\",\"p2Z2Qi\":\"Αυτό το περιουσιακό στοιχείο έχει φθάσει στο ανώτατο όριο δανεισμού του. Τίποτα δεν είναι διαθέσιμο για δανεισμό από αυτή την αγορά.\",\"p3j+mb\":\"Το υπόλοιπο της ανταμοιβής σας είναι 0\",\"p45alK\":\"Set up delegation\",\"p6u2s1\":\"Minimum amount of debt to be repaid\",\"pDgeaz\":[[\"title\"]],\"pdZqBk\":\"Το υποκείμενο υπόλοιπο πρέπει να είναι μεγαλύτερο από 0\",\"pgWG9H\":\"Δεν υπάρχει αρκετό κλειδωμένο υπόλοιπο\",\"piPrJ7\":\"παρακαλούμε ελέγξτε ότι το ποσό που θέλετε να παρέχετε δεν χρησιμοποιείται επί του παρόντος για κλείδωμα. Εάν χρησιμοποιείται για κλείδωμα, η συναλλαγή σας ενδέχεται να αποτύχει.\",\"pjO/iH\":\"Minimum amount received\",\"pooutM\":\"Voting is on\",\"pqaM5s\":\"Confirming transaction\",\"ptaxX3\":[\"Καταλαβαίνω πώς λειτουργεί η ψύξη (\",[\"0\"],\") και το ξεκλείδωμα (\",[\"1\"],\")\"],\"py2iiY\":\"Ο καλών αυτής της συνάρτησης πρέπει να είναι ένα κοινόχρηστο ταμείο\",\"q/51mF\":\"Migrate to V3\",\"q3df11\":\"Interest rate strategy\",\"q6lAbz\":\"Κλειδωμένο\",\"qB4kPi\":\"Προσφορά APY\",\"qENI8q\":\"Γενικές ρυθμίσεις\",\"qGz5zl\":\"Collateral balance after repay\",\"qOqbD6\":\"αντιγράψτε το σφάλμα\",\"qXCkEM\":\"Συνδέστε το πορτοφόλι σας για να δείτε τις προμήθειες, τα δάνεια και τις ανοιχτές θέσεις σας.\",\"qY2jnw\":\"Μη έγκυρη λήξη\",\"qf/fr+\":\"Interest accrued\",\"quYPUU\":\"Variable interest rate will <0>fluctuate based on the market conditions.\",\"quzIeW\":\"User is in isolation mode or LTV is zero\",\"qvnz3q\":\"Μη έγκυρη ποσότητα προς καύση\",\"rHgdb0\":\"Migrate to Aave V3\",\"rOrHHe\":\"Το ποσό πρέπει να είναι μεγαλύτερο από 0\",\"rQ+R+0\":\"Selected supply assets\",\"rSayea\":\"APY\",\"rTBDeu\":[\"Asset cannot be migrated because you have isolated collateral in \",[\"marketName\"],\" v3 Market which limits borrowable assets. You can manage your collateral in <0>\",[\"marketName\"],\" V3 Dashboard\"],\"rcT+yy\":\"Εμφάνιση περιουσιακών στοιχείων με υπόλοιπο 0\",\"rf8POi\":\"Borrowed asset amount\",\"riNWOA\":\"E-Mode\",\"rjGI/Q\":\"Privacy\",\"rnKPW1\":\"Watch a wallet balance in read-only mode\",\"ruc7X+\":\"Add stkAAVE to see borrow APY with the discount\",\"rvbaFU\":[\"Bridging \",[\"symbol\"]],\"rwVVB7\":\"Διεκδικήστε όλες τις ανταμοιβές\",\"rwyUva\":\"These assets are temporarily frozen or paused by Aave community decisions, meaning that further supply / borrow, or rate swap of these assets are unavailable. Withdrawals and debt repayments are allowed. Follow the <0>Aave governance forum for further updates.\",\"rxJW5W\":\"Your proposition power is based on your AAVE/stkAAVE balance and received delegations.\",\"s2jJnW\":\"You don't have any bridge transactions\",\"s5wBAq\":[\"Unstake \",[\"symbol\"]],\"sJbIdI\":\"Enter ETH address or ENS\",\"sK+Nag\":\"Αναθεώρηση συναλλαγής\",\"sP2+gB\":\"ΚΑΤΑ\",\"sQv06Y\":\"for\",\"sTtO6J\":\"Confirm transaction\",\"sXKb3l\":\"Exchange rate\",\"sb0q4+\":\"Μπορείτε να ξεκλειδώσετε εδώ\",\"smJNwH\":\"Διαθέσιμο για δανεισμό\",\"solypO\":\"Ο παράγοντας υγείας δεν είναι κάτω από το όριο\",\"sr0UJD\":\"Πηγαίνετε Πίσω\",\"ss5GCK\":\"Η διεύθυνση του παρόχου διευθύνσεων κοινόχρηστου ταμείου είναι άκυρη\",\"swEgK4\":\"Οι πληροφορίες ψήφου σας\",\"t+wtgf\":\"Τίποτα δανεισμένο ακόμα\",\"t/YqKh\":\"Remove\",\"t81DpC\":[\"Approve \",[\"symbol\"],\" to continue\"],\"tCnbEs\":\"Τιμή Oracle\",\"tFZLf8\":\"Αυτός ο υπολογισμός gas είναι μόνο μια εκτίμηση. Το πορτοφόλι σας θα καθορίσει την τιμή της συναλλαγής. Μπορείτε να τροποποιήσετε τις ρυθμίσεις gas απευθείας από τον πάροχο του πορτοφολιού σας.\",\"tHuvQI\":\"Go to V3 Dashboard\",\"tKv7cI\":\"Switch borrow position\",\"tOcg3N\":\"Since this asset is frozen, the only available actions are withdraw and repay which can be accessed from the <0>Dashboard\",\"tOuXfv\":[\"Borrow amount to reach \",[\"0\"],\"% utilization\"],\"te9Bfl\":\"Παρακαλώ, συνδέστε το πορτοφόλι σας\",\"tt5yma\":\"Οι προμήθειές σας\",\"ttoh5c\":\"Switch to\",\"u3ZeYl\":\"Η συναλλαγή απέτυχε\",\"u706uF\":\"Άκυρη πριμοδότηση flashloan\",\"u8Gfu7\":[\"No search results\",[\"0\"]],\"uAQUqI\":\"Status\",\"uHMwk8\":\"No assets selected to migrate.\",\"uJPHuY\":\"Migrating\",\"uY8O30\":\"To continue, you need to grant Aave smart contracts permission to move your funds from your wallet. Depending on the asset and wallet you use, it is done by signing the permission message (gas free), or by submitting an approval transaction (requires gas). <0>Learn more\",\"udFheE\":\"Για την αποπληρωμή ενός συγκεκριμένου τύπου χρέους, ο χρήστης πρέπει να έχει χρέος αυτού του τύπου\",\"ulNuNq\":\"Export data to\",\"ulup2p\":\"Buy Crypto with Fiat\",\"umICAY\":\"<0><1><2/>Add stkAAVE to see borrow rate with discount\",\"usB84Z\":\"Maximum amount available to borrow is limited because protocol borrow cap is nearly reached.\",\"uwAUvj\":\"COPY IMAGE\",\"v8x7Mg\":\"Insufficient collateral to cover new borrow position. Wallet must have borrowing power remaining to perform debt switch.\",\"vEqxH9\":\"Restaked\",\"vLyv1R\":\"Απόκρυψη\",\"vMba49\":\"Ο δανεισμός δεν είναι ενεργοποιημένος\",\"vMpNwt\":\"Approve with\",\"vXIe7J\":\"Γλώσσα\",\"vesuBJ\":\"Σας επιτρέπει να αποφασίσετε αν θα χρησιμοποιήσετε ένα παρεχόμενο περιουσιακό στοιχείο ως εγγύηση. Ένα περιουσιακό στοιχείο που χρησιμοποιείται ως εγγύηση θα επηρεάσει τη δανειοληπτική σας ικανότητα και τον συντελεστή υγείας.\",\"w+V9Cx\":\"Σταθερό νόμισμα\",\"w/JtJ3\":\"Η σταθερή προσφορά χρέους δεν είναι μηδενική\",\"w4VBY+\":\"Ανταμοιβές APR\",\"w9dLMW\":[[\"label\"]],\"wAOL+X\":[\"Εσείς \",[\"action\"],\" <0/> \",[\"symbol\"]],\"wBIsjb\":\"Discord channel\",\"wQZbc/\":\"Ο καλών της συνάρτησης δεν είναι AToken\",\"wRRqvW\":\"Δεν έχετε προμήθειες σε αυτό το νόμισμα\",\"wZFvVU\":\"ΨΗΦΙΣΤΕ ΥΠΕΡ\",\"wb/r1O\":[\"Βρύση \",[\"0\"]],\"wdxz7K\":\"Source\",\"weH1nG\":\"The Aave Protocol is programmed to always use the price of 1 GHO = $1. This is different from using market pricing via oracles for other crypto assets. This creates stabilizing arbitrage opportunities when the price of GHO fluctuates.\",\"wh7Ezv\":\"You have no AAVE/stkAAVE/aAave balance to delegate.\",\"wlsIx7\":\"With testnet Faucet you can get free assets to test the Aave Protocol. Make sure to switch your wallet provider to the appropriate testnet network, select desired asset, and click ‘Faucet’ to get tokens transferred to your wallet. The assets on a testnet are not “real,” meaning they have no monetary value. <0>Learn more\",\"wmE285\":\"Get ABP v2 Token\",\"wyRrcJ\":\"As a result of governance decisions, this ABPT staking pool is now deprecated. You have the flexibility to either migrate all of your tokens to v2 or unstake them without any cooldown period.\",\"x5KiLL\":\"Selected assets have successfully migrated. Visit the Market Dashboard to see them.\",\"x7F2p6\":\"Τρέχον διαφορικό\",\"x7K5ib\":[\"Your \",[\"networkName\"],\" wallet is empty. Get free test \",[\"0\"],\" at\"],\"x9iLRD\":\"tokens, παρακαλούμε μεταβείτε στο\",\"xNy/UG\":\"Αποπληρωμή με\",\"xPm8wv\":\"Μάθετε περισσότερα για τους κινδύνους\",\"xXYpZl\":[[\"0\"],\" Βρύση\"],\"xaVBSS\":\"Οι πληροφορίες σας\",\"xaWZ6f\":\"APY type change\",\"xh6k71\":\"Collateral usage is limited because of isolation mode.\",\"xvIklc\":\"Flashloan is disabled for this asset, hence this position cannot be migrated.\",\"y5rS9U\":\"Migrate\",\"y66tBm\":[\"Ενεργοποίηση \",[\"symbol\"],\" ως εγγύηση\"],\"yB1YpA\":\"Σκοτεινή λειτουργία\",\"yCrG6m\":\"Συνολικό μέγεθος της αγοράς\",\"yJUUbn\":\"Επισκόπηση συναλλαγής\",\"yLGmLX\":[\"Restake \",[\"symbol\"]],\"yW1oWB\":\"Τύπος APY\",\"yYHqJe\":\"Μη έγκυρη διεύθυνση\",\"yZwLw6\":\"Track wallet\",\"yh2sjd\":[\"Price impact \",[\"0\"],\"%\"],\"yhvj6d\":\"Δεν μπορείτε να αλλάξετε τη χρήση ως λειτουργία εγγύησης για αυτό το νόμισμα, διότι θα προκαλέσει κλήση εγγύησης\",\"ylmtBZ\":\"The app is running in fork mode.\",\"ymNY32\":[\"Δεν υπάρχουν αρκετά κεφάλαια στο\",[\"0\"],\"αποθεματικό για δανεισμό\"],\"yz7wBu\":\"Κλείσιμο\",\"z4uGQg\":\"Υπέρβαση του ανώτατου ορίου χρέους\",\"z5UQOM\":\"Η εγγύηση που έχει επιλεγεί δεν μπορεί να ρευστοποιηθεί\",\"z5Y+p6\":[\"Παροχή \",[\"symbol\"]],\"zCjNKs\":\"Η ενέργεια δεν μπορεί να εκτελεστεί επειδή το αποθεματικό έχει παγώσει\",\"zRHytX\":\"Isolated Debt Ceiling\",\"zTOjMP\":\"Protocol supply cap is at 100% for this asset. Further supply unavailable.\",\"zVdRUG\":\"Submission did not work, please try again later or contact wecare@avara.xyz\",\"zevmS2\":\"<0><1><2/>Add <3/> stkAAVE to borrow at <4/> (max discount)\",\"zgtIDV\":\"Υπολειπόμενο χρέος\",\"zmTPiV\":\"Υπόλοιπο προσφοράς\",\"zpPbZl\":\"Liquidation risk parameters\",\"zucql+\":\"Μενού\",\"zwWKhA\":\"Μάθετε περισσότερα\",\"zy9fXn\":[\"Asset is frozen in \",[\"marketName\"],\" v3 market, hence this position cannot be migrated.\"],\"zys+R6\":\"Be mindful of the network congestion and gas prices.\",\"zzzTXS\":\"Merit Program rewards are claimed through the\"}")}; +/*eslint-disable*/module.exports={messages:JSON.parse("{\"+0xecS\":[\"Εάν ΔΕΝ ξεκλειδώσετε εντός \",[\"0\"],\" του παραθύρου ξεκλειδώματος, θα πρέπει να ενεργοποιήσετε ξανά τη διαδικασία ψύξης.\"],\"+EGVI0\":\"Receive (est.)\",\"+VR63W\":[\"Η συμμετοχή σε αυτό το αποθεματικό \",[\"symbol\"],\" δίνει ετήσιες ανταμοιβές.\"],\"+bmKdK\":\"Use your AAVE, stkAAVE, or aAave balance to delegate your voting and proposition powers. You will not be sending any tokens, only the rights to vote and propose changes to the protocol. You can re-delegate or revoke power to self at any time.\",\"+eOPG+\":\"Φαίνεται ότι δεν μπορούμε να αλλάξουμε το δίκτυο αυτόματα. Ελέγξτε αν μπορείτε να το αλλάξετε από το πορτοφόλι.\",\"+i3Pd2\":\"Ανώτατο όριο δανεισμού\",\"+kLZGu\":\"Supplied asset amount\",\"+nuEh/\":\"Estimated time\",\"+xMFF8\":\"Remind me\",\"/57U31\":\"Amount to migrate\",\"/7ykiW\":\"Borrowing this amount will reduce your health factor and increase risk of liquidation.\",\"/YA5pU\":\"E-Mode increases your LTV for a selected category of assets, meaning that when E-mode is enabled, you will have higher borrowing power over assets of the same E-mode category which are defined by Aave Governance. You can enter E-Mode from your <0>Dashboard. To learn more about E-Mode and applied restrictionn, see the <1>help guide or the <2>Aave V3 Technical Paper.\",\"/izjs/\":\"Minimum staked Aave amount\",\"/jQctM\":\"To\",\"/lDBHm\":\"ΣΥΧΝΕΣ ΕΡΩΤΗΣΕΙΣ\",\"/yNlZf\":\"Ο σταθερός δανεισμός δεν είναι ενεργοποιημένος\",\"/yQcJM\":\"Συνολική αξία\",\"00AB2i\":\"Ο χρήστης δεν δανείστηκε το καθορισμένο νόμισμα\",\"00OflG\":\"There is not enough liquidity for the target asset to perform the switch. Try lowering the amount.\",\"08/rZ9\":\"The cooldown period is the time required prior to unstaking your tokens (20 days). You can only withdraw your assets from the Security Module after the cooldown period and within the unstake window.<0>Learn more\",\"0AmQcW\":\"Rate change\",\"0BF3yK\":\"Sorry, we couldn't find the page you were looking for.\",\"0TAbjq\":\"Recent Transactions\",\"0jhlyw\":\"Liquidation risk\",\"0ojY+Y\":\"Current v2 Balance\",\"0thX3P\":\"Collateral change\",\"0wGCWc\":\"Αυτό είναι το συνολικό ποσό που μπορείτε να προμηθεύσετε σε αυτό το αποθεματικό. Μπορείτε να προμηθεύσετε το υπόλοιπο του πορτοφολιού σας μέχρι να επιτευχθεί το ανώτατο όριο προμηθειών.\",\"1AsVfF\":\"Price data is not currently available for this reserve on the protocol subgraph\",\"1LjK22\":\"Transaction history\",\"1Onqx8\":[\"Έγκριση του \",[\"symbol\"],\"...\"],\"1Ue8sX\":\"Παρακαλούμε συνδέστε ένα πορτοφόλι για να δείτε τις προσωπικές σας πληροφορίες εδώ.\",\"1bpx9A\":\"...\",\"1kWUB+\":\"Ρευστοποίηση <0/> κατώτατο όριο\",\"1m9Qqc\":\"Withdrawing and Switching\",\"1oyh4g\":\"Borrow rate\",\"1t7rez\":\"Asset supply is limited to a certain amount to reduce protocol exposure to the asset and to help manage risks involved.\",\"2CAPu2\":\"You've successfully withdrew & switched tokens.\",\"2Eoi/a\":\"Προβολή λεπτομερειών\",\"2FYpfJ\":\"Περισσότερα\",\"2O3qp5\":\"Διαθέσιμη ρευστότητα\",\"2OM8/D\":[\"Asset cannot be migrated due to supply cap restriction in \",[\"marketName\"],\" v3 market.\"],\"2Q4GU4\":\"Blocked Address\",\"2ZGocC\":\"Aave is a fully decentralized, community governed protocol by the AAVE token-holders. AAVE token-holders collectively discuss, propose, and vote on upgrades to the protocol. AAVE token-holders (Ethereum network only) can either vote themselves on new proposals or delagate to an address of choice. To learn more check out the Governance\",\"2a6G7d\":\"Please enter a valid wallet address.\",\"2bAhR7\":\"Meet GHO\",\"2eBWE6\":\"I acknowledge the risks involved.\",\"2o/xRt\":\"Επίτευξη του ανώτατου ορίου εφοδιασμού στο αποθεματικό-στόχο. Δοκιμάστε να \\nμειώσετε την ποσότητα.\",\"2uJToh\":[[\"0\"],[\"name\"]],\"2x58bP\":\"Ο σταθερός δανεισμός είναι ενεργοποιημένος\",\"34Qfwy\":\"Υπέρβαση του ανώτατου ορίου δανεισμού\",\"39eQRj\":[\"Δανεισμός \",[\"symbol\"]],\"3BL1xB\":\"Σύνολο παρεχόμενων\",\"3BnIWi\":\"Switched\",\"3K0oMo\":\"Υπολειπόμενη προσφορά\",\"3MoZhl\":\"Δεν υπάρχουν επαρκείς εξασφαλίσεις για την κάλυψη ενός νέου δανείου\",\"3Np5O8\":[\"Προσφορά \",[\"symbol\"]],\"3O8YTV\":\"Total interest accrued\",\"3mXg0z\":\"Μέγιστο LTV\",\"3q3mFy\":\"Αποπληρωμή\",\"3qsjtp\":\"Ο σταθμισμένος μέσος όρος του APY για όλα τα παρεχόμενα περιουσιακά στοιχεία, συμπεριλαμβανομένων των κινήτρων.\",\"3rL+os\":\"Μπορείτε να αποσύρετε τα περιουσιακά σας στοιχεία από τη Μονάδα Ασφαλείας μόνο αφού λήξει η περίοδος αναμονής και το παράθυρο ξεκλειδώματος είναι ενεργό.\",\"42UgDM\":[\"Migrate to \",[\"0\"],\" v3 Market\"],\"49UFQA\":\"Αποτελέσματα ψηφοφορίας\",\"4DMZUI\":\"View Transactions\",\"4HtGBb\":\"ΜΕΓΙΣΤΟ\",\"4Y5H+g\":\"Terms\",\"4YYh4d\":\"Maximum available to borrow\",\"4iPAI3\":\"Minimum GHO borrow amount\",\"4lDFps\":\"Sign to continue\",\"4wyw8H\":\"Transactions\",\"5JSSxX\":[\"Your \",[\"networkName\"],\" wallet is empty. Get free test assets at\"],\"5K7kGO\":\"τεκμηρίωση\",\"5NOSGa\":\"Debt ceiling limits the amount possible to borrow against this asset by protocol users. Debt ceiling is specific to assets in isolation mode and is denoted in USD.\",\"5Ncc6j\":[\"Αυτό το περιουσιακό στοιχείο έχει σχεδόν φτάσει στο όριο της προσφοράς του. Μόνο \",[\"messageValue\"],\" μπορεί να παρασχεθεί σε αυτή την αγορά.\"],\"5cZ/KX\":\"Η προσφορά μεταβλητού χρέους δεν είναι μηδενική\",\"5che++\":\"Για να ζητήσετε πρόσβαση σε αυτή την αδειοδοτημένη αγορά, επισκεφθείτε την ιστοσελίδα: <0>Όνομα Παρόχου Πρόσβασης\",\"5ctNdV\":[\"Minimum \",[\"0\"],\" received\"],\"5hDe9v\":\"Απαιτούμενη δράση επιδότησης\",\"5rsnKT\":\"Διαθέσιμες ανταμοιβές\",\"5yC5m5\":\"View all votes\",\"6/dCYd\":\"Επισκόπηση\",\"60crCe\":\"All transactions\",\"62Xcjh\":\"Εγγύηση\",\"65A04M\":\"Ισπανικά\",\"6G8s+q\":\"Signing\",\"6Jrv+z\":[\"Αποπληρωμή \",[\"symbol\"]],\"6NGLTR\":\"Discountable amount\",\"6Xr0UU\":\"Ψύξη...\",\"6bxci/\":\"Δύναμη ψήφου\",\"6f8S68\":\"Αγορές\",\"6g1gi0\":\"Προτάσεις\",\"6gvoHP\":\"Copy error message\",\"6h3Q5G\":\"repaid\",\"6lFSyT\":\"Available to Stake\",\"6s8L6f\":\"Αλλαγή Δικτύου\",\"6yAAbq\":\"APY, borrow rate\",\"70wH1Q\":\"APR\",\"72c5Qo\":\"Total\",\"73Auuq\":\"Discount parameters are decided by the Aave community and may be changed over time. Check Governance for updates and vote to participate. <0>Learn more\",\"75qcAQ\":[[\"stepName\"]],\"7ITr5L\":\"Συντελεστής υγείας\",\"7T/o5R\":\"Επιτεύχθηκε\",\"7YlcXu\":\"Fork mode is ON\",\"7Z76Iw\":\"Borrowing is unavailable because you’re using Isolation mode. To manage Isolation mode visit your <0>Dashboard.\",\"7aKlMS\":\"Share on Lens\",\"7er5fP\":\"Διεκδικήστε τα όλα\",\"7hb2+s\":\"Time remaining until the withdraw period ends.\",\"7l88b8\":\"Data couldn't be fetched, please reload graph.\",\"7p5kLi\":\"Ταμπλό\",\"7sofdl\":\"Withdraw and Switch\",\"8+6BI0\":\"Προσοχή - Είστε πολύ κοντά στην ρευστοποίηση. Εξετάστε το ενδεχόμενο να καταθέσετε περισσότερες εγγυήσεις ή να εξοφλήσετε κάποιες από τις δανειακές σας θέσεις\",\"87pUEW\":[\"Το πορτοφόλι σας \",[\"name\"],\" είναι άδειο. Αγοράστε ή μεταφέρετε περιουσιακά στοιχεία.\"],\"8F1i42\":\"Page not found\",\"8G8M0u\":\"Loading data...\",\"8Iu1QS\":\"withdrew\",\"8JL93T\":\"Όλες οι προτάσεις\",\"8Q51DU\":\"Add to wallet\",\"8X/oyn\":\"Μη έγκυρο ποσό για νομισματοκοπία\",\"8Z5FPv\":\"Αποσυνδέστε το πορτοφόλι\",\"8Zz7s5\":\"περιουσιακά στοιχεία\",\"8aLW8H\":\"Balance to revoke\",\"8bOT3H\":\"Ποσοστό χρησιμοποίησης\",\"8sLe4/\":\"View contract\",\"8t/M0y\":\"Please connect your wallet to be able to bridge your tokens.\",\"8vETh9\":\"Εμφάνιση\",\"94OHPx\":\"Εισέρχεστε σε λειτουργία απομόνωσης\",\"9CDK3/\":[\"Ο δανεισμός δεν είναι επί του παρόντος διαθέσιμος για \",[\"0\"],\".\"],\"9GIj3z\":\"Μέγεθος Αποθεματικού\",\"9Knqb4\":\"Staking balance\",\"9OBKm7\":\"Απαρτία\",\"9QHoGr\":\"Τρέχουσες ψήφοι\",\"9Rw96f\":[\"Αυτό το περιουσιακό στοιχείο έχει σχεδόν φτάσει στο όριο δανεισμού του. Υπάρχει μόνο \",[\"messageValue\"],\" διαθέσιμο για δανεισμό από αυτή την αγορά.\"],\"9Xj/qR\":[\"Some migrated assets will not be used as collateral due to enabled isolation mode in \",[\"marketName\"],\" V3 Market. Visit <0>\",[\"marketName\"],\" V3 Dashboard to manage isolation mode.\"],\"9c6vDV\":\"Αυτό το περιουσιακό στοιχείο έχει φτάσει στο όριο της προσφοράς του. Τίποτα δεν είναι διαθέσιμο για προμήθεια από αυτή την αγορά.\",\"9kTWHA\":\"MAI has been paused due to a community decision. Supply, borrows and repays are impacted. <0>More details\",\"9lXchd\":\"Underlying token\",\"9rWaKF\":\"Bridged Via CCIP\",\"9xSooW\":\"Δεδομένου ότι πρόκειται για ένα δοκιμαστικό δίκτυο, μπορείτε να αποκτήσετε οποιοδήποτε από τα περιουσιακά στοιχεία αν έχετε ETH στο πορτοφόλι σας\",\"A/lwoe\":\"Choose one of the on-ramp services\",\"A6dCI6\":[\"Maximum amount available to borrow is <0/> \",[\"0\"],\" (<1/>).\"],\"AReoaV\":\"Τα δάνεια σας\",\"ARu1L4\":\"Repaid\",\"AV7cGz\":\"Αναθεώρηση λεπτομερειών έγκρισης συναλλαγής\",\"AZOjB8\":\"Fetching data...\",\"Ai0jas\":\"Join the community discussion\",\"Ajl2rq\":\"Η δύναμη δανεισμού και τα περιουσιακά στοιχεία είναι περιορισμένα λόγω της λειτουργίας απομόνωσης.\",\"AqgYNC\":\"Protocol borrow cap at 100% for this asset. Further borrowing unavailable.\",\"B3EcQR\":\"Thank you for voting!!\",\"B6aXGH\":\"Σταθερό\",\"B9Gqbz\":\"Variable rate\",\"BDFEd+\":\"stETH supplied as collateral will continue to accrue staking rewards provided by daily rebases.\",\"BE2mP0\":\"Borrowed assets\",\"BJyN77\":\"Due to health factor impact, a flashloan is required to perform this transaction, but Aave Governance has disabled flashloan availability for this asset. Try lowering the amount or supplying additional collateral.\",\"BNL4Ep\":\"Η χρήση εγγύησης είναι περιορισμένη λόγω της λειτουργίας απομόνωσης. <0>Μάθετε περισσότερα\",\"BQ/wCO\":\"Migrate your assets\",\"BjLdl1\":\"At a discount\",\"BnhYo8\":\"Κατηγορία περιουσιακών στοιχείων\",\"Bq9Y7e\":\"This asset is frozen due to an Aave community decision. <0>More details\",\"BqWMDJ\":\"Βρύση\",\"BqynZO\":\"Optimized for efficiency and risk by supporting blue-chip collateral assets\",\"Bsu7zX\":\"The fee includes the gas cost to complete the transaction on the destination chain and the fee paid to Chainlink CCIP service providers. You can chose to pay in the network token or GHO. <0>Learn more\",\"BwJKBw\":\"of\",\"CDrsH+\":\"Techpaper\",\"CK1KXz\":\"Μεγιστο\",\"CMHmbm\":\"Slippage\",\"CZXzs4\":\"Greek\",\"CcRNG6\":\"Switching\",\"CkTRmy\":[\"Διεκδίκηση \",[\"symbol\"]],\"CsqtLm\":\"Please connect your wallet to see migration tool.\",\"CtGlFb\":[[\"networkName\"],\" Βρύση\"],\"Cxt2YY\":\"Watch wallet\",\"D33VQU\":\"This action will reduce health factor of V3 below liquidation threshold. Increase migrated collateral or reduce migrated borrow to continue.\",\"D9BLRG\":\"This asset has been paused due to a community decision. Supply, withdraw, borrows and repays are impacted.\",\"DAma/S\":\"Η εγγύηση είναι (ως επί το πλείστον) το ίδιο νόμισμα που δανείζεται\",\"DCnFg0\":[\"Addresses (\",[\"0\"],\")\"],\"DG3Lv1\":\"I fully understand the risks of migrating.\",\"DONJcV\":\"Το υποκείμενο περιουσιακό στοιχείο δεν μπορεί να διασωθεί\",\"DR+4uL\":\"Supply balance after switch\",\"DWjrck\":[\"Asset cannot be migrated to \",[\"marketName\"],\" V3 Market due to E-mode restrictions. You can disable or manage E-mode categories in your <0>V3 Dashboard\"],\"Dj+3wB\":\"Aave ανά μήνα\",\"DptNvx\":\"Amount Staked\",\"DuEq2K\":\"Εξασφάλιση\",\"DxfsGs\":\"You can report incident to our <0>Discord or<1>Github.\",\"Dzma+E\":\"Main Ethereum market with the largest selection of assets and yield options\",\"E/QGRL\":\"Απενεργοποιημένο\",\"EBL9Gz\":\"COPIED!\",\"ES8dkb\":\"Fixed rate\",\"EZd3Dk\":[\"Restaking \",[\"symbol\"]],\"Ebgc76\":[\"Ανάληψη \",[\"symbol\"]],\"EdQY6l\":\"Κανένα\",\"EjvKQ+\":\"Minimum USD value received\",\"Enslfm\":\"Destination\",\"EvE9nO\":[\"Reactivate cooldown period to unstake \",[\"0\"],\" \",[\"stakedToken\"]],\"EvECnL\":\"Migrate to v3\",\"EzMQbh\":\"The source chain time to finality is the main factor that determines the time to destination. <0>Learn more\",\"F40cwT\":\"Legacy Markets\",\"F6TdXL\":\"Μάθετε περισσότερα.\",\"FDDPeZ\":\"Users can stake their assets in the protocol and earn incentives. In the case of a shortfall event, your stake can be slashed to cover the deficit, providing an additional layer of protection for the protocol.\",\"FHlMf/\":\"Current v2 balance\",\"FHpxjF\":[\"Reserve factor is a percentage of interest which goes to a \",[\"0\"],\" that is controlled by Aave governance to promote ecosystem growth.\"],\"FOBZa6\":\"Δανεισμός χρησιμοποιημένης ισχύος\",\"FPKEug\":\"Η λειτουργία δεν υποστηρίζεται\",\"FbmMe7\":\"Linked addresses\",\"Fdp03t\":\"ενεργοποίηση\",\"Fjw9N+\":\"Περιουσιακά στοιχεία προς προμήθεια\",\"FmN0fk\":\"Restake\",\"GDGLIs\":\"GHO is a native decentralized, collateral-backed digital asset pegged to USD. It is created by users via borrowing against multiple collateral. When user repays their GHO borrow position, the protocol burns that user's GHO. All the interest payments accrued by minters of GHO would be directly transferred to the AaveDAO treasury.\",\"GQrBTq\":\"Switch E-Mode\",\"GWswcZ\":\"This asset is frozen due to an Aave Protocol Governance decision. On the 20th of December 2022, renFIL will no longer be supported and cannot be bridged back to its native network. It is recommended to withdraw supply positions and repay borrow positions so that renFIL can be bridged back to FIL before the deadline. After this date, it will no longer be possible to convert renFIL to FIL. <0>More details\",\"GX8GKD\":\"Περιουσιακά Στοιχεία\",\"GgEj+0\":\"Read-only mode. Connect to a wallet to perform transactions.\",\"GjkIKV\":\"τελειώνει\",\"GoK/QN\":\"Thank you for submitting feedback!\",\"GtP2hp\":[\"Ο δανεισμός δεν είναι διαθέσιμος επειδή έχετε ενεργοποιήσει τη λειτουργία Αποδοτικότητας (E-Mode) για την κατηγορία \",[\"0\"],\". Για να διαχειριστείτε τις κατηγορίες E-Mode επισκεφθείτε τον <0>Πίνακα ελέγχου.\"],\"H6Ma8Z\":\"Discount\",\"HB/wfS\":[[\"tooltipText\"]],\"HKDsQN\":\"Rewards can be claimed through\",\"Ha/U5f\":\"This is a program initiated and implemented by the decentralised ZKSync community. Aave Labs does not guarantee the program and accepts no liability.\",\"HciqKU\":\"This is a program initiated and implemented by the decentralised Aave community. Aave Labs does not guarantee the program and accepts no liability.\",\"Hi6Ttn\":\"Sorry, an unexpected error happened. In the meantime you may try reloading the page, or come back later.\",\"HkEDbS\":[[\"d\"],\"η\"],\"HmkYqM\":\"Παράθυρο ξεκλειδώματος\",\"HpK/8d\":\"Reload\",\"HrnC47\":\"Save and share\",\"HuVZMK\":\"Days\",\"HvJKMU\":[\"Asset cannot be migrated to \",[\"marketName\"],\" v3 Market since collateral asset will enable isolation mode.\"],\"Hvwnm9\":[\"Maximum amount available to supply is limited because protocol supply cap is at \",[\"0\"],\"%.\"],\"I8CX2c\":\"Το συνολικό ποσό των περιουσιακών σας στοιχείων σε δολάρια ΗΠΑ που μπορούν να χρησιμοποιηθούν ως εγγύηση για δανεισμό περιουσιακών στοιχείων.\",\"IAD2SB\":[\"Claiming \",[\"symbol\"]],\"IG9X9/\":\"Borrowing of this asset is limited to a certain amount to minimize liquidity pool insolvency.\",\"IOIx8L\":\"This asset is planned to be offboarded due to an Aave Protocol Governance decision. <0>More details\",\"IP+I/j\":\"Περίοδος ψύξης\",\"IaA40H\":\"Ρευστοποίηση στο\",\"J/hVSQ\":[[\"0\"]],\"JCoxL6\":\"Manage analytics\",\"JK9zf1\":[\"Estimated compounding interest, including discount for Staking \",[\"0\"],\"AAVE in Safety Module.\"],\"JOqFba\":[\"Unstaking \",[\"symbol\"]],\"JPrLjO\":\"Δεν μπορείτε να χρησιμοποιήσετε αυτό το νόμισμα ως εγγύηση\",\"JU6q+W\":\"Ανταμοιβή(ες) προς διεκδίκηση\",\"JYKRJS\":\"Κλειδώστε\",\"JZMxX0\":\"Δεν υπάρχει αρκετό υπόλοιπο στο πορτοφόλι σας\",\"Jgflkm\":\"Get GHO\",\"JoMQnI\":\"Υπόλοιπο πορτοφολιού\",\"JtwD8u\":\"Borrow balance after repay\",\"JumYTK\":\"Supplied assets\",\"K05qZY\":\"Withdraw & Switch\",\"KAz/NV\":\"Protocol debt ceiling is at 100% for this asset. Further borrowing against this asset is unavailable.\",\"KLXVqE\":[\"stETH tokens will be migrated to Wrapped stETH using Lido Protocol wrapper which leads to supply balance change after migration: \",[\"0\"]],\"KLd6ky\":\"Use connected account\",\"KRpokz\":\"VIEW TX\",\"KSlpka\":\"Αυτό αντιπροσωπεύει το κατώτατο όριο στο οποίο μια θέση δανεισμού θα θεωρηθεί υποεγγυημένη και θα υπόκειται σε ρευστοποίηση για κάθε εγγύηση. Για παράδειγμα, εάν μια εγγύηση έχει κατώτατο όριο ρευστοποίησης 80%, αυτό σημαίνει ότι η θέση θα ρευστοποιηθεί όταν η αξία του χρέους ανέρχεται στο 80% της αξίας της εγγύησης.\",\"KYAjf3\":\"Απομονωμένο\",\"KZwRuD\":[[\"notifyText\"]],\"KkPgim\":\"Switching E-Mode\",\"KnN1Tu\":\"Λήγει\",\"KoOBI2\":\"Due to internal stETH mechanics required for rebasing support, it is not possible to perform a collateral switch where stETH is the source token.\",\"KojyJ4\":\"Λάθος δίκτυο\",\"KsqhWn\":\"Κλείδωμα\",\"KuBTQq\":\"Εισάγετε διεύθυνση ETH\",\"KvG1xW\":\"Διεκδίκηση\",\"L+8Lzs\":\"Τρέχον LTV\",\"L+qiq+\":\"Αγορά\",\"LDzfVJ\":\"Send Feedback\",\"LIrMcF\":\"Δεν υπάρχει δικαίωμα ψήφου\",\"LL0zks\":\"Μπορεί να αποτελέσει εγγύηση\",\"LLdJWu\":\"Διεκδικήσιμο AAVE\",\"LSIpNK\":\"Δεν επιτρέπεται ο δανεισμός και η αποπληρωμή στο ίδιο block\",\"LVt3TI\":[\"<0>Slippage tolerance <1>\",[\"selectedSlippage\"],\"% <2>\",[\"0\"],\"\"],\"LjafV8\":\"Maximum collateral amount to use\",\"LtpQew\":\"Let us know how we can make the app better for you. For user support related inquiries please reach out on\",\"LvVpD/\":\"Emode\",\"M2sknc\":\"Tip: Try increasing slippage or reduce input amount\",\"M7wPsD\":\"Switch\",\"MFu33y\":\"Staking 00\",\"MIy2RJ\":\"Maximum amount received\",\"MZ/nQf\":\"Διεύθυνση παραλήπτη\",\"Ma/MtY\":\"προβολή κλειδώματος\",\"McHlGl\":\"APY change\",\"MeCCA+\":\"APY, μεταβλητό\",\"MghdTe\":\"Εάν ο συντελεστής υγείας πέσει κάτω από το 1, ενδέχεται να ενεργοποιηθεί η ρευστοποίηση των εγγυήσεών σας.\",\"Mm/DVQ\":\"Ακυρώσατε τη συναλλαγή.\",\"MnE2QX\":\"Borrow info\",\"MrmQHg\":\"View Bridge Transactions\",\"MuDFEQ\":\"Μη έγκυρη τιμή επιστροφής της συνάρτησης εκτελεστή flashloan\",\"N5kUMV\":\"Asset can be only used as collateral in isolation mode with limited borrowing power. To enter isolation mode, disable all other collateral.\",\"N6Pxr9\":\"View all\",\"NF0e1Q\":\"Εκκρεμεί...\",\"NK9ikO\":\"Wallet Balance\",\"NMt2CB\":\"Amount claimable\",\"NcFGxG\":\"Collector Contract\",\"NfpPeS\":\"Τίποτα κλειδωμένο\",\"Nh9DAo\":[[\"m\"],\"λ\"],\"O+sCUU\":\"Υπέρβαση του ανώτατου ορίου νομισματοκοπείου χωρίς αντίκρισμα\",\"O+tyU+\":[\"Maximum amount available to borrow against this asset is limited because debt ceiling is at \",[\"0\"],\"%.\"],\"O3oNi5\":\"Email\",\"OFjZGo\":\"Unstake\",\"OR8cYX\":\"Επισκόπηση πρότασης\",\"OYuJ9K\":\"Protocol debt ceiling is at 100% for this asset. Futher borrowing against this asset is unavailable.\",\"OfhWJH\":\"Reset\",\"Og2SKn\":\"απενεργοποιημένο\",\"On0aF2\":\"Website\",\"OsyKSt\":\"Ανάληψη\",\"P1dURE\":\"Revoke power\",\"P2WCD/\":[\"Underlying asset does not exist in \",[\"marketName\"],\" v3 Market, hence this position cannot be migrated.\"],\"P2sL6B\":\"Όταν πραγματοποιείται ρευστοποίηση, οι ρευστοποιητές επιστρέφουν έως και το 50% του ανεξόφλητου δανεισμένου ποσού για λογαριασμό του δανειολήπτη. Σε αντάλλαγμα, μπορούν να αγοράσουν τις εξασφαλίσεις με έκπτωση και να κρατήσουν τη διαφορά (ποινή ρευστοποίησης) ως μπόνους.\",\"P6sRoL\":\"Stake ABPT\",\"P72/OW\":\"Ο σταθμισμένος μέσος όρος του APY για όλα τα δανειακά περιουσιακά στοιχεία, συμπεριλαμβανομένων των κινήτρων.\",\"P7e6Ug\":\"Please connect your wallet to view transaction history.\",\"PByO0X\":\"Votes\",\"PI+kVe\":\"Disable fork\",\"PJK9u/\":\"Borrow apy\",\"PLUB/s\":\"Fee\",\"PP5ZA8\":[\"Participating in staking \",[\"symbol\"],\" gives annualized rewards. Your wallet balance is the sum of your aTokens and underlying assets. The breakdown to stake is below\"],\"PcBUgb\":\"Κατώτατο όριο ρευστοποίησης\",\"PjU6bu\":\"This asset is eligible for SPK incentive program. Aave Labs does not guarantee the program and accepts no liability.\",\"PpqD5g\":\"Η ενεργοποίηση αυτού του περιουσιακού στοιχείου ως εγγύηση αυξάνει τη δανειοληπτική σας ικανότητα και τον Συντελεστή Υγείας. Ωστόσο, μπορεί να ρευστοποιηθεί εάν ο συντελεστής υγείας σας πέσει κάτω από το 1.\",\"PsOFSf\":\"This action will reduce V2 health factor below liquidation threshold. retain collateral or migrate borrow position to continue.\",\"Pu4bI/\":[[\"currentMethod\"]],\"Q0LzKi\":\"View TX\",\"Q4eNqa\":\"The Aave Balancer Pool Token (ABPT) is a liquidity pool token. You can receive ABPT by depositing a combination of AAVE + wstETH in the Balancer liquidity pool. You can then stake your BPT in the Safety Module to secure the protocol and earn Safety Incentives.\",\"QQYsQ7\":\"Withdrawing\",\"QWYCs/\":\"Stake GHO\",\"R+30X3\":\"Δεν έχει επιτευχθεί\",\"RCU5PY\":\"Age\",\"RIfckG\":[\"Απενεργοποίηση \",[\"symbol\"],\" ως εγγύηση\"],\"RMtxNk\":\"Διαφορικό\",\"RNK49r\":\"Μη έγκυρη υπογραφή\",\"RS0o7b\":\"Κατάσταση\",\"RU+LqV\":\"Λεπτομέρειες πρότασης\",\"RYTgZX\":\"lorem ipsum\",\"RbXH+k\":\"AAVE, GHO, and ABPT holders (Ethereum network only) can stake their assets in the Safety Module to add more security to the protocol and earn Safety Incentives. In the case of a shortfall event, your stake can be slashed to cover the deficit, providing an additional layer of protection for the protocol.\",\"RiSYV4\":\"Το περιουσιακό στοιχείο δεν περιλαμβάνεται στον κατάλογο\",\"Rj01Fz\":\"Σύνδεσμοι\",\"RmWFEe\":\"Κλείδωμα APR\",\"RoafuO\":\"Send feedback\",\"RtBLm7\":\"Ο συντελεστής υγείας είναι μικρότερος από το όριο ρευστοποίησης\",\"RxzN1M\":\"Ενεργοποιημένο\",\"SDav7h\":\"Κεφάλαια στην Μονάδα Ασφάλειας\",\"SENccp\":\"If the error continues to happen,<0/> you may report it to this\",\"SIWumd\":\"Show Frozen or paused assets\",\"SM58dD\":\"Amount in cooldown\",\"SSMiac\":\"Failed to load proposal voters. Please refresh the page.\",\"SSQVIz\":\"Liquidation Threshold\",\"SUb8x0\":\"Σύνολο διαθέσιμων\",\"SWIgh4\":\"Fees exceed wallet balance\",\"SY9hVo\":\"Read-only mode allows to see address positions in Aave, but you won't be able to perform transactions.\",\"SZRUQ4\":\"Max slippage\",\"Sa1UE/\":\"Protocol borrow cap is at 100% for this asset. Further borrowing unavailable.\",\"Sk2zW9\":\"Απενεργοποίηση E-Mode\",\"SxaD0o\":\"Ο πάροχος διευθύνσεων κοινόχρηστων ταμείων δεν είναι εγγεγραμμένος\",\"T/AIqG\":\"Protocol supply cap at 100% for this asset. Further supply unavailable.\",\"T0xCO9\":\"Can't validate the wallet address. Try again.\",\"T4OhVl\":\"GHO balance\",\"T6uYU2\":\"Δανεισμός\",\"TFxQlw\":\"Ποινή ρευστοποίησης\",\"TQ7WsV\":\"Available to stake\",\"TUI7iB\":\"To περιουσιακό στοιχείο μπορεί να χρησιμοποιηθεί ως εγγύηση μόνο σε λειτουργία απομόνωσης.\",\"TbjyhA\":\"Docs\",\"TduuS0\":\"Ο χρήστης δεν έχει ανεξόφλητο χρέος σταθερού επιτοκίου σε αυτό το αποθεματικό\",\"TeCFg/\":\"Borrow rate change\",\"Tg1JyO\":\"Bridge history\",\"TskbEN\":\"Holders of stkAAVE receive a discount on the GHO borrowing rate\",\"TszKts\":\"Borrow balance after switch\",\"TtZL6q\":\"Discount model parameters\",\"TwJI9F\":\"Asset has been successfully sent to CCIP contract. You can check the status of the transactions below\",\"Tz0GSZ\":\"blocked activities\",\"U/eBjN\":\"Reload the page\",\"U2r8nY\":\"Choose how much voting/proposition power to give to someone else by delegating some of your AAVE, stkAAVE or aAave balance. Your tokens will remain in your account, but your delegate will be able to vote or propose on your behalf. If your AAVE, stkAAVE or aAave balance changes, your delegate's voting/proposition power will be automatically adjusted.\",\"U8IubP\":\"The app is running in testnet mode. Learn how it works in\",\"U9btTk\":\"Το περιουσιακό στοιχείο δεν είναι δανείσιμο σε λειτουργία απομόνωσης\",\"UAOZRe\":\"Price impact is the spread between the total value of the entry tokens switched and the destination tokens obtained (in USD), which results from the limited liquidity of the trading pair.\",\"UE3KJZ\":\"Transaction history is not currently available for this market\",\"URmyfc\":\"Λεπτομέρειες\",\"UTTKmT\":\"Stake cooldown activated\",\"UXeR72\":\"Τα κεφάλαια αυτά έχουν δανειστεί και δεν είναι διαθέσιμα για ανάληψη αυτή τη στιγμή.\",\"UYb8CM\":\"Learn more about the SPK rewards\",\"UbRrG0\":\"Ο δείκτης μέγιστου LTV αντιπροσωπεύει τη μέγιστη δανειοληπτική ικανότητα μιας συγκεκριμένης εγγύησης. Για παράδειγμα, εάν μια εγγύηση έχει LTV 75%, ο χρήστης μπορεί να δανειστεί έως και 0,75 ETH στο κύριο νόμισμα για κάθε 1 ETH αξίας εγγύησης.\",\"UpndFj\":\"Δεν υπάρχουν ανταμοιβές για διεκδίκηση\",\"V0f2Xv\":\"Reserve factor\",\"V1HK43\":\"Migration risks\",\"VATFH9\":\"Covered debt\",\"VHOVEJ\":\"Συνδέστε το πορτοφόλι\",\"VMfYUK\":\"Ασφάλεια των κατατεθειμένων εξασφαλίσεών σας έναντι των δανειζόμενων περιουσιακών στοιχείων και της υποκείμενης αξίας τους.\",\"VOAZJh\":\"Σύνολο δανείων\",\"ViKYxK\":\"ΥΠΕΡ\",\"W1SSoD\":\"Αναθεώρηση λεπτομερειών συναλλαγής\",\"W5hVah\":\"Τίποτα δεν έχει παρασχεθεί ακόμη\",\"W5kTFy\":\"Voting\",\"W8ekPc\":\"Back to Dashboard\",\"WMPbRK\":\"Μη υποστηριζόμενο\",\"WNGZwH\":\"Το E-Mode αυξάνει το LTV σας για μια επιλεγμένη κατηγορία περιουσιακών στοιχείων έως και <0/>. <1>Μάθετε περισσότερα\",\"WPWG/y\":\"Κατάσταση & διαμόρφωση αποθεματικού\",\"WZLQSU\":\"Ο χρήστης δεν μπορεί να κάνει ανάληψη μεγαλύτερη από το διαθέσιμο υπόλοιπο\",\"WaZyaV\":\"<0>Ampleforth is a rebasing asset. Visit the <1>documentation to learn more.\",\"WfU+XN\":\"Because this asset is paused, no actions can be taken until further notice\",\"Wjmqs2\":\"No results found. You can import a custom token with a contract address\",\"WkZ6C6\":\"Για να δανειστείτε πρέπει να προσκομίσετε οποιοδήποτε περιουσιακό στοιχείο που θα χρησιμοποιηθεί ως εγγύηση.\",\"WyMiQm\":\"You've successfully switched tokens.\",\"X/ITG9\":\"Κείμενο σφάλματος αντιγραφής\",\"X3Pp6x\":\"Χρησιμοποιείται ως εγγύηση\",\"X4Zt7j\":\"Η ενέργεια δεν μπορεί να εκτελεστεί επειδή η εφεδρεία βρίσκεται σε παύση\",\"XBdKOj\":\"Representative smart contract wallet (ie. Safe) addresses on other chains.\",\"XZzneG\":\"Θα βγείτε από τη λειτουργία απομόνωσης και άλλα tokens μπορούν πλέον να χρησιμοποιηθούν ως εγγύηση\",\"Xg5y9S\":\"Amount to Bridge\",\"Xn4hUi\":\"Please always be aware of your <0>Health Factor (HF) when partially migrating a position and that your rates will be updated to V3 rates.\",\"Xy71ST\":\"Umbrella\",\"Y5kGkc\":\"ΨΗΦΙΣΤΕ ΚΑΤΑ\",\"YDIOks\":\"Ενεργοποίηση E-Mode\",\"YSodyW\":\"This action will reduce your health factor. Please be mindful of the increased risk of collateral liquidation.\",\"YXOWXM\":\"The total amount bridged minus CCIP fees. Paying in network token does not impact gho amount.\",\"YirHq7\":\"Feedback\",\"YogbCJ\":\"Testnet mode is ON\",\"YrDxdO\":\"Εάν το δάνειο προς αξία υπερβεί το όριο ρευστοποίησης, η παρεχόμενη εγγύηση σας μπορεί να ρευστοποιηθεί.\",\"YyIM65\":\"Δεν τηρήθηκαν οι όροι επανεξισορρόπησης των επιτοκίων\",\"YyydIq\":[\"Add \",[\"0\"],\" to wallet to track your balance.\"],\"ZBvhI+\":\"Διακυβέρνηση Aave\",\"ZIIRAd\":\"Raw-Ipfs\",\"ZRq4tX\":\"Λειτουργία αποδοτικότητας (E-Mode)\",\"ZSqEW+\":\"Manage E-Mode\",\"ZUFYFE\":\"Disable testnet\",\"Zbyywy\":\"Μέγιστη περικοπή\",\"ZfUGFb\":\"Πριν από την προμήθεια\",\"ZiXN+B\":\"Assets to stake\",\"ZlsSDH\":\"Αξία ρευστοποίησης\",\"ZrEc8j\":\"We couldn't find any assets related to your search. Try again with a different asset name, symbol, or address.\",\"ZsLF7e\":\"ενεργοποιημένο\",\"a0YQoQ\":\"Enter a valid address\",\"a2fBZn\":\"Χρόνος που απομένει για το ξεκλείδωμα\",\"a5RYZd\":\"Η απενεργοποίηση αυτού του περιουσιακού στοιχείου ως εγγύηση επηρεάζει τη δανειοληπτική σας ικανότητα και τον Συντελεστή Υγείας.\",\"a7u1N9\":\"Price\",\"a9D+6D\":\"Unstaked\",\"aEtiwq\":\"Ψηφίστε ΚΑΤΑ\",\"aMmFE1\":\"Buy Crypto With Fiat\",\"aOKIms\":\"Οι παράμετροι της συστοιχίας που θα έπρεπε να είναι ίσου μήκους δεν είναι\",\"aX31hk\":\"Your balance is lower than the selected amount.\",\"adUsDd\":\"An error has occurred fetching the proposal.\",\"al6Pyz\":\"Exceeds the discount\",\"aoXTT7\":\"Δανεισμός APY, μεταβλητό\",\"aqX1Yp\":\"This asset is eligible for rewards through SuperFest. Aave Labs does not guarantee the program and accepts no liability.\",\"avgETN\":\"Eligible for the Merit program.\",\"b4NS3e\":\"Προειδοποίηση περιόδου ψύξης\",\"bNEQeI\":\"Cooldown\",\"bSruit\":\"ZKSync Ignite Program rewards are claimed through the\",\"bUUVED\":\"Περιουσιακό στοιχείο\",\"bXQ/Og\":\"Μοιραστείτε το στο twitter\",\"bXr0ee\":\"Τα απομονωμένα περιουσιακά στοιχεία έχουν περιορισμένη δανειοληπτική ικανότητα και άλλα περιουσιακά στοιχεία δεν μπορούν να χρησιμοποιηθούν ως εγγύηση.\",\"bYmAV1\":\"Addresses\",\"bguKoJ\":\"Το αιτούμενο ποσό είναι μεγαλύτερο από το μέγιστο μέγεθος δανείου στη λειτουργία σταθερού επιτοκίου\",\"bwSQI0\":\"Προσφορά\",\"bxN6EM\":\"Cannot disable E-Mode\",\"bxmzSh\":\"Δεν υπάρχουν επαρκείς εγγυήσεις για την αποπληρωμή αυτού του ποσού χρέους με\",\"c91vuQ\":\"Η διεύθυνση δεν είναι συμβόλαιο\",\"c97os2\":\"Aave aToken\",\"c9b44w\":\"Δεν μπορείτε να αποσύρετε αυτό το ποσό, διότι θα προκληθεί κλήση εγγύησης\",\"cBc+4A\":\"Αυτό είναι το συνολικό ποσό που μπορείτε να δανειστείτε. Μπορείτε να δανειστείτε με βάση την εξασφάλισή σας και μέχρι να επιτευχθεί το ανώτατο όριο δανεισμού.\",\"cIl5kp\":\"Your voting power is based on your AAVE/stkAAVE balance and received delegations.\",\"cLo09S\":\"Λεπτομέρειες κινδύνου\",\"cNT+ij\":\"Ο δανεισμός δεν είναι διαθέσιμος επειδή έχετε ενεργοποιήσει τη Λειτουργία Αποδοτικότητας (E-Mode) και τη λειτουργία Απομόνωσης. Για να διαχειριστείτε τη λειτουργία E-Mode και τη λειτουργία Απομόνωσης, επισκεφθείτε τον <0>Πίνακα ελέγχου.\",\"cZOeBk\":\"Something went wrong fetching bridge message, please try again later.\",\"ceix5S\":\"To submit a proposal for minor changes to the protocol, you'll need at least 80.00K power. If you want to change the core code base, you'll need 320k power.<0>Learn more.\",\"ciybUa\":\"Ψηφίστε ΥΠΕΡ\",\"ckf7gX\":[\"Αποπληρώνοντας \",[\"symbol\"]],\"cp1ZDP\":[\"Bridge \",[\"symbol\"]],\"cqnmnD\":\"Effective interest rate\",\"cqwIvs\":\"Συζήτηση φόρουμ\",\"csDS2L\":\"Διαθέσιμο\",\"cu7Stb\":\"Δεν συμμετείχατε στην παρούσα πρόταση\",\"dE6BLF\":\"Διακυβέρνηση\",\"dEgA5A\":\"Cancel\",\"dIsyWh\":\"Η επικύρωση του Ltv απέτυχε\",\"dMtLDE\":\"to\",\"dOB5nW\":[\"Maximum amount available to supply is <0/> \",[\"0\"],\" (<1/>).\"],\"dVfODp\":\"Δεν έχετε αρκετά χρήματα στο πορτοφόλι σας για να αποπληρώσετε ολόκληρο το ποσό. Εάν προχωρήσετε στην αποπληρωμή με το τρέχον ποσό των χρημάτων σας, θα εξακολουθείτε να έχετε μια μικρή θέση δανεισμού στο ταμπλό σας.\",\"dXUQFX\":\"Περιουσιακά στοιχεία προς δανεισμό\",\"dgr1aY\":\"Borrowing is disabled due to an Aave community decision. <0>More details\",\"djsg0o\":\"Χρησιμοποίηση εγγυήσεων\",\"dpc0qG\":\"Μεταβλητό\",\"drdV8R\":\"Liquidation\",\"dxW8cS\":\"Aave debt token\",\"e4V3oW\":\"Top 10 addresses\",\"eD8WX/\":\"Η δράση απαιτεί ενεργό απόθεμα\",\"eJRJ04\":\"Amount to unstake\",\"eLh0cL\":\"Slippage is the difference between the quoted and received amounts from changing market conditions between the moment the transaction is submitted and its verification.\",\"ePK91l\":\"Edit\",\"eVpCmf\":\"Staking Rewards\",\"eVqvtf\":\"Bridge GHO\",\"eYdurp\":\"No transactions yet.\",\"ebLGGN\":\"Σύνολο δανεικών\",\"ecqEvn\":\"Το υπόλοιπο των εγγυήσεων είναι 0\",\"efdrrk\":\"Available on\",\"enruNF\":\"starts\",\"eqLYiD\":\"Ξεκλειδώστε τώρα\",\"euScGB\":\"APY with discount applied\",\"evw5ha\":\"Καθαρή αξία\",\"ezcU16\":\"Get ABP Token\",\"f3W0Ej\":[\"Αλλάξατε σε ποσοστό \",[\"0\"]],\"fH9i8k\":\"You've successfully switched borrow position.\",\"fHcELk\":\"Καθαρό APR\",\"fMJQZK\":\"Borrowed\",\"fZ5Vnu\":\"Received\",\"firl9Q\":\"Το τρέχον δάνειο προς αξία με βάση τις παρεχόμενες εξασφαλίσεις σας.\",\"flRCF/\":\"Staking discount\",\"fldjW9\":\"Preview tx and migrate\",\"fsBGk0\":\"Υπόλοιπο\",\"fu1Dbh\":[\"Ανάληψη \",[\"symbol\"]],\"fwjWSI\":\"Supplied\",\"fwyTMb\":\"Migrate to stkABPT v2\",\"g0mals\":\"You can not disable E-Mode because that could cause liquidation. To exit E-Mode supply or repay borrowed positions.\",\"g2UNkE\":\"Powered by\",\"g8KGoA\":\"FAQS\",\"g9zzqS\":\"Voted NAY\",\"gDd2gk\":\"about SuperFest.\",\"gFFh9h\":\"Όλα έτοιμα!\",\"gIMJlW\":\"Λειτουργία Testnet\",\"gOzPxe\":\"This asset is frozen due to an Aave Protocol Governance decision. <0>More details\",\"gTHi2T\":\"Ο χρήστης προσπαθεί να δανειστεί πολλαπλά περιουσιακά στοιχεία, συμπεριλαμβανομένου ενός απομονωμένου περιουσιακού στοιχείου\",\"gVW59Y\":\"Please connect your wallet to get free testnet assets.\",\"gcFNxP\":\"Approve Confirmed\",\"gncRUO\":\"This address is blocked on app.aave.com because it is associated with one or more\",\"goff7V\":\"Η μηδενική διεύθυνση δεν είναι έγκυρη\",\"gp+f1B\":\"Version 3\",\"gr8mYw\":\"You may borrow up to <0/> GHO at <1/> (max discount)\",\"gvTM4B\":\"Το καθαρό ΑΡΥ είναι η συνδυασμένη επίδραση όλων των θέσεων προσφοράς και δανεισμού στην καθαρή αξία, συμπεριλαμβανομένων των κινήτρων. Είναι δυνατόν να υπάρχει αρνητικό καθαρό APY εάν το χρεωστικό APY είναι υψηλότερο από το προσφερόμενο APY.\",\"gzcch9\":\"Μη έγκυρη αμοιβή πρωτοκόλλου γέφυρας\",\"h33MxW\":\"Representing smart contract wallet (ie. Safe) addresses on other chains.\",\"h3ilK+\":\".CSV\",\"hB23LY\":\"Activate Cooldown\",\"hIJzBh\":\"Available to Claim\",\"hIS4N0\":\"Καθαρό APY\",\"hRWvpI\":\"Claimed\",\"hdmy/o\":\"Το % της συνολικής δανειοληπτικής σας δύναμης που χρησιμοποιείται. Αυτό βασίζεται στο ποσό της παρεχόμενης εξασφάλισής σας και στο συνολικό ποσό που μπορείτε να δανειστείτε.\",\"hehnjM\":\"Ποσό\",\"hjDCQr\":\"Υπήρξε κάποιο σφάλμα. Προσπαθήστε να αλλάξετε τις παραμέτρους ή <0><1>αντιγράψτε το σφάλμα\",\"hom7qf\":\"Διεκδίκηση\",\"hpHJ4I\":\"Liquidated collateral\",\"hpuVIp\":\"Users who stake AAVE in Safety Module (i.e. stkAAVE holders) receive a discount on GHO borrow interest rate.\",\"huQ6Tz\":[\"Δανεισμός \",[\"symbol\"]],\"hxi7vE\":\"Borrow balance\",\"i/fZ2Z\":\"Staked Balance\",\"i2JTiw\":\"You may enter a custom amount in the field.\",\"iB5+/J\":\"About GHO\",\"iChbOF\":\"Ασυνεπείς παράμετροι flashloan\",\"iEPVHF\":\"Δεν έχει αρκετή δύναμη ψήφου για να συμμετάσχει στην παρούσα πρόταση\",\"iEW87X\":\"Delegated power\",\"iEju36\":[\"Ψηφίσατε \",[\"0\"]],\"iFq2YN\":\"Borrowable\",\"iGxyIA\":\"Safety Module\",\"iMVZk9\":\"Select slippage tolerance\",\"iPMIoT\":\"Εισάγετε ένα ποσό\",\"iSLIjg\":\"Connect\",\"iUo5rv\":\"tokens δεν είναι το ίδιο με το να τα κλειδώνετε. Εάν επιθυμείτε να κλειδώσετε τα\",\"iZxa38\":\"Use it to vote for or against active proposals.\",\"if5PH+\":\"Collector Info\",\"igkfR1\":[\"In Isolation mode, you cannot supply other assets as collateral. A global debt ceiling limits the borrowing power of the isolated asset. To exit isolation mode disable \",[\"0\"],\" as collateral before borrowing another asset. Read more in our <0>FAQ\"],\"il0sEG\":\"H χρήση εγγυήσεων είναι περιορισμένη λόγω της λειτουργίας Απομόνωσης.\",\"j+K1Xj\":\"Amount After Fee\",\"jA2QeW\":\"Προμηθεύοντας το\",\"jFi7dz\":\"Interest rate that is determined by Aave Governance. This rate may be changed over time depending on the need for the GHO supply to contract/expand. <0>Learn more\",\"jG3UJ7\":\"Απενεργοποίηση E-Mode\",\"jKYzR1\":\"Ενεργοποίηση E-Mode\",\"jMam5g\":[[\"0\"],\" Υπόλοιπο\"],\"jSYv+Z\":\"Enabling E-Mode allows you to maximize your borrowing power, however, borrowing is restricted to assets within the selected category. <0>Learn more about how it works and the applied restrictions.\",\"jaKbwW\":[[\"s\"],\"δ\"],\"jbFMap\":\"Χρόνος ψύξης που έχει απομείνει\",\"jeMZNr\":[[\"0\"],\" on-ramp service is provided by External Provider and by selecting you agree to Terms of the Provider. Your access to the service might be reliant on the External Provider being operational.\"],\"jfl9OP\":\"Migrated\",\"jmXdoY\":\"Στο E-Mode ορισμένα περιουσιακά στοιχεία δεν είναι δανείσιμα. Βγείτε από το E-Mode για να αποκτήσετε πρόσβαση σε όλα τα περιουσιακά στοιχεία\",\"jpctdh\":\"View\",\"jqzUyM\":\"Μη διαθέσιμο\",\"k/sb6z\":\"Επιλέξτε γλώσσα\",\"k3wP3f\":\"<0>Attention: Parameter changes via governance can alter your account health factor and risk of liquidation. Follow the <1>Aave governance forum for updates.\",\"kACpF3\":[\"Διεκδίκηση \",[\"0\"]],\"kH6wUX\":\"Επίδραση στην τιμή\",\"kIC28N\":\"Available to claim\",\"kIpSye\":[[\"numSelected\"],\"/\",[\"numAvailable\"],\" assets selected\"],\"kN1Yg5\":\"Για την εξόφληση εκ μέρους ενός χρήστη απαιτείται ένα ρητό ποσό προς εξόφληση\",\"kRTD40\":[\"Repayment amount to reach \",[\"0\"],\"% utilization\"],\"kjN9tT\":\"Υπέρβαση του ανώτατου ορίου προσφοράς\",\"knxE+G\":\".JSON\",\"ks2LWT\":\"Το ανώτατο όριο χρέους δεν είναι μηδενικό\",\"kwwn6i\":\"Users who stake AAVE in Safety Module (i.e. stkAAVE holders) receive a discount on GHO borrow interest rate. The discount applies to 100 GHO for every 1 stkAAVE held. Use the calculator below to see GHO borrow rate with the discount applied.\",\"kz3wtK\":\"and about SPK program\",\"kzZyM4\":\"DAI balance will be converted via DSR contracts and then supplied as sDAI. Switching incurs no additional costs and no slippage.\",\"lNVG7i\":\"Select an asset\",\"lU2d1/\":[\"Asset cannot be migrated due to insufficient liquidity or borrow cap limitation in \",[\"marketName\"],\" v3 market.\"],\"lVhKKI\":\"Voted YAE\",\"lWLqxB\":\"We couldn't find any transactions related to your search. Try again with a different asset name, or reset filters.\",\"lYGfRP\":\"Αγγλικά\",\"lfEjIE\":\"Μάθετε περισσότερα στον οδηγό <0>Συχνών Ερωτήσεων\",\"lt6bpt\":\"Collateral to repay with\",\"m/IEhi\":\"Συνολικές εκπομπές ανά ημέρα\",\"m7r7Hh\":\"Selected borrow assets\",\"mDDK4p\":\"Balancer Pool\",\"mIM0qu\":\"Expected amount to repay\",\"mUAFd6\":\"Version 2\",\"masO5Z\":\"E-Mode increases your LTV for a selected category of assets. <0>Learn more\",\"mdNjKU\":[\"Your \",[\"name\"],\" wallet is empty. Purchase or transfer assets or use <0>\",[\"0\"],\" to transfer your \",[\"network\"],\" assets.\"],\"muiOng\":[\"Buy \",[\"cryptoSymbol\"],\" with Fiat\"],\"mvCXBY\":\"Stake AAVE\",\"mwdzil\":\"Εντάξει, Κλείσιμο\",\"mzI/c+\":\"Download\",\"mzdIia\":\"Το περιουσιακό στοιχείο δεν μπορεί να χρησιμοποιηθεί ως εγγύηση.\",\"n+SX4g\":\"Προγραμματιστές\",\"n8Psk4\":\"We couldn’t detect a wallet. Connect a wallet to stake and view your balance.\",\"nJIhzm\":\"Προσφορά apy\",\"nJgsQu\":\"Με δύναμη ψήφου <0/>\",\"nLC6tu\":\"Γαλλικά\",\"nN2T8p\":\"During the cooldown period, you will not earn any merit rewards. However, rewards earned up to this point will remain unaffected.\",\"nNHV0z\":\"Migrating multiple collaterals and borrowed assets at the same time can be an expensive operation and might fail in certain situations.<0>Therefore it’s not recommended to migrate positions with more than 5 assets (deposited + borrowed) at the same time.\",\"nNbnzu\":\"Proposition\",\"nOy4ob\":\"We suggest you go back to the Dashboard.\",\"nPGNMh\":\"Μπορεί να εκτελεστεί\",\"nUK1ou\":[\"Assets with zero LTV (\",[\"0\"],\") must be withdrawn or disabled as collateral to perform this action\"],\"nakd8r\":\"stkAAVE holders get a discount on GHO borrow rate\",\"nh2EJK\":[\"Παρακαλώ μεταβείτε στο \",[\"networkName\"],\".\"],\"njBeMm\":\"Both\",\"noN5Xf\":\"We couldn’t detect a wallet. Connect a wallet to view your staking positions and rewards.\",\"ntkAoE\":\"Discount applied for <0/> staking AAVE\",\"ntyFSE\":[[\"h\"],\"ω\"],\"nwtY4N\":\"Something went wrong\",\"nxyWvj\":\"Withdrawing this amount will reduce your health factor and increase risk of liquidation.\",\"o17QVP\":\"Ο συντελεστής υγείας και το δάνειο προς αξία καθορίζουν τη διασφάλιση των εξασφαλίσεών σας. Για να αποφύγετε τις ρευστοποιήσεις μπορείτε να παράσχετε περισσότερες εξασφαλίσεις ή να εξοφλήσετε δανειακές θέσεις.\",\"o1xc2V\":\"Η προσφορά AToken δεν είναι μηδενική\",\"o4tCu3\":\"Borrow APY\",\"o5ooMr\":\"Χρέος\",\"o7J4JM\":\"Φίλτρο\",\"oHFrpj\":\"Ψύξτε για ξεκλείδωμα\",\"oJ5ZiG\":\"Ο χρήστης δεν έχει ανεξόφλητο χρέος μεταβλητού επιτοκίου σε αυτό το αποθεματικό\",\"oRBGin\":\"Please connect your wallet to be able to switch your tokens.\",\"oUwXhx\":\"Test Assets\",\"oWklJD\":\"Το σταθερό επιτόκιο θα <0>μείνει το ίδιο για όλη τη διάρκεια του δανείου σας. Συνιστάται για μακροχρόνιες περιόδους δανεισμού και για χρήστες που προτιμούν την προβλεψιμότητα.\",\"odnIK3\":\"Time remaining until the 48 hour withdraw period starts.\",\"oiK5nY\":\"The current incentives period, decided on by the Aave community, has ended. Governance is in the process on renewing, check for updates. <0>Learn more.\",\"olREoo\":\"All borrow positions outside of this category must be closed to enable this category.\",\"om/XHs\":\"Διαθέσιμο για προμήθεια\",\"ov0+mq\":\"Eligible for the ZKSync Ignite program.\",\"ovT1pF\":[\"Per the community, the \",[\"market\"],\" has been frozen.\"],\"ow3fug\":\"Nothing found\",\"owSsI3\":\"Signatures ready\",\"p+R52m\":\"Go to Balancer Pool\",\"p2A+s1\":[\"Η περίοδος ψύξης είναι \",[\"0\"],\". Μετά την \",[\"1\"],\" περίοδο ψύξης, θα εισέλθετε στο παράθυρο ξεκλειδώματος \",[\"2\"],\". Θα συνεχίσετε να λαμβάνετε ανταμοιβές κατά τη διάρκεια της ψύξης και του παραθύρου ξεκλειδώματος.\"],\"p2S64u\":\"The loan to value of the migrated positions would cause liquidation. Increase migrated collateral or reduce migrated borrow to continue.\",\"p2Z2Qi\":\"Αυτό το περιουσιακό στοιχείο έχει φθάσει στο ανώτατο όριο δανεισμού του. Τίποτα δεν είναι διαθέσιμο για δανεισμό από αυτή την αγορά.\",\"p3j+mb\":\"Το υπόλοιπο της ανταμοιβής σας είναι 0\",\"p45alK\":\"Set up delegation\",\"p6u2s1\":\"Minimum amount of debt to be repaid\",\"pDgeaz\":[[\"title\"]],\"pdZqBk\":\"Το υποκείμενο υπόλοιπο πρέπει να είναι μεγαλύτερο από 0\",\"pgWG9H\":\"Δεν υπάρχει αρκετό κλειδωμένο υπόλοιπο\",\"piPrJ7\":\"παρακαλούμε ελέγξτε ότι το ποσό που θέλετε να παρέχετε δεν χρησιμοποιείται επί του παρόντος για κλείδωμα. Εάν χρησιμοποιείται για κλείδωμα, η συναλλαγή σας ενδέχεται να αποτύχει.\",\"pjO/iH\":\"Minimum amount received\",\"pooutM\":\"Voting is on\",\"pqaM5s\":\"Confirming transaction\",\"ptaxX3\":[\"Καταλαβαίνω πώς λειτουργεί η ψύξη (\",[\"0\"],\") και το ξεκλείδωμα (\",[\"1\"],\")\"],\"py2iiY\":\"Ο καλών αυτής της συνάρτησης πρέπει να είναι ένα κοινόχρηστο ταμείο\",\"q/51mF\":\"Migrate to V3\",\"q3df11\":\"Interest rate strategy\",\"q6lAbz\":\"Κλειδωμένο\",\"qB4kPi\":\"Προσφορά APY\",\"qENI8q\":\"Γενικές ρυθμίσεις\",\"qGz5zl\":\"Collateral balance after repay\",\"qOqbD6\":\"αντιγράψτε το σφάλμα\",\"qXCkEM\":\"Συνδέστε το πορτοφόλι σας για να δείτε τις προμήθειες, τα δάνεια και τις ανοιχτές θέσεις σας.\",\"qY2jnw\":\"Μη έγκυρη λήξη\",\"qf/fr+\":\"Interest accrued\",\"quYPUU\":\"Variable interest rate will <0>fluctuate based on the market conditions.\",\"quzIeW\":\"User is in isolation mode or LTV is zero\",\"qvnz3q\":\"Μη έγκυρη ποσότητα προς καύση\",\"rHgdb0\":\"Migrate to Aave V3\",\"rOrHHe\":\"Το ποσό πρέπει να είναι μεγαλύτερο από 0\",\"rQ+R+0\":\"Selected supply assets\",\"rSayea\":\"APY\",\"rTBDeu\":[\"Asset cannot be migrated because you have isolated collateral in \",[\"marketName\"],\" v3 Market which limits borrowable assets. You can manage your collateral in <0>\",[\"marketName\"],\" V3 Dashboard\"],\"rcT+yy\":\"Εμφάνιση περιουσιακών στοιχείων με υπόλοιπο 0\",\"rf8POi\":\"Borrowed asset amount\",\"riNWOA\":\"E-Mode\",\"rjGI/Q\":\"Privacy\",\"rnKPW1\":\"Watch a wallet balance in read-only mode\",\"ruc7X+\":\"Add stkAAVE to see borrow APY with the discount\",\"rvbaFU\":[\"Bridging \",[\"symbol\"]],\"rwVVB7\":\"Διεκδικήστε όλες τις ανταμοιβές\",\"rwyUva\":\"These assets are temporarily frozen or paused by Aave community decisions, meaning that further supply / borrow, or rate swap of these assets are unavailable. Withdrawals and debt repayments are allowed. Follow the <0>Aave governance forum for further updates.\",\"rxJW5W\":\"Your proposition power is based on your AAVE/stkAAVE balance and received delegations.\",\"s2jJnW\":\"You don't have any bridge transactions\",\"s5wBAq\":[\"Unstake \",[\"symbol\"]],\"sJbIdI\":\"Enter ETH address or ENS\",\"sK+Nag\":\"Αναθεώρηση συναλλαγής\",\"sP2+gB\":\"ΚΑΤΑ\",\"sQv06Y\":\"for\",\"sTtO6J\":\"Confirm transaction\",\"sXKb3l\":\"Exchange rate\",\"sb0q4+\":\"Μπορείτε να ξεκλειδώσετε εδώ\",\"smJNwH\":\"Διαθέσιμο για δανεισμό\",\"solypO\":\"Ο παράγοντας υγείας δεν είναι κάτω από το όριο\",\"sr0UJD\":\"Πηγαίνετε Πίσω\",\"ss5GCK\":\"Η διεύθυνση του παρόχου διευθύνσεων κοινόχρηστου ταμείου είναι άκυρη\",\"swEgK4\":\"Οι πληροφορίες ψήφου σας\",\"t+wtgf\":\"Τίποτα δανεισμένο ακόμα\",\"t/YqKh\":\"Remove\",\"t81DpC\":[\"Approve \",[\"symbol\"],\" to continue\"],\"tCnbEs\":\"Τιμή Oracle\",\"tFZLf8\":\"Αυτός ο υπολογισμός gas είναι μόνο μια εκτίμηση. Το πορτοφόλι σας θα καθορίσει την τιμή της συναλλαγής. Μπορείτε να τροποποιήσετε τις ρυθμίσεις gas απευθείας από τον πάροχο του πορτοφολιού σας.\",\"tHuvQI\":\"Go to V3 Dashboard\",\"tKv7cI\":\"Switch borrow position\",\"tOcg3N\":\"Since this asset is frozen, the only available actions are withdraw and repay which can be accessed from the <0>Dashboard\",\"tOuXfv\":[\"Borrow amount to reach \",[\"0\"],\"% utilization\"],\"te9Bfl\":\"Παρακαλώ, συνδέστε το πορτοφόλι σας\",\"tt5yma\":\"Οι προμήθειές σας\",\"ttoh5c\":\"Switch to\",\"u3ZeYl\":\"Η συναλλαγή απέτυχε\",\"u706uF\":\"Άκυρη πριμοδότηση flashloan\",\"u8Gfu7\":[\"No search results\",[\"0\"]],\"uAQUqI\":\"Status\",\"uHMwk8\":\"No assets selected to migrate.\",\"uJPHuY\":\"Migrating\",\"uY8O30\":\"To continue, you need to grant Aave smart contracts permission to move your funds from your wallet. Depending on the asset and wallet you use, it is done by signing the permission message (gas free), or by submitting an approval transaction (requires gas). <0>Learn more\",\"udFheE\":\"Για την αποπληρωμή ενός συγκεκριμένου τύπου χρέους, ο χρήστης πρέπει να έχει χρέος αυτού του τύπου\",\"ulNuNq\":\"Export data to\",\"ulup2p\":\"Buy Crypto with Fiat\",\"umICAY\":\"<0><1><2/>Add stkAAVE to see borrow rate with discount\",\"usB84Z\":\"Maximum amount available to borrow is limited because protocol borrow cap is nearly reached.\",\"uwAUvj\":\"COPY IMAGE\",\"v8x7Mg\":\"Insufficient collateral to cover new borrow position. Wallet must have borrowing power remaining to perform debt switch.\",\"vEqxH9\":\"Restaked\",\"vLyv1R\":\"Απόκρυψη\",\"vMba49\":\"Ο δανεισμός δεν είναι ενεργοποιημένος\",\"vMpNwt\":\"Approve with\",\"vXIe7J\":\"Γλώσσα\",\"vesuBJ\":\"Σας επιτρέπει να αποφασίσετε αν θα χρησιμοποιήσετε ένα παρεχόμενο περιουσιακό στοιχείο ως εγγύηση. Ένα περιουσιακό στοιχείο που χρησιμοποιείται ως εγγύηση θα επηρεάσει τη δανειοληπτική σας ικανότητα και τον συντελεστή υγείας.\",\"w+V9Cx\":\"Σταθερό νόμισμα\",\"w/JtJ3\":\"Η σταθερή προσφορά χρέους δεν είναι μηδενική\",\"w4VBY+\":\"Ανταμοιβές APR\",\"w9dLMW\":[[\"label\"]],\"wAOL+X\":[\"Εσείς \",[\"action\"],\" <0/> \",[\"symbol\"]],\"wBIsjb\":\"Discord channel\",\"wQZbc/\":\"Ο καλών της συνάρτησης δεν είναι AToken\",\"wRRqvW\":\"Δεν έχετε προμήθειες σε αυτό το νόμισμα\",\"wZFvVU\":\"ΨΗΦΙΣΤΕ ΥΠΕΡ\",\"wb/r1O\":[\"Βρύση \",[\"0\"]],\"wdxz7K\":\"Source\",\"weH1nG\":\"The Aave Protocol is programmed to always use the price of 1 GHO = $1. This is different from using market pricing via oracles for other crypto assets. This creates stabilizing arbitrage opportunities when the price of GHO fluctuates.\",\"wh7Ezv\":\"You have no AAVE/stkAAVE/aAave balance to delegate.\",\"wlsIx7\":\"With testnet Faucet you can get free assets to test the Aave Protocol. Make sure to switch your wallet provider to the appropriate testnet network, select desired asset, and click ‘Faucet’ to get tokens transferred to your wallet. The assets on a testnet are not “real,” meaning they have no monetary value. <0>Learn more\",\"wmE285\":\"Get ABP v2 Token\",\"wyRrcJ\":\"As a result of governance decisions, this ABPT staking pool is now deprecated. You have the flexibility to either migrate all of your tokens to v2 or unstake them without any cooldown period.\",\"x5KiLL\":\"Selected assets have successfully migrated. Visit the Market Dashboard to see them.\",\"x7F2p6\":\"Τρέχον διαφορικό\",\"x7K5ib\":[\"Your \",[\"networkName\"],\" wallet is empty. Get free test \",[\"0\"],\" at\"],\"x9iLRD\":\"tokens, παρακαλούμε μεταβείτε στο\",\"xNy/UG\":\"Αποπληρωμή με\",\"xPm8wv\":\"Μάθετε περισσότερα για τους κινδύνους\",\"xXYpZl\":[[\"0\"],\" Βρύση\"],\"xaVBSS\":\"Οι πληροφορίες σας\",\"xaWZ6f\":\"APY type change\",\"xh6k71\":\"Collateral usage is limited because of isolation mode.\",\"xvIklc\":\"Flashloan is disabled for this asset, hence this position cannot be migrated.\",\"y5rS9U\":\"Migrate\",\"y66tBm\":[\"Ενεργοποίηση \",[\"symbol\"],\" ως εγγύηση\"],\"yB1YpA\":\"Σκοτεινή λειτουργία\",\"yCrG6m\":\"Συνολικό μέγεθος της αγοράς\",\"yJUUbn\":\"Επισκόπηση συναλλαγής\",\"yLGmLX\":[\"Restake \",[\"symbol\"]],\"yW1oWB\":\"Τύπος APY\",\"yYHqJe\":\"Μη έγκυρη διεύθυνση\",\"yZwLw6\":\"Track wallet\",\"yh2sjd\":[\"Price impact \",[\"0\"],\"%\"],\"yhvj6d\":\"Δεν μπορείτε να αλλάξετε τη χρήση ως λειτουργία εγγύησης για αυτό το νόμισμα, διότι θα προκαλέσει κλήση εγγύησης\",\"ylmtBZ\":\"The app is running in fork mode.\",\"ymNY32\":[\"Δεν υπάρχουν αρκετά κεφάλαια στο\",[\"0\"],\"αποθεματικό για δανεισμό\"],\"yz7wBu\":\"Κλείσιμο\",\"z4uGQg\":\"Υπέρβαση του ανώτατου ορίου χρέους\",\"z5UQOM\":\"Η εγγύηση που έχει επιλεγεί δεν μπορεί να ρευστοποιηθεί\",\"z5Y+p6\":[\"Παροχή \",[\"symbol\"]],\"zCjNKs\":\"Η ενέργεια δεν μπορεί να εκτελεστεί επειδή το αποθεματικό έχει παγώσει\",\"zRHytX\":\"Isolated Debt Ceiling\",\"zTOjMP\":\"Protocol supply cap is at 100% for this asset. Further supply unavailable.\",\"zVdRUG\":\"Submission did not work, please try again later or contact wecare@avara.xyz\",\"zevmS2\":\"<0><1><2/>Add <3/> stkAAVE to borrow at <4/> (max discount)\",\"zgtIDV\":\"Υπολειπόμενο χρέος\",\"zmTPiV\":\"Υπόλοιπο προσφοράς\",\"zpPbZl\":\"Liquidation risk parameters\",\"zucql+\":\"Μενού\",\"zwWKhA\":\"Μάθετε περισσότερα\",\"zy9fXn\":[\"Asset is frozen in \",[\"marketName\"],\" v3 market, hence this position cannot be migrated.\"],\"zys+R6\":\"Be mindful of the network congestion and gas prices.\",\"zzzTXS\":\"Merit Program rewards are claimed through the\"}")}; \ No newline at end of file diff --git a/src/locales/en/messages.js b/src/locales/en/messages.js index 1b43139898..526914b801 100644 --- a/src/locales/en/messages.js +++ b/src/locales/en/messages.js @@ -1 +1 @@ -/*eslint-disable*/module.exports={messages:JSON.parse("{\"+0xecS\":[\"If you DO NOT unstake within \",[\"0\"],\" of unstake window, you will need to activate cooldown process again.\"],\"+EGVI0\":\"Receive (est.)\",\"+VR63W\":[\"Participating in this \",[\"symbol\"],\" reserve gives annualized rewards.\"],\"+bmKdK\":\"Use your AAVE, stkAAVE, or aAave balance to delegate your voting and proposition powers. You will not be sending any tokens, only the rights to vote and propose changes to the protocol. You can re-delegate or revoke power to self at any time.\",\"+eOPG+\":\"Seems like we can't switch the network automatically. Please check if you can change it from the wallet.\",\"+i3Pd2\":\"Borrow cap\",\"+kLZGu\":\"Supplied asset amount\",\"+nuEh/\":\"Estimated time\",\"+xMFF8\":\"Remind me\",\"/57U31\":\"Amount to migrate\",\"/7ykiW\":\"Borrowing this amount will reduce your health factor and increase risk of liquidation.\",\"/YA5pU\":\"E-Mode increases your LTV for a selected category of assets, meaning that when E-mode is enabled, you will have higher borrowing power over assets of the same E-mode category which are defined by Aave Governance. You can enter E-Mode from your <0>Dashboard. To learn more about E-Mode and applied restrictionn, see the <1>help guide or the <2>Aave V3 Technical Paper.\",\"/izjs/\":\"Minimum staked Aave amount\",\"/jQctM\":\"To\",\"/lDBHm\":\"FAQ\",\"/yNlZf\":\"Stable borrowing is not enabled\",\"/yQcJM\":\"Total worth\",\"00AB2i\":\"User did not borrow the specified currency\",\"00OflG\":\"There is not enough liquidity for the target asset to perform the switch. Try lowering the amount.\",\"08/rZ9\":\"The cooldown period is the time required prior to unstaking your tokens (20 days). You can only withdraw your assets from the Security Module after the cooldown period and within the unstake window.<0>Learn more\",\"0AmQcW\":\"Rate change\",\"0BF3yK\":\"Sorry, we couldn't find the page you were looking for.\",\"0TAbjq\":\"Recent Transactions\",\"0jhlyw\":\"Liquidation risk\",\"0ojY+Y\":\"Current v2 Balance\",\"0thX3P\":\"Collateral change\",\"0wGCWc\":\"This is the total amount that you are able to supply to in this reserve. You are able to supply your wallet balance up until the supply cap is reached.\",\"1AsVfF\":\"Price data is not currently available for this reserve on the protocol subgraph\",\"1LjK22\":\"Transaction history\",\"1Onqx8\":[\"Approving \",[\"symbol\"],\"...\"],\"1Ue8sX\":\"Please connect a wallet to view your personal information here.\",\"1bpx9A\":\"...\",\"1kWUB+\":\"Liquidation <0/> threshold\",\"1m9Qqc\":\"Withdrawing and Switching\",\"1oyh4g\":\"Borrow rate\",\"1t7rez\":\"Asset supply is limited to a certain amount to reduce protocol exposure to the asset and to help manage risks involved.\",\"2CAPu2\":\"You've successfully withdrew & switched tokens.\",\"2Eoi/a\":\"View details\",\"2FYpfJ\":\"More\",\"2O3qp5\":\"Available liquidity\",\"2OM8/D\":[\"Asset cannot be migrated due to supply cap restriction in \",[\"marketName\"],\" v3 market.\"],\"2Q4GU4\":\"Blocked Address\",\"2ZGocC\":\"Aave is a fully decentralized, community governed protocol by the AAVE token-holders. AAVE token-holders collectively discuss, propose, and vote on upgrades to the protocol. AAVE token-holders (Ethereum network only) can either vote themselves on new proposals or delagate to an address of choice. To learn more check out the Governance\",\"2a6G7d\":\"Please enter a valid wallet address.\",\"2bAhR7\":\"Meet GHO\",\"2eBWE6\":\"I acknowledge the risks involved.\",\"2o/xRt\":\"Supply cap on target reserve reached. Try lowering the amount.\",\"2uJToh\":[[\"0\"],[\"name\"]],\"2x58bP\":\"Stable borrowing is enabled\",\"34Qfwy\":\"Borrow cap is exceeded\",\"39eQRj\":[\"Borrow \",[\"symbol\"]],\"3BL1xB\":\"Total supplied\",\"3BnIWi\":\"Switched\",\"3K0oMo\":\"Remaining supply\",\"3MoZhl\":\"There is not enough collateral to cover a new borrow\",\"3Np5O8\":[\"Supply \",[\"symbol\"]],\"3O8YTV\":\"Total interest accrued\",\"3mXg0z\":\"Max LTV\",\"3q3mFy\":\"Repay\",\"3qsjtp\":\"The weighted average of APY for all supplied assets, including incentives.\",\"3rL+os\":\"You can only withdraw your assets from the Security Module after the cooldown period ends and the unstake window is active.\",\"42UgDM\":[\"Migrate to \",[\"0\"],\" v3 Market\"],\"49UFQA\":\"Voting results\",\"4DMZUI\":\"View Transactions\",\"4HtGBb\":\"MAX\",\"4Y5H+g\":\"Terms\",\"4YYh4d\":\"Maximum available to borrow\",\"4iPAI3\":\"Minimum GHO borrow amount\",\"4lDFps\":\"Sign to continue\",\"4wyw8H\":\"Transactions\",\"5JSSxX\":[\"Your \",[\"networkName\"],\" wallet is empty. Get free test assets at\"],\"5K7kGO\":\"documentation\",\"5NOSGa\":\"Debt ceiling limits the amount possible to borrow against this asset by protocol users. Debt ceiling is specific to assets in isolation mode and is denoted in USD.\",\"5Ncc6j\":[\"This asset has almost reached its supply cap. There can only be \",[\"messageValue\"],\" supplied to this market.\"],\"5cZ/KX\":\"Variable debt supply is not zero\",\"5che++\":\"To request access for this permissioned market, please visit: <0>Acces Provider Name\",\"5ctNdV\":[\"Minimum \",[\"0\"],\" received\"],\"5hDe9v\":\"Allowance required action\",\"5rsnKT\":\"Available rewards\",\"5yC5m5\":\"View all votes\",\"6/dCYd\":\"Overview\",\"60crCe\":\"All transactions\",\"62Xcjh\":\"Collateral\",\"65A04M\":\"Spanish\",\"6G8s+q\":\"Signing\",\"6Jrv+z\":[\"Repay \",[\"symbol\"]],\"6NGLTR\":\"Discountable amount\",\"6Xr0UU\":\"Cooling down...\",\"6bxci/\":\"Voting power\",\"6f8S68\":\"Markets\",\"6g1gi0\":\"Proposals\",\"6gvoHP\":\"Copy error message\",\"6h3Q5G\":\"repaid\",\"6lFSyT\":\"Available to Stake\",\"6s8L6f\":\"Switch Network\",\"6yAAbq\":\"APY, borrow rate\",\"70wH1Q\":\"APR\",\"72c5Qo\":\"Total\",\"73Auuq\":\"Discount parameters are decided by the Aave community and may be changed over time. Check Governance for updates and vote to participate. <0>Learn more\",\"75qcAQ\":[[\"stepName\"]],\"7ITr5L\":\"Health factor\",\"7T/o5R\":\"Reached\",\"7YlcXu\":\"Fork mode is ON\",\"7Z76Iw\":\"Borrowing is unavailable because you’re using Isolation mode. To manage Isolation mode visit your <0>Dashboard.\",\"7aKlMS\":\"Share on Lens\",\"7er5fP\":\"Claim all\",\"7hb2+s\":\"Time remaining until the withdraw period ends.\",\"7l88b8\":\"Data couldn't be fetched, please reload graph.\",\"7p5kLi\":\"Dashboard\",\"7sofdl\":\"Withdraw and Switch\",\"8+6BI0\":\"Be careful - You are very close to liquidation. Consider depositing more collateral or paying down some of your borrowed positions\",\"87pUEW\":[\"Your \",[\"name\"],\" wallet is empty. Purchase or transfer assets.\"],\"8F1i42\":\"Page not found\",\"8G8M0u\":\"Loading data...\",\"8Iu1QS\":\"withdrew\",\"8JL93T\":\"All proposals\",\"8Q51DU\":\"Add to wallet\",\"8X/oyn\":\"Invalid amount to mint\",\"8Z5FPv\":\"Disconnect Wallet\",\"8Zz7s5\":\"assets\",\"8aLW8H\":\"Balance to revoke\",\"8bOT3H\":\"Utilization Rate\",\"8sLe4/\":\"View contract\",\"8t/M0y\":\"Please connect your wallet to be able to bridge your tokens.\",\"8vETh9\":\"Show\",\"94OHPx\":\"You are entering Isolation mode\",\"9CDK3/\":[\"Borrowing is currently unavailable for \",[\"0\"],\".\"],\"9GIj3z\":\"Reserve Size\",\"9Knqb4\":\"Staking balance\",\"9OBKm7\":\"Quorum\",\"9QHoGr\":\"Current votes\",\"9Rw96f\":[\"This asset has almost reached its borrow cap. There is only \",[\"messageValue\"],\" available to be borrowed from this market.\"],\"9Xj/qR\":[\"Some migrated assets will not be used as collateral due to enabled isolation mode in \",[\"marketName\"],\" V3 Market. Visit <0>\",[\"marketName\"],\" V3 Dashboard to manage isolation mode.\"],\"9c6vDV\":\"This asset has reached its supply cap. Nothing is available to be supplied from this market.\",\"9kTWHA\":\"MAI has been paused due to a community decision. Supply, borrows and repays are impacted. <0>More details\",\"9lXchd\":\"Underlying token\",\"9rWaKF\":\"Bridged Via CCIP\",\"9xSooW\":\"Since this is a test network, you can get any of the assets if you have ETH on your wallet\",\"A/lwoe\":\"Choose one of the on-ramp services\",\"A6dCI6\":[\"Maximum amount available to borrow is <0/> \",[\"0\"],\" (<1/>).\"],\"AReoaV\":\"Your borrows\",\"ARu1L4\":\"Repaid\",\"AV7cGz\":\"Review approval tx details\",\"AZOjB8\":\"Fetching data...\",\"Ai0jas\":\"Join the community discussion\",\"Ajl2rq\":\"Borrowing power and assets are limited due to Isolation mode.\",\"AqgYNC\":\"Protocol borrow cap at 100% for this asset. Further borrowing unavailable.\",\"B3EcQR\":\"Thank you for voting!!\",\"B6aXGH\":\"Stable\",\"B9Gqbz\":\"Variable rate\",\"BDFEd+\":\"stETH supplied as collateral will continue to accrue staking rewards provided by daily rebases.\",\"BE2mP0\":\"Borrowed assets\",\"BJyN77\":\"Due to health factor impact, a flashloan is required to perform this transaction, but Aave Governance has disabled flashloan availability for this asset. Try lowering the amount or supplying additional collateral.\",\"BNL4Ep\":\"Collateral usage is limited because of isolation mode. <0>Learn More\",\"BQ/wCO\":\"Migrate your assets\",\"BjLdl1\":\"At a discount\",\"BnhYo8\":\"Asset category\",\"Bq9Y7e\":\"This asset is frozen due to an Aave community decision. <0>More details\",\"BqWMDJ\":\"Faucet\",\"BqynZO\":\"Optimized for efficiency and risk by supporting blue-chip collateral assets\",\"Bsu7zX\":\"The fee includes the gas cost to complete the transaction on the destination chain and the fee paid to Chainlink CCIP service providers. You can chose to pay in the network token or GHO. <0>Learn more\",\"BwJKBw\":\"of\",\"CDrsH+\":\"Techpaper\",\"CK1KXz\":\"Max\",\"CMHmbm\":\"Slippage\",\"CZXzs4\":\"Greek\",\"CcRNG6\":\"Switching\",\"CkTRmy\":[\"Claim \",[\"symbol\"]],\"CsqtLm\":\"Please connect your wallet to see migration tool.\",\"CtGlFb\":[[\"networkName\"],\" Faucet\"],\"Cxt2YY\":\"Watch wallet\",\"D33VQU\":\"This action will reduce health factor of V3 below liquidation threshold. Increase migrated collateral or reduce migrated borrow to continue.\",\"D9BLRG\":\"This asset has been paused due to a community decision. Supply, withdraw, borrows and repays are impacted.\",\"DAma/S\":\"Collateral is (mostly) the same currency that is being borrowed\",\"DCnFg0\":[\"Addresses (\",[\"0\"],\")\"],\"DG3Lv1\":\"I fully understand the risks of migrating.\",\"DONJcV\":\"The underlying asset cannot be rescued\",\"DR+4uL\":\"Supply balance after switch\",\"DWjrck\":[\"Asset cannot be migrated to \",[\"marketName\"],\" V3 Market due to E-mode restrictions. You can disable or manage E-mode categories in your <0>V3 Dashboard\"],\"Dj+3wB\":\"Aave per month\",\"DptNvx\":\"Amount Staked\",\"DuEq2K\":\"Collateralization\",\"DxfsGs\":\"You can report incident to our <0>Discord or<1>Github.\",\"Dzma+E\":\"Main Ethereum market with the largest selection of assets and yield options\",\"E/QGRL\":\"Disabled\",\"EBL9Gz\":\"COPIED!\",\"ES8dkb\":\"Fixed rate\",\"EZd3Dk\":[\"Restaking \",[\"symbol\"]],\"Ebgc76\":[\"Withdrawing \",[\"symbol\"]],\"EdQY6l\":\"None\",\"EjvKQ+\":\"Minimum USD value received\",\"Enslfm\":\"Destination\",\"EvE9nO\":[\"Reactivate cooldown period to unstake \",[\"0\"],\" \",[\"stakedToken\"]],\"EvECnL\":\"Migrate to v3\",\"EzMQbh\":\"The source chain time to finality is the main factor that determines the time to destination. <0>Learn more\",\"F40cwT\":\"Legacy Markets\",\"F6TdXL\":\"Learn more.\",\"FDDPeZ\":\"Users can stake their assets in the protocol and earn incentives. In the case of a shortfall event, your stake can be slashed to cover the deficit, providing an additional layer of protection for the protocol.\",\"FHlMf/\":\"Current v2 balance\",\"FHpxjF\":[\"Reserve factor is a percentage of interest which goes to a \",[\"0\"],\" that is controlled by Aave governance to promote ecosystem growth.\"],\"FOBZa6\":\"Borrow power used\",\"FPKEug\":\"Operation not supported\",\"FbmMe7\":\"Linked addresses\",\"Fdp03t\":\"on\",\"Fjw9N+\":\"Assets to supply\",\"FmN0fk\":\"Restake\",\"GDGLIs\":\"GHO is a native decentralized, collateral-backed digital asset pegged to USD. It is created by users via borrowing against multiple collateral. When user repays their GHO borrow position, the protocol burns that user's GHO. All the interest payments accrued by minters of GHO would be directly transferred to the AaveDAO treasury.\",\"GQrBTq\":\"Switch E-Mode\",\"GWswcZ\":\"This asset is frozen due to an Aave Protocol Governance decision. On the 20th of December 2022, renFIL will no longer be supported and cannot be bridged back to its native network. It is recommended to withdraw supply positions and repay borrow positions so that renFIL can be bridged back to FIL before the deadline. After this date, it will no longer be possible to convert renFIL to FIL. <0>More details\",\"GX8GKD\":\"Assets\",\"GgEj+0\":\"Read-only mode. Connect to a wallet to perform transactions.\",\"GjkIKV\":\"ends\",\"GoK/QN\":\"Thank you for submitting feedback!\",\"GtP2hp\":[\"Borrowing is unavailable because you’ve enabled Efficiency Mode (E-Mode) for \",[\"0\"],\" category. To manage E-Mode categories visit your <0>Dashboard.\"],\"H6Ma8Z\":\"Discount\",\"HB/wfS\":[[\"tooltipText\"]],\"HKDsQN\":\"Rewards can be claimed through\",\"Ha/U5f\":\"This is a program initiated and implemented by the decentralised ZKSync community. Aave Labs does not guarantee the program and accepts no liability.\",\"HciqKU\":\"This is a program initiated and implemented by the decentralised Aave community. Aave Labs does not guarantee the program and accepts no liability.\",\"Hi6Ttn\":\"Sorry, an unexpected error happened. In the meantime you may try reloading the page, or come back later.\",\"HkEDbS\":[[\"d\"],\"d\"],\"HmkYqM\":\"Unstake window\",\"HpK/8d\":\"Reload\",\"HrnC47\":\"Save and share\",\"HuVZMK\":\"Days\",\"HvJKMU\":[\"Asset cannot be migrated to \",[\"marketName\"],\" v3 Market since collateral asset will enable isolation mode.\"],\"Hvwnm9\":[\"Maximum amount available to supply is limited because protocol supply cap is at \",[\"0\"],\"%.\"],\"I8CX2c\":\"The total amount of your assets denominated in USD that can be used as collateral for borrowing assets.\",\"IAD2SB\":[\"Claiming \",[\"symbol\"]],\"IG9X9/\":\"Borrowing of this asset is limited to a certain amount to minimize liquidity pool insolvency.\",\"IOIx8L\":\"This asset is planned to be offboarded due to an Aave Protocol Governance decision. <0>More details\",\"IP+I/j\":\"Cooldown period\",\"IaA40H\":\"Liquidation at\",\"J/hVSQ\":[[\"0\"]],\"JCoxL6\":\"Manage analytics\",\"JK9zf1\":[\"Estimated compounding interest, including discount for Staking \",[\"0\"],\"AAVE in Safety Module.\"],\"JOqFba\":[\"Unstaking \",[\"symbol\"]],\"JPrLjO\":\"You can not use this currency as collateral\",\"JU6q+W\":\"Reward(s) to claim\",\"JYKRJS\":\"Stake\",\"JZMxX0\":\"Not enough balance on your wallet\",\"Jgflkm\":\"Get GHO\",\"JoMQnI\":\"Wallet balance\",\"JtwD8u\":\"Borrow balance after repay\",\"JumYTK\":\"Supplied assets\",\"K05qZY\":\"Withdraw & Switch\",\"KAz/NV\":\"Protocol debt ceiling is at 100% for this asset. Further borrowing against this asset is unavailable.\",\"KLXVqE\":[\"stETH tokens will be migrated to Wrapped stETH using Lido Protocol wrapper which leads to supply balance change after migration: \",[\"0\"]],\"KLd6ky\":\"Use connected account\",\"KRpokz\":\"VIEW TX\",\"KSlpka\":\"This represents the threshold at which a borrow position will be considered undercollateralized and subject to liquidation for each collateral. For example, if a collateral has a liquidation threshold of 80%, it means that the position will be liquidated when the debt value is worth 80% of the collateral value.\",\"KYAjf3\":\"Isolated\",\"KZwRuD\":[[\"notifyText\"]],\"KkPgim\":\"Switching E-Mode\",\"KnN1Tu\":\"Expires\",\"KoOBI2\":\"Due to internal stETH mechanics required for rebasing support, it is not possible to perform a collateral switch where stETH is the source token.\",\"KojyJ4\":\"Wrong Network\",\"KsqhWn\":\"Staking\",\"KuBTQq\":\"Enter ETH address\",\"KvG1xW\":\"Claiming\",\"L+8Lzs\":\"Current LTV\",\"L+qiq+\":\"Market\",\"LDzfVJ\":\"Send Feedback\",\"LIrMcF\":\"No voting power\",\"LL0zks\":\"Can be collateral\",\"LLdJWu\":\"Claimable AAVE\",\"LSIpNK\":\"Borrow and repay in same block is not allowed\",\"LVt3TI\":[\"<0>Slippage tolerance <1>\",[\"selectedSlippage\"],\"% <2>\",[\"0\"],\"\"],\"LjafV8\":\"Maximum collateral amount to use\",\"LtpQew\":\"Let us know how we can make the app better for you. For user support related inquiries please reach out on\",\"LvVpD/\":\"Emode\",\"M2sknc\":\"Tip: Try increasing slippage or reduce input amount\",\"M7wPsD\":\"Switch\",\"MFu33y\":\"Staking 00\",\"MIy2RJ\":\"Maximum amount received\",\"MZ/nQf\":\"Recipient address\",\"Ma/MtY\":\"staking view\",\"McHlGl\":\"APY change\",\"MeCCA+\":\"APY, variable\",\"MghdTe\":\"If the health factor goes below 1, the liquidation of your collateral might be triggered.\",\"Mm/DVQ\":\"You cancelled the transaction.\",\"MnE2QX\":\"Borrow info\",\"MrmQHg\":\"View Bridge Transactions\",\"MuDFEQ\":\"Invalid return value of the flashloan executor function\",\"N5kUMV\":\"Asset can be only used as collateral in isolation mode with limited borrowing power. To enter isolation mode, disable all other collateral.\",\"N6Pxr9\":\"View all\",\"NF0e1Q\":\"Pending...\",\"NK9ikO\":\"Wallet Balance\",\"NMt2CB\":\"Amount claimable\",\"NcFGxG\":\"Collector Contract\",\"NfpPeS\":\"Nothing staked\",\"Nh9DAo\":[[\"m\"],\"m\"],\"O+sCUU\":\"Unbacked mint cap is exceeded\",\"O+tyU+\":[\"Maximum amount available to borrow against this asset is limited because debt ceiling is at \",[\"0\"],\"%.\"],\"O3oNi5\":\"Email\",\"OFjZGo\":\"Unstake\",\"OR8cYX\":\"Proposal overview\",\"OYuJ9K\":\"Protocol debt ceiling is at 100% for this asset. Futher borrowing against this asset is unavailable.\",\"OfhWJH\":\"Reset\",\"Og2SKn\":\"disabled\",\"On0aF2\":\"Website\",\"OsyKSt\":\"Withdraw\",\"P1dURE\":\"Revoke power\",\"P2WCD/\":[\"Underlying asset does not exist in \",[\"marketName\"],\" v3 Market, hence this position cannot be migrated.\"],\"P2sL6B\":\"When a liquidation occurs, liquidators repay up to 50% of the outstanding borrowed amount on behalf of the borrower. In return, they can buy the collateral at a discount and keep the difference (liquidation penalty) as a bonus.\",\"P6sRoL\":\"Stake ABPT\",\"P72/OW\":\"The weighted average of APY for all borrowed assets, including incentives.\",\"P7e6Ug\":\"Please connect your wallet to view transaction history.\",\"PByO0X\":\"Votes\",\"PI+kVe\":\"Disable fork\",\"PJK9u/\":\"Borrow apy\",\"PLUB/s\":\"Fee\",\"PP5ZA8\":[\"Participating in staking \",[\"symbol\"],\" gives annualized rewards. Your wallet balance is the sum of your aTokens and underlying assets. The breakdown to stake is below\"],\"PcBUgb\":\"Liquidation threshold\",\"PjU6bu\":\"This asset is eligible for SPK incentive program. Aave Labs does not guarantee the program and accepts no liability.\",\"PpqD5g\":\"Enabling this asset as collateral increases your borrowing power and Health Factor. However, it can get liquidated if your health factor drops below 1.\",\"PsOFSf\":\"This action will reduce V2 health factor below liquidation threshold. retain collateral or migrate borrow position to continue.\",\"Pu4bI/\":[[\"currentMethod\"]],\"Q0LzKi\":\"View TX\",\"Q4eNqa\":\"The Aave Balancer Pool Token (ABPT) is a liquidity pool token. You can receive ABPT by depositing a combination of AAVE + wstETH in the Balancer liquidity pool. You can then stake your BPT in the Safety Module to secure the protocol and earn Safety Incentives.\",\"QQYsQ7\":\"Withdrawing\",\"QWYCs/\":\"Stake GHO\",\"R+30X3\":\"Not reached\",\"RCU5PY\":\"Age\",\"RIfckG\":[\"Disable \",[\"symbol\"],\" as collateral\"],\"RMtxNk\":\"Differential\",\"RNK49r\":\"Invalid signature\",\"RS0o7b\":\"State\",\"RU+LqV\":\"Proposal details\",\"RYTgZX\":\"lorem ipsum\",\"RbXH+k\":\"AAVE, GHO, and ABPT holders (Ethereum network only) can stake their assets in the Safety Module to add more security to the protocol and earn Safety Incentives. In the case of a shortfall event, your stake can be slashed to cover the deficit, providing an additional layer of protection for the protocol.\",\"RiSYV4\":\"Asset is not listed\",\"Rj01Fz\":\"Links\",\"RmWFEe\":\"Staking APR\",\"RoafuO\":\"Send feedback\",\"RtBLm7\":\"Health factor is lesser than the liquidation threshold\",\"RxzN1M\":\"Enabled\",\"SDav7h\":\"Funds in the Safety Module\",\"SENccp\":\"If the error continues to happen,<0/> you may report it to this\",\"SIWumd\":\"Show Frozen or paused assets\",\"SM58dD\":\"Amount in cooldown\",\"SSMiac\":\"Failed to load proposal voters. Please refresh the page.\",\"SSQVIz\":\"Liquidation Threshold\",\"SUb8x0\":\"Total available\",\"SWIgh4\":\"Fees exceed wallet balance\",\"SY9hVo\":\"Read-only mode allows to see address positions in Aave, but you won't be able to perform transactions.\",\"SZRUQ4\":\"Max slippage\",\"Sa1UE/\":\"Protocol borrow cap is at 100% for this asset. Further borrowing unavailable.\",\"Sk2zW9\":\"Disabling E-Mode\",\"SxaD0o\":\"Pool addresses provider is not registered\",\"T/AIqG\":\"Protocol supply cap at 100% for this asset. Further supply unavailable.\",\"T0xCO9\":\"Can't validate the wallet address. Try again.\",\"T4OhVl\":\"GHO balance\",\"T6uYU2\":\"Borrow\",\"TFxQlw\":\"Liquidation penalty\",\"TQ7WsV\":\"Available to stake\",\"TUI7iB\":\"Asset can only be used as collateral in isolation mode only.\",\"TbjyhA\":\"Docs\",\"TduuS0\":\"User does not have outstanding stable rate debt on this reserve\",\"TeCFg/\":\"Borrow rate change\",\"Tg1JyO\":\"Bridge history\",\"TskbEN\":\"Holders of stkAAVE receive a discount on the GHO borrowing rate\",\"TszKts\":\"Borrow balance after switch\",\"TtZL6q\":\"Discount model parameters\",\"TwJI9F\":\"Asset has been successfully sent to CCIP contract. You can check the status of the transactions below\",\"Tz0GSZ\":\"blocked activities\",\"U/eBjN\":\"Reload the page\",\"U2r8nY\":\"Choose how much voting/proposition power to give to someone else by delegating some of your AAVE, stkAAVE or aAave balance. Your tokens will remain in your account, but your delegate will be able to vote or propose on your behalf. If your AAVE, stkAAVE or aAave balance changes, your delegate's voting/proposition power will be automatically adjusted.\",\"U8IubP\":\"The app is running in testnet mode. Learn how it works in\",\"U9btTk\":\"Asset is not borrowable in isolation mode\",\"UAOZRe\":\"Price impact is the spread between the total value of the entry tokens switched and the destination tokens obtained (in USD), which results from the limited liquidity of the trading pair.\",\"UE3KJZ\":\"Transaction history is not currently available for this market\",\"URmyfc\":\"Details\",\"UTTKmT\":\"Stake cooldown activated\",\"UXeR72\":\"These funds have been borrowed and are not available for withdrawal at this time.\",\"UYb8CM\":\"Learn more about the SPK rewards\",\"UbRrG0\":\"The Maximum LTV ratio represents the maximum borrowing power of a specific collateral. For example, if a collateral has an LTV of 75%, the user can borrow up to 0.75 worth of ETH in the principal currency for every 1 ETH worth of collateral.\",\"UpndFj\":\"No rewards to claim\",\"V0f2Xv\":\"Reserve factor\",\"V1HK43\":\"Migration risks\",\"VATFH9\":\"Covered debt\",\"VHOVEJ\":\"Connect wallet\",\"VMfYUK\":\"Safety of your deposited collateral against the borrowed assets and its underlying value.\",\"VOAZJh\":\"Total borrows\",\"ViKYxK\":\"YAE\",\"W1SSoD\":\"Review tx details\",\"W5hVah\":\"Nothing supplied yet\",\"W5kTFy\":\"Voting\",\"W8ekPc\":\"Back to Dashboard\",\"WMPbRK\":\"Unbacked\",\"WNGZwH\":\"E-Mode increases your LTV for a selected category of assets up to<0/>. <1>Learn more\",\"WPWG/y\":\"Reserve status & configuration\",\"WZLQSU\":\"User cannot withdraw more than the available balance\",\"WaZyaV\":\"<0>Ampleforth is a rebasing asset. Visit the <1>documentation to learn more.\",\"WfU+XN\":\"Because this asset is paused, no actions can be taken until further notice\",\"Wjmqs2\":\"No results found. You can import a custom token with a contract address\",\"WkZ6C6\":\"To borrow you need to supply any asset to be used as collateral.\",\"WyMiQm\":\"You've successfully switched tokens.\",\"X/ITG9\":\"Copy error text\",\"X3Pp6x\":\"Used as collateral\",\"X4Zt7j\":\"Action cannot be performed because the reserve is paused\",\"XBdKOj\":\"Representative smart contract wallet (ie. Safe) addresses on other chains.\",\"XZzneG\":\"You will exit isolation mode and other tokens can now be used as collateral\",\"Xg5y9S\":\"Amount to Bridge\",\"Xn4hUi\":\"Please always be aware of your <0>Health Factor (HF) when partially migrating a position and that your rates will be updated to V3 rates.\",\"Xy71ST\":\"Umbrella\",\"Y5kGkc\":\"VOTE NAY\",\"YDIOks\":\"Enabling E-Mode\",\"YSodyW\":\"This action will reduce your health factor. Please be mindful of the increased risk of collateral liquidation.\",\"YXOWXM\":\"The total amount bridged minus CCIP fees. Paying in network token does not impact gho amount.\",\"YirHq7\":\"Feedback\",\"YogbCJ\":\"Testnet mode is ON\",\"YrDxdO\":\"If your loan to value goes above the liquidation threshold your collateral supplied may be liquidated.\",\"YyIM65\":\"Interest rate rebalance conditions were not met\",\"YyydIq\":[\"Add \",[\"0\"],\" to wallet to track your balance.\"],\"ZBvhI+\":\"Aave Governance\",\"ZIIRAd\":\"Raw-Ipfs\",\"ZRq4tX\":\"Efficiency mode (E-Mode)\",\"ZSqEW+\":\"Manage E-Mode\",\"ZUFYFE\":\"Disable testnet\",\"Zbyywy\":\"Max slashing\",\"ZfUGFb\":\"Before supplying\",\"ZiXN+B\":\"Assets to stake\",\"ZlsSDH\":\"Liquidation value\",\"ZrEc8j\":\"We couldn't find any assets related to your search. Try again with a different asset name, symbol, or address.\",\"ZsLF7e\":\"enabled\",\"a0YQoQ\":\"Enter a valid address\",\"a2fBZn\":\"Time left to unstake\",\"a5RYZd\":\"Disabling this asset as collateral affects your borrowing power and Health Factor.\",\"a7u1N9\":\"Price\",\"a9D+6D\":\"Unstaked\",\"aEtiwq\":\"Vote NAY\",\"aMmFE1\":\"Buy Crypto With Fiat\",\"aOKIms\":\"Array parameters that should be equal length are not\",\"aX31hk\":\"Your balance is lower than the selected amount.\",\"adUsDd\":\"An error has occurred fetching the proposal.\",\"al6Pyz\":\"Exceeds the discount\",\"aoXTT7\":\"Borrow APY, variable\",\"aqX1Yp\":\"This asset is eligible for rewards through SuperFest. Aave Labs does not guarantee the program and accepts no liability.\",\"avgETN\":\"Eligible for the Merit program.\",\"b4NS3e\":\"Cooldown period warning\",\"bNEQeI\":\"Cooldown\",\"bSruit\":\"ZKSync Ignite Program rewards are claimed through the\",\"bUUVED\":\"Asset\",\"bXQ/Og\":\"Share on twitter\",\"bXr0ee\":\"Isolated assets have limited borrowing power and other assets cannot be used as collateral.\",\"bYmAV1\":\"Addresses\",\"bguKoJ\":\"The requested amount is greater than the max loan size in stable rate mode\",\"bwSQI0\":\"Supply\",\"bxN6EM\":\"Cannot disable E-Mode\",\"bxmzSh\":\"Not enough collateral to repay this amount of debt with\",\"c91vuQ\":\"Address is not a contract\",\"c97os2\":\"Aave aToken\",\"c9b44w\":\"You can not withdraw this amount because it will cause collateral call\",\"cBc+4A\":\"This is the total amount available for you to borrow. You can borrow based on your collateral and until the borrow cap is reached.\",\"cIl5kp\":\"Your voting power is based on your AAVE/stkAAVE balance and received delegations.\",\"cLo09S\":\"Risk details\",\"cNT+ij\":\"Borrowing is unavailable because you’ve enabled Efficiency Mode (E-Mode) and Isolation mode. To manage E-Mode and Isolation mode visit your <0>Dashboard.\",\"cZOeBk\":\"Something went wrong fetching bridge message, please try again later.\",\"ceix5S\":\"To submit a proposal for minor changes to the protocol, you'll need at least 80.00K power. If you want to change the core code base, you'll need 320k power.<0>Learn more.\",\"ciybUa\":\"Vote YAE\",\"ckf7gX\":[\"Repaying \",[\"symbol\"]],\"cp1ZDP\":[\"Bridge \",[\"symbol\"]],\"cqnmnD\":\"Effective interest rate\",\"cqwIvs\":\"Forum discussion\",\"csDS2L\":\"Available\",\"cu7Stb\":\"You did not participate in this proposal\",\"dE6BLF\":\"Governance\",\"dEgA5A\":\"Cancel\",\"dIsyWh\":\"Ltv validation failed\",\"dMtLDE\":\"to\",\"dOB5nW\":[\"Maximum amount available to supply is <0/> \",[\"0\"],\" (<1/>).\"],\"dVfODp\":\"You don’t have enough funds in your wallet to repay the full amount. If you proceed to repay with your current amount of funds, you will still have a small borrowing position in your dashboard.\",\"dXUQFX\":\"Assets to borrow\",\"dgr1aY\":\"Borrowing is disabled due to an Aave community decision. <0>More details\",\"djsg0o\":\"Collateral usage\",\"dpc0qG\":\"Variable\",\"drdV8R\":\"Liquidation\",\"dxW8cS\":\"Aave debt token\",\"e4V3oW\":\"Top 10 addresses\",\"eD8WX/\":\"Action requires an active reserve\",\"eJRJ04\":\"Amount to unstake\",\"eLh0cL\":\"Slippage is the difference between the quoted and received amounts from changing market conditions between the moment the transaction is submitted and its verification.\",\"ePK91l\":\"Edit\",\"eVpCmf\":\"Staking Rewards\",\"eVqvtf\":\"Bridge GHO\",\"eYdurp\":\"No transactions yet.\",\"ebLGGN\":\"Total borrowed\",\"ecqEvn\":\"The collateral balance is 0\",\"efdrrk\":\"Available on\",\"enruNF\":\"starts\",\"eqLYiD\":\"Unstake now\",\"euScGB\":\"APY with discount applied\",\"evw5ha\":\"Net worth\",\"ezcU16\":\"Get ABP Token\",\"f3W0Ej\":[\"You switched to \",[\"0\"],\" rate\"],\"fH9i8k\":\"You've successfully switched borrow position.\",\"fHcELk\":\"Net APR\",\"fMJQZK\":\"Borrowed\",\"fZ5Vnu\":\"Received\",\"firl9Q\":\"Your current loan to value based on your collateral supplied.\",\"flRCF/\":\"Staking discount\",\"fldjW9\":\"Preview tx and migrate\",\"fsBGk0\":\"Balance\",\"fu1Dbh\":[\"Withdraw \",[\"symbol\"]],\"fwjWSI\":\"Supplied\",\"fwyTMb\":\"Migrate to stkABPT v2\",\"g0mals\":\"You can not disable E-Mode because that could cause liquidation. To exit E-Mode supply or repay borrowed positions.\",\"g2UNkE\":\"Powered by\",\"g8KGoA\":\"FAQS\",\"g9zzqS\":\"Voted NAY\",\"gDd2gk\":\"about SuperFest.\",\"gFFh9h\":\"All done!\",\"gIMJlW\":\"Testnet mode\",\"gOzPxe\":\"This asset is frozen due to an Aave Protocol Governance decision. <0>More details\",\"gTHi2T\":\"User is trying to borrow multiple assets including a siloed one\",\"gVW59Y\":\"Please connect your wallet to get free testnet assets.\",\"gcFNxP\":\"Approve Confirmed\",\"gncRUO\":\"This address is blocked on app.aave.com because it is associated with one or more\",\"goff7V\":\"Zero address not valid\",\"gp+f1B\":\"Version 3\",\"gr8mYw\":\"You may borrow up to <0/> GHO at <1/> (max discount)\",\"gvTM4B\":\"Net APY is the combined effect of all supply and borrow positions on net worth, including incentives. It is possible to have a negative net APY if debt APY is higher than supply APY.\",\"gzcch9\":\"Invalid bridge protocol fee\",\"h33MxW\":\"Representing smart contract wallet (ie. Safe) addresses on other chains.\",\"h3ilK+\":\".CSV\",\"hB23LY\":\"Activate Cooldown\",\"hIJzBh\":\"Available to Claim\",\"hIS4N0\":\"Net APY\",\"hRWvpI\":\"Claimed\",\"hdmy/o\":\"The % of your total borrowing power used. This is based on the amount of your collateral supplied and the total amount that you can borrow.\",\"hehnjM\":\"Amount\",\"hjDCQr\":\"There was some error. Please try changing the parameters or <0><1>copy the error\",\"hom7qf\":\"Claim\",\"hpHJ4I\":\"Liquidated collateral\",\"hpuVIp\":\"Users who stake AAVE in Safety Module (i.e. stkAAVE holders) receive a discount on GHO borrow interest rate.\",\"huQ6Tz\":[\"Borrowing \",[\"symbol\"]],\"hxi7vE\":\"Borrow balance\",\"i/fZ2Z\":\"Staked Balance\",\"i2JTiw\":\"You may enter a custom amount in the field.\",\"iB5+/J\":\"About GHO\",\"iChbOF\":\"Inconsistent flashloan parameters\",\"iEPVHF\":\"Not enough voting power to participate in this proposal\",\"iEW87X\":\"Delegated power\",\"iEju36\":[\"You voted \",[\"0\"]],\"iFq2YN\":\"Borrowable\",\"iGxyIA\":\"Safety Module\",\"iMVZk9\":\"Select slippage tolerance\",\"iPMIoT\":\"Enter an amount\",\"iSLIjg\":\"Connect\",\"iUo5rv\":\"tokens is not the same as staking them. If you wish to stake your\",\"iZxa38\":\"Use it to vote for or against active proposals.\",\"if5PH+\":\"Collector Info\",\"igkfR1\":[\"In Isolation mode, you cannot supply other assets as collateral. A global debt ceiling limits the borrowing power of the isolated asset. To exit isolation mode disable \",[\"0\"],\" as collateral before borrowing another asset. Read more in our <0>FAQ\"],\"il0sEG\":\"Collateral usage is limited because of Isolation mode.\",\"j+K1Xj\":\"Amount After Fee\",\"jA2QeW\":\"Supplying your\",\"jFi7dz\":\"Interest rate that is determined by Aave Governance. This rate may be changed over time depending on the need for the GHO supply to contract/expand. <0>Learn more\",\"jG3UJ7\":\"Disable E-Mode\",\"jKYzR1\":\"Enable E-Mode\",\"jMam5g\":[[\"0\"],\" Balance\"],\"jSYv+Z\":\"Enabling E-Mode allows you to maximize your borrowing power, however, borrowing is restricted to assets within the selected category. <0>Learn more about how it works and the applied restrictions.\",\"jaKbwW\":[[\"s\"],\"s\"],\"jbFMap\":\"Cooldown time left\",\"jeMZNr\":[[\"0\"],\" on-ramp service is provided by External Provider and by selecting you agree to Terms of the Provider. Your access to the service might be reliant on the External Provider being operational.\"],\"jfl9OP\":\"Migrated\",\"jmXdoY\":\"In E-Mode some assets are not borrowable. Exit E-Mode to get access to all assets\",\"jpctdh\":\"View\",\"jqzUyM\":\"Unavailable\",\"k/sb6z\":\"Select language\",\"k3wP3f\":\"<0>Attention: Parameter changes via governance can alter your account health factor and risk of liquidation. Follow the <1>Aave governance forum for updates.\",\"kACpF3\":[\"Claim \",[\"0\"]],\"kH6wUX\":\"Price impact\",\"kIC28N\":\"Available to claim\",\"kIpSye\":[[\"numSelected\"],\"/\",[\"numAvailable\"],\" assets selected\"],\"kN1Yg5\":\"To repay on behalf of a user an explicit amount to repay is needed\",\"kRTD40\":[\"Repayment amount to reach \",[\"0\"],\"% utilization\"],\"kjN9tT\":\"Supply cap is exceeded\",\"knxE+G\":\".JSON\",\"ks2LWT\":\"Debt ceiling is not zero\",\"kwwn6i\":\"Users who stake AAVE in Safety Module (i.e. stkAAVE holders) receive a discount on GHO borrow interest rate. The discount applies to 100 GHO for every 1 stkAAVE held. Use the calculator below to see GHO borrow rate with the discount applied.\",\"kz3wtK\":\"and about SPK program\",\"kzZyM4\":\"DAI balance will be converted via DSR contracts and then supplied as sDAI. Switching incurs no additional costs and no slippage.\",\"lNVG7i\":\"Select an asset\",\"lU2d1/\":[\"Asset cannot be migrated due to insufficient liquidity or borrow cap limitation in \",[\"marketName\"],\" v3 market.\"],\"lVhKKI\":\"Voted YAE\",\"lWLqxB\":\"We couldn't find any transactions related to your search. Try again with a different asset name, or reset filters.\",\"lYGfRP\":\"English\",\"lfEjIE\":\"Learn more in our <0>FAQ guide\",\"lt6bpt\":\"Collateral to repay with\",\"m/IEhi\":\"Total emission per day\",\"m7r7Hh\":\"Selected borrow assets\",\"mDDK4p\":\"Balancer Pool\",\"mIM0qu\":\"Expected amount to repay\",\"mUAFd6\":\"Version 2\",\"masO5Z\":\"E-Mode increases your LTV for a selected category of assets. <0>Learn more\",\"mdNjKU\":[\"Your \",[\"name\"],\" wallet is empty. Purchase or transfer assets or use <0>\",[\"0\"],\" to transfer your \",[\"network\"],\" assets.\"],\"muiOng\":[\"Buy \",[\"cryptoSymbol\"],\" with Fiat\"],\"mvCXBY\":\"Stake AAVE\",\"mwdzil\":\"Ok, Close\",\"mzI/c+\":\"Download\",\"mzdIia\":\"Asset cannot be used as collateral.\",\"n+SX4g\":\"Developers\",\"n8Psk4\":\"We couldn’t detect a wallet. Connect a wallet to stake and view your balance.\",\"nJIhzm\":\"Supply apy\",\"nJgsQu\":\"With a voting power of <0/>\",\"nLC6tu\":\"French\",\"nN2T8p\":\"During the cooldown period, you will not earn any merit rewards. However, rewards earned up to this point will remain unaffected.\",\"nNHV0z\":\"Migrating multiple collaterals and borrowed assets at the same time can be an expensive operation and might fail in certain situations.<0>Therefore it’s not recommended to migrate positions with more than 5 assets (deposited + borrowed) at the same time.\",\"nNbnzu\":\"Proposition\",\"nOy4ob\":\"We suggest you go back to the Dashboard.\",\"nPGNMh\":\"Can be executed\",\"nUK1ou\":[\"Assets with zero LTV (\",[\"0\"],\") must be withdrawn or disabled as collateral to perform this action\"],\"nakd8r\":\"stkAAVE holders get a discount on GHO borrow rate\",\"nh2EJK\":[\"Please switch to \",[\"networkName\"],\".\"],\"njBeMm\":\"Both\",\"noN5Xf\":\"We couldn’t detect a wallet. Connect a wallet to view your staking positions and rewards.\",\"ntkAoE\":\"Discount applied for <0/> staking AAVE\",\"ntyFSE\":[[\"h\"],\"h\"],\"nwtY4N\":\"Something went wrong\",\"nxyWvj\":\"Withdrawing this amount will reduce your health factor and increase risk of liquidation.\",\"o17QVP\":\"Your health factor and loan to value determine the assurance of your collateral. To avoid liquidations you can supply more collateral or repay borrow positions.\",\"o1xc2V\":\"AToken supply is not zero\",\"o4tCu3\":\"Borrow APY\",\"o5ooMr\":\"Debt\",\"o7J4JM\":\"Filter\",\"oHFrpj\":\"Cooldown to unstake\",\"oJ5ZiG\":\"User does not have outstanding variable rate debt on this reserve\",\"oRBGin\":\"Please connect your wallet to be able to switch your tokens.\",\"oUwXhx\":\"Test Assets\",\"oWklJD\":\"Stable interest rate will <0>stay the same for the duration of your loan. Recommended for long-term loan periods and for users who prefer predictability.\",\"odnIK3\":\"Time remaining until the 48 hour withdraw period starts.\",\"oiK5nY\":\"The current incentives period, decided on by the Aave community, has ended. Governance is in the process on renewing, check for updates. <0>Learn more.\",\"olREoo\":\"All borrow positions outside of this category must be closed to enable this category.\",\"om/XHs\":\"Available to supply\",\"ov0+mq\":\"Eligible for the ZKSync Ignite program.\",\"ovT1pF\":[\"Per the community, the \",[\"market\"],\" has been frozen.\"],\"ow3fug\":\"Nothing found\",\"owSsI3\":\"Signatures ready\",\"p+R52m\":\"Go to Balancer Pool\",\"p2A+s1\":[\"The cooldown period is \",[\"0\"],\". After \",[\"1\"],\" of cooldown, you will enter unstake window of \",[\"2\"],\". You will continue receiving rewards during cooldown and unstake window.\"],\"p2S64u\":\"The loan to value of the migrated positions would cause liquidation. Increase migrated collateral or reduce migrated borrow to continue.\",\"p2Z2Qi\":\"This asset has reached its borrow cap. Nothing is available to be borrowed from this market.\",\"p3j+mb\":\"Your reward balance is 0\",\"p45alK\":\"Set up delegation\",\"p6u2s1\":\"Minimum amount of debt to be repaid\",\"pDgeaz\":[[\"title\"]],\"pdZqBk\":\"The underlying balance needs to be greater than 0\",\"pgWG9H\":\"Not enough staked balance\",\"piPrJ7\":\"please check that the amount you want to supply is not currently being used for staking. If it is being used for staking, your transaction might fail.\",\"pjO/iH\":\"Minimum amount received\",\"pooutM\":\"Voting is on\",\"pqaM5s\":\"Confirming transaction\",\"ptaxX3\":[\"I understand how cooldown (\",[\"0\"],\") and unstaking (\",[\"1\"],\") work\"],\"py2iiY\":\"The caller of this function must be a pool\",\"q/51mF\":\"Migrate to V3\",\"q3df11\":\"Interest rate strategy\",\"q6lAbz\":\"Staked\",\"qB4kPi\":\"Supply APY\",\"qENI8q\":\"Global settings\",\"qGz5zl\":\"Collateral balance after repay\",\"qOqbD6\":\"copy the error\",\"qXCkEM\":\"Please connect your wallet to see your supplies, borrowings, and open positions.\",\"qY2jnw\":\"Invalid expiration\",\"qf/fr+\":\"Interest accrued\",\"quYPUU\":\"Variable interest rate will <0>fluctuate based on the market conditions.\",\"quzIeW\":\"User is in isolation mode or LTV is zero\",\"qvnz3q\":\"Invalid amount to burn\",\"rHgdb0\":\"Migrate to Aave V3\",\"rOrHHe\":\"Amount must be greater than 0\",\"rQ+R+0\":\"Selected supply assets\",\"rSayea\":\"APY\",\"rTBDeu\":[\"Asset cannot be migrated because you have isolated collateral in \",[\"marketName\"],\" v3 Market which limits borrowable assets. You can manage your collateral in <0>\",[\"marketName\"],\" V3 Dashboard\"],\"rcT+yy\":\"Show assets with 0 balance\",\"rf8POi\":\"Borrowed asset amount\",\"riNWOA\":\"E-Mode\",\"rjGI/Q\":\"Privacy\",\"rnKPW1\":\"Watch a wallet balance in read-only mode\",\"ruc7X+\":\"Add stkAAVE to see borrow APY with the discount\",\"rvbaFU\":[\"Bridging \",[\"symbol\"]],\"rwVVB7\":\"Claim all rewards\",\"rwyUva\":\"These assets are temporarily frozen or paused by Aave community decisions, meaning that further supply / borrow, or rate swap of these assets are unavailable. Withdrawals and debt repayments are allowed. Follow the <0>Aave governance forum for further updates.\",\"rxJW5W\":\"Your proposition power is based on your AAVE/stkAAVE balance and received delegations.\",\"s2jJnW\":\"You don't have any bridge transactions\",\"s5wBAq\":[\"Unstake \",[\"symbol\"]],\"sJbIdI\":\"Enter ETH address or ENS\",\"sK+Nag\":\"Review tx\",\"sP2+gB\":\"NAY\",\"sQv06Y\":\"for\",\"sTtO6J\":\"Confirm transaction\",\"sXKb3l\":\"Exchange rate\",\"sb0q4+\":\"You unstake here\",\"smJNwH\":\"Available to borrow\",\"solypO\":\"Health factor is not below the threshold\",\"sr0UJD\":\"Go Back\",\"ss5GCK\":\"The address of the pool addresses provider is invalid\",\"swEgK4\":\"Your voting info\",\"t+wtgf\":\"Nothing borrowed yet\",\"t/YqKh\":\"Remove\",\"t81DpC\":[\"Approve \",[\"symbol\"],\" to continue\"],\"tCnbEs\":\"Oracle price\",\"tFZLf8\":\"This gas calculation is only an estimation. Your wallet will set the price of the transaction. You can modify the gas settings directly from your wallet provider.\",\"tHuvQI\":\"Go to V3 Dashboard\",\"tKv7cI\":\"Switch borrow position\",\"tOcg3N\":\"Since this asset is frozen, the only available actions are withdraw and repay which can be accessed from the <0>Dashboard\",\"tOuXfv\":[\"Borrow amount to reach \",[\"0\"],\"% utilization\"],\"te9Bfl\":\"Please, connect your wallet\",\"tt5yma\":\"Your supplies\",\"ttoh5c\":\"Switch to\",\"u3ZeYl\":\"Transaction failed\",\"u706uF\":\"Invalid flashloan premium\",\"u8Gfu7\":[\"No search results\",[\"0\"]],\"uAQUqI\":\"Status\",\"uHMwk8\":\"No assets selected to migrate.\",\"uJPHuY\":\"Migrating\",\"uY8O30\":\"To continue, you need to grant Aave smart contracts permission to move your funds from your wallet. Depending on the asset and wallet you use, it is done by signing the permission message (gas free), or by submitting an approval transaction (requires gas). <0>Learn more\",\"udFheE\":\"For repayment of a specific type of debt, the user needs to have debt that type\",\"ulNuNq\":\"Export data to\",\"ulup2p\":\"Buy Crypto with Fiat\",\"umICAY\":\"<0><1><2/>Add stkAAVE to see borrow rate with discount\",\"usB84Z\":\"Maximum amount available to borrow is limited because protocol borrow cap is nearly reached.\",\"uwAUvj\":\"COPY IMAGE\",\"v8x7Mg\":\"Insufficient collateral to cover new borrow position. Wallet must have borrowing power remaining to perform debt switch.\",\"vEqxH9\":\"Restaked\",\"vLyv1R\":\"Hide\",\"vMba49\":\"Borrowing is not enabled\",\"vMpNwt\":\"Approve with\",\"vXIe7J\":\"Language\",\"vesuBJ\":\"Allows you to decide whether to use a supplied asset as collateral. An asset used as collateral will affect your borrowing power and health factor.\",\"w+V9Cx\":\"Stablecoin\",\"w/JtJ3\":\"Stable debt supply is not zero\",\"w4VBY+\":\"Rewards APR\",\"w9dLMW\":[[\"label\"]],\"wAOL+X\":[\"You \",[\"action\"],\" <0/> \",[\"symbol\"]],\"wBIsjb\":\"Discord channel\",\"wQZbc/\":\"The caller of the function is not an AToken\",\"wRRqvW\":\"You do not have supplies in this currency\",\"wZFvVU\":\"VOTE YAE\",\"wb/r1O\":[\"Faucet \",[\"0\"]],\"wdxz7K\":\"Source\",\"weH1nG\":\"The Aave Protocol is programmed to always use the price of 1 GHO = $1. This is different from using market pricing via oracles for other crypto assets. This creates stabilizing arbitrage opportunities when the price of GHO fluctuates.\",\"wh7Ezv\":\"You have no AAVE/stkAAVE/aAave balance to delegate.\",\"wlsIx7\":\"With testnet Faucet you can get free assets to test the Aave Protocol. Make sure to switch your wallet provider to the appropriate testnet network, select desired asset, and click ‘Faucet’ to get tokens transferred to your wallet. The assets on a testnet are not “real,” meaning they have no monetary value. <0>Learn more\",\"wmE285\":\"Get ABP v2 Token\",\"wyRrcJ\":\"As a result of governance decisions, this ABPT staking pool is now deprecated. You have the flexibility to either migrate all of your tokens to v2 or unstake them without any cooldown period.\",\"x5KiLL\":\"Selected assets have successfully migrated. Visit the Market Dashboard to see them.\",\"x7F2p6\":\"Current differential\",\"x7K5ib\":[\"Your \",[\"networkName\"],\" wallet is empty. Get free test \",[\"0\"],\" at\"],\"x9iLRD\":\"tokens, please go to the\",\"xNy/UG\":\"Repay with\",\"xPm8wv\":\"Learn more about risks involved\",\"xXYpZl\":[[\"0\"],\" Faucet\"],\"xaVBSS\":\"Your info\",\"xaWZ6f\":\"APY type change\",\"xh6k71\":\"Collateral usage is limited because of isolation mode.\",\"xvIklc\":\"Flashloan is disabled for this asset, hence this position cannot be migrated.\",\"y5rS9U\":\"Migrate\",\"y66tBm\":[\"Enable \",[\"symbol\"],\" as collateral\"],\"yB1YpA\":\"Dark mode\",\"yCrG6m\":\"Total market size\",\"yJUUbn\":\"Transaction overview\",\"yLGmLX\":[\"Restake \",[\"symbol\"]],\"yW1oWB\":\"APY type\",\"yYHqJe\":\"Not a valid address\",\"yZwLw6\":\"Track wallet\",\"yh2sjd\":[\"Price impact \",[\"0\"],\"%\"],\"yhvj6d\":\"You can not switch usage as collateral mode for this currency, because it will cause collateral call\",\"ylmtBZ\":\"The app is running in fork mode.\",\"ymNY32\":[\"There are not enough funds in the\",[\"0\"],\"reserve to borrow\"],\"yz7wBu\":\"Close\",\"z4uGQg\":\"Debt ceiling is exceeded\",\"z5UQOM\":\"The collateral chosen cannot be liquidated\",\"z5Y+p6\":[\"Supplying \",[\"symbol\"]],\"zCjNKs\":\"Action cannot be performed because the reserve is frozen\",\"zRHytX\":\"Isolated Debt Ceiling\",\"zTOjMP\":\"Protocol supply cap is at 100% for this asset. Further supply unavailable.\",\"zVdRUG\":\"Submission did not work, please try again later or contact wecare@avara.xyz\",\"zevmS2\":\"<0><1><2/>Add <3/> stkAAVE to borrow at <4/> (max discount)\",\"zgtIDV\":\"Remaining debt\",\"zmTPiV\":\"Supply balance\",\"zpPbZl\":\"Liquidation risk parameters\",\"zucql+\":\"Menu\",\"zwWKhA\":\"Learn more\",\"zy9fXn\":[\"Asset is frozen in \",[\"marketName\"],\" v3 market, hence this position cannot be migrated.\"],\"zys+R6\":\"Be mindful of the network congestion and gas prices.\",\"zzzTXS\":\"Merit Program rewards are claimed through the\"}")}; +/*eslint-disable*/module.exports={messages:JSON.parse("{\"+0xecS\":[\"If you DO NOT unstake within \",[\"0\"],\" of unstake window, you will need to activate cooldown process again.\"],\"+EGVI0\":\"Receive (est.)\",\"+VR63W\":[\"Participating in this \",[\"symbol\"],\" reserve gives annualized rewards.\"],\"+bmKdK\":\"Use your AAVE, stkAAVE, or aAave balance to delegate your voting and proposition powers. You will not be sending any tokens, only the rights to vote and propose changes to the protocol. You can re-delegate or revoke power to self at any time.\",\"+eOPG+\":\"Seems like we can't switch the network automatically. Please check if you can change it from the wallet.\",\"+i3Pd2\":\"Borrow cap\",\"+kLZGu\":\"Supplied asset amount\",\"+nuEh/\":\"Estimated time\",\"+xMFF8\":\"Remind me\",\"/57U31\":\"Amount to migrate\",\"/7ykiW\":\"Borrowing this amount will reduce your health factor and increase risk of liquidation.\",\"/YA5pU\":\"E-Mode increases your LTV for a selected category of assets, meaning that when E-mode is enabled, you will have higher borrowing power over assets of the same E-mode category which are defined by Aave Governance. You can enter E-Mode from your <0>Dashboard. To learn more about E-Mode and applied restrictionn, see the <1>help guide or the <2>Aave V3 Technical Paper.\",\"/izjs/\":\"Minimum staked Aave amount\",\"/jQctM\":\"To\",\"/lDBHm\":\"FAQ\",\"/yNlZf\":\"Stable borrowing is not enabled\",\"/yQcJM\":\"Total worth\",\"00AB2i\":\"User did not borrow the specified currency\",\"00OflG\":\"There is not enough liquidity for the target asset to perform the switch. Try lowering the amount.\",\"08/rZ9\":\"The cooldown period is the time required prior to unstaking your tokens (20 days). You can only withdraw your assets from the Security Module after the cooldown period and within the unstake window.<0>Learn more\",\"0AmQcW\":\"Rate change\",\"0BF3yK\":\"Sorry, we couldn't find the page you were looking for.\",\"0TAbjq\":\"Recent Transactions\",\"0jhlyw\":\"Liquidation risk\",\"0ojY+Y\":\"Current v2 Balance\",\"0thX3P\":\"Collateral change\",\"0wGCWc\":\"This is the total amount that you are able to supply to in this reserve. You are able to supply your wallet balance up until the supply cap is reached.\",\"1AsVfF\":\"Price data is not currently available for this reserve on the protocol subgraph\",\"1LjK22\":\"Transaction history\",\"1Onqx8\":[\"Approving \",[\"symbol\"],\"...\"],\"1Ue8sX\":\"Please connect a wallet to view your personal information here.\",\"1bpx9A\":\"...\",\"1kWUB+\":\"Liquidation <0/> threshold\",\"1m9Qqc\":\"Withdrawing and Switching\",\"1oyh4g\":\"Borrow rate\",\"1t7rez\":\"Asset supply is limited to a certain amount to reduce protocol exposure to the asset and to help manage risks involved.\",\"2CAPu2\":\"You've successfully withdrew & switched tokens.\",\"2Eoi/a\":\"View details\",\"2FYpfJ\":\"More\",\"2O3qp5\":\"Available liquidity\",\"2OM8/D\":[\"Asset cannot be migrated due to supply cap restriction in \",[\"marketName\"],\" v3 market.\"],\"2Q4GU4\":\"Blocked Address\",\"2ZGocC\":\"Aave is a fully decentralized, community governed protocol by the AAVE token-holders. AAVE token-holders collectively discuss, propose, and vote on upgrades to the protocol. AAVE token-holders (Ethereum network only) can either vote themselves on new proposals or delagate to an address of choice. To learn more check out the Governance\",\"2a6G7d\":\"Please enter a valid wallet address.\",\"2bAhR7\":\"Meet GHO\",\"2eBWE6\":\"I acknowledge the risks involved.\",\"2o/xRt\":\"Supply cap on target reserve reached. Try lowering the amount.\",\"2uJToh\":[[\"0\"],[\"name\"]],\"2x58bP\":\"Stable borrowing is enabled\",\"34Qfwy\":\"Borrow cap is exceeded\",\"39eQRj\":[\"Borrow \",[\"symbol\"]],\"3BL1xB\":\"Total supplied\",\"3BnIWi\":\"Switched\",\"3K0oMo\":\"Remaining supply\",\"3MoZhl\":\"There is not enough collateral to cover a new borrow\",\"3Np5O8\":[\"Supply \",[\"symbol\"]],\"3O8YTV\":\"Total interest accrued\",\"3mXg0z\":\"Max LTV\",\"3q3mFy\":\"Repay\",\"3qsjtp\":\"The weighted average of APY for all supplied assets, including incentives.\",\"3rL+os\":\"You can only withdraw your assets from the Security Module after the cooldown period ends and the unstake window is active.\",\"42UgDM\":[\"Migrate to \",[\"0\"],\" v3 Market\"],\"49UFQA\":\"Voting results\",\"4DMZUI\":\"View Transactions\",\"4HtGBb\":\"MAX\",\"4Y5H+g\":\"Terms\",\"4YYh4d\":\"Maximum available to borrow\",\"4iPAI3\":\"Minimum GHO borrow amount\",\"4lDFps\":\"Sign to continue\",\"4wyw8H\":\"Transactions\",\"5JSSxX\":[\"Your \",[\"networkName\"],\" wallet is empty. Get free test assets at\"],\"5K7kGO\":\"documentation\",\"5NOSGa\":\"Debt ceiling limits the amount possible to borrow against this asset by protocol users. Debt ceiling is specific to assets in isolation mode and is denoted in USD.\",\"5Ncc6j\":[\"This asset has almost reached its supply cap. There can only be \",[\"messageValue\"],\" supplied to this market.\"],\"5cZ/KX\":\"Variable debt supply is not zero\",\"5che++\":\"To request access for this permissioned market, please visit: <0>Acces Provider Name\",\"5ctNdV\":[\"Minimum \",[\"0\"],\" received\"],\"5hDe9v\":\"Allowance required action\",\"5rsnKT\":\"Available rewards\",\"5yC5m5\":\"View all votes\",\"6/dCYd\":\"Overview\",\"60crCe\":\"All transactions\",\"62Xcjh\":\"Collateral\",\"65A04M\":\"Spanish\",\"6G8s+q\":\"Signing\",\"6Jrv+z\":[\"Repay \",[\"symbol\"]],\"6NGLTR\":\"Discountable amount\",\"6Xr0UU\":\"Cooling down...\",\"6bxci/\":\"Voting power\",\"6f8S68\":\"Markets\",\"6g1gi0\":\"Proposals\",\"6gvoHP\":\"Copy error message\",\"6h3Q5G\":\"repaid\",\"6lFSyT\":\"Available to Stake\",\"6s8L6f\":\"Switch Network\",\"6yAAbq\":\"APY, borrow rate\",\"70wH1Q\":\"APR\",\"72c5Qo\":\"Total\",\"73Auuq\":\"Discount parameters are decided by the Aave community and may be changed over time. Check Governance for updates and vote to participate. <0>Learn more\",\"75qcAQ\":[[\"stepName\"]],\"7ITr5L\":\"Health factor\",\"7T/o5R\":\"Reached\",\"7YlcXu\":\"Fork mode is ON\",\"7Z76Iw\":\"Borrowing is unavailable because you’re using Isolation mode. To manage Isolation mode visit your <0>Dashboard.\",\"7aKlMS\":\"Share on Lens\",\"7er5fP\":\"Claim all\",\"7hb2+s\":\"Time remaining until the withdraw period ends.\",\"7l88b8\":\"Data couldn't be fetched, please reload graph.\",\"7p5kLi\":\"Dashboard\",\"7sofdl\":\"Withdraw and Switch\",\"8+6BI0\":\"Be careful - You are very close to liquidation. Consider depositing more collateral or paying down some of your borrowed positions\",\"87pUEW\":[\"Your \",[\"name\"],\" wallet is empty. Purchase or transfer assets.\"],\"8F1i42\":\"Page not found\",\"8G8M0u\":\"Loading data...\",\"8Iu1QS\":\"withdrew\",\"8JL93T\":\"All proposals\",\"8Q51DU\":\"Add to wallet\",\"8X/oyn\":\"Invalid amount to mint\",\"8Z5FPv\":\"Disconnect Wallet\",\"8Zz7s5\":\"assets\",\"8aLW8H\":\"Balance to revoke\",\"8bOT3H\":\"Utilization Rate\",\"8sLe4/\":\"View contract\",\"8t/M0y\":\"Please connect your wallet to be able to bridge your tokens.\",\"8vETh9\":\"Show\",\"94OHPx\":\"You are entering Isolation mode\",\"9CDK3/\":[\"Borrowing is currently unavailable for \",[\"0\"],\".\"],\"9GIj3z\":\"Reserve Size\",\"9Knqb4\":\"Staking balance\",\"9OBKm7\":\"Quorum\",\"9QHoGr\":\"Current votes\",\"9Rw96f\":[\"This asset has almost reached its borrow cap. There is only \",[\"messageValue\"],\" available to be borrowed from this market.\"],\"9Xj/qR\":[\"Some migrated assets will not be used as collateral due to enabled isolation mode in \",[\"marketName\"],\" V3 Market. Visit <0>\",[\"marketName\"],\" V3 Dashboard to manage isolation mode.\"],\"9c6vDV\":\"This asset has reached its supply cap. Nothing is available to be supplied from this market.\",\"9kTWHA\":\"MAI has been paused due to a community decision. Supply, borrows and repays are impacted. <0>More details\",\"9lXchd\":\"Underlying token\",\"9rWaKF\":\"Bridged Via CCIP\",\"9xSooW\":\"Since this is a test network, you can get any of the assets if you have ETH on your wallet\",\"A/lwoe\":\"Choose one of the on-ramp services\",\"A6dCI6\":[\"Maximum amount available to borrow is <0/> \",[\"0\"],\" (<1/>).\"],\"AReoaV\":\"Your borrows\",\"ARu1L4\":\"Repaid\",\"AV7cGz\":\"Review approval tx details\",\"AZOjB8\":\"Fetching data...\",\"Ai0jas\":\"Join the community discussion\",\"Ajl2rq\":\"Borrowing power and assets are limited due to Isolation mode.\",\"AqgYNC\":\"Protocol borrow cap at 100% for this asset. Further borrowing unavailable.\",\"B3EcQR\":\"Thank you for voting!!\",\"B6aXGH\":\"Stable\",\"B9Gqbz\":\"Variable rate\",\"BDFEd+\":\"stETH supplied as collateral will continue to accrue staking rewards provided by daily rebases.\",\"BE2mP0\":\"Borrowed assets\",\"BJyN77\":\"Due to health factor impact, a flashloan is required to perform this transaction, but Aave Governance has disabled flashloan availability for this asset. Try lowering the amount or supplying additional collateral.\",\"BNL4Ep\":\"Collateral usage is limited because of isolation mode. <0>Learn More\",\"BQ/wCO\":\"Migrate your assets\",\"BjLdl1\":\"At a discount\",\"BnhYo8\":\"Asset category\",\"Bq9Y7e\":\"This asset is frozen due to an Aave community decision. <0>More details\",\"BqWMDJ\":\"Faucet\",\"BqynZO\":\"Optimized for efficiency and risk by supporting blue-chip collateral assets\",\"Bsu7zX\":\"The fee includes the gas cost to complete the transaction on the destination chain and the fee paid to Chainlink CCIP service providers. You can chose to pay in the network token or GHO. <0>Learn more\",\"BwJKBw\":\"of\",\"CDrsH+\":\"Techpaper\",\"CK1KXz\":\"Max\",\"CMHmbm\":\"Slippage\",\"CZXzs4\":\"Greek\",\"CcRNG6\":\"Switching\",\"CkTRmy\":[\"Claim \",[\"symbol\"]],\"CsqtLm\":\"Please connect your wallet to see migration tool.\",\"CtGlFb\":[[\"networkName\"],\" Faucet\"],\"Cxt2YY\":\"Watch wallet\",\"D33VQU\":\"This action will reduce health factor of V3 below liquidation threshold. Increase migrated collateral or reduce migrated borrow to continue.\",\"D9BLRG\":\"This asset has been paused due to a community decision. Supply, withdraw, borrows and repays are impacted.\",\"DAma/S\":\"Collateral is (mostly) the same currency that is being borrowed\",\"DCnFg0\":[\"Addresses (\",[\"0\"],\")\"],\"DG3Lv1\":\"I fully understand the risks of migrating.\",\"DONJcV\":\"The underlying asset cannot be rescued\",\"DR+4uL\":\"Supply balance after switch\",\"DWjrck\":[\"Asset cannot be migrated to \",[\"marketName\"],\" V3 Market due to E-mode restrictions. You can disable or manage E-mode categories in your <0>V3 Dashboard\"],\"Dj+3wB\":\"Aave per month\",\"DptNvx\":\"Amount Staked\",\"DuEq2K\":\"Collateralization\",\"DxfsGs\":\"You can report incident to our <0>Discord or<1>Github.\",\"Dzma+E\":\"Main Ethereum market with the largest selection of assets and yield options\",\"E/QGRL\":\"Disabled\",\"EBL9Gz\":\"COPIED!\",\"ES8dkb\":\"Fixed rate\",\"EZd3Dk\":[\"Restaking \",[\"symbol\"]],\"Ebgc76\":[\"Withdrawing \",[\"symbol\"]],\"EdQY6l\":\"None\",\"EjvKQ+\":\"Minimum USD value received\",\"Enslfm\":\"Destination\",\"EvE9nO\":[\"Reactivate cooldown period to unstake \",[\"0\"],\" \",[\"stakedToken\"]],\"EvECnL\":\"Migrate to v3\",\"EzMQbh\":\"The source chain time to finality is the main factor that determines the time to destination. <0>Learn more\",\"F40cwT\":\"Legacy Markets\",\"F6TdXL\":\"Learn more.\",\"FDDPeZ\":\"Users can stake their assets in the protocol and earn incentives. In the case of a shortfall event, your stake can be slashed to cover the deficit, providing an additional layer of protection for the protocol.\",\"FHlMf/\":\"Current v2 balance\",\"FHpxjF\":[\"Reserve factor is a percentage of interest which goes to a \",[\"0\"],\" that is controlled by Aave governance to promote ecosystem growth.\"],\"FOBZa6\":\"Borrow power used\",\"FPKEug\":\"Operation not supported\",\"FbmMe7\":\"Linked addresses\",\"Fdp03t\":\"on\",\"Fjw9N+\":\"Assets to supply\",\"FmN0fk\":\"Restake\",\"GDGLIs\":\"GHO is a native decentralized, collateral-backed digital asset pegged to USD. It is created by users via borrowing against multiple collateral. When user repays their GHO borrow position, the protocol burns that user's GHO. All the interest payments accrued by minters of GHO would be directly transferred to the AaveDAO treasury.\",\"GQrBTq\":\"Switch E-Mode\",\"GWswcZ\":\"This asset is frozen due to an Aave Protocol Governance decision. On the 20th of December 2022, renFIL will no longer be supported and cannot be bridged back to its native network. It is recommended to withdraw supply positions and repay borrow positions so that renFIL can be bridged back to FIL before the deadline. After this date, it will no longer be possible to convert renFIL to FIL. <0>More details\",\"GX8GKD\":\"Assets\",\"GgEj+0\":\"Read-only mode. Connect to a wallet to perform transactions.\",\"GjkIKV\":\"ends\",\"GoK/QN\":\"Thank you for submitting feedback!\",\"GtP2hp\":[\"Borrowing is unavailable because you’ve enabled Efficiency Mode (E-Mode) for \",[\"0\"],\" category. To manage E-Mode categories visit your <0>Dashboard.\"],\"H6Ma8Z\":\"Discount\",\"HB/wfS\":[[\"tooltipText\"]],\"HKDsQN\":\"Rewards can be claimed through\",\"Ha/U5f\":\"This is a program initiated and implemented by the decentralised ZKSync community. Aave Labs does not guarantee the program and accepts no liability.\",\"HciqKU\":\"This is a program initiated and implemented by the decentralised Aave community. Aave Labs does not guarantee the program and accepts no liability.\",\"Hi6Ttn\":\"Sorry, an unexpected error happened. In the meantime you may try reloading the page, or come back later.\",\"HkEDbS\":[[\"d\"],\"d\"],\"HmkYqM\":\"Unstake window\",\"HpK/8d\":\"Reload\",\"HrnC47\":\"Save and share\",\"HuVZMK\":\"Days\",\"HvJKMU\":[\"Asset cannot be migrated to \",[\"marketName\"],\" v3 Market since collateral asset will enable isolation mode.\"],\"Hvwnm9\":[\"Maximum amount available to supply is limited because protocol supply cap is at \",[\"0\"],\"%.\"],\"I8CX2c\":\"The total amount of your assets denominated in USD that can be used as collateral for borrowing assets.\",\"IAD2SB\":[\"Claiming \",[\"symbol\"]],\"IG9X9/\":\"Borrowing of this asset is limited to a certain amount to minimize liquidity pool insolvency.\",\"IOIx8L\":\"This asset is planned to be offboarded due to an Aave Protocol Governance decision. <0>More details\",\"IP+I/j\":\"Cooldown period\",\"IaA40H\":\"Liquidation at\",\"J/hVSQ\":[[\"0\"]],\"JCoxL6\":\"Manage analytics\",\"JK9zf1\":[\"Estimated compounding interest, including discount for Staking \",[\"0\"],\"AAVE in Safety Module.\"],\"JOqFba\":[\"Unstaking \",[\"symbol\"]],\"JPrLjO\":\"You can not use this currency as collateral\",\"JU6q+W\":\"Reward(s) to claim\",\"JYKRJS\":\"Stake\",\"JZMxX0\":\"Not enough balance on your wallet\",\"Jgflkm\":\"Get GHO\",\"JoMQnI\":\"Wallet balance\",\"JtwD8u\":\"Borrow balance after repay\",\"JumYTK\":\"Supplied assets\",\"K05qZY\":\"Withdraw & Switch\",\"KAz/NV\":\"Protocol debt ceiling is at 100% for this asset. Further borrowing against this asset is unavailable.\",\"KLXVqE\":[\"stETH tokens will be migrated to Wrapped stETH using Lido Protocol wrapper which leads to supply balance change after migration: \",[\"0\"]],\"KLd6ky\":\"Use connected account\",\"KRpokz\":\"VIEW TX\",\"KSlpka\":\"This represents the threshold at which a borrow position will be considered undercollateralized and subject to liquidation for each collateral. For example, if a collateral has a liquidation threshold of 80%, it means that the position will be liquidated when the debt value is worth 80% of the collateral value.\",\"KYAjf3\":\"Isolated\",\"KZwRuD\":[[\"notifyText\"]],\"KkPgim\":\"Switching E-Mode\",\"KnN1Tu\":\"Expires\",\"KoOBI2\":\"Due to internal stETH mechanics required for rebasing support, it is not possible to perform a collateral switch where stETH is the source token.\",\"KojyJ4\":\"Wrong Network\",\"KsqhWn\":\"Staking\",\"KuBTQq\":\"Enter ETH address\",\"KvG1xW\":\"Claiming\",\"L+8Lzs\":\"Current LTV\",\"L+qiq+\":\"Market\",\"LDzfVJ\":\"Send Feedback\",\"LIrMcF\":\"No voting power\",\"LL0zks\":\"Can be collateral\",\"LLdJWu\":\"Claimable AAVE\",\"LSIpNK\":\"Borrow and repay in same block is not allowed\",\"LVt3TI\":[\"<0>Slippage tolerance <1>\",[\"selectedSlippage\"],\"% <2>\",[\"0\"],\"\"],\"LjafV8\":\"Maximum collateral amount to use\",\"LtpQew\":\"Let us know how we can make the app better for you. For user support related inquiries please reach out on\",\"LvVpD/\":\"Emode\",\"M2sknc\":\"Tip: Try increasing slippage or reduce input amount\",\"M7wPsD\":\"Switch\",\"MFu33y\":\"Staking 00\",\"MIy2RJ\":\"Maximum amount received\",\"MZ/nQf\":\"Recipient address\",\"Ma/MtY\":\"staking view\",\"McHlGl\":\"APY change\",\"MeCCA+\":\"APY, variable\",\"MghdTe\":\"If the health factor goes below 1, the liquidation of your collateral might be triggered.\",\"Mm/DVQ\":\"You cancelled the transaction.\",\"MnE2QX\":\"Borrow info\",\"MrmQHg\":\"View Bridge Transactions\",\"MuDFEQ\":\"Invalid return value of the flashloan executor function\",\"N5kUMV\":\"Asset can be only used as collateral in isolation mode with limited borrowing power. To enter isolation mode, disable all other collateral.\",\"N6Pxr9\":\"View all\",\"NF0e1Q\":\"Pending...\",\"NK9ikO\":\"Wallet Balance\",\"NMt2CB\":\"Amount claimable\",\"NcFGxG\":\"Collector Contract\",\"NfpPeS\":\"Nothing staked\",\"Nh9DAo\":[[\"m\"],\"m\"],\"O+sCUU\":\"Unbacked mint cap is exceeded\",\"O+tyU+\":[\"Maximum amount available to borrow against this asset is limited because debt ceiling is at \",[\"0\"],\"%.\"],\"O3oNi5\":\"Email\",\"OFjZGo\":\"Unstake\",\"OR8cYX\":\"Proposal overview\",\"OYuJ9K\":\"Protocol debt ceiling is at 100% for this asset. Futher borrowing against this asset is unavailable.\",\"OfhWJH\":\"Reset\",\"Og2SKn\":\"disabled\",\"On0aF2\":\"Website\",\"OsyKSt\":\"Withdraw\",\"P1dURE\":\"Revoke power\",\"P2WCD/\":[\"Underlying asset does not exist in \",[\"marketName\"],\" v3 Market, hence this position cannot be migrated.\"],\"P2sL6B\":\"When a liquidation occurs, liquidators repay up to 50% of the outstanding borrowed amount on behalf of the borrower. In return, they can buy the collateral at a discount and keep the difference (liquidation penalty) as a bonus.\",\"P6sRoL\":\"Stake ABPT\",\"P72/OW\":\"The weighted average of APY for all borrowed assets, including incentives.\",\"P7e6Ug\":\"Please connect your wallet to view transaction history.\",\"PByO0X\":\"Votes\",\"PI+kVe\":\"Disable fork\",\"PJK9u/\":\"Borrow apy\",\"PLUB/s\":\"Fee\",\"PP5ZA8\":[\"Participating in staking \",[\"symbol\"],\" gives annualized rewards. Your wallet balance is the sum of your aTokens and underlying assets. The breakdown to stake is below\"],\"PcBUgb\":\"Liquidation threshold\",\"PjU6bu\":\"This asset is eligible for SPK incentive program. Aave Labs does not guarantee the program and accepts no liability.\",\"PpqD5g\":\"Enabling this asset as collateral increases your borrowing power and Health Factor. However, it can get liquidated if your health factor drops below 1.\",\"PsOFSf\":\"This action will reduce V2 health factor below liquidation threshold. retain collateral or migrate borrow position to continue.\",\"Pu4bI/\":[[\"currentMethod\"]],\"Q0LzKi\":\"View TX\",\"Q4eNqa\":\"The Aave Balancer Pool Token (ABPT) is a liquidity pool token. You can receive ABPT by depositing a combination of AAVE + wstETH in the Balancer liquidity pool. You can then stake your BPT in the Safety Module to secure the protocol and earn Safety Incentives.\",\"QQYsQ7\":\"Withdrawing\",\"QWYCs/\":\"Stake GHO\",\"R+30X3\":\"Not reached\",\"RCU5PY\":\"Age\",\"RIfckG\":[\"Disable \",[\"symbol\"],\" as collateral\"],\"RMtxNk\":\"Differential\",\"RNK49r\":\"Invalid signature\",\"RS0o7b\":\"State\",\"RU+LqV\":\"Proposal details\",\"RYTgZX\":\"lorem ipsum\",\"RbXH+k\":\"AAVE, GHO, and ABPT holders (Ethereum network only) can stake their assets in the Safety Module to add more security to the protocol and earn Safety Incentives. In the case of a shortfall event, your stake can be slashed to cover the deficit, providing an additional layer of protection for the protocol.\",\"RiSYV4\":\"Asset is not listed\",\"Rj01Fz\":\"Links\",\"RmWFEe\":\"Staking APR\",\"RoafuO\":\"Send feedback\",\"RtBLm7\":\"Health factor is lesser than the liquidation threshold\",\"RxzN1M\":\"Enabled\",\"SDav7h\":\"Funds in the Safety Module\",\"SENccp\":\"If the error continues to happen,<0/> you may report it to this\",\"SIWumd\":\"Show Frozen or paused assets\",\"SM58dD\":\"Amount in cooldown\",\"SSMiac\":\"Failed to load proposal voters. Please refresh the page.\",\"SSQVIz\":\"Liquidation Threshold\",\"SUb8x0\":\"Total available\",\"SWIgh4\":\"Fees exceed wallet balance\",\"SY9hVo\":\"Read-only mode allows to see address positions in Aave, but you won't be able to perform transactions.\",\"SZRUQ4\":\"Max slippage\",\"Sa1UE/\":\"Protocol borrow cap is at 100% for this asset. Further borrowing unavailable.\",\"Sk2zW9\":\"Disabling E-Mode\",\"SxaD0o\":\"Pool addresses provider is not registered\",\"T/AIqG\":\"Protocol supply cap at 100% for this asset. Further supply unavailable.\",\"T0xCO9\":\"Can't validate the wallet address. Try again.\",\"T4OhVl\":\"GHO balance\",\"T6uYU2\":\"Borrow\",\"TFxQlw\":\"Liquidation penalty\",\"TQ7WsV\":\"Available to stake\",\"TUI7iB\":\"Asset can only be used as collateral in isolation mode only.\",\"TbjyhA\":\"Docs\",\"TduuS0\":\"User does not have outstanding stable rate debt on this reserve\",\"TeCFg/\":\"Borrow rate change\",\"Tg1JyO\":\"Bridge history\",\"TskbEN\":\"Holders of stkAAVE receive a discount on the GHO borrowing rate\",\"TszKts\":\"Borrow balance after switch\",\"TtZL6q\":\"Discount model parameters\",\"TwJI9F\":\"Asset has been successfully sent to CCIP contract. You can check the status of the transactions below\",\"Tz0GSZ\":\"blocked activities\",\"U/eBjN\":\"Reload the page\",\"U2r8nY\":\"Choose how much voting/proposition power to give to someone else by delegating some of your AAVE, stkAAVE or aAave balance. Your tokens will remain in your account, but your delegate will be able to vote or propose on your behalf. If your AAVE, stkAAVE or aAave balance changes, your delegate's voting/proposition power will be automatically adjusted.\",\"U8IubP\":\"The app is running in testnet mode. Learn how it works in\",\"U9btTk\":\"Asset is not borrowable in isolation mode\",\"UAOZRe\":\"Price impact is the spread between the total value of the entry tokens switched and the destination tokens obtained (in USD), which results from the limited liquidity of the trading pair.\",\"UE3KJZ\":\"Transaction history is not currently available for this market\",\"URmyfc\":\"Details\",\"UTTKmT\":\"Stake cooldown activated\",\"UXeR72\":\"These funds have been borrowed and are not available for withdrawal at this time.\",\"UYb8CM\":\"Learn more about the SPK rewards\",\"UbRrG0\":\"The Maximum LTV ratio represents the maximum borrowing power of a specific collateral. For example, if a collateral has an LTV of 75%, the user can borrow up to 0.75 worth of ETH in the principal currency for every 1 ETH worth of collateral.\",\"UpndFj\":\"No rewards to claim\",\"V0f2Xv\":\"Reserve factor\",\"V1HK43\":\"Migration risks\",\"VATFH9\":\"Covered debt\",\"VHOVEJ\":\"Connect wallet\",\"VMfYUK\":\"Safety of your deposited collateral against the borrowed assets and its underlying value.\",\"VOAZJh\":\"Total borrows\",\"ViKYxK\":\"YAE\",\"W1SSoD\":\"Review tx details\",\"W5hVah\":\"Nothing supplied yet\",\"W5kTFy\":\"Voting\",\"W8ekPc\":\"Back to Dashboard\",\"WMPbRK\":\"Unbacked\",\"WNGZwH\":\"E-Mode increases your LTV for a selected category of assets up to<0/>. <1>Learn more\",\"WPWG/y\":\"Reserve status & configuration\",\"WZLQSU\":\"User cannot withdraw more than the available balance\",\"WaZyaV\":\"<0>Ampleforth is a rebasing asset. Visit the <1>documentation to learn more.\",\"WfU+XN\":\"Because this asset is paused, no actions can be taken until further notice\",\"Wjmqs2\":\"No results found. You can import a custom token with a contract address\",\"WkZ6C6\":\"To borrow you need to supply any asset to be used as collateral.\",\"WyMiQm\":\"You've successfully switched tokens.\",\"X/ITG9\":\"Copy error text\",\"X3Pp6x\":\"Used as collateral\",\"X4Zt7j\":\"Action cannot be performed because the reserve is paused\",\"XBdKOj\":\"Representative smart contract wallet (ie. Safe) addresses on other chains.\",\"XZzneG\":\"You will exit isolation mode and other tokens can now be used as collateral\",\"Xg5y9S\":\"Amount to Bridge\",\"Xn4hUi\":\"Please always be aware of your <0>Health Factor (HF) when partially migrating a position and that your rates will be updated to V3 rates.\",\"Xy71ST\":\"Umbrella\",\"Y5kGkc\":\"VOTE NAY\",\"YDIOks\":\"Enabling E-Mode\",\"YSodyW\":\"This action will reduce your health factor. Please be mindful of the increased risk of collateral liquidation.\",\"YXOWXM\":\"The total amount bridged minus CCIP fees. Paying in network token does not impact gho amount.\",\"YirHq7\":\"Feedback\",\"YogbCJ\":\"Testnet mode is ON\",\"YrDxdO\":\"If your loan to value goes above the liquidation threshold your collateral supplied may be liquidated.\",\"YyIM65\":\"Interest rate rebalance conditions were not met\",\"YyydIq\":[\"Add \",[\"0\"],\" to wallet to track your balance.\"],\"ZBvhI+\":\"Aave Governance\",\"ZIIRAd\":\"Raw-Ipfs\",\"ZRq4tX\":\"Efficiency mode (E-Mode)\",\"ZSqEW+\":\"Manage E-Mode\",\"ZUFYFE\":\"Disable testnet\",\"Zbyywy\":\"Max slashing\",\"ZfUGFb\":\"Before supplying\",\"ZiXN+B\":\"Assets to stake\",\"ZlsSDH\":\"Liquidation value\",\"ZrEc8j\":\"We couldn't find any assets related to your search. Try again with a different asset name, symbol, or address.\",\"ZsLF7e\":\"enabled\",\"a0YQoQ\":\"Enter a valid address\",\"a2fBZn\":\"Time left to unstake\",\"a5RYZd\":\"Disabling this asset as collateral affects your borrowing power and Health Factor.\",\"a7u1N9\":\"Price\",\"a9D+6D\":\"Unstaked\",\"aEtiwq\":\"Vote NAY\",\"aMmFE1\":\"Buy Crypto With Fiat\",\"aOKIms\":\"Array parameters that should be equal length are not\",\"aX31hk\":\"Your balance is lower than the selected amount.\",\"adUsDd\":\"An error has occurred fetching the proposal.\",\"al6Pyz\":\"Exceeds the discount\",\"aoXTT7\":\"Borrow APY, variable\",\"aqX1Yp\":\"This asset is eligible for rewards through SuperFest. Aave Labs does not guarantee the program and accepts no liability.\",\"avgETN\":\"Eligible for the Merit program.\",\"b4NS3e\":\"Cooldown period warning\",\"bNEQeI\":\"Cooldown\",\"bSruit\":\"ZKSync Ignite Program rewards are claimed through the\",\"bUUVED\":\"Asset\",\"bXQ/Og\":\"Share on twitter\",\"bXr0ee\":\"Isolated assets have limited borrowing power and other assets cannot be used as collateral.\",\"bYmAV1\":\"Addresses\",\"bguKoJ\":\"The requested amount is greater than the max loan size in stable rate mode\",\"bwSQI0\":\"Supply\",\"bxN6EM\":\"Cannot disable E-Mode\",\"bxmzSh\":\"Not enough collateral to repay this amount of debt with\",\"c91vuQ\":\"Address is not a contract\",\"c97os2\":\"Aave aToken\",\"c9b44w\":\"You can not withdraw this amount because it will cause collateral call\",\"cBc+4A\":\"This is the total amount available for you to borrow. You can borrow based on your collateral and until the borrow cap is reached.\",\"cIl5kp\":\"Your voting power is based on your AAVE/stkAAVE balance and received delegations.\",\"cLo09S\":\"Risk details\",\"cNT+ij\":\"Borrowing is unavailable because you’ve enabled Efficiency Mode (E-Mode) and Isolation mode. To manage E-Mode and Isolation mode visit your <0>Dashboard.\",\"cZOeBk\":\"Something went wrong fetching bridge message, please try again later.\",\"ceix5S\":\"To submit a proposal for minor changes to the protocol, you'll need at least 80.00K power. If you want to change the core code base, you'll need 320k power.<0>Learn more.\",\"ciybUa\":\"Vote YAE\",\"ckf7gX\":[\"Repaying \",[\"symbol\"]],\"cp1ZDP\":[\"Bridge \",[\"symbol\"]],\"cqnmnD\":\"Effective interest rate\",\"cqwIvs\":\"Forum discussion\",\"csDS2L\":\"Available\",\"cu7Stb\":\"You did not participate in this proposal\",\"dE6BLF\":\"Governance\",\"dEgA5A\":\"Cancel\",\"dIsyWh\":\"Ltv validation failed\",\"dMtLDE\":\"to\",\"dOB5nW\":[\"Maximum amount available to supply is <0/> \",[\"0\"],\" (<1/>).\"],\"dVfODp\":\"You don’t have enough funds in your wallet to repay the full amount. If you proceed to repay with your current amount of funds, you will still have a small borrowing position in your dashboard.\",\"dXUQFX\":\"Assets to borrow\",\"dgr1aY\":\"Borrowing is disabled due to an Aave community decision. <0>More details\",\"djsg0o\":\"Collateral usage\",\"dpc0qG\":\"Variable\",\"drdV8R\":\"Liquidation\",\"dxW8cS\":\"Aave debt token\",\"e4V3oW\":\"Top 10 addresses\",\"eD8WX/\":\"Action requires an active reserve\",\"eJRJ04\":\"Amount to unstake\",\"eLh0cL\":\"Slippage is the difference between the quoted and received amounts from changing market conditions between the moment the transaction is submitted and its verification.\",\"ePK91l\":\"Edit\",\"eVpCmf\":\"Staking Rewards\",\"eVqvtf\":\"Bridge GHO\",\"eYdurp\":\"No transactions yet.\",\"ebLGGN\":\"Total borrowed\",\"ecqEvn\":\"The collateral balance is 0\",\"efdrrk\":\"Available on\",\"enruNF\":\"starts\",\"eqLYiD\":\"Unstake now\",\"euScGB\":\"APY with discount applied\",\"evw5ha\":\"Net worth\",\"ezcU16\":\"Get ABP Token\",\"f3W0Ej\":[\"You switched to \",[\"0\"],\" rate\"],\"fH9i8k\":\"You've successfully switched borrow position.\",\"fHcELk\":\"Net APR\",\"fMJQZK\":\"Borrowed\",\"fZ5Vnu\":\"Received\",\"firl9Q\":\"Your current loan to value based on your collateral supplied.\",\"flRCF/\":\"Staking discount\",\"fldjW9\":\"Preview tx and migrate\",\"fsBGk0\":\"Balance\",\"fu1Dbh\":[\"Withdraw \",[\"symbol\"]],\"fwjWSI\":\"Supplied\",\"fwyTMb\":\"Migrate to stkABPT v2\",\"g0mals\":\"You can not disable E-Mode because that could cause liquidation. To exit E-Mode supply or repay borrowed positions.\",\"g2UNkE\":\"Powered by\",\"g8KGoA\":\"FAQS\",\"g9zzqS\":\"Voted NAY\",\"gDd2gk\":\"about SuperFest.\",\"gFFh9h\":\"All done!\",\"gIMJlW\":\"Testnet mode\",\"gOzPxe\":\"This asset is frozen due to an Aave Protocol Governance decision. <0>More details\",\"gTHi2T\":\"User is trying to borrow multiple assets including a siloed one\",\"gVW59Y\":\"Please connect your wallet to get free testnet assets.\",\"gcFNxP\":\"Approve Confirmed\",\"gncRUO\":\"This address is blocked on app.aave.com because it is associated with one or more\",\"goff7V\":\"Zero address not valid\",\"gp+f1B\":\"Version 3\",\"gr8mYw\":\"You may borrow up to <0/> GHO at <1/> (max discount)\",\"gvTM4B\":\"Net APY is the combined effect of all supply and borrow positions on net worth, including incentives. It is possible to have a negative net APY if debt APY is higher than supply APY.\",\"gzcch9\":\"Invalid bridge protocol fee\",\"h33MxW\":\"Representing smart contract wallet (ie. Safe) addresses on other chains.\",\"h3ilK+\":\".CSV\",\"hB23LY\":\"Activate Cooldown\",\"hIJzBh\":\"Available to Claim\",\"hIS4N0\":\"Net APY\",\"hRWvpI\":\"Claimed\",\"hdmy/o\":\"The % of your total borrowing power used. This is based on the amount of your collateral supplied and the total amount that you can borrow.\",\"hehnjM\":\"Amount\",\"hjDCQr\":\"There was some error. Please try changing the parameters or <0><1>copy the error\",\"hom7qf\":\"Claim\",\"hpHJ4I\":\"Liquidated collateral\",\"hpuVIp\":\"Users who stake AAVE in Safety Module (i.e. stkAAVE holders) receive a discount on GHO borrow interest rate.\",\"huQ6Tz\":[\"Borrowing \",[\"symbol\"]],\"hxi7vE\":\"Borrow balance\",\"i/fZ2Z\":\"Staked Balance\",\"i2JTiw\":\"You may enter a custom amount in the field.\",\"iB5+/J\":\"About GHO\",\"iChbOF\":\"Inconsistent flashloan parameters\",\"iEPVHF\":\"Not enough voting power to participate in this proposal\",\"iEW87X\":\"Delegated power\",\"iEju36\":[\"You voted \",[\"0\"]],\"iFq2YN\":\"Borrowable\",\"iGxyIA\":\"Safety Module\",\"iMVZk9\":\"Select slippage tolerance\",\"iPMIoT\":\"Enter an amount\",\"iSLIjg\":\"Connect\",\"iUo5rv\":\"tokens is not the same as staking them. If you wish to stake your\",\"iZxa38\":\"Use it to vote for or against active proposals.\",\"if5PH+\":\"Collector Info\",\"igkfR1\":[\"In Isolation mode, you cannot supply other assets as collateral. A global debt ceiling limits the borrowing power of the isolated asset. To exit isolation mode disable \",[\"0\"],\" as collateral before borrowing another asset. Read more in our <0>FAQ\"],\"il0sEG\":\"Collateral usage is limited because of Isolation mode.\",\"j+K1Xj\":\"Amount After Fee\",\"jA2QeW\":\"Supplying your\",\"jFi7dz\":\"Interest rate that is determined by Aave Governance. This rate may be changed over time depending on the need for the GHO supply to contract/expand. <0>Learn more\",\"jG3UJ7\":\"Disable E-Mode\",\"jKYzR1\":\"Enable E-Mode\",\"jMam5g\":[[\"0\"],\" Balance\"],\"jSYv+Z\":\"Enabling E-Mode allows you to maximize your borrowing power, however, borrowing is restricted to assets within the selected category. <0>Learn more about how it works and the applied restrictions.\",\"jaKbwW\":[[\"s\"],\"s\"],\"jbFMap\":\"Cooldown time left\",\"jeMZNr\":[[\"0\"],\" on-ramp service is provided by External Provider and by selecting you agree to Terms of the Provider. Your access to the service might be reliant on the External Provider being operational.\"],\"jfl9OP\":\"Migrated\",\"jmXdoY\":\"In E-Mode some assets are not borrowable. Exit E-Mode to get access to all assets\",\"jpctdh\":\"View\",\"jqzUyM\":\"Unavailable\",\"k/sb6z\":\"Select language\",\"k3wP3f\":\"<0>Attention: Parameter changes via governance can alter your account health factor and risk of liquidation. Follow the <1>Aave governance forum for updates.\",\"kACpF3\":[\"Claim \",[\"0\"]],\"kH6wUX\":\"Price impact\",\"kIC28N\":\"Available to claim\",\"kIpSye\":[[\"numSelected\"],\"/\",[\"numAvailable\"],\" assets selected\"],\"kN1Yg5\":\"To repay on behalf of a user an explicit amount to repay is needed\",\"kRTD40\":[\"Repayment amount to reach \",[\"0\"],\"% utilization\"],\"kjN9tT\":\"Supply cap is exceeded\",\"knxE+G\":\".JSON\",\"ks2LWT\":\"Debt ceiling is not zero\",\"kwwn6i\":\"Users who stake AAVE in Safety Module (i.e. stkAAVE holders) receive a discount on GHO borrow interest rate. The discount applies to 100 GHO for every 1 stkAAVE held. Use the calculator below to see GHO borrow rate with the discount applied.\",\"kz3wtK\":\"and about SPK program\",\"kzZyM4\":\"DAI balance will be converted via DSR contracts and then supplied as sDAI. Switching incurs no additional costs and no slippage.\",\"lNVG7i\":\"Select an asset\",\"lU2d1/\":[\"Asset cannot be migrated due to insufficient liquidity or borrow cap limitation in \",[\"marketName\"],\" v3 market.\"],\"lVhKKI\":\"Voted YAE\",\"lWLqxB\":\"We couldn't find any transactions related to your search. Try again with a different asset name, or reset filters.\",\"lYGfRP\":\"English\",\"lfEjIE\":\"Learn more in our <0>FAQ guide\",\"lt6bpt\":\"Collateral to repay with\",\"m/IEhi\":\"Total emission per day\",\"m7r7Hh\":\"Selected borrow assets\",\"mDDK4p\":\"Balancer Pool\",\"mIM0qu\":\"Expected amount to repay\",\"mUAFd6\":\"Version 2\",\"masO5Z\":\"E-Mode increases your LTV for a selected category of assets. <0>Learn more\",\"mdNjKU\":[\"Your \",[\"name\"],\" wallet is empty. Purchase or transfer assets or use <0>\",[\"0\"],\" to transfer your \",[\"network\"],\" assets.\"],\"muiOng\":[\"Buy \",[\"cryptoSymbol\"],\" with Fiat\"],\"mvCXBY\":\"Stake AAVE\",\"mwdzil\":\"Ok, Close\",\"mzI/c+\":\"Download\",\"mzdIia\":\"Asset cannot be used as collateral.\",\"n+SX4g\":\"Developers\",\"n8Psk4\":\"We couldn’t detect a wallet. Connect a wallet to stake and view your balance.\",\"nJIhzm\":\"Supply apy\",\"nJgsQu\":\"With a voting power of <0/>\",\"nLC6tu\":\"French\",\"nN2T8p\":\"During the cooldown period, you will not earn any merit rewards. However, rewards earned up to this point will remain unaffected.\",\"nNHV0z\":\"Migrating multiple collaterals and borrowed assets at the same time can be an expensive operation and might fail in certain situations.<0>Therefore it’s not recommended to migrate positions with more than 5 assets (deposited + borrowed) at the same time.\",\"nNbnzu\":\"Proposition\",\"nOy4ob\":\"We suggest you go back to the Dashboard.\",\"nPGNMh\":\"Can be executed\",\"nUK1ou\":[\"Assets with zero LTV (\",[\"0\"],\") must be withdrawn or disabled as collateral to perform this action\"],\"nakd8r\":\"stkAAVE holders get a discount on GHO borrow rate\",\"nh2EJK\":[\"Please switch to \",[\"networkName\"],\".\"],\"njBeMm\":\"Both\",\"noN5Xf\":\"We couldn’t detect a wallet. Connect a wallet to view your staking positions and rewards.\",\"ntkAoE\":\"Discount applied for <0/> staking AAVE\",\"ntyFSE\":[[\"h\"],\"h\"],\"nwtY4N\":\"Something went wrong\",\"nxyWvj\":\"Withdrawing this amount will reduce your health factor and increase risk of liquidation.\",\"o17QVP\":\"Your health factor and loan to value determine the assurance of your collateral. To avoid liquidations you can supply more collateral or repay borrow positions.\",\"o1xc2V\":\"AToken supply is not zero\",\"o4tCu3\":\"Borrow APY\",\"o5ooMr\":\"Debt\",\"o7J4JM\":\"Filter\",\"oHFrpj\":\"Cooldown to unstake\",\"oJ5ZiG\":\"User does not have outstanding variable rate debt on this reserve\",\"oRBGin\":\"Please connect your wallet to be able to switch your tokens.\",\"oUwXhx\":\"Test Assets\",\"oWklJD\":\"Stable interest rate will <0>stay the same for the duration of your loan. Recommended for long-term loan periods and for users who prefer predictability.\",\"odnIK3\":\"Time remaining until the 48 hour withdraw period starts.\",\"oiK5nY\":\"The current incentives period, decided on by the Aave community, has ended. Governance is in the process on renewing, check for updates. <0>Learn more.\",\"olREoo\":\"All borrow positions outside of this category must be closed to enable this category.\",\"om/XHs\":\"Available to supply\",\"ov0+mq\":\"Eligible for the ZKSync Ignite program.\",\"ovT1pF\":[\"Per the community, the \",[\"market\"],\" has been frozen.\"],\"ow3fug\":\"Nothing found\",\"owSsI3\":\"Signatures ready\",\"p+R52m\":\"Go to Balancer Pool\",\"p2A+s1\":[\"The cooldown period is \",[\"0\"],\". After \",[\"1\"],\" of cooldown, you will enter unstake window of \",[\"2\"],\". You will continue receiving rewards during cooldown and unstake window.\"],\"p2S64u\":\"The loan to value of the migrated positions would cause liquidation. Increase migrated collateral or reduce migrated borrow to continue.\",\"p2Z2Qi\":\"This asset has reached its borrow cap. Nothing is available to be borrowed from this market.\",\"p3j+mb\":\"Your reward balance is 0\",\"p45alK\":\"Set up delegation\",\"p6u2s1\":\"Minimum amount of debt to be repaid\",\"pDgeaz\":[[\"title\"]],\"pdZqBk\":\"The underlying balance needs to be greater than 0\",\"pgWG9H\":\"Not enough staked balance\",\"piPrJ7\":\"please check that the amount you want to supply is not currently being used for staking. If it is being used for staking, your transaction might fail.\",\"pjO/iH\":\"Minimum amount received\",\"pooutM\":\"Voting is on\",\"pqaM5s\":\"Confirming transaction\",\"ptaxX3\":[\"I understand how cooldown (\",[\"0\"],\") and unstaking (\",[\"1\"],\") work\"],\"py2iiY\":\"The caller of this function must be a pool\",\"q/51mF\":\"Migrate to V3\",\"q3df11\":\"Interest rate strategy\",\"q6lAbz\":\"Staked\",\"qB4kPi\":\"Supply APY\",\"qENI8q\":\"Global settings\",\"qGz5zl\":\"Collateral balance after repay\",\"qOqbD6\":\"copy the error\",\"qXCkEM\":\"Please connect your wallet to see your supplies, borrowings, and open positions.\",\"qY2jnw\":\"Invalid expiration\",\"qf/fr+\":\"Interest accrued\",\"quYPUU\":\"Variable interest rate will <0>fluctuate based on the market conditions.\",\"quzIeW\":\"User is in isolation mode or LTV is zero\",\"qvnz3q\":\"Invalid amount to burn\",\"rHgdb0\":\"Migrate to Aave V3\",\"rOrHHe\":\"Amount must be greater than 0\",\"rQ+R+0\":\"Selected supply assets\",\"rSayea\":\"APY\",\"rTBDeu\":[\"Asset cannot be migrated because you have isolated collateral in \",[\"marketName\"],\" v3 Market which limits borrowable assets. You can manage your collateral in <0>\",[\"marketName\"],\" V3 Dashboard\"],\"rcT+yy\":\"Show assets with 0 balance\",\"rf8POi\":\"Borrowed asset amount\",\"riNWOA\":\"E-Mode\",\"rjGI/Q\":\"Privacy\",\"rnKPW1\":\"Watch a wallet balance in read-only mode\",\"ruc7X+\":\"Add stkAAVE to see borrow APY with the discount\",\"rvbaFU\":[\"Bridging \",[\"symbol\"]],\"rwVVB7\":\"Claim all rewards\",\"rwyUva\":\"These assets are temporarily frozen or paused by Aave community decisions, meaning that further supply / borrow, or rate swap of these assets are unavailable. Withdrawals and debt repayments are allowed. Follow the <0>Aave governance forum for further updates.\",\"rxJW5W\":\"Your proposition power is based on your AAVE/stkAAVE balance and received delegations.\",\"s2jJnW\":\"You don't have any bridge transactions\",\"s5wBAq\":[\"Unstake \",[\"symbol\"]],\"sJbIdI\":\"Enter ETH address or ENS\",\"sK+Nag\":\"Review tx\",\"sP2+gB\":\"NAY\",\"sQv06Y\":\"for\",\"sTtO6J\":\"Confirm transaction\",\"sXKb3l\":\"Exchange rate\",\"sb0q4+\":\"You unstake here\",\"smJNwH\":\"Available to borrow\",\"solypO\":\"Health factor is not below the threshold\",\"sr0UJD\":\"Go Back\",\"ss5GCK\":\"The address of the pool addresses provider is invalid\",\"swEgK4\":\"Your voting info\",\"t+wtgf\":\"Nothing borrowed yet\",\"t/YqKh\":\"Remove\",\"t81DpC\":[\"Approve \",[\"symbol\"],\" to continue\"],\"tCnbEs\":\"Oracle price\",\"tFZLf8\":\"This gas calculation is only an estimation. Your wallet will set the price of the transaction. You can modify the gas settings directly from your wallet provider.\",\"tHuvQI\":\"Go to V3 Dashboard\",\"tKv7cI\":\"Switch borrow position\",\"tOcg3N\":\"Since this asset is frozen, the only available actions are withdraw and repay which can be accessed from the <0>Dashboard\",\"tOuXfv\":[\"Borrow amount to reach \",[\"0\"],\"% utilization\"],\"te9Bfl\":\"Please, connect your wallet\",\"tt5yma\":\"Your supplies\",\"ttoh5c\":\"Switch to\",\"u3ZeYl\":\"Transaction failed\",\"u706uF\":\"Invalid flashloan premium\",\"u8Gfu7\":[\"No search results\",[\"0\"]],\"uAQUqI\":\"Status\",\"uHMwk8\":\"No assets selected to migrate.\",\"uJPHuY\":\"Migrating\",\"uY8O30\":\"To continue, you need to grant Aave smart contracts permission to move your funds from your wallet. Depending on the asset and wallet you use, it is done by signing the permission message (gas free), or by submitting an approval transaction (requires gas). <0>Learn more\",\"udFheE\":\"For repayment of a specific type of debt, the user needs to have debt that type\",\"ulNuNq\":\"Export data to\",\"ulup2p\":\"Buy Crypto with Fiat\",\"umICAY\":\"<0><1><2/>Add stkAAVE to see borrow rate with discount\",\"usB84Z\":\"Maximum amount available to borrow is limited because protocol borrow cap is nearly reached.\",\"uwAUvj\":\"COPY IMAGE\",\"v8x7Mg\":\"Insufficient collateral to cover new borrow position. Wallet must have borrowing power remaining to perform debt switch.\",\"vEqxH9\":\"Restaked\",\"vLyv1R\":\"Hide\",\"vMba49\":\"Borrowing is not enabled\",\"vMpNwt\":\"Approve with\",\"vXIe7J\":\"Language\",\"vesuBJ\":\"Allows you to decide whether to use a supplied asset as collateral. An asset used as collateral will affect your borrowing power and health factor.\",\"w+V9Cx\":\"Stablecoin\",\"w/JtJ3\":\"Stable debt supply is not zero\",\"w4VBY+\":\"Rewards APR\",\"w9dLMW\":[[\"label\"]],\"wAOL+X\":[\"You \",[\"action\"],\" <0/> \",[\"symbol\"]],\"wBIsjb\":\"Discord channel\",\"wQZbc/\":\"The caller of the function is not an AToken\",\"wRRqvW\":\"You do not have supplies in this currency\",\"wZFvVU\":\"VOTE YAE\",\"wb/r1O\":[\"Faucet \",[\"0\"]],\"wdxz7K\":\"Source\",\"weH1nG\":\"The Aave Protocol is programmed to always use the price of 1 GHO = $1. This is different from using market pricing via oracles for other crypto assets. This creates stabilizing arbitrage opportunities when the price of GHO fluctuates.\",\"wh7Ezv\":\"You have no AAVE/stkAAVE/aAave balance to delegate.\",\"wlsIx7\":\"With testnet Faucet you can get free assets to test the Aave Protocol. Make sure to switch your wallet provider to the appropriate testnet network, select desired asset, and click ‘Faucet’ to get tokens transferred to your wallet. The assets on a testnet are not “real,” meaning they have no monetary value. <0>Learn more\",\"wmE285\":\"Get ABP v2 Token\",\"wyRrcJ\":\"As a result of governance decisions, this ABPT staking pool is now deprecated. You have the flexibility to either migrate all of your tokens to v2 or unstake them without any cooldown period.\",\"x5KiLL\":\"Selected assets have successfully migrated. Visit the Market Dashboard to see them.\",\"x7F2p6\":\"Current differential\",\"x7K5ib\":[\"Your \",[\"networkName\"],\" wallet is empty. Get free test \",[\"0\"],\" at\"],\"x9iLRD\":\"tokens, please go to the\",\"xNy/UG\":\"Repay with\",\"xPm8wv\":\"Learn more about risks involved\",\"xXYpZl\":[[\"0\"],\" Faucet\"],\"xaVBSS\":\"Your info\",\"xaWZ6f\":\"APY type change\",\"xh6k71\":\"Collateral usage is limited because of isolation mode.\",\"xvIklc\":\"Flashloan is disabled for this asset, hence this position cannot be migrated.\",\"y5rS9U\":\"Migrate\",\"y66tBm\":[\"Enable \",[\"symbol\"],\" as collateral\"],\"yB1YpA\":\"Dark mode\",\"yCrG6m\":\"Total market size\",\"yJUUbn\":\"Transaction overview\",\"yLGmLX\":[\"Restake \",[\"symbol\"]],\"yW1oWB\":\"APY type\",\"yYHqJe\":\"Not a valid address\",\"yZwLw6\":\"Track wallet\",\"yh2sjd\":[\"Price impact \",[\"0\"],\"%\"],\"yhvj6d\":\"You can not switch usage as collateral mode for this currency, because it will cause collateral call\",\"ylmtBZ\":\"The app is running in fork mode.\",\"ymNY32\":[\"There are not enough funds in the\",[\"0\"],\"reserve to borrow\"],\"yz7wBu\":\"Close\",\"z4uGQg\":\"Debt ceiling is exceeded\",\"z5UQOM\":\"The collateral chosen cannot be liquidated\",\"z5Y+p6\":[\"Supplying \",[\"symbol\"]],\"zCjNKs\":\"Action cannot be performed because the reserve is frozen\",\"zRHytX\":\"Isolated Debt Ceiling\",\"zTOjMP\":\"Protocol supply cap is at 100% for this asset. Further supply unavailable.\",\"zVdRUG\":\"Submission did not work, please try again later or contact wecare@avara.xyz\",\"zevmS2\":\"<0><1><2/>Add <3/> stkAAVE to borrow at <4/> (max discount)\",\"zgtIDV\":\"Remaining debt\",\"zmTPiV\":\"Supply balance\",\"zpPbZl\":\"Liquidation risk parameters\",\"zucql+\":\"Menu\",\"zwWKhA\":\"Learn more\",\"zy9fXn\":[\"Asset is frozen in \",[\"marketName\"],\" v3 market, hence this position cannot be migrated.\"],\"zys+R6\":\"Be mindful of the network congestion and gas prices.\",\"zzzTXS\":\"Merit Program rewards are claimed through the\"}")}; \ No newline at end of file diff --git a/src/locales/en/messages.po b/src/locales/en/messages.po index b3c4f8b24f..118effab8d 100644 --- a/src/locales/en/messages.po +++ b/src/locales/en/messages.po @@ -14,6 +14,7 @@ msgstr "" "Plural-Forms: \n" #: src/components/transactions/StakeCooldown/StakeCooldownModalContent.tsx +#: src/modules/umbrella/StakeCooldownModalContent.tsx msgid "If you DO NOT unstake within {0} of unstake window, you will need to activate cooldown process again." msgstr "If you DO NOT unstake within {0} of unstake window, you will need to activate cooldown process again." @@ -46,6 +47,7 @@ msgid "Estimated time" msgstr "Estimated time" #: src/components/transactions/StakeCooldown/StakeCooldownModalContent.tsx +#: src/modules/umbrella/StakeCooldownModalContent.tsx msgid "Remind me" msgstr "Remind me" @@ -992,6 +994,8 @@ msgstr "{d}d" #: src/components/transactions/StakeCooldown/StakeCooldownModalContent.tsx #: src/components/transactions/StakeCooldown/StakeCooldownModalContent.tsx +#: src/modules/umbrella/StakeCooldownModalContent.tsx +#: src/modules/umbrella/StakeCooldownModalContent.tsx msgid "Unstake window" msgstr "Unstake window" @@ -1033,7 +1037,8 @@ msgstr "This asset is planned to be offboarded due to an Aave Protocol Governanc #: src/components/transactions/StakeCooldown/StakeCooldownModalContent.tsx #: src/modules/staking/StakingPanel.tsx -#: src/modules/umbrella/AmountStakedItem.tsx +#: src/modules/umbrella/helpers/StakingDropdown.tsx +#: src/modules/umbrella/StakeCooldownModalContent.tsx msgid "Cooldown period" msgstr "Cooldown period" @@ -1061,6 +1066,8 @@ msgstr "Liquidation at" #: src/modules/dashboard/DashboardEModeButton.tsx #: src/modules/reserve-overview/ReserveTopDetailsWrapper.tsx #: src/modules/staking/GhoDiscountProgram.tsx +#: src/modules/umbrella/StakeCooldownModalContent.tsx +#: src/modules/umbrella/StakeCooldownModalContent.tsx #: src/modules/umbrella/UmbrellaMarketSwitcher.tsx msgid "{0}" msgstr "{0}" @@ -1088,7 +1095,6 @@ msgstr "Reward(s) to claim" #: src/components/transactions/Stake/StakeActions.tsx #: src/modules/staking/StakingPanel.tsx #: src/modules/staking/StakingPanel.tsx -#: src/modules/umbrella/AvailableToStakeItem.tsx #: src/modules/umbrella/StakeAssets/UmbrellaAssetsListMobileItem.tsx #: src/modules/umbrella/UmbrellaActions.tsx msgid "Stake" @@ -1330,6 +1336,7 @@ msgid "Collector Contract" msgstr "Collector Contract" #: src/components/transactions/StakeCooldown/StakeCooldownModalContent.tsx +#: src/modules/umbrella/StakeCooldownModalContent.tsx msgid "Nothing staked" msgstr "Nothing staked" @@ -1705,6 +1712,7 @@ msgid "Details" msgstr "Details" #: src/components/transactions/StakeCooldown/StakeCooldownModalContent.tsx +#: src/modules/umbrella/StakeCooldownModalContent.tsx msgid "Stake cooldown activated" msgstr "Stake cooldown activated" @@ -1929,6 +1937,7 @@ msgid "Enter a valid address" msgstr "Enter a valid address" #: src/modules/staking/StakingPanel.tsx +#: src/modules/umbrella/helpers/StakingDropdown.tsx msgid "Time left to unstake" msgstr "Time left to unstake" @@ -1986,7 +1995,7 @@ msgid "Cooldown period warning" msgstr "Cooldown period warning" #: src/components/transactions/FlowCommons/TxModalDetails.tsx -#: src/modules/umbrella/AmountStakedItem.tsx +#: src/modules/umbrella/helpers/StakingDropdown.tsx msgid "Cooldown" msgstr "Cooldown" @@ -2176,6 +2185,7 @@ msgid "Action requires an active reserve" msgstr "Action requires an active reserve" #: src/components/transactions/StakeCooldown/StakeCooldownModalContent.tsx +#: src/modules/umbrella/StakeCooldownModalContent.tsx msgid "Amount to unstake" msgstr "Amount to unstake" @@ -2376,6 +2386,8 @@ msgstr ".CSV" #: src/components/transactions/StakeCooldown/StakeCooldownActions.tsx #: src/components/transactions/StakeCooldown/StakeCooldownActions.tsx +#: src/modules/umbrella/StakeCooldownActions.tsx +#: src/modules/umbrella/StakeCooldownActions.tsx msgid "Activate Cooldown" msgstr "Activate Cooldown" @@ -2411,7 +2423,6 @@ msgstr "There was some error. Please try changing the parameters or <0><1>copy t #: src/modules/dashboard/DashboardTopPanel.tsx #: src/modules/staking/StakingPanel.tsx -#: src/modules/umbrella/AvailableToClaimItem.tsx msgid "Claim" msgstr "Claim" @@ -2537,6 +2548,7 @@ msgid "{s}s" msgstr "{s}s" #: src/modules/staking/StakingPanel.tsx +#: src/modules/umbrella/helpers/StakingDropdown.tsx msgid "Cooldown time left" msgstr "Cooldown time left" @@ -2863,6 +2875,7 @@ msgid "Go to Balancer Pool" msgstr "Go to Balancer Pool" #: src/components/transactions/StakeCooldown/StakeCooldownModalContent.tsx +#: src/modules/umbrella/StakeCooldownModalContent.tsx msgid "The cooldown period is {0}. After {1} of cooldown, you will enter unstake window of {2}. You will continue receiving rewards during cooldown and unstake window." msgstr "The cooldown period is {0}. After {1} of cooldown, you will enter unstake window of {2}. You will continue receiving rewards during cooldown and unstake window." @@ -2918,6 +2931,7 @@ msgid "Confirming transaction" msgstr "Confirming transaction" #: src/components/transactions/StakeCooldown/StakeCooldownModalContent.tsx +#: src/modules/umbrella/StakeCooldownModalContent.tsx msgid "I understand how cooldown ({0}) and unstaking ({1}) work" msgstr "I understand how cooldown ({0}) and unstaking ({1}) work" @@ -3095,6 +3109,7 @@ msgid "Exchange rate" msgstr "Exchange rate" #: src/components/transactions/StakeCooldown/StakeCooldownModalContent.tsx +#: src/modules/umbrella/StakeCooldownModalContent.tsx msgid "You unstake here" msgstr "You unstake here" @@ -3506,6 +3521,7 @@ msgstr "Menu" #: src/modules/reserve-overview/BorrowInfo.tsx #: src/modules/reserve-overview/SupplyInfo.tsx #: src/modules/reserve-overview/SupplyInfo.tsx +#: src/modules/umbrella/StakeCooldownModalContent.tsx msgid "Learn more" msgstr "Learn more" diff --git a/src/locales/es/messages.js b/src/locales/es/messages.js index 2362b93a3a..abcfcdaea5 100644 --- a/src/locales/es/messages.js +++ b/src/locales/es/messages.js @@ -1 +1 @@ -/*eslint-disable*/module.exports={messages:JSON.parse("{\"+0xecS\":[\"Si NO unstakeas entre \",[\"0\"],\" de la ventana de unstakeo, necesitarás activar el proceso de cooldown de nuevo.\"],\"+EGVI0\":\"Recibir (est.)\",\"+VR63W\":[\"Participar en esta reserva de \",[\"symbol\"],\" da recompensas anuales.\"],\"+bmKdK\":\"Utiliza tu balance de AAVE, stkAAVE o aAava para delegar tu voto y poder de proposición. No enviarás ningún token, solo los derechos de votar y proponer cambios en el protocolo. Puedes volver a delegar o revocar el poder de vuelta en cualquier momento.\",\"+eOPG+\":\"Parece que no podemos cambiar la red automáticamente. Por favor, comprueba si puedes cambiarla desde la cartera.\",\"+i3Pd2\":\"Límite del préstamo\",\"+kLZGu\":\"Cantidad de activos suministrados\",\"+nuEh/\":\"Estimated time\",\"+xMFF8\":\"Remind me\",\"/57U31\":\"Cantidad para migrar\",\"/7ykiW\":\"Tomar prestado esta cantidad reducirá tu factor de salud y aumentará el riesgo de liquidación.\",\"/YA5pU\":\"E-Mode increases your LTV for a selected category of assets, meaning that when E-mode is enabled, you will have higher borrowing power over assets of the same E-mode category which are defined by Aave Governance. You can enter E-Mode from your <0>Dashboard. To learn more about E-Mode and applied restrictionn, see the <1>help guide or the <2>Aave V3 Technical Paper.\",\"/izjs/\":\"Cantidad mínima de Aave stakeado\",\"/jQctM\":\"To\",\"/lDBHm\":\"Preguntas frecuentes\",\"/yNlZf\":\"El préstamo estable no está habilitado\",\"/yQcJM\":\"Valor total\",\"00AB2i\":\"El usuario no tomó prestado el activo especificado\",\"00OflG\":\"No hay suficiente liquidez para que el activo seleccionado realice el cambio. Prueba reduciendo la cantidad.\",\"08/rZ9\":\"El periodo de cooldown es el tiempo requerido antes de unstakear tus tokens (20 días). Solo puedes retirar tus activos del Módulo de Seguridad después del periodo de cooldown y dentro de la ventana de unstakeo.<0>Aprende más\",\"0AmQcW\":\"Cambio de tasa\",\"0BF3yK\":\"Lo sentimos, no hemos podido encontrar la página que estabas buscando.\",\"0TAbjq\":\"Recent Transactions\",\"0jhlyw\":\"Riesgo de liquidación\",\"0ojY+Y\":\"Balance actual v2\",\"0thX3P\":\"Cambio de garantía\",\"0wGCWc\":\"Esta es la cantidad total que puedes suministrar en esta reserva. Puedes suministrar el balance de tu cartera hasta que se alcance el límite de suministro.\",\"1AsVfF\":\"Los datos de los precios no están disponibles actualmente para esta reserva en el subgraph del protocolo\",\"1LjK22\":\"Historial de transacciones\",\"1Onqx8\":[\"Aprobando \",[\"symbol\"],\"...\"],\"1Ue8sX\":\"Por favor conecta una cartera para ver tu información personal aquí.\",\"1bpx9A\":\"...\",\"1kWUB+\":\"Umbral <0/> de liquidación\",\"1m9Qqc\":\"Retirando y Cambiando\",\"1oyh4g\":\"Borrow rate\",\"1t7rez\":\"El suministro de activos está limitado a una cierta cantidad para reducir la exposición del protocolo a este activo y ayudar a manejar los riesgos implicados.\",\"2CAPu2\":\"Has retirado y cambiado tokens con éxito.\",\"2Eoi/a\":\"Ver detalles\",\"2FYpfJ\":\"Más\",\"2O3qp5\":\"Liquidez disponible\",\"2OM8/D\":[\"Este activo no se puede migrar debido a una restricción del límite de suministro en el mercado v3 de \",[\"marketName\"],\".\"],\"2Q4GU4\":\"Dirección bloqueada\",\"2ZGocC\":\"Aave es un protocolo totalmente descentralizado, gobernado por la comunidad de poseedores de tokens AAVE. Los poseedores de tokens AAVE discuten, proponen y votan colectivamente sobre las actualizaciones del protocolo. Los poseedores de tokens AAVE (solo en la red Ethereum) pueden votar ellos mismos sobre nuevas propuestas o delegarse a una dirección de su elección. Para aprender más, consulta la\",\"2a6G7d\":\"Por favor introduce una dirección de cartera válida.\",\"2bAhR7\":\"Conoce GHO\",\"2eBWE6\":\"Acepto los riesgos involucadros.\",\"2o/xRt\":\"Se ha alcanzado el límite de suministro en la reserva especificada. Prueba reduciendo la cantidad.\",\"2uJToh\":[[\"0\"],[\"name\"]],\"2x58bP\":\"El préstamo estable no está habilitado\",\"34Qfwy\":\"El límite del préstamo se ha sobrepasado\",\"39eQRj\":[\"Tomar prestado \",[\"symbol\"]],\"3BL1xB\":\"Total suministrado\",\"3BnIWi\":\"Cambiado\",\"3K0oMo\":\"Suministro restante\",\"3MoZhl\":\"No hay suficiente garantía para cubrir un nuevo préstamo\",\"3Np5O8\":[\"Suministrar \",[\"symbol\"]],\"3O8YTV\":\"Interés total acumulado\",\"3mXg0z\":\"LTV máximo\",\"3q3mFy\":\"Pagar\",\"3qsjtp\":\"El promedio ponderado de APY para todos los activos suministrados, incluidos los incentivos.\",\"3rL+os\":\"Solo puedes retirar tus activos del Módulo de Seguridad después de que finalice el período de cooldown y la ventana de unstakeo esté activa.\",\"42UgDM\":[\"Migrar al mercado V3 de \",[\"0\"]],\"49UFQA\":\"Resultados de la votación\",\"4DMZUI\":\"Ver Transacciones\",\"4HtGBb\":\"MAX\",\"4Y5H+g\":\"Términos\",\"4YYh4d\":\"Máximo disponible para tomar prestado\",\"4iPAI3\":\"Cantidad de préstamo mínima de GHO\",\"4lDFps\":\"Firma para continuar\",\"4wyw8H\":\"Transacciones\",\"5JSSxX\":[\"Tu cartera de \",[\"networkName\"],\" está vacía. Consigue activos de prueba gratis en\"],\"5K7kGO\":\"documentación\",\"5NOSGa\":\"El límite de deuda limita la cantidad posible que los usuarios del protocolo pueden tomar prestado contra este activo. El límite de deuda es específico para los activos en isolation mode y se indica en USD.\",\"5Ncc6j\":[\"Este activo casi ha alcanzado su límite de suministro. Solo se puede suministrar \",[\"messageValue\"],\" a este mercado.\"],\"5cZ/KX\":\"El suministro de deuda variable no es cero\",\"5che++\":\"Para solicitar acceso a este mercado, porfavor visita: <0>Nombre del proveedor de acceso\",\"5ctNdV\":[\"Mínimo \",[\"0\"],\" recibido\"],\"5hDe9v\":\"Acción de permiso requerida\",\"5rsnKT\":\"Recompensas disponibles\",\"5yC5m5\":\"Ver todos los votos\",\"6/dCYd\":\"Resumen\",\"60crCe\":\"Todas las transacciones\",\"62Xcjh\":\"Garantía\",\"65A04M\":\"Español\",\"6G8s+q\":\"Firmando\",\"6Jrv+z\":[\"Pagar \",[\"symbol\"]],\"6NGLTR\":\"Cantidad descontable\",\"6Xr0UU\":\"Cooling down...\",\"6bxci/\":\"Poder de votación\",\"6f8S68\":\"Mercados\",\"6g1gi0\":\"Propuestas\",\"6gvoHP\":\"Copiar mensaje de error\",\"6h3Q5G\":\"reembolsado\",\"6lFSyT\":\"Available to Stake\",\"6s8L6f\":\"Cambiar de red\",\"6yAAbq\":\"APY, tasa de préstamo\",\"70wH1Q\":\"APR\",\"72c5Qo\":\"Total\",\"73Auuq\":\"Los parámetros de descuento son decididos por la comunidad de Aave y pueden cambiar con el tiempo. Consulta el Gobierno para ver actualizaciones y vota para participar. <0>-Aprende más\",\"75qcAQ\":[[\"stepName\"]],\"7ITr5L\":\"Factor de salud\",\"7T/o5R\":\"Alcanzado\",\"7YlcXu\":\"El fork mode está activado\",\"7Z76Iw\":\"Tomar prestado no está disponible porque estás usando el Isolation mode. Para administrar el Isolation mode, visita tu <0>Panel de control.\",\"7aKlMS\":\"Compartir en Lens\",\"7er5fP\":\"Reclamar todo\",\"7hb2+s\":\"Time remaining until the withdraw period ends.\",\"7l88b8\":\"No se pudieron recuperar los datos, por favor recarga el gráfico.\",\"7p5kLi\":\"Panel de control\",\"7sofdl\":\"Retirar y Cambiar\",\"8+6BI0\":\"Ten cuidado - Estás muy cerca de la liquidación. Considera depositar más garantía o pagar alguno de tus préstamos\",\"87pUEW\":[\"Tu cartera de \",[\"name\"],\" está vacía. Compra o transfiere activos.\"],\"8F1i42\":\"Página no encontrada\",\"8G8M0u\":\"Cargando datos...\",\"8Iu1QS\":\"retirado\",\"8JL93T\":\"Todas las propuestas\",\"8Q51DU\":\"Añadir a la cartera\",\"8X/oyn\":\"Cantidad invalidad para generar\",\"8Z5FPv\":\"Desconectar cartera\",\"8Zz7s5\":\"activos\",\"8aLW8H\":\"Balance a revocar\",\"8bOT3H\":\"Tasa de uso\",\"8sLe4/\":\"Ver contrato\",\"8t/M0y\":\"Please connect your wallet to be able to bridge your tokens.\",\"8vETh9\":\"Mostrar\",\"94OHPx\":\"Estás entrando en el Isolation mode\",\"9CDK3/\":[\"Tomar prestado no está disponible actualmente para \",[\"0\"],\".\"],\"9GIj3z\":\"Tamaño de la reserva\",\"9Knqb4\":\"Balance stakeado\",\"9OBKm7\":\"Quorum\",\"9QHoGr\":\"Votos actuales\",\"9Rw96f\":[\"Este activo casi ha alcanzado su límite de préstamo. Solo hay \",[\"messageValue\"],\" disponibles para ser prestado de este mercado.\"],\"9Xj/qR\":[\"Algunos activos migrados no se utilizarán como garantía debido al isolation mode habilitado en el mercado V3 de \",[\"marketName\"],\". Visita el <0>Panel de control de \",[\"marketName\"],\" V3 para administrar el isolation mode.\"],\"9c6vDV\":\"Este activo ha alcanzado su límite de suministro. No queda nada disponible para ser suministrado desde este mercado.\",\"9kTWHA\":\"MAI ha sido pausado debido a una decisión de la comunidad. Los suministros, préstamos y pagos se han visto afectados. <0>Más información\",\"9lXchd\":\"Token subyacente\",\"9rWaKF\":\"Bridged Via CCIP\",\"9xSooW\":\"Puesto que esta es una red de pruebas, puedes obtener cualquiera de los activos si tienes ETH en tu cartera\",\"A/lwoe\":\"Elige uno de los servicios on-ramp\",\"A6dCI6\":[\"La máxima cantidad disponible para tomar prestado es <0/> \",[\"0\"],\" (<1/>).\"],\"AReoaV\":\"Tus préstamos\",\"ARu1L4\":\"Pagado\",\"AV7cGz\":\"Revisa los detalles del approve\",\"AZOjB8\":\"Recuperando datos...\",\"Ai0jas\":\"Únete a la discusión de la comunidad\",\"Ajl2rq\":\"El poder de préstamo y los activos están limitados debido al Isolation mode.\",\"AqgYNC\":\"El límite de préstamo del protocolo está al 100% para este activo. No es posible tomar más prestado.\",\"B3EcQR\":\"¡Gracias por votar!\",\"B6aXGH\":\"Estable\",\"B9Gqbz\":\"Tasa variable\",\"BDFEd+\":\"stETH suministrado como garantía continuará acumulando recompensas de staking proporcionadas por rebases diarios.\",\"BE2mP0\":\"Borrowed assets\",\"BJyN77\":\"Debido al impacto del factor de salud, se requiere un préstamo flash para realizar esta transacción, pero el Gobierno de Aave ha inhabilitado la disponibilidad de préstamos flash para este activo. Intenta reducir la cantidad o suministrar garantía adicional.\",\"BNL4Ep\":\"El uso como garantía está limitado debido al isolation mode. <0>Aprende más\",\"BQ/wCO\":\"Migrate your assets\",\"BjLdl1\":\"Con un descuento\",\"BnhYo8\":\"Categoría de activos\",\"Bq9Y7e\":\"Este activo está congelado debido a una decisión de la comunidad de Aave. <0>Más información\",\"BqWMDJ\":\"Faucet\",\"BqynZO\":\"Optimized for efficiency and risk by supporting blue-chip collateral assets\",\"Bsu7zX\":\"The fee includes the gas cost to complete the transaction on the destination chain and the fee paid to Chainlink CCIP service providers. You can chose to pay in the network token or GHO. <0>Learn more\",\"BwJKBw\":\"de\",\"CDrsH+\":\"Documento técnico\",\"CK1KXz\":\"Max\",\"CMHmbm\":\"Deslizamiento\",\"CZXzs4\":\"Griego\",\"CcRNG6\":\"Cambiando\",\"CkTRmy\":[\"Reclamar \",[\"symbol\"]],\"CsqtLm\":\"Por favor conecta tu cartera para ver la herramienta de migración.\",\"CtGlFb\":[\"Faucet \",[\"networkName\"]],\"Cxt2YY\":\"Watch wallet\",\"D33VQU\":\"Esta acción reducirá el factor de salud de V3 por debajo del umbral de liquidación. Aumenta la garantía migrada o reduce el préstamo migrado para continuar.\",\"D9BLRG\":\"Este activo ha sido pausado debido a una decisión de la comunidad. El suministro, los retiros, los préstamos y los pagos se han visto afectados.\",\"DAma/S\":\"La garantía es (en su mayoría) el mismo activo que se está tomando prestado\",\"DCnFg0\":[\"Direcciones (\",[\"0\"],\")\"],\"DG3Lv1\":\"Entiendo completamente los riesgos de migrar.\",\"DONJcV\":\"El activo base no puede ser rescatado\",\"DR+4uL\":\"Balance del suministro después del cambio\",\"DWjrck\":[\"Este activo no se puede migrar al mercado V3 de \",[\"marketName\"],\" debido a las restricciones del E-mode. Puedes deshabilitar o administrar las categorías del E-mode en tu <0>Panel de control V3\"],\"Dj+3wB\":\"Aave por mes\",\"DptNvx\":\"Amount Staked\",\"DuEq2K\":\"Colateralización\",\"DxfsGs\":\"Puedes reportar cualquier incidente a nuestro <0>Discord o <1>Github.\",\"Dzma+E\":\"Main Ethereum market with the largest selection of assets and yield options\",\"E/QGRL\":\"Deshabilitado\",\"EBL9Gz\":\"¡COPIADO!\",\"ES8dkb\":\"Interés fijo\",\"EZd3Dk\":[\"Restakeando \",[\"symbol\"]],\"Ebgc76\":[\"Retirando \",[\"symbol\"]],\"EdQY6l\":\"Ninguno\",\"EjvKQ+\":\"Valor mínimo en USD recibido\",\"Enslfm\":\"Destination\",\"EvE9nO\":[\"Reactivar el periodo de cooldown para unstakear \",[\"0\"],\" \",[\"stakedToken\"]],\"EvECnL\":\"Migrar a V3\",\"EzMQbh\":\"The source chain time to finality is the main factor that determines the time to destination. <0>Learn more\",\"F40cwT\":\"Legacy Markets\",\"F6TdXL\":\"Aprende más.\",\"FDDPeZ\":\"Users can stake their assets in the protocol and earn incentives. In the case of a shortfall event, your stake can be slashed to cover the deficit, providing an additional layer of protection for the protocol.\",\"FHlMf/\":\"Balance actual v2\",\"FHpxjF\":[\"El factor de reserva es un porcentaje de interés que va a un \",[\"0\"],\" que es controlado por el gobierno de Aave para promover el crecimiento del ecosistema.\"],\"FOBZa6\":\"Capacidad de préstamo utilizada\",\"FPKEug\":\"Operación no soportada\",\"FbmMe7\":\"Direcciones vinculadas\",\"Fdp03t\":\"en\",\"Fjw9N+\":\"Activos a suministrar\",\"FmN0fk\":\"Restakear\",\"GDGLIs\":\"GHO es un activo nativo descentralizado, digital y respaldado por garantía, vinculado al USD. Es creado por los usuarios que lo toman prestado contra múltiples garantías. Cuando el usuario paga su posición de préstamo de GHO, el protocolo quema el GHO de ese usuario. Todos los pagos de interés acumulados por los acuñadores de GHO serán transferidos directamente a la tesorería de\xA0la\xA0DAO\xA0de\xA0Aave.\",\"GQrBTq\":\"Cambiar E-Mode\",\"GWswcZ\":\"Este activo está congelado debido a una decisión del Gobierno del Protocolo Aave. El 20 de diciembre de 2022, renFIL ya no será compatible y no se podrá conectar de nuevo a su red nativa. Se recomienda retirar las posiciones de suministro y pagar las posiciones de préstamo para que renFIL se pueda convertir de nuevo a FIL antes de la fecha límite. Después de esta fecha, ya no será posible convertir renFIL a FIL. <0>Más detalles\",\"GX8GKD\":\"Activos\",\"GgEj+0\":\"Modo de solo lectura. Conéctate a una cartera para realizar transacciones.\",\"GjkIKV\":\"finaliza\",\"GoK/QN\":\"Thank you for submitting feedback!\",\"GtP2hp\":[\"Tomar prestado no está disponible porque has habilitado el Efficieny Mode (E-Mode) para la categoría \",[\"0\"],\". Para manejar las categorías del E-Mode visita tu <0>Panel de control.\"],\"H6Ma8Z\":\"Descuento\",\"HB/wfS\":[[\"tooltipText\"]],\"HKDsQN\":\"Rewards can be claimed through\",\"Ha/U5f\":\"This is a program initiated and implemented by the decentralised ZKSync community. Aave Labs does not guarantee the program and accepts no liability.\",\"HciqKU\":\"This is a program initiated and implemented by the decentralised Aave community. Aave Labs does not guarantee the program and accepts no liability.\",\"Hi6Ttn\":\"Lo sentimos, se produjo un error imprevisto. Mientras tanto, puedes intentar recargar la página, o volver después.\",\"HkEDbS\":[[\"d\"],\"d\"],\"HmkYqM\":\"Ventana de unstakeo\",\"HpK/8d\":\"Recargar\",\"HrnC47\":\"Guardar y compartir\",\"HuVZMK\":\"Days\",\"HvJKMU\":[\"Este activo no se puede migrar al mercado v3 de \",[\"marketName\"],\", ya que el activo de garantía habilitará el isolation mode.\"],\"Hvwnm9\":[\"La cantidad máxima disponible para suministrar está limitada porque el límite de suministro del protocolo está al \",[\"0\"],\"%.\"],\"I8CX2c\":\"La cantidad total de tus activos denominados en USD que pueden ser usados como garantía para activos de préstamo.\",\"IAD2SB\":[\"Reclamando \",[\"symbol\"]],\"IG9X9/\":\"Tomar prestado este activo está limitado a una cierta cantidad para minimizar la insolvencia del fondo de liquidez.\",\"IOIx8L\":\"Está previsto que este activo se desvincule debido a una decisión del Gobierno del Protocolo Aave. <0>Más detalles\",\"IP+I/j\":\"Periodo de cooldown\",\"IaA40H\":\"Liquidación en\",\"J/hVSQ\":[[\"0\"]],\"JCoxL6\":\"Administrar analíticas\",\"JK9zf1\":[\"Interés compuesto estimado, incluyendo el descuento por Staking \",[\"0\"],\"AAVE en el Módulo de Seguridad.\"],\"JOqFba\":[\"Unstakeando \",[\"symbol\"]],\"JPrLjO\":\"No puedes usar este activo como garantía\",\"JU6q+W\":\"Recompensa(s) por reclamar\",\"JYKRJS\":\"Stakear\",\"JZMxX0\":\"No hay suficiente balance en tu cartera\",\"Jgflkm\":\"Obtener GHO\",\"JoMQnI\":\"Balance de la cartera\",\"JtwD8u\":\"Balance tomado prestado tras pagar\",\"JumYTK\":\"Supplied assets\",\"K05qZY\":\"Retirar y Cambiar\",\"KAz/NV\":\"El límite de deuda del protocolo está al 100% para este activo. No es posible tomar más prestado usando este activo como garantía.\",\"KLXVqE\":[\"Los tokens stETH se migrarán a Wrapped stETH usando el wrapper del protocolo de Lido, lo que provoca un cambio en el balance de suministro después de la migración: \",[\"0\"]],\"KLd6ky\":\"Use connected account\",\"KRpokz\":\"VER TX\",\"KSlpka\":\"Esto representa el umbral en el que un préstamo será considerado sin garantía suficiente y sujeto a la liquidación de la misma. Por ejemplo, si una garantía tiene un umbral de liquidación del 80 %, significa que el préstamo será liquidado cuando el valor de la deuda alcanze el 80% del valor de la garantía.\",\"KYAjf3\":\"Aislado\",\"KZwRuD\":[[\"notifyText\"]],\"KkPgim\":\"Cambiando E-Mode\",\"KnN1Tu\":\"Caduca\",\"KoOBI2\":\"Debido a mecánicas internas de stETH requeridas para el soporte del rebase, no es posible realizar un cambio de garantía donde stETH es el token de origen.\",\"KojyJ4\":\"Red incorrecta\",\"KsqhWn\":\"Staking\",\"KuBTQq\":\"Introduce la dirección ETH\",\"KvG1xW\":\"Reclamando\",\"L+8Lzs\":\"LTV actual\",\"L+qiq+\":\"Mercado\",\"LDzfVJ\":\"Send Feedback\",\"LIrMcF\":\"Sin poder de voto\",\"LL0zks\":\"Puede ser garantía\",\"LLdJWu\":\"AAVE Reclamable\",\"LSIpNK\":\"Tomar prestado y pagar en el mismo bloque no está permitido\",\"LVt3TI\":[\"<0>Tolerancia de deslizamiento <1>\",[\"selectedSlippage\"],\"% <2>\",[\"0\"],\"\"],\"LjafV8\":\"Maximum collateral amount to use\",\"LtpQew\":\"Let us know how we can make the app better for you. For user support related inquiries please reach out on\",\"LvVpD/\":\"Modo E\",\"M2sknc\":\"Tip: Intenta aumentar el deslizamiento o reduce la cantidad de entrada\",\"M7wPsD\":\"Cambiar\",\"MFu33y\":\"Staking 00\",\"MIy2RJ\":\"Maximum amount received\",\"MZ/nQf\":\"Dirección del destinatario\",\"Ma/MtY\":\"vista de stakeo\",\"McHlGl\":\"Cambio de APY\",\"MeCCA+\":\"APY, variable\",\"MghdTe\":\"Si el factor de salud se encuentra por debajo de 1, la liquidación de tu colateral puede ser activada.\",\"Mm/DVQ\":\"Has cancelado la transacción.\",\"MnE2QX\":\"Información de préstamo\",\"MrmQHg\":\"View Bridge Transactions\",\"MuDFEQ\":\"Valor de retorno inválido en la función executor del préstamo flash\",\"N5kUMV\":\"Este activo solo se puede utilizar como garantía en isolation mode con poder de préstamo limitado. Para entrar en el isolation mode, deshabilita todas las demás garantías.\",\"N6Pxr9\":\"View all\",\"NF0e1Q\":\"Pendiente...\",\"NK9ikO\":\"Balance de la cartera\",\"NMt2CB\":\"Cantidad reclamable\",\"NcFGxG\":\"Collector Contract\",\"NfpPeS\":\"Nada invertido\",\"Nh9DAo\":[[\"m\"],\"m\"],\"O+sCUU\":\"El límite de minteo sin respaldo ha sido excedido\",\"O+tyU+\":[\"La cantidad máxima disponible para tomar prestado contra este activo está limitada porque el límite de deuda está al \",[\"0\"],\"%.\"],\"O3oNi5\":\"Email\",\"OFjZGo\":\"Unstakear\",\"OR8cYX\":\"Resumen de la propuesta\",\"OYuJ9K\":\"El límite de deuda del protocolo está al 100% para este activo. No es posible tomar más prestado usando este activo como garantía.\",\"OfhWJH\":\"Restablecer\",\"Og2SKn\":\"deshabilitado\",\"On0aF2\":\"Página web\",\"OsyKSt\":\"Retirar\",\"P1dURE\":\"Revocar poder\",\"P2WCD/\":[\"El activo subyacente no existe en el mercado v3 de \",[\"marketName\"],\", por lo tanto, esta posición no se puede migrar.\"],\"P2sL6B\":\"Cuando ocurre una liquidación, los liquidadores pagan hasta el 50% de la cantidad pendiente del préstamo en nombre del prestatario. A cambio, pueden comprar la garantía con descuento y quedarse con la diferencia (sanción de liquidación) como bonificación.\",\"P6sRoL\":\"Stakea ABPT\",\"P72/OW\":\"El promedio ponderado de APY para todos los activos prestados, incluidos los incentivos.\",\"P7e6Ug\":\"Por favor conecta tu cartera para ver el historial de transacciones.\",\"PByO0X\":\"Votos\",\"PI+kVe\":\"Deshabilitar fork\",\"PJK9u/\":\"Apy préstamo\",\"PLUB/s\":\"Fee\",\"PP5ZA8\":[\"Participating in staking \",[\"symbol\"],\" gives annualized rewards. Your wallet balance is the sum of your aTokens and underlying assets. The breakdown to stake is below\"],\"PcBUgb\":\"Umbral de liquidación\",\"PjU6bu\":\"This asset is eligible for SPK incentive program. Aave Labs does not guarantee the program and accepts no liability.\",\"PpqD5g\":\"Habilitar este activo como garantía aumenta tu poder préstamo y el factor de salud. Sin embargo, puede ser liquidado si tu factor de salud cae por debajo de 1.\",\"PsOFSf\":\"Esta acción reducirá el factor de salud V2 por debajo del umbral de liquidación. Mantén la garantía o migra la posición de préstamo para continuar.\",\"Pu4bI/\":[[\"currentMethod\"]],\"Q0LzKi\":\"View TX\",\"Q4eNqa\":\"El Aave Balancer Pool Token (ABPT) es un token de pool de liquidez. Puedes recibir ABPT depositando una combinación de AAVE + wstETH en el pool de liquidez de Balancer. Luego puedes stakear tu BPT en el módulo de seguridad para asegurar el protocolo y ganar incentivos de seguridad.\",\"QQYsQ7\":\"Retirando\",\"QWYCs/\":\"Stakear GHO\",\"R+30X3\":\"No alcanzado\",\"RCU5PY\":\"Age\",\"RIfckG\":[\"Desactivar \",[\"symbol\"],\" como garantía\"],\"RMtxNk\":\"Diferencial\",\"RNK49r\":\"Firma inválida\",\"RS0o7b\":\"Estado\",\"RU+LqV\":\"Detalles de la propuesta\",\"RYTgZX\":\"lorem ipsum\",\"RbXH+k\":\"Los poseedores de AAVE, GHO y ABPT (solo en la red de Ethereum) pueden stakear sus activos en el Módulo de Seguridad para añadir más seguridad al protocolo y obtener incentivos de seguridad. En el caso de un evento de shortfall, tu stakeo puede ser reducido para cubrir el déficit. proporcionando una capa adicional de protección para el protocolo.\",\"RiSYV4\":\"El activo no está listado\",\"Rj01Fz\":\"Enlaces\",\"RmWFEe\":\"Staking APR\",\"RoafuO\":\"Enviar feedback\",\"RtBLm7\":\"El factor de salud es menor que el umbral de liquidación\",\"RxzN1M\":\"Habilitado\",\"SDav7h\":\"Fondos en el Módulo de Seguridad\",\"SENccp\":\"Si el error persiste, <0/> podrías reportarlo a esto\",\"SIWumd\":\"Mostrar activos congelados o pausados\",\"SM58dD\":\"Cantidad en cooldown\",\"SSMiac\":\"Error al cargar los votantes de la propuesta. Por favor actualiza la página.\",\"SSQVIz\":\"Umbral de liquidación\",\"SUb8x0\":\"Total disponible\",\"SWIgh4\":\"Fees exceed wallet balance\",\"SY9hVo\":\"El modo de solo lectura permite ver las posiciones de las direcciones en Aave, pero no podrás realizar transacciones.\",\"SZRUQ4\":\"Deslizamiento máximo\",\"Sa1UE/\":\"El límite de préstamo del protocolo está al 100% para este activo. No es posible tomar más prestado.\",\"Sk2zW9\":\"Desactivando E-Mode\",\"SxaD0o\":\"La dirección del proveedor del pool no esta registrada\",\"T/AIqG\":\"El límite de suministro del protocolo está al 100% para este activo. No es posible suministrar más.\",\"T0xCO9\":\"No se puede validar la dirección de la cartera. Vuelve a intentarlo.\",\"T4OhVl\":\"GHO balance\",\"T6uYU2\":\"Tomar prestado\",\"TFxQlw\":\"Penalización de liquidación\",\"TQ7WsV\":\"Available to stake\",\"TUI7iB\":\"El activo solo puede usarse como garantía en el Isolation mode únicamente.\",\"TbjyhA\":\"Docs\",\"TduuS0\":\"El usuario no tiene deuda pendiente de tasa estable en esta reserva\",\"TeCFg/\":\"Cambio de tasa de préstamo\",\"Tg1JyO\":\"Bridge history\",\"TskbEN\":\"Los poseedores de stkAAVE reciben un descuento en la tasa de préstamo de GHO\",\"TszKts\":\"Balance de préstamo después del cambio\",\"TtZL6q\":\"Parámetros del modelo de descuento\",\"TwJI9F\":\"Asset has been successfully sent to CCIP contract. You can check the status of the transactions below\",\"Tz0GSZ\":\"actividades bloqueadas\",\"U/eBjN\":\"Recarga la página\",\"U2r8nY\":\"Elige cuánto poder de voto/proposición otorgar a otra persona delegando parte de tu balance de AAVe o stkAAVE. Tus tokens permanecerán en tu cuenta, pero tu delegado podrá votar o proponer en tu lugar. Si tu balance de AAVE, stkAAVE o aAave cambia, el poder de voto/proposición de tu delegado se ajustará automáticamente.\",\"U8IubP\":\"La aplicación se está ejecutando en testnet mode. Aprende como funciona en\",\"U9btTk\":\"El activo no se puede pedir prestado en isolation mode\",\"UAOZRe\":\"El impacto del precio es la diferencia entre el valor total de los tokens de entrada cambiados y los tokens de destino obtenidos (en USD), que resulta de la liquidez limitada del par de cambio.\",\"UE3KJZ\":\"El historial de transacciones no está disponible actualmente para este mercado\",\"URmyfc\":\"Detalles\",\"UTTKmT\":\"Cooldown de stakeo activado\",\"UXeR72\":\"Estos fondos se han tomado prestados y no están disponibles para su retirada en este momento.\",\"UYb8CM\":\"Learn more about the SPK rewards\",\"UbRrG0\":\"El ratio LTV máximo representa el poder de endeudamiento máximo de una garantía específica. Por ejemplo, si una garantía tiene un LTV del 75 %, el usuario puede pedir prestado hasta 0,75 ETH en la moneda principal por cada 1 ETH de garantía.\",\"UpndFj\":\"No hay recompensas para reclamar\",\"V0f2Xv\":\"Factor de reserva\",\"V1HK43\":\"Riesgos de migración\",\"VATFH9\":\"Deuda cubierta\",\"VHOVEJ\":\"Conectar cartera\",\"VMfYUK\":\"Seguridad de tu garantía depositada contra los activos prestados y su valor subyacente.\",\"VOAZJh\":\"Total de préstamos\",\"ViKYxK\":\"YAE\",\"W1SSoD\":\"Revisar detalles de la tx\",\"W5hVah\":\"Nada suministrado aún\",\"W5kTFy\":\"Votando\",\"W8ekPc\":\"Volver al panel de control\",\"WMPbRK\":\"No respaldado\",\"WNGZwH\":\"El E-Mode incrementa tu LTV para una categoría seleccionada de activos hasta el <0/>. <1>Aprende más\",\"WPWG/y\":\"Configuración y estado de la reserva\",\"WZLQSU\":\"El usuario no puede retirar más que el balance disponible\",\"WaZyaV\":\"<0>Ampleforth es un activo con rebase. Visita la <1>documentación para aprender más.\",\"WfU+XN\":\"Debido a que este activo está en pausa, no se pueden realizar acciones hasta nuevo aviso\",\"Wjmqs2\":\"No results found. You can import a custom token with a contract address\",\"WkZ6C6\":\"Para tomar prestado, necesitas suministrar cualquier activo para ser utilizado como garantía.\",\"WyMiQm\":\"Has cambiado los tokens con éxito.\",\"X/ITG9\":\"Copiar el texto del error\",\"X3Pp6x\":\"Utilizado como garantía\",\"X4Zt7j\":\"No se puede realizar la acción porque la reserva está pausada\",\"XBdKOj\":\"Direcciones de cartera de contrato inteligente representativas (Safe) en otras cadenas.\",\"XZzneG\":\"Saldrás del modo aislamiento y otros tokens pueden ser usados ahora como garantía\",\"Xg5y9S\":\"Amount to Bridge\",\"Xn4hUi\":\"Por favor ten siempre en cuenta tu <0>factor de salud (HF) cuando migres parcialmente una posición y que tus tasas serán actualizadas a tasas de la V3.\",\"Xy71ST\":\"Umbrella\",\"Y5kGkc\":\"VOTAR NO\",\"YDIOks\":\"Habilitar E-Mode\",\"YSodyW\":\"Esta acción reducirá tu factor de salud. Por favor ten en cuenta el riesgo incrementado de liquidación de la garantía.\",\"YXOWXM\":\"The total amount bridged minus CCIP fees. Paying in network token does not impact gho amount.\",\"YirHq7\":\"Feedback\",\"YogbCJ\":\"Testnet mode está ON\",\"YrDxdO\":\"Si tu relación préstamo-valor supera el umbral de liquidación, tu garantía puede ser liquidada.\",\"YyIM65\":\"No se cumplieron las condiciones de ajuste de tasas de interés\",\"YyydIq\":[\"Añade \",[\"0\"],\" a tu cartera para hacer un seguimiento del balance.\"],\"ZBvhI+\":\"Gobierno de Aave\",\"ZIIRAd\":\"Raw-Ipfs\",\"ZRq4tX\":\"Modo de eficiencia (E-Mode)\",\"ZSqEW+\":\"Manage E-Mode\",\"ZUFYFE\":\"Deshabilitar testnet\",\"Zbyywy\":\"Max slashing\",\"ZfUGFb\":\"Antes de suministrar\",\"ZiXN+B\":\"Assets to stake\",\"ZlsSDH\":\"Valor de liquidación\",\"ZrEc8j\":\"No pudimos encontrar ningún activo relacionado con tu búsqueda. Vuelve a intentarlo con un nombre diferente de activo, símbolo o dirección.\",\"ZsLF7e\":\"habilitado\",\"a0YQoQ\":\"Enter a valid address\",\"a2fBZn\":\"Tempo restante para unstakear\",\"a5RYZd\":\"Deshabilitar este activo como garantía afecta tu poder de préstamo y Factor de Salud.\",\"a7u1N9\":\"Precio\",\"a9D+6D\":\"Unstakeado\",\"aEtiwq\":\"Votar NO\",\"aMmFE1\":\"Comprar Crypto con Fiat\",\"aOKIms\":\"Los parámetros del array que deberían ser iguales en longitud no lo son\",\"aX31hk\":\"Tu balance es más bajo que la cantidad seleccionada.\",\"adUsDd\":\"Se ha producido un error al recuperar la propuesta.\",\"al6Pyz\":\"Supera el descuento\",\"aoXTT7\":\"APY préstamo, variable\",\"aqX1Yp\":\"This asset is eligible for rewards through SuperFest. Aave Labs does not guarantee the program and accepts no liability.\",\"avgETN\":\"Eligible for the Merit program.\",\"b4NS3e\":\"Advertencia periodo de cooldown\",\"bNEQeI\":\"Cooldown\",\"bSruit\":\"ZKSync Ignite Program rewards are claimed through the\",\"bUUVED\":\"Activo\",\"bXQ/Og\":\"Compartir en twitter\",\"bXr0ee\":\"Los activos aislados han limitado tu capacidad de préstamo y otros activos no pueden ser usados como garantía.\",\"bYmAV1\":\"Direcciones\",\"bguKoJ\":\"La cantidad solicitada es mayor que el tamaño máximo del préstamo en el modo de tasa estable\",\"bwSQI0\":\"Suministrar\",\"bxN6EM\":\"No se puede deshabilitar E-Mode\",\"bxmzSh\":\"No hay suficiente garantía para pagar esta cantidad de deuda con\",\"c91vuQ\":\"La dirección no es un contrato\",\"c97os2\":\"aToken de Aave\",\"c9b44w\":\"No puedes retirar esta cantidad porque causará una liquidación\",\"cBc+4A\":\"Esta es la cantidad total disponible que puedes tomar prestada. Puedes tomar prestado basado en tu garantía y hasta que el límite de préstamo se alcance.\",\"cIl5kp\":\"Tu poder de voto se basa en tu balance de AAVE/stkAAVE y delegaciones recibidas.\",\"cLo09S\":\"Detalles de riesgo\",\"cNT+ij\":\"Tomar prestado no está disponible porque has habilitado el Efficiency Mode (E-Mode) y el Isolation mode. Para administrar el E-Mode y el Isolation Mode, visita tu <0>Panel de control.\",\"cZOeBk\":\"Something went wrong fetching bridge message, please try again later.\",\"ceix5S\":\"Para enviar una propuesta de cambios menores al protocolo, necesitarás al menos 80K de poder. Si deseas cambiar la base central del código, necesitarás un poder de 320K.<0>Aprende más\",\"ciybUa\":\"Votar SI\",\"ckf7gX\":[\"Pagando \",[\"symbol\"]],\"cp1ZDP\":[\"Bridge \",[\"symbol\"]],\"cqnmnD\":\"Tasa de interés efectiva\",\"cqwIvs\":\"Hilo de discusión del foro\",\"csDS2L\":\"Disponible\",\"cu7Stb\":\"No has participado en esta propuesta\",\"dE6BLF\":\"Gobierno\",\"dEgA5A\":\"Cancelar\",\"dIsyWh\":\"La validación del LTV ha fallado\",\"dMtLDE\":\"para\",\"dOB5nW\":[\"La cantidad máxima disponible para suministrar es <0/> \",[\"0\"],\" (<1/>).\"],\"dVfODp\":\"No tienes suficientes fondos en tu cartera para pagar la cantidad total. Si procedes a pagar con tu cantidad actual de fondos, aún tendrás un pequeño préstamo en tu panel de control.\",\"dXUQFX\":\"Activos a tomar prestado\",\"dgr1aY\":\"Tomar prestado está deshabilitado debido a una decisión de la comunidad de Aave. <0>Más información\",\"djsg0o\":\"Uso de la garantía\",\"dpc0qG\":\"Variable\",\"drdV8R\":\"Liquidación\",\"dxW8cS\":\"Token de deuda de Aave\",\"e4V3oW\":\"Top 10 direcciones\",\"eD8WX/\":\"La acción requiere una reserva activa\",\"eJRJ04\":\"Cantidad para unstakear\",\"eLh0cL\":\"El deslizamiento es la diferencia entre las cantidades calculadas y las recibidas debido a las condiciones cambiantes del mercado entre el momento en que se envía la transacción y su verificación.\",\"ePK91l\":\"Editar\",\"eVpCmf\":\"Recompensas de Staking\",\"eVqvtf\":\"Bridge GHO\",\"eYdurp\":\"Aún no hay transacciones.\",\"ebLGGN\":\"Total tomado prestado\",\"ecqEvn\":\"El balance de garantía es 0\",\"efdrrk\":\"Disponible en\",\"enruNF\":\"empieza\",\"eqLYiD\":\"Unstakea ahora\",\"euScGB\":\"APY con descuento aplicado\",\"evw5ha\":\"Valor neto\",\"ezcU16\":\"Obtener Token ABP\",\"f3W0Ej\":[\"Has cambiado a tasa \",[\"0\"]],\"fH9i8k\":\"Has cambiado con éxito la posición de préstamo.\",\"fHcELk\":\"APR Neto\",\"fMJQZK\":\"Prestado\",\"fZ5Vnu\":\"Recibido\",\"firl9Q\":\"Tu actual relación préstamo-valor basado en tu garantía suministrada.\",\"flRCF/\":\"Descuento por staking\",\"fldjW9\":\"Previsualizar la tx y migrar\",\"fsBGk0\":\"Balance\",\"fu1Dbh\":[\"Retirar \",[\"symbol\"]],\"fwjWSI\":\"Suministrado\",\"fwyTMb\":\"Migrar a stkABPT v2\",\"g0mals\":\"You can not disable E-Mode because that could cause liquidation. To exit E-Mode supply or repay borrowed positions.\",\"g2UNkE\":\"Powered by\",\"g8KGoA\":\"FAQS\",\"g9zzqS\":\"Votó NAY\",\"gDd2gk\":\"about SuperFest.\",\"gFFh9h\":\"¡Todo listo!\",\"gIMJlW\":\"Testnet mode\",\"gOzPxe\":\"Este activo está congelado debido a una decisión del Gobierno del Protocolo Aave. <0>More información\",\"gTHi2T\":\"El usuario está intentando tomar prestado múltiples activos incluido uno aislado\",\"gVW59Y\":\"Por favor conecta tu cartera para obtener activos testnet gratis.\",\"gcFNxP\":\"Aprobación confirmada\",\"gncRUO\":\"Esta dirección está bloqueada en app.aave.com porque está asociada con una o más\",\"goff7V\":\"Dirección cero no válida\",\"gp+f1B\":\"Versión 3\",\"gr8mYw\":\"Puedes tomar prestado hasta <0/> GHO al <1/> (descuento máximo)\",\"gvTM4B\":\"El APY neto es el efecto combinado de todos los suministros y préstamos sobre total, incluidos los incentivos. Es posible tener un APY neto negativo si el APY de la deuda es mayor que el APY de suministro.\",\"gzcch9\":\"Comisión de puente de protocolo inválida\",\"h33MxW\":\"Direcciones de cartera de contrato inteligente representantes (Safe) en otras cadenas.\",\"h3ilK+\":\".CSV\",\"hB23LY\":\"Activar Cooldown\",\"hIJzBh\":\"Available to Claim\",\"hIS4N0\":\"APY neto\",\"hRWvpI\":\"Reclamado\",\"hdmy/o\":\"El % de tu poder de préstamo total utilizado. Esto se basa en la cantidad de tu garantía suministrada y la cantidad total que puedes pedir prestado.\",\"hehnjM\":\"Cantidad\",\"hjDCQr\":\"Hubo un error. Por favor intenta cambiar los parámetros o <0><1>copiar el error\",\"hom7qf\":\"Reclamar\",\"hpHJ4I\":\"Garantía liquidada\",\"hpuVIp\":\"Users who stake AAVE in Safety Module (i.e. stkAAVE holders) receive a discount on GHO borrow interest rate.\",\"huQ6Tz\":[\"Tomando prestado \",[\"symbol\"]],\"hxi7vE\":\"Balance tomado prestado\",\"i/fZ2Z\":\"Staked Balance\",\"i2JTiw\":\"Puedes ingresar una cantidad específica en el campo.\",\"iB5+/J\":\"Sobre GHO\",\"iChbOF\":\"Parámetros inconsistentes del préstamo flash\",\"iEPVHF\":\"No hay suficiente poder de voto para participar en esta propuesta\",\"iEW87X\":\"Poder delegado\",\"iEju36\":[\"Has votado \",[\"0\"]],\"iFq2YN\":\"Borrowable\",\"iGxyIA\":\"Safety Module\",\"iMVZk9\":\"Seleccionar tolerancia de deslizamiento\",\"iPMIoT\":\"Ingresa una cantidad\",\"iSLIjg\":\"Conectar\",\"iUo5rv\":\"tokens no es lo mismo que stakearlos. Si deseas stakearlos\",\"iZxa38\":\"Úsalo para votar a favor o en contra de propuestas activas.\",\"if5PH+\":\"Collector Info\",\"igkfR1\":[\"En el Isolation mode, no puedes suministrar otros activos como garantía. Un límite de deuda global limita la capacidad de préstamo del activo aislado. Para salir del Isolation mode, deshabilita \",[\"0\"],\" como garantía antes de tomar prestado otro activo. Lee más en nuestras <0>preguntas frecuentes \"],\"il0sEG\":\"El uso de garantías está limitado debido al Isolation mode.\",\"j+K1Xj\":\"Amount After Fee\",\"jA2QeW\":\"Suministrando tu\",\"jFi7dz\":\"Tasa de interés determinada por el gobierno de Aave. Esta tasa puede cambiar con el tiempo dependiendo de la necesidad de que el suministro de GHO se contraiga/expanda. <0>Aprende más\",\"jG3UJ7\":\"Desactivar el E-Mode\",\"jKYzR1\":\"Habilitar E-Mode\",\"jMam5g\":[\"Balance \",[\"0\"]],\"jSYv+Z\":\"Enabling E-Mode allows you to maximize your borrowing power, however, borrowing is restricted to assets within the selected category. <0>Learn more about how it works and the applied restrictions.\",\"jaKbwW\":[[\"s\"],\"s\"],\"jbFMap\":\"Periodo restante de cooldown\",\"jeMZNr\":[[\"0\"],\" el servicio on-ramp es proporcionado por proveedores externos y al seleccionarlo, estás aceptando los términos de dichos proveedores. Tu acceso al servicio podría depender de que el proveedor externo esté operativo.\"],\"jfl9OP\":\"Migrado\",\"jmXdoY\":\"En E-Mode algunos activos no se pueden pedir prestados. Sal del E-Mode para obtener acceso a todos los activos\",\"jpctdh\":\"Ver\",\"jqzUyM\":\"No disponible\",\"k/sb6z\":\"Seleccionar idioma\",\"k3wP3f\":\"<0>Atención: Los cambios de parámetros a través de la gobernanza pueden alterar el factor de salud de tu cuenta y el riesgo de liquidación. Sigue el <1>foro de gobierno de Aave para mantenerte actualizado.\",\"kACpF3\":[\"Reclamar \",[\"0\"]],\"kH6wUX\":\"Impacto del precio\",\"kIC28N\":\"Available to claim\",\"kIpSye\":[[\"numSelected\"],\"/\",[\"numAvailable\"],\" activos seleccionados\"],\"kN1Yg5\":\"Para pagar en nombre de un usuario, se necesita una cantidad explícita para pagar\",\"kRTD40\":[\"Cantidad a pagar para alcanzar el \",[\"0\"],\"% de utilización\"],\"kjN9tT\":\"El límite de suministro se ha sobrepasado\",\"knxE+G\":\".JSON\",\"ks2LWT\":\"El límite de deuda no es cero\",\"kwwn6i\":\"Los usuarios que stakean AAVE en el Modulo de Seguridad (es decir, poseedores de stkAAVE) reciben un descuento en la tasa de interés de préstamo de GHO. Este descuento se aplica a 100 GHO por cada 1 stkAAVE en posesión. Usa el calculador de abajo para ver la tasa de préstamo de GHO con el descuento aplicado.\",\"kz3wtK\":\"and about SPK program\",\"kzZyM4\":\"El balance de DAI se convertirá a través de los contratos de DSR y luego se suministrará como sDAI. El cambio no genera costos adicionales ni deslizamientos.\",\"lNVG7i\":\"Selecciona un activo\",\"lU2d1/\":[\"Este activo no se puede migrar debido a una liquidez insuficiente o a una limitación del límite de préstamo en el mercado v3 de \",[\"marketName\"],\".\"],\"lVhKKI\":\"Votó YAE\",\"lWLqxB\":\"No pudimos encontrar ninguna transacción relacionada con tu búsqueda. Vuelve a intentarlo con un nombre de activo diferente o restablece los filtros.\",\"lYGfRP\":\"Inglés\",\"lfEjIE\":\"Aprende más en nuestra guía <0>Preguntas frecuentes\",\"lt6bpt\":\"Garantía a pagar con\",\"m/IEhi\":\"Emisiones totales por día\",\"m7r7Hh\":\"Activos de préstamo seleccionados\",\"mDDK4p\":\"Pool de Balancer\",\"mIM0qu\":\"Cantidad esperada a pagar\",\"mUAFd6\":\"Versión 2\",\"masO5Z\":\"E-Mode increases your LTV for a selected category of assets. <0>Learn more\",\"mdNjKU\":[\"Tu cartera de \",[\"name\"],\" está vacía. Compra o transfiere activos o usa <0>\",[\"0\"],\" para transferir tus activos de \",[\"network\"],\".\"],\"muiOng\":[\"Comprar \",[\"cryptoSymbol\"],\" con Fiat\"],\"mvCXBY\":\"Stakea AAVE\",\"mwdzil\":\"Vale, cerrar\",\"mzI/c+\":\"Descargar\",\"mzdIia\":\"Este activo no puede usarse como garantía.\",\"n+SX4g\":\"Desarrolladores\",\"n8Psk4\":\"No podemos detectar una cartera. Conecta una cartera para stakear y ver tu balance.\",\"nJIhzm\":\"Apy de suministro\",\"nJgsQu\":\"Con un poder de votación de <0/>\",\"nLC6tu\":\"Francés\",\"nN2T8p\":\"During the cooldown period, you will not earn any merit rewards. However, rewards earned up to this point will remain unaffected.\",\"nNHV0z\":\"Migrar múltiples garantías y activos prestados al mismo tiempo puede ser una operación costosa y podría fallar en ciertas situaciones.<0>Por lo tanto, no se recomienda migrar posiciones con más de 5 activos (depositados + tomados prestados) al mismo tiempo.\",\"nNbnzu\":\"Proposición\",\"nOy4ob\":\"Te sugerimos volver al Panel de control.\",\"nPGNMh\":\"Puede ser ejecutado\",\"nUK1ou\":[\"Assets with zero LTV (\",[\"0\"],\") must be withdrawn or disabled as collateral to perform this action\"],\"nakd8r\":\"poseedores de stkAAVE obtienen un descuento en la tasa de préstamo de GHO\",\"nh2EJK\":[\"Por favor, cambia a \",[\"networkName\"],\".\"],\"njBeMm\":\"Ambos\",\"noN5Xf\":\"We couldn’t detect a wallet. Connect a wallet to view your staking positions and rewards.\",\"ntkAoE\":\"Descuento aplicado para <0/> AAVE stakeados\",\"ntyFSE\":[[\"h\"],\"h\"],\"nwtY4N\":\"Se produjo un error\",\"nxyWvj\":\"Retirar esta cantidad reducirá tu factor de salud y aumentará el riesgo de liquidación.\",\"o17QVP\":\"Tu factor de salud y la relación préstamo-valor determinan la seguridad de tu garantía. Para evitar liquidaciones, puedes suministrar más garantía o pagar las posiciones de préstamo.\",\"o1xc2V\":\"El balance de AToken no es cero\",\"o4tCu3\":\"APY préstamo\",\"o5ooMr\":\"Deuda\",\"o7J4JM\":\"Filtro\",\"oHFrpj\":\"Cooldown para undstakear\",\"oJ5ZiG\":\"El usuario no tiene deuda pendiente de tasa variable en esta reserva\",\"oRBGin\":\"Por favor conecta tu cartera para cambiar tus tokens.\",\"oUwXhx\":\"Activos de prueba\",\"oWklJD\":\"La tasa de interés estable <0>permanecerá igual durante la duración de su préstamo. Está recomendado para los períodos de préstamo a largo plazo y para los usuarios que prefieren la previsibilidad.\",\"odnIK3\":\"Time remaining until the 48 hour withdraw period starts.\",\"oiK5nY\":\"The current incentives period, decided on by the Aave community, has ended. Governance is in the process on renewing, check for updates. <0>Learn more.\",\"olREoo\":\"All borrow positions outside of this category must be closed to enable this category.\",\"om/XHs\":\"Disponible para suministrar\",\"ov0+mq\":\"Eligible for the ZKSync Ignite program.\",\"ovT1pF\":[\"Per the community, the \",[\"market\"],\" has been frozen.\"],\"ow3fug\":\"Sin resultados\",\"owSsI3\":\"Firmas listas\",\"p+R52m\":\"Ir al pool de Balancer\",\"p2A+s1\":[\"El periodo de cooldown es \",[\"0\"],\". Después \",[\"1\"],\" del cooldown, entrarás a la ventana de unstakeo de \",[\"2\"],\". Continuarás recibiendo premios durante el cooldown y la ventana de unstakeo.\"],\"p2S64u\":\"La relación préstamo-valor de las posiciones migradas provocaría la liquidación. Aumenta la garantía migrada o reduce el préstamo migrado para continuar.\",\"p2Z2Qi\":\"Este activo ha alcanzado su límite de préstamo. No queda nada disponible para ser prestado de este mercado.\",\"p3j+mb\":\"Tu balance de recompensa es 0\",\"p45alK\":\"Configurar la delegación\",\"p6u2s1\":\"Minimum amount of debt to be repaid\",\"pDgeaz\":[[\"title\"]],\"pdZqBk\":\"El balance subyacente debe ser mayor que 0\",\"pgWG9H\":\"No hay suficiente balance stakeado\",\"piPrJ7\":\"por favor comprueba que la cantidad que deseas depositar no está siendo utilizada actualmente para stakear. Si está utilizando para stakear, tu transacción podría fallar.\",\"pjO/iH\":\"Cantidad mínima recibida\",\"pooutM\":\"La votación está activa\",\"pqaM5s\":\"Confirmando transacción\",\"ptaxX3\":[\"Entiendo como el cooldown (\",[\"0\"],\") y el proceso de unstaking (\",[\"1\"],\") funcionan\"],\"py2iiY\":\"La función debe ser llamada por un pool\",\"q/51mF\":\"Migrar a V3\",\"q3df11\":\"Estrategia de tasa de interés\",\"q6lAbz\":\"Stakeado\",\"qB4kPi\":\"Suministrar APY\",\"qENI8q\":\"Configuración global\",\"qGz5zl\":\"Balance de la garantía tras pagar\",\"qOqbD6\":\"copiar el error\",\"qXCkEM\":\"Por favor, conecta tu cartera para ver tus suministros, préstamos y posiciones abiertas.\",\"qY2jnw\":\"Expiración inválida\",\"qf/fr+\":\"Interés acumulado\",\"quYPUU\":\"Variable interest rate will <0>fluctuate based on the market conditions.\",\"quzIeW\":\"User is in isolation mode or LTV is zero\",\"qvnz3q\":\"Cantidad inválida para quemar\",\"rHgdb0\":\"Migrate to Aave V3\",\"rOrHHe\":\"La cantidad debe ser mayor que 0\",\"rQ+R+0\":\"Activos de suministro seleccionados\",\"rSayea\":\"APY\",\"rTBDeu\":[\"Este activo no se puede migrar porque tienes una garantía en Isolation Mode en el mercado v3 de \",[\"marketName\"],\" que limita los activos prestados. Puedes administrar tu garantía en el <0>Panel de control V3 de \",[\"marketName\"],\"\"],\"rcT+yy\":\"Mostrar activos con 0 balance\",\"rf8POi\":\"Cantidad de activos tomados prestados\",\"riNWOA\":\"E-Mode\",\"rjGI/Q\":\"Privacidad\",\"rnKPW1\":\"Watch a wallet balance in read-only mode\",\"ruc7X+\":\"Añade stkAAVE para ver el APY de préstamo con el descuento\",\"rvbaFU\":[\"Bridging \",[\"symbol\"]],\"rwVVB7\":\"Reclamar todas las recompensas\",\"rwyUva\":\"Estos activos están temporalmente congelados o pausados por decisiones de la comunidad de Aave, lo que significa que no se puede suministrar / tomar prestado o intercambiar tasas de estos activos. Se permiten retiros y pagos de deuda. Sigue el <0>foro de gobierno de Aave para más actualizaciones.\",\"rxJW5W\":\"Tu poder de proposición se basa en tu balance de AAVE/stkAAVE y delegaciones recibidas.\",\"s2jJnW\":\"You don't have any bridge transactions\",\"s5wBAq\":[\"Unstakear \",[\"symbol\"]],\"sJbIdI\":\"Enter ETH address or ENS\",\"sK+Nag\":\"Revisión tx\",\"sP2+gB\":\"NO\",\"sQv06Y\":\"para\",\"sTtO6J\":\"Confirmar transacción\",\"sXKb3l\":\"Tasa de cambio\",\"sb0q4+\":\"Unstakea aquí\",\"smJNwH\":\"Disponible para tomar prestado\",\"solypO\":\"El factor de salud no está por debajo del umbral\",\"sr0UJD\":\"Volver atrás\",\"ss5GCK\":\"La dirección del proveedor del grupo de direcciones no es válida\",\"swEgK4\":\"Tu información de voto\",\"t+wtgf\":\"Nada tomado prestado aún\",\"t/YqKh\":\"Eliminar\",\"t81DpC\":[\"Aprueba \",[\"symbol\"],\" para continuar\"],\"tCnbEs\":\"Precio del oráculo\",\"tFZLf8\":\"Este cálculo de gas es solo una estimación. Tu cartera establecerá el precio de la transacción. Puedes modificar la configuración de gas directamente desde tu proveedor de cartera.\",\"tHuvQI\":\"Ir al panel de control V3\",\"tKv7cI\":\"Cambiar posición de préstamo\",\"tOcg3N\":\"Dado que este activo está congelado, las únicas acciones disponibles son retirar y pagar, a las que se puede acceder desde el <0>Panel de control\",\"tOuXfv\":[\"Cantidad a tomar prestado para alcanzar el \",[\"0\"],\"% de utilización\"],\"te9Bfl\":\"Por favor, conecta tu cartera\",\"tt5yma\":\"Tus suministros\",\"ttoh5c\":\"Cambiar a\",\"u3ZeYl\":\"Error en la transacción\",\"u706uF\":\"Préstamo flash inválido\",\"u8Gfu7\":[\"Sin resultados de búsqueda\",[\"0\"]],\"uAQUqI\":\"Status\",\"uHMwk8\":\"No hay activos seleccionados para migrar.\",\"uJPHuY\":\"Migrando\",\"uY8O30\":\"Para continuar, necesitas otorgar permiso a los contratos inteligentes de Aave para mover tus fondos de tu cartera. Según el activo y la cartera que uses, se hace firmando el mensaje de permiso (sin coste de gas), o enviando una transacción de aprobación (requiere coste de gas). <0>Aprende más\",\"udFheE\":\"Para el pago de un tipo específico de deuda, el usuario necesita tener una deuda de ese tipo\",\"ulNuNq\":\"Exportar datos a\",\"ulup2p\":\"Comprar Crypto con Fiat\",\"umICAY\":\"<0><1><2/>Añade stkAAVE para ver la tasa de préstamo con descuento\",\"usB84Z\":\"La cantidad máxima disponible para tomar prestado está limitada porque casi se ha alcanzado el límite de préstamo del protocolo.\",\"uwAUvj\":\"COPIAR IMAGEN\",\"v8x7Mg\":\"Garantía insuficiente para cubrir la nueva posición de préstamo. La cartera debe tener poder de préstamo suficiente para realizar el cambio de deuda.\",\"vEqxH9\":\"Restakeado\",\"vLyv1R\":\"Ocultar\",\"vMba49\":\"Tomar prestado no está habilitado\",\"vMpNwt\":\"Aprobar con\",\"vXIe7J\":\"Idioma\",\"vesuBJ\":\"Te permite decidir si utilizar un activo suministrado como garantía. Un activo utilizado como garantía afectará a tu poder de préstamo y factor de salud.\",\"w+V9Cx\":\"Stablecoin\",\"w/JtJ3\":\"El balance de deuda estable no es cero\",\"w4VBY+\":\"APR de recompensas\",\"w9dLMW\":[[\"label\"]],\"wAOL+X\":[\"Tu \",[\"action\"],\" <0/> \",[\"symbol\"]],\"wBIsjb\":\"Canal de Discord\",\"wQZbc/\":\"El llamador de la función no es un AToken\",\"wRRqvW\":\"No tienes suministros en este activo\",\"wZFvVU\":\"VOTAR SI\",\"wb/r1O\":[\"Faucet \",[\"0\"]],\"wdxz7K\":\"Source\",\"weH1nG\":\"El Protocolo Aave está programado para usar siempre el precio de 1 GHO = $1. Esto es diferente del uso del precio de mercado a través de oráculos para otros criptoactivos. Esto crea oportunidades de arbitraje estabilizadoras cuando el precio de GHO fluctúa.\",\"wh7Ezv\":\"No tienes balance de AAVE/stkAAVE/aAave para delegar.\",\"wlsIx7\":\"Con la testnet Faucet puedes obtener activos gratuitos para probar el Protocolo Aave. Asegúrate de cambiar tu proveedor de cartera a la red de testnet adecuada, selecciona el activo deseado y haz clic en \\\"Faucet\\\" para obtener tokens transferidos a tu cartera. Los activos de una testnet no son \\\"reales\\\", lo que significada que no tienen valor monetario. <0>Aprende más\",\"wmE285\":\"Obtener Token ABP v2\",\"wyRrcJ\":\"Como resultado de las decisiones del gobierno, este pool de stakeo de ABPT está obsoleto. Tienes la flexibilidad de migrar todos tus tokens a v2 o unstakearlos sin ningún periodo de cooldown.\",\"x5KiLL\":\"Los activos seleccionados se han migrado correctamente. Visita el panel de control del mercado para verlos.\",\"x7F2p6\":\"Diferencial actual\",\"x7K5ib\":[\"Tu cartera de \",[\"networkName\"],\" está vacía. Consigue \",[\"0\"],\" de prueba gratis en\"],\"x9iLRD\":\"tokens, por favor ve al\",\"xNy/UG\":\"Pagar con\",\"xPm8wv\":\"Aprende más sobre los riesgos involucrados\",\"xXYpZl\":[[\"0\"],\" Faucet\"],\"xaVBSS\":\"Tu información\",\"xaWZ6f\":\"Cambio tipo de APY\",\"xh6k71\":\"El uso de garantías está limitado debido al isolation mode.\",\"xvIklc\":\"El préstamo flash está deshabilitado para este activo, por lo tanto, esta posición no se puede migrar.\",\"y5rS9U\":\"Migrar\",\"y66tBm\":[\"Habilitar \",[\"symbol\"],\" como garantía\"],\"yB1YpA\":\"Modo oscuro\",\"yCrG6m\":\"Tamaño total del mercado\",\"yJUUbn\":\"Resumen de la transacción\",\"yLGmLX\":[\"Restakear \",[\"symbol\"]],\"yW1oWB\":\"Tipo APY\",\"yYHqJe\":\"Dirección no válida\",\"yZwLw6\":\"Haz seguimiento de tu cartera\",\"yh2sjd\":[\"Impacto en el precio \",[\"0\"],\"%\"],\"yhvj6d\":\"No puedes cambiar el uso como modo de garantía para este activo, porque causará una liquidación\",\"ylmtBZ\":\"La aplicación se ejecuta en fork mode.\",\"ymNY32\":[\"No hay fondos suficientes en la reserva\",[\"0\"],\"para tomar prestado\"],\"yz7wBu\":\"Cerrar\",\"z4uGQg\":\"El límite de deuda está sobrepasado\",\"z5UQOM\":\"La garantía elegida no puede ser liquidada\",\"z5Y+p6\":[\"Suministrando \",[\"symbol\"]],\"zCjNKs\":\"No se puede realizar la acción porque la reserva está congelada\",\"zRHytX\":\"Límite de deuda aislado\",\"zTOjMP\":\"El límite de suministro del protocolo está al 100% para este activo. No es posible suministrar más.\",\"zVdRUG\":\"Submission did not work, please try again later or contact wecare@avara.xyz\",\"zevmS2\":\"<0><1><2/>añade <3/> stkAAVE para tomar prestado al <4/> (descuento máximo)\",\"zgtIDV\":\"Deuda restante\",\"zmTPiV\":\"Balance de suministro\",\"zpPbZl\":\"Parámetros de riesgo de liquidación\",\"zucql+\":\"Menú\",\"zwWKhA\":\"Aprende más\",\"zy9fXn\":[\"Este activo está congelado en el mercado v3 de \",[\"marketName\"],\", por lo tanto, esta posición no se puede migrar.\"],\"zys+R6\":\"Ten en cuenta la congestión de la red y los precios del gas.\",\"zzzTXS\":\"Merit Program rewards are claimed through the\"}")}; +/*eslint-disable*/module.exports={messages:JSON.parse("{\"+0xecS\":[\"Si NO unstakeas entre \",[\"0\"],\" de la ventana de unstakeo, necesitarás activar el proceso de cooldown de nuevo.\"],\"+EGVI0\":\"Recibir (est.)\",\"+VR63W\":[\"Participar en esta reserva de \",[\"symbol\"],\" da recompensas anuales.\"],\"+bmKdK\":\"Utiliza tu balance de AAVE, stkAAVE o aAava para delegar tu voto y poder de proposición. No enviarás ningún token, solo los derechos de votar y proponer cambios en el protocolo. Puedes volver a delegar o revocar el poder de vuelta en cualquier momento.\",\"+eOPG+\":\"Parece que no podemos cambiar la red automáticamente. Por favor, comprueba si puedes cambiarla desde la cartera.\",\"+i3Pd2\":\"Límite del préstamo\",\"+kLZGu\":\"Cantidad de activos suministrados\",\"+nuEh/\":\"Estimated time\",\"+xMFF8\":\"Remind me\",\"/57U31\":\"Cantidad para migrar\",\"/7ykiW\":\"Tomar prestado esta cantidad reducirá tu factor de salud y aumentará el riesgo de liquidación.\",\"/YA5pU\":\"E-Mode increases your LTV for a selected category of assets, meaning that when E-mode is enabled, you will have higher borrowing power over assets of the same E-mode category which are defined by Aave Governance. You can enter E-Mode from your <0>Dashboard. To learn more about E-Mode and applied restrictionn, see the <1>help guide or the <2>Aave V3 Technical Paper.\",\"/izjs/\":\"Cantidad mínima de Aave stakeado\",\"/jQctM\":\"To\",\"/lDBHm\":\"Preguntas frecuentes\",\"/yNlZf\":\"El préstamo estable no está habilitado\",\"/yQcJM\":\"Valor total\",\"00AB2i\":\"El usuario no tomó prestado el activo especificado\",\"00OflG\":\"No hay suficiente liquidez para que el activo seleccionado realice el cambio. Prueba reduciendo la cantidad.\",\"08/rZ9\":\"El periodo de cooldown es el tiempo requerido antes de unstakear tus tokens (20 días). Solo puedes retirar tus activos del Módulo de Seguridad después del periodo de cooldown y dentro de la ventana de unstakeo.<0>Aprende más\",\"0AmQcW\":\"Cambio de tasa\",\"0BF3yK\":\"Lo sentimos, no hemos podido encontrar la página que estabas buscando.\",\"0TAbjq\":\"Recent Transactions\",\"0jhlyw\":\"Riesgo de liquidación\",\"0ojY+Y\":\"Balance actual v2\",\"0thX3P\":\"Cambio de garantía\",\"0wGCWc\":\"Esta es la cantidad total que puedes suministrar en esta reserva. Puedes suministrar el balance de tu cartera hasta que se alcance el límite de suministro.\",\"1AsVfF\":\"Los datos de los precios no están disponibles actualmente para esta reserva en el subgraph del protocolo\",\"1LjK22\":\"Historial de transacciones\",\"1Onqx8\":[\"Aprobando \",[\"symbol\"],\"...\"],\"1Ue8sX\":\"Por favor conecta una cartera para ver tu información personal aquí.\",\"1bpx9A\":\"...\",\"1kWUB+\":\"Umbral <0/> de liquidación\",\"1m9Qqc\":\"Retirando y Cambiando\",\"1oyh4g\":\"Borrow rate\",\"1t7rez\":\"El suministro de activos está limitado a una cierta cantidad para reducir la exposición del protocolo a este activo y ayudar a manejar los riesgos implicados.\",\"2CAPu2\":\"Has retirado y cambiado tokens con éxito.\",\"2Eoi/a\":\"Ver detalles\",\"2FYpfJ\":\"Más\",\"2O3qp5\":\"Liquidez disponible\",\"2OM8/D\":[\"Este activo no se puede migrar debido a una restricción del límite de suministro en el mercado v3 de \",[\"marketName\"],\".\"],\"2Q4GU4\":\"Dirección bloqueada\",\"2ZGocC\":\"Aave es un protocolo totalmente descentralizado, gobernado por la comunidad de poseedores de tokens AAVE. Los poseedores de tokens AAVE discuten, proponen y votan colectivamente sobre las actualizaciones del protocolo. Los poseedores de tokens AAVE (solo en la red Ethereum) pueden votar ellos mismos sobre nuevas propuestas o delegarse a una dirección de su elección. Para aprender más, consulta la\",\"2a6G7d\":\"Por favor introduce una dirección de cartera válida.\",\"2bAhR7\":\"Conoce GHO\",\"2eBWE6\":\"Acepto los riesgos involucadros.\",\"2o/xRt\":\"Se ha alcanzado el límite de suministro en la reserva especificada. Prueba reduciendo la cantidad.\",\"2uJToh\":[[\"0\"],[\"name\"]],\"2x58bP\":\"El préstamo estable no está habilitado\",\"34Qfwy\":\"El límite del préstamo se ha sobrepasado\",\"39eQRj\":[\"Tomar prestado \",[\"symbol\"]],\"3BL1xB\":\"Total suministrado\",\"3BnIWi\":\"Cambiado\",\"3K0oMo\":\"Suministro restante\",\"3MoZhl\":\"No hay suficiente garantía para cubrir un nuevo préstamo\",\"3Np5O8\":[\"Suministrar \",[\"symbol\"]],\"3O8YTV\":\"Interés total acumulado\",\"3mXg0z\":\"LTV máximo\",\"3q3mFy\":\"Pagar\",\"3qsjtp\":\"El promedio ponderado de APY para todos los activos suministrados, incluidos los incentivos.\",\"3rL+os\":\"Solo puedes retirar tus activos del Módulo de Seguridad después de que finalice el período de cooldown y la ventana de unstakeo esté activa.\",\"42UgDM\":[\"Migrar al mercado V3 de \",[\"0\"]],\"49UFQA\":\"Resultados de la votación\",\"4DMZUI\":\"Ver Transacciones\",\"4HtGBb\":\"MAX\",\"4Y5H+g\":\"Términos\",\"4YYh4d\":\"Máximo disponible para tomar prestado\",\"4iPAI3\":\"Cantidad de préstamo mínima de GHO\",\"4lDFps\":\"Firma para continuar\",\"4wyw8H\":\"Transacciones\",\"5JSSxX\":[\"Tu cartera de \",[\"networkName\"],\" está vacía. Consigue activos de prueba gratis en\"],\"5K7kGO\":\"documentación\",\"5NOSGa\":\"El límite de deuda limita la cantidad posible que los usuarios del protocolo pueden tomar prestado contra este activo. El límite de deuda es específico para los activos en isolation mode y se indica en USD.\",\"5Ncc6j\":[\"Este activo casi ha alcanzado su límite de suministro. Solo se puede suministrar \",[\"messageValue\"],\" a este mercado.\"],\"5cZ/KX\":\"El suministro de deuda variable no es cero\",\"5che++\":\"Para solicitar acceso a este mercado, porfavor visita: <0>Nombre del proveedor de acceso\",\"5ctNdV\":[\"Mínimo \",[\"0\"],\" recibido\"],\"5hDe9v\":\"Acción de permiso requerida\",\"5rsnKT\":\"Recompensas disponibles\",\"5yC5m5\":\"Ver todos los votos\",\"6/dCYd\":\"Resumen\",\"60crCe\":\"Todas las transacciones\",\"62Xcjh\":\"Garantía\",\"65A04M\":\"Español\",\"6G8s+q\":\"Firmando\",\"6Jrv+z\":[\"Pagar \",[\"symbol\"]],\"6NGLTR\":\"Cantidad descontable\",\"6Xr0UU\":\"Cooling down...\",\"6bxci/\":\"Poder de votación\",\"6f8S68\":\"Mercados\",\"6g1gi0\":\"Propuestas\",\"6gvoHP\":\"Copiar mensaje de error\",\"6h3Q5G\":\"reembolsado\",\"6lFSyT\":\"Available to Stake\",\"6s8L6f\":\"Cambiar de red\",\"6yAAbq\":\"APY, tasa de préstamo\",\"70wH1Q\":\"APR\",\"72c5Qo\":\"Total\",\"73Auuq\":\"Los parámetros de descuento son decididos por la comunidad de Aave y pueden cambiar con el tiempo. Consulta el Gobierno para ver actualizaciones y vota para participar. <0>-Aprende más\",\"75qcAQ\":[[\"stepName\"]],\"7ITr5L\":\"Factor de salud\",\"7T/o5R\":\"Alcanzado\",\"7YlcXu\":\"El fork mode está activado\",\"7Z76Iw\":\"Tomar prestado no está disponible porque estás usando el Isolation mode. Para administrar el Isolation mode, visita tu <0>Panel de control.\",\"7aKlMS\":\"Compartir en Lens\",\"7er5fP\":\"Reclamar todo\",\"7hb2+s\":\"Time remaining until the withdraw period ends.\",\"7l88b8\":\"No se pudieron recuperar los datos, por favor recarga el gráfico.\",\"7p5kLi\":\"Panel de control\",\"7sofdl\":\"Retirar y Cambiar\",\"8+6BI0\":\"Ten cuidado - Estás muy cerca de la liquidación. Considera depositar más garantía o pagar alguno de tus préstamos\",\"87pUEW\":[\"Tu cartera de \",[\"name\"],\" está vacía. Compra o transfiere activos.\"],\"8F1i42\":\"Página no encontrada\",\"8G8M0u\":\"Cargando datos...\",\"8Iu1QS\":\"retirado\",\"8JL93T\":\"Todas las propuestas\",\"8Q51DU\":\"Añadir a la cartera\",\"8X/oyn\":\"Cantidad invalidad para generar\",\"8Z5FPv\":\"Desconectar cartera\",\"8Zz7s5\":\"activos\",\"8aLW8H\":\"Balance a revocar\",\"8bOT3H\":\"Tasa de uso\",\"8sLe4/\":\"Ver contrato\",\"8t/M0y\":\"Please connect your wallet to be able to bridge your tokens.\",\"8vETh9\":\"Mostrar\",\"94OHPx\":\"Estás entrando en el Isolation mode\",\"9CDK3/\":[\"Tomar prestado no está disponible actualmente para \",[\"0\"],\".\"],\"9GIj3z\":\"Tamaño de la reserva\",\"9Knqb4\":\"Balance stakeado\",\"9OBKm7\":\"Quorum\",\"9QHoGr\":\"Votos actuales\",\"9Rw96f\":[\"Este activo casi ha alcanzado su límite de préstamo. Solo hay \",[\"messageValue\"],\" disponibles para ser prestado de este mercado.\"],\"9Xj/qR\":[\"Algunos activos migrados no se utilizarán como garantía debido al isolation mode habilitado en el mercado V3 de \",[\"marketName\"],\". Visita el <0>Panel de control de \",[\"marketName\"],\" V3 para administrar el isolation mode.\"],\"9c6vDV\":\"Este activo ha alcanzado su límite de suministro. No queda nada disponible para ser suministrado desde este mercado.\",\"9kTWHA\":\"MAI ha sido pausado debido a una decisión de la comunidad. Los suministros, préstamos y pagos se han visto afectados. <0>Más información\",\"9lXchd\":\"Token subyacente\",\"9rWaKF\":\"Bridged Via CCIP\",\"9xSooW\":\"Puesto que esta es una red de pruebas, puedes obtener cualquiera de los activos si tienes ETH en tu cartera\",\"A/lwoe\":\"Elige uno de los servicios on-ramp\",\"A6dCI6\":[\"La máxima cantidad disponible para tomar prestado es <0/> \",[\"0\"],\" (<1/>).\"],\"AReoaV\":\"Tus préstamos\",\"ARu1L4\":\"Pagado\",\"AV7cGz\":\"Revisa los detalles del approve\",\"AZOjB8\":\"Recuperando datos...\",\"Ai0jas\":\"Únete a la discusión de la comunidad\",\"Ajl2rq\":\"El poder de préstamo y los activos están limitados debido al Isolation mode.\",\"AqgYNC\":\"El límite de préstamo del protocolo está al 100% para este activo. No es posible tomar más prestado.\",\"B3EcQR\":\"¡Gracias por votar!\",\"B6aXGH\":\"Estable\",\"B9Gqbz\":\"Tasa variable\",\"BDFEd+\":\"stETH suministrado como garantía continuará acumulando recompensas de staking proporcionadas por rebases diarios.\",\"BE2mP0\":\"Borrowed assets\",\"BJyN77\":\"Debido al impacto del factor de salud, se requiere un préstamo flash para realizar esta transacción, pero el Gobierno de Aave ha inhabilitado la disponibilidad de préstamos flash para este activo. Intenta reducir la cantidad o suministrar garantía adicional.\",\"BNL4Ep\":\"El uso como garantía está limitado debido al isolation mode. <0>Aprende más\",\"BQ/wCO\":\"Migrate your assets\",\"BjLdl1\":\"Con un descuento\",\"BnhYo8\":\"Categoría de activos\",\"Bq9Y7e\":\"Este activo está congelado debido a una decisión de la comunidad de Aave. <0>Más información\",\"BqWMDJ\":\"Faucet\",\"BqynZO\":\"Optimized for efficiency and risk by supporting blue-chip collateral assets\",\"Bsu7zX\":\"The fee includes the gas cost to complete the transaction on the destination chain and the fee paid to Chainlink CCIP service providers. You can chose to pay in the network token or GHO. <0>Learn more\",\"BwJKBw\":\"de\",\"CDrsH+\":\"Documento técnico\",\"CK1KXz\":\"Max\",\"CMHmbm\":\"Deslizamiento\",\"CZXzs4\":\"Griego\",\"CcRNG6\":\"Cambiando\",\"CkTRmy\":[\"Reclamar \",[\"symbol\"]],\"CsqtLm\":\"Por favor conecta tu cartera para ver la herramienta de migración.\",\"CtGlFb\":[\"Faucet \",[\"networkName\"]],\"Cxt2YY\":\"Watch wallet\",\"D33VQU\":\"Esta acción reducirá el factor de salud de V3 por debajo del umbral de liquidación. Aumenta la garantía migrada o reduce el préstamo migrado para continuar.\",\"D9BLRG\":\"Este activo ha sido pausado debido a una decisión de la comunidad. El suministro, los retiros, los préstamos y los pagos se han visto afectados.\",\"DAma/S\":\"La garantía es (en su mayoría) el mismo activo que se está tomando prestado\",\"DCnFg0\":[\"Direcciones (\",[\"0\"],\")\"],\"DG3Lv1\":\"Entiendo completamente los riesgos de migrar.\",\"DONJcV\":\"El activo base no puede ser rescatado\",\"DR+4uL\":\"Balance del suministro después del cambio\",\"DWjrck\":[\"Este activo no se puede migrar al mercado V3 de \",[\"marketName\"],\" debido a las restricciones del E-mode. Puedes deshabilitar o administrar las categorías del E-mode en tu <0>Panel de control V3\"],\"Dj+3wB\":\"Aave por mes\",\"DptNvx\":\"Amount Staked\",\"DuEq2K\":\"Colateralización\",\"DxfsGs\":\"Puedes reportar cualquier incidente a nuestro <0>Discord o <1>Github.\",\"Dzma+E\":\"Main Ethereum market with the largest selection of assets and yield options\",\"E/QGRL\":\"Deshabilitado\",\"EBL9Gz\":\"¡COPIADO!\",\"ES8dkb\":\"Interés fijo\",\"EZd3Dk\":[\"Restakeando \",[\"symbol\"]],\"Ebgc76\":[\"Retirando \",[\"symbol\"]],\"EdQY6l\":\"Ninguno\",\"EjvKQ+\":\"Valor mínimo en USD recibido\",\"Enslfm\":\"Destination\",\"EvE9nO\":[\"Reactivar el periodo de cooldown para unstakear \",[\"0\"],\" \",[\"stakedToken\"]],\"EvECnL\":\"Migrar a V3\",\"EzMQbh\":\"The source chain time to finality is the main factor that determines the time to destination. <0>Learn more\",\"F40cwT\":\"Legacy Markets\",\"F6TdXL\":\"Aprende más.\",\"FDDPeZ\":\"Users can stake their assets in the protocol and earn incentives. In the case of a shortfall event, your stake can be slashed to cover the deficit, providing an additional layer of protection for the protocol.\",\"FHlMf/\":\"Balance actual v2\",\"FHpxjF\":[\"El factor de reserva es un porcentaje de interés que va a un \",[\"0\"],\" que es controlado por el gobierno de Aave para promover el crecimiento del ecosistema.\"],\"FOBZa6\":\"Capacidad de préstamo utilizada\",\"FPKEug\":\"Operación no soportada\",\"FbmMe7\":\"Direcciones vinculadas\",\"Fdp03t\":\"en\",\"Fjw9N+\":\"Activos a suministrar\",\"FmN0fk\":\"Restakear\",\"GDGLIs\":\"GHO es un activo nativo descentralizado, digital y respaldado por garantía, vinculado al USD. Es creado por los usuarios que lo toman prestado contra múltiples garantías. Cuando el usuario paga su posición de préstamo de GHO, el protocolo quema el GHO de ese usuario. Todos los pagos de interés acumulados por los acuñadores de GHO serán transferidos directamente a la tesorería de\xA0la\xA0DAO\xA0de\xA0Aave.\",\"GQrBTq\":\"Cambiar E-Mode\",\"GWswcZ\":\"Este activo está congelado debido a una decisión del Gobierno del Protocolo Aave. El 20 de diciembre de 2022, renFIL ya no será compatible y no se podrá conectar de nuevo a su red nativa. Se recomienda retirar las posiciones de suministro y pagar las posiciones de préstamo para que renFIL se pueda convertir de nuevo a FIL antes de la fecha límite. Después de esta fecha, ya no será posible convertir renFIL a FIL. <0>Más detalles\",\"GX8GKD\":\"Activos\",\"GgEj+0\":\"Modo de solo lectura. Conéctate a una cartera para realizar transacciones.\",\"GjkIKV\":\"finaliza\",\"GoK/QN\":\"Thank you for submitting feedback!\",\"GtP2hp\":[\"Tomar prestado no está disponible porque has habilitado el Efficieny Mode (E-Mode) para la categoría \",[\"0\"],\". Para manejar las categorías del E-Mode visita tu <0>Panel de control.\"],\"H6Ma8Z\":\"Descuento\",\"HB/wfS\":[[\"tooltipText\"]],\"HKDsQN\":\"Rewards can be claimed through\",\"Ha/U5f\":\"This is a program initiated and implemented by the decentralised ZKSync community. Aave Labs does not guarantee the program and accepts no liability.\",\"HciqKU\":\"This is a program initiated and implemented by the decentralised Aave community. Aave Labs does not guarantee the program and accepts no liability.\",\"Hi6Ttn\":\"Lo sentimos, se produjo un error imprevisto. Mientras tanto, puedes intentar recargar la página, o volver después.\",\"HkEDbS\":[[\"d\"],\"d\"],\"HmkYqM\":\"Ventana de unstakeo\",\"HpK/8d\":\"Recargar\",\"HrnC47\":\"Guardar y compartir\",\"HuVZMK\":\"Days\",\"HvJKMU\":[\"Este activo no se puede migrar al mercado v3 de \",[\"marketName\"],\", ya que el activo de garantía habilitará el isolation mode.\"],\"Hvwnm9\":[\"La cantidad máxima disponible para suministrar está limitada porque el límite de suministro del protocolo está al \",[\"0\"],\"%.\"],\"I8CX2c\":\"La cantidad total de tus activos denominados en USD que pueden ser usados como garantía para activos de préstamo.\",\"IAD2SB\":[\"Reclamando \",[\"symbol\"]],\"IG9X9/\":\"Tomar prestado este activo está limitado a una cierta cantidad para minimizar la insolvencia del fondo de liquidez.\",\"IOIx8L\":\"Está previsto que este activo se desvincule debido a una decisión del Gobierno del Protocolo Aave. <0>Más detalles\",\"IP+I/j\":\"Periodo de cooldown\",\"IaA40H\":\"Liquidación en\",\"J/hVSQ\":[[\"0\"]],\"JCoxL6\":\"Administrar analíticas\",\"JK9zf1\":[\"Interés compuesto estimado, incluyendo el descuento por Staking \",[\"0\"],\"AAVE en el Módulo de Seguridad.\"],\"JOqFba\":[\"Unstakeando \",[\"symbol\"]],\"JPrLjO\":\"No puedes usar este activo como garantía\",\"JU6q+W\":\"Recompensa(s) por reclamar\",\"JYKRJS\":\"Stakear\",\"JZMxX0\":\"No hay suficiente balance en tu cartera\",\"Jgflkm\":\"Obtener GHO\",\"JoMQnI\":\"Balance de la cartera\",\"JtwD8u\":\"Balance tomado prestado tras pagar\",\"JumYTK\":\"Supplied assets\",\"K05qZY\":\"Retirar y Cambiar\",\"KAz/NV\":\"El límite de deuda del protocolo está al 100% para este activo. No es posible tomar más prestado usando este activo como garantía.\",\"KLXVqE\":[\"Los tokens stETH se migrarán a Wrapped stETH usando el wrapper del protocolo de Lido, lo que provoca un cambio en el balance de suministro después de la migración: \",[\"0\"]],\"KLd6ky\":\"Use connected account\",\"KRpokz\":\"VER TX\",\"KSlpka\":\"Esto representa el umbral en el que un préstamo será considerado sin garantía suficiente y sujeto a la liquidación de la misma. Por ejemplo, si una garantía tiene un umbral de liquidación del 80 %, significa que el préstamo será liquidado cuando el valor de la deuda alcanze el 80% del valor de la garantía.\",\"KYAjf3\":\"Aislado\",\"KZwRuD\":[[\"notifyText\"]],\"KkPgim\":\"Cambiando E-Mode\",\"KnN1Tu\":\"Caduca\",\"KoOBI2\":\"Debido a mecánicas internas de stETH requeridas para el soporte del rebase, no es posible realizar un cambio de garantía donde stETH es el token de origen.\",\"KojyJ4\":\"Red incorrecta\",\"KsqhWn\":\"Staking\",\"KuBTQq\":\"Introduce la dirección ETH\",\"KvG1xW\":\"Reclamando\",\"L+8Lzs\":\"LTV actual\",\"L+qiq+\":\"Mercado\",\"LDzfVJ\":\"Send Feedback\",\"LIrMcF\":\"Sin poder de voto\",\"LL0zks\":\"Puede ser garantía\",\"LLdJWu\":\"AAVE Reclamable\",\"LSIpNK\":\"Tomar prestado y pagar en el mismo bloque no está permitido\",\"LVt3TI\":[\"<0>Tolerancia de deslizamiento <1>\",[\"selectedSlippage\"],\"% <2>\",[\"0\"],\"\"],\"LjafV8\":\"Maximum collateral amount to use\",\"LtpQew\":\"Let us know how we can make the app better for you. For user support related inquiries please reach out on\",\"LvVpD/\":\"Modo E\",\"M2sknc\":\"Tip: Intenta aumentar el deslizamiento o reduce la cantidad de entrada\",\"M7wPsD\":\"Cambiar\",\"MFu33y\":\"Staking 00\",\"MIy2RJ\":\"Maximum amount received\",\"MZ/nQf\":\"Dirección del destinatario\",\"Ma/MtY\":\"vista de stakeo\",\"McHlGl\":\"Cambio de APY\",\"MeCCA+\":\"APY, variable\",\"MghdTe\":\"Si el factor de salud se encuentra por debajo de 1, la liquidación de tu colateral puede ser activada.\",\"Mm/DVQ\":\"Has cancelado la transacción.\",\"MnE2QX\":\"Información de préstamo\",\"MrmQHg\":\"View Bridge Transactions\",\"MuDFEQ\":\"Valor de retorno inválido en la función executor del préstamo flash\",\"N5kUMV\":\"Este activo solo se puede utilizar como garantía en isolation mode con poder de préstamo limitado. Para entrar en el isolation mode, deshabilita todas las demás garantías.\",\"N6Pxr9\":\"View all\",\"NF0e1Q\":\"Pendiente...\",\"NK9ikO\":\"Balance de la cartera\",\"NMt2CB\":\"Cantidad reclamable\",\"NcFGxG\":\"Collector Contract\",\"NfpPeS\":\"Nada invertido\",\"Nh9DAo\":[[\"m\"],\"m\"],\"O+sCUU\":\"El límite de minteo sin respaldo ha sido excedido\",\"O+tyU+\":[\"La cantidad máxima disponible para tomar prestado contra este activo está limitada porque el límite de deuda está al \",[\"0\"],\"%.\"],\"O3oNi5\":\"Email\",\"OFjZGo\":\"Unstakear\",\"OR8cYX\":\"Resumen de la propuesta\",\"OYuJ9K\":\"El límite de deuda del protocolo está al 100% para este activo. No es posible tomar más prestado usando este activo como garantía.\",\"OfhWJH\":\"Restablecer\",\"Og2SKn\":\"deshabilitado\",\"On0aF2\":\"Página web\",\"OsyKSt\":\"Retirar\",\"P1dURE\":\"Revocar poder\",\"P2WCD/\":[\"El activo subyacente no existe en el mercado v3 de \",[\"marketName\"],\", por lo tanto, esta posición no se puede migrar.\"],\"P2sL6B\":\"Cuando ocurre una liquidación, los liquidadores pagan hasta el 50% de la cantidad pendiente del préstamo en nombre del prestatario. A cambio, pueden comprar la garantía con descuento y quedarse con la diferencia (sanción de liquidación) como bonificación.\",\"P6sRoL\":\"Stakea ABPT\",\"P72/OW\":\"El promedio ponderado de APY para todos los activos prestados, incluidos los incentivos.\",\"P7e6Ug\":\"Por favor conecta tu cartera para ver el historial de transacciones.\",\"PByO0X\":\"Votos\",\"PI+kVe\":\"Deshabilitar fork\",\"PJK9u/\":\"Apy préstamo\",\"PLUB/s\":\"Fee\",\"PP5ZA8\":[\"Participating in staking \",[\"symbol\"],\" gives annualized rewards. Your wallet balance is the sum of your aTokens and underlying assets. The breakdown to stake is below\"],\"PcBUgb\":\"Umbral de liquidación\",\"PjU6bu\":\"This asset is eligible for SPK incentive program. Aave Labs does not guarantee the program and accepts no liability.\",\"PpqD5g\":\"Habilitar este activo como garantía aumenta tu poder préstamo y el factor de salud. Sin embargo, puede ser liquidado si tu factor de salud cae por debajo de 1.\",\"PsOFSf\":\"Esta acción reducirá el factor de salud V2 por debajo del umbral de liquidación. Mantén la garantía o migra la posición de préstamo para continuar.\",\"Pu4bI/\":[[\"currentMethod\"]],\"Q0LzKi\":\"View TX\",\"Q4eNqa\":\"El Aave Balancer Pool Token (ABPT) es un token de pool de liquidez. Puedes recibir ABPT depositando una combinación de AAVE + wstETH en el pool de liquidez de Balancer. Luego puedes stakear tu BPT en el módulo de seguridad para asegurar el protocolo y ganar incentivos de seguridad.\",\"QQYsQ7\":\"Retirando\",\"QWYCs/\":\"Stakear GHO\",\"R+30X3\":\"No alcanzado\",\"RCU5PY\":\"Age\",\"RIfckG\":[\"Desactivar \",[\"symbol\"],\" como garantía\"],\"RMtxNk\":\"Diferencial\",\"RNK49r\":\"Firma inválida\",\"RS0o7b\":\"Estado\",\"RU+LqV\":\"Detalles de la propuesta\",\"RYTgZX\":\"lorem ipsum\",\"RbXH+k\":\"Los poseedores de AAVE, GHO y ABPT (solo en la red de Ethereum) pueden stakear sus activos en el Módulo de Seguridad para añadir más seguridad al protocolo y obtener incentivos de seguridad. En el caso de un evento de shortfall, tu stakeo puede ser reducido para cubrir el déficit. proporcionando una capa adicional de protección para el protocolo.\",\"RiSYV4\":\"El activo no está listado\",\"Rj01Fz\":\"Enlaces\",\"RmWFEe\":\"Staking APR\",\"RoafuO\":\"Enviar feedback\",\"RtBLm7\":\"El factor de salud es menor que el umbral de liquidación\",\"RxzN1M\":\"Habilitado\",\"SDav7h\":\"Fondos en el Módulo de Seguridad\",\"SENccp\":\"Si el error persiste, <0/> podrías reportarlo a esto\",\"SIWumd\":\"Mostrar activos congelados o pausados\",\"SM58dD\":\"Cantidad en cooldown\",\"SSMiac\":\"Error al cargar los votantes de la propuesta. Por favor actualiza la página.\",\"SSQVIz\":\"Umbral de liquidación\",\"SUb8x0\":\"Total disponible\",\"SWIgh4\":\"Fees exceed wallet balance\",\"SY9hVo\":\"El modo de solo lectura permite ver las posiciones de las direcciones en Aave, pero no podrás realizar transacciones.\",\"SZRUQ4\":\"Deslizamiento máximo\",\"Sa1UE/\":\"El límite de préstamo del protocolo está al 100% para este activo. No es posible tomar más prestado.\",\"Sk2zW9\":\"Desactivando E-Mode\",\"SxaD0o\":\"La dirección del proveedor del pool no esta registrada\",\"T/AIqG\":\"El límite de suministro del protocolo está al 100% para este activo. No es posible suministrar más.\",\"T0xCO9\":\"No se puede validar la dirección de la cartera. Vuelve a intentarlo.\",\"T4OhVl\":\"GHO balance\",\"T6uYU2\":\"Tomar prestado\",\"TFxQlw\":\"Penalización de liquidación\",\"TQ7WsV\":\"Available to stake\",\"TUI7iB\":\"El activo solo puede usarse como garantía en el Isolation mode únicamente.\",\"TbjyhA\":\"Docs\",\"TduuS0\":\"El usuario no tiene deuda pendiente de tasa estable en esta reserva\",\"TeCFg/\":\"Cambio de tasa de préstamo\",\"Tg1JyO\":\"Bridge history\",\"TskbEN\":\"Los poseedores de stkAAVE reciben un descuento en la tasa de préstamo de GHO\",\"TszKts\":\"Balance de préstamo después del cambio\",\"TtZL6q\":\"Parámetros del modelo de descuento\",\"TwJI9F\":\"Asset has been successfully sent to CCIP contract. You can check the status of the transactions below\",\"Tz0GSZ\":\"actividades bloqueadas\",\"U/eBjN\":\"Recarga la página\",\"U2r8nY\":\"Elige cuánto poder de voto/proposición otorgar a otra persona delegando parte de tu balance de AAVe o stkAAVE. Tus tokens permanecerán en tu cuenta, pero tu delegado podrá votar o proponer en tu lugar. Si tu balance de AAVE, stkAAVE o aAave cambia, el poder de voto/proposición de tu delegado se ajustará automáticamente.\",\"U8IubP\":\"La aplicación se está ejecutando en testnet mode. Aprende como funciona en\",\"U9btTk\":\"El activo no se puede pedir prestado en isolation mode\",\"UAOZRe\":\"El impacto del precio es la diferencia entre el valor total de los tokens de entrada cambiados y los tokens de destino obtenidos (en USD), que resulta de la liquidez limitada del par de cambio.\",\"UE3KJZ\":\"El historial de transacciones no está disponible actualmente para este mercado\",\"URmyfc\":\"Detalles\",\"UTTKmT\":\"Cooldown de stakeo activado\",\"UXeR72\":\"Estos fondos se han tomado prestados y no están disponibles para su retirada en este momento.\",\"UYb8CM\":\"Learn more about the SPK rewards\",\"UbRrG0\":\"El ratio LTV máximo representa el poder de endeudamiento máximo de una garantía específica. Por ejemplo, si una garantía tiene un LTV del 75 %, el usuario puede pedir prestado hasta 0,75 ETH en la moneda principal por cada 1 ETH de garantía.\",\"UpndFj\":\"No hay recompensas para reclamar\",\"V0f2Xv\":\"Factor de reserva\",\"V1HK43\":\"Riesgos de migración\",\"VATFH9\":\"Deuda cubierta\",\"VHOVEJ\":\"Conectar cartera\",\"VMfYUK\":\"Seguridad de tu garantía depositada contra los activos prestados y su valor subyacente.\",\"VOAZJh\":\"Total de préstamos\",\"ViKYxK\":\"YAE\",\"W1SSoD\":\"Revisar detalles de la tx\",\"W5hVah\":\"Nada suministrado aún\",\"W5kTFy\":\"Votando\",\"W8ekPc\":\"Volver al panel de control\",\"WMPbRK\":\"No respaldado\",\"WNGZwH\":\"El E-Mode incrementa tu LTV para una categoría seleccionada de activos hasta el <0/>. <1>Aprende más\",\"WPWG/y\":\"Configuración y estado de la reserva\",\"WZLQSU\":\"El usuario no puede retirar más que el balance disponible\",\"WaZyaV\":\"<0>Ampleforth es un activo con rebase. Visita la <1>documentación para aprender más.\",\"WfU+XN\":\"Debido a que este activo está en pausa, no se pueden realizar acciones hasta nuevo aviso\",\"Wjmqs2\":\"No results found. You can import a custom token with a contract address\",\"WkZ6C6\":\"Para tomar prestado, necesitas suministrar cualquier activo para ser utilizado como garantía.\",\"WyMiQm\":\"Has cambiado los tokens con éxito.\",\"X/ITG9\":\"Copiar el texto del error\",\"X3Pp6x\":\"Utilizado como garantía\",\"X4Zt7j\":\"No se puede realizar la acción porque la reserva está pausada\",\"XBdKOj\":\"Direcciones de cartera de contrato inteligente representativas (Safe) en otras cadenas.\",\"XZzneG\":\"Saldrás del modo aislamiento y otros tokens pueden ser usados ahora como garantía\",\"Xg5y9S\":\"Amount to Bridge\",\"Xn4hUi\":\"Por favor ten siempre en cuenta tu <0>factor de salud (HF) cuando migres parcialmente una posición y que tus tasas serán actualizadas a tasas de la V3.\",\"Xy71ST\":\"Umbrella\",\"Y5kGkc\":\"VOTAR NO\",\"YDIOks\":\"Habilitar E-Mode\",\"YSodyW\":\"Esta acción reducirá tu factor de salud. Por favor ten en cuenta el riesgo incrementado de liquidación de la garantía.\",\"YXOWXM\":\"The total amount bridged minus CCIP fees. Paying in network token does not impact gho amount.\",\"YirHq7\":\"Feedback\",\"YogbCJ\":\"Testnet mode está ON\",\"YrDxdO\":\"Si tu relación préstamo-valor supera el umbral de liquidación, tu garantía puede ser liquidada.\",\"YyIM65\":\"No se cumplieron las condiciones de ajuste de tasas de interés\",\"YyydIq\":[\"Añade \",[\"0\"],\" a tu cartera para hacer un seguimiento del balance.\"],\"ZBvhI+\":\"Gobierno de Aave\",\"ZIIRAd\":\"Raw-Ipfs\",\"ZRq4tX\":\"Modo de eficiencia (E-Mode)\",\"ZSqEW+\":\"Manage E-Mode\",\"ZUFYFE\":\"Deshabilitar testnet\",\"Zbyywy\":\"Max slashing\",\"ZfUGFb\":\"Antes de suministrar\",\"ZiXN+B\":\"Assets to stake\",\"ZlsSDH\":\"Valor de liquidación\",\"ZrEc8j\":\"No pudimos encontrar ningún activo relacionado con tu búsqueda. Vuelve a intentarlo con un nombre diferente de activo, símbolo o dirección.\",\"ZsLF7e\":\"habilitado\",\"a0YQoQ\":\"Enter a valid address\",\"a2fBZn\":\"Tempo restante para unstakear\",\"a5RYZd\":\"Deshabilitar este activo como garantía afecta tu poder de préstamo y Factor de Salud.\",\"a7u1N9\":\"Precio\",\"a9D+6D\":\"Unstakeado\",\"aEtiwq\":\"Votar NO\",\"aMmFE1\":\"Comprar Crypto con Fiat\",\"aOKIms\":\"Los parámetros del array que deberían ser iguales en longitud no lo son\",\"aX31hk\":\"Tu balance es más bajo que la cantidad seleccionada.\",\"adUsDd\":\"Se ha producido un error al recuperar la propuesta.\",\"al6Pyz\":\"Supera el descuento\",\"aoXTT7\":\"APY préstamo, variable\",\"aqX1Yp\":\"This asset is eligible for rewards through SuperFest. Aave Labs does not guarantee the program and accepts no liability.\",\"avgETN\":\"Eligible for the Merit program.\",\"b4NS3e\":\"Advertencia periodo de cooldown\",\"bNEQeI\":\"Cooldown\",\"bSruit\":\"ZKSync Ignite Program rewards are claimed through the\",\"bUUVED\":\"Activo\",\"bXQ/Og\":\"Compartir en twitter\",\"bXr0ee\":\"Los activos aislados han limitado tu capacidad de préstamo y otros activos no pueden ser usados como garantía.\",\"bYmAV1\":\"Direcciones\",\"bguKoJ\":\"La cantidad solicitada es mayor que el tamaño máximo del préstamo en el modo de tasa estable\",\"bwSQI0\":\"Suministrar\",\"bxN6EM\":\"No se puede deshabilitar E-Mode\",\"bxmzSh\":\"No hay suficiente garantía para pagar esta cantidad de deuda con\",\"c91vuQ\":\"La dirección no es un contrato\",\"c97os2\":\"aToken de Aave\",\"c9b44w\":\"No puedes retirar esta cantidad porque causará una liquidación\",\"cBc+4A\":\"Esta es la cantidad total disponible que puedes tomar prestada. Puedes tomar prestado basado en tu garantía y hasta que el límite de préstamo se alcance.\",\"cIl5kp\":\"Tu poder de voto se basa en tu balance de AAVE/stkAAVE y delegaciones recibidas.\",\"cLo09S\":\"Detalles de riesgo\",\"cNT+ij\":\"Tomar prestado no está disponible porque has habilitado el Efficiency Mode (E-Mode) y el Isolation mode. Para administrar el E-Mode y el Isolation Mode, visita tu <0>Panel de control.\",\"cZOeBk\":\"Something went wrong fetching bridge message, please try again later.\",\"ceix5S\":\"Para enviar una propuesta de cambios menores al protocolo, necesitarás al menos 80K de poder. Si deseas cambiar la base central del código, necesitarás un poder de 320K.<0>Aprende más\",\"ciybUa\":\"Votar SI\",\"ckf7gX\":[\"Pagando \",[\"symbol\"]],\"cp1ZDP\":[\"Bridge \",[\"symbol\"]],\"cqnmnD\":\"Tasa de interés efectiva\",\"cqwIvs\":\"Hilo de discusión del foro\",\"csDS2L\":\"Disponible\",\"cu7Stb\":\"No has participado en esta propuesta\",\"dE6BLF\":\"Gobierno\",\"dEgA5A\":\"Cancelar\",\"dIsyWh\":\"La validación del LTV ha fallado\",\"dMtLDE\":\"para\",\"dOB5nW\":[\"La cantidad máxima disponible para suministrar es <0/> \",[\"0\"],\" (<1/>).\"],\"dVfODp\":\"No tienes suficientes fondos en tu cartera para pagar la cantidad total. Si procedes a pagar con tu cantidad actual de fondos, aún tendrás un pequeño préstamo en tu panel de control.\",\"dXUQFX\":\"Activos a tomar prestado\",\"dgr1aY\":\"Tomar prestado está deshabilitado debido a una decisión de la comunidad de Aave. <0>Más información\",\"djsg0o\":\"Uso de la garantía\",\"dpc0qG\":\"Variable\",\"drdV8R\":\"Liquidación\",\"dxW8cS\":\"Token de deuda de Aave\",\"e4V3oW\":\"Top 10 direcciones\",\"eD8WX/\":\"La acción requiere una reserva activa\",\"eJRJ04\":\"Cantidad para unstakear\",\"eLh0cL\":\"El deslizamiento es la diferencia entre las cantidades calculadas y las recibidas debido a las condiciones cambiantes del mercado entre el momento en que se envía la transacción y su verificación.\",\"ePK91l\":\"Editar\",\"eVpCmf\":\"Recompensas de Staking\",\"eVqvtf\":\"Bridge GHO\",\"eYdurp\":\"Aún no hay transacciones.\",\"ebLGGN\":\"Total tomado prestado\",\"ecqEvn\":\"El balance de garantía es 0\",\"efdrrk\":\"Disponible en\",\"enruNF\":\"empieza\",\"eqLYiD\":\"Unstakea ahora\",\"euScGB\":\"APY con descuento aplicado\",\"evw5ha\":\"Valor neto\",\"ezcU16\":\"Obtener Token ABP\",\"f3W0Ej\":[\"Has cambiado a tasa \",[\"0\"]],\"fH9i8k\":\"Has cambiado con éxito la posición de préstamo.\",\"fHcELk\":\"APR Neto\",\"fMJQZK\":\"Prestado\",\"fZ5Vnu\":\"Recibido\",\"firl9Q\":\"Tu actual relación préstamo-valor basado en tu garantía suministrada.\",\"flRCF/\":\"Descuento por staking\",\"fldjW9\":\"Previsualizar la tx y migrar\",\"fsBGk0\":\"Balance\",\"fu1Dbh\":[\"Retirar \",[\"symbol\"]],\"fwjWSI\":\"Suministrado\",\"fwyTMb\":\"Migrar a stkABPT v2\",\"g0mals\":\"You can not disable E-Mode because that could cause liquidation. To exit E-Mode supply or repay borrowed positions.\",\"g2UNkE\":\"Powered by\",\"g8KGoA\":\"FAQS\",\"g9zzqS\":\"Votó NAY\",\"gDd2gk\":\"about SuperFest.\",\"gFFh9h\":\"¡Todo listo!\",\"gIMJlW\":\"Testnet mode\",\"gOzPxe\":\"Este activo está congelado debido a una decisión del Gobierno del Protocolo Aave. <0>More información\",\"gTHi2T\":\"El usuario está intentando tomar prestado múltiples activos incluido uno aislado\",\"gVW59Y\":\"Por favor conecta tu cartera para obtener activos testnet gratis.\",\"gcFNxP\":\"Aprobación confirmada\",\"gncRUO\":\"Esta dirección está bloqueada en app.aave.com porque está asociada con una o más\",\"goff7V\":\"Dirección cero no válida\",\"gp+f1B\":\"Versión 3\",\"gr8mYw\":\"Puedes tomar prestado hasta <0/> GHO al <1/> (descuento máximo)\",\"gvTM4B\":\"El APY neto es el efecto combinado de todos los suministros y préstamos sobre total, incluidos los incentivos. Es posible tener un APY neto negativo si el APY de la deuda es mayor que el APY de suministro.\",\"gzcch9\":\"Comisión de puente de protocolo inválida\",\"h33MxW\":\"Direcciones de cartera de contrato inteligente representantes (Safe) en otras cadenas.\",\"h3ilK+\":\".CSV\",\"hB23LY\":\"Activar Cooldown\",\"hIJzBh\":\"Available to Claim\",\"hIS4N0\":\"APY neto\",\"hRWvpI\":\"Reclamado\",\"hdmy/o\":\"El % de tu poder de préstamo total utilizado. Esto se basa en la cantidad de tu garantía suministrada y la cantidad total que puedes pedir prestado.\",\"hehnjM\":\"Cantidad\",\"hjDCQr\":\"Hubo un error. Por favor intenta cambiar los parámetros o <0><1>copiar el error\",\"hom7qf\":\"Reclamar\",\"hpHJ4I\":\"Garantía liquidada\",\"hpuVIp\":\"Users who stake AAVE in Safety Module (i.e. stkAAVE holders) receive a discount on GHO borrow interest rate.\",\"huQ6Tz\":[\"Tomando prestado \",[\"symbol\"]],\"hxi7vE\":\"Balance tomado prestado\",\"i/fZ2Z\":\"Staked Balance\",\"i2JTiw\":\"Puedes ingresar una cantidad específica en el campo.\",\"iB5+/J\":\"Sobre GHO\",\"iChbOF\":\"Parámetros inconsistentes del préstamo flash\",\"iEPVHF\":\"No hay suficiente poder de voto para participar en esta propuesta\",\"iEW87X\":\"Poder delegado\",\"iEju36\":[\"Has votado \",[\"0\"]],\"iFq2YN\":\"Borrowable\",\"iGxyIA\":\"Safety Module\",\"iMVZk9\":\"Seleccionar tolerancia de deslizamiento\",\"iPMIoT\":\"Ingresa una cantidad\",\"iSLIjg\":\"Conectar\",\"iUo5rv\":\"tokens no es lo mismo que stakearlos. Si deseas stakearlos\",\"iZxa38\":\"Úsalo para votar a favor o en contra de propuestas activas.\",\"if5PH+\":\"Collector Info\",\"igkfR1\":[\"En el Isolation mode, no puedes suministrar otros activos como garantía. Un límite de deuda global limita la capacidad de préstamo del activo aislado. Para salir del Isolation mode, deshabilita \",[\"0\"],\" como garantía antes de tomar prestado otro activo. Lee más en nuestras <0>preguntas frecuentes \"],\"il0sEG\":\"El uso de garantías está limitado debido al Isolation mode.\",\"j+K1Xj\":\"Amount After Fee\",\"jA2QeW\":\"Suministrando tu\",\"jFi7dz\":\"Tasa de interés determinada por el gobierno de Aave. Esta tasa puede cambiar con el tiempo dependiendo de la necesidad de que el suministro de GHO se contraiga/expanda. <0>Aprende más\",\"jG3UJ7\":\"Desactivar el E-Mode\",\"jKYzR1\":\"Habilitar E-Mode\",\"jMam5g\":[\"Balance \",[\"0\"]],\"jSYv+Z\":\"Enabling E-Mode allows you to maximize your borrowing power, however, borrowing is restricted to assets within the selected category. <0>Learn more about how it works and the applied restrictions.\",\"jaKbwW\":[[\"s\"],\"s\"],\"jbFMap\":\"Periodo restante de cooldown\",\"jeMZNr\":[[\"0\"],\" el servicio on-ramp es proporcionado por proveedores externos y al seleccionarlo, estás aceptando los términos de dichos proveedores. Tu acceso al servicio podría depender de que el proveedor externo esté operativo.\"],\"jfl9OP\":\"Migrado\",\"jmXdoY\":\"En E-Mode algunos activos no se pueden pedir prestados. Sal del E-Mode para obtener acceso a todos los activos\",\"jpctdh\":\"Ver\",\"jqzUyM\":\"No disponible\",\"k/sb6z\":\"Seleccionar idioma\",\"k3wP3f\":\"<0>Atención: Los cambios de parámetros a través de la gobernanza pueden alterar el factor de salud de tu cuenta y el riesgo de liquidación. Sigue el <1>foro de gobierno de Aave para mantenerte actualizado.\",\"kACpF3\":[\"Reclamar \",[\"0\"]],\"kH6wUX\":\"Impacto del precio\",\"kIC28N\":\"Available to claim\",\"kIpSye\":[[\"numSelected\"],\"/\",[\"numAvailable\"],\" activos seleccionados\"],\"kN1Yg5\":\"Para pagar en nombre de un usuario, se necesita una cantidad explícita para pagar\",\"kRTD40\":[\"Cantidad a pagar para alcanzar el \",[\"0\"],\"% de utilización\"],\"kjN9tT\":\"El límite de suministro se ha sobrepasado\",\"knxE+G\":\".JSON\",\"ks2LWT\":\"El límite de deuda no es cero\",\"kwwn6i\":\"Los usuarios que stakean AAVE en el Modulo de Seguridad (es decir, poseedores de stkAAVE) reciben un descuento en la tasa de interés de préstamo de GHO. Este descuento se aplica a 100 GHO por cada 1 stkAAVE en posesión. Usa el calculador de abajo para ver la tasa de préstamo de GHO con el descuento aplicado.\",\"kz3wtK\":\"and about SPK program\",\"kzZyM4\":\"El balance de DAI se convertirá a través de los contratos de DSR y luego se suministrará como sDAI. El cambio no genera costos adicionales ni deslizamientos.\",\"lNVG7i\":\"Selecciona un activo\",\"lU2d1/\":[\"Este activo no se puede migrar debido a una liquidez insuficiente o a una limitación del límite de préstamo en el mercado v3 de \",[\"marketName\"],\".\"],\"lVhKKI\":\"Votó YAE\",\"lWLqxB\":\"No pudimos encontrar ninguna transacción relacionada con tu búsqueda. Vuelve a intentarlo con un nombre de activo diferente o restablece los filtros.\",\"lYGfRP\":\"Inglés\",\"lfEjIE\":\"Aprende más en nuestra guía <0>Preguntas frecuentes\",\"lt6bpt\":\"Garantía a pagar con\",\"m/IEhi\":\"Emisiones totales por día\",\"m7r7Hh\":\"Activos de préstamo seleccionados\",\"mDDK4p\":\"Pool de Balancer\",\"mIM0qu\":\"Cantidad esperada a pagar\",\"mUAFd6\":\"Versión 2\",\"masO5Z\":\"E-Mode increases your LTV for a selected category of assets. <0>Learn more\",\"mdNjKU\":[\"Tu cartera de \",[\"name\"],\" está vacía. Compra o transfiere activos o usa <0>\",[\"0\"],\" para transferir tus activos de \",[\"network\"],\".\"],\"muiOng\":[\"Comprar \",[\"cryptoSymbol\"],\" con Fiat\"],\"mvCXBY\":\"Stakea AAVE\",\"mwdzil\":\"Vale, cerrar\",\"mzI/c+\":\"Descargar\",\"mzdIia\":\"Este activo no puede usarse como garantía.\",\"n+SX4g\":\"Desarrolladores\",\"n8Psk4\":\"No podemos detectar una cartera. Conecta una cartera para stakear y ver tu balance.\",\"nJIhzm\":\"Apy de suministro\",\"nJgsQu\":\"Con un poder de votación de <0/>\",\"nLC6tu\":\"Francés\",\"nN2T8p\":\"During the cooldown period, you will not earn any merit rewards. However, rewards earned up to this point will remain unaffected.\",\"nNHV0z\":\"Migrar múltiples garantías y activos prestados al mismo tiempo puede ser una operación costosa y podría fallar en ciertas situaciones.<0>Por lo tanto, no se recomienda migrar posiciones con más de 5 activos (depositados + tomados prestados) al mismo tiempo.\",\"nNbnzu\":\"Proposición\",\"nOy4ob\":\"Te sugerimos volver al Panel de control.\",\"nPGNMh\":\"Puede ser ejecutado\",\"nUK1ou\":[\"Assets with zero LTV (\",[\"0\"],\") must be withdrawn or disabled as collateral to perform this action\"],\"nakd8r\":\"poseedores de stkAAVE obtienen un descuento en la tasa de préstamo de GHO\",\"nh2EJK\":[\"Por favor, cambia a \",[\"networkName\"],\".\"],\"njBeMm\":\"Ambos\",\"noN5Xf\":\"We couldn’t detect a wallet. Connect a wallet to view your staking positions and rewards.\",\"ntkAoE\":\"Descuento aplicado para <0/> AAVE stakeados\",\"ntyFSE\":[[\"h\"],\"h\"],\"nwtY4N\":\"Se produjo un error\",\"nxyWvj\":\"Retirar esta cantidad reducirá tu factor de salud y aumentará el riesgo de liquidación.\",\"o17QVP\":\"Tu factor de salud y la relación préstamo-valor determinan la seguridad de tu garantía. Para evitar liquidaciones, puedes suministrar más garantía o pagar las posiciones de préstamo.\",\"o1xc2V\":\"El balance de AToken no es cero\",\"o4tCu3\":\"APY préstamo\",\"o5ooMr\":\"Deuda\",\"o7J4JM\":\"Filtro\",\"oHFrpj\":\"Cooldown para undstakear\",\"oJ5ZiG\":\"El usuario no tiene deuda pendiente de tasa variable en esta reserva\",\"oRBGin\":\"Por favor conecta tu cartera para cambiar tus tokens.\",\"oUwXhx\":\"Activos de prueba\",\"oWklJD\":\"La tasa de interés estable <0>permanecerá igual durante la duración de su préstamo. Está recomendado para los períodos de préstamo a largo plazo y para los usuarios que prefieren la previsibilidad.\",\"odnIK3\":\"Time remaining until the 48 hour withdraw period starts.\",\"oiK5nY\":\"The current incentives period, decided on by the Aave community, has ended. Governance is in the process on renewing, check for updates. <0>Learn more.\",\"olREoo\":\"All borrow positions outside of this category must be closed to enable this category.\",\"om/XHs\":\"Disponible para suministrar\",\"ov0+mq\":\"Eligible for the ZKSync Ignite program.\",\"ovT1pF\":[\"Per the community, the \",[\"market\"],\" has been frozen.\"],\"ow3fug\":\"Sin resultados\",\"owSsI3\":\"Firmas listas\",\"p+R52m\":\"Ir al pool de Balancer\",\"p2A+s1\":[\"El periodo de cooldown es \",[\"0\"],\". Después \",[\"1\"],\" del cooldown, entrarás a la ventana de unstakeo de \",[\"2\"],\". Continuarás recibiendo premios durante el cooldown y la ventana de unstakeo.\"],\"p2S64u\":\"La relación préstamo-valor de las posiciones migradas provocaría la liquidación. Aumenta la garantía migrada o reduce el préstamo migrado para continuar.\",\"p2Z2Qi\":\"Este activo ha alcanzado su límite de préstamo. No queda nada disponible para ser prestado de este mercado.\",\"p3j+mb\":\"Tu balance de recompensa es 0\",\"p45alK\":\"Configurar la delegación\",\"p6u2s1\":\"Minimum amount of debt to be repaid\",\"pDgeaz\":[[\"title\"]],\"pdZqBk\":\"El balance subyacente debe ser mayor que 0\",\"pgWG9H\":\"No hay suficiente balance stakeado\",\"piPrJ7\":\"por favor comprueba que la cantidad que deseas depositar no está siendo utilizada actualmente para stakear. Si está utilizando para stakear, tu transacción podría fallar.\",\"pjO/iH\":\"Cantidad mínima recibida\",\"pooutM\":\"La votación está activa\",\"pqaM5s\":\"Confirmando transacción\",\"ptaxX3\":[\"Entiendo como el cooldown (\",[\"0\"],\") y el proceso de unstaking (\",[\"1\"],\") funcionan\"],\"py2iiY\":\"La función debe ser llamada por un pool\",\"q/51mF\":\"Migrar a V3\",\"q3df11\":\"Estrategia de tasa de interés\",\"q6lAbz\":\"Stakeado\",\"qB4kPi\":\"Suministrar APY\",\"qENI8q\":\"Configuración global\",\"qGz5zl\":\"Balance de la garantía tras pagar\",\"qOqbD6\":\"copiar el error\",\"qXCkEM\":\"Por favor, conecta tu cartera para ver tus suministros, préstamos y posiciones abiertas.\",\"qY2jnw\":\"Expiración inválida\",\"qf/fr+\":\"Interés acumulado\",\"quYPUU\":\"Variable interest rate will <0>fluctuate based on the market conditions.\",\"quzIeW\":\"User is in isolation mode or LTV is zero\",\"qvnz3q\":\"Cantidad inválida para quemar\",\"rHgdb0\":\"Migrate to Aave V3\",\"rOrHHe\":\"La cantidad debe ser mayor que 0\",\"rQ+R+0\":\"Activos de suministro seleccionados\",\"rSayea\":\"APY\",\"rTBDeu\":[\"Este activo no se puede migrar porque tienes una garantía en Isolation Mode en el mercado v3 de \",[\"marketName\"],\" que limita los activos prestados. Puedes administrar tu garantía en el <0>Panel de control V3 de \",[\"marketName\"],\"\"],\"rcT+yy\":\"Mostrar activos con 0 balance\",\"rf8POi\":\"Cantidad de activos tomados prestados\",\"riNWOA\":\"E-Mode\",\"rjGI/Q\":\"Privacidad\",\"rnKPW1\":\"Watch a wallet balance in read-only mode\",\"ruc7X+\":\"Añade stkAAVE para ver el APY de préstamo con el descuento\",\"rvbaFU\":[\"Bridging \",[\"symbol\"]],\"rwVVB7\":\"Reclamar todas las recompensas\",\"rwyUva\":\"Estos activos están temporalmente congelados o pausados por decisiones de la comunidad de Aave, lo que significa que no se puede suministrar / tomar prestado o intercambiar tasas de estos activos. Se permiten retiros y pagos de deuda. Sigue el <0>foro de gobierno de Aave para más actualizaciones.\",\"rxJW5W\":\"Tu poder de proposición se basa en tu balance de AAVE/stkAAVE y delegaciones recibidas.\",\"s2jJnW\":\"You don't have any bridge transactions\",\"s5wBAq\":[\"Unstakear \",[\"symbol\"]],\"sJbIdI\":\"Enter ETH address or ENS\",\"sK+Nag\":\"Revisión tx\",\"sP2+gB\":\"NO\",\"sQv06Y\":\"para\",\"sTtO6J\":\"Confirmar transacción\",\"sXKb3l\":\"Tasa de cambio\",\"sb0q4+\":\"Unstakea aquí\",\"smJNwH\":\"Disponible para tomar prestado\",\"solypO\":\"El factor de salud no está por debajo del umbral\",\"sr0UJD\":\"Volver atrás\",\"ss5GCK\":\"La dirección del proveedor del grupo de direcciones no es válida\",\"swEgK4\":\"Tu información de voto\",\"t+wtgf\":\"Nada tomado prestado aún\",\"t/YqKh\":\"Eliminar\",\"t81DpC\":[\"Aprueba \",[\"symbol\"],\" para continuar\"],\"tCnbEs\":\"Precio del oráculo\",\"tFZLf8\":\"Este cálculo de gas es solo una estimación. Tu cartera establecerá el precio de la transacción. Puedes modificar la configuración de gas directamente desde tu proveedor de cartera.\",\"tHuvQI\":\"Ir al panel de control V3\",\"tKv7cI\":\"Cambiar posición de préstamo\",\"tOcg3N\":\"Dado que este activo está congelado, las únicas acciones disponibles son retirar y pagar, a las que se puede acceder desde el <0>Panel de control\",\"tOuXfv\":[\"Cantidad a tomar prestado para alcanzar el \",[\"0\"],\"% de utilización\"],\"te9Bfl\":\"Por favor, conecta tu cartera\",\"tt5yma\":\"Tus suministros\",\"ttoh5c\":\"Cambiar a\",\"u3ZeYl\":\"Error en la transacción\",\"u706uF\":\"Préstamo flash inválido\",\"u8Gfu7\":[\"Sin resultados de búsqueda\",[\"0\"]],\"uAQUqI\":\"Status\",\"uHMwk8\":\"No hay activos seleccionados para migrar.\",\"uJPHuY\":\"Migrando\",\"uY8O30\":\"Para continuar, necesitas otorgar permiso a los contratos inteligentes de Aave para mover tus fondos de tu cartera. Según el activo y la cartera que uses, se hace firmando el mensaje de permiso (sin coste de gas), o enviando una transacción de aprobación (requiere coste de gas). <0>Aprende más\",\"udFheE\":\"Para el pago de un tipo específico de deuda, el usuario necesita tener una deuda de ese tipo\",\"ulNuNq\":\"Exportar datos a\",\"ulup2p\":\"Comprar Crypto con Fiat\",\"umICAY\":\"<0><1><2/>Añade stkAAVE para ver la tasa de préstamo con descuento\",\"usB84Z\":\"La cantidad máxima disponible para tomar prestado está limitada porque casi se ha alcanzado el límite de préstamo del protocolo.\",\"uwAUvj\":\"COPIAR IMAGEN\",\"v8x7Mg\":\"Garantía insuficiente para cubrir la nueva posición de préstamo. La cartera debe tener poder de préstamo suficiente para realizar el cambio de deuda.\",\"vEqxH9\":\"Restakeado\",\"vLyv1R\":\"Ocultar\",\"vMba49\":\"Tomar prestado no está habilitado\",\"vMpNwt\":\"Aprobar con\",\"vXIe7J\":\"Idioma\",\"vesuBJ\":\"Te permite decidir si utilizar un activo suministrado como garantía. Un activo utilizado como garantía afectará a tu poder de préstamo y factor de salud.\",\"w+V9Cx\":\"Stablecoin\",\"w/JtJ3\":\"El balance de deuda estable no es cero\",\"w4VBY+\":\"APR de recompensas\",\"w9dLMW\":[[\"label\"]],\"wAOL+X\":[\"Tu \",[\"action\"],\" <0/> \",[\"symbol\"]],\"wBIsjb\":\"Canal de Discord\",\"wQZbc/\":\"El llamador de la función no es un AToken\",\"wRRqvW\":\"No tienes suministros en este activo\",\"wZFvVU\":\"VOTAR SI\",\"wb/r1O\":[\"Faucet \",[\"0\"]],\"wdxz7K\":\"Source\",\"weH1nG\":\"El Protocolo Aave está programado para usar siempre el precio de 1 GHO = $1. Esto es diferente del uso del precio de mercado a través de oráculos para otros criptoactivos. Esto crea oportunidades de arbitraje estabilizadoras cuando el precio de GHO fluctúa.\",\"wh7Ezv\":\"No tienes balance de AAVE/stkAAVE/aAave para delegar.\",\"wlsIx7\":\"Con la testnet Faucet puedes obtener activos gratuitos para probar el Protocolo Aave. Asegúrate de cambiar tu proveedor de cartera a la red de testnet adecuada, selecciona el activo deseado y haz clic en \\\"Faucet\\\" para obtener tokens transferidos a tu cartera. Los activos de una testnet no son \\\"reales\\\", lo que significada que no tienen valor monetario. <0>Aprende más\",\"wmE285\":\"Obtener Token ABP v2\",\"wyRrcJ\":\"Como resultado de las decisiones del gobierno, este pool de stakeo de ABPT está obsoleto. Tienes la flexibilidad de migrar todos tus tokens a v2 o unstakearlos sin ningún periodo de cooldown.\",\"x5KiLL\":\"Los activos seleccionados se han migrado correctamente. Visita el panel de control del mercado para verlos.\",\"x7F2p6\":\"Diferencial actual\",\"x7K5ib\":[\"Tu cartera de \",[\"networkName\"],\" está vacía. Consigue \",[\"0\"],\" de prueba gratis en\"],\"x9iLRD\":\"tokens, por favor ve al\",\"xNy/UG\":\"Pagar con\",\"xPm8wv\":\"Aprende más sobre los riesgos involucrados\",\"xXYpZl\":[[\"0\"],\" Faucet\"],\"xaVBSS\":\"Tu información\",\"xaWZ6f\":\"Cambio tipo de APY\",\"xh6k71\":\"El uso de garantías está limitado debido al isolation mode.\",\"xvIklc\":\"El préstamo flash está deshabilitado para este activo, por lo tanto, esta posición no se puede migrar.\",\"y5rS9U\":\"Migrar\",\"y66tBm\":[\"Habilitar \",[\"symbol\"],\" como garantía\"],\"yB1YpA\":\"Modo oscuro\",\"yCrG6m\":\"Tamaño total del mercado\",\"yJUUbn\":\"Resumen de la transacción\",\"yLGmLX\":[\"Restakear \",[\"symbol\"]],\"yW1oWB\":\"Tipo APY\",\"yYHqJe\":\"Dirección no válida\",\"yZwLw6\":\"Haz seguimiento de tu cartera\",\"yh2sjd\":[\"Impacto en el precio \",[\"0\"],\"%\"],\"yhvj6d\":\"No puedes cambiar el uso como modo de garantía para este activo, porque causará una liquidación\",\"ylmtBZ\":\"La aplicación se ejecuta en fork mode.\",\"ymNY32\":[\"No hay fondos suficientes en la reserva\",[\"0\"],\"para tomar prestado\"],\"yz7wBu\":\"Cerrar\",\"z4uGQg\":\"El límite de deuda está sobrepasado\",\"z5UQOM\":\"La garantía elegida no puede ser liquidada\",\"z5Y+p6\":[\"Suministrando \",[\"symbol\"]],\"zCjNKs\":\"No se puede realizar la acción porque la reserva está congelada\",\"zRHytX\":\"Límite de deuda aislado\",\"zTOjMP\":\"El límite de suministro del protocolo está al 100% para este activo. No es posible suministrar más.\",\"zVdRUG\":\"Submission did not work, please try again later or contact wecare@avara.xyz\",\"zevmS2\":\"<0><1><2/>añade <3/> stkAAVE para tomar prestado al <4/> (descuento máximo)\",\"zgtIDV\":\"Deuda restante\",\"zmTPiV\":\"Balance de suministro\",\"zpPbZl\":\"Parámetros de riesgo de liquidación\",\"zucql+\":\"Menú\",\"zwWKhA\":\"Aprende más\",\"zy9fXn\":[\"Este activo está congelado en el mercado v3 de \",[\"marketName\"],\", por lo tanto, esta posición no se puede migrar.\"],\"zys+R6\":\"Ten en cuenta la congestión de la red y los precios del gas.\",\"zzzTXS\":\"Merit Program rewards are claimed through the\"}")}; \ No newline at end of file diff --git a/src/locales/fr/messages.js b/src/locales/fr/messages.js index ed1df9c1cf..070466b53f 100644 --- a/src/locales/fr/messages.js +++ b/src/locales/fr/messages.js @@ -1 +1 @@ -/*eslint-disable*/module.exports={messages:JSON.parse("{\"+0xecS\":[\"Si vous NE vous désengagez PAS dans les \",[\"0\"],\" de la fenêtre de désengagement, vous devrez réactiver le processus de refroidissement.\"],\"+EGVI0\":\"Recevoir (est.)\",\"+VR63W\":[\"Participer à cette réserve \",[\"symbol\"],\" donne des récompenses annualisées.\"],\"+bmKdK\":\"Use your AAVE, stkAAVE, or aAave balance to delegate your voting and proposition powers. You will not be sending any tokens, only the rights to vote and propose changes to the protocol. You can re-delegate or revoke power to self at any time.\",\"+eOPG+\":\"On dirait que nous ne pouvons pas changer de réseau automatiquement. Veuillez vérifier si vous pouvez le changer depuis le portefeuille.\",\"+i3Pd2\":\"Limite d'emprunt\",\"+kLZGu\":\"Montant de l’actif fourni\",\"+nuEh/\":\"Estimated time\",\"+xMFF8\":\"Remind me\",\"/57U31\":\"Amount to migrate\",\"/7ykiW\":\"Emprunter ce montant réduira votre facteur santé et augmentera le risque de liquidation.\",\"/YA5pU\":\"E-Mode increases your LTV for a selected category of assets, meaning that when E-mode is enabled, you will have higher borrowing power over assets of the same E-mode category which are defined by Aave Governance. You can enter E-Mode from your <0>Dashboard. To learn more about E-Mode and applied restrictionn, see the <1>help guide or the <2>Aave V3 Technical Paper.\",\"/izjs/\":\"Montant minimum d’Aave mis en jeu\",\"/jQctM\":\"To\",\"/lDBHm\":\"FAQ\",\"/yNlZf\":\"L'emprunt stable n'est pas activé\",\"/yQcJM\":\"Valeur totale\",\"00AB2i\":\"L'utilisateur n'a pas emprunté la devise spécifiée\",\"00OflG\":\"Il n’y a pas assez de liquidités pour que l’actif cible puisse effectuer le changement. Essayez de réduire le montant.\",\"08/rZ9\":\"La période de recharge est le temps nécessaire avant de retirer vos jetons (20 jours). Vous ne pouvez retirer vos actifs du module de sécurité qu’après la période de recharge et pendant la période de désenjeu. <0>Pour en savoir plus\",\"0AmQcW\":\"Changement de taux\",\"0BF3yK\":\"Désolé, nous n’avons pas trouvé la page que vous cherchiez.\",\"0TAbjq\":\"Recent Transactions\",\"0jhlyw\":\"Risque de liquidation\",\"0ojY+Y\":\"Solde actuel v2\",\"0thX3P\":\"Modification des garanties\",\"0wGCWc\":\"Il s'agit du montant total que vous pouvez emprunter. Vous pouvez emprunter en fonction de votre garantie et jusqu'à ce que le plafond d'emprunt soit atteint.\",\"1AsVfF\":\"À l’heure actuelle, les données sur les prix ne sont pas disponibles pour cette réserve dans le sous-graphe du protocole\",\"1LjK22\":\"Historique des transactions\",\"1Onqx8\":[\"Approuver \",[\"symbol\"],\"...\"],\"1Ue8sX\":\"Veuillez connecter un portefeuille pour afficher vos informations personnelles ici.\",\"1bpx9A\":\"...\",\"1kWUB+\":\"Seuil de liquidation <0/>\",\"1m9Qqc\":\"Retrait et changement\",\"1oyh4g\":\"Borrow rate\",\"1t7rez\":\"L’offre d’actifs est limitée à un certain montant afin de réduire l’exposition du protocole à l’actif et d’aider à gérer les risques encourus.\",\"2CAPu2\":\"Vous avez retiré et échangé des jetons avec succès.\",\"2Eoi/a\":\"Voir détails\",\"2FYpfJ\":\"Plus\",\"2O3qp5\":\"Liquidités disponibles\",\"2OM8/D\":[\"L’actif ne peut pas être migré en raison d’une restriction de plafond d’approvisionnement dans \",[\"marketName\"],\" v3 marché.\"],\"2Q4GU4\":\"Adresse bloquée\",\"2ZGocC\":\"Aave est un protocole entièrement décentralisé et régi par la communauté par les détenteurs de jetons AAVE. Les détenteurs de jetons AAVE discutent, proposent et votent collectivement sur les mises à niveau du protocole. Les détenteurs de jetons AAVE (réseau Ethereum uniquement) peuvent soit voter eux-mêmes sur de nouvelles propositions, soit choisir l’adresse de leur choix. Pour en savoir plus, consultez la page Gouvernance\",\"2a6G7d\":\"Veuillez saisir une adresse de portefeuille valide.\",\"2bAhR7\":\"Rencontrez GHO\",\"2eBWE6\":\"Je reconnais les risques encourus.\",\"2o/xRt\":\"Plafond d'approvisionnement sur la réserve cible atteint. Essayez de réduire le montant.\",\"2uJToh\":[[\"0\"],[\"name\"]],\"2x58bP\":\"L'emprunt stable est activé\",\"34Qfwy\":\"Le plafond d'emprunt est dépassé\",\"39eQRj\":[\"Emprunter \",[\"symbole\"]],\"3BL1xB\":\"Total fourni\",\"3BnIWi\":\"Commuté\",\"3K0oMo\":\"Offre restante\",\"3MoZhl\":\"Il n'y a pas assez de collatéral pour couvrir un nouvel emprunt\",\"3Np5O8\":[\"Fournir \",[\"symbole\"]],\"3O8YTV\":\"Total des intérêts courus\",\"3mXg0z\":\"Max LTV\",\"3q3mFy\":\"Rembourser\",\"3qsjtp\":\"La moyenne pondérée de l'APY pour tous les actifs fournis, y compris les incitations.\",\"3rL+os\":\"Vous ne pouvez retirer vos actifs du module de sécurité qu'après la fin de la période de refroidissement et que la fenêtre de retrait est active.\",\"42UgDM\":[\"Migrer vers \",[\"0\"],\" Marché v3\"],\"49UFQA\":\"Résultats du vote\",\"4DMZUI\":\"Afficher les transactions\",\"4HtGBb\":\"MAX\",\"4Y5H+g\":\"Petits caractères\",\"4YYh4d\":\"Maximum available to borrow\",\"4iPAI3\":\"Montant minimum d’emprunt GHO\",\"4lDFps\":\"Signez pour continuer\",\"4wyw8H\":\"Transactions\",\"5JSSxX\":[\"Votre \",[\"networkName\"],\" Le portefeuille est vide. Obtenez des ressources de test gratuites à l’adresse suivante :\"],\"5K7kGO\":\"documentation\",\"5NOSGa\":\"Le plafond de la dette limite le montant que les utilisateurs du protocole peuvent emprunter sur cet actif. Le plafond de la dette est spécifique aux actifs isolés et est indiqué en USD.\",\"5Ncc6j\":[\"Cet actif a presque atteint son plafond d'offre. Il ne peut y avoir que \",[\"messageValue\"],\" fourni à ce marché.\"],\"5cZ/KX\":\"L'offre de dette variable n'est pas nulle\",\"5che++\":\"Pour demander l'accès à ce marché autorisé, veuillez consulter\xA0: <0>Nom du fournisseur d'accès\",\"5ctNdV\":[\"Minimum \",[\"0\"],\" reçu\"],\"5hDe9v\":\"Allocation action requise\",\"5rsnKT\":\"Récompenses disponibles\",\"5yC5m5\":\"Voir tous les votes\",\"6/dCYd\":\"Aperçu\",\"60crCe\":\"Toutes les transactions\",\"62Xcjh\":\"Collatérale\",\"65A04M\":\"Espagnol\",\"6G8s+q\":\"Signature\",\"6Jrv+z\":[\"Rembourser \",[\"symbole\"]],\"6NGLTR\":\"Montant actualisable\",\"6Xr0UU\":\"Refroidissement...\",\"6bxci/\":\"Pouvoir de vote\",\"6f8S68\":\"Marchés\",\"6g1gi0\":\"Les propositions\",\"6gvoHP\":\"Copier le message d’erreur\",\"6h3Q5G\":\"Remboursé\",\"6lFSyT\":\"Available to Stake\",\"6s8L6f\":\"Changer de réseau\",\"6yAAbq\":\"APY, borrow rate\",\"70wH1Q\":\"APR\",\"72c5Qo\":\"Total\",\"73Auuq\":\"Les paramètres de remise sont décidés par la communauté Aave et peuvent être modifiés au fil du temps. Consultez la section Gouvernance pour les mises à jour et votez pour participer. <0>Pour en savoir plus\",\"75qcAQ\":[[\"stepName\"]],\"7ITr5L\":\"Facteur de santé\",\"7T/o5R\":\"Atteint\",\"7YlcXu\":\"Fork mode is ON\",\"7Z76Iw\":\"L’emprunt n’est pas disponible car vous utilisez le mode Isolation. Pour gérer le mode d’isolation, rendez-vous sur votre <0>tableau de bord.\",\"7aKlMS\":\"Partager sur Lens\",\"7er5fP\":\"Réclamer tout\",\"7hb2+s\":\"Time remaining until the withdraw period ends.\",\"7l88b8\":\"Les données n’ont pas pu être récupérées, veuillez recharger le graphique.\",\"7p5kLi\":\"Tableau de bord\",\"7sofdl\":\"Retrait et échange\",\"8+6BI0\":\"Soyez prudent - Vous êtes très proche de la liquidation. Envisagez de déposer plus de collatéral ou de rembourser certaines de vos positions empruntées\",\"87pUEW\":[\"Votre \",[\"name\"],\" Le portefeuille est vide. Acheter ou transférer des actifs.\"],\"8F1i42\":\"Page introuvable\",\"8G8M0u\":\"Chargement des données...\",\"8Iu1QS\":\"Retiré\",\"8JL93T\":\"Toutes les propositions\",\"8Q51DU\":\"Ajouter au portefeuille\",\"8X/oyn\":\"Montant invalide à frapper\",\"8Z5FPv\":\"Déconnecter le portefeuille\",\"8Zz7s5\":\"actifs\",\"8aLW8H\":\"Solde à révoquer\",\"8bOT3H\":\"Taux d'utilisation\",\"8sLe4/\":\"Voir le contrat\",\"8t/M0y\":\"Please connect your wallet to be able to bridge your tokens.\",\"8vETh9\":\"Montrer\",\"94OHPx\":\"Vous entrez en mode Isolation\",\"9CDK3/\":[\"L'emprunt n'est actuellement pas disponible pour \",[\"0\"],\".\"],\"9GIj3z\":\"Taille de réserve\",\"9Knqb4\":\"Solde de mise en jeu\",\"9OBKm7\":\"Quorum\",\"9QHoGr\":\"Votes actuels\",\"9Rw96f\":[\"Cet actif a presque atteint son plafond d'emprunt. Il n'y a que \",[\"messageValue\"],\" disponible pour être emprunté sur ce marché.\"],\"9Xj/qR\":[\"Certaines ressources migrées ne seront pas utilisées comme garantie en raison de l’activation du mode d’isolement dans \",[\"marketName\"],\" Marché V3. Visite <0>\",[\"marketName\"],\" Tableau de bord V3 pour gérer le mode d’isolation.\"],\"9c6vDV\":\"Cet actif a atteint son plafond d'offre. Rien n'est disponible pour être fourni à partir de ce marché.\",\"9kTWHA\":\"L’AMI a été suspendu en raison d’une décision de la communauté. L’offre, les emprunts et les remboursements sont impactés. <0>Plus d’informations\",\"9lXchd\":\"Jeton sous-jacent\",\"9rWaKF\":\"Bridged Via CCIP\",\"9xSooW\":\"Comme il s'agit d'un réseau de test, vous pouvez obtenir n'importe lequel des actifs si vous avez ETH dans votre portefeuille\",\"A/lwoe\":\"Choisissez l’un des services de rampe d’accès\",\"A6dCI6\":[\"Le montant maximal disponible pour emprunter est de <0/> \",[\"0\"],\" (<1/>).\"],\"AReoaV\":\"Vos emprunts\",\"ARu1L4\":\"Remboursé\",\"AV7cGz\":\"Examiner les détails de la taxe d'approbation\",\"AZOjB8\":\"Récupération de données...\",\"Ai0jas\":\"Rejoignez la discussion de la communauté\",\"Ajl2rq\":\"Le pouvoir d'emprunt et les actifs sont limités en raison du mode d'isolement.\",\"AqgYNC\":\"Plafond d’emprunt du protocole à 100% pour cet actif. Il n’est pas possible d’emprunter davantage.\",\"B3EcQR\":\"Merci d’avoir voté\xA0!!\",\"B6aXGH\":\"Stable\",\"B9Gqbz\":\"Taux variable\",\"BDFEd+\":\"Les stETH fournis en garantie continueront d’accumuler des récompenses de staking fournies par les rebasages quotidiens.\",\"BE2mP0\":\"Borrowed assets\",\"BJyN77\":\"Due to health factor impact, a flashloan is required to perform this transaction, but Aave Governance has disabled flashloan availability for this asset. Try lowering the amount or supplying additional collateral.\",\"BNL4Ep\":\"L'utilisation de la garantie est limitée en raison du mode d'isolement. <0>En savoir plus\",\"BQ/wCO\":\"Migrate your assets\",\"BjLdl1\":\"À prix réduit\",\"BnhYo8\":\"Catégorie d'actifs\",\"Bq9Y7e\":\"Cet actif est gelé en raison d’une décision de la communauté Aave. <0>Plus d’informations\",\"BqWMDJ\":\"Faucet\",\"BqynZO\":\"Optimized for efficiency and risk by supporting blue-chip collateral assets\",\"Bsu7zX\":\"The fee includes the gas cost to complete the transaction on the destination chain and the fee paid to Chainlink CCIP service providers. You can chose to pay in the network token or GHO. <0>Learn more\",\"BwJKBw\":\"de\",\"CDrsH+\":\"Fiche technique\",\"CK1KXz\":\"Max\",\"CMHmbm\":\"Glissement\",\"CZXzs4\":\"Grec\",\"CcRNG6\":\"Transistor\",\"CkTRmy\":[\"Revendication \",[\"symbol\"]],\"CsqtLm\":\"Veuillez connecter votre portefeuille pour voir l’outil de migration.\",\"CtGlFb\":[[\"networkName\"],\" Robinet\"],\"Cxt2YY\":\"Watch wallet\",\"D33VQU\":\"Cette action réduira le facteur de santé de V3 en dessous du seuil de liquidation. Augmenter les garanties migrées ou réduire les emprunts migrés pour continuer.\",\"D9BLRG\":\"This asset has been paused due to a community decision. Supply, withdraw, borrows and repays are impacted.\",\"DAma/S\":\"La garantie est (principalement) la même devise que celle qui est empruntée\",\"DCnFg0\":[\"Adresses (\",[\"0\"],\")\"],\"DG3Lv1\":\"Je comprends parfaitement les risques liés à la migration.\",\"DONJcV\":\"L'actif sous-jacent ne peut pas être sauvé\",\"DR+4uL\":\"Bilan de l’alimentation après le changement\",\"DWjrck\":[\"La ressource ne peut pas être migrée vers \",[\"marketName\"],\" V3 Market en raison des restrictions du mode E. Vous pouvez désactiver ou gérer les catégories du mode E dans votre <0>tableau de bord V3\"],\"Dj+3wB\":\"Aave par mois\",\"DptNvx\":\"Amount Staked\",\"DuEq2K\":\"Collatéralisation\",\"DxfsGs\":\"Vous pouvez signaler un incident sur notre <0>Discord ou<1>Github.\",\"Dzma+E\":\"Main Ethereum market with the largest selection of assets and yield options\",\"E/QGRL\":\"Désactivé\",\"EBL9Gz\":\"COPIÉ!\",\"ES8dkb\":\"Taux fixe\",\"EZd3Dk\":[\"Reprise \",[\"symbol\"]],\"Ebgc76\":[\"Retrait \",[\"symbole\"]],\"EdQY6l\":\"Aucun/Aucune\",\"EjvKQ+\":\"Valeur minimale en USD reçue\",\"Enslfm\":\"Destination\",\"EvE9nO\":[\"Réactiver la période de recharge pour annuler le pieu \",[\"0\"],\" \",[\"stakedToken\"]],\"EvECnL\":\"Migrer vers la v3\",\"EzMQbh\":\"The source chain time to finality is the main factor that determines the time to destination. <0>Learn more\",\"F40cwT\":\"Legacy Markets\",\"F6TdXL\":\"Pour en savoir plus.\",\"FDDPeZ\":\"Users can stake their assets in the protocol and earn incentives. In the case of a shortfall event, your stake can be slashed to cover the deficit, providing an additional layer of protection for the protocol.\",\"FHlMf/\":\"Solde actuel de la v2\",\"FHpxjF\":[\"Le facteur de réserve est un pourcentage de l’intérêt qui va à un \",[\"0\"],\" qui est contrôlé par la gouvernance Aave pour promouvoir la croissance de l’écosystème.\"],\"FOBZa6\":\"Puissance d'emprunt utilisée\",\"FPKEug\":\"Opération non prise en charge\",\"FbmMe7\":\"Linked addresses\",\"Fdp03t\":\"sur\",\"Fjw9N+\":\"Actifs à déposer\",\"FmN0fk\":\"Remise en jeu\",\"GDGLIs\":\"GHO est un actif numérique natif décentralisé et adossé à des garanties, indexé sur le dollar américain. Il est créé par les utilisateurs en empruntant contre plusieurs garanties. Lorsque l’utilisateur rembourse sa position d’emprunt de HO, le protocole brûle le GHO de cet utilisateur. Tous les paiements d’intérêts accumulés par les minters de GHO seraient directement transférés à la trésorerie d’AaveDAO.\",\"GQrBTq\":\"Changer de mode E\",\"GWswcZ\":\"Cet actif est gelé en raison d’une décision de gouvernance du protocole Aave. Le 20 décembre 2022, renFIL ne sera plus pris en charge et ne pourra plus être reconnecté à son réseau natif. Il est recommandé de retirer les positions d’offre et de rembourser les positions d’emprunt afin que renFIL puisse être relié à FIL avant la date limite. Après cette date, il ne sera plus possible de convertir renFIL en FIL. <0>Plus d’informations\",\"GX8GKD\":\"Actifs\",\"GgEj+0\":\"Mode lecture seule. Connectez-vous à un portefeuille pour effectuer des transactions.\",\"GjkIKV\":\"Prend fin\",\"GoK/QN\":\"Thank you for submitting feedback!\",\"GtP2hp\":[\"L'emprunt n'est pas disponible, car vous avez activé le mode d'efficacité (E-Mode) pour la catégorie \",[\"0\"],\". Pour gérer les catégories E-Mode, visitez votre <0>tableau de bord.\"],\"H6Ma8Z\":\"Rabais\",\"HB/wfS\":[[\"tooltipText\"]],\"HKDsQN\":\"Rewards can be claimed through\",\"Ha/U5f\":\"This is a program initiated and implemented by the decentralised ZKSync community. Aave Labs does not guarantee the program and accepts no liability.\",\"HciqKU\":\"This is a program initiated and implemented by the decentralised Aave community. Aave Labs does not guarantee the program and accepts no liability.\",\"Hi6Ttn\":\"Désolé, une erreur inattendue s’est produite. En attendant, vous pouvez essayer de recharger la page, ou revenir plus tard.\",\"HkEDbS\":[[\"d\"],\"d\"],\"HmkYqM\":\"Fenêtre d'arrêt de staking\",\"HpK/8d\":\"Recharger\",\"HrnC47\":\"Enregistrer et partager\",\"HuVZMK\":\"Days\",\"HvJKMU\":[\"La ressource ne peut pas être migrée vers \",[\"marketName\"],\" v3 Marché puisque l’actif collatéral activera le mode d’isolation.\"],\"Hvwnm9\":[\"La quantité maximale disponible pour l’approvisionnement est limitée parce que le plafond d’approvisionnement du protocole est à \",[\"0\"],\"%.\"],\"I8CX2c\":\"Le montant total de vos actifs libellés en USD qui peut être utilisé comme garantie pour emprunter des actifs.\",\"IAD2SB\":[\"Prétendant \",[\"symbol\"]],\"IG9X9/\":\"L’emprunt de cet actif est limité à un certain montant afin de minimiser l’insolvabilité du pool de liquidités.\",\"IOIx8L\":\"Il est prévu que cet actif soit désactivé en raison d’une décision de gouvernance du protocole Aave. <0>Plus d’informations\",\"IP+I/j\":\"Période de recharge\",\"IaA40H\":\"Liquidation à\",\"J/hVSQ\":[[\"0\"]],\"JCoxL6\":\"Gérer l’analytique\",\"JK9zf1\":[\"Intérêts composés estimés, y compris l’escompte pour le jalonnement \",[\"0\"],\"AAVE dans le module de sécurité.\"],\"JOqFba\":[\"Déjalonnement \",[\"symbol\"]],\"JPrLjO\":\"Vous ne pouvez pas utiliser cette devise comme garantie\",\"JU6q+W\":\"Récompense(s) à réclamer\",\"JYKRJS\":\"Stake\",\"JZMxX0\":\"Pas assez de solde sur votre portefeuille\",\"Jgflkm\":\"Get GHO\",\"JoMQnI\":\"Solde du portefeuille\",\"JtwD8u\":\"Emprunter le solde après le remboursement\",\"JumYTK\":\"Supplied assets\",\"K05qZY\":\"Retrait et échange\",\"KAz/NV\":\"Le plafond d’endettement du protocole est de 100% pour cet actif. Il n’est pas possible d’emprunter davantage sur cet actif.\",\"KLXVqE\":[\"Les tokens stETH seront migrés vers Wrapped stETH à l’aide du wrapper Lido Protocol, ce qui entraîne une modification de l’équilibre de l’offre après la migration : \",[\"0\"]],\"KLd6ky\":\"Use connected account\",\"KRpokz\":\"VOIR TX\",\"KSlpka\":\"Cela représente le seuil auquel une position d'emprunt sera considérée comme sous-garantie et sujette à liquidation pour chaque garantie. Par exemple, si une garantie a un seuil de liquidation de 80\xA0%, cela signifie que la position sera liquidée lorsque la valeur de la dette vaut 80 % de la valeur de la garantie.\",\"KYAjf3\":\"Isolé\",\"KZwRuD\":[[\"notifyText\"]],\"KkPgim\":\"Changement de mode E\",\"KnN1Tu\":\"Expire\",\"KoOBI2\":\"En raison de la mécanique interne de stETH requise pour le rebasage de la prise en charge, il n’est pas possible d’effectuer un changement de garantie où stETH est le jeton source.\",\"KojyJ4\":\"Mauvais réseau\",\"KsqhWn\":\"Staking\",\"KuBTQq\":\"Entrez l'adresse ETH\",\"KvG1xW\":\"Réclamer\",\"L+8Lzs\":\"LTV actuelle\",\"L+qiq+\":\"Marché\",\"LDzfVJ\":\"Send Feedback\",\"LIrMcF\":\"Pas de pouvoir de vote\",\"LL0zks\":\"Peut être collatéral\",\"LLdJWu\":\"AAVE Réclamable\",\"LSIpNK\":\"Emprunter et rembourser dans le même bloc n'est pas autorisé\",\"LVt3TI\":[\"<0>Tolérance de glissement <1>\",[\"selectedSlippage\"],\"% <2>\",[\"0\"],\"\"],\"LjafV8\":\"Maximum collateral amount to use\",\"LtpQew\":\"Let us know how we can make the app better for you. For user support related inquiries please reach out on\",\"LvVpD/\":\"Emode\",\"M2sknc\":\"Astuce : Essayez d’augmenter le glissement ou de réduire la quantité d’entrée\",\"M7wPsD\":\"Interrupteur\",\"MFu33y\":\"Staking 00\",\"MIy2RJ\":\"Maximum amount received\",\"MZ/nQf\":\"Adresse du destinataire\",\"Ma/MtY\":\"vue de staking\",\"McHlGl\":\"Changement d’APY\",\"MeCCA+\":\"APY, variable\",\"MghdTe\":\"Si le facteur de santé descend en dessous de 1, la liquidation de votre collatéral peut être déclenchée.\",\"Mm/DVQ\":\"Vous avez annulé la transaction.\",\"MnE2QX\":\"Emprunter des informations\",\"MrmQHg\":\"View Bridge Transactions\",\"MuDFEQ\":\"Valeur de retour invalide de la fonction flashloan executor\",\"N5kUMV\":\"L’actif ne peut être utilisé comme garantie qu’en mode isolé avec un pouvoir d’emprunt limité. Pour passer en mode d’isolation, désactivez toutes les autres garanties.\",\"N6Pxr9\":\"View all\",\"NF0e1Q\":\"En attente...\",\"NK9ikO\":\"Solde du portefeuille\",\"NMt2CB\":\"Montant réclamable\",\"NcFGxG\":\"Contrat de collectionneur\",\"NfpPeS\":\"Rien staké\",\"Nh9DAo\":[[\"m\"],\"m\"],\"O+sCUU\":\"Le plafond de mintage non soutenu est dépassé\",\"O+tyU+\":[\"Le montant maximal disponible pour emprunter sur cet actif est limité car le plafond de la dette est à \",[\"0\"],\"%.\"],\"O3oNi5\":\"Email\",\"OFjZGo\":\"Unstake\",\"OR8cYX\":\"Aperçu de la proposition\",\"OYuJ9K\":\"Le plafond d’endettement du protocole est de 100% pour cet actif. Il n’est pas possible d’emprunter sur cet actif.\",\"OfhWJH\":\"Réinitialisation\",\"Og2SKn\":\"handicapé\",\"On0aF2\":\"Site internet\",\"OsyKSt\":\"Retirer\",\"P1dURE\":\"Révoquer le pouvoir\",\"P2WCD/\":[\"L’actif sous-jacent n’existe pas dans \",[\"marketName\"],\" v3 Market, par conséquent, cette position ne peut pas être migrée.\"],\"P2sL6B\":\"Lorsqu'une liquidation survient, les liquidateurs remboursent jusqu'à 50 % de l'encours emprunté au nom de l'emprunteur. En contrepartie, ils peuvent acheter le collatéral à prix réduit et conserver la différence (pénalité de liquidation) en bonus.\",\"P6sRoL\":\"Mise en jeu ABPT\",\"P72/OW\":\"La moyenne pondérée de l'APY pour tous les actifs empruntés, y compris les incitatifs.\",\"P7e6Ug\":\"Veuillez connecter votre portefeuille pour consulter l’historique des transactions.\",\"PByO0X\":\"Votes\",\"PI+kVe\":\"Disable fork\",\"PJK9u/\":\"Emprunter apy\",\"PLUB/s\":\"Fee\",\"PP5ZA8\":[\"Participating in staking \",[\"symbol\"],\" gives annualized rewards. Your wallet balance is the sum of your aTokens and underlying assets. The breakdown to stake is below\"],\"PcBUgb\":\"Seuil de liquidation\",\"PjU6bu\":\"This asset is eligible for SPK incentive program. Aave Labs does not guarantee the program and accepts no liability.\",\"PpqD5g\":\"L'activation de cet actif comme garantie augmente votre pouvoir d'emprunt et votre facteur de santé. Cependant, il peut être liquidé si votre facteur de santé tombe en dessous de 1.\",\"PsOFSf\":\"Cette action réduira le facteur de santé V2 en dessous du seuil de liquidation. Conservez la garantie ou migrez la position d’emprunt pour continuer.\",\"Pu4bI/\":[[\"currentMethod\"]],\"Q0LzKi\":\"View TX\",\"Q4eNqa\":\"The Aave Balancer Pool Token (ABPT) is a liquidity pool token. You can receive ABPT by depositing a combination of AAVE + wstETH in the Balancer liquidity pool. You can then stake your BPT in the Safety Module to secure the protocol and earn Safety Incentives.\",\"QQYsQ7\":\"Withdrawing\",\"QWYCs/\":\"Stake GHO\",\"R+30X3\":\"Non atteint\",\"RCU5PY\":\"Age\",\"RIfckG\":[\"Désactiver \",[\"symbol\"],\" comme garantie\"],\"RMtxNk\":\"Différentiel\",\"RNK49r\":\"Signature non valide\",\"RS0o7b\":\"État\",\"RU+LqV\":\"Détails de la proposition\",\"RYTgZX\":\"lorem ipsum\",\"RbXH+k\":\"AAVE, GHO, and ABPT holders (Ethereum network only) can stake their assets in the Safety Module to add more security to the protocol and earn Safety Incentives. In the case of a shortfall event, your stake can be slashed to cover the deficit, providing an additional layer of protection for the protocol.\",\"RiSYV4\":\"L'actif n'est pas répertorié\",\"Rj01Fz\":\"Liens\",\"RmWFEe\":\"APR staké\",\"RoafuO\":\"Envoyer des commentaires\",\"RtBLm7\":\"Le facteur santé est inférieur au seuil de liquidation\",\"RxzN1M\":\"Activé\",\"SDav7h\":\"Fonds dans le Safety Module\",\"SENccp\":\"Si l’erreur persiste,<0/> vous pouvez la signaler à ce\",\"SIWumd\":\"Afficher les ressources gelées ou mises en pause\",\"SM58dD\":\"Quantité en temps de recharge\",\"SSMiac\":\"Impossible de charger les votants de proposition. Veuillez rafraîchir la page.\",\"SSQVIz\":\"Seuil de liquidation\",\"SUb8x0\":\"Total disponible\",\"SWIgh4\":\"Fees exceed wallet balance\",\"SY9hVo\":\"Le mode lecture seule permet de voir les positions d’adresses dans Aave, mais vous ne pourrez pas effectuer de transactions.\",\"SZRUQ4\":\"Glissement maximal\",\"Sa1UE/\":\"Le plafond d’emprunt du protocole est de 100 % pour cet actif. Il n’est pas possible d’emprunter davantage.\",\"Sk2zW9\":\"Désactiver le E-mode\",\"SxaD0o\":\"Le fournisseur d'adresses de pool n'est pas enregistré\",\"T/AIqG\":\"Limite d’approvisionnement du protocole à 100 % pour cet actif. D’autres approvisionnements ne sont pas disponibles.\",\"T0xCO9\":\"Can't validate the wallet address. Try again.\",\"T4OhVl\":\"GHO balance\",\"T6uYU2\":\"Emprunter\",\"TFxQlw\":\"Pénalité de liquidation\",\"TQ7WsV\":\"Available to stake\",\"TUI7iB\":\"L'actif ne peut être utilisé comme garantie qu'en mode isolé.\",\"TbjyhA\":\"Docs\",\"TduuS0\":\"L'utilisateur n'a pas de dette à taux stable impayée sur cette réserve\",\"TeCFg/\":\"Modification du taux d’emprunt\",\"Tg1JyO\":\"Bridge history\",\"TskbEN\":\"Les détenteurs de stkAAVE bénéficient d’une réduction sur le taux d’emprunt GHO\",\"TszKts\":\"Emprunter le solde après le changement\",\"TtZL6q\":\"Paramètres du modèle de remise\",\"TwJI9F\":\"Asset has been successfully sent to CCIP contract. You can check the status of the transactions below\",\"Tz0GSZ\":\"Activités bloquées\",\"U/eBjN\":\"Recharger la page\",\"U2r8nY\":\"Choose how much voting/proposition power to give to someone else by delegating some of your AAVE, stkAAVE or aAave balance. Your tokens will remain in your account, but your delegate will be able to vote or propose on your behalf. If your AAVE, stkAAVE or aAave balance changes, your delegate's voting/proposition power will be automatically adjusted.\",\"U8IubP\":\"L’application s’exécute en mode réseau de test. Découvrez comment cela fonctionne dans\",\"U9btTk\":\"L'actif n'est pas empruntable en mode d'isolement\",\"UAOZRe\":\"L’impact sur les prix est l’écart entre la valeur totale des tokens d’entrée échangés et les tokens de destination obtenus (en USD), qui résulte de la liquidité limitée de la paire de trading.\",\"UE3KJZ\":\"L’historique des transactions n’est actuellement pas disponible pour ce marché\",\"URmyfc\":\"Détails\",\"UTTKmT\":\"Temps de recharge de la mise activé\",\"UXeR72\":\"Ces fonds ont été empruntés et ne peuvent pas être retirés pour le moment.\",\"UYb8CM\":\"Learn more about the SPK rewards\",\"UbRrG0\":\"Le ratio LTV maximum représente le pouvoir d'emprunt maximum d'une garantie spécifique. Par exemple, si une garantie a un LTV de 75 %, l'utilisateur peut emprunter jusqu'à 0,75 ETH dans la devise principale pour chaque 1 ETH de garantie.\",\"UpndFj\":\"Aucune récompense à réclamer\",\"V0f2Xv\":\"Facteur de réserve\",\"V1HK43\":\"Risques liés à la migration\",\"VATFH9\":\"Dette couverte\",\"VHOVEJ\":\"Connecter le portefeuille\",\"VMfYUK\":\"Sécurité de votre garantie déposée contre les actifs empruntés et sa valeur sous-jacente.\",\"VOAZJh\":\"Total des emprunts\",\"ViKYxK\":\"YAE\",\"W1SSoD\":\"Examiner les détails de la transaction\",\"W5hVah\":\"Rien fourni pour le moment\",\"W5kTFy\":\"Vote\",\"W8ekPc\":\"Retour au tableau de bord\",\"WMPbRK\":\"Sans support\",\"WNGZwH\":\"E-Mode augmente votre LTV pour une catégorie d'actifs sélectionnée jusqu'à <0/>. <1>En savoir plus\",\"WPWG/y\":\"Statut et configuration de la réserve\",\"WZLQSU\":\"L'utilisateur ne peut pas retirer plus que le solde disponible\",\"WaZyaV\":\"<0>Ampleforth est un actif de rebasage. Consultez la <1>documentation pour en savoir plus.\",\"WfU+XN\":\"Étant donné que cette ressource est suspendue, aucune action ne peut être entreprise jusqu’à nouvel ordre\",\"Wjmqs2\":\"No results found. You can import a custom token with a contract address\",\"WkZ6C6\":\"Pour emprunter, vous devez fournir tout actif à utiliser comme garantie.\",\"WyMiQm\":\"Vous avez réussi à changer de jeton.\",\"X/ITG9\":\"Copier le texte d'erreur\",\"X3Pp6x\":\"Utilisé comme collatéral\",\"X4Zt7j\":\"L'action ne peut pas être effectuée car la réserve est mise en pause\",\"XBdKOj\":\"Representative smart contract wallet (ie. Safe) addresses on other chains.\",\"XZzneG\":\"Vous quitterez le mode d'isolement et d'autres jetons peuvent désormais être utilisés comme collatéral\",\"Xg5y9S\":\"Amount to Bridge\",\"Xn4hUi\":\"Veuillez toujours tenir compte de votre <0>facteur de santé (HF) lors de la migration partielle d’une position et que vos tarifs seront mis à jour vers les taux V3.\",\"Xy71ST\":\"Umbrella\",\"Y5kGkc\":\"VOTER NON\",\"YDIOks\":\"Activation du E-Mode\",\"YSodyW\":\"Cette action réduira votre facteur de santé. Veuillez garder à l’esprit le risque accru de liquidation des garanties.\",\"YXOWXM\":\"The total amount bridged minus CCIP fees. Paying in network token does not impact gho amount.\",\"YirHq7\":\"Feedback\",\"YogbCJ\":\"Le mode réseau de test est activé\",\"YrDxdO\":\"Si votre prêt à la valeur dépasse le seuil de liquidation, votre garantie fournie peut être liquidée.\",\"YyIM65\":\"Les conditions de rééquilibrage des taux d'intérêt n'ont pas été remplies\",\"YyydIq\":[\"Ajouter \",[\"0\"],\" à Wallet pour suivre votre solde.\"],\"ZBvhI+\":\"Gouvernance Aave\",\"ZIIRAd\":\"Raw-Ipfs\",\"ZRq4tX\":\"Mode efficacité (E-Mode)\",\"ZSqEW+\":\"Manage E-Mode\",\"ZUFYFE\":\"Désactiver le réseau de test\",\"Zbyywy\":\"Coupure maximale\",\"ZfUGFb\":\"Avant de déposer\",\"ZiXN+B\":\"Assets to stake\",\"ZlsSDH\":\"Valeur de liquidation\",\"ZrEc8j\":\"Nous n’avons trouvé aucun élément lié à votre recherche. Réessayez avec un autre nom, symbole ou adresse de ressource.\",\"ZsLF7e\":\"Activé\",\"a0YQoQ\":\"Enter a valid address\",\"a2fBZn\":\"Temps restant pour dépiquer\",\"a5RYZd\":\"La désactivation de cet actif en tant que garantie affecte votre pouvoir d'emprunt et votre facteur de santé.\",\"a7u1N9\":\"Prix\",\"a9D+6D\":\"Non jalonné\",\"aEtiwq\":\"Vote NAY\",\"aMmFE1\":\"Acheter des crypto-monnaies avec des monnaies fiduciaires\",\"aOKIms\":\"Les paramètres de tableau devraient être de même longueur ne sont pas\",\"aX31hk\":\"Votre solde est inférieur au montant sélectionné.\",\"adUsDd\":\"An error has occurred fetching the proposal.\",\"al6Pyz\":\"Dépasse la remise\",\"aoXTT7\":\"Prêt APY, variable\",\"aqX1Yp\":\"This asset is eligible for rewards through SuperFest. Aave Labs does not guarantee the program and accepts no liability.\",\"avgETN\":\"Eligible for the Merit program.\",\"b4NS3e\":\"Avertissement de période de refroidissement\",\"bNEQeI\":\"Cooldown\",\"bSruit\":\"ZKSync Ignite Program rewards are claimed through the\",\"bUUVED\":\"Actif\",\"bXQ/Og\":\"Partager sur Twitter\",\"bXr0ee\":\"Les actifs isolés ont un pouvoir d'emprunt limité et les autres actifs ne peuvent pas être utilisés comme garantie.\",\"bYmAV1\":\"Adresses\",\"bguKoJ\":\"Le montant demandé est supérieur au montant maximum du prêt en mode taux stable\",\"bwSQI0\":\"Fournir\",\"bxN6EM\":\"Impossible de désactiver le mode E\",\"bxmzSh\":\"Pas assez de collatéral pour rembourser ce montant de dette avec\",\"c91vuQ\":\"L'adresse n'est pas un contrat\",\"c97os2\":\"Aave aToken\",\"c9b44w\":\"Vous ne pouvez pas retirer ce montant car cela entraînera un appel de garantie\",\"cBc+4A\":\"Il s'agit du montant total que vous pouvez emprunter. Vous pouvez emprunter en fonction de votre garantie et jusqu'à ce que le plafond d'emprunt soit atteint.\",\"cIl5kp\":\"Votre pouvoir de vote est basé sur votre solde AAVE/stkAAVE et les délégations reçues.\",\"cLo09S\":\"Détails des risques\",\"cNT+ij\":\"L'emprunt n'est pas disponible car vous avez activé le mode Efficacité (E-Mode) et le mode Isolation. Pour gérer le mode E et le mode Isolation, rendez-vous sur votre <0>tableau de bord.\",\"cZOeBk\":\"Something went wrong fetching bridge message, please try again later.\",\"ceix5S\":\"Pour soumettre une proposition de modifications mineures du protocole, vous aurez besoin d’une puissance d’au moins 80,00 K. Si vous souhaitez modifier la base de code de base, vous aurez besoin d’une puissance de 320k. <0>Pour en savoir plus.\",\"ciybUa\":\"Vote YAE\",\"ckf7gX\":[\"Remboursement \",[\"symbole\"]],\"cp1ZDP\":[\"Bridge \",[\"symbol\"]],\"cqnmnD\":\"Taux d’intérêt effectif\",\"cqwIvs\":\"Discussion de forum\",\"csDS2L\":\"Disponible\",\"cu7Stb\":\"Vous n'avez pas participé à cette proposition\",\"dE6BLF\":\"Gouvernance\",\"dEgA5A\":\"Annuler\",\"dIsyWh\":\"Échec de la validation LTV\",\"dMtLDE\":\"À\",\"dOB5nW\":[\"La quantité maximale disponible pour la fourniture est de <0/> \",[\"0\"],\" (<1/>).\"],\"dVfODp\":\"Vous n'avez pas assez de fonds dans votre portefeuille pour rembourser le montant total. Si vous continuez à rembourser avec votre montant actuel de fonds, vous aurez toujours une petite position d'emprunt dans votre tableau de bord.\",\"dXUQFX\":\"Actifs à emprunter\",\"dgr1aY\":\"L’emprunt est désactivé en raison d’une décision de la communauté Aave. <0>Plus d’informations\",\"djsg0o\":\"Usage de collatéral\",\"dpc0qG\":\"Variable\",\"drdV8R\":\"Liquidation\",\"dxW8cS\":\"Jeton de dette Aave\",\"e4V3oW\":\"Top 10 des adresses\",\"eD8WX/\":\"L'action nécessite une réserve active\",\"eJRJ04\":\"Montant à la mise en jeu\",\"eLh0cL\":\"Le slippage est la différence entre les montants cotés et reçus en raison de l’évolution des conditions du marché entre le moment où la transaction est soumise et sa vérification.\",\"ePK91l\":\"Edit\",\"eVpCmf\":\"Récompenses de staking\",\"eVqvtf\":\"Bridge GHO\",\"eYdurp\":\"Aucune transaction n’a encore été effectuée.\",\"ebLGGN\":\"Total emprunté\",\"ecqEvn\":\"Le solde de la garantie est de 0\",\"efdrrk\":\"Disponible sur\",\"enruNF\":\"Commence\",\"eqLYiD\":\"Arrêter de staker maintenant\",\"euScGB\":\"APY avec remise appliquée\",\"evw5ha\":\"Valeur nette\",\"ezcU16\":\"Obtenir le jeton ABP\",\"f3W0Ej\":[\"Vous êtes passé au tarif \",[\"0\"]],\"fH9i8k\":\"Vous avez réussi à changer de position d’emprunt.\",\"fHcELk\":\"APR Net\",\"fMJQZK\":\"Emprunté\",\"fZ5Vnu\":\"Reçu\",\"firl9Q\":\"Votre prêt actuel à la valeur en fonction de votre collatéral fournie.\",\"flRCF/\":\"Remise sur le staking\",\"fldjW9\":\"Prévisualiser tx et migrer\",\"fsBGk0\":\"Solde\",\"fu1Dbh\":[\"Retirer \",[\"symbole\"]],\"fwjWSI\":\"Fourni\",\"fwyTMb\":\"Migrate to stkABPT v2\",\"g0mals\":\"You can not disable E-Mode because that could cause liquidation. To exit E-Mode supply or repay borrowed positions.\",\"g2UNkE\":\"Alimenté par\",\"g8KGoA\":\"Foire aux questions\",\"g9zzqS\":\"A voté NAY\",\"gDd2gk\":\"about SuperFest.\",\"gFFh9h\":\"Tout est fait !\",\"gIMJlW\":\"Mode réseau test\",\"gOzPxe\":\"Cet actif est gelé en raison d’une décision de gouvernance du protocole Aave. <0>Plus d’informations\",\"gTHi2T\":\"L'utilisateur essaie d'emprunter plusieurs actifs, y compris un en silo\",\"gVW59Y\":\"Veuillez connecter votre portefeuille pour obtenir des ressources de réseau de test gratuites.\",\"gcFNxP\":\"Approuver Confirmé\",\"gncRUO\":\"Cette adresse est bloquée sur app.aave.com car elle est associée à un ou plusieurs\",\"goff7V\":\"Adresse zéro non-valide\",\"gp+f1B\":\"Variante 3\",\"gr8mYw\":\"Vous pouvez emprunter jusqu’à GHO à <0/> <1/> (rabais maximum)\",\"gvTM4B\":\"L'APY net est l'effet combiné de toutes les positions d'offre et d'emprunt sur la valeur nette, y compris les incitations. Il est possible d'avoir un APY net négatif si l'APY de la dette est supérieur à l'APY de l'offre.\",\"gzcch9\":\"Frais de protocole de pont invalide\",\"h33MxW\":\"Representing smart contract wallet (ie. Safe) addresses on other chains.\",\"h3ilK+\":\". .CSV\",\"hB23LY\":\"Activer le temps de recharge\",\"hIJzBh\":\"Available to Claim\",\"hIS4N0\":\"APY Net\",\"hRWvpI\":\"Revendiqué\",\"hdmy/o\":\"Le % de votre pouvoir d'emprunt total utilisé. Ceci est basé sur le montant de votre garantie fournie et le montant total que vous pouvez emprunter.\",\"hehnjM\":\"Montant\",\"hjDCQr\":\"Il y a eu une erreur. Veuillez essayer de modifier les paramètres ou <0><1>copier l'erreur\",\"hom7qf\":\"Réclamer\",\"hpHJ4I\":\"Garantie liquidée\",\"hpuVIp\":\"Users who stake AAVE in Safety Module (i.e. stkAAVE holders) receive a discount on GHO borrow interest rate.\",\"huQ6Tz\":[\"Emprunter \",[\"symbole\"]],\"hxi7vE\":\"Emprunter le solde\",\"i/fZ2Z\":\"Staked Balance\",\"i2JTiw\":\"Vous pouvez saisir un montant personnalisé dans le champ.\",\"iB5+/J\":\"À propos de GHO\",\"iChbOF\":\"Paramètres de prêt flash incohérents\",\"iEPVHF\":\"Pas assez de pouvoir de vote pour participer à cette proposition\",\"iEW87X\":\"Délégation de pouvoirs\",\"iEju36\":[\"Vous avez voté \",[\"0\"]],\"iFq2YN\":\"Borrowable\",\"iGxyIA\":\"Safety Module\",\"iMVZk9\":\"Sélectionner la tolérance de glissement\",\"iPMIoT\":\"Entrez un montant\",\"iSLIjg\":\"Connect\",\"iUo5rv\":\"tokens n'est pas la même chose que de les staker . Si vous souhaitez staker votre\",\"iZxa38\":\"Utilisez-le pour voter pour ou contre les propositions actives.\",\"if5PH+\":\"Informations sur le collectionneur\",\"igkfR1\":[\"En mode Isolation, vous ne pouvez pas fournir d’autres actifs en garantie. Un plafond d’endettement global limite le pouvoir d’emprunt de l’actif isolé. Pour quitter le mode d’isolement, désactivez \",[\"0\"],\" en garantie avant d’emprunter un autre actif. Pour en savoir plus, consultez notre <0>FAQ\"],\"il0sEG\":\"L'utilisation du collatéral est limitée en raison du mode d'isolation.\",\"j+K1Xj\":\"Amount After Fee\",\"jA2QeW\":\"Fournir votre\",\"jFi7dz\":\"Interest rate that is determined by Aave Governance. This rate may be changed over time depending on the need for the GHO supply to contract/expand. <0>Learn more\",\"jG3UJ7\":\"Désactiver le E-mode\",\"jKYzR1\":\"Activer le E-Mode\",\"jMam5g\":[[\"0\"],\" Balance\"],\"jSYv+Z\":\"Enabling E-Mode allows you to maximize your borrowing power, however, borrowing is restricted to assets within the selected category. <0>Learn more about how it works and the applied restrictions.\",\"jaKbwW\":[[\"s\"],\"s\"],\"jbFMap\":\"Temps de recharge restant\",\"jeMZNr\":[[\"0\"],\" Le service de rampe d’accès est fourni par le fournisseur externe et, en le sélectionnant, vous acceptez les conditions du fournisseur. Votre accès au service peut dépendre de l’opérationnalité du fournisseur externe.\"],\"jfl9OP\":\"Migré\",\"jmXdoY\":\"En E-Mode, certains actifs ne sont pas empruntables. Quittez le E-mode pour accéder à tous les actifs\",\"jpctdh\":\"Vue\",\"jqzUyM\":\"Non disponible\",\"k/sb6z\":\"Choisir la langue\",\"k3wP3f\":\"<0>Attention: Les changements de paramètres via la gouvernance peuvent modifier le facteur de santé de votre compte et le risque de liquidation. Suivez le <1>forum de gouvernance d’Aave pour les mises à jour.\",\"kACpF3\":[\"Réclamer \",[\"0\"]],\"kH6wUX\":\"Impact sur les prix\",\"kIC28N\":\"Available to claim\",\"kIpSye\":[[\"numSelected\"],\"/\",[\"numAvailable\"],\" Actifs sélectionnés\"],\"kN1Yg5\":\"Pour rembourser au nom d'un utilisateur, un montant explicite à rembourser est nécessaire\",\"kRTD40\":[\"Montant de remboursement à atteindre \",[\"0\"],\"% d’utilisation\"],\"kjN9tT\":\"Le plafond d'approvisionnement est dépassé\",\"knxE+G\":\". JSON (en anglais seulement)\",\"ks2LWT\":\"Le plafond de la dette n'est pas nul\",\"kwwn6i\":\"Les utilisateurs qui misent des AAVE dans le module de sécurité (c’est-à-dire les détenteurs de stkAAVE) bénéficient d’une réduction sur le taux d’intérêt d’emprunt de HO. La réduction s’applique à 100 GHO pour chaque 1 stkAAVE détenu. Utilisez le calculateur ci-dessous pour voir le taux d’emprunt GHO avec le rabais appliqué.\",\"kz3wtK\":\"and about SPK program\",\"kzZyM4\":\"DAI balance will be converted via DSR contracts and then supplied as sDAI. Switching incurs no additional costs and no slippage.\",\"lNVG7i\":\"Sélectionner une ressource\",\"lU2d1/\":[\"L’actif ne peut pas être migré en raison d’une liquidité insuffisante ou d’une limitation du plafond d’emprunt \",[\"marketName\"],\" v3 marché.\"],\"lVhKKI\":\"A voté YAE\",\"lWLqxB\":\"Nous n’avons trouvé aucune transaction liée à votre recherche. Réessayez avec un autre nom de ressource ou réinitialisez les filtres.\",\"lYGfRP\":\"Anglais\",\"lfEjIE\":\"En savoir plus dans notre <0>guide FAQ\",\"lt6bpt\":\"Garantie à rembourser\",\"m/IEhi\":\"Émission totale par jour\",\"m7r7Hh\":\"Sélection d’actifs d’emprunt\",\"mDDK4p\":\"Balancer Pool\",\"mIM0qu\":\"Montant prévu à rembourser\",\"mUAFd6\":\"Variante 2\",\"masO5Z\":\"E-Mode increases your LTV for a selected category of assets. <0>Learn more\",\"mdNjKU\":[\"Votre \",[\"name\"],\" Le portefeuille est vide. Acheter ou transférer des actifs ou utiliser <0>\",[\"0\"],\" pour transférer votre \",[\"network\"],\" actif.\"],\"muiOng\":[\"Acheter \",[\"cryptoSymbol\"],\" avec Fiat\"],\"mvCXBY\":\"Mise en jeu AAVE\",\"mwdzil\":\"D'accord, fermer\",\"mzI/c+\":\"Télécharger\",\"mzdIia\":\"L'actif ne peut pas être utilisé comme collatéral.\",\"n+SX4g\":\"Développeurs\",\"n8Psk4\":\"Nous n’avons pas pu détecter de portefeuille. Connectez un portefeuille pour staker et consulter votre solde.\",\"nJIhzm\":\"Fournir apy\",\"nJgsQu\":\"Avec un pouvoir de vote de <0/>\",\"nLC6tu\":\"Français\",\"nN2T8p\":\"During the cooldown period, you will not earn any merit rewards. However, rewards earned up to this point will remain unaffected.\",\"nNHV0z\":\"La migration simultanée de plusieurs garanties et d’actifs empruntés peut s’avérer coûteuse et peut échouer dans certaines situations. <0>Par conséquent, il n’est pas recommandé de migrer des positions avec plus de 5 actifs (déposés + empruntés) en même temps.\",\"nNbnzu\":\"Proposition\",\"nOy4ob\":\"Nous vous suggérons de revenir au tableau de bord.\",\"nPGNMh\":\"Peut être exécuté\",\"nUK1ou\":[\"Assets with zero LTV (\",[\"0\"],\") must be withdrawn or disabled as collateral to perform this action\"],\"nakd8r\":\"Les détenteurs de stkAAVE bénéficient d’une réduction sur le taux d’emprunt GHO\",\"nh2EJK\":[\"Veuillez passer à \",[\"networkName\"],\".\"],\"njBeMm\":\"Les deux\",\"noN5Xf\":\"We couldn’t detect a wallet. Connect a wallet to view your staking positions and rewards.\",\"ntkAoE\":\"Remise appliquée pour <0/> le staking d’AAVE\",\"ntyFSE\":[[\"h\"],\"h\"],\"nwtY4N\":\"Quelque chose s’est mal passé\",\"nxyWvj\":\"Le retrait de ce montant réduira votre facteur santé et augmentera le risque de liquidation.\",\"o17QVP\":\"Votre facteur de santé et votre prêt à la valeur déterminent l'assurance de votre collatéral. Pour éviter les liquidations, vous pouvez fournir plus de garanties ou rembourser les positions d'emprunt.\",\"o1xc2V\":\"L'approvisionnement en aTokens n'est pas nul\",\"o4tCu3\":\"Emprunter de l’APY\",\"o5ooMr\":\"Dette\",\"o7J4JM\":\"Filtrer\",\"oHFrpj\":\"Temps de recharge pour déstaker\",\"oJ5ZiG\":\"L'utilisateur n'a pas de dette à taux variable impayée sur cette réserve\",\"oRBGin\":\"Veuillez connecter votre portefeuille pour pouvoir échanger vos jetons.\",\"oUwXhx\":\"Ressources de test\",\"oWklJD\":\"Le taux d'intérêt stable <0>restera le même pendant toute la durée de votre prêt. Recommandé pour les périodes de prêt à long terme et pour les utilisateurs qui préfèrent la prévisibilité.\",\"odnIK3\":\"Time remaining until the 48 hour withdraw period starts.\",\"oiK5nY\":\"The current incentives period, decided on by the Aave community, has ended. Governance is in the process on renewing, check for updates. <0>Learn more.\",\"olREoo\":\"All borrow positions outside of this category must be closed to enable this category.\",\"om/XHs\":\"Disponible au dépôt\",\"ov0+mq\":\"Eligible for the ZKSync Ignite program.\",\"ovT1pF\":[\"Per the community, the \",[\"market\"],\" has been frozen.\"],\"ow3fug\":\"Rien n’a été trouvé\",\"owSsI3\":\"Signatures prêtes\",\"p+R52m\":\"Accéder à Balancer Pool\",\"p2A+s1\":[\"La période de recharge est de \",[\"0\"],\". Après \",[\"1\"],\" de temps de recharge, vous entrerez dans la fenêtre de désengagement de \",[\"2\"],\". Vous continuerez à recevoir des récompenses pendant le temps de recharge et la fenêtre de retrait.\"],\"p2S64u\":\"Le ratio prêt/valeur des positions migrées entraînerait la liquidation. Augmenter les garanties migrées ou réduire les emprunts migrés pour continuer.\",\"p2Z2Qi\":\"Cet actif a atteint son plafond d'emprunt. Rien n'est disponible pour être emprunté à ce marché.\",\"p3j+mb\":\"Votre solde de récompenses est de 0\",\"p45alK\":\"Configurer la délégation\",\"p6u2s1\":\"Minimum amount of debt to be repaid\",\"pDgeaz\":[[\"title\"]],\"pdZqBk\":\"Le solde sous-jacent doit être supérieur à 0\",\"pgWG9H\":\"Pas assez de solde staké\",\"piPrJ7\":\"veuillez vérifier que le montant que vous souhaitez fournir n'est pas actuellement utilisé pour le staking. S'il est utilisé pour le staking, votre transaction peut échouer.\",\"pjO/iH\":\"Minimum amount received\",\"pooutM\":\"Voting is on\",\"pqaM5s\":\"Confirming transaction\",\"ptaxX3\":[\"Je comprends comment fonctionnent le temps de recharge (\",[\"0\"],\") et le retrait (\",[\"1\"],\")\"],\"py2iiY\":\"L'appelant de cette fonction doit être un pool\",\"q/51mF\":\"Migrer vers la V3\",\"q3df11\":\"Stratégie de taux d’intérêt\",\"q6lAbz\":\"Staké\",\"qB4kPi\":\"Fournir APY\",\"qENI8q\":\"Paramètres globaux\",\"qGz5zl\":\"Solde de garantie après remboursement\",\"qOqbD6\":\"copier l'erreur\",\"qXCkEM\":\"Veuillez connecter votre portefeuille pour voir vos fournitures, vos emprunts et vos positions ouvertes.\",\"qY2jnw\":\"Expiration invalide\",\"qf/fr+\":\"Intérêts courus\",\"quYPUU\":\"Variable interest rate will <0>fluctuate based on the market conditions.\",\"quzIeW\":\"User is in isolation mode or LTV is zero\",\"qvnz3q\":\"Montant non valide à brûler\",\"rHgdb0\":\"Migrate to Aave V3\",\"rOrHHe\":\"Le montant doit être supérieur à 0\",\"rQ+R+0\":\"Sélection d’actifs d’approvisionnement\",\"rSayea\":\"APY\",\"rTBDeu\":[\"L’actif ne peut pas être migré car vous disposez d’une garantie isolée dans \",[\"marketName\"],\" v3 Marché qui limite les actifs empruntables. Vous pouvez gérer vos garanties dans <0>\",[\"marketName\"],\" Tableau de bord V3\"],\"rcT+yy\":\"Afficher les actifs avec 0 solde\",\"rf8POi\":\"Montant de l’actif emprunté\",\"riNWOA\":\"E-Mode\",\"rjGI/Q\":\"Vie privée\",\"rnKPW1\":\"Watch a wallet balance in read-only mode\",\"ruc7X+\":\"Ajoutez stkAAVE pour voir l’APY d’emprunt avec la remise\",\"rvbaFU\":[\"Bridging \",[\"symbol\"]],\"rwVVB7\":\"Réclamez toutes les récompenses\",\"rwyUva\":\"Ces actifs sont temporairement gelés ou suspendus par des décisions de la communauté Aave, ce qui signifie qu’il n’est pas possible d’obtenir / emprunter ou d’échanger des taux de ces actifs. Les retraits et les remboursements de dettes sont autorisés. Suivez le <0>forum de gouvernance d’Aave pour d’autres mises à jour.\",\"rxJW5W\":\"Votre pouvoir de proposition est basé sur votre solde AAVE/stkAAVE et les délégations reçues.\",\"s2jJnW\":\"You don't have any bridge transactions\",\"s5wBAq\":[\"Unstake \",[\"symbol\"]],\"sJbIdI\":\"Enter ETH address or ENS\",\"sK+Nag\":\"Réviser tx\",\"sP2+gB\":\"NON\",\"sQv06Y\":\"pour\",\"sTtO6J\":\"Confirm transaction\",\"sXKb3l\":\"Exchange rate\",\"sb0q4+\":\"Vous unstaké ici\",\"smJNwH\":\"Disponible à emprunter\",\"solypO\":\"Le facteur de santé n'est pas inférieur au seuil\",\"sr0UJD\":\"Retourner\",\"ss5GCK\":\"L'adresse du fournisseur d'adresses du pool n'est pas valide\",\"swEgK4\":\"Vos informations de vote\",\"t+wtgf\":\"Aucun emprunt pour l'instant\",\"t/YqKh\":\"Remove\",\"t81DpC\":[\"Approuver \",[\"symbol\"],\" pour continuer\"],\"tCnbEs\":\"Prix Oracle\",\"tFZLf8\":\"Ce calcul de gaz n'est qu'une estimation. Votre portefeuille fixera le prix de la transaction. Vous pouvez modifier les paramètres de gaz directement depuis votre fournisseur de portefeuille.\",\"tHuvQI\":\"Accéder au tableau de bord V3\",\"tKv7cI\":\"Changer de position d’emprunt\",\"tOcg3N\":\"Étant donné que cet actif est gelé, les seules actions disponibles sont le retrait et le remboursement, accessibles depuis le <0>tableau de bord\",\"tOuXfv\":[\"Emprunter le montant à atteindre \",[\"0\"],\"% d’utilisation\"],\"te9Bfl\":\"S'il vous plaît, connectez votre portefeuille\",\"tt5yma\":\"Vos ressources\",\"ttoh5c\":\"Passer à\",\"u3ZeYl\":\"La transaction a échoué\",\"u706uF\":\"Prime flash non valide\",\"u8Gfu7\":[\"Aucun résultat de recherche\",[\"0\"]],\"uAQUqI\":\"Status\",\"uHMwk8\":\"Aucune ressource n’a été sélectionnée pour la migration.\",\"uJPHuY\":\"Migration\",\"uY8O30\":\"Pour continuer, vous devez autoriser les contrats intelligents Aave à déplacer vos fonds depuis votre portefeuille. En fonction de l’actif et du portefeuille que vous utilisez, cela se fait en signant le message d’autorisation (sans gaz) ou en soumettant une transaction d’approbation (nécessite du gaz). <0>Pour en savoir plus\",\"udFheE\":\"For repayment of a specific type of debt, the user needs to have debt that type\",\"ulNuNq\":\"Exporter des données vers\",\"ulup2p\":\"Acheter des crypto-monnaies avec des monnaies fiduciaires\",\"umICAY\":\"<0><1><2/>Ajoutez stkAAVE pour voir le taux d’emprunt avec escompte\",\"usB84Z\":\"Le montant maximum disponible pour emprunter est limité car le plafond d’emprunt du protocole est presque atteint.\",\"uwAUvj\":\"COPIER L’IMAGE\",\"v8x7Mg\":\"Garantie insuffisante pour couvrir une nouvelle position d’emprunt. Le portefeuille doit avoir une capacité d’emprunt restante pour effectuer le transfert de dette.\",\"vEqxH9\":\"Restauré\",\"vLyv1R\":\"Cacher\",\"vMba49\":\"L'emprunt n'est pas activé\",\"vMpNwt\":\"Approuvez avec\",\"vXIe7J\":\"Language\",\"vesuBJ\":\"Vous permet de décider si vous souhaitez utiliser un actif fourni en tant que collatéral. Un actif utilisé comme collatéral affectera votre pouvoir d'emprunt et votre Health Factor.\",\"w+V9Cx\":\"Stablecoin\",\"w/JtJ3\":\"L'offre de dette stable n'est pas nulle\",\"w4VBY+\":\"Récompenses APR\",\"w9dLMW\":[[\"label\"]],\"wAOL+X\":[\"Vous \",[\"action\"],\" <0/> \",[\"symbole\"]],\"wBIsjb\":\"Canal Discord\",\"wQZbc/\":\"L'appelant de la fonction n'est pas un AToken\",\"wRRqvW\":\"Vous n'avez pas de fournitures dans cette devise\",\"wZFvVU\":\"VOTER OUI\",\"wb/r1O\":[\"Faucet \",[\"0\"]],\"wdxz7K\":\"Source\",\"weH1nG\":\"Le protocole Aave est programmé pour toujours utiliser le prix de 1 GHO = 1 $. C’est différent de l’utilisation des prix du marché via des oracles pour d’autres actifs cryptographiques. Cela crée des opportunités d’arbitrage stabilisatrices lorsque le prix du GHO fluctue.\",\"wh7Ezv\":\"You have no AAVE/stkAAVE/aAave balance to delegate.\",\"wlsIx7\":\"Avec testnet Faucet, vous pouvez obtenir des ressources gratuites pour tester le protocole Aave. Assurez-vous de changer votre fournisseur de portefeuille pour le réseau de test approprié, sélectionnez l’actif souhaité et cliquez sur «\xA0Faucet\xA0» pour obtenir des jetons transférés vers votre portefeuille. Les actifs d’un réseau de test ne sont pas « réels », ce qui signifie qu’ils n’ont aucune valeur monétaire. <0>Pour en savoir plus\",\"wmE285\":\"Get ABP v2 Token\",\"wyRrcJ\":\"As a result of governance decisions, this ABPT staking pool is now deprecated. You have the flexibility to either migrate all of your tokens to v2 or unstake them without any cooldown period.\",\"x5KiLL\":\"Les ressources sélectionnées ont été migrées avec succès. Rendez-vous sur le tableau de bord du marché pour les voir.\",\"x7F2p6\":\"Différentiel de courant\",\"x7K5ib\":[\"Votre \",[\"networkName\"],\" Le portefeuille est vide. Obtenir un test gratuit \",[\"0\"],\" à\"],\"x9iLRD\":\"tokens, veuillez vous rendre sur\",\"xNy/UG\":\"Rembourser avec\",\"xPm8wv\":\"En savoir plus sur les risques encourus\",\"xXYpZl\":[[\"0\"],\" Faucet\"],\"xaVBSS\":\"Vos informations\",\"xaWZ6f\":\"Changement de type APY\",\"xh6k71\":\"L’utilisation des garanties est limitée en raison du mode d’isolation.\",\"xvIklc\":\"Flashloan est désactivé pour cet actif, cette position ne peut donc pas être migrée.\",\"y5rS9U\":\"Émigrer\",\"y66tBm\":[\"Activer \",[\"symbol\"],\" comme collatéral\"],\"yB1YpA\":\"Mode Sombre\",\"yCrG6m\":\"Taille totale du marché\",\"yJUUbn\":\"Aperçu des transactions\",\"yLGmLX\":[\"Remise en jeu \",[\"symbol\"]],\"yW1oWB\":\"APY type\",\"yYHqJe\":\"Pas une adresse valide\",\"yZwLw6\":\"Suivre le portefeuille\",\"yh2sjd\":[\"Impact sur les prix \",[\"0\"],\"%\"],\"yhvj6d\":\"Vous ne pouvez pas changer d'utilisation en tant que mode de garantie pour cette devise, car cela entraînera un appel de garantie\",\"ylmtBZ\":\"The app is running in fork mode.\",\"ymNY32\":[\"Il n'y a pas assez de fonds dans la \",[\"0\"],\" réserve pour emprunter\"],\"yz7wBu\":\"Fermer\",\"z4uGQg\":\"Le plafond de la dette est dépassé\",\"z5UQOM\":\"La garantie choisie ne peut être liquidée\",\"z5Y+p6\":[\"Fournir \",[\"symbole\"]],\"zCjNKs\":\"L'action ne peut pas être effectuée car la réserve est gelée\",\"zRHytX\":\"Plafond de la dette isolée\",\"zTOjMP\":\"La limite d’approvisionnement du protocole est de 100 % pour cet actif. D’autres approvisionnements ne sont pas disponibles.\",\"zVdRUG\":\"Submission did not work, please try again later or contact wecare@avara.xyz\",\"zevmS2\":\"<0><1><2/>Ajoutez <3/> stkAAVE pour emprunter à <4/> (remise maximale)\",\"zgtIDV\":\"Dette restante\",\"zmTPiV\":\"Bilan d'approvisionnement\",\"zpPbZl\":\"Paramètres du risque de liquidation\",\"zucql+\":\"Menu\",\"zwWKhA\":\"Apprendre encore plus\",\"zy9fXn\":[\"L’actif est gelé \",[\"marketName\"],\" v3, donc cette position ne peut pas être migrée.\"],\"zys+R6\":\"Faites attention à la congestion du réseau et aux prix de l’essence.\",\"zzzTXS\":\"Merit Program rewards are claimed through the\"}")}; +/*eslint-disable*/module.exports={messages:JSON.parse("{\"+0xecS\":[\"Si vous NE vous désengagez PAS dans les \",[\"0\"],\" de la fenêtre de désengagement, vous devrez réactiver le processus de refroidissement.\"],\"+EGVI0\":\"Recevoir (est.)\",\"+VR63W\":[\"Participer à cette réserve \",[\"symbol\"],\" donne des récompenses annualisées.\"],\"+bmKdK\":\"Use your AAVE, stkAAVE, or aAave balance to delegate your voting and proposition powers. You will not be sending any tokens, only the rights to vote and propose changes to the protocol. You can re-delegate or revoke power to self at any time.\",\"+eOPG+\":\"On dirait que nous ne pouvons pas changer de réseau automatiquement. Veuillez vérifier si vous pouvez le changer depuis le portefeuille.\",\"+i3Pd2\":\"Limite d'emprunt\",\"+kLZGu\":\"Montant de l’actif fourni\",\"+nuEh/\":\"Estimated time\",\"+xMFF8\":\"Remind me\",\"/57U31\":\"Amount to migrate\",\"/7ykiW\":\"Emprunter ce montant réduira votre facteur santé et augmentera le risque de liquidation.\",\"/YA5pU\":\"E-Mode increases your LTV for a selected category of assets, meaning that when E-mode is enabled, you will have higher borrowing power over assets of the same E-mode category which are defined by Aave Governance. You can enter E-Mode from your <0>Dashboard. To learn more about E-Mode and applied restrictionn, see the <1>help guide or the <2>Aave V3 Technical Paper.\",\"/izjs/\":\"Montant minimum d’Aave mis en jeu\",\"/jQctM\":\"To\",\"/lDBHm\":\"FAQ\",\"/yNlZf\":\"L'emprunt stable n'est pas activé\",\"/yQcJM\":\"Valeur totale\",\"00AB2i\":\"L'utilisateur n'a pas emprunté la devise spécifiée\",\"00OflG\":\"Il n’y a pas assez de liquidités pour que l’actif cible puisse effectuer le changement. Essayez de réduire le montant.\",\"08/rZ9\":\"La période de recharge est le temps nécessaire avant de retirer vos jetons (20 jours). Vous ne pouvez retirer vos actifs du module de sécurité qu’après la période de recharge et pendant la période de désenjeu. <0>Pour en savoir plus\",\"0AmQcW\":\"Changement de taux\",\"0BF3yK\":\"Désolé, nous n’avons pas trouvé la page que vous cherchiez.\",\"0TAbjq\":\"Recent Transactions\",\"0jhlyw\":\"Risque de liquidation\",\"0ojY+Y\":\"Solde actuel v2\",\"0thX3P\":\"Modification des garanties\",\"0wGCWc\":\"Il s'agit du montant total que vous pouvez emprunter. Vous pouvez emprunter en fonction de votre garantie et jusqu'à ce que le plafond d'emprunt soit atteint.\",\"1AsVfF\":\"À l’heure actuelle, les données sur les prix ne sont pas disponibles pour cette réserve dans le sous-graphe du protocole\",\"1LjK22\":\"Historique des transactions\",\"1Onqx8\":[\"Approuver \",[\"symbol\"],\"...\"],\"1Ue8sX\":\"Veuillez connecter un portefeuille pour afficher vos informations personnelles ici.\",\"1bpx9A\":\"...\",\"1kWUB+\":\"Seuil de liquidation <0/>\",\"1m9Qqc\":\"Retrait et changement\",\"1oyh4g\":\"Borrow rate\",\"1t7rez\":\"L’offre d’actifs est limitée à un certain montant afin de réduire l’exposition du protocole à l’actif et d’aider à gérer les risques encourus.\",\"2CAPu2\":\"Vous avez retiré et échangé des jetons avec succès.\",\"2Eoi/a\":\"Voir détails\",\"2FYpfJ\":\"Plus\",\"2O3qp5\":\"Liquidités disponibles\",\"2OM8/D\":[\"L’actif ne peut pas être migré en raison d’une restriction de plafond d’approvisionnement dans \",[\"marketName\"],\" v3 marché.\"],\"2Q4GU4\":\"Adresse bloquée\",\"2ZGocC\":\"Aave est un protocole entièrement décentralisé et régi par la communauté par les détenteurs de jetons AAVE. Les détenteurs de jetons AAVE discutent, proposent et votent collectivement sur les mises à niveau du protocole. Les détenteurs de jetons AAVE (réseau Ethereum uniquement) peuvent soit voter eux-mêmes sur de nouvelles propositions, soit choisir l’adresse de leur choix. Pour en savoir plus, consultez la page Gouvernance\",\"2a6G7d\":\"Veuillez saisir une adresse de portefeuille valide.\",\"2bAhR7\":\"Rencontrez GHO\",\"2eBWE6\":\"Je reconnais les risques encourus.\",\"2o/xRt\":\"Plafond d'approvisionnement sur la réserve cible atteint. Essayez de réduire le montant.\",\"2uJToh\":[[\"0\"],[\"name\"]],\"2x58bP\":\"L'emprunt stable est activé\",\"34Qfwy\":\"Le plafond d'emprunt est dépassé\",\"39eQRj\":[\"Emprunter \",[\"symbole\"]],\"3BL1xB\":\"Total fourni\",\"3BnIWi\":\"Commuté\",\"3K0oMo\":\"Offre restante\",\"3MoZhl\":\"Il n'y a pas assez de collatéral pour couvrir un nouvel emprunt\",\"3Np5O8\":[\"Fournir \",[\"symbole\"]],\"3O8YTV\":\"Total des intérêts courus\",\"3mXg0z\":\"Max LTV\",\"3q3mFy\":\"Rembourser\",\"3qsjtp\":\"La moyenne pondérée de l'APY pour tous les actifs fournis, y compris les incitations.\",\"3rL+os\":\"Vous ne pouvez retirer vos actifs du module de sécurité qu'après la fin de la période de refroidissement et que la fenêtre de retrait est active.\",\"42UgDM\":[\"Migrer vers \",[\"0\"],\" Marché v3\"],\"49UFQA\":\"Résultats du vote\",\"4DMZUI\":\"Afficher les transactions\",\"4HtGBb\":\"MAX\",\"4Y5H+g\":\"Petits caractères\",\"4YYh4d\":\"Maximum available to borrow\",\"4iPAI3\":\"Montant minimum d’emprunt GHO\",\"4lDFps\":\"Signez pour continuer\",\"4wyw8H\":\"Transactions\",\"5JSSxX\":[\"Votre \",[\"networkName\"],\" Le portefeuille est vide. Obtenez des ressources de test gratuites à l’adresse suivante :\"],\"5K7kGO\":\"documentation\",\"5NOSGa\":\"Le plafond de la dette limite le montant que les utilisateurs du protocole peuvent emprunter sur cet actif. Le plafond de la dette est spécifique aux actifs isolés et est indiqué en USD.\",\"5Ncc6j\":[\"Cet actif a presque atteint son plafond d'offre. Il ne peut y avoir que \",[\"messageValue\"],\" fourni à ce marché.\"],\"5cZ/KX\":\"L'offre de dette variable n'est pas nulle\",\"5che++\":\"Pour demander l'accès à ce marché autorisé, veuillez consulter\xA0: <0>Nom du fournisseur d'accès\",\"5ctNdV\":[\"Minimum \",[\"0\"],\" reçu\"],\"5hDe9v\":\"Allocation action requise\",\"5rsnKT\":\"Récompenses disponibles\",\"5yC5m5\":\"Voir tous les votes\",\"6/dCYd\":\"Aperçu\",\"60crCe\":\"Toutes les transactions\",\"62Xcjh\":\"Collatérale\",\"65A04M\":\"Espagnol\",\"6G8s+q\":\"Signature\",\"6Jrv+z\":[\"Rembourser \",[\"symbole\"]],\"6NGLTR\":\"Montant actualisable\",\"6Xr0UU\":\"Refroidissement...\",\"6bxci/\":\"Pouvoir de vote\",\"6f8S68\":\"Marchés\",\"6g1gi0\":\"Les propositions\",\"6gvoHP\":\"Copier le message d’erreur\",\"6h3Q5G\":\"Remboursé\",\"6lFSyT\":\"Available to Stake\",\"6s8L6f\":\"Changer de réseau\",\"6yAAbq\":\"APY, borrow rate\",\"70wH1Q\":\"APR\",\"72c5Qo\":\"Total\",\"73Auuq\":\"Les paramètres de remise sont décidés par la communauté Aave et peuvent être modifiés au fil du temps. Consultez la section Gouvernance pour les mises à jour et votez pour participer. <0>Pour en savoir plus\",\"75qcAQ\":[[\"stepName\"]],\"7ITr5L\":\"Facteur de santé\",\"7T/o5R\":\"Atteint\",\"7YlcXu\":\"Fork mode is ON\",\"7Z76Iw\":\"L’emprunt n’est pas disponible car vous utilisez le mode Isolation. Pour gérer le mode d’isolation, rendez-vous sur votre <0>tableau de bord.\",\"7aKlMS\":\"Partager sur Lens\",\"7er5fP\":\"Réclamer tout\",\"7hb2+s\":\"Time remaining until the withdraw period ends.\",\"7l88b8\":\"Les données n’ont pas pu être récupérées, veuillez recharger le graphique.\",\"7p5kLi\":\"Tableau de bord\",\"7sofdl\":\"Retrait et échange\",\"8+6BI0\":\"Soyez prudent - Vous êtes très proche de la liquidation. Envisagez de déposer plus de collatéral ou de rembourser certaines de vos positions empruntées\",\"87pUEW\":[\"Votre \",[\"name\"],\" Le portefeuille est vide. Acheter ou transférer des actifs.\"],\"8F1i42\":\"Page introuvable\",\"8G8M0u\":\"Chargement des données...\",\"8Iu1QS\":\"Retiré\",\"8JL93T\":\"Toutes les propositions\",\"8Q51DU\":\"Ajouter au portefeuille\",\"8X/oyn\":\"Montant invalide à frapper\",\"8Z5FPv\":\"Déconnecter le portefeuille\",\"8Zz7s5\":\"actifs\",\"8aLW8H\":\"Solde à révoquer\",\"8bOT3H\":\"Taux d'utilisation\",\"8sLe4/\":\"Voir le contrat\",\"8t/M0y\":\"Please connect your wallet to be able to bridge your tokens.\",\"8vETh9\":\"Montrer\",\"94OHPx\":\"Vous entrez en mode Isolation\",\"9CDK3/\":[\"L'emprunt n'est actuellement pas disponible pour \",[\"0\"],\".\"],\"9GIj3z\":\"Taille de réserve\",\"9Knqb4\":\"Solde de mise en jeu\",\"9OBKm7\":\"Quorum\",\"9QHoGr\":\"Votes actuels\",\"9Rw96f\":[\"Cet actif a presque atteint son plafond d'emprunt. Il n'y a que \",[\"messageValue\"],\" disponible pour être emprunté sur ce marché.\"],\"9Xj/qR\":[\"Certaines ressources migrées ne seront pas utilisées comme garantie en raison de l’activation du mode d’isolement dans \",[\"marketName\"],\" Marché V3. Visite <0>\",[\"marketName\"],\" Tableau de bord V3 pour gérer le mode d’isolation.\"],\"9c6vDV\":\"Cet actif a atteint son plafond d'offre. Rien n'est disponible pour être fourni à partir de ce marché.\",\"9kTWHA\":\"L’AMI a été suspendu en raison d’une décision de la communauté. L’offre, les emprunts et les remboursements sont impactés. <0>Plus d’informations\",\"9lXchd\":\"Jeton sous-jacent\",\"9rWaKF\":\"Bridged Via CCIP\",\"9xSooW\":\"Comme il s'agit d'un réseau de test, vous pouvez obtenir n'importe lequel des actifs si vous avez ETH dans votre portefeuille\",\"A/lwoe\":\"Choisissez l’un des services de rampe d’accès\",\"A6dCI6\":[\"Le montant maximal disponible pour emprunter est de <0/> \",[\"0\"],\" (<1/>).\"],\"AReoaV\":\"Vos emprunts\",\"ARu1L4\":\"Remboursé\",\"AV7cGz\":\"Examiner les détails de la taxe d'approbation\",\"AZOjB8\":\"Récupération de données...\",\"Ai0jas\":\"Rejoignez la discussion de la communauté\",\"Ajl2rq\":\"Le pouvoir d'emprunt et les actifs sont limités en raison du mode d'isolement.\",\"AqgYNC\":\"Plafond d’emprunt du protocole à 100% pour cet actif. Il n’est pas possible d’emprunter davantage.\",\"B3EcQR\":\"Merci d’avoir voté\xA0!!\",\"B6aXGH\":\"Stable\",\"B9Gqbz\":\"Taux variable\",\"BDFEd+\":\"Les stETH fournis en garantie continueront d’accumuler des récompenses de staking fournies par les rebasages quotidiens.\",\"BE2mP0\":\"Borrowed assets\",\"BJyN77\":\"Due to health factor impact, a flashloan is required to perform this transaction, but Aave Governance has disabled flashloan availability for this asset. Try lowering the amount or supplying additional collateral.\",\"BNL4Ep\":\"L'utilisation de la garantie est limitée en raison du mode d'isolement. <0>En savoir plus\",\"BQ/wCO\":\"Migrate your assets\",\"BjLdl1\":\"À prix réduit\",\"BnhYo8\":\"Catégorie d'actifs\",\"Bq9Y7e\":\"Cet actif est gelé en raison d’une décision de la communauté Aave. <0>Plus d’informations\",\"BqWMDJ\":\"Faucet\",\"BqynZO\":\"Optimized for efficiency and risk by supporting blue-chip collateral assets\",\"Bsu7zX\":\"The fee includes the gas cost to complete the transaction on the destination chain and the fee paid to Chainlink CCIP service providers. You can chose to pay in the network token or GHO. <0>Learn more\",\"BwJKBw\":\"de\",\"CDrsH+\":\"Fiche technique\",\"CK1KXz\":\"Max\",\"CMHmbm\":\"Glissement\",\"CZXzs4\":\"Grec\",\"CcRNG6\":\"Transistor\",\"CkTRmy\":[\"Revendication \",[\"symbol\"]],\"CsqtLm\":\"Veuillez connecter votre portefeuille pour voir l’outil de migration.\",\"CtGlFb\":[[\"networkName\"],\" Robinet\"],\"Cxt2YY\":\"Watch wallet\",\"D33VQU\":\"Cette action réduira le facteur de santé de V3 en dessous du seuil de liquidation. Augmenter les garanties migrées ou réduire les emprunts migrés pour continuer.\",\"D9BLRG\":\"This asset has been paused due to a community decision. Supply, withdraw, borrows and repays are impacted.\",\"DAma/S\":\"La garantie est (principalement) la même devise que celle qui est empruntée\",\"DCnFg0\":[\"Adresses (\",[\"0\"],\")\"],\"DG3Lv1\":\"Je comprends parfaitement les risques liés à la migration.\",\"DONJcV\":\"L'actif sous-jacent ne peut pas être sauvé\",\"DR+4uL\":\"Bilan de l’alimentation après le changement\",\"DWjrck\":[\"La ressource ne peut pas être migrée vers \",[\"marketName\"],\" V3 Market en raison des restrictions du mode E. Vous pouvez désactiver ou gérer les catégories du mode E dans votre <0>tableau de bord V3\"],\"Dj+3wB\":\"Aave par mois\",\"DptNvx\":\"Amount Staked\",\"DuEq2K\":\"Collatéralisation\",\"DxfsGs\":\"Vous pouvez signaler un incident sur notre <0>Discord ou<1>Github.\",\"Dzma+E\":\"Main Ethereum market with the largest selection of assets and yield options\",\"E/QGRL\":\"Désactivé\",\"EBL9Gz\":\"COPIÉ!\",\"ES8dkb\":\"Taux fixe\",\"EZd3Dk\":[\"Reprise \",[\"symbol\"]],\"Ebgc76\":[\"Retrait \",[\"symbole\"]],\"EdQY6l\":\"Aucun/Aucune\",\"EjvKQ+\":\"Valeur minimale en USD reçue\",\"Enslfm\":\"Destination\",\"EvE9nO\":[\"Réactiver la période de recharge pour annuler le pieu \",[\"0\"],\" \",[\"stakedToken\"]],\"EvECnL\":\"Migrer vers la v3\",\"EzMQbh\":\"The source chain time to finality is the main factor that determines the time to destination. <0>Learn more\",\"F40cwT\":\"Legacy Markets\",\"F6TdXL\":\"Pour en savoir plus.\",\"FDDPeZ\":\"Users can stake their assets in the protocol and earn incentives. In the case of a shortfall event, your stake can be slashed to cover the deficit, providing an additional layer of protection for the protocol.\",\"FHlMf/\":\"Solde actuel de la v2\",\"FHpxjF\":[\"Le facteur de réserve est un pourcentage de l’intérêt qui va à un \",[\"0\"],\" qui est contrôlé par la gouvernance Aave pour promouvoir la croissance de l’écosystème.\"],\"FOBZa6\":\"Puissance d'emprunt utilisée\",\"FPKEug\":\"Opération non prise en charge\",\"FbmMe7\":\"Linked addresses\",\"Fdp03t\":\"sur\",\"Fjw9N+\":\"Actifs à déposer\",\"FmN0fk\":\"Remise en jeu\",\"GDGLIs\":\"GHO est un actif numérique natif décentralisé et adossé à des garanties, indexé sur le dollar américain. Il est créé par les utilisateurs en empruntant contre plusieurs garanties. Lorsque l’utilisateur rembourse sa position d’emprunt de HO, le protocole brûle le GHO de cet utilisateur. Tous les paiements d’intérêts accumulés par les minters de GHO seraient directement transférés à la trésorerie d’AaveDAO.\",\"GQrBTq\":\"Changer de mode E\",\"GWswcZ\":\"Cet actif est gelé en raison d’une décision de gouvernance du protocole Aave. Le 20 décembre 2022, renFIL ne sera plus pris en charge et ne pourra plus être reconnecté à son réseau natif. Il est recommandé de retirer les positions d’offre et de rembourser les positions d’emprunt afin que renFIL puisse être relié à FIL avant la date limite. Après cette date, il ne sera plus possible de convertir renFIL en FIL. <0>Plus d’informations\",\"GX8GKD\":\"Actifs\",\"GgEj+0\":\"Mode lecture seule. Connectez-vous à un portefeuille pour effectuer des transactions.\",\"GjkIKV\":\"Prend fin\",\"GoK/QN\":\"Thank you for submitting feedback!\",\"GtP2hp\":[\"L'emprunt n'est pas disponible, car vous avez activé le mode d'efficacité (E-Mode) pour la catégorie \",[\"0\"],\". Pour gérer les catégories E-Mode, visitez votre <0>tableau de bord.\"],\"H6Ma8Z\":\"Rabais\",\"HB/wfS\":[[\"tooltipText\"]],\"HKDsQN\":\"Rewards can be claimed through\",\"Ha/U5f\":\"This is a program initiated and implemented by the decentralised ZKSync community. Aave Labs does not guarantee the program and accepts no liability.\",\"HciqKU\":\"This is a program initiated and implemented by the decentralised Aave community. Aave Labs does not guarantee the program and accepts no liability.\",\"Hi6Ttn\":\"Désolé, une erreur inattendue s’est produite. En attendant, vous pouvez essayer de recharger la page, ou revenir plus tard.\",\"HkEDbS\":[[\"d\"],\"d\"],\"HmkYqM\":\"Fenêtre d'arrêt de staking\",\"HpK/8d\":\"Recharger\",\"HrnC47\":\"Enregistrer et partager\",\"HuVZMK\":\"Days\",\"HvJKMU\":[\"La ressource ne peut pas être migrée vers \",[\"marketName\"],\" v3 Marché puisque l’actif collatéral activera le mode d’isolation.\"],\"Hvwnm9\":[\"La quantité maximale disponible pour l’approvisionnement est limitée parce que le plafond d’approvisionnement du protocole est à \",[\"0\"],\"%.\"],\"I8CX2c\":\"Le montant total de vos actifs libellés en USD qui peut être utilisé comme garantie pour emprunter des actifs.\",\"IAD2SB\":[\"Prétendant \",[\"symbol\"]],\"IG9X9/\":\"L’emprunt de cet actif est limité à un certain montant afin de minimiser l’insolvabilité du pool de liquidités.\",\"IOIx8L\":\"Il est prévu que cet actif soit désactivé en raison d’une décision de gouvernance du protocole Aave. <0>Plus d’informations\",\"IP+I/j\":\"Période de recharge\",\"IaA40H\":\"Liquidation à\",\"J/hVSQ\":[[\"0\"]],\"JCoxL6\":\"Gérer l’analytique\",\"JK9zf1\":[\"Intérêts composés estimés, y compris l’escompte pour le jalonnement \",[\"0\"],\"AAVE dans le module de sécurité.\"],\"JOqFba\":[\"Déjalonnement \",[\"symbol\"]],\"JPrLjO\":\"Vous ne pouvez pas utiliser cette devise comme garantie\",\"JU6q+W\":\"Récompense(s) à réclamer\",\"JYKRJS\":\"Stake\",\"JZMxX0\":\"Pas assez de solde sur votre portefeuille\",\"Jgflkm\":\"Get GHO\",\"JoMQnI\":\"Solde du portefeuille\",\"JtwD8u\":\"Emprunter le solde après le remboursement\",\"JumYTK\":\"Supplied assets\",\"K05qZY\":\"Retrait et échange\",\"KAz/NV\":\"Le plafond d’endettement du protocole est de 100% pour cet actif. Il n’est pas possible d’emprunter davantage sur cet actif.\",\"KLXVqE\":[\"Les tokens stETH seront migrés vers Wrapped stETH à l’aide du wrapper Lido Protocol, ce qui entraîne une modification de l’équilibre de l’offre après la migration : \",[\"0\"]],\"KLd6ky\":\"Use connected account\",\"KRpokz\":\"VOIR TX\",\"KSlpka\":\"Cela représente le seuil auquel une position d'emprunt sera considérée comme sous-garantie et sujette à liquidation pour chaque garantie. Par exemple, si une garantie a un seuil de liquidation de 80\xA0%, cela signifie que la position sera liquidée lorsque la valeur de la dette vaut 80 % de la valeur de la garantie.\",\"KYAjf3\":\"Isolé\",\"KZwRuD\":[[\"notifyText\"]],\"KkPgim\":\"Changement de mode E\",\"KnN1Tu\":\"Expire\",\"KoOBI2\":\"En raison de la mécanique interne de stETH requise pour le rebasage de la prise en charge, il n’est pas possible d’effectuer un changement de garantie où stETH est le jeton source.\",\"KojyJ4\":\"Mauvais réseau\",\"KsqhWn\":\"Staking\",\"KuBTQq\":\"Entrez l'adresse ETH\",\"KvG1xW\":\"Réclamer\",\"L+8Lzs\":\"LTV actuelle\",\"L+qiq+\":\"Marché\",\"LDzfVJ\":\"Send Feedback\",\"LIrMcF\":\"Pas de pouvoir de vote\",\"LL0zks\":\"Peut être collatéral\",\"LLdJWu\":\"AAVE Réclamable\",\"LSIpNK\":\"Emprunter et rembourser dans le même bloc n'est pas autorisé\",\"LVt3TI\":[\"<0>Tolérance de glissement <1>\",[\"selectedSlippage\"],\"% <2>\",[\"0\"],\"\"],\"LjafV8\":\"Maximum collateral amount to use\",\"LtpQew\":\"Let us know how we can make the app better for you. For user support related inquiries please reach out on\",\"LvVpD/\":\"Emode\",\"M2sknc\":\"Astuce : Essayez d’augmenter le glissement ou de réduire la quantité d’entrée\",\"M7wPsD\":\"Interrupteur\",\"MFu33y\":\"Staking 00\",\"MIy2RJ\":\"Maximum amount received\",\"MZ/nQf\":\"Adresse du destinataire\",\"Ma/MtY\":\"vue de staking\",\"McHlGl\":\"Changement d’APY\",\"MeCCA+\":\"APY, variable\",\"MghdTe\":\"Si le facteur de santé descend en dessous de 1, la liquidation de votre collatéral peut être déclenchée.\",\"Mm/DVQ\":\"Vous avez annulé la transaction.\",\"MnE2QX\":\"Emprunter des informations\",\"MrmQHg\":\"View Bridge Transactions\",\"MuDFEQ\":\"Valeur de retour invalide de la fonction flashloan executor\",\"N5kUMV\":\"L’actif ne peut être utilisé comme garantie qu’en mode isolé avec un pouvoir d’emprunt limité. Pour passer en mode d’isolation, désactivez toutes les autres garanties.\",\"N6Pxr9\":\"View all\",\"NF0e1Q\":\"En attente...\",\"NK9ikO\":\"Solde du portefeuille\",\"NMt2CB\":\"Montant réclamable\",\"NcFGxG\":\"Contrat de collectionneur\",\"NfpPeS\":\"Rien staké\",\"Nh9DAo\":[[\"m\"],\"m\"],\"O+sCUU\":\"Le plafond de mintage non soutenu est dépassé\",\"O+tyU+\":[\"Le montant maximal disponible pour emprunter sur cet actif est limité car le plafond de la dette est à \",[\"0\"],\"%.\"],\"O3oNi5\":\"Email\",\"OFjZGo\":\"Unstake\",\"OR8cYX\":\"Aperçu de la proposition\",\"OYuJ9K\":\"Le plafond d’endettement du protocole est de 100% pour cet actif. Il n’est pas possible d’emprunter sur cet actif.\",\"OfhWJH\":\"Réinitialisation\",\"Og2SKn\":\"handicapé\",\"On0aF2\":\"Site internet\",\"OsyKSt\":\"Retirer\",\"P1dURE\":\"Révoquer le pouvoir\",\"P2WCD/\":[\"L’actif sous-jacent n’existe pas dans \",[\"marketName\"],\" v3 Market, par conséquent, cette position ne peut pas être migrée.\"],\"P2sL6B\":\"Lorsqu'une liquidation survient, les liquidateurs remboursent jusqu'à 50 % de l'encours emprunté au nom de l'emprunteur. En contrepartie, ils peuvent acheter le collatéral à prix réduit et conserver la différence (pénalité de liquidation) en bonus.\",\"P6sRoL\":\"Mise en jeu ABPT\",\"P72/OW\":\"La moyenne pondérée de l'APY pour tous les actifs empruntés, y compris les incitatifs.\",\"P7e6Ug\":\"Veuillez connecter votre portefeuille pour consulter l’historique des transactions.\",\"PByO0X\":\"Votes\",\"PI+kVe\":\"Disable fork\",\"PJK9u/\":\"Emprunter apy\",\"PLUB/s\":\"Fee\",\"PP5ZA8\":[\"Participating in staking \",[\"symbol\"],\" gives annualized rewards. Your wallet balance is the sum of your aTokens and underlying assets. The breakdown to stake is below\"],\"PcBUgb\":\"Seuil de liquidation\",\"PjU6bu\":\"This asset is eligible for SPK incentive program. Aave Labs does not guarantee the program and accepts no liability.\",\"PpqD5g\":\"L'activation de cet actif comme garantie augmente votre pouvoir d'emprunt et votre facteur de santé. Cependant, il peut être liquidé si votre facteur de santé tombe en dessous de 1.\",\"PsOFSf\":\"Cette action réduira le facteur de santé V2 en dessous du seuil de liquidation. Conservez la garantie ou migrez la position d’emprunt pour continuer.\",\"Pu4bI/\":[[\"currentMethod\"]],\"Q0LzKi\":\"View TX\",\"Q4eNqa\":\"The Aave Balancer Pool Token (ABPT) is a liquidity pool token. You can receive ABPT by depositing a combination of AAVE + wstETH in the Balancer liquidity pool. You can then stake your BPT in the Safety Module to secure the protocol and earn Safety Incentives.\",\"QQYsQ7\":\"Withdrawing\",\"QWYCs/\":\"Stake GHO\",\"R+30X3\":\"Non atteint\",\"RCU5PY\":\"Age\",\"RIfckG\":[\"Désactiver \",[\"symbol\"],\" comme garantie\"],\"RMtxNk\":\"Différentiel\",\"RNK49r\":\"Signature non valide\",\"RS0o7b\":\"État\",\"RU+LqV\":\"Détails de la proposition\",\"RYTgZX\":\"lorem ipsum\",\"RbXH+k\":\"AAVE, GHO, and ABPT holders (Ethereum network only) can stake their assets in the Safety Module to add more security to the protocol and earn Safety Incentives. In the case of a shortfall event, your stake can be slashed to cover the deficit, providing an additional layer of protection for the protocol.\",\"RiSYV4\":\"L'actif n'est pas répertorié\",\"Rj01Fz\":\"Liens\",\"RmWFEe\":\"APR staké\",\"RoafuO\":\"Envoyer des commentaires\",\"RtBLm7\":\"Le facteur santé est inférieur au seuil de liquidation\",\"RxzN1M\":\"Activé\",\"SDav7h\":\"Fonds dans le Safety Module\",\"SENccp\":\"Si l’erreur persiste,<0/> vous pouvez la signaler à ce\",\"SIWumd\":\"Afficher les ressources gelées ou mises en pause\",\"SM58dD\":\"Quantité en temps de recharge\",\"SSMiac\":\"Impossible de charger les votants de proposition. Veuillez rafraîchir la page.\",\"SSQVIz\":\"Seuil de liquidation\",\"SUb8x0\":\"Total disponible\",\"SWIgh4\":\"Fees exceed wallet balance\",\"SY9hVo\":\"Le mode lecture seule permet de voir les positions d’adresses dans Aave, mais vous ne pourrez pas effectuer de transactions.\",\"SZRUQ4\":\"Glissement maximal\",\"Sa1UE/\":\"Le plafond d’emprunt du protocole est de 100 % pour cet actif. Il n’est pas possible d’emprunter davantage.\",\"Sk2zW9\":\"Désactiver le E-mode\",\"SxaD0o\":\"Le fournisseur d'adresses de pool n'est pas enregistré\",\"T/AIqG\":\"Limite d’approvisionnement du protocole à 100 % pour cet actif. D’autres approvisionnements ne sont pas disponibles.\",\"T0xCO9\":\"Can't validate the wallet address. Try again.\",\"T4OhVl\":\"GHO balance\",\"T6uYU2\":\"Emprunter\",\"TFxQlw\":\"Pénalité de liquidation\",\"TQ7WsV\":\"Available to stake\",\"TUI7iB\":\"L'actif ne peut être utilisé comme garantie qu'en mode isolé.\",\"TbjyhA\":\"Docs\",\"TduuS0\":\"L'utilisateur n'a pas de dette à taux stable impayée sur cette réserve\",\"TeCFg/\":\"Modification du taux d’emprunt\",\"Tg1JyO\":\"Bridge history\",\"TskbEN\":\"Les détenteurs de stkAAVE bénéficient d’une réduction sur le taux d’emprunt GHO\",\"TszKts\":\"Emprunter le solde après le changement\",\"TtZL6q\":\"Paramètres du modèle de remise\",\"TwJI9F\":\"Asset has been successfully sent to CCIP contract. You can check the status of the transactions below\",\"Tz0GSZ\":\"Activités bloquées\",\"U/eBjN\":\"Recharger la page\",\"U2r8nY\":\"Choose how much voting/proposition power to give to someone else by delegating some of your AAVE, stkAAVE or aAave balance. Your tokens will remain in your account, but your delegate will be able to vote or propose on your behalf. If your AAVE, stkAAVE or aAave balance changes, your delegate's voting/proposition power will be automatically adjusted.\",\"U8IubP\":\"L’application s’exécute en mode réseau de test. Découvrez comment cela fonctionne dans\",\"U9btTk\":\"L'actif n'est pas empruntable en mode d'isolement\",\"UAOZRe\":\"L’impact sur les prix est l’écart entre la valeur totale des tokens d’entrée échangés et les tokens de destination obtenus (en USD), qui résulte de la liquidité limitée de la paire de trading.\",\"UE3KJZ\":\"L’historique des transactions n’est actuellement pas disponible pour ce marché\",\"URmyfc\":\"Détails\",\"UTTKmT\":\"Temps de recharge de la mise activé\",\"UXeR72\":\"Ces fonds ont été empruntés et ne peuvent pas être retirés pour le moment.\",\"UYb8CM\":\"Learn more about the SPK rewards\",\"UbRrG0\":\"Le ratio LTV maximum représente le pouvoir d'emprunt maximum d'une garantie spécifique. Par exemple, si une garantie a un LTV de 75 %, l'utilisateur peut emprunter jusqu'à 0,75 ETH dans la devise principale pour chaque 1 ETH de garantie.\",\"UpndFj\":\"Aucune récompense à réclamer\",\"V0f2Xv\":\"Facteur de réserve\",\"V1HK43\":\"Risques liés à la migration\",\"VATFH9\":\"Dette couverte\",\"VHOVEJ\":\"Connecter le portefeuille\",\"VMfYUK\":\"Sécurité de votre garantie déposée contre les actifs empruntés et sa valeur sous-jacente.\",\"VOAZJh\":\"Total des emprunts\",\"ViKYxK\":\"YAE\",\"W1SSoD\":\"Examiner les détails de la transaction\",\"W5hVah\":\"Rien fourni pour le moment\",\"W5kTFy\":\"Vote\",\"W8ekPc\":\"Retour au tableau de bord\",\"WMPbRK\":\"Sans support\",\"WNGZwH\":\"E-Mode augmente votre LTV pour une catégorie d'actifs sélectionnée jusqu'à <0/>. <1>En savoir plus\",\"WPWG/y\":\"Statut et configuration de la réserve\",\"WZLQSU\":\"L'utilisateur ne peut pas retirer plus que le solde disponible\",\"WaZyaV\":\"<0>Ampleforth est un actif de rebasage. Consultez la <1>documentation pour en savoir plus.\",\"WfU+XN\":\"Étant donné que cette ressource est suspendue, aucune action ne peut être entreprise jusqu’à nouvel ordre\",\"Wjmqs2\":\"No results found. You can import a custom token with a contract address\",\"WkZ6C6\":\"Pour emprunter, vous devez fournir tout actif à utiliser comme garantie.\",\"WyMiQm\":\"Vous avez réussi à changer de jeton.\",\"X/ITG9\":\"Copier le texte d'erreur\",\"X3Pp6x\":\"Utilisé comme collatéral\",\"X4Zt7j\":\"L'action ne peut pas être effectuée car la réserve est mise en pause\",\"XBdKOj\":\"Representative smart contract wallet (ie. Safe) addresses on other chains.\",\"XZzneG\":\"Vous quitterez le mode d'isolement et d'autres jetons peuvent désormais être utilisés comme collatéral\",\"Xg5y9S\":\"Amount to Bridge\",\"Xn4hUi\":\"Veuillez toujours tenir compte de votre <0>facteur de santé (HF) lors de la migration partielle d’une position et que vos tarifs seront mis à jour vers les taux V3.\",\"Xy71ST\":\"Umbrella\",\"Y5kGkc\":\"VOTER NON\",\"YDIOks\":\"Activation du E-Mode\",\"YSodyW\":\"Cette action réduira votre facteur de santé. Veuillez garder à l’esprit le risque accru de liquidation des garanties.\",\"YXOWXM\":\"The total amount bridged minus CCIP fees. Paying in network token does not impact gho amount.\",\"YirHq7\":\"Feedback\",\"YogbCJ\":\"Le mode réseau de test est activé\",\"YrDxdO\":\"Si votre prêt à la valeur dépasse le seuil de liquidation, votre garantie fournie peut être liquidée.\",\"YyIM65\":\"Les conditions de rééquilibrage des taux d'intérêt n'ont pas été remplies\",\"YyydIq\":[\"Ajouter \",[\"0\"],\" à Wallet pour suivre votre solde.\"],\"ZBvhI+\":\"Gouvernance Aave\",\"ZIIRAd\":\"Raw-Ipfs\",\"ZRq4tX\":\"Mode efficacité (E-Mode)\",\"ZSqEW+\":\"Manage E-Mode\",\"ZUFYFE\":\"Désactiver le réseau de test\",\"Zbyywy\":\"Coupure maximale\",\"ZfUGFb\":\"Avant de déposer\",\"ZiXN+B\":\"Assets to stake\",\"ZlsSDH\":\"Valeur de liquidation\",\"ZrEc8j\":\"Nous n’avons trouvé aucun élément lié à votre recherche. Réessayez avec un autre nom, symbole ou adresse de ressource.\",\"ZsLF7e\":\"Activé\",\"a0YQoQ\":\"Enter a valid address\",\"a2fBZn\":\"Temps restant pour dépiquer\",\"a5RYZd\":\"La désactivation de cet actif en tant que garantie affecte votre pouvoir d'emprunt et votre facteur de santé.\",\"a7u1N9\":\"Prix\",\"a9D+6D\":\"Non jalonné\",\"aEtiwq\":\"Vote NAY\",\"aMmFE1\":\"Acheter des crypto-monnaies avec des monnaies fiduciaires\",\"aOKIms\":\"Les paramètres de tableau devraient être de même longueur ne sont pas\",\"aX31hk\":\"Votre solde est inférieur au montant sélectionné.\",\"adUsDd\":\"An error has occurred fetching the proposal.\",\"al6Pyz\":\"Dépasse la remise\",\"aoXTT7\":\"Prêt APY, variable\",\"aqX1Yp\":\"This asset is eligible for rewards through SuperFest. Aave Labs does not guarantee the program and accepts no liability.\",\"avgETN\":\"Eligible for the Merit program.\",\"b4NS3e\":\"Avertissement de période de refroidissement\",\"bNEQeI\":\"Cooldown\",\"bSruit\":\"ZKSync Ignite Program rewards are claimed through the\",\"bUUVED\":\"Actif\",\"bXQ/Og\":\"Partager sur Twitter\",\"bXr0ee\":\"Les actifs isolés ont un pouvoir d'emprunt limité et les autres actifs ne peuvent pas être utilisés comme garantie.\",\"bYmAV1\":\"Adresses\",\"bguKoJ\":\"Le montant demandé est supérieur au montant maximum du prêt en mode taux stable\",\"bwSQI0\":\"Fournir\",\"bxN6EM\":\"Impossible de désactiver le mode E\",\"bxmzSh\":\"Pas assez de collatéral pour rembourser ce montant de dette avec\",\"c91vuQ\":\"L'adresse n'est pas un contrat\",\"c97os2\":\"Aave aToken\",\"c9b44w\":\"Vous ne pouvez pas retirer ce montant car cela entraînera un appel de garantie\",\"cBc+4A\":\"Il s'agit du montant total que vous pouvez emprunter. Vous pouvez emprunter en fonction de votre garantie et jusqu'à ce que le plafond d'emprunt soit atteint.\",\"cIl5kp\":\"Votre pouvoir de vote est basé sur votre solde AAVE/stkAAVE et les délégations reçues.\",\"cLo09S\":\"Détails des risques\",\"cNT+ij\":\"L'emprunt n'est pas disponible car vous avez activé le mode Efficacité (E-Mode) et le mode Isolation. Pour gérer le mode E et le mode Isolation, rendez-vous sur votre <0>tableau de bord.\",\"cZOeBk\":\"Something went wrong fetching bridge message, please try again later.\",\"ceix5S\":\"Pour soumettre une proposition de modifications mineures du protocole, vous aurez besoin d’une puissance d’au moins 80,00 K. Si vous souhaitez modifier la base de code de base, vous aurez besoin d’une puissance de 320k. <0>Pour en savoir plus.\",\"ciybUa\":\"Vote YAE\",\"ckf7gX\":[\"Remboursement \",[\"symbole\"]],\"cp1ZDP\":[\"Bridge \",[\"symbol\"]],\"cqnmnD\":\"Taux d’intérêt effectif\",\"cqwIvs\":\"Discussion de forum\",\"csDS2L\":\"Disponible\",\"cu7Stb\":\"Vous n'avez pas participé à cette proposition\",\"dE6BLF\":\"Gouvernance\",\"dEgA5A\":\"Annuler\",\"dIsyWh\":\"Échec de la validation LTV\",\"dMtLDE\":\"À\",\"dOB5nW\":[\"La quantité maximale disponible pour la fourniture est de <0/> \",[\"0\"],\" (<1/>).\"],\"dVfODp\":\"Vous n'avez pas assez de fonds dans votre portefeuille pour rembourser le montant total. Si vous continuez à rembourser avec votre montant actuel de fonds, vous aurez toujours une petite position d'emprunt dans votre tableau de bord.\",\"dXUQFX\":\"Actifs à emprunter\",\"dgr1aY\":\"L’emprunt est désactivé en raison d’une décision de la communauté Aave. <0>Plus d’informations\",\"djsg0o\":\"Usage de collatéral\",\"dpc0qG\":\"Variable\",\"drdV8R\":\"Liquidation\",\"dxW8cS\":\"Jeton de dette Aave\",\"e4V3oW\":\"Top 10 des adresses\",\"eD8WX/\":\"L'action nécessite une réserve active\",\"eJRJ04\":\"Montant à la mise en jeu\",\"eLh0cL\":\"Le slippage est la différence entre les montants cotés et reçus en raison de l’évolution des conditions du marché entre le moment où la transaction est soumise et sa vérification.\",\"ePK91l\":\"Edit\",\"eVpCmf\":\"Récompenses de staking\",\"eVqvtf\":\"Bridge GHO\",\"eYdurp\":\"Aucune transaction n’a encore été effectuée.\",\"ebLGGN\":\"Total emprunté\",\"ecqEvn\":\"Le solde de la garantie est de 0\",\"efdrrk\":\"Disponible sur\",\"enruNF\":\"Commence\",\"eqLYiD\":\"Arrêter de staker maintenant\",\"euScGB\":\"APY avec remise appliquée\",\"evw5ha\":\"Valeur nette\",\"ezcU16\":\"Obtenir le jeton ABP\",\"f3W0Ej\":[\"Vous êtes passé au tarif \",[\"0\"]],\"fH9i8k\":\"Vous avez réussi à changer de position d’emprunt.\",\"fHcELk\":\"APR Net\",\"fMJQZK\":\"Emprunté\",\"fZ5Vnu\":\"Reçu\",\"firl9Q\":\"Votre prêt actuel à la valeur en fonction de votre collatéral fournie.\",\"flRCF/\":\"Remise sur le staking\",\"fldjW9\":\"Prévisualiser tx et migrer\",\"fsBGk0\":\"Solde\",\"fu1Dbh\":[\"Retirer \",[\"symbole\"]],\"fwjWSI\":\"Fourni\",\"fwyTMb\":\"Migrate to stkABPT v2\",\"g0mals\":\"You can not disable E-Mode because that could cause liquidation. To exit E-Mode supply or repay borrowed positions.\",\"g2UNkE\":\"Alimenté par\",\"g8KGoA\":\"Foire aux questions\",\"g9zzqS\":\"A voté NAY\",\"gDd2gk\":\"about SuperFest.\",\"gFFh9h\":\"Tout est fait !\",\"gIMJlW\":\"Mode réseau test\",\"gOzPxe\":\"Cet actif est gelé en raison d’une décision de gouvernance du protocole Aave. <0>Plus d’informations\",\"gTHi2T\":\"L'utilisateur essaie d'emprunter plusieurs actifs, y compris un en silo\",\"gVW59Y\":\"Veuillez connecter votre portefeuille pour obtenir des ressources de réseau de test gratuites.\",\"gcFNxP\":\"Approuver Confirmé\",\"gncRUO\":\"Cette adresse est bloquée sur app.aave.com car elle est associée à un ou plusieurs\",\"goff7V\":\"Adresse zéro non-valide\",\"gp+f1B\":\"Variante 3\",\"gr8mYw\":\"Vous pouvez emprunter jusqu’à GHO à <0/> <1/> (rabais maximum)\",\"gvTM4B\":\"L'APY net est l'effet combiné de toutes les positions d'offre et d'emprunt sur la valeur nette, y compris les incitations. Il est possible d'avoir un APY net négatif si l'APY de la dette est supérieur à l'APY de l'offre.\",\"gzcch9\":\"Frais de protocole de pont invalide\",\"h33MxW\":\"Representing smart contract wallet (ie. Safe) addresses on other chains.\",\"h3ilK+\":\". .CSV\",\"hB23LY\":\"Activer le temps de recharge\",\"hIJzBh\":\"Available to Claim\",\"hIS4N0\":\"APY Net\",\"hRWvpI\":\"Revendiqué\",\"hdmy/o\":\"Le % de votre pouvoir d'emprunt total utilisé. Ceci est basé sur le montant de votre garantie fournie et le montant total que vous pouvez emprunter.\",\"hehnjM\":\"Montant\",\"hjDCQr\":\"Il y a eu une erreur. Veuillez essayer de modifier les paramètres ou <0><1>copier l'erreur\",\"hom7qf\":\"Réclamer\",\"hpHJ4I\":\"Garantie liquidée\",\"hpuVIp\":\"Users who stake AAVE in Safety Module (i.e. stkAAVE holders) receive a discount on GHO borrow interest rate.\",\"huQ6Tz\":[\"Emprunter \",[\"symbole\"]],\"hxi7vE\":\"Emprunter le solde\",\"i/fZ2Z\":\"Staked Balance\",\"i2JTiw\":\"Vous pouvez saisir un montant personnalisé dans le champ.\",\"iB5+/J\":\"À propos de GHO\",\"iChbOF\":\"Paramètres de prêt flash incohérents\",\"iEPVHF\":\"Pas assez de pouvoir de vote pour participer à cette proposition\",\"iEW87X\":\"Délégation de pouvoirs\",\"iEju36\":[\"Vous avez voté \",[\"0\"]],\"iFq2YN\":\"Borrowable\",\"iGxyIA\":\"Safety Module\",\"iMVZk9\":\"Sélectionner la tolérance de glissement\",\"iPMIoT\":\"Entrez un montant\",\"iSLIjg\":\"Connect\",\"iUo5rv\":\"tokens n'est pas la même chose que de les staker . Si vous souhaitez staker votre\",\"iZxa38\":\"Utilisez-le pour voter pour ou contre les propositions actives.\",\"if5PH+\":\"Informations sur le collectionneur\",\"igkfR1\":[\"En mode Isolation, vous ne pouvez pas fournir d’autres actifs en garantie. Un plafond d’endettement global limite le pouvoir d’emprunt de l’actif isolé. Pour quitter le mode d’isolement, désactivez \",[\"0\"],\" en garantie avant d’emprunter un autre actif. Pour en savoir plus, consultez notre <0>FAQ\"],\"il0sEG\":\"L'utilisation du collatéral est limitée en raison du mode d'isolation.\",\"j+K1Xj\":\"Amount After Fee\",\"jA2QeW\":\"Fournir votre\",\"jFi7dz\":\"Interest rate that is determined by Aave Governance. This rate may be changed over time depending on the need for the GHO supply to contract/expand. <0>Learn more\",\"jG3UJ7\":\"Désactiver le E-mode\",\"jKYzR1\":\"Activer le E-Mode\",\"jMam5g\":[[\"0\"],\" Balance\"],\"jSYv+Z\":\"Enabling E-Mode allows you to maximize your borrowing power, however, borrowing is restricted to assets within the selected category. <0>Learn more about how it works and the applied restrictions.\",\"jaKbwW\":[[\"s\"],\"s\"],\"jbFMap\":\"Temps de recharge restant\",\"jeMZNr\":[[\"0\"],\" Le service de rampe d’accès est fourni par le fournisseur externe et, en le sélectionnant, vous acceptez les conditions du fournisseur. Votre accès au service peut dépendre de l’opérationnalité du fournisseur externe.\"],\"jfl9OP\":\"Migré\",\"jmXdoY\":\"En E-Mode, certains actifs ne sont pas empruntables. Quittez le E-mode pour accéder à tous les actifs\",\"jpctdh\":\"Vue\",\"jqzUyM\":\"Non disponible\",\"k/sb6z\":\"Choisir la langue\",\"k3wP3f\":\"<0>Attention: Les changements de paramètres via la gouvernance peuvent modifier le facteur de santé de votre compte et le risque de liquidation. Suivez le <1>forum de gouvernance d’Aave pour les mises à jour.\",\"kACpF3\":[\"Réclamer \",[\"0\"]],\"kH6wUX\":\"Impact sur les prix\",\"kIC28N\":\"Available to claim\",\"kIpSye\":[[\"numSelected\"],\"/\",[\"numAvailable\"],\" Actifs sélectionnés\"],\"kN1Yg5\":\"Pour rembourser au nom d'un utilisateur, un montant explicite à rembourser est nécessaire\",\"kRTD40\":[\"Montant de remboursement à atteindre \",[\"0\"],\"% d’utilisation\"],\"kjN9tT\":\"Le plafond d'approvisionnement est dépassé\",\"knxE+G\":\". JSON (en anglais seulement)\",\"ks2LWT\":\"Le plafond de la dette n'est pas nul\",\"kwwn6i\":\"Les utilisateurs qui misent des AAVE dans le module de sécurité (c’est-à-dire les détenteurs de stkAAVE) bénéficient d’une réduction sur le taux d’intérêt d’emprunt de HO. La réduction s’applique à 100 GHO pour chaque 1 stkAAVE détenu. Utilisez le calculateur ci-dessous pour voir le taux d’emprunt GHO avec le rabais appliqué.\",\"kz3wtK\":\"and about SPK program\",\"kzZyM4\":\"DAI balance will be converted via DSR contracts and then supplied as sDAI. Switching incurs no additional costs and no slippage.\",\"lNVG7i\":\"Sélectionner une ressource\",\"lU2d1/\":[\"L’actif ne peut pas être migré en raison d’une liquidité insuffisante ou d’une limitation du plafond d’emprunt \",[\"marketName\"],\" v3 marché.\"],\"lVhKKI\":\"A voté YAE\",\"lWLqxB\":\"Nous n’avons trouvé aucune transaction liée à votre recherche. Réessayez avec un autre nom de ressource ou réinitialisez les filtres.\",\"lYGfRP\":\"Anglais\",\"lfEjIE\":\"En savoir plus dans notre <0>guide FAQ\",\"lt6bpt\":\"Garantie à rembourser\",\"m/IEhi\":\"Émission totale par jour\",\"m7r7Hh\":\"Sélection d’actifs d’emprunt\",\"mDDK4p\":\"Balancer Pool\",\"mIM0qu\":\"Montant prévu à rembourser\",\"mUAFd6\":\"Variante 2\",\"masO5Z\":\"E-Mode increases your LTV for a selected category of assets. <0>Learn more\",\"mdNjKU\":[\"Votre \",[\"name\"],\" Le portefeuille est vide. Acheter ou transférer des actifs ou utiliser <0>\",[\"0\"],\" pour transférer votre \",[\"network\"],\" actif.\"],\"muiOng\":[\"Acheter \",[\"cryptoSymbol\"],\" avec Fiat\"],\"mvCXBY\":\"Mise en jeu AAVE\",\"mwdzil\":\"D'accord, fermer\",\"mzI/c+\":\"Télécharger\",\"mzdIia\":\"L'actif ne peut pas être utilisé comme collatéral.\",\"n+SX4g\":\"Développeurs\",\"n8Psk4\":\"Nous n’avons pas pu détecter de portefeuille. Connectez un portefeuille pour staker et consulter votre solde.\",\"nJIhzm\":\"Fournir apy\",\"nJgsQu\":\"Avec un pouvoir de vote de <0/>\",\"nLC6tu\":\"Français\",\"nN2T8p\":\"During the cooldown period, you will not earn any merit rewards. However, rewards earned up to this point will remain unaffected.\",\"nNHV0z\":\"La migration simultanée de plusieurs garanties et d’actifs empruntés peut s’avérer coûteuse et peut échouer dans certaines situations. <0>Par conséquent, il n’est pas recommandé de migrer des positions avec plus de 5 actifs (déposés + empruntés) en même temps.\",\"nNbnzu\":\"Proposition\",\"nOy4ob\":\"Nous vous suggérons de revenir au tableau de bord.\",\"nPGNMh\":\"Peut être exécuté\",\"nUK1ou\":[\"Assets with zero LTV (\",[\"0\"],\") must be withdrawn or disabled as collateral to perform this action\"],\"nakd8r\":\"Les détenteurs de stkAAVE bénéficient d’une réduction sur le taux d’emprunt GHO\",\"nh2EJK\":[\"Veuillez passer à \",[\"networkName\"],\".\"],\"njBeMm\":\"Les deux\",\"noN5Xf\":\"We couldn’t detect a wallet. Connect a wallet to view your staking positions and rewards.\",\"ntkAoE\":\"Remise appliquée pour <0/> le staking d’AAVE\",\"ntyFSE\":[[\"h\"],\"h\"],\"nwtY4N\":\"Quelque chose s’est mal passé\",\"nxyWvj\":\"Le retrait de ce montant réduira votre facteur santé et augmentera le risque de liquidation.\",\"o17QVP\":\"Votre facteur de santé et votre prêt à la valeur déterminent l'assurance de votre collatéral. Pour éviter les liquidations, vous pouvez fournir plus de garanties ou rembourser les positions d'emprunt.\",\"o1xc2V\":\"L'approvisionnement en aTokens n'est pas nul\",\"o4tCu3\":\"Emprunter de l’APY\",\"o5ooMr\":\"Dette\",\"o7J4JM\":\"Filtrer\",\"oHFrpj\":\"Temps de recharge pour déstaker\",\"oJ5ZiG\":\"L'utilisateur n'a pas de dette à taux variable impayée sur cette réserve\",\"oRBGin\":\"Veuillez connecter votre portefeuille pour pouvoir échanger vos jetons.\",\"oUwXhx\":\"Ressources de test\",\"oWklJD\":\"Le taux d'intérêt stable <0>restera le même pendant toute la durée de votre prêt. Recommandé pour les périodes de prêt à long terme et pour les utilisateurs qui préfèrent la prévisibilité.\",\"odnIK3\":\"Time remaining until the 48 hour withdraw period starts.\",\"oiK5nY\":\"The current incentives period, decided on by the Aave community, has ended. Governance is in the process on renewing, check for updates. <0>Learn more.\",\"olREoo\":\"All borrow positions outside of this category must be closed to enable this category.\",\"om/XHs\":\"Disponible au dépôt\",\"ov0+mq\":\"Eligible for the ZKSync Ignite program.\",\"ovT1pF\":[\"Per the community, the \",[\"market\"],\" has been frozen.\"],\"ow3fug\":\"Rien n’a été trouvé\",\"owSsI3\":\"Signatures prêtes\",\"p+R52m\":\"Accéder à Balancer Pool\",\"p2A+s1\":[\"La période de recharge est de \",[\"0\"],\". Après \",[\"1\"],\" de temps de recharge, vous entrerez dans la fenêtre de désengagement de \",[\"2\"],\". Vous continuerez à recevoir des récompenses pendant le temps de recharge et la fenêtre de retrait.\"],\"p2S64u\":\"Le ratio prêt/valeur des positions migrées entraînerait la liquidation. Augmenter les garanties migrées ou réduire les emprunts migrés pour continuer.\",\"p2Z2Qi\":\"Cet actif a atteint son plafond d'emprunt. Rien n'est disponible pour être emprunté à ce marché.\",\"p3j+mb\":\"Votre solde de récompenses est de 0\",\"p45alK\":\"Configurer la délégation\",\"p6u2s1\":\"Minimum amount of debt to be repaid\",\"pDgeaz\":[[\"title\"]],\"pdZqBk\":\"Le solde sous-jacent doit être supérieur à 0\",\"pgWG9H\":\"Pas assez de solde staké\",\"piPrJ7\":\"veuillez vérifier que le montant que vous souhaitez fournir n'est pas actuellement utilisé pour le staking. S'il est utilisé pour le staking, votre transaction peut échouer.\",\"pjO/iH\":\"Minimum amount received\",\"pooutM\":\"Voting is on\",\"pqaM5s\":\"Confirming transaction\",\"ptaxX3\":[\"Je comprends comment fonctionnent le temps de recharge (\",[\"0\"],\") et le retrait (\",[\"1\"],\")\"],\"py2iiY\":\"L'appelant de cette fonction doit être un pool\",\"q/51mF\":\"Migrer vers la V3\",\"q3df11\":\"Stratégie de taux d’intérêt\",\"q6lAbz\":\"Staké\",\"qB4kPi\":\"Fournir APY\",\"qENI8q\":\"Paramètres globaux\",\"qGz5zl\":\"Solde de garantie après remboursement\",\"qOqbD6\":\"copier l'erreur\",\"qXCkEM\":\"Veuillez connecter votre portefeuille pour voir vos fournitures, vos emprunts et vos positions ouvertes.\",\"qY2jnw\":\"Expiration invalide\",\"qf/fr+\":\"Intérêts courus\",\"quYPUU\":\"Variable interest rate will <0>fluctuate based on the market conditions.\",\"quzIeW\":\"User is in isolation mode or LTV is zero\",\"qvnz3q\":\"Montant non valide à brûler\",\"rHgdb0\":\"Migrate to Aave V3\",\"rOrHHe\":\"Le montant doit être supérieur à 0\",\"rQ+R+0\":\"Sélection d’actifs d’approvisionnement\",\"rSayea\":\"APY\",\"rTBDeu\":[\"L’actif ne peut pas être migré car vous disposez d’une garantie isolée dans \",[\"marketName\"],\" v3 Marché qui limite les actifs empruntables. Vous pouvez gérer vos garanties dans <0>\",[\"marketName\"],\" Tableau de bord V3\"],\"rcT+yy\":\"Afficher les actifs avec 0 solde\",\"rf8POi\":\"Montant de l’actif emprunté\",\"riNWOA\":\"E-Mode\",\"rjGI/Q\":\"Vie privée\",\"rnKPW1\":\"Watch a wallet balance in read-only mode\",\"ruc7X+\":\"Ajoutez stkAAVE pour voir l’APY d’emprunt avec la remise\",\"rvbaFU\":[\"Bridging \",[\"symbol\"]],\"rwVVB7\":\"Réclamez toutes les récompenses\",\"rwyUva\":\"Ces actifs sont temporairement gelés ou suspendus par des décisions de la communauté Aave, ce qui signifie qu’il n’est pas possible d’obtenir / emprunter ou d’échanger des taux de ces actifs. Les retraits et les remboursements de dettes sont autorisés. Suivez le <0>forum de gouvernance d’Aave pour d’autres mises à jour.\",\"rxJW5W\":\"Votre pouvoir de proposition est basé sur votre solde AAVE/stkAAVE et les délégations reçues.\",\"s2jJnW\":\"You don't have any bridge transactions\",\"s5wBAq\":[\"Unstake \",[\"symbol\"]],\"sJbIdI\":\"Enter ETH address or ENS\",\"sK+Nag\":\"Réviser tx\",\"sP2+gB\":\"NON\",\"sQv06Y\":\"pour\",\"sTtO6J\":\"Confirm transaction\",\"sXKb3l\":\"Exchange rate\",\"sb0q4+\":\"Vous unstaké ici\",\"smJNwH\":\"Disponible à emprunter\",\"solypO\":\"Le facteur de santé n'est pas inférieur au seuil\",\"sr0UJD\":\"Retourner\",\"ss5GCK\":\"L'adresse du fournisseur d'adresses du pool n'est pas valide\",\"swEgK4\":\"Vos informations de vote\",\"t+wtgf\":\"Aucun emprunt pour l'instant\",\"t/YqKh\":\"Remove\",\"t81DpC\":[\"Approuver \",[\"symbol\"],\" pour continuer\"],\"tCnbEs\":\"Prix Oracle\",\"tFZLf8\":\"Ce calcul de gaz n'est qu'une estimation. Votre portefeuille fixera le prix de la transaction. Vous pouvez modifier les paramètres de gaz directement depuis votre fournisseur de portefeuille.\",\"tHuvQI\":\"Accéder au tableau de bord V3\",\"tKv7cI\":\"Changer de position d’emprunt\",\"tOcg3N\":\"Étant donné que cet actif est gelé, les seules actions disponibles sont le retrait et le remboursement, accessibles depuis le <0>tableau de bord\",\"tOuXfv\":[\"Emprunter le montant à atteindre \",[\"0\"],\"% d’utilisation\"],\"te9Bfl\":\"S'il vous plaît, connectez votre portefeuille\",\"tt5yma\":\"Vos ressources\",\"ttoh5c\":\"Passer à\",\"u3ZeYl\":\"La transaction a échoué\",\"u706uF\":\"Prime flash non valide\",\"u8Gfu7\":[\"Aucun résultat de recherche\",[\"0\"]],\"uAQUqI\":\"Status\",\"uHMwk8\":\"Aucune ressource n’a été sélectionnée pour la migration.\",\"uJPHuY\":\"Migration\",\"uY8O30\":\"Pour continuer, vous devez autoriser les contrats intelligents Aave à déplacer vos fonds depuis votre portefeuille. En fonction de l’actif et du portefeuille que vous utilisez, cela se fait en signant le message d’autorisation (sans gaz) ou en soumettant une transaction d’approbation (nécessite du gaz). <0>Pour en savoir plus\",\"udFheE\":\"For repayment of a specific type of debt, the user needs to have debt that type\",\"ulNuNq\":\"Exporter des données vers\",\"ulup2p\":\"Acheter des crypto-monnaies avec des monnaies fiduciaires\",\"umICAY\":\"<0><1><2/>Ajoutez stkAAVE pour voir le taux d’emprunt avec escompte\",\"usB84Z\":\"Le montant maximum disponible pour emprunter est limité car le plafond d’emprunt du protocole est presque atteint.\",\"uwAUvj\":\"COPIER L’IMAGE\",\"v8x7Mg\":\"Garantie insuffisante pour couvrir une nouvelle position d’emprunt. Le portefeuille doit avoir une capacité d’emprunt restante pour effectuer le transfert de dette.\",\"vEqxH9\":\"Restauré\",\"vLyv1R\":\"Cacher\",\"vMba49\":\"L'emprunt n'est pas activé\",\"vMpNwt\":\"Approuvez avec\",\"vXIe7J\":\"Language\",\"vesuBJ\":\"Vous permet de décider si vous souhaitez utiliser un actif fourni en tant que collatéral. Un actif utilisé comme collatéral affectera votre pouvoir d'emprunt et votre Health Factor.\",\"w+V9Cx\":\"Stablecoin\",\"w/JtJ3\":\"L'offre de dette stable n'est pas nulle\",\"w4VBY+\":\"Récompenses APR\",\"w9dLMW\":[[\"label\"]],\"wAOL+X\":[\"Vous \",[\"action\"],\" <0/> \",[\"symbole\"]],\"wBIsjb\":\"Canal Discord\",\"wQZbc/\":\"L'appelant de la fonction n'est pas un AToken\",\"wRRqvW\":\"Vous n'avez pas de fournitures dans cette devise\",\"wZFvVU\":\"VOTER OUI\",\"wb/r1O\":[\"Faucet \",[\"0\"]],\"wdxz7K\":\"Source\",\"weH1nG\":\"Le protocole Aave est programmé pour toujours utiliser le prix de 1 GHO = 1 $. C’est différent de l’utilisation des prix du marché via des oracles pour d’autres actifs cryptographiques. Cela crée des opportunités d’arbitrage stabilisatrices lorsque le prix du GHO fluctue.\",\"wh7Ezv\":\"You have no AAVE/stkAAVE/aAave balance to delegate.\",\"wlsIx7\":\"Avec testnet Faucet, vous pouvez obtenir des ressources gratuites pour tester le protocole Aave. Assurez-vous de changer votre fournisseur de portefeuille pour le réseau de test approprié, sélectionnez l’actif souhaité et cliquez sur «\xA0Faucet\xA0» pour obtenir des jetons transférés vers votre portefeuille. Les actifs d’un réseau de test ne sont pas « réels », ce qui signifie qu’ils n’ont aucune valeur monétaire. <0>Pour en savoir plus\",\"wmE285\":\"Get ABP v2 Token\",\"wyRrcJ\":\"As a result of governance decisions, this ABPT staking pool is now deprecated. You have the flexibility to either migrate all of your tokens to v2 or unstake them without any cooldown period.\",\"x5KiLL\":\"Les ressources sélectionnées ont été migrées avec succès. Rendez-vous sur le tableau de bord du marché pour les voir.\",\"x7F2p6\":\"Différentiel de courant\",\"x7K5ib\":[\"Votre \",[\"networkName\"],\" Le portefeuille est vide. Obtenir un test gratuit \",[\"0\"],\" à\"],\"x9iLRD\":\"tokens, veuillez vous rendre sur\",\"xNy/UG\":\"Rembourser avec\",\"xPm8wv\":\"En savoir plus sur les risques encourus\",\"xXYpZl\":[[\"0\"],\" Faucet\"],\"xaVBSS\":\"Vos informations\",\"xaWZ6f\":\"Changement de type APY\",\"xh6k71\":\"L’utilisation des garanties est limitée en raison du mode d’isolation.\",\"xvIklc\":\"Flashloan est désactivé pour cet actif, cette position ne peut donc pas être migrée.\",\"y5rS9U\":\"Émigrer\",\"y66tBm\":[\"Activer \",[\"symbol\"],\" comme collatéral\"],\"yB1YpA\":\"Mode Sombre\",\"yCrG6m\":\"Taille totale du marché\",\"yJUUbn\":\"Aperçu des transactions\",\"yLGmLX\":[\"Remise en jeu \",[\"symbol\"]],\"yW1oWB\":\"APY type\",\"yYHqJe\":\"Pas une adresse valide\",\"yZwLw6\":\"Suivre le portefeuille\",\"yh2sjd\":[\"Impact sur les prix \",[\"0\"],\"%\"],\"yhvj6d\":\"Vous ne pouvez pas changer d'utilisation en tant que mode de garantie pour cette devise, car cela entraînera un appel de garantie\",\"ylmtBZ\":\"The app is running in fork mode.\",\"ymNY32\":[\"Il n'y a pas assez de fonds dans la \",[\"0\"],\" réserve pour emprunter\"],\"yz7wBu\":\"Fermer\",\"z4uGQg\":\"Le plafond de la dette est dépassé\",\"z5UQOM\":\"La garantie choisie ne peut être liquidée\",\"z5Y+p6\":[\"Fournir \",[\"symbole\"]],\"zCjNKs\":\"L'action ne peut pas être effectuée car la réserve est gelée\",\"zRHytX\":\"Plafond de la dette isolée\",\"zTOjMP\":\"La limite d’approvisionnement du protocole est de 100 % pour cet actif. D’autres approvisionnements ne sont pas disponibles.\",\"zVdRUG\":\"Submission did not work, please try again later or contact wecare@avara.xyz\",\"zevmS2\":\"<0><1><2/>Ajoutez <3/> stkAAVE pour emprunter à <4/> (remise maximale)\",\"zgtIDV\":\"Dette restante\",\"zmTPiV\":\"Bilan d'approvisionnement\",\"zpPbZl\":\"Paramètres du risque de liquidation\",\"zucql+\":\"Menu\",\"zwWKhA\":\"Apprendre encore plus\",\"zy9fXn\":[\"L’actif est gelé \",[\"marketName\"],\" v3, donc cette position ne peut pas être migrée.\"],\"zys+R6\":\"Faites attention à la congestion du réseau et aux prix de l’essence.\",\"zzzTXS\":\"Merit Program rewards are claimed through the\"}")}; \ No newline at end of file diff --git a/src/modules/umbrella/StakeAssets/UmbrellaStakeAssetsListItem.tsx b/src/modules/umbrella/StakeAssets/UmbrellaStakeAssetsListItem.tsx index c84038d482..bf8b2525b9 100644 --- a/src/modules/umbrella/StakeAssets/UmbrellaStakeAssetsListItem.tsx +++ b/src/modules/umbrella/StakeAssets/UmbrellaStakeAssetsListItem.tsx @@ -1,6 +1,7 @@ import { Box, Typography } from '@mui/material'; // import { useRouter } from 'next/router'; import { MergedStakeData } from 'src/hooks/stake/useUmbrellaSummary'; +import { StakingDropdown } from 'src/modules/umbrella/helpers/StakingDropdown'; // import { useRewardsApy } from 'src/modules/umbrella/hooks/useStakeData'; // import { useRootStore } from 'src/store/root'; @@ -12,7 +13,6 @@ import { AmountStakedItem } from '../AmountStakedItem'; import { AvailableToClaimItem } from '../AvailableToClaimItem'; import { AvailableToStakeItem } from '../AvailableToStakeItem'; import { StakingApyItem } from '../StakingApyItem'; -import { StakingDropdown } from 'src/modules/umbrella/helpers/StakingDropdown'; export const UmbrellaStakeAssetsListItem = ({ ...umbrellaStakeAsset }: MergedStakeData) => { // const theme = useTheme(); diff --git a/src/modules/umbrella/StakeCooldownActions.tsx b/src/modules/umbrella/StakeCooldownActions.tsx index 3da4bfb408..caceea5029 100644 --- a/src/modules/umbrella/StakeCooldownActions.tsx +++ b/src/modules/umbrella/StakeCooldownActions.tsx @@ -1,13 +1,14 @@ import { Trans } from '@lingui/macro'; import { BoxProps } from '@mui/material'; +import { useQueryClient } from '@tanstack/react-query'; import { TxActionsWrapper } from 'src/components/transactions/TxActionsWrapper'; -import { useRootStore } from 'src/store/root'; -import { StakeTokenSercie } from './services/StakeTokenService'; import { useModalContext } from 'src/hooks/useModal'; -import { useShallow } from 'zustand/shallow'; import { useWeb3Context } from 'src/libs/hooks/useWeb3Context'; +import { useRootStore } from 'src/store/root'; import { getErrorTextFromError, TxAction } from 'src/ui-config/errorMapping'; -import { useQueryClient } from '@tanstack/react-query'; +import { useShallow } from 'zustand/shallow'; + +import { StakeTokenSercie } from './services/StakeTokenService'; export interface StakeCooldownActionsProps extends BoxProps { isWrongNetwork: boolean; diff --git a/src/modules/umbrella/StakeCooldownModal.tsx b/src/modules/umbrella/StakeCooldownModal.tsx index 1ddf1087d8..866d3e1bd7 100644 --- a/src/modules/umbrella/StakeCooldownModal.tsx +++ b/src/modules/umbrella/StakeCooldownModal.tsx @@ -1,8 +1,8 @@ import React from 'react'; +import { BasicModal } from 'src/components/primitives/BasicModal'; import { ModalType, useModalContext } from 'src/hooks/useModal'; import { StakeCooldownModalContent } from './StakeCooldownModalContent'; -import { BasicModal } from 'src/components/primitives/BasicModal'; export const StakeCooldownModal = () => { const { type, close, args } = useModalContext(); diff --git a/src/modules/umbrella/StakeCooldownModalContent.tsx b/src/modules/umbrella/StakeCooldownModalContent.tsx index efc9412839..e4b21e7d06 100644 --- a/src/modules/umbrella/StakeCooldownModalContent.tsx +++ b/src/modules/umbrella/StakeCooldownModalContent.tsx @@ -18,12 +18,13 @@ import { TxModalTitle } from 'src/components/transactions/FlowCommons/TxModalTit import { GasStation } from 'src/components/transactions/GasStation/GasStation'; import { ChangeNetworkWarning } from 'src/components/transactions/Warnings/ChangeNetworkWarning'; import { formattedTime, timeText } from 'src/helpers/timeHelper'; +import { useUmbrellaSummaryFor } from 'src/hooks/stake/useUmbrellaSummary'; import { useModalContext } from 'src/hooks/useModal'; import { useWeb3Context } from 'src/libs/hooks/useWeb3Context'; import { useRootStore } from 'src/store/root'; import { GENERAL } from 'src/utils/mixPanelEvents'; + import { StakeCooldownActions } from './StakeCooldownActions'; -import { useUmbrellaSummaryFor } from 'src/hooks/stake/useUmbrellaSummary'; export type StakeCooldownProps = { stakeToken: string; diff --git a/src/modules/umbrella/StakingApyItem.tsx b/src/modules/umbrella/StakingApyItem.tsx index 2250867d0c..613fe0479e 100644 --- a/src/modules/umbrella/StakingApyItem.tsx +++ b/src/modules/umbrella/StakingApyItem.tsx @@ -3,11 +3,11 @@ import { Box, Stack, Typography } from '@mui/material'; import { FormattedNumber } from 'src/components/primitives/FormattedNumber'; import { Row } from 'src/components/primitives/Row'; import { TokenIcon } from 'src/components/primitives/TokenIcon'; +import { useAppDataContext } from 'src/hooks/app-data-provider/useAppDataProvider'; +import { MergedStakeData } from 'src/hooks/stake/useUmbrellaSummary'; import { MultiIconWithTooltip } from './helpers/MultiIcon'; import { Rewards } from './services/StakeDataProviderService'; -import { MergedStakeData } from 'src/hooks/stake/useUmbrellaSummary'; -import { useAppDataContext } from 'src/hooks/app-data-provider/useAppDataProvider'; export const StakingApyItem = ({ stakeData }: { stakeData: MergedStakeData }) => { const { reserves } = useAppDataContext(); diff --git a/src/modules/umbrella/UserStakedAssets/UmbrellaUserAssetsListItemLoader.tsx b/src/modules/umbrella/UserStakedAssets/UmbrellaUserAssetsListItemLoader.tsx deleted file mode 100644 index 5ddb466619..0000000000 --- a/src/modules/umbrella/UserStakedAssets/UmbrellaUserAssetsListItemLoader.tsx +++ /dev/null @@ -1,41 +0,0 @@ -// import { Box, Skeleton } from '@mui/material'; - -// import { ListColumn } from '../../../components/lists/ListColumn'; -// import { ListItem } from '../../../components/lists/ListItem'; - -// export const UmbrellaUserAssetsListItemLoader = () => { -// return ( -// -// -// -// -// -// -// - -// -// -// - -// -// -// - -// -// -// - -// -// -// - -// -// -// - -// -// -// -// -// ); -// }; diff --git a/src/modules/umbrella/UserStakedAssets/UmbrellaUserStakeAssetsList.tsx b/src/modules/umbrella/UserStakedAssets/UmbrellaUserStakeAssetsList.tsx deleted file mode 100644 index 5d349910d2..0000000000 --- a/src/modules/umbrella/UserStakedAssets/UmbrellaUserStakeAssetsList.tsx +++ /dev/null @@ -1,132 +0,0 @@ -// import { ChainId } from '@aave/contract-helpers'; -// import { Trans } from '@lingui/macro'; -// import { useMediaQuery } from '@mui/material'; -// import { useMemo, useState } from 'react'; -// import { VariableAPYTooltip } from 'src/components/infoTooltips/VariableAPYTooltip'; -// import { ListColumn } from 'src/components/lists/ListColumn'; -// import { ListHeaderTitle } from 'src/components/lists/ListHeaderTitle'; -// import { ListHeaderWrapper } from 'src/components/lists/ListHeaderWrapper'; -// import { ComputedReserveData } from 'src/hooks/app-data-provider/useAppDataProvider'; - -// import { UmbrellaAssetsListMobileItem } from './UmbrellaAssetsListMobileItem'; -// import { UmbrellaAssetsListMobileItemLoader } from './UmbrellaAssetsListMobileItemLoader'; -// // import { UmbrellaStakeAssetsListItem } from './UmbrellaStakeAssetsListItem'; -// import { UmbrellaUserAssetsListItemLoader } from './UmbrellaUserAssetsListItemLoader'; -// import { UmbrellaUserStakeAssetsListItem } from './UmbrellaUserStakeAssetsListItem'; - -// const listHeaders = [ -// { -// title: Asset, -// sortKey: 'symbol', -// }, -// { -// title: APY, -// sortKey: 'totalLiquidityUSD', -// }, -// // { -// // title: Max Slashing, -// // sortKey: 'supplyAPY', -// // }, -// { -// title: Wallet Balance, -// sortKey: 'totalUnderlyingBalance', -// }, -// // { -// // title: ( -// // Borrow APY, variable} -// // key="APY_list_variable_type" -// // variant="subheader2" -// // /> -// // ), -// // sortKey: 'variableBorrowAPY', -// // }, -// ]; - -// type MarketAssetsListProps = { -// reserves: ComputedReserveData[]; -// loading: boolean; -// }; - -// // cast call 0x508b0d26b00bcfa1b1e9783d1194d4a5efe9d19e "rewardsController()("address")" --rpc-url https://virtual.base.rpc.tenderly.co/acca7349-4377-43ab-ba85-84530976e4e0 - -// export default function MarketAssetsList({ reserves, loading }: MarketAssetsListProps) { -// const isTableChangedToCards = useMediaQuery('(max-width:1125px)'); -// const [sortName, setSortName] = useState(''); -// const [sortDesc, setSortDesc] = useState(false); - -// if (sortDesc) { -// if (sortName === 'symbol') { -// reserves.sort((a, b) => (a.symbol.toUpperCase() < b.symbol.toUpperCase() ? -1 : 1)); -// } else { -// // eslint-disable-next-line @typescript-eslint/ban-ts-comment -// // @ts-ignore -// reserves.sort((a, b) => a[sortName] - b[sortName]); -// } -// } else { -// if (sortName === 'symbol') { -// reserves.sort((a, b) => (b.symbol.toUpperCase() < a.symbol.toUpperCase() ? -1 : 1)); -// } else { -// // eslint-disable-next-line @typescript-eslint/ban-ts-comment -// // @ts-ignore -// reserves.sort((a, b) => b[sortName] - a[sortName]); -// } -// } - -// // Show loading state when loading -// if (loading) { -// return isTableChangedToCards ? ( -// <> -// -// -// -// -// ) : ( -// <> -// -// -// -// -// -// ); -// } - -// // Hide list when no results, via search term or if a market has all/no frozen/unfrozen assets -// if (reserves.length === 0) return null; - -// return ( -// <> -// {!isTableChangedToCards && ( -// -// {listHeaders.map((col) => ( -// -// -// {col.title} -// -// -// ))} -// -// -// )} - -// {reserves.map((reserve) => -// isTableChangedToCards ? ( -// -// ) : ( -// -// ) -// )} -// -// ); -// } diff --git a/src/modules/umbrella/UserStakedAssets/UmbrellaUserStakeAssetsListContainer.tsx b/src/modules/umbrella/UserStakedAssets/UmbrellaUserStakeAssetsListContainer.tsx deleted file mode 100644 index 1309ba0c54..0000000000 --- a/src/modules/umbrella/UserStakedAssets/UmbrellaUserStakeAssetsListContainer.tsx +++ /dev/null @@ -1,110 +0,0 @@ -// import { API_ETH_MOCK_ADDRESS } from '@aave/contract-helpers'; -// import { Trans } from '@lingui/macro'; -// import { Box, Switch, Typography, useMediaQuery, useTheme } from '@mui/material'; -// import { useState } from 'react'; -// import { ListWrapper } from 'src/components/lists/ListWrapper'; -// import { NoSearchResults } from 'src/components/NoSearchResults'; -// import { Link } from 'src/components/primitives/Link'; -// import { Warning } from 'src/components/primitives/Warning'; -// import { TitleWithSearchBar } from 'src/components/TitleWithSearchBar'; -// import { useAppDataContext } from 'src/hooks/app-data-provider/useAppDataProvider'; -// import { useRootStore } from 'src/store/root'; -// import { fetchIconSymbolAndName } from 'src/ui-config/reservePatches'; -// import { getGhoReserve, GHO_MINTING_MARKETS, GHO_SYMBOL } from 'src/utils/ghoUtilities'; -// import { useShallow } from 'zustand/shallow'; - -// import { GENERAL } from '../../../utils/mixPanelEvents'; -// import UmbrellaAssetsList from './UmbrellaUserStakeAssetsList'; - -// function shouldDisplayGhoBanner(marketTitle: string, searchTerm: string): boolean { -// // GHO banner is only displayed on markets where new GHO is mintable (i.e. Ethereum) -// // If GHO is listed as a reserve, then it will be displayed in the normal market asset list -// if (!GHO_MINTING_MARKETS.includes(marketTitle)) { -// return false; -// } - -// if (!searchTerm) { -// return true; -// } - -// const normalizedSearchTerm = searchTerm.toLowerCase().trim(); -// return ( -// normalizedSearchTerm.length <= 3 && GHO_SYMBOL.toLowerCase().includes(normalizedSearchTerm) -// ); -// } - -// export const UmbrellaStakedAssetsListContainer = () => { -// const { reserves, loading } = useAppDataContext(); -// const [trackEvent, currentMarket, currentMarketData, currentNetworkConfig] = useRootStore( -// useShallow((store) => [ -// store.trackEvent, -// store.currentMarket, -// store.currentMarketData, -// store.currentNetworkConfig, -// ]) -// ); -// const [searchTerm, setSearchTerm] = useState(''); -// const { breakpoints } = useTheme(); -// const sm = useMediaQuery(breakpoints.down('sm')); - -// const ghoReserve = getGhoReserve(reserves); -// const displayGhoBanner = shouldDisplayGhoBanner(currentMarket, searchTerm); - -// const filteredData = reserves -// // Filter out any non-active reserves -// .filter((res) => res.isActive) -// // Filter out GHO if the banner is being displayed -// .filter((res) => (displayGhoBanner ? res !== ghoReserve : true)) -// // filter out any that don't meet search term criteria -// .filter((res) => { -// if (!searchTerm) return true; -// const term = searchTerm.toLowerCase().trim(); -// return ( -// res.symbol.toLowerCase().includes(term) || -// res.name.toLowerCase().includes(term) || -// res.underlyingAsset.toLowerCase().includes(term) -// ); -// }) -// // Transform the object for list to consume it -// .map((reserve) => ({ -// ...reserve, -// ...(reserve.isWrappedBaseAsset -// ? fetchIconSymbolAndName({ -// symbol: currentNetworkConfig.baseAssetSymbol, -// underlyingAsset: API_ETH_MOCK_ADDRESS.toLowerCase(), -// }) -// : {}), -// })); - -// return ( -// -// Your staked assets -// -// } -// searchPlaceholder={sm ? 'Search asset' : 'Search asset name, symbol, or address'} -// /> -// } -// > -// {/* Unfrozen assets list */} -// - -// {/* Show no search results message if nothing hits in either list */} -// {!loading && filteredData.length === 0 && !displayGhoBanner && ( -// -// We couldn't find any assets related to your search. Try again with a different -// asset name, symbol, or address. -// -// } -// /> -// )} -// -// ); -// }; diff --git a/src/modules/umbrella/UserStakedAssets/UmbrellaUserStakeAssetsListItem.tsx b/src/modules/umbrella/UserStakedAssets/UmbrellaUserStakeAssetsListItem.tsx deleted file mode 100644 index 6c4a88f455..0000000000 --- a/src/modules/umbrella/UserStakedAssets/UmbrellaUserStakeAssetsListItem.tsx +++ /dev/null @@ -1,171 +0,0 @@ -// import { ProtocolAction } from '@aave/contract-helpers'; -// import { Trans } from '@lingui/macro'; -// import { Box, Button, Typography } from '@mui/material'; -// import { useRouter } from 'next/router'; -// import { OffboardingTooltip } from 'src/components/infoTooltips/OffboardingToolTip'; -// import { RenFILToolTip } from 'src/components/infoTooltips/RenFILToolTip'; -// import { SpkAirdropTooltip } from 'src/components/infoTooltips/SpkAirdropTooltip'; -// import { SuperFestTooltip } from 'src/components/infoTooltips/SuperFestTooltip'; -// import { IsolatedEnabledBadge } from 'src/components/isolationMode/IsolatedBadge'; -// import { NoData } from 'src/components/primitives/NoData'; -// import { ReserveSubheader } from 'src/components/ReserveSubheader'; -// import { AssetsBeingOffboarded } from 'src/components/Warnings/OffboardingWarning'; -// import { useModalContext } from 'src/hooks/useModal'; -// import { useRootStore } from 'src/store/root'; -// import { MARKETS } from 'src/utils/mixPanelEvents'; -// import { showExternalIncentivesTooltip } from 'src/utils/utils'; -// import { useShallow } from 'zustand/shallow'; - -// import { IncentivesCard } from '../../../components/incentives/IncentivesCard'; -// import { AMPLToolTip } from '../../../components/infoTooltips/AMPLToolTip'; -// import { ListColumn } from '../../../components/lists/ListColumn'; -// import { ListItem } from '../../../components/lists/ListItem'; -// import { FormattedNumber } from '../../../components/primitives/FormattedNumber'; -// import { Link, ROUTES } from '../../../components/primitives/Link'; -// import { TokenIcon } from '../../../components/primitives/TokenIcon'; -// import { ComputedReserveData } from '../../../hooks/app-data-provider/useAppDataProvider'; - -// export const UmbrellaUserStakeAssetsListItem = ({ ...reserve }: ComputedReserveData) => { -// const router = useRouter(); -// const [trackEvent, currentMarket] = useRootStore( -// useShallow((store) => [store.trackEvent, store.currentMarket]) -// ); -// const { openUmbrella } = useModalContext(); - -// const externalIncentivesTooltipsSupplySide = showExternalIncentivesTooltip( -// reserve.symbol, -// currentMarket, -// ProtocolAction.supply -// ); -// const externalIncentivesTooltipsBorrowSide = showExternalIncentivesTooltip( -// reserve.symbol, -// currentMarket, -// ProtocolAction.borrow -// ); - -// return ( -// { -// // trackEvent(MARKETS.DETAILS_NAVIGATION, { -// // type: 'Row', -// // assetName: reserve.name, -// // asset: reserve.underlyingAsset, -// // market: currentMarket, -// // }); -// // router.push(ROUTES.reserveOverview(reserve.underlyingAsset, currentMarket)); -// // }} -// sx={{ cursor: 'pointer' }} -// button -// data-cy={`marketListItemListItem_${reserve.symbol.toUpperCase()}`} -// > -// -// -// -// -// {reserve.name} -// - -// -// -// {reserve.symbol} -// -// -// -// -// {/* -// -// -// -// */} - -// {/* -// -// {externalIncentivesTooltipsSupplySide.superFestRewards && } -// {externalIncentivesTooltipsSupplySide.spkAirdrop && } -// -// } -// market={currentMarket} -// protocolAction={ProtocolAction.supply} -// /> -// */} - -// -// {reserve.borrowingEnabled || Number(reserve.totalDebt) > 0 ? ( -// <> -// {' '} -// -// -// ) : ( -// -// )} -// - -// -// 0 ? reserve.variableBorrowAPY : '-1'} -// incentives={reserve.vIncentivesData || []} -// address={reserve.variableDebtTokenAddress} -// symbol={reserve.symbol} -// variant="main16" -// symbolsVariant="secondary16" -// tooltip={ -// <> -// {externalIncentivesTooltipsBorrowSide.superFestRewards && } -// {externalIncentivesTooltipsBorrowSide.spkAirdrop && } -// -// } -// market={currentMarket} -// protocolAction={ProtocolAction.borrow} -// /> -// {!reserve.borrowingEnabled && -// Number(reserve.totalVariableDebt) > 0 && -// !reserve.isFrozen && } -// - -// -// {/* TODO: Open Modal for staking */} -// -// -// -// ); -// }; diff --git a/src/modules/umbrella/helpers/StakingDropdown.tsx b/src/modules/umbrella/helpers/StakingDropdown.tsx index 2c57bfbe77..8f1619ee98 100644 --- a/src/modules/umbrella/helpers/StakingDropdown.tsx +++ b/src/modules/umbrella/helpers/StakingDropdown.tsx @@ -1,20 +1,22 @@ -import { useState } from 'react'; -import { useTheme } from '@mui/material'; -import { BigNumber } from 'ethers'; import { Trans } from '@lingui/macro'; -import Typography from '@mui/material/Typography'; +import AddIcon from '@mui/icons-material/Add'; +import AddOutlinedIcon from '@mui/icons-material/AddOutlined'; +import ArrowForwardIcon from '@mui/icons-material/ArrowForward'; +import MoreHorizIcon from '@mui/icons-material/MoreHoriz'; +import TimerOutlinedIcon from '@mui/icons-material/TimerOutlined'; +import { useTheme } from '@mui/material'; import IconButton from '@mui/material/IconButton'; import Menu from '@mui/material/Menu'; import MenuItem from '@mui/material/MenuItem'; -import MoreHorizIcon from '@mui/icons-material/MoreHoriz'; -import TimerOutlinedIcon from '@mui/icons-material/TimerOutlined'; -import AddOutlinedIcon from '@mui/icons-material/AddOutlined'; -import ArrowForwardIcon from '@mui/icons-material/ArrowForward'; import { styled } from '@mui/material/styles'; -import { useModalContext } from 'src/hooks/useModal'; +import Typography from '@mui/material/Typography'; +// import { BigNumber } from 'ethers'; +import { useState } from 'react'; import { MergedStakeData } from 'src/hooks/stake/useUmbrellaSummary'; -import { SecondsToString } from '../../staking/StakingPanel'; import { useCurrentTimestamp } from 'src/hooks/useCurrentTimestamp'; +import { useModalContext } from 'src/hooks/useModal'; + +import { SecondsToString } from '../../staking/StakingPanel'; // Styled component for the menu items to add gap between icon and text const StyledMenuItem = styled(MenuItem)({ @@ -44,11 +46,13 @@ export const StakingDropdown = ({ stakeData }: { stakeData: MergedStakeData }) = const isCooldownActive = cooldownTimeRemaining > 0; const isUnstakeWindowActive = endOfCooldown < now && now < endOfCooldown + unstakeWindow; - const availableToReactivateCooldown = - isCooldownActive && - BigNumber.from(stakeData?.balances.stakeTokenRedeemableAmount || 0).gt( - stakeData?.cooldownData.cooldownAmount || 0 - ); + // const availableToReactivateCooldown = + // isCooldownActive && + // BigNumber.from(stakeData?.balances.stakeTokenRedeemableAmount || 0).gt( + // stakeData?.cooldownData.cooldownAmount || 0 + // ); + + // console.log('stakeData', stakeData); const [anchorEl, setAnchorEl] = useState(null); const open = Boolean(anchorEl); @@ -100,54 +104,72 @@ export const StakingDropdown = ({ stakeData }: { stakeData: MergedStakeData }) = return (
- - - - - { - handleClose(); - openUmbrellaStakeCooldown(stakeData.stakeToken, stakeData.stakeTokenSymbol); - }} - > - - {getCooldownLabel()} + {stakeData.balances.stakeTokenBalance === '0' ? ( + <> + openUmbrella(stakeData.stakeToken, stakeData.stakeTokenSymbol)} + size="medium" + > + + + + ) : ( + <> + + + + + { + handleClose(); + openUmbrellaStakeCooldown(stakeData.stakeToken, stakeData.stakeTokenSymbol); + }} + > + + {getCooldownLabel()} - {/* 1d */} - - { - handleClose(); - openUmbrella(stakeData.stakeToken, stakeData.stakeTokenSymbol); - }} - > - - Stake more... - - - - Claim... - - + {/* 1d */} + + { + handleClose(); + openUmbrella(stakeData.stakeToken, stakeData.stakeTokenSymbol); + }} + > + + Stake more... + + + + Claim... + + + + )}
); }; diff --git a/src/modules/umbrella/services/StakeTokenService.ts b/src/modules/umbrella/services/StakeTokenService.ts index d9915eea54..2209b50fbf 100644 --- a/src/modules/umbrella/services/StakeTokenService.ts +++ b/src/modules/umbrella/services/StakeTokenService.ts @@ -1,4 +1,5 @@ import { BigNumber, PopulatedTransaction } from 'ethers'; + import { IERC4626StakeTokenInterface } from './types/StakeToken'; import { IERC4626StakeToken__factory } from './types/StakeToken__factory'; From f35226dbc46b5f4c7cbe78feb79d423a89b715c4 Mon Sep 17 00:00:00 2001 From: Mark Hinschberger Date: Thu, 23 Jan 2025 16:50:59 +0000 Subject: [PATCH 045/110] chore: type fixes --- .../umbrella/StakeAssets/UmbrellaAssetsListMobileItem.tsx | 2 +- src/modules/umbrella/UmbrellaHeader.tsx | 2 +- 2 files changed, 2 insertions(+), 2 deletions(-) diff --git a/src/modules/umbrella/StakeAssets/UmbrellaAssetsListMobileItem.tsx b/src/modules/umbrella/StakeAssets/UmbrellaAssetsListMobileItem.tsx index d2d6915578..fbfcbf29f3 100644 --- a/src/modules/umbrella/StakeAssets/UmbrellaAssetsListMobileItem.tsx +++ b/src/modules/umbrella/StakeAssets/UmbrellaAssetsListMobileItem.tsx @@ -33,7 +33,7 @@ export const UmbrellaAssetsListMobileItem = ({ ...umbrellaStakeAsset }: MergedSt textAlign: 'center', }} > - +
{ // useShallow((store) => [store.trackEvent, store.currentMarket, store.setCurrentMarket]) // ); - const { data: stakedDataWithTokenBalances, isPending: isLoadingStakedDataWithTokenBalances } = + const { data: stakedDataWithTokenBalances, loading: isLoadingStakedDataWithTokenBalances } = useUmbrellaSummary(currentMarketData); const upToLG = useMediaQuery(theme.breakpoints.up('lg')); From 1648017549f5651596f5db05192c615afa28a4a3 Mon Sep 17 00:00:00 2001 From: Mark Hinschberger Date: Thu, 23 Jan 2025 18:26:46 +0000 Subject: [PATCH 046/110] fix: mobile views --- src/locales/el/messages.js | 2 +- src/locales/en/messages.js | 2 +- src/locales/en/messages.po | 10 +- src/locales/es/messages.js | 2 +- src/locales/fr/messages.js | 2 +- src/modules/umbrella/AvailableToClaimItem.tsx | 42 ++++---- src/modules/umbrella/AvailableToStakeItem.tsx | 24 ++--- .../UmbrellaAssetsListMobileItem.tsx | 35 +++--- src/modules/umbrella/StakingApyItem.tsx | 15 ++- .../umbrella/helpers/StakingDropdown.tsx | 100 +++++++++++------- 10 files changed, 130 insertions(+), 104 deletions(-) diff --git a/src/locales/el/messages.js b/src/locales/el/messages.js index 0ef76c4b01..44cd97185a 100644 --- a/src/locales/el/messages.js +++ b/src/locales/el/messages.js @@ -1 +1 @@ -/*eslint-disable*/module.exports={messages:JSON.parse("{\"+0xecS\":[\"Εάν ΔΕΝ ξεκλειδώσετε εντός \",[\"0\"],\" του παραθύρου ξεκλειδώματος, θα πρέπει να ενεργοποιήσετε ξανά τη διαδικασία ψύξης.\"],\"+EGVI0\":\"Receive (est.)\",\"+VR63W\":[\"Η συμμετοχή σε αυτό το αποθεματικό \",[\"symbol\"],\" δίνει ετήσιες ανταμοιβές.\"],\"+bmKdK\":\"Use your AAVE, stkAAVE, or aAave balance to delegate your voting and proposition powers. You will not be sending any tokens, only the rights to vote and propose changes to the protocol. You can re-delegate or revoke power to self at any time.\",\"+eOPG+\":\"Φαίνεται ότι δεν μπορούμε να αλλάξουμε το δίκτυο αυτόματα. Ελέγξτε αν μπορείτε να το αλλάξετε από το πορτοφόλι.\",\"+i3Pd2\":\"Ανώτατο όριο δανεισμού\",\"+kLZGu\":\"Supplied asset amount\",\"+nuEh/\":\"Estimated time\",\"+xMFF8\":\"Remind me\",\"/57U31\":\"Amount to migrate\",\"/7ykiW\":\"Borrowing this amount will reduce your health factor and increase risk of liquidation.\",\"/YA5pU\":\"E-Mode increases your LTV for a selected category of assets, meaning that when E-mode is enabled, you will have higher borrowing power over assets of the same E-mode category which are defined by Aave Governance. You can enter E-Mode from your <0>Dashboard. To learn more about E-Mode and applied restrictionn, see the <1>help guide or the <2>Aave V3 Technical Paper.\",\"/izjs/\":\"Minimum staked Aave amount\",\"/jQctM\":\"To\",\"/lDBHm\":\"ΣΥΧΝΕΣ ΕΡΩΤΗΣΕΙΣ\",\"/yNlZf\":\"Ο σταθερός δανεισμός δεν είναι ενεργοποιημένος\",\"/yQcJM\":\"Συνολική αξία\",\"00AB2i\":\"Ο χρήστης δεν δανείστηκε το καθορισμένο νόμισμα\",\"00OflG\":\"There is not enough liquidity for the target asset to perform the switch. Try lowering the amount.\",\"08/rZ9\":\"The cooldown period is the time required prior to unstaking your tokens (20 days). You can only withdraw your assets from the Security Module after the cooldown period and within the unstake window.<0>Learn more\",\"0AmQcW\":\"Rate change\",\"0BF3yK\":\"Sorry, we couldn't find the page you were looking for.\",\"0TAbjq\":\"Recent Transactions\",\"0jhlyw\":\"Liquidation risk\",\"0ojY+Y\":\"Current v2 Balance\",\"0thX3P\":\"Collateral change\",\"0wGCWc\":\"Αυτό είναι το συνολικό ποσό που μπορείτε να προμηθεύσετε σε αυτό το αποθεματικό. Μπορείτε να προμηθεύσετε το υπόλοιπο του πορτοφολιού σας μέχρι να επιτευχθεί το ανώτατο όριο προμηθειών.\",\"1AsVfF\":\"Price data is not currently available for this reserve on the protocol subgraph\",\"1LjK22\":\"Transaction history\",\"1Onqx8\":[\"Έγκριση του \",[\"symbol\"],\"...\"],\"1Ue8sX\":\"Παρακαλούμε συνδέστε ένα πορτοφόλι για να δείτε τις προσωπικές σας πληροφορίες εδώ.\",\"1bpx9A\":\"...\",\"1kWUB+\":\"Ρευστοποίηση <0/> κατώτατο όριο\",\"1m9Qqc\":\"Withdrawing and Switching\",\"1oyh4g\":\"Borrow rate\",\"1t7rez\":\"Asset supply is limited to a certain amount to reduce protocol exposure to the asset and to help manage risks involved.\",\"2CAPu2\":\"You've successfully withdrew & switched tokens.\",\"2Eoi/a\":\"Προβολή λεπτομερειών\",\"2FYpfJ\":\"Περισσότερα\",\"2O3qp5\":\"Διαθέσιμη ρευστότητα\",\"2OM8/D\":[\"Asset cannot be migrated due to supply cap restriction in \",[\"marketName\"],\" v3 market.\"],\"2Q4GU4\":\"Blocked Address\",\"2ZGocC\":\"Aave is a fully decentralized, community governed protocol by the AAVE token-holders. AAVE token-holders collectively discuss, propose, and vote on upgrades to the protocol. AAVE token-holders (Ethereum network only) can either vote themselves on new proposals or delagate to an address of choice. To learn more check out the Governance\",\"2a6G7d\":\"Please enter a valid wallet address.\",\"2bAhR7\":\"Meet GHO\",\"2eBWE6\":\"I acknowledge the risks involved.\",\"2o/xRt\":\"Επίτευξη του ανώτατου ορίου εφοδιασμού στο αποθεματικό-στόχο. Δοκιμάστε να \\nμειώσετε την ποσότητα.\",\"2uJToh\":[[\"0\"],[\"name\"]],\"2x58bP\":\"Ο σταθερός δανεισμός είναι ενεργοποιημένος\",\"34Qfwy\":\"Υπέρβαση του ανώτατου ορίου δανεισμού\",\"39eQRj\":[\"Δανεισμός \",[\"symbol\"]],\"3BL1xB\":\"Σύνολο παρεχόμενων\",\"3BnIWi\":\"Switched\",\"3K0oMo\":\"Υπολειπόμενη προσφορά\",\"3MoZhl\":\"Δεν υπάρχουν επαρκείς εξασφαλίσεις για την κάλυψη ενός νέου δανείου\",\"3Np5O8\":[\"Προσφορά \",[\"symbol\"]],\"3O8YTV\":\"Total interest accrued\",\"3mXg0z\":\"Μέγιστο LTV\",\"3q3mFy\":\"Αποπληρωμή\",\"3qsjtp\":\"Ο σταθμισμένος μέσος όρος του APY για όλα τα παρεχόμενα περιουσιακά στοιχεία, συμπεριλαμβανομένων των κινήτρων.\",\"3rL+os\":\"Μπορείτε να αποσύρετε τα περιουσιακά σας στοιχεία από τη Μονάδα Ασφαλείας μόνο αφού λήξει η περίοδος αναμονής και το παράθυρο ξεκλειδώματος είναι ενεργό.\",\"42UgDM\":[\"Migrate to \",[\"0\"],\" v3 Market\"],\"49UFQA\":\"Αποτελέσματα ψηφοφορίας\",\"4DMZUI\":\"View Transactions\",\"4HtGBb\":\"ΜΕΓΙΣΤΟ\",\"4Y5H+g\":\"Terms\",\"4YYh4d\":\"Maximum available to borrow\",\"4iPAI3\":\"Minimum GHO borrow amount\",\"4lDFps\":\"Sign to continue\",\"4wyw8H\":\"Transactions\",\"5JSSxX\":[\"Your \",[\"networkName\"],\" wallet is empty. Get free test assets at\"],\"5K7kGO\":\"τεκμηρίωση\",\"5NOSGa\":\"Debt ceiling limits the amount possible to borrow against this asset by protocol users. Debt ceiling is specific to assets in isolation mode and is denoted in USD.\",\"5Ncc6j\":[\"Αυτό το περιουσιακό στοιχείο έχει σχεδόν φτάσει στο όριο της προσφοράς του. Μόνο \",[\"messageValue\"],\" μπορεί να παρασχεθεί σε αυτή την αγορά.\"],\"5cZ/KX\":\"Η προσφορά μεταβλητού χρέους δεν είναι μηδενική\",\"5che++\":\"Για να ζητήσετε πρόσβαση σε αυτή την αδειοδοτημένη αγορά, επισκεφθείτε την ιστοσελίδα: <0>Όνομα Παρόχου Πρόσβασης\",\"5ctNdV\":[\"Minimum \",[\"0\"],\" received\"],\"5hDe9v\":\"Απαιτούμενη δράση επιδότησης\",\"5rsnKT\":\"Διαθέσιμες ανταμοιβές\",\"5yC5m5\":\"View all votes\",\"6/dCYd\":\"Επισκόπηση\",\"60crCe\":\"All transactions\",\"62Xcjh\":\"Εγγύηση\",\"65A04M\":\"Ισπανικά\",\"6G8s+q\":\"Signing\",\"6Jrv+z\":[\"Αποπληρωμή \",[\"symbol\"]],\"6NGLTR\":\"Discountable amount\",\"6Xr0UU\":\"Ψύξη...\",\"6bxci/\":\"Δύναμη ψήφου\",\"6f8S68\":\"Αγορές\",\"6g1gi0\":\"Προτάσεις\",\"6gvoHP\":\"Copy error message\",\"6h3Q5G\":\"repaid\",\"6lFSyT\":\"Available to Stake\",\"6s8L6f\":\"Αλλαγή Δικτύου\",\"6yAAbq\":\"APY, borrow rate\",\"70wH1Q\":\"APR\",\"72c5Qo\":\"Total\",\"73Auuq\":\"Discount parameters are decided by the Aave community and may be changed over time. Check Governance for updates and vote to participate. <0>Learn more\",\"75qcAQ\":[[\"stepName\"]],\"7ITr5L\":\"Συντελεστής υγείας\",\"7T/o5R\":\"Επιτεύχθηκε\",\"7YlcXu\":\"Fork mode is ON\",\"7Z76Iw\":\"Borrowing is unavailable because you’re using Isolation mode. To manage Isolation mode visit your <0>Dashboard.\",\"7aKlMS\":\"Share on Lens\",\"7er5fP\":\"Διεκδικήστε τα όλα\",\"7hb2+s\":\"Time remaining until the withdraw period ends.\",\"7l88b8\":\"Data couldn't be fetched, please reload graph.\",\"7p5kLi\":\"Ταμπλό\",\"7sofdl\":\"Withdraw and Switch\",\"8+6BI0\":\"Προσοχή - Είστε πολύ κοντά στην ρευστοποίηση. Εξετάστε το ενδεχόμενο να καταθέσετε περισσότερες εγγυήσεις ή να εξοφλήσετε κάποιες από τις δανειακές σας θέσεις\",\"87pUEW\":[\"Το πορτοφόλι σας \",[\"name\"],\" είναι άδειο. Αγοράστε ή μεταφέρετε περιουσιακά στοιχεία.\"],\"8F1i42\":\"Page not found\",\"8G8M0u\":\"Loading data...\",\"8Iu1QS\":\"withdrew\",\"8JL93T\":\"Όλες οι προτάσεις\",\"8Q51DU\":\"Add to wallet\",\"8X/oyn\":\"Μη έγκυρο ποσό για νομισματοκοπία\",\"8Z5FPv\":\"Αποσυνδέστε το πορτοφόλι\",\"8Zz7s5\":\"περιουσιακά στοιχεία\",\"8aLW8H\":\"Balance to revoke\",\"8bOT3H\":\"Ποσοστό χρησιμοποίησης\",\"8sLe4/\":\"View contract\",\"8t/M0y\":\"Please connect your wallet to be able to bridge your tokens.\",\"8vETh9\":\"Εμφάνιση\",\"94OHPx\":\"Εισέρχεστε σε λειτουργία απομόνωσης\",\"9CDK3/\":[\"Ο δανεισμός δεν είναι επί του παρόντος διαθέσιμος για \",[\"0\"],\".\"],\"9GIj3z\":\"Μέγεθος Αποθεματικού\",\"9Knqb4\":\"Staking balance\",\"9OBKm7\":\"Απαρτία\",\"9QHoGr\":\"Τρέχουσες ψήφοι\",\"9Rw96f\":[\"Αυτό το περιουσιακό στοιχείο έχει σχεδόν φτάσει στο όριο δανεισμού του. Υπάρχει μόνο \",[\"messageValue\"],\" διαθέσιμο για δανεισμό από αυτή την αγορά.\"],\"9Xj/qR\":[\"Some migrated assets will not be used as collateral due to enabled isolation mode in \",[\"marketName\"],\" V3 Market. Visit <0>\",[\"marketName\"],\" V3 Dashboard to manage isolation mode.\"],\"9c6vDV\":\"Αυτό το περιουσιακό στοιχείο έχει φτάσει στο όριο της προσφοράς του. Τίποτα δεν είναι διαθέσιμο για προμήθεια από αυτή την αγορά.\",\"9kTWHA\":\"MAI has been paused due to a community decision. Supply, borrows and repays are impacted. <0>More details\",\"9lXchd\":\"Underlying token\",\"9rWaKF\":\"Bridged Via CCIP\",\"9xSooW\":\"Δεδομένου ότι πρόκειται για ένα δοκιμαστικό δίκτυο, μπορείτε να αποκτήσετε οποιοδήποτε από τα περιουσιακά στοιχεία αν έχετε ETH στο πορτοφόλι σας\",\"A/lwoe\":\"Choose one of the on-ramp services\",\"A6dCI6\":[\"Maximum amount available to borrow is <0/> \",[\"0\"],\" (<1/>).\"],\"AReoaV\":\"Τα δάνεια σας\",\"ARu1L4\":\"Repaid\",\"AV7cGz\":\"Αναθεώρηση λεπτομερειών έγκρισης συναλλαγής\",\"AZOjB8\":\"Fetching data...\",\"Ai0jas\":\"Join the community discussion\",\"Ajl2rq\":\"Η δύναμη δανεισμού και τα περιουσιακά στοιχεία είναι περιορισμένα λόγω της λειτουργίας απομόνωσης.\",\"AqgYNC\":\"Protocol borrow cap at 100% for this asset. Further borrowing unavailable.\",\"B3EcQR\":\"Thank you for voting!!\",\"B6aXGH\":\"Σταθερό\",\"B9Gqbz\":\"Variable rate\",\"BDFEd+\":\"stETH supplied as collateral will continue to accrue staking rewards provided by daily rebases.\",\"BE2mP0\":\"Borrowed assets\",\"BJyN77\":\"Due to health factor impact, a flashloan is required to perform this transaction, but Aave Governance has disabled flashloan availability for this asset. Try lowering the amount or supplying additional collateral.\",\"BNL4Ep\":\"Η χρήση εγγύησης είναι περιορισμένη λόγω της λειτουργίας απομόνωσης. <0>Μάθετε περισσότερα\",\"BQ/wCO\":\"Migrate your assets\",\"BjLdl1\":\"At a discount\",\"BnhYo8\":\"Κατηγορία περιουσιακών στοιχείων\",\"Bq9Y7e\":\"This asset is frozen due to an Aave community decision. <0>More details\",\"BqWMDJ\":\"Βρύση\",\"BqynZO\":\"Optimized for efficiency and risk by supporting blue-chip collateral assets\",\"Bsu7zX\":\"The fee includes the gas cost to complete the transaction on the destination chain and the fee paid to Chainlink CCIP service providers. You can chose to pay in the network token or GHO. <0>Learn more\",\"BwJKBw\":\"of\",\"CDrsH+\":\"Techpaper\",\"CK1KXz\":\"Μεγιστο\",\"CMHmbm\":\"Slippage\",\"CZXzs4\":\"Greek\",\"CcRNG6\":\"Switching\",\"CkTRmy\":[\"Διεκδίκηση \",[\"symbol\"]],\"CsqtLm\":\"Please connect your wallet to see migration tool.\",\"CtGlFb\":[[\"networkName\"],\" Βρύση\"],\"Cxt2YY\":\"Watch wallet\",\"D33VQU\":\"This action will reduce health factor of V3 below liquidation threshold. Increase migrated collateral or reduce migrated borrow to continue.\",\"D9BLRG\":\"This asset has been paused due to a community decision. Supply, withdraw, borrows and repays are impacted.\",\"DAma/S\":\"Η εγγύηση είναι (ως επί το πλείστον) το ίδιο νόμισμα που δανείζεται\",\"DCnFg0\":[\"Addresses (\",[\"0\"],\")\"],\"DG3Lv1\":\"I fully understand the risks of migrating.\",\"DONJcV\":\"Το υποκείμενο περιουσιακό στοιχείο δεν μπορεί να διασωθεί\",\"DR+4uL\":\"Supply balance after switch\",\"DWjrck\":[\"Asset cannot be migrated to \",[\"marketName\"],\" V3 Market due to E-mode restrictions. You can disable or manage E-mode categories in your <0>V3 Dashboard\"],\"Dj+3wB\":\"Aave ανά μήνα\",\"DptNvx\":\"Amount Staked\",\"DuEq2K\":\"Εξασφάλιση\",\"DxfsGs\":\"You can report incident to our <0>Discord or<1>Github.\",\"Dzma+E\":\"Main Ethereum market with the largest selection of assets and yield options\",\"E/QGRL\":\"Απενεργοποιημένο\",\"EBL9Gz\":\"COPIED!\",\"ES8dkb\":\"Fixed rate\",\"EZd3Dk\":[\"Restaking \",[\"symbol\"]],\"Ebgc76\":[\"Ανάληψη \",[\"symbol\"]],\"EdQY6l\":\"Κανένα\",\"EjvKQ+\":\"Minimum USD value received\",\"Enslfm\":\"Destination\",\"EvE9nO\":[\"Reactivate cooldown period to unstake \",[\"0\"],\" \",[\"stakedToken\"]],\"EvECnL\":\"Migrate to v3\",\"EzMQbh\":\"The source chain time to finality is the main factor that determines the time to destination. <0>Learn more\",\"F40cwT\":\"Legacy Markets\",\"F6TdXL\":\"Μάθετε περισσότερα.\",\"FDDPeZ\":\"Users can stake their assets in the protocol and earn incentives. In the case of a shortfall event, your stake can be slashed to cover the deficit, providing an additional layer of protection for the protocol.\",\"FHlMf/\":\"Current v2 balance\",\"FHpxjF\":[\"Reserve factor is a percentage of interest which goes to a \",[\"0\"],\" that is controlled by Aave governance to promote ecosystem growth.\"],\"FOBZa6\":\"Δανεισμός χρησιμοποιημένης ισχύος\",\"FPKEug\":\"Η λειτουργία δεν υποστηρίζεται\",\"FbmMe7\":\"Linked addresses\",\"Fdp03t\":\"ενεργοποίηση\",\"Fjw9N+\":\"Περιουσιακά στοιχεία προς προμήθεια\",\"FmN0fk\":\"Restake\",\"GDGLIs\":\"GHO is a native decentralized, collateral-backed digital asset pegged to USD. It is created by users via borrowing against multiple collateral. When user repays their GHO borrow position, the protocol burns that user's GHO. All the interest payments accrued by minters of GHO would be directly transferred to the AaveDAO treasury.\",\"GQrBTq\":\"Switch E-Mode\",\"GWswcZ\":\"This asset is frozen due to an Aave Protocol Governance decision. On the 20th of December 2022, renFIL will no longer be supported and cannot be bridged back to its native network. It is recommended to withdraw supply positions and repay borrow positions so that renFIL can be bridged back to FIL before the deadline. After this date, it will no longer be possible to convert renFIL to FIL. <0>More details\",\"GX8GKD\":\"Περιουσιακά Στοιχεία\",\"GgEj+0\":\"Read-only mode. Connect to a wallet to perform transactions.\",\"GjkIKV\":\"τελειώνει\",\"GoK/QN\":\"Thank you for submitting feedback!\",\"GtP2hp\":[\"Ο δανεισμός δεν είναι διαθέσιμος επειδή έχετε ενεργοποιήσει τη λειτουργία Αποδοτικότητας (E-Mode) για την κατηγορία \",[\"0\"],\". Για να διαχειριστείτε τις κατηγορίες E-Mode επισκεφθείτε τον <0>Πίνακα ελέγχου.\"],\"H6Ma8Z\":\"Discount\",\"HB/wfS\":[[\"tooltipText\"]],\"HKDsQN\":\"Rewards can be claimed through\",\"Ha/U5f\":\"This is a program initiated and implemented by the decentralised ZKSync community. Aave Labs does not guarantee the program and accepts no liability.\",\"HciqKU\":\"This is a program initiated and implemented by the decentralised Aave community. Aave Labs does not guarantee the program and accepts no liability.\",\"Hi6Ttn\":\"Sorry, an unexpected error happened. In the meantime you may try reloading the page, or come back later.\",\"HkEDbS\":[[\"d\"],\"η\"],\"HmkYqM\":\"Παράθυρο ξεκλειδώματος\",\"HpK/8d\":\"Reload\",\"HrnC47\":\"Save and share\",\"HuVZMK\":\"Days\",\"HvJKMU\":[\"Asset cannot be migrated to \",[\"marketName\"],\" v3 Market since collateral asset will enable isolation mode.\"],\"Hvwnm9\":[\"Maximum amount available to supply is limited because protocol supply cap is at \",[\"0\"],\"%.\"],\"I8CX2c\":\"Το συνολικό ποσό των περιουσιακών σας στοιχείων σε δολάρια ΗΠΑ που μπορούν να χρησιμοποιηθούν ως εγγύηση για δανεισμό περιουσιακών στοιχείων.\",\"IAD2SB\":[\"Claiming \",[\"symbol\"]],\"IG9X9/\":\"Borrowing of this asset is limited to a certain amount to minimize liquidity pool insolvency.\",\"IOIx8L\":\"This asset is planned to be offboarded due to an Aave Protocol Governance decision. <0>More details\",\"IP+I/j\":\"Περίοδος ψύξης\",\"IaA40H\":\"Ρευστοποίηση στο\",\"J/hVSQ\":[[\"0\"]],\"JCoxL6\":\"Manage analytics\",\"JK9zf1\":[\"Estimated compounding interest, including discount for Staking \",[\"0\"],\"AAVE in Safety Module.\"],\"JOqFba\":[\"Unstaking \",[\"symbol\"]],\"JPrLjO\":\"Δεν μπορείτε να χρησιμοποιήσετε αυτό το νόμισμα ως εγγύηση\",\"JU6q+W\":\"Ανταμοιβή(ες) προς διεκδίκηση\",\"JYKRJS\":\"Κλειδώστε\",\"JZMxX0\":\"Δεν υπάρχει αρκετό υπόλοιπο στο πορτοφόλι σας\",\"Jgflkm\":\"Get GHO\",\"JoMQnI\":\"Υπόλοιπο πορτοφολιού\",\"JtwD8u\":\"Borrow balance after repay\",\"JumYTK\":\"Supplied assets\",\"K05qZY\":\"Withdraw & Switch\",\"KAz/NV\":\"Protocol debt ceiling is at 100% for this asset. Further borrowing against this asset is unavailable.\",\"KLXVqE\":[\"stETH tokens will be migrated to Wrapped stETH using Lido Protocol wrapper which leads to supply balance change after migration: \",[\"0\"]],\"KLd6ky\":\"Use connected account\",\"KRpokz\":\"VIEW TX\",\"KSlpka\":\"Αυτό αντιπροσωπεύει το κατώτατο όριο στο οποίο μια θέση δανεισμού θα θεωρηθεί υποεγγυημένη και θα υπόκειται σε ρευστοποίηση για κάθε εγγύηση. Για παράδειγμα, εάν μια εγγύηση έχει κατώτατο όριο ρευστοποίησης 80%, αυτό σημαίνει ότι η θέση θα ρευστοποιηθεί όταν η αξία του χρέους ανέρχεται στο 80% της αξίας της εγγύησης.\",\"KYAjf3\":\"Απομονωμένο\",\"KZwRuD\":[[\"notifyText\"]],\"KkPgim\":\"Switching E-Mode\",\"KnN1Tu\":\"Λήγει\",\"KoOBI2\":\"Due to internal stETH mechanics required for rebasing support, it is not possible to perform a collateral switch where stETH is the source token.\",\"KojyJ4\":\"Λάθος δίκτυο\",\"KsqhWn\":\"Κλείδωμα\",\"KuBTQq\":\"Εισάγετε διεύθυνση ETH\",\"KvG1xW\":\"Διεκδίκηση\",\"L+8Lzs\":\"Τρέχον LTV\",\"L+qiq+\":\"Αγορά\",\"LDzfVJ\":\"Send Feedback\",\"LIrMcF\":\"Δεν υπάρχει δικαίωμα ψήφου\",\"LL0zks\":\"Μπορεί να αποτελέσει εγγύηση\",\"LLdJWu\":\"Διεκδικήσιμο AAVE\",\"LSIpNK\":\"Δεν επιτρέπεται ο δανεισμός και η αποπληρωμή στο ίδιο block\",\"LVt3TI\":[\"<0>Slippage tolerance <1>\",[\"selectedSlippage\"],\"% <2>\",[\"0\"],\"\"],\"LjafV8\":\"Maximum collateral amount to use\",\"LtpQew\":\"Let us know how we can make the app better for you. For user support related inquiries please reach out on\",\"LvVpD/\":\"Emode\",\"M2sknc\":\"Tip: Try increasing slippage or reduce input amount\",\"M7wPsD\":\"Switch\",\"MFu33y\":\"Staking 00\",\"MIy2RJ\":\"Maximum amount received\",\"MZ/nQf\":\"Διεύθυνση παραλήπτη\",\"Ma/MtY\":\"προβολή κλειδώματος\",\"McHlGl\":\"APY change\",\"MeCCA+\":\"APY, μεταβλητό\",\"MghdTe\":\"Εάν ο συντελεστής υγείας πέσει κάτω από το 1, ενδέχεται να ενεργοποιηθεί η ρευστοποίηση των εγγυήσεών σας.\",\"Mm/DVQ\":\"Ακυρώσατε τη συναλλαγή.\",\"MnE2QX\":\"Borrow info\",\"MrmQHg\":\"View Bridge Transactions\",\"MuDFEQ\":\"Μη έγκυρη τιμή επιστροφής της συνάρτησης εκτελεστή flashloan\",\"N5kUMV\":\"Asset can be only used as collateral in isolation mode with limited borrowing power. To enter isolation mode, disable all other collateral.\",\"N6Pxr9\":\"View all\",\"NF0e1Q\":\"Εκκρεμεί...\",\"NK9ikO\":\"Wallet Balance\",\"NMt2CB\":\"Amount claimable\",\"NcFGxG\":\"Collector Contract\",\"NfpPeS\":\"Τίποτα κλειδωμένο\",\"Nh9DAo\":[[\"m\"],\"λ\"],\"O+sCUU\":\"Υπέρβαση του ανώτατου ορίου νομισματοκοπείου χωρίς αντίκρισμα\",\"O+tyU+\":[\"Maximum amount available to borrow against this asset is limited because debt ceiling is at \",[\"0\"],\"%.\"],\"O3oNi5\":\"Email\",\"OFjZGo\":\"Unstake\",\"OR8cYX\":\"Επισκόπηση πρότασης\",\"OYuJ9K\":\"Protocol debt ceiling is at 100% for this asset. Futher borrowing against this asset is unavailable.\",\"OfhWJH\":\"Reset\",\"Og2SKn\":\"απενεργοποιημένο\",\"On0aF2\":\"Website\",\"OsyKSt\":\"Ανάληψη\",\"P1dURE\":\"Revoke power\",\"P2WCD/\":[\"Underlying asset does not exist in \",[\"marketName\"],\" v3 Market, hence this position cannot be migrated.\"],\"P2sL6B\":\"Όταν πραγματοποιείται ρευστοποίηση, οι ρευστοποιητές επιστρέφουν έως και το 50% του ανεξόφλητου δανεισμένου ποσού για λογαριασμό του δανειολήπτη. Σε αντάλλαγμα, μπορούν να αγοράσουν τις εξασφαλίσεις με έκπτωση και να κρατήσουν τη διαφορά (ποινή ρευστοποίησης) ως μπόνους.\",\"P6sRoL\":\"Stake ABPT\",\"P72/OW\":\"Ο σταθμισμένος μέσος όρος του APY για όλα τα δανειακά περιουσιακά στοιχεία, συμπεριλαμβανομένων των κινήτρων.\",\"P7e6Ug\":\"Please connect your wallet to view transaction history.\",\"PByO0X\":\"Votes\",\"PI+kVe\":\"Disable fork\",\"PJK9u/\":\"Borrow apy\",\"PLUB/s\":\"Fee\",\"PP5ZA8\":[\"Participating in staking \",[\"symbol\"],\" gives annualized rewards. Your wallet balance is the sum of your aTokens and underlying assets. The breakdown to stake is below\"],\"PcBUgb\":\"Κατώτατο όριο ρευστοποίησης\",\"PjU6bu\":\"This asset is eligible for SPK incentive program. Aave Labs does not guarantee the program and accepts no liability.\",\"PpqD5g\":\"Η ενεργοποίηση αυτού του περιουσιακού στοιχείου ως εγγύηση αυξάνει τη δανειοληπτική σας ικανότητα και τον Συντελεστή Υγείας. Ωστόσο, μπορεί να ρευστοποιηθεί εάν ο συντελεστής υγείας σας πέσει κάτω από το 1.\",\"PsOFSf\":\"This action will reduce V2 health factor below liquidation threshold. retain collateral or migrate borrow position to continue.\",\"Pu4bI/\":[[\"currentMethod\"]],\"Q0LzKi\":\"View TX\",\"Q4eNqa\":\"The Aave Balancer Pool Token (ABPT) is a liquidity pool token. You can receive ABPT by depositing a combination of AAVE + wstETH in the Balancer liquidity pool. You can then stake your BPT in the Safety Module to secure the protocol and earn Safety Incentives.\",\"QQYsQ7\":\"Withdrawing\",\"QWYCs/\":\"Stake GHO\",\"R+30X3\":\"Δεν έχει επιτευχθεί\",\"RCU5PY\":\"Age\",\"RIfckG\":[\"Απενεργοποίηση \",[\"symbol\"],\" ως εγγύηση\"],\"RMtxNk\":\"Διαφορικό\",\"RNK49r\":\"Μη έγκυρη υπογραφή\",\"RS0o7b\":\"Κατάσταση\",\"RU+LqV\":\"Λεπτομέρειες πρότασης\",\"RYTgZX\":\"lorem ipsum\",\"RbXH+k\":\"AAVE, GHO, and ABPT holders (Ethereum network only) can stake their assets in the Safety Module to add more security to the protocol and earn Safety Incentives. In the case of a shortfall event, your stake can be slashed to cover the deficit, providing an additional layer of protection for the protocol.\",\"RiSYV4\":\"Το περιουσιακό στοιχείο δεν περιλαμβάνεται στον κατάλογο\",\"Rj01Fz\":\"Σύνδεσμοι\",\"RmWFEe\":\"Κλείδωμα APR\",\"RoafuO\":\"Send feedback\",\"RtBLm7\":\"Ο συντελεστής υγείας είναι μικρότερος από το όριο ρευστοποίησης\",\"RxzN1M\":\"Ενεργοποιημένο\",\"SDav7h\":\"Κεφάλαια στην Μονάδα Ασφάλειας\",\"SENccp\":\"If the error continues to happen,<0/> you may report it to this\",\"SIWumd\":\"Show Frozen or paused assets\",\"SM58dD\":\"Amount in cooldown\",\"SSMiac\":\"Failed to load proposal voters. Please refresh the page.\",\"SSQVIz\":\"Liquidation Threshold\",\"SUb8x0\":\"Σύνολο διαθέσιμων\",\"SWIgh4\":\"Fees exceed wallet balance\",\"SY9hVo\":\"Read-only mode allows to see address positions in Aave, but you won't be able to perform transactions.\",\"SZRUQ4\":\"Max slippage\",\"Sa1UE/\":\"Protocol borrow cap is at 100% for this asset. Further borrowing unavailable.\",\"Sk2zW9\":\"Απενεργοποίηση E-Mode\",\"SxaD0o\":\"Ο πάροχος διευθύνσεων κοινόχρηστων ταμείων δεν είναι εγγεγραμμένος\",\"T/AIqG\":\"Protocol supply cap at 100% for this asset. Further supply unavailable.\",\"T0xCO9\":\"Can't validate the wallet address. Try again.\",\"T4OhVl\":\"GHO balance\",\"T6uYU2\":\"Δανεισμός\",\"TFxQlw\":\"Ποινή ρευστοποίησης\",\"TQ7WsV\":\"Available to stake\",\"TUI7iB\":\"To περιουσιακό στοιχείο μπορεί να χρησιμοποιηθεί ως εγγύηση μόνο σε λειτουργία απομόνωσης.\",\"TbjyhA\":\"Docs\",\"TduuS0\":\"Ο χρήστης δεν έχει ανεξόφλητο χρέος σταθερού επιτοκίου σε αυτό το αποθεματικό\",\"TeCFg/\":\"Borrow rate change\",\"Tg1JyO\":\"Bridge history\",\"TskbEN\":\"Holders of stkAAVE receive a discount on the GHO borrowing rate\",\"TszKts\":\"Borrow balance after switch\",\"TtZL6q\":\"Discount model parameters\",\"TwJI9F\":\"Asset has been successfully sent to CCIP contract. You can check the status of the transactions below\",\"Tz0GSZ\":\"blocked activities\",\"U/eBjN\":\"Reload the page\",\"U2r8nY\":\"Choose how much voting/proposition power to give to someone else by delegating some of your AAVE, stkAAVE or aAave balance. Your tokens will remain in your account, but your delegate will be able to vote or propose on your behalf. If your AAVE, stkAAVE or aAave balance changes, your delegate's voting/proposition power will be automatically adjusted.\",\"U8IubP\":\"The app is running in testnet mode. Learn how it works in\",\"U9btTk\":\"Το περιουσιακό στοιχείο δεν είναι δανείσιμο σε λειτουργία απομόνωσης\",\"UAOZRe\":\"Price impact is the spread between the total value of the entry tokens switched and the destination tokens obtained (in USD), which results from the limited liquidity of the trading pair.\",\"UE3KJZ\":\"Transaction history is not currently available for this market\",\"URmyfc\":\"Λεπτομέρειες\",\"UTTKmT\":\"Stake cooldown activated\",\"UXeR72\":\"Τα κεφάλαια αυτά έχουν δανειστεί και δεν είναι διαθέσιμα για ανάληψη αυτή τη στιγμή.\",\"UYb8CM\":\"Learn more about the SPK rewards\",\"UbRrG0\":\"Ο δείκτης μέγιστου LTV αντιπροσωπεύει τη μέγιστη δανειοληπτική ικανότητα μιας συγκεκριμένης εγγύησης. Για παράδειγμα, εάν μια εγγύηση έχει LTV 75%, ο χρήστης μπορεί να δανειστεί έως και 0,75 ETH στο κύριο νόμισμα για κάθε 1 ETH αξίας εγγύησης.\",\"UpndFj\":\"Δεν υπάρχουν ανταμοιβές για διεκδίκηση\",\"V0f2Xv\":\"Reserve factor\",\"V1HK43\":\"Migration risks\",\"VATFH9\":\"Covered debt\",\"VHOVEJ\":\"Συνδέστε το πορτοφόλι\",\"VMfYUK\":\"Ασφάλεια των κατατεθειμένων εξασφαλίσεών σας έναντι των δανειζόμενων περιουσιακών στοιχείων και της υποκείμενης αξίας τους.\",\"VOAZJh\":\"Σύνολο δανείων\",\"ViKYxK\":\"ΥΠΕΡ\",\"W1SSoD\":\"Αναθεώρηση λεπτομερειών συναλλαγής\",\"W5hVah\":\"Τίποτα δεν έχει παρασχεθεί ακόμη\",\"W5kTFy\":\"Voting\",\"W8ekPc\":\"Back to Dashboard\",\"WMPbRK\":\"Μη υποστηριζόμενο\",\"WNGZwH\":\"Το E-Mode αυξάνει το LTV σας για μια επιλεγμένη κατηγορία περιουσιακών στοιχείων έως και <0/>. <1>Μάθετε περισσότερα\",\"WPWG/y\":\"Κατάσταση & διαμόρφωση αποθεματικού\",\"WZLQSU\":\"Ο χρήστης δεν μπορεί να κάνει ανάληψη μεγαλύτερη από το διαθέσιμο υπόλοιπο\",\"WaZyaV\":\"<0>Ampleforth is a rebasing asset. Visit the <1>documentation to learn more.\",\"WfU+XN\":\"Because this asset is paused, no actions can be taken until further notice\",\"Wjmqs2\":\"No results found. You can import a custom token with a contract address\",\"WkZ6C6\":\"Για να δανειστείτε πρέπει να προσκομίσετε οποιοδήποτε περιουσιακό στοιχείο που θα χρησιμοποιηθεί ως εγγύηση.\",\"WyMiQm\":\"You've successfully switched tokens.\",\"X/ITG9\":\"Κείμενο σφάλματος αντιγραφής\",\"X3Pp6x\":\"Χρησιμοποιείται ως εγγύηση\",\"X4Zt7j\":\"Η ενέργεια δεν μπορεί να εκτελεστεί επειδή η εφεδρεία βρίσκεται σε παύση\",\"XBdKOj\":\"Representative smart contract wallet (ie. Safe) addresses on other chains.\",\"XZzneG\":\"Θα βγείτε από τη λειτουργία απομόνωσης και άλλα tokens μπορούν πλέον να χρησιμοποιηθούν ως εγγύηση\",\"Xg5y9S\":\"Amount to Bridge\",\"Xn4hUi\":\"Please always be aware of your <0>Health Factor (HF) when partially migrating a position and that your rates will be updated to V3 rates.\",\"Xy71ST\":\"Umbrella\",\"Y5kGkc\":\"ΨΗΦΙΣΤΕ ΚΑΤΑ\",\"YDIOks\":\"Ενεργοποίηση E-Mode\",\"YSodyW\":\"This action will reduce your health factor. Please be mindful of the increased risk of collateral liquidation.\",\"YXOWXM\":\"The total amount bridged minus CCIP fees. Paying in network token does not impact gho amount.\",\"YirHq7\":\"Feedback\",\"YogbCJ\":\"Testnet mode is ON\",\"YrDxdO\":\"Εάν το δάνειο προς αξία υπερβεί το όριο ρευστοποίησης, η παρεχόμενη εγγύηση σας μπορεί να ρευστοποιηθεί.\",\"YyIM65\":\"Δεν τηρήθηκαν οι όροι επανεξισορρόπησης των επιτοκίων\",\"YyydIq\":[\"Add \",[\"0\"],\" to wallet to track your balance.\"],\"ZBvhI+\":\"Διακυβέρνηση Aave\",\"ZIIRAd\":\"Raw-Ipfs\",\"ZRq4tX\":\"Λειτουργία αποδοτικότητας (E-Mode)\",\"ZSqEW+\":\"Manage E-Mode\",\"ZUFYFE\":\"Disable testnet\",\"Zbyywy\":\"Μέγιστη περικοπή\",\"ZfUGFb\":\"Πριν από την προμήθεια\",\"ZiXN+B\":\"Assets to stake\",\"ZlsSDH\":\"Αξία ρευστοποίησης\",\"ZrEc8j\":\"We couldn't find any assets related to your search. Try again with a different asset name, symbol, or address.\",\"ZsLF7e\":\"ενεργοποιημένο\",\"a0YQoQ\":\"Enter a valid address\",\"a2fBZn\":\"Χρόνος που απομένει για το ξεκλείδωμα\",\"a5RYZd\":\"Η απενεργοποίηση αυτού του περιουσιακού στοιχείου ως εγγύηση επηρεάζει τη δανειοληπτική σας ικανότητα και τον Συντελεστή Υγείας.\",\"a7u1N9\":\"Price\",\"a9D+6D\":\"Unstaked\",\"aEtiwq\":\"Ψηφίστε ΚΑΤΑ\",\"aMmFE1\":\"Buy Crypto With Fiat\",\"aOKIms\":\"Οι παράμετροι της συστοιχίας που θα έπρεπε να είναι ίσου μήκους δεν είναι\",\"aX31hk\":\"Your balance is lower than the selected amount.\",\"adUsDd\":\"An error has occurred fetching the proposal.\",\"al6Pyz\":\"Exceeds the discount\",\"aoXTT7\":\"Δανεισμός APY, μεταβλητό\",\"aqX1Yp\":\"This asset is eligible for rewards through SuperFest. Aave Labs does not guarantee the program and accepts no liability.\",\"avgETN\":\"Eligible for the Merit program.\",\"b4NS3e\":\"Προειδοποίηση περιόδου ψύξης\",\"bNEQeI\":\"Cooldown\",\"bSruit\":\"ZKSync Ignite Program rewards are claimed through the\",\"bUUVED\":\"Περιουσιακό στοιχείο\",\"bXQ/Og\":\"Μοιραστείτε το στο twitter\",\"bXr0ee\":\"Τα απομονωμένα περιουσιακά στοιχεία έχουν περιορισμένη δανειοληπτική ικανότητα και άλλα περιουσιακά στοιχεία δεν μπορούν να χρησιμοποιηθούν ως εγγύηση.\",\"bYmAV1\":\"Addresses\",\"bguKoJ\":\"Το αιτούμενο ποσό είναι μεγαλύτερο από το μέγιστο μέγεθος δανείου στη λειτουργία σταθερού επιτοκίου\",\"bwSQI0\":\"Προσφορά\",\"bxN6EM\":\"Cannot disable E-Mode\",\"bxmzSh\":\"Δεν υπάρχουν επαρκείς εγγυήσεις για την αποπληρωμή αυτού του ποσού χρέους με\",\"c91vuQ\":\"Η διεύθυνση δεν είναι συμβόλαιο\",\"c97os2\":\"Aave aToken\",\"c9b44w\":\"Δεν μπορείτε να αποσύρετε αυτό το ποσό, διότι θα προκληθεί κλήση εγγύησης\",\"cBc+4A\":\"Αυτό είναι το συνολικό ποσό που μπορείτε να δανειστείτε. Μπορείτε να δανειστείτε με βάση την εξασφάλισή σας και μέχρι να επιτευχθεί το ανώτατο όριο δανεισμού.\",\"cIl5kp\":\"Your voting power is based on your AAVE/stkAAVE balance and received delegations.\",\"cLo09S\":\"Λεπτομέρειες κινδύνου\",\"cNT+ij\":\"Ο δανεισμός δεν είναι διαθέσιμος επειδή έχετε ενεργοποιήσει τη Λειτουργία Αποδοτικότητας (E-Mode) και τη λειτουργία Απομόνωσης. Για να διαχειριστείτε τη λειτουργία E-Mode και τη λειτουργία Απομόνωσης, επισκεφθείτε τον <0>Πίνακα ελέγχου.\",\"cZOeBk\":\"Something went wrong fetching bridge message, please try again later.\",\"ceix5S\":\"To submit a proposal for minor changes to the protocol, you'll need at least 80.00K power. If you want to change the core code base, you'll need 320k power.<0>Learn more.\",\"ciybUa\":\"Ψηφίστε ΥΠΕΡ\",\"ckf7gX\":[\"Αποπληρώνοντας \",[\"symbol\"]],\"cp1ZDP\":[\"Bridge \",[\"symbol\"]],\"cqnmnD\":\"Effective interest rate\",\"cqwIvs\":\"Συζήτηση φόρουμ\",\"csDS2L\":\"Διαθέσιμο\",\"cu7Stb\":\"Δεν συμμετείχατε στην παρούσα πρόταση\",\"dE6BLF\":\"Διακυβέρνηση\",\"dEgA5A\":\"Cancel\",\"dIsyWh\":\"Η επικύρωση του Ltv απέτυχε\",\"dMtLDE\":\"to\",\"dOB5nW\":[\"Maximum amount available to supply is <0/> \",[\"0\"],\" (<1/>).\"],\"dVfODp\":\"Δεν έχετε αρκετά χρήματα στο πορτοφόλι σας για να αποπληρώσετε ολόκληρο το ποσό. Εάν προχωρήσετε στην αποπληρωμή με το τρέχον ποσό των χρημάτων σας, θα εξακολουθείτε να έχετε μια μικρή θέση δανεισμού στο ταμπλό σας.\",\"dXUQFX\":\"Περιουσιακά στοιχεία προς δανεισμό\",\"dgr1aY\":\"Borrowing is disabled due to an Aave community decision. <0>More details\",\"djsg0o\":\"Χρησιμοποίηση εγγυήσεων\",\"dpc0qG\":\"Μεταβλητό\",\"drdV8R\":\"Liquidation\",\"dxW8cS\":\"Aave debt token\",\"e4V3oW\":\"Top 10 addresses\",\"eD8WX/\":\"Η δράση απαιτεί ενεργό απόθεμα\",\"eJRJ04\":\"Amount to unstake\",\"eLh0cL\":\"Slippage is the difference between the quoted and received amounts from changing market conditions between the moment the transaction is submitted and its verification.\",\"ePK91l\":\"Edit\",\"eVpCmf\":\"Staking Rewards\",\"eVqvtf\":\"Bridge GHO\",\"eYdurp\":\"No transactions yet.\",\"ebLGGN\":\"Σύνολο δανεικών\",\"ecqEvn\":\"Το υπόλοιπο των εγγυήσεων είναι 0\",\"efdrrk\":\"Available on\",\"enruNF\":\"starts\",\"eqLYiD\":\"Ξεκλειδώστε τώρα\",\"euScGB\":\"APY with discount applied\",\"evw5ha\":\"Καθαρή αξία\",\"ezcU16\":\"Get ABP Token\",\"f3W0Ej\":[\"Αλλάξατε σε ποσοστό \",[\"0\"]],\"fH9i8k\":\"You've successfully switched borrow position.\",\"fHcELk\":\"Καθαρό APR\",\"fMJQZK\":\"Borrowed\",\"fZ5Vnu\":\"Received\",\"firl9Q\":\"Το τρέχον δάνειο προς αξία με βάση τις παρεχόμενες εξασφαλίσεις σας.\",\"flRCF/\":\"Staking discount\",\"fldjW9\":\"Preview tx and migrate\",\"fsBGk0\":\"Υπόλοιπο\",\"fu1Dbh\":[\"Ανάληψη \",[\"symbol\"]],\"fwjWSI\":\"Supplied\",\"fwyTMb\":\"Migrate to stkABPT v2\",\"g0mals\":\"You can not disable E-Mode because that could cause liquidation. To exit E-Mode supply or repay borrowed positions.\",\"g2UNkE\":\"Powered by\",\"g8KGoA\":\"FAQS\",\"g9zzqS\":\"Voted NAY\",\"gDd2gk\":\"about SuperFest.\",\"gFFh9h\":\"Όλα έτοιμα!\",\"gIMJlW\":\"Λειτουργία Testnet\",\"gOzPxe\":\"This asset is frozen due to an Aave Protocol Governance decision. <0>More details\",\"gTHi2T\":\"Ο χρήστης προσπαθεί να δανειστεί πολλαπλά περιουσιακά στοιχεία, συμπεριλαμβανομένου ενός απομονωμένου περιουσιακού στοιχείου\",\"gVW59Y\":\"Please connect your wallet to get free testnet assets.\",\"gcFNxP\":\"Approve Confirmed\",\"gncRUO\":\"This address is blocked on app.aave.com because it is associated with one or more\",\"goff7V\":\"Η μηδενική διεύθυνση δεν είναι έγκυρη\",\"gp+f1B\":\"Version 3\",\"gr8mYw\":\"You may borrow up to <0/> GHO at <1/> (max discount)\",\"gvTM4B\":\"Το καθαρό ΑΡΥ είναι η συνδυασμένη επίδραση όλων των θέσεων προσφοράς και δανεισμού στην καθαρή αξία, συμπεριλαμβανομένων των κινήτρων. Είναι δυνατόν να υπάρχει αρνητικό καθαρό APY εάν το χρεωστικό APY είναι υψηλότερο από το προσφερόμενο APY.\",\"gzcch9\":\"Μη έγκυρη αμοιβή πρωτοκόλλου γέφυρας\",\"h33MxW\":\"Representing smart contract wallet (ie. Safe) addresses on other chains.\",\"h3ilK+\":\".CSV\",\"hB23LY\":\"Activate Cooldown\",\"hIJzBh\":\"Available to Claim\",\"hIS4N0\":\"Καθαρό APY\",\"hRWvpI\":\"Claimed\",\"hdmy/o\":\"Το % της συνολικής δανειοληπτικής σας δύναμης που χρησιμοποιείται. Αυτό βασίζεται στο ποσό της παρεχόμενης εξασφάλισής σας και στο συνολικό ποσό που μπορείτε να δανειστείτε.\",\"hehnjM\":\"Ποσό\",\"hjDCQr\":\"Υπήρξε κάποιο σφάλμα. Προσπαθήστε να αλλάξετε τις παραμέτρους ή <0><1>αντιγράψτε το σφάλμα\",\"hom7qf\":\"Διεκδίκηση\",\"hpHJ4I\":\"Liquidated collateral\",\"hpuVIp\":\"Users who stake AAVE in Safety Module (i.e. stkAAVE holders) receive a discount on GHO borrow interest rate.\",\"huQ6Tz\":[\"Δανεισμός \",[\"symbol\"]],\"hxi7vE\":\"Borrow balance\",\"i/fZ2Z\":\"Staked Balance\",\"i2JTiw\":\"You may enter a custom amount in the field.\",\"iB5+/J\":\"About GHO\",\"iChbOF\":\"Ασυνεπείς παράμετροι flashloan\",\"iEPVHF\":\"Δεν έχει αρκετή δύναμη ψήφου για να συμμετάσχει στην παρούσα πρόταση\",\"iEW87X\":\"Delegated power\",\"iEju36\":[\"Ψηφίσατε \",[\"0\"]],\"iFq2YN\":\"Borrowable\",\"iGxyIA\":\"Safety Module\",\"iMVZk9\":\"Select slippage tolerance\",\"iPMIoT\":\"Εισάγετε ένα ποσό\",\"iSLIjg\":\"Connect\",\"iUo5rv\":\"tokens δεν είναι το ίδιο με το να τα κλειδώνετε. Εάν επιθυμείτε να κλειδώσετε τα\",\"iZxa38\":\"Use it to vote for or against active proposals.\",\"if5PH+\":\"Collector Info\",\"igkfR1\":[\"In Isolation mode, you cannot supply other assets as collateral. A global debt ceiling limits the borrowing power of the isolated asset. To exit isolation mode disable \",[\"0\"],\" as collateral before borrowing another asset. Read more in our <0>FAQ\"],\"il0sEG\":\"H χρήση εγγυήσεων είναι περιορισμένη λόγω της λειτουργίας Απομόνωσης.\",\"j+K1Xj\":\"Amount After Fee\",\"jA2QeW\":\"Προμηθεύοντας το\",\"jFi7dz\":\"Interest rate that is determined by Aave Governance. This rate may be changed over time depending on the need for the GHO supply to contract/expand. <0>Learn more\",\"jG3UJ7\":\"Απενεργοποίηση E-Mode\",\"jKYzR1\":\"Ενεργοποίηση E-Mode\",\"jMam5g\":[[\"0\"],\" Υπόλοιπο\"],\"jSYv+Z\":\"Enabling E-Mode allows you to maximize your borrowing power, however, borrowing is restricted to assets within the selected category. <0>Learn more about how it works and the applied restrictions.\",\"jaKbwW\":[[\"s\"],\"δ\"],\"jbFMap\":\"Χρόνος ψύξης που έχει απομείνει\",\"jeMZNr\":[[\"0\"],\" on-ramp service is provided by External Provider and by selecting you agree to Terms of the Provider. Your access to the service might be reliant on the External Provider being operational.\"],\"jfl9OP\":\"Migrated\",\"jmXdoY\":\"Στο E-Mode ορισμένα περιουσιακά στοιχεία δεν είναι δανείσιμα. Βγείτε από το E-Mode για να αποκτήσετε πρόσβαση σε όλα τα περιουσιακά στοιχεία\",\"jpctdh\":\"View\",\"jqzUyM\":\"Μη διαθέσιμο\",\"k/sb6z\":\"Επιλέξτε γλώσσα\",\"k3wP3f\":\"<0>Attention: Parameter changes via governance can alter your account health factor and risk of liquidation. Follow the <1>Aave governance forum for updates.\",\"kACpF3\":[\"Διεκδίκηση \",[\"0\"]],\"kH6wUX\":\"Επίδραση στην τιμή\",\"kIC28N\":\"Available to claim\",\"kIpSye\":[[\"numSelected\"],\"/\",[\"numAvailable\"],\" assets selected\"],\"kN1Yg5\":\"Για την εξόφληση εκ μέρους ενός χρήστη απαιτείται ένα ρητό ποσό προς εξόφληση\",\"kRTD40\":[\"Repayment amount to reach \",[\"0\"],\"% utilization\"],\"kjN9tT\":\"Υπέρβαση του ανώτατου ορίου προσφοράς\",\"knxE+G\":\".JSON\",\"ks2LWT\":\"Το ανώτατο όριο χρέους δεν είναι μηδενικό\",\"kwwn6i\":\"Users who stake AAVE in Safety Module (i.e. stkAAVE holders) receive a discount on GHO borrow interest rate. The discount applies to 100 GHO for every 1 stkAAVE held. Use the calculator below to see GHO borrow rate with the discount applied.\",\"kz3wtK\":\"and about SPK program\",\"kzZyM4\":\"DAI balance will be converted via DSR contracts and then supplied as sDAI. Switching incurs no additional costs and no slippage.\",\"lNVG7i\":\"Select an asset\",\"lU2d1/\":[\"Asset cannot be migrated due to insufficient liquidity or borrow cap limitation in \",[\"marketName\"],\" v3 market.\"],\"lVhKKI\":\"Voted YAE\",\"lWLqxB\":\"We couldn't find any transactions related to your search. Try again with a different asset name, or reset filters.\",\"lYGfRP\":\"Αγγλικά\",\"lfEjIE\":\"Μάθετε περισσότερα στον οδηγό <0>Συχνών Ερωτήσεων\",\"lt6bpt\":\"Collateral to repay with\",\"m/IEhi\":\"Συνολικές εκπομπές ανά ημέρα\",\"m7r7Hh\":\"Selected borrow assets\",\"mDDK4p\":\"Balancer Pool\",\"mIM0qu\":\"Expected amount to repay\",\"mUAFd6\":\"Version 2\",\"masO5Z\":\"E-Mode increases your LTV for a selected category of assets. <0>Learn more\",\"mdNjKU\":[\"Your \",[\"name\"],\" wallet is empty. Purchase or transfer assets or use <0>\",[\"0\"],\" to transfer your \",[\"network\"],\" assets.\"],\"muiOng\":[\"Buy \",[\"cryptoSymbol\"],\" with Fiat\"],\"mvCXBY\":\"Stake AAVE\",\"mwdzil\":\"Εντάξει, Κλείσιμο\",\"mzI/c+\":\"Download\",\"mzdIia\":\"Το περιουσιακό στοιχείο δεν μπορεί να χρησιμοποιηθεί ως εγγύηση.\",\"n+SX4g\":\"Προγραμματιστές\",\"n8Psk4\":\"We couldn’t detect a wallet. Connect a wallet to stake and view your balance.\",\"nJIhzm\":\"Προσφορά apy\",\"nJgsQu\":\"Με δύναμη ψήφου <0/>\",\"nLC6tu\":\"Γαλλικά\",\"nN2T8p\":\"During the cooldown period, you will not earn any merit rewards. However, rewards earned up to this point will remain unaffected.\",\"nNHV0z\":\"Migrating multiple collaterals and borrowed assets at the same time can be an expensive operation and might fail in certain situations.<0>Therefore it’s not recommended to migrate positions with more than 5 assets (deposited + borrowed) at the same time.\",\"nNbnzu\":\"Proposition\",\"nOy4ob\":\"We suggest you go back to the Dashboard.\",\"nPGNMh\":\"Μπορεί να εκτελεστεί\",\"nUK1ou\":[\"Assets with zero LTV (\",[\"0\"],\") must be withdrawn or disabled as collateral to perform this action\"],\"nakd8r\":\"stkAAVE holders get a discount on GHO borrow rate\",\"nh2EJK\":[\"Παρακαλώ μεταβείτε στο \",[\"networkName\"],\".\"],\"njBeMm\":\"Both\",\"noN5Xf\":\"We couldn’t detect a wallet. Connect a wallet to view your staking positions and rewards.\",\"ntkAoE\":\"Discount applied for <0/> staking AAVE\",\"ntyFSE\":[[\"h\"],\"ω\"],\"nwtY4N\":\"Something went wrong\",\"nxyWvj\":\"Withdrawing this amount will reduce your health factor and increase risk of liquidation.\",\"o17QVP\":\"Ο συντελεστής υγείας και το δάνειο προς αξία καθορίζουν τη διασφάλιση των εξασφαλίσεών σας. Για να αποφύγετε τις ρευστοποιήσεις μπορείτε να παράσχετε περισσότερες εξασφαλίσεις ή να εξοφλήσετε δανειακές θέσεις.\",\"o1xc2V\":\"Η προσφορά AToken δεν είναι μηδενική\",\"o4tCu3\":\"Borrow APY\",\"o5ooMr\":\"Χρέος\",\"o7J4JM\":\"Φίλτρο\",\"oHFrpj\":\"Ψύξτε για ξεκλείδωμα\",\"oJ5ZiG\":\"Ο χρήστης δεν έχει ανεξόφλητο χρέος μεταβλητού επιτοκίου σε αυτό το αποθεματικό\",\"oRBGin\":\"Please connect your wallet to be able to switch your tokens.\",\"oUwXhx\":\"Test Assets\",\"oWklJD\":\"Το σταθερό επιτόκιο θα <0>μείνει το ίδιο για όλη τη διάρκεια του δανείου σας. Συνιστάται για μακροχρόνιες περιόδους δανεισμού και για χρήστες που προτιμούν την προβλεψιμότητα.\",\"odnIK3\":\"Time remaining until the 48 hour withdraw period starts.\",\"oiK5nY\":\"The current incentives period, decided on by the Aave community, has ended. Governance is in the process on renewing, check for updates. <0>Learn more.\",\"olREoo\":\"All borrow positions outside of this category must be closed to enable this category.\",\"om/XHs\":\"Διαθέσιμο για προμήθεια\",\"ov0+mq\":\"Eligible for the ZKSync Ignite program.\",\"ovT1pF\":[\"Per the community, the \",[\"market\"],\" has been frozen.\"],\"ow3fug\":\"Nothing found\",\"owSsI3\":\"Signatures ready\",\"p+R52m\":\"Go to Balancer Pool\",\"p2A+s1\":[\"Η περίοδος ψύξης είναι \",[\"0\"],\". Μετά την \",[\"1\"],\" περίοδο ψύξης, θα εισέλθετε στο παράθυρο ξεκλειδώματος \",[\"2\"],\". Θα συνεχίσετε να λαμβάνετε ανταμοιβές κατά τη διάρκεια της ψύξης και του παραθύρου ξεκλειδώματος.\"],\"p2S64u\":\"The loan to value of the migrated positions would cause liquidation. Increase migrated collateral or reduce migrated borrow to continue.\",\"p2Z2Qi\":\"Αυτό το περιουσιακό στοιχείο έχει φθάσει στο ανώτατο όριο δανεισμού του. Τίποτα δεν είναι διαθέσιμο για δανεισμό από αυτή την αγορά.\",\"p3j+mb\":\"Το υπόλοιπο της ανταμοιβής σας είναι 0\",\"p45alK\":\"Set up delegation\",\"p6u2s1\":\"Minimum amount of debt to be repaid\",\"pDgeaz\":[[\"title\"]],\"pdZqBk\":\"Το υποκείμενο υπόλοιπο πρέπει να είναι μεγαλύτερο από 0\",\"pgWG9H\":\"Δεν υπάρχει αρκετό κλειδωμένο υπόλοιπο\",\"piPrJ7\":\"παρακαλούμε ελέγξτε ότι το ποσό που θέλετε να παρέχετε δεν χρησιμοποιείται επί του παρόντος για κλείδωμα. Εάν χρησιμοποιείται για κλείδωμα, η συναλλαγή σας ενδέχεται να αποτύχει.\",\"pjO/iH\":\"Minimum amount received\",\"pooutM\":\"Voting is on\",\"pqaM5s\":\"Confirming transaction\",\"ptaxX3\":[\"Καταλαβαίνω πώς λειτουργεί η ψύξη (\",[\"0\"],\") και το ξεκλείδωμα (\",[\"1\"],\")\"],\"py2iiY\":\"Ο καλών αυτής της συνάρτησης πρέπει να είναι ένα κοινόχρηστο ταμείο\",\"q/51mF\":\"Migrate to V3\",\"q3df11\":\"Interest rate strategy\",\"q6lAbz\":\"Κλειδωμένο\",\"qB4kPi\":\"Προσφορά APY\",\"qENI8q\":\"Γενικές ρυθμίσεις\",\"qGz5zl\":\"Collateral balance after repay\",\"qOqbD6\":\"αντιγράψτε το σφάλμα\",\"qXCkEM\":\"Συνδέστε το πορτοφόλι σας για να δείτε τις προμήθειες, τα δάνεια και τις ανοιχτές θέσεις σας.\",\"qY2jnw\":\"Μη έγκυρη λήξη\",\"qf/fr+\":\"Interest accrued\",\"quYPUU\":\"Variable interest rate will <0>fluctuate based on the market conditions.\",\"quzIeW\":\"User is in isolation mode or LTV is zero\",\"qvnz3q\":\"Μη έγκυρη ποσότητα προς καύση\",\"rHgdb0\":\"Migrate to Aave V3\",\"rOrHHe\":\"Το ποσό πρέπει να είναι μεγαλύτερο από 0\",\"rQ+R+0\":\"Selected supply assets\",\"rSayea\":\"APY\",\"rTBDeu\":[\"Asset cannot be migrated because you have isolated collateral in \",[\"marketName\"],\" v3 Market which limits borrowable assets. You can manage your collateral in <0>\",[\"marketName\"],\" V3 Dashboard\"],\"rcT+yy\":\"Εμφάνιση περιουσιακών στοιχείων με υπόλοιπο 0\",\"rf8POi\":\"Borrowed asset amount\",\"riNWOA\":\"E-Mode\",\"rjGI/Q\":\"Privacy\",\"rnKPW1\":\"Watch a wallet balance in read-only mode\",\"ruc7X+\":\"Add stkAAVE to see borrow APY with the discount\",\"rvbaFU\":[\"Bridging \",[\"symbol\"]],\"rwVVB7\":\"Διεκδικήστε όλες τις ανταμοιβές\",\"rwyUva\":\"These assets are temporarily frozen or paused by Aave community decisions, meaning that further supply / borrow, or rate swap of these assets are unavailable. Withdrawals and debt repayments are allowed. Follow the <0>Aave governance forum for further updates.\",\"rxJW5W\":\"Your proposition power is based on your AAVE/stkAAVE balance and received delegations.\",\"s2jJnW\":\"You don't have any bridge transactions\",\"s5wBAq\":[\"Unstake \",[\"symbol\"]],\"sJbIdI\":\"Enter ETH address or ENS\",\"sK+Nag\":\"Αναθεώρηση συναλλαγής\",\"sP2+gB\":\"ΚΑΤΑ\",\"sQv06Y\":\"for\",\"sTtO6J\":\"Confirm transaction\",\"sXKb3l\":\"Exchange rate\",\"sb0q4+\":\"Μπορείτε να ξεκλειδώσετε εδώ\",\"smJNwH\":\"Διαθέσιμο για δανεισμό\",\"solypO\":\"Ο παράγοντας υγείας δεν είναι κάτω από το όριο\",\"sr0UJD\":\"Πηγαίνετε Πίσω\",\"ss5GCK\":\"Η διεύθυνση του παρόχου διευθύνσεων κοινόχρηστου ταμείου είναι άκυρη\",\"swEgK4\":\"Οι πληροφορίες ψήφου σας\",\"t+wtgf\":\"Τίποτα δανεισμένο ακόμα\",\"t/YqKh\":\"Remove\",\"t81DpC\":[\"Approve \",[\"symbol\"],\" to continue\"],\"tCnbEs\":\"Τιμή Oracle\",\"tFZLf8\":\"Αυτός ο υπολογισμός gas είναι μόνο μια εκτίμηση. Το πορτοφόλι σας θα καθορίσει την τιμή της συναλλαγής. Μπορείτε να τροποποιήσετε τις ρυθμίσεις gas απευθείας από τον πάροχο του πορτοφολιού σας.\",\"tHuvQI\":\"Go to V3 Dashboard\",\"tKv7cI\":\"Switch borrow position\",\"tOcg3N\":\"Since this asset is frozen, the only available actions are withdraw and repay which can be accessed from the <0>Dashboard\",\"tOuXfv\":[\"Borrow amount to reach \",[\"0\"],\"% utilization\"],\"te9Bfl\":\"Παρακαλώ, συνδέστε το πορτοφόλι σας\",\"tt5yma\":\"Οι προμήθειές σας\",\"ttoh5c\":\"Switch to\",\"u3ZeYl\":\"Η συναλλαγή απέτυχε\",\"u706uF\":\"Άκυρη πριμοδότηση flashloan\",\"u8Gfu7\":[\"No search results\",[\"0\"]],\"uAQUqI\":\"Status\",\"uHMwk8\":\"No assets selected to migrate.\",\"uJPHuY\":\"Migrating\",\"uY8O30\":\"To continue, you need to grant Aave smart contracts permission to move your funds from your wallet. Depending on the asset and wallet you use, it is done by signing the permission message (gas free), or by submitting an approval transaction (requires gas). <0>Learn more\",\"udFheE\":\"Για την αποπληρωμή ενός συγκεκριμένου τύπου χρέους, ο χρήστης πρέπει να έχει χρέος αυτού του τύπου\",\"ulNuNq\":\"Export data to\",\"ulup2p\":\"Buy Crypto with Fiat\",\"umICAY\":\"<0><1><2/>Add stkAAVE to see borrow rate with discount\",\"usB84Z\":\"Maximum amount available to borrow is limited because protocol borrow cap is nearly reached.\",\"uwAUvj\":\"COPY IMAGE\",\"v8x7Mg\":\"Insufficient collateral to cover new borrow position. Wallet must have borrowing power remaining to perform debt switch.\",\"vEqxH9\":\"Restaked\",\"vLyv1R\":\"Απόκρυψη\",\"vMba49\":\"Ο δανεισμός δεν είναι ενεργοποιημένος\",\"vMpNwt\":\"Approve with\",\"vXIe7J\":\"Γλώσσα\",\"vesuBJ\":\"Σας επιτρέπει να αποφασίσετε αν θα χρησιμοποιήσετε ένα παρεχόμενο περιουσιακό στοιχείο ως εγγύηση. Ένα περιουσιακό στοιχείο που χρησιμοποιείται ως εγγύηση θα επηρεάσει τη δανειοληπτική σας ικανότητα και τον συντελεστή υγείας.\",\"w+V9Cx\":\"Σταθερό νόμισμα\",\"w/JtJ3\":\"Η σταθερή προσφορά χρέους δεν είναι μηδενική\",\"w4VBY+\":\"Ανταμοιβές APR\",\"w9dLMW\":[[\"label\"]],\"wAOL+X\":[\"Εσείς \",[\"action\"],\" <0/> \",[\"symbol\"]],\"wBIsjb\":\"Discord channel\",\"wQZbc/\":\"Ο καλών της συνάρτησης δεν είναι AToken\",\"wRRqvW\":\"Δεν έχετε προμήθειες σε αυτό το νόμισμα\",\"wZFvVU\":\"ΨΗΦΙΣΤΕ ΥΠΕΡ\",\"wb/r1O\":[\"Βρύση \",[\"0\"]],\"wdxz7K\":\"Source\",\"weH1nG\":\"The Aave Protocol is programmed to always use the price of 1 GHO = $1. This is different from using market pricing via oracles for other crypto assets. This creates stabilizing arbitrage opportunities when the price of GHO fluctuates.\",\"wh7Ezv\":\"You have no AAVE/stkAAVE/aAave balance to delegate.\",\"wlsIx7\":\"With testnet Faucet you can get free assets to test the Aave Protocol. Make sure to switch your wallet provider to the appropriate testnet network, select desired asset, and click ‘Faucet’ to get tokens transferred to your wallet. The assets on a testnet are not “real,” meaning they have no monetary value. <0>Learn more\",\"wmE285\":\"Get ABP v2 Token\",\"wyRrcJ\":\"As a result of governance decisions, this ABPT staking pool is now deprecated. You have the flexibility to either migrate all of your tokens to v2 or unstake them without any cooldown period.\",\"x5KiLL\":\"Selected assets have successfully migrated. Visit the Market Dashboard to see them.\",\"x7F2p6\":\"Τρέχον διαφορικό\",\"x7K5ib\":[\"Your \",[\"networkName\"],\" wallet is empty. Get free test \",[\"0\"],\" at\"],\"x9iLRD\":\"tokens, παρακαλούμε μεταβείτε στο\",\"xNy/UG\":\"Αποπληρωμή με\",\"xPm8wv\":\"Μάθετε περισσότερα για τους κινδύνους\",\"xXYpZl\":[[\"0\"],\" Βρύση\"],\"xaVBSS\":\"Οι πληροφορίες σας\",\"xaWZ6f\":\"APY type change\",\"xh6k71\":\"Collateral usage is limited because of isolation mode.\",\"xvIklc\":\"Flashloan is disabled for this asset, hence this position cannot be migrated.\",\"y5rS9U\":\"Migrate\",\"y66tBm\":[\"Ενεργοποίηση \",[\"symbol\"],\" ως εγγύηση\"],\"yB1YpA\":\"Σκοτεινή λειτουργία\",\"yCrG6m\":\"Συνολικό μέγεθος της αγοράς\",\"yJUUbn\":\"Επισκόπηση συναλλαγής\",\"yLGmLX\":[\"Restake \",[\"symbol\"]],\"yW1oWB\":\"Τύπος APY\",\"yYHqJe\":\"Μη έγκυρη διεύθυνση\",\"yZwLw6\":\"Track wallet\",\"yh2sjd\":[\"Price impact \",[\"0\"],\"%\"],\"yhvj6d\":\"Δεν μπορείτε να αλλάξετε τη χρήση ως λειτουργία εγγύησης για αυτό το νόμισμα, διότι θα προκαλέσει κλήση εγγύησης\",\"ylmtBZ\":\"The app is running in fork mode.\",\"ymNY32\":[\"Δεν υπάρχουν αρκετά κεφάλαια στο\",[\"0\"],\"αποθεματικό για δανεισμό\"],\"yz7wBu\":\"Κλείσιμο\",\"z4uGQg\":\"Υπέρβαση του ανώτατου ορίου χρέους\",\"z5UQOM\":\"Η εγγύηση που έχει επιλεγεί δεν μπορεί να ρευστοποιηθεί\",\"z5Y+p6\":[\"Παροχή \",[\"symbol\"]],\"zCjNKs\":\"Η ενέργεια δεν μπορεί να εκτελεστεί επειδή το αποθεματικό έχει παγώσει\",\"zRHytX\":\"Isolated Debt Ceiling\",\"zTOjMP\":\"Protocol supply cap is at 100% for this asset. Further supply unavailable.\",\"zVdRUG\":\"Submission did not work, please try again later or contact wecare@avara.xyz\",\"zevmS2\":\"<0><1><2/>Add <3/> stkAAVE to borrow at <4/> (max discount)\",\"zgtIDV\":\"Υπολειπόμενο χρέος\",\"zmTPiV\":\"Υπόλοιπο προσφοράς\",\"zpPbZl\":\"Liquidation risk parameters\",\"zucql+\":\"Μενού\",\"zwWKhA\":\"Μάθετε περισσότερα\",\"zy9fXn\":[\"Asset is frozen in \",[\"marketName\"],\" v3 market, hence this position cannot be migrated.\"],\"zys+R6\":\"Be mindful of the network congestion and gas prices.\",\"zzzTXS\":\"Merit Program rewards are claimed through the\"}")}; \ No newline at end of file +/*eslint-disable*/module.exports={messages:JSON.parse("{\"+0xecS\":[\"Εάν ΔΕΝ ξεκλειδώσετε εντός \",[\"0\"],\" του παραθύρου ξεκλειδώματος, θα πρέπει να ενεργοποιήσετε ξανά τη διαδικασία ψύξης.\"],\"+EGVI0\":\"Receive (est.)\",\"+VR63W\":[\"Η συμμετοχή σε αυτό το αποθεματικό \",[\"symbol\"],\" δίνει ετήσιες ανταμοιβές.\"],\"+bmKdK\":\"Use your AAVE, stkAAVE, or aAave balance to delegate your voting and proposition powers. You will not be sending any tokens, only the rights to vote and propose changes to the protocol. You can re-delegate or revoke power to self at any time.\",\"+eOPG+\":\"Φαίνεται ότι δεν μπορούμε να αλλάξουμε το δίκτυο αυτόματα. Ελέγξτε αν μπορείτε να το αλλάξετε από το πορτοφόλι.\",\"+i3Pd2\":\"Ανώτατο όριο δανεισμού\",\"+kLZGu\":\"Supplied asset amount\",\"+nuEh/\":\"Estimated time\",\"+xMFF8\":\"Remind me\",\"/57U31\":\"Amount to migrate\",\"/7ykiW\":\"Borrowing this amount will reduce your health factor and increase risk of liquidation.\",\"/YA5pU\":\"E-Mode increases your LTV for a selected category of assets, meaning that when E-mode is enabled, you will have higher borrowing power over assets of the same E-mode category which are defined by Aave Governance. You can enter E-Mode from your <0>Dashboard. To learn more about E-Mode and applied restrictionn, see the <1>help guide or the <2>Aave V3 Technical Paper.\",\"/izjs/\":\"Minimum staked Aave amount\",\"/jQctM\":\"To\",\"/lDBHm\":\"ΣΥΧΝΕΣ ΕΡΩΤΗΣΕΙΣ\",\"/yNlZf\":\"Ο σταθερός δανεισμός δεν είναι ενεργοποιημένος\",\"/yQcJM\":\"Συνολική αξία\",\"00AB2i\":\"Ο χρήστης δεν δανείστηκε το καθορισμένο νόμισμα\",\"00OflG\":\"There is not enough liquidity for the target asset to perform the switch. Try lowering the amount.\",\"08/rZ9\":\"The cooldown period is the time required prior to unstaking your tokens (20 days). You can only withdraw your assets from the Security Module after the cooldown period and within the unstake window.<0>Learn more\",\"0AmQcW\":\"Rate change\",\"0BF3yK\":\"Sorry, we couldn't find the page you were looking for.\",\"0TAbjq\":\"Recent Transactions\",\"0jhlyw\":\"Liquidation risk\",\"0ojY+Y\":\"Current v2 Balance\",\"0thX3P\":\"Collateral change\",\"0wGCWc\":\"Αυτό είναι το συνολικό ποσό που μπορείτε να προμηθεύσετε σε αυτό το αποθεματικό. Μπορείτε να προμηθεύσετε το υπόλοιπο του πορτοφολιού σας μέχρι να επιτευχθεί το ανώτατο όριο προμηθειών.\",\"1AsVfF\":\"Price data is not currently available for this reserve on the protocol subgraph\",\"1LjK22\":\"Transaction history\",\"1Onqx8\":[\"Έγκριση του \",[\"symbol\"],\"...\"],\"1Ue8sX\":\"Παρακαλούμε συνδέστε ένα πορτοφόλι για να δείτε τις προσωπικές σας πληροφορίες εδώ.\",\"1bpx9A\":\"...\",\"1kWUB+\":\"Ρευστοποίηση <0/> κατώτατο όριο\",\"1m9Qqc\":\"Withdrawing and Switching\",\"1oyh4g\":\"Borrow rate\",\"1t7rez\":\"Asset supply is limited to a certain amount to reduce protocol exposure to the asset and to help manage risks involved.\",\"2CAPu2\":\"You've successfully withdrew & switched tokens.\",\"2Eoi/a\":\"Προβολή λεπτομερειών\",\"2FYpfJ\":\"Περισσότερα\",\"2O3qp5\":\"Διαθέσιμη ρευστότητα\",\"2OM8/D\":[\"Asset cannot be migrated due to supply cap restriction in \",[\"marketName\"],\" v3 market.\"],\"2Q4GU4\":\"Blocked Address\",\"2ZGocC\":\"Aave is a fully decentralized, community governed protocol by the AAVE token-holders. AAVE token-holders collectively discuss, propose, and vote on upgrades to the protocol. AAVE token-holders (Ethereum network only) can either vote themselves on new proposals or delagate to an address of choice. To learn more check out the Governance\",\"2a6G7d\":\"Please enter a valid wallet address.\",\"2bAhR7\":\"Meet GHO\",\"2eBWE6\":\"I acknowledge the risks involved.\",\"2o/xRt\":\"Επίτευξη του ανώτατου ορίου εφοδιασμού στο αποθεματικό-στόχο. Δοκιμάστε να \\nμειώσετε την ποσότητα.\",\"2uJToh\":[[\"0\"],[\"name\"]],\"2x58bP\":\"Ο σταθερός δανεισμός είναι ενεργοποιημένος\",\"34Qfwy\":\"Υπέρβαση του ανώτατου ορίου δανεισμού\",\"39eQRj\":[\"Δανεισμός \",[\"symbol\"]],\"3BL1xB\":\"Σύνολο παρεχόμενων\",\"3BnIWi\":\"Switched\",\"3K0oMo\":\"Υπολειπόμενη προσφορά\",\"3MoZhl\":\"Δεν υπάρχουν επαρκείς εξασφαλίσεις για την κάλυψη ενός νέου δανείου\",\"3Np5O8\":[\"Προσφορά \",[\"symbol\"]],\"3O8YTV\":\"Total interest accrued\",\"3mXg0z\":\"Μέγιστο LTV\",\"3q3mFy\":\"Αποπληρωμή\",\"3qsjtp\":\"Ο σταθμισμένος μέσος όρος του APY για όλα τα παρεχόμενα περιουσιακά στοιχεία, συμπεριλαμβανομένων των κινήτρων.\",\"3rL+os\":\"Μπορείτε να αποσύρετε τα περιουσιακά σας στοιχεία από τη Μονάδα Ασφαλείας μόνο αφού λήξει η περίοδος αναμονής και το παράθυρο ξεκλειδώματος είναι ενεργό.\",\"42UgDM\":[\"Migrate to \",[\"0\"],\" v3 Market\"],\"49UFQA\":\"Αποτελέσματα ψηφοφορίας\",\"4DMZUI\":\"View Transactions\",\"4HtGBb\":\"ΜΕΓΙΣΤΟ\",\"4Y5H+g\":\"Terms\",\"4YYh4d\":\"Maximum available to borrow\",\"4iPAI3\":\"Minimum GHO borrow amount\",\"4lDFps\":\"Sign to continue\",\"4wyw8H\":\"Transactions\",\"5JSSxX\":[\"Your \",[\"networkName\"],\" wallet is empty. Get free test assets at\"],\"5K7kGO\":\"τεκμηρίωση\",\"5NOSGa\":\"Debt ceiling limits the amount possible to borrow against this asset by protocol users. Debt ceiling is specific to assets in isolation mode and is denoted in USD.\",\"5Ncc6j\":[\"Αυτό το περιουσιακό στοιχείο έχει σχεδόν φτάσει στο όριο της προσφοράς του. Μόνο \",[\"messageValue\"],\" μπορεί να παρασχεθεί σε αυτή την αγορά.\"],\"5cZ/KX\":\"Η προσφορά μεταβλητού χρέους δεν είναι μηδενική\",\"5che++\":\"Για να ζητήσετε πρόσβαση σε αυτή την αδειοδοτημένη αγορά, επισκεφθείτε την ιστοσελίδα: <0>Όνομα Παρόχου Πρόσβασης\",\"5ctNdV\":[\"Minimum \",[\"0\"],\" received\"],\"5hDe9v\":\"Απαιτούμενη δράση επιδότησης\",\"5rsnKT\":\"Διαθέσιμες ανταμοιβές\",\"5yC5m5\":\"View all votes\",\"6/dCYd\":\"Επισκόπηση\",\"60crCe\":\"All transactions\",\"62Xcjh\":\"Εγγύηση\",\"65A04M\":\"Ισπανικά\",\"6G8s+q\":\"Signing\",\"6Jrv+z\":[\"Αποπληρωμή \",[\"symbol\"]],\"6NGLTR\":\"Discountable amount\",\"6Xr0UU\":\"Ψύξη...\",\"6bxci/\":\"Δύναμη ψήφου\",\"6f8S68\":\"Αγορές\",\"6g1gi0\":\"Προτάσεις\",\"6gvoHP\":\"Copy error message\",\"6h3Q5G\":\"repaid\",\"6lFSyT\":\"Available to Stake\",\"6s8L6f\":\"Αλλαγή Δικτύου\",\"6yAAbq\":\"APY, borrow rate\",\"70wH1Q\":\"APR\",\"72c5Qo\":\"Total\",\"73Auuq\":\"Discount parameters are decided by the Aave community and may be changed over time. Check Governance for updates and vote to participate. <0>Learn more\",\"75qcAQ\":[[\"stepName\"]],\"7ITr5L\":\"Συντελεστής υγείας\",\"7T/o5R\":\"Επιτεύχθηκε\",\"7YlcXu\":\"Fork mode is ON\",\"7Z76Iw\":\"Borrowing is unavailable because you’re using Isolation mode. To manage Isolation mode visit your <0>Dashboard.\",\"7aKlMS\":\"Share on Lens\",\"7er5fP\":\"Διεκδικήστε τα όλα\",\"7hb2+s\":\"Time remaining until the withdraw period ends.\",\"7l88b8\":\"Data couldn't be fetched, please reload graph.\",\"7p5kLi\":\"Ταμπλό\",\"7sofdl\":\"Withdraw and Switch\",\"8+6BI0\":\"Προσοχή - Είστε πολύ κοντά στην ρευστοποίηση. Εξετάστε το ενδεχόμενο να καταθέσετε περισσότερες εγγυήσεις ή να εξοφλήσετε κάποιες από τις δανειακές σας θέσεις\",\"87pUEW\":[\"Το πορτοφόλι σας \",[\"name\"],\" είναι άδειο. Αγοράστε ή μεταφέρετε περιουσιακά στοιχεία.\"],\"8F1i42\":\"Page not found\",\"8G8M0u\":\"Loading data...\",\"8Iu1QS\":\"withdrew\",\"8JL93T\":\"Όλες οι προτάσεις\",\"8Q51DU\":\"Add to wallet\",\"8X/oyn\":\"Μη έγκυρο ποσό για νομισματοκοπία\",\"8Z5FPv\":\"Αποσυνδέστε το πορτοφόλι\",\"8Zz7s5\":\"περιουσιακά στοιχεία\",\"8aLW8H\":\"Balance to revoke\",\"8bOT3H\":\"Ποσοστό χρησιμοποίησης\",\"8sLe4/\":\"View contract\",\"8t/M0y\":\"Please connect your wallet to be able to bridge your tokens.\",\"8vETh9\":\"Εμφάνιση\",\"94OHPx\":\"Εισέρχεστε σε λειτουργία απομόνωσης\",\"9CDK3/\":[\"Ο δανεισμός δεν είναι επί του παρόντος διαθέσιμος για \",[\"0\"],\".\"],\"9GIj3z\":\"Μέγεθος Αποθεματικού\",\"9Knqb4\":\"Staking balance\",\"9OBKm7\":\"Απαρτία\",\"9QHoGr\":\"Τρέχουσες ψήφοι\",\"9Rw96f\":[\"Αυτό το περιουσιακό στοιχείο έχει σχεδόν φτάσει στο όριο δανεισμού του. Υπάρχει μόνο \",[\"messageValue\"],\" διαθέσιμο για δανεισμό από αυτή την αγορά.\"],\"9Xj/qR\":[\"Some migrated assets will not be used as collateral due to enabled isolation mode in \",[\"marketName\"],\" V3 Market. Visit <0>\",[\"marketName\"],\" V3 Dashboard to manage isolation mode.\"],\"9c6vDV\":\"Αυτό το περιουσιακό στοιχείο έχει φτάσει στο όριο της προσφοράς του. Τίποτα δεν είναι διαθέσιμο για προμήθεια από αυτή την αγορά.\",\"9kTWHA\":\"MAI has been paused due to a community decision. Supply, borrows and repays are impacted. <0>More details\",\"9lXchd\":\"Underlying token\",\"9rWaKF\":\"Bridged Via CCIP\",\"9xSooW\":\"Δεδομένου ότι πρόκειται για ένα δοκιμαστικό δίκτυο, μπορείτε να αποκτήσετε οποιοδήποτε από τα περιουσιακά στοιχεία αν έχετε ETH στο πορτοφόλι σας\",\"A/lwoe\":\"Choose one of the on-ramp services\",\"A6dCI6\":[\"Maximum amount available to borrow is <0/> \",[\"0\"],\" (<1/>).\"],\"AReoaV\":\"Τα δάνεια σας\",\"ARu1L4\":\"Repaid\",\"AV7cGz\":\"Αναθεώρηση λεπτομερειών έγκρισης συναλλαγής\",\"AZOjB8\":\"Fetching data...\",\"Ai0jas\":\"Join the community discussion\",\"Ajl2rq\":\"Η δύναμη δανεισμού και τα περιουσιακά στοιχεία είναι περιορισμένα λόγω της λειτουργίας απομόνωσης.\",\"AqgYNC\":\"Protocol borrow cap at 100% for this asset. Further borrowing unavailable.\",\"B3EcQR\":\"Thank you for voting!!\",\"B6aXGH\":\"Σταθερό\",\"B9Gqbz\":\"Variable rate\",\"BDFEd+\":\"stETH supplied as collateral will continue to accrue staking rewards provided by daily rebases.\",\"BE2mP0\":\"Borrowed assets\",\"BJyN77\":\"Due to health factor impact, a flashloan is required to perform this transaction, but Aave Governance has disabled flashloan availability for this asset. Try lowering the amount or supplying additional collateral.\",\"BNL4Ep\":\"Η χρήση εγγύησης είναι περιορισμένη λόγω της λειτουργίας απομόνωσης. <0>Μάθετε περισσότερα\",\"BQ/wCO\":\"Migrate your assets\",\"BjLdl1\":\"At a discount\",\"BnhYo8\":\"Κατηγορία περιουσιακών στοιχείων\",\"Bq9Y7e\":\"This asset is frozen due to an Aave community decision. <0>More details\",\"BqWMDJ\":\"Βρύση\",\"BqynZO\":\"Optimized for efficiency and risk by supporting blue-chip collateral assets\",\"Bsu7zX\":\"The fee includes the gas cost to complete the transaction on the destination chain and the fee paid to Chainlink CCIP service providers. You can chose to pay in the network token or GHO. <0>Learn more\",\"BwJKBw\":\"of\",\"CDrsH+\":\"Techpaper\",\"CK1KXz\":\"Μεγιστο\",\"CMHmbm\":\"Slippage\",\"CZXzs4\":\"Greek\",\"CcRNG6\":\"Switching\",\"CkTRmy\":[\"Διεκδίκηση \",[\"symbol\"]],\"CsqtLm\":\"Please connect your wallet to see migration tool.\",\"CtGlFb\":[[\"networkName\"],\" Βρύση\"],\"Cxt2YY\":\"Watch wallet\",\"D33VQU\":\"This action will reduce health factor of V3 below liquidation threshold. Increase migrated collateral or reduce migrated borrow to continue.\",\"D9BLRG\":\"This asset has been paused due to a community decision. Supply, withdraw, borrows and repays are impacted.\",\"DAma/S\":\"Η εγγύηση είναι (ως επί το πλείστον) το ίδιο νόμισμα που δανείζεται\",\"DCnFg0\":[\"Addresses (\",[\"0\"],\")\"],\"DG3Lv1\":\"I fully understand the risks of migrating.\",\"DONJcV\":\"Το υποκείμενο περιουσιακό στοιχείο δεν μπορεί να διασωθεί\",\"DR+4uL\":\"Supply balance after switch\",\"DWjrck\":[\"Asset cannot be migrated to \",[\"marketName\"],\" V3 Market due to E-mode restrictions. You can disable or manage E-mode categories in your <0>V3 Dashboard\"],\"Dj+3wB\":\"Aave ανά μήνα\",\"DptNvx\":\"Amount Staked\",\"DuEq2K\":\"Εξασφάλιση\",\"DxfsGs\":\"You can report incident to our <0>Discord or<1>Github.\",\"Dzma+E\":\"Main Ethereum market with the largest selection of assets and yield options\",\"E/QGRL\":\"Απενεργοποιημένο\",\"EBL9Gz\":\"COPIED!\",\"ES8dkb\":\"Fixed rate\",\"EZd3Dk\":[\"Restaking \",[\"symbol\"]],\"Ebgc76\":[\"Ανάληψη \",[\"symbol\"]],\"EdQY6l\":\"Κανένα\",\"EjvKQ+\":\"Minimum USD value received\",\"Enslfm\":\"Destination\",\"EvE9nO\":[\"Reactivate cooldown period to unstake \",[\"0\"],\" \",[\"stakedToken\"]],\"EvECnL\":\"Migrate to v3\",\"EzMQbh\":\"The source chain time to finality is the main factor that determines the time to destination. <0>Learn more\",\"F40cwT\":\"Legacy Markets\",\"F6TdXL\":\"Μάθετε περισσότερα.\",\"FDDPeZ\":\"Users can stake their assets in the protocol and earn incentives. In the case of a shortfall event, your stake can be slashed to cover the deficit, providing an additional layer of protection for the protocol.\",\"FHlMf/\":\"Current v2 balance\",\"FHpxjF\":[\"Reserve factor is a percentage of interest which goes to a \",[\"0\"],\" that is controlled by Aave governance to promote ecosystem growth.\"],\"FOBZa6\":\"Δανεισμός χρησιμοποιημένης ισχύος\",\"FPKEug\":\"Η λειτουργία δεν υποστηρίζεται\",\"FbmMe7\":\"Linked addresses\",\"Fdp03t\":\"ενεργοποίηση\",\"Fjw9N+\":\"Περιουσιακά στοιχεία προς προμήθεια\",\"FmN0fk\":\"Restake\",\"GDGLIs\":\"GHO is a native decentralized, collateral-backed digital asset pegged to USD. It is created by users via borrowing against multiple collateral. When user repays their GHO borrow position, the protocol burns that user's GHO. All the interest payments accrued by minters of GHO would be directly transferred to the AaveDAO treasury.\",\"GQrBTq\":\"Switch E-Mode\",\"GWswcZ\":\"This asset is frozen due to an Aave Protocol Governance decision. On the 20th of December 2022, renFIL will no longer be supported and cannot be bridged back to its native network. It is recommended to withdraw supply positions and repay borrow positions so that renFIL can be bridged back to FIL before the deadline. After this date, it will no longer be possible to convert renFIL to FIL. <0>More details\",\"GX8GKD\":\"Περιουσιακά Στοιχεία\",\"GgEj+0\":\"Read-only mode. Connect to a wallet to perform transactions.\",\"GjkIKV\":\"τελειώνει\",\"GoK/QN\":\"Thank you for submitting feedback!\",\"GtP2hp\":[\"Ο δανεισμός δεν είναι διαθέσιμος επειδή έχετε ενεργοποιήσει τη λειτουργία Αποδοτικότητας (E-Mode) για την κατηγορία \",[\"0\"],\". Για να διαχειριστείτε τις κατηγορίες E-Mode επισκεφθείτε τον <0>Πίνακα ελέγχου.\"],\"H6Ma8Z\":\"Discount\",\"HB/wfS\":[[\"tooltipText\"]],\"HKDsQN\":\"Rewards can be claimed through\",\"Ha/U5f\":\"This is a program initiated and implemented by the decentralised ZKSync community. Aave Labs does not guarantee the program and accepts no liability.\",\"HciqKU\":\"This is a program initiated and implemented by the decentralised Aave community. Aave Labs does not guarantee the program and accepts no liability.\",\"Hi6Ttn\":\"Sorry, an unexpected error happened. In the meantime you may try reloading the page, or come back later.\",\"HkEDbS\":[[\"d\"],\"η\"],\"HmkYqM\":\"Παράθυρο ξεκλειδώματος\",\"HpK/8d\":\"Reload\",\"HrnC47\":\"Save and share\",\"HuVZMK\":\"Days\",\"HvJKMU\":[\"Asset cannot be migrated to \",[\"marketName\"],\" v3 Market since collateral asset will enable isolation mode.\"],\"Hvwnm9\":[\"Maximum amount available to supply is limited because protocol supply cap is at \",[\"0\"],\"%.\"],\"I8CX2c\":\"Το συνολικό ποσό των περιουσιακών σας στοιχείων σε δολάρια ΗΠΑ που μπορούν να χρησιμοποιηθούν ως εγγύηση για δανεισμό περιουσιακών στοιχείων.\",\"IAD2SB\":[\"Claiming \",[\"symbol\"]],\"IG9X9/\":\"Borrowing of this asset is limited to a certain amount to minimize liquidity pool insolvency.\",\"IOIx8L\":\"This asset is planned to be offboarded due to an Aave Protocol Governance decision. <0>More details\",\"IP+I/j\":\"Περίοδος ψύξης\",\"IaA40H\":\"Ρευστοποίηση στο\",\"J/hVSQ\":[[\"0\"]],\"JCoxL6\":\"Manage analytics\",\"JK9zf1\":[\"Estimated compounding interest, including discount for Staking \",[\"0\"],\"AAVE in Safety Module.\"],\"JOqFba\":[\"Unstaking \",[\"symbol\"]],\"JPrLjO\":\"Δεν μπορείτε να χρησιμοποιήσετε αυτό το νόμισμα ως εγγύηση\",\"JU6q+W\":\"Ανταμοιβή(ες) προς διεκδίκηση\",\"JYKRJS\":\"Κλειδώστε\",\"JZMxX0\":\"Δεν υπάρχει αρκετό υπόλοιπο στο πορτοφόλι σας\",\"Jgflkm\":\"Get GHO\",\"JoMQnI\":\"Υπόλοιπο πορτοφολιού\",\"JtwD8u\":\"Borrow balance after repay\",\"JumYTK\":\"Supplied assets\",\"K05qZY\":\"Withdraw & Switch\",\"KAz/NV\":\"Protocol debt ceiling is at 100% for this asset. Further borrowing against this asset is unavailable.\",\"KLXVqE\":[\"stETH tokens will be migrated to Wrapped stETH using Lido Protocol wrapper which leads to supply balance change after migration: \",[\"0\"]],\"KLd6ky\":\"Use connected account\",\"KRpokz\":\"VIEW TX\",\"KSlpka\":\"Αυτό αντιπροσωπεύει το κατώτατο όριο στο οποίο μια θέση δανεισμού θα θεωρηθεί υποεγγυημένη και θα υπόκειται σε ρευστοποίηση για κάθε εγγύηση. Για παράδειγμα, εάν μια εγγύηση έχει κατώτατο όριο ρευστοποίησης 80%, αυτό σημαίνει ότι η θέση θα ρευστοποιηθεί όταν η αξία του χρέους ανέρχεται στο 80% της αξίας της εγγύησης.\",\"KYAjf3\":\"Απομονωμένο\",\"KZwRuD\":[[\"notifyText\"]],\"KkPgim\":\"Switching E-Mode\",\"KnN1Tu\":\"Λήγει\",\"KoOBI2\":\"Due to internal stETH mechanics required for rebasing support, it is not possible to perform a collateral switch where stETH is the source token.\",\"KojyJ4\":\"Λάθος δίκτυο\",\"KsqhWn\":\"Κλείδωμα\",\"KuBTQq\":\"Εισάγετε διεύθυνση ETH\",\"KvG1xW\":\"Διεκδίκηση\",\"L+8Lzs\":\"Τρέχον LTV\",\"L+qiq+\":\"Αγορά\",\"LDzfVJ\":\"Send Feedback\",\"LIrMcF\":\"Δεν υπάρχει δικαίωμα ψήφου\",\"LL0zks\":\"Μπορεί να αποτελέσει εγγύηση\",\"LLdJWu\":\"Διεκδικήσιμο AAVE\",\"LSIpNK\":\"Δεν επιτρέπεται ο δανεισμός και η αποπληρωμή στο ίδιο block\",\"LVt3TI\":[\"<0>Slippage tolerance <1>\",[\"selectedSlippage\"],\"% <2>\",[\"0\"],\"\"],\"LjafV8\":\"Maximum collateral amount to use\",\"LtpQew\":\"Let us know how we can make the app better for you. For user support related inquiries please reach out on\",\"LvVpD/\":\"Emode\",\"M2sknc\":\"Tip: Try increasing slippage or reduce input amount\",\"M7wPsD\":\"Switch\",\"MFu33y\":\"Staking 00\",\"MIy2RJ\":\"Maximum amount received\",\"MZ/nQf\":\"Διεύθυνση παραλήπτη\",\"Ma/MtY\":\"προβολή κλειδώματος\",\"McHlGl\":\"APY change\",\"MeCCA+\":\"APY, μεταβλητό\",\"MghdTe\":\"Εάν ο συντελεστής υγείας πέσει κάτω από το 1, ενδέχεται να ενεργοποιηθεί η ρευστοποίηση των εγγυήσεών σας.\",\"Mm/DVQ\":\"Ακυρώσατε τη συναλλαγή.\",\"MnE2QX\":\"Borrow info\",\"MrmQHg\":\"View Bridge Transactions\",\"MuDFEQ\":\"Μη έγκυρη τιμή επιστροφής της συνάρτησης εκτελεστή flashloan\",\"N5kUMV\":\"Asset can be only used as collateral in isolation mode with limited borrowing power. To enter isolation mode, disable all other collateral.\",\"N6Pxr9\":\"View all\",\"NF0e1Q\":\"Εκκρεμεί...\",\"NK9ikO\":\"Wallet Balance\",\"NMt2CB\":\"Amount claimable\",\"NcFGxG\":\"Collector Contract\",\"NfpPeS\":\"Τίποτα κλειδωμένο\",\"Nh9DAo\":[[\"m\"],\"λ\"],\"O+sCUU\":\"Υπέρβαση του ανώτατου ορίου νομισματοκοπείου χωρίς αντίκρισμα\",\"O+tyU+\":[\"Maximum amount available to borrow against this asset is limited because debt ceiling is at \",[\"0\"],\"%.\"],\"O3oNi5\":\"Email\",\"OFjZGo\":\"Unstake\",\"OR8cYX\":\"Επισκόπηση πρότασης\",\"OYuJ9K\":\"Protocol debt ceiling is at 100% for this asset. Futher borrowing against this asset is unavailable.\",\"OfhWJH\":\"Reset\",\"Og2SKn\":\"απενεργοποιημένο\",\"On0aF2\":\"Website\",\"OsyKSt\":\"Ανάληψη\",\"P1dURE\":\"Revoke power\",\"P2WCD/\":[\"Underlying asset does not exist in \",[\"marketName\"],\" v3 Market, hence this position cannot be migrated.\"],\"P2sL6B\":\"Όταν πραγματοποιείται ρευστοποίηση, οι ρευστοποιητές επιστρέφουν έως και το 50% του ανεξόφλητου δανεισμένου ποσού για λογαριασμό του δανειολήπτη. Σε αντάλλαγμα, μπορούν να αγοράσουν τις εξασφαλίσεις με έκπτωση και να κρατήσουν τη διαφορά (ποινή ρευστοποίησης) ως μπόνους.\",\"P6sRoL\":\"Stake ABPT\",\"P72/OW\":\"Ο σταθμισμένος μέσος όρος του APY για όλα τα δανειακά περιουσιακά στοιχεία, συμπεριλαμβανομένων των κινήτρων.\",\"P7e6Ug\":\"Please connect your wallet to view transaction history.\",\"PByO0X\":\"Votes\",\"PI+kVe\":\"Disable fork\",\"PJK9u/\":\"Borrow apy\",\"PLUB/s\":\"Fee\",\"PP5ZA8\":[\"Participating in staking \",[\"symbol\"],\" gives annualized rewards. Your wallet balance is the sum of your aTokens and underlying assets. The breakdown to stake is below\"],\"PcBUgb\":\"Κατώτατο όριο ρευστοποίησης\",\"PjU6bu\":\"This asset is eligible for SPK incentive program. Aave Labs does not guarantee the program and accepts no liability.\",\"PpqD5g\":\"Η ενεργοποίηση αυτού του περιουσιακού στοιχείου ως εγγύηση αυξάνει τη δανειοληπτική σας ικανότητα και τον Συντελεστή Υγείας. Ωστόσο, μπορεί να ρευστοποιηθεί εάν ο συντελεστής υγείας σας πέσει κάτω από το 1.\",\"PsOFSf\":\"This action will reduce V2 health factor below liquidation threshold. retain collateral or migrate borrow position to continue.\",\"Pu4bI/\":[[\"currentMethod\"]],\"Q0LzKi\":\"View TX\",\"Q4eNqa\":\"The Aave Balancer Pool Token (ABPT) is a liquidity pool token. You can receive ABPT by depositing a combination of AAVE + wstETH in the Balancer liquidity pool. You can then stake your BPT in the Safety Module to secure the protocol and earn Safety Incentives.\",\"QQYsQ7\":\"Withdrawing\",\"QWYCs/\":\"Stake GHO\",\"R+30X3\":\"Δεν έχει επιτευχθεί\",\"RCU5PY\":\"Age\",\"RIfckG\":[\"Απενεργοποίηση \",[\"symbol\"],\" ως εγγύηση\"],\"RMtxNk\":\"Διαφορικό\",\"RNK49r\":\"Μη έγκυρη υπογραφή\",\"RS0o7b\":\"Κατάσταση\",\"RU+LqV\":\"Λεπτομέρειες πρότασης\",\"RYTgZX\":\"lorem ipsum\",\"RbXH+k\":\"AAVE, GHO, and ABPT holders (Ethereum network only) can stake their assets in the Safety Module to add more security to the protocol and earn Safety Incentives. In the case of a shortfall event, your stake can be slashed to cover the deficit, providing an additional layer of protection for the protocol.\",\"RiSYV4\":\"Το περιουσιακό στοιχείο δεν περιλαμβάνεται στον κατάλογο\",\"Rj01Fz\":\"Σύνδεσμοι\",\"RmWFEe\":\"Κλείδωμα APR\",\"RoafuO\":\"Send feedback\",\"RtBLm7\":\"Ο συντελεστής υγείας είναι μικρότερος από το όριο ρευστοποίησης\",\"RxzN1M\":\"Ενεργοποιημένο\",\"SDav7h\":\"Κεφάλαια στην Μονάδα Ασφάλειας\",\"SENccp\":\"If the error continues to happen,<0/> you may report it to this\",\"SIWumd\":\"Show Frozen or paused assets\",\"SM58dD\":\"Amount in cooldown\",\"SSMiac\":\"Failed to load proposal voters. Please refresh the page.\",\"SSQVIz\":\"Liquidation Threshold\",\"SUb8x0\":\"Σύνολο διαθέσιμων\",\"SWIgh4\":\"Fees exceed wallet balance\",\"SY9hVo\":\"Read-only mode allows to see address positions in Aave, but you won't be able to perform transactions.\",\"SZRUQ4\":\"Max slippage\",\"Sa1UE/\":\"Protocol borrow cap is at 100% for this asset. Further borrowing unavailable.\",\"Sk2zW9\":\"Απενεργοποίηση E-Mode\",\"SxaD0o\":\"Ο πάροχος διευθύνσεων κοινόχρηστων ταμείων δεν είναι εγγεγραμμένος\",\"T/AIqG\":\"Protocol supply cap at 100% for this asset. Further supply unavailable.\",\"T0xCO9\":\"Can't validate the wallet address. Try again.\",\"T4OhVl\":\"GHO balance\",\"T6uYU2\":\"Δανεισμός\",\"TFxQlw\":\"Ποινή ρευστοποίησης\",\"TQ7WsV\":\"Available to stake\",\"TUI7iB\":\"To περιουσιακό στοιχείο μπορεί να χρησιμοποιηθεί ως εγγύηση μόνο σε λειτουργία απομόνωσης.\",\"TbjyhA\":\"Docs\",\"TduuS0\":\"Ο χρήστης δεν έχει ανεξόφλητο χρέος σταθερού επιτοκίου σε αυτό το αποθεματικό\",\"TeCFg/\":\"Borrow rate change\",\"Tg1JyO\":\"Bridge history\",\"TskbEN\":\"Holders of stkAAVE receive a discount on the GHO borrowing rate\",\"TszKts\":\"Borrow balance after switch\",\"TtZL6q\":\"Discount model parameters\",\"TwJI9F\":\"Asset has been successfully sent to CCIP contract. You can check the status of the transactions below\",\"Tz0GSZ\":\"blocked activities\",\"U/eBjN\":\"Reload the page\",\"U2r8nY\":\"Choose how much voting/proposition power to give to someone else by delegating some of your AAVE, stkAAVE or aAave balance. Your tokens will remain in your account, but your delegate will be able to vote or propose on your behalf. If your AAVE, stkAAVE or aAave balance changes, your delegate's voting/proposition power will be automatically adjusted.\",\"U8IubP\":\"The app is running in testnet mode. Learn how it works in\",\"U9btTk\":\"Το περιουσιακό στοιχείο δεν είναι δανείσιμο σε λειτουργία απομόνωσης\",\"UAOZRe\":\"Price impact is the spread between the total value of the entry tokens switched and the destination tokens obtained (in USD), which results from the limited liquidity of the trading pair.\",\"UE3KJZ\":\"Transaction history is not currently available for this market\",\"URmyfc\":\"Λεπτομέρειες\",\"UTTKmT\":\"Stake cooldown activated\",\"UXeR72\":\"Τα κεφάλαια αυτά έχουν δανειστεί και δεν είναι διαθέσιμα για ανάληψη αυτή τη στιγμή.\",\"UYb8CM\":\"Learn more about the SPK rewards\",\"UbRrG0\":\"Ο δείκτης μέγιστου LTV αντιπροσωπεύει τη μέγιστη δανειοληπτική ικανότητα μιας συγκεκριμένης εγγύησης. Για παράδειγμα, εάν μια εγγύηση έχει LTV 75%, ο χρήστης μπορεί να δανειστεί έως και 0,75 ETH στο κύριο νόμισμα για κάθε 1 ETH αξίας εγγύησης.\",\"UpndFj\":\"Δεν υπάρχουν ανταμοιβές για διεκδίκηση\",\"V0f2Xv\":\"Reserve factor\",\"V1HK43\":\"Migration risks\",\"VATFH9\":\"Covered debt\",\"VHOVEJ\":\"Συνδέστε το πορτοφόλι\",\"VMfYUK\":\"Ασφάλεια των κατατεθειμένων εξασφαλίσεών σας έναντι των δανειζόμενων περιουσιακών στοιχείων και της υποκείμενης αξίας τους.\",\"VOAZJh\":\"Σύνολο δανείων\",\"ViKYxK\":\"ΥΠΕΡ\",\"W1SSoD\":\"Αναθεώρηση λεπτομερειών συναλλαγής\",\"W5hVah\":\"Τίποτα δεν έχει παρασχεθεί ακόμη\",\"W5kTFy\":\"Voting\",\"W8ekPc\":\"Back to Dashboard\",\"WMPbRK\":\"Μη υποστηριζόμενο\",\"WNGZwH\":\"Το E-Mode αυξάνει το LTV σας για μια επιλεγμένη κατηγορία περιουσιακών στοιχείων έως και <0/>. <1>Μάθετε περισσότερα\",\"WPWG/y\":\"Κατάσταση & διαμόρφωση αποθεματικού\",\"WZLQSU\":\"Ο χρήστης δεν μπορεί να κάνει ανάληψη μεγαλύτερη από το διαθέσιμο υπόλοιπο\",\"WaZyaV\":\"<0>Ampleforth is a rebasing asset. Visit the <1>documentation to learn more.\",\"WfU+XN\":\"Because this asset is paused, no actions can be taken until further notice\",\"Wjmqs2\":\"No results found. You can import a custom token with a contract address\",\"WkZ6C6\":\"Για να δανειστείτε πρέπει να προσκομίσετε οποιοδήποτε περιουσιακό στοιχείο που θα χρησιμοποιηθεί ως εγγύηση.\",\"WyMiQm\":\"You've successfully switched tokens.\",\"X/ITG9\":\"Κείμενο σφάλματος αντιγραφής\",\"X3Pp6x\":\"Χρησιμοποιείται ως εγγύηση\",\"X4Zt7j\":\"Η ενέργεια δεν μπορεί να εκτελεστεί επειδή η εφεδρεία βρίσκεται σε παύση\",\"XBdKOj\":\"Representative smart contract wallet (ie. Safe) addresses on other chains.\",\"XZzneG\":\"Θα βγείτε από τη λειτουργία απομόνωσης και άλλα tokens μπορούν πλέον να χρησιμοποιηθούν ως εγγύηση\",\"Xg5y9S\":\"Amount to Bridge\",\"Xn4hUi\":\"Please always be aware of your <0>Health Factor (HF) when partially migrating a position and that your rates will be updated to V3 rates.\",\"Xy71ST\":\"Umbrella\",\"Y5kGkc\":\"ΨΗΦΙΣΤΕ ΚΑΤΑ\",\"YDIOks\":\"Ενεργοποίηση E-Mode\",\"YSodyW\":\"This action will reduce your health factor. Please be mindful of the increased risk of collateral liquidation.\",\"YXOWXM\":\"The total amount bridged minus CCIP fees. Paying in network token does not impact gho amount.\",\"YirHq7\":\"Feedback\",\"YogbCJ\":\"Testnet mode is ON\",\"YrDxdO\":\"Εάν το δάνειο προς αξία υπερβεί το όριο ρευστοποίησης, η παρεχόμενη εγγύηση σας μπορεί να ρευστοποιηθεί.\",\"YyIM65\":\"Δεν τηρήθηκαν οι όροι επανεξισορρόπησης των επιτοκίων\",\"YyydIq\":[\"Add \",[\"0\"],\" to wallet to track your balance.\"],\"ZBvhI+\":\"Διακυβέρνηση Aave\",\"ZIIRAd\":\"Raw-Ipfs\",\"ZRq4tX\":\"Λειτουργία αποδοτικότητας (E-Mode)\",\"ZSqEW+\":\"Manage E-Mode\",\"ZUFYFE\":\"Disable testnet\",\"Zbyywy\":\"Μέγιστη περικοπή\",\"ZfUGFb\":\"Πριν από την προμήθεια\",\"ZiXN+B\":\"Assets to stake\",\"ZlsSDH\":\"Αξία ρευστοποίησης\",\"ZrEc8j\":\"We couldn't find any assets related to your search. Try again with a different asset name, symbol, or address.\",\"ZsLF7e\":\"ενεργοποιημένο\",\"a0YQoQ\":\"Enter a valid address\",\"a2fBZn\":\"Χρόνος που απομένει για το ξεκλείδωμα\",\"a5RYZd\":\"Η απενεργοποίηση αυτού του περιουσιακού στοιχείου ως εγγύηση επηρεάζει τη δανειοληπτική σας ικανότητα και τον Συντελεστή Υγείας.\",\"a7u1N9\":\"Price\",\"a9D+6D\":\"Unstaked\",\"aEtiwq\":\"Ψηφίστε ΚΑΤΑ\",\"aMmFE1\":\"Buy Crypto With Fiat\",\"aOKIms\":\"Οι παράμετροι της συστοιχίας που θα έπρεπε να είναι ίσου μήκους δεν είναι\",\"aX31hk\":\"Your balance is lower than the selected amount.\",\"adUsDd\":\"An error has occurred fetching the proposal.\",\"al6Pyz\":\"Exceeds the discount\",\"aoXTT7\":\"Δανεισμός APY, μεταβλητό\",\"aqX1Yp\":\"This asset is eligible for rewards through SuperFest. Aave Labs does not guarantee the program and accepts no liability.\",\"avgETN\":\"Eligible for the Merit program.\",\"b4NS3e\":\"Προειδοποίηση περιόδου ψύξης\",\"bNEQeI\":\"Cooldown\",\"bSruit\":\"ZKSync Ignite Program rewards are claimed through the\",\"bUUVED\":\"Περιουσιακό στοιχείο\",\"bXQ/Og\":\"Μοιραστείτε το στο twitter\",\"bXr0ee\":\"Τα απομονωμένα περιουσιακά στοιχεία έχουν περιορισμένη δανειοληπτική ικανότητα και άλλα περιουσιακά στοιχεία δεν μπορούν να χρησιμοποιηθούν ως εγγύηση.\",\"bYmAV1\":\"Addresses\",\"bguKoJ\":\"Το αιτούμενο ποσό είναι μεγαλύτερο από το μέγιστο μέγεθος δανείου στη λειτουργία σταθερού επιτοκίου\",\"bwSQI0\":\"Προσφορά\",\"bxN6EM\":\"Cannot disable E-Mode\",\"bxmzSh\":\"Δεν υπάρχουν επαρκείς εγγυήσεις για την αποπληρωμή αυτού του ποσού χρέους με\",\"c91vuQ\":\"Η διεύθυνση δεν είναι συμβόλαιο\",\"c97os2\":\"Aave aToken\",\"c9b44w\":\"Δεν μπορείτε να αποσύρετε αυτό το ποσό, διότι θα προκληθεί κλήση εγγύησης\",\"cBc+4A\":\"Αυτό είναι το συνολικό ποσό που μπορείτε να δανειστείτε. Μπορείτε να δανειστείτε με βάση την εξασφάλισή σας και μέχρι να επιτευχθεί το ανώτατο όριο δανεισμού.\",\"cIl5kp\":\"Your voting power is based on your AAVE/stkAAVE balance and received delegations.\",\"cLo09S\":\"Λεπτομέρειες κινδύνου\",\"cNT+ij\":\"Ο δανεισμός δεν είναι διαθέσιμος επειδή έχετε ενεργοποιήσει τη Λειτουργία Αποδοτικότητας (E-Mode) και τη λειτουργία Απομόνωσης. Για να διαχειριστείτε τη λειτουργία E-Mode και τη λειτουργία Απομόνωσης, επισκεφθείτε τον <0>Πίνακα ελέγχου.\",\"cZOeBk\":\"Something went wrong fetching bridge message, please try again later.\",\"ceix5S\":\"To submit a proposal for minor changes to the protocol, you'll need at least 80.00K power. If you want to change the core code base, you'll need 320k power.<0>Learn more.\",\"ciSsYT\":\"Staking APY\",\"ciybUa\":\"Ψηφίστε ΥΠΕΡ\",\"ckf7gX\":[\"Αποπληρώνοντας \",[\"symbol\"]],\"cp1ZDP\":[\"Bridge \",[\"symbol\"]],\"cqnmnD\":\"Effective interest rate\",\"cqwIvs\":\"Συζήτηση φόρουμ\",\"csDS2L\":\"Διαθέσιμο\",\"cu7Stb\":\"Δεν συμμετείχατε στην παρούσα πρόταση\",\"dE6BLF\":\"Διακυβέρνηση\",\"dEgA5A\":\"Cancel\",\"dIsyWh\":\"Η επικύρωση του Ltv απέτυχε\",\"dMtLDE\":\"to\",\"dOB5nW\":[\"Maximum amount available to supply is <0/> \",[\"0\"],\" (<1/>).\"],\"dVfODp\":\"Δεν έχετε αρκετά χρήματα στο πορτοφόλι σας για να αποπληρώσετε ολόκληρο το ποσό. Εάν προχωρήσετε στην αποπληρωμή με το τρέχον ποσό των χρημάτων σας, θα εξακολουθείτε να έχετε μια μικρή θέση δανεισμού στο ταμπλό σας.\",\"dXUQFX\":\"Περιουσιακά στοιχεία προς δανεισμό\",\"dgr1aY\":\"Borrowing is disabled due to an Aave community decision. <0>More details\",\"djsg0o\":\"Χρησιμοποίηση εγγυήσεων\",\"dpc0qG\":\"Μεταβλητό\",\"drdV8R\":\"Liquidation\",\"dxW8cS\":\"Aave debt token\",\"e4V3oW\":\"Top 10 addresses\",\"eD8WX/\":\"Η δράση απαιτεί ενεργό απόθεμα\",\"eJRJ04\":\"Amount to unstake\",\"eLh0cL\":\"Slippage is the difference between the quoted and received amounts from changing market conditions between the moment the transaction is submitted and its verification.\",\"ePK91l\":\"Edit\",\"eVpCmf\":\"Staking Rewards\",\"eVqvtf\":\"Bridge GHO\",\"eYdurp\":\"No transactions yet.\",\"ebLGGN\":\"Σύνολο δανεικών\",\"ecqEvn\":\"Το υπόλοιπο των εγγυήσεων είναι 0\",\"efdrrk\":\"Available on\",\"enruNF\":\"starts\",\"eqLYiD\":\"Ξεκλειδώστε τώρα\",\"euScGB\":\"APY with discount applied\",\"evw5ha\":\"Καθαρή αξία\",\"ezcU16\":\"Get ABP Token\",\"f3W0Ej\":[\"Αλλάξατε σε ποσοστό \",[\"0\"]],\"fH9i8k\":\"You've successfully switched borrow position.\",\"fHcELk\":\"Καθαρό APR\",\"fMJQZK\":\"Borrowed\",\"fZ5Vnu\":\"Received\",\"firl9Q\":\"Το τρέχον δάνειο προς αξία με βάση τις παρεχόμενες εξασφαλίσεις σας.\",\"flRCF/\":\"Staking discount\",\"fldjW9\":\"Preview tx and migrate\",\"fsBGk0\":\"Υπόλοιπο\",\"fu1Dbh\":[\"Ανάληψη \",[\"symbol\"]],\"fwjWSI\":\"Supplied\",\"fwyTMb\":\"Migrate to stkABPT v2\",\"g0mals\":\"You can not disable E-Mode because that could cause liquidation. To exit E-Mode supply or repay borrowed positions.\",\"g2UNkE\":\"Powered by\",\"g8KGoA\":\"FAQS\",\"g9zzqS\":\"Voted NAY\",\"gDd2gk\":\"about SuperFest.\",\"gFFh9h\":\"Όλα έτοιμα!\",\"gIMJlW\":\"Λειτουργία Testnet\",\"gOzPxe\":\"This asset is frozen due to an Aave Protocol Governance decision. <0>More details\",\"gTHi2T\":\"Ο χρήστης προσπαθεί να δανειστεί πολλαπλά περιουσιακά στοιχεία, συμπεριλαμβανομένου ενός απομονωμένου περιουσιακού στοιχείου\",\"gVW59Y\":\"Please connect your wallet to get free testnet assets.\",\"gcFNxP\":\"Approve Confirmed\",\"gncRUO\":\"This address is blocked on app.aave.com because it is associated with one or more\",\"goff7V\":\"Η μηδενική διεύθυνση δεν είναι έγκυρη\",\"gp+f1B\":\"Version 3\",\"gr8mYw\":\"You may borrow up to <0/> GHO at <1/> (max discount)\",\"gvTM4B\":\"Το καθαρό ΑΡΥ είναι η συνδυασμένη επίδραση όλων των θέσεων προσφοράς και δανεισμού στην καθαρή αξία, συμπεριλαμβανομένων των κινήτρων. Είναι δυνατόν να υπάρχει αρνητικό καθαρό APY εάν το χρεωστικό APY είναι υψηλότερο από το προσφερόμενο APY.\",\"gzcch9\":\"Μη έγκυρη αμοιβή πρωτοκόλλου γέφυρας\",\"h33MxW\":\"Representing smart contract wallet (ie. Safe) addresses on other chains.\",\"h3ilK+\":\".CSV\",\"hB23LY\":\"Activate Cooldown\",\"hIJzBh\":\"Available to Claim\",\"hIS4N0\":\"Καθαρό APY\",\"hRWvpI\":\"Claimed\",\"hdmy/o\":\"Το % της συνολικής δανειοληπτικής σας δύναμης που χρησιμοποιείται. Αυτό βασίζεται στο ποσό της παρεχόμενης εξασφάλισής σας και στο συνολικό ποσό που μπορείτε να δανειστείτε.\",\"hehnjM\":\"Ποσό\",\"hjDCQr\":\"Υπήρξε κάποιο σφάλμα. Προσπαθήστε να αλλάξετε τις παραμέτρους ή <0><1>αντιγράψτε το σφάλμα\",\"hom7qf\":\"Διεκδίκηση\",\"hpHJ4I\":\"Liquidated collateral\",\"hpuVIp\":\"Users who stake AAVE in Safety Module (i.e. stkAAVE holders) receive a discount on GHO borrow interest rate.\",\"huQ6Tz\":[\"Δανεισμός \",[\"symbol\"]],\"hxi7vE\":\"Borrow balance\",\"i/fZ2Z\":\"Staked Balance\",\"i2JTiw\":\"You may enter a custom amount in the field.\",\"iB5+/J\":\"About GHO\",\"iChbOF\":\"Ασυνεπείς παράμετροι flashloan\",\"iEPVHF\":\"Δεν έχει αρκετή δύναμη ψήφου για να συμμετάσχει στην παρούσα πρόταση\",\"iEW87X\":\"Delegated power\",\"iEju36\":[\"Ψηφίσατε \",[\"0\"]],\"iFq2YN\":\"Borrowable\",\"iGxyIA\":\"Safety Module\",\"iMVZk9\":\"Select slippage tolerance\",\"iPMIoT\":\"Εισάγετε ένα ποσό\",\"iSLIjg\":\"Connect\",\"iUo5rv\":\"tokens δεν είναι το ίδιο με το να τα κλειδώνετε. Εάν επιθυμείτε να κλειδώσετε τα\",\"iZxa38\":\"Use it to vote for or against active proposals.\",\"if5PH+\":\"Collector Info\",\"igkfR1\":[\"In Isolation mode, you cannot supply other assets as collateral. A global debt ceiling limits the borrowing power of the isolated asset. To exit isolation mode disable \",[\"0\"],\" as collateral before borrowing another asset. Read more in our <0>FAQ\"],\"il0sEG\":\"H χρήση εγγυήσεων είναι περιορισμένη λόγω της λειτουργίας Απομόνωσης.\",\"j+K1Xj\":\"Amount After Fee\",\"jA2QeW\":\"Προμηθεύοντας το\",\"jFi7dz\":\"Interest rate that is determined by Aave Governance. This rate may be changed over time depending on the need for the GHO supply to contract/expand. <0>Learn more\",\"jG3UJ7\":\"Απενεργοποίηση E-Mode\",\"jKYzR1\":\"Ενεργοποίηση E-Mode\",\"jMam5g\":[[\"0\"],\" Υπόλοιπο\"],\"jSYv+Z\":\"Enabling E-Mode allows you to maximize your borrowing power, however, borrowing is restricted to assets within the selected category. <0>Learn more about how it works and the applied restrictions.\",\"jaKbwW\":[[\"s\"],\"δ\"],\"jbFMap\":\"Χρόνος ψύξης που έχει απομείνει\",\"jeMZNr\":[[\"0\"],\" on-ramp service is provided by External Provider and by selecting you agree to Terms of the Provider. Your access to the service might be reliant on the External Provider being operational.\"],\"jfl9OP\":\"Migrated\",\"jmXdoY\":\"Στο E-Mode ορισμένα περιουσιακά στοιχεία δεν είναι δανείσιμα. Βγείτε από το E-Mode για να αποκτήσετε πρόσβαση σε όλα τα περιουσιακά στοιχεία\",\"jpctdh\":\"View\",\"jqzUyM\":\"Μη διαθέσιμο\",\"k/sb6z\":\"Επιλέξτε γλώσσα\",\"k3wP3f\":\"<0>Attention: Parameter changes via governance can alter your account health factor and risk of liquidation. Follow the <1>Aave governance forum for updates.\",\"kACpF3\":[\"Διεκδίκηση \",[\"0\"]],\"kH6wUX\":\"Επίδραση στην τιμή\",\"kIC28N\":\"Available to claim\",\"kIpSye\":[[\"numSelected\"],\"/\",[\"numAvailable\"],\" assets selected\"],\"kN1Yg5\":\"Για την εξόφληση εκ μέρους ενός χρήστη απαιτείται ένα ρητό ποσό προς εξόφληση\",\"kRTD40\":[\"Repayment amount to reach \",[\"0\"],\"% utilization\"],\"kjN9tT\":\"Υπέρβαση του ανώτατου ορίου προσφοράς\",\"knxE+G\":\".JSON\",\"ks2LWT\":\"Το ανώτατο όριο χρέους δεν είναι μηδενικό\",\"kwwn6i\":\"Users who stake AAVE in Safety Module (i.e. stkAAVE holders) receive a discount on GHO borrow interest rate. The discount applies to 100 GHO for every 1 stkAAVE held. Use the calculator below to see GHO borrow rate with the discount applied.\",\"kz3wtK\":\"and about SPK program\",\"kzZyM4\":\"DAI balance will be converted via DSR contracts and then supplied as sDAI. Switching incurs no additional costs and no slippage.\",\"lNVG7i\":\"Select an asset\",\"lU2d1/\":[\"Asset cannot be migrated due to insufficient liquidity or borrow cap limitation in \",[\"marketName\"],\" v3 market.\"],\"lVhKKI\":\"Voted YAE\",\"lWLqxB\":\"We couldn't find any transactions related to your search. Try again with a different asset name, or reset filters.\",\"lYGfRP\":\"Αγγλικά\",\"lfEjIE\":\"Μάθετε περισσότερα στον οδηγό <0>Συχνών Ερωτήσεων\",\"lt6bpt\":\"Collateral to repay with\",\"m/IEhi\":\"Συνολικές εκπομπές ανά ημέρα\",\"m7r7Hh\":\"Selected borrow assets\",\"mDDK4p\":\"Balancer Pool\",\"mIM0qu\":\"Expected amount to repay\",\"mUAFd6\":\"Version 2\",\"masO5Z\":\"E-Mode increases your LTV for a selected category of assets. <0>Learn more\",\"mdNjKU\":[\"Your \",[\"name\"],\" wallet is empty. Purchase or transfer assets or use <0>\",[\"0\"],\" to transfer your \",[\"network\"],\" assets.\"],\"muiOng\":[\"Buy \",[\"cryptoSymbol\"],\" with Fiat\"],\"mvCXBY\":\"Stake AAVE\",\"mwdzil\":\"Εντάξει, Κλείσιμο\",\"mzI/c+\":\"Download\",\"mzdIia\":\"Το περιουσιακό στοιχείο δεν μπορεί να χρησιμοποιηθεί ως εγγύηση.\",\"n+SX4g\":\"Προγραμματιστές\",\"n8Psk4\":\"We couldn’t detect a wallet. Connect a wallet to stake and view your balance.\",\"nJIhzm\":\"Προσφορά apy\",\"nJgsQu\":\"Με δύναμη ψήφου <0/>\",\"nLC6tu\":\"Γαλλικά\",\"nN2T8p\":\"During the cooldown period, you will not earn any merit rewards. However, rewards earned up to this point will remain unaffected.\",\"nNHV0z\":\"Migrating multiple collaterals and borrowed assets at the same time can be an expensive operation and might fail in certain situations.<0>Therefore it’s not recommended to migrate positions with more than 5 assets (deposited + borrowed) at the same time.\",\"nNbnzu\":\"Proposition\",\"nOy4ob\":\"We suggest you go back to the Dashboard.\",\"nPGNMh\":\"Μπορεί να εκτελεστεί\",\"nUK1ou\":[\"Assets with zero LTV (\",[\"0\"],\") must be withdrawn or disabled as collateral to perform this action\"],\"nakd8r\":\"stkAAVE holders get a discount on GHO borrow rate\",\"nh2EJK\":[\"Παρακαλώ μεταβείτε στο \",[\"networkName\"],\".\"],\"njBeMm\":\"Both\",\"noN5Xf\":\"We couldn’t detect a wallet. Connect a wallet to view your staking positions and rewards.\",\"ntkAoE\":\"Discount applied for <0/> staking AAVE\",\"ntyFSE\":[[\"h\"],\"ω\"],\"nwtY4N\":\"Something went wrong\",\"nxyWvj\":\"Withdrawing this amount will reduce your health factor and increase risk of liquidation.\",\"o17QVP\":\"Ο συντελεστής υγείας και το δάνειο προς αξία καθορίζουν τη διασφάλιση των εξασφαλίσεών σας. Για να αποφύγετε τις ρευστοποιήσεις μπορείτε να παράσχετε περισσότερες εξασφαλίσεις ή να εξοφλήσετε δανειακές θέσεις.\",\"o1xc2V\":\"Η προσφορά AToken δεν είναι μηδενική\",\"o4tCu3\":\"Borrow APY\",\"o5ooMr\":\"Χρέος\",\"o7J4JM\":\"Φίλτρο\",\"oHFrpj\":\"Ψύξτε για ξεκλείδωμα\",\"oJ5ZiG\":\"Ο χρήστης δεν έχει ανεξόφλητο χρέος μεταβλητού επιτοκίου σε αυτό το αποθεματικό\",\"oRBGin\":\"Please connect your wallet to be able to switch your tokens.\",\"oUwXhx\":\"Test Assets\",\"oWklJD\":\"Το σταθερό επιτόκιο θα <0>μείνει το ίδιο για όλη τη διάρκεια του δανείου σας. Συνιστάται για μακροχρόνιες περιόδους δανεισμού και για χρήστες που προτιμούν την προβλεψιμότητα.\",\"odnIK3\":\"Time remaining until the 48 hour withdraw period starts.\",\"oiK5nY\":\"The current incentives period, decided on by the Aave community, has ended. Governance is in the process on renewing, check for updates. <0>Learn more.\",\"olREoo\":\"All borrow positions outside of this category must be closed to enable this category.\",\"om/XHs\":\"Διαθέσιμο για προμήθεια\",\"ov0+mq\":\"Eligible for the ZKSync Ignite program.\",\"ovT1pF\":[\"Per the community, the \",[\"market\"],\" has been frozen.\"],\"ow3fug\":\"Nothing found\",\"owSsI3\":\"Signatures ready\",\"p+R52m\":\"Go to Balancer Pool\",\"p2A+s1\":[\"Η περίοδος ψύξης είναι \",[\"0\"],\". Μετά την \",[\"1\"],\" περίοδο ψύξης, θα εισέλθετε στο παράθυρο ξεκλειδώματος \",[\"2\"],\". Θα συνεχίσετε να λαμβάνετε ανταμοιβές κατά τη διάρκεια της ψύξης και του παραθύρου ξεκλειδώματος.\"],\"p2S64u\":\"The loan to value of the migrated positions would cause liquidation. Increase migrated collateral or reduce migrated borrow to continue.\",\"p2Z2Qi\":\"Αυτό το περιουσιακό στοιχείο έχει φθάσει στο ανώτατο όριο δανεισμού του. Τίποτα δεν είναι διαθέσιμο για δανεισμό από αυτή την αγορά.\",\"p3j+mb\":\"Το υπόλοιπο της ανταμοιβής σας είναι 0\",\"p45alK\":\"Set up delegation\",\"p6u2s1\":\"Minimum amount of debt to be repaid\",\"pDgeaz\":[[\"title\"]],\"pdZqBk\":\"Το υποκείμενο υπόλοιπο πρέπει να είναι μεγαλύτερο από 0\",\"pgWG9H\":\"Δεν υπάρχει αρκετό κλειδωμένο υπόλοιπο\",\"piPrJ7\":\"παρακαλούμε ελέγξτε ότι το ποσό που θέλετε να παρέχετε δεν χρησιμοποιείται επί του παρόντος για κλείδωμα. Εάν χρησιμοποιείται για κλείδωμα, η συναλλαγή σας ενδέχεται να αποτύχει.\",\"pjO/iH\":\"Minimum amount received\",\"pooutM\":\"Voting is on\",\"pqaM5s\":\"Confirming transaction\",\"ptaxX3\":[\"Καταλαβαίνω πώς λειτουργεί η ψύξη (\",[\"0\"],\") και το ξεκλείδωμα (\",[\"1\"],\")\"],\"py2iiY\":\"Ο καλών αυτής της συνάρτησης πρέπει να είναι ένα κοινόχρηστο ταμείο\",\"q/51mF\":\"Migrate to V3\",\"q3df11\":\"Interest rate strategy\",\"q6lAbz\":\"Κλειδωμένο\",\"qB4kPi\":\"Προσφορά APY\",\"qENI8q\":\"Γενικές ρυθμίσεις\",\"qGz5zl\":\"Collateral balance after repay\",\"qIW9ZH\":\"Amount staked\",\"qOqbD6\":\"αντιγράψτε το σφάλμα\",\"qXCkEM\":\"Συνδέστε το πορτοφόλι σας για να δείτε τις προμήθειες, τα δάνεια και τις ανοιχτές θέσεις σας.\",\"qY2jnw\":\"Μη έγκυρη λήξη\",\"qf/fr+\":\"Interest accrued\",\"quYPUU\":\"Variable interest rate will <0>fluctuate based on the market conditions.\",\"quzIeW\":\"User is in isolation mode or LTV is zero\",\"qvnz3q\":\"Μη έγκυρη ποσότητα προς καύση\",\"rHgdb0\":\"Migrate to Aave V3\",\"rOrHHe\":\"Το ποσό πρέπει να είναι μεγαλύτερο από 0\",\"rQ+R+0\":\"Selected supply assets\",\"rSayea\":\"APY\",\"rTBDeu\":[\"Asset cannot be migrated because you have isolated collateral in \",[\"marketName\"],\" v3 Market which limits borrowable assets. You can manage your collateral in <0>\",[\"marketName\"],\" V3 Dashboard\"],\"rcT+yy\":\"Εμφάνιση περιουσιακών στοιχείων με υπόλοιπο 0\",\"rf8POi\":\"Borrowed asset amount\",\"riNWOA\":\"E-Mode\",\"rjGI/Q\":\"Privacy\",\"rnKPW1\":\"Watch a wallet balance in read-only mode\",\"ruc7X+\":\"Add stkAAVE to see borrow APY with the discount\",\"rvbaFU\":[\"Bridging \",[\"symbol\"]],\"rwVVB7\":\"Διεκδικήστε όλες τις ανταμοιβές\",\"rwyUva\":\"These assets are temporarily frozen or paused by Aave community decisions, meaning that further supply / borrow, or rate swap of these assets are unavailable. Withdrawals and debt repayments are allowed. Follow the <0>Aave governance forum for further updates.\",\"rxJW5W\":\"Your proposition power is based on your AAVE/stkAAVE balance and received delegations.\",\"s2jJnW\":\"You don't have any bridge transactions\",\"s5wBAq\":[\"Unstake \",[\"symbol\"]],\"sJbIdI\":\"Enter ETH address or ENS\",\"sK+Nag\":\"Αναθεώρηση συναλλαγής\",\"sP2+gB\":\"ΚΑΤΑ\",\"sQv06Y\":\"for\",\"sTtO6J\":\"Confirm transaction\",\"sXKb3l\":\"Exchange rate\",\"sb0q4+\":\"Μπορείτε να ξεκλειδώσετε εδώ\",\"smJNwH\":\"Διαθέσιμο για δανεισμό\",\"solypO\":\"Ο παράγοντας υγείας δεν είναι κάτω από το όριο\",\"sr0UJD\":\"Πηγαίνετε Πίσω\",\"ss5GCK\":\"Η διεύθυνση του παρόχου διευθύνσεων κοινόχρηστου ταμείου είναι άκυρη\",\"swEgK4\":\"Οι πληροφορίες ψήφου σας\",\"t+wtgf\":\"Τίποτα δανεισμένο ακόμα\",\"t/YqKh\":\"Remove\",\"t81DpC\":[\"Approve \",[\"symbol\"],\" to continue\"],\"tCnbEs\":\"Τιμή Oracle\",\"tFZLf8\":\"Αυτός ο υπολογισμός gas είναι μόνο μια εκτίμηση. Το πορτοφόλι σας θα καθορίσει την τιμή της συναλλαγής. Μπορείτε να τροποποιήσετε τις ρυθμίσεις gas απευθείας από τον πάροχο του πορτοφολιού σας.\",\"tHuvQI\":\"Go to V3 Dashboard\",\"tKv7cI\":\"Switch borrow position\",\"tOcg3N\":\"Since this asset is frozen, the only available actions are withdraw and repay which can be accessed from the <0>Dashboard\",\"tOuXfv\":[\"Borrow amount to reach \",[\"0\"],\"% utilization\"],\"te9Bfl\":\"Παρακαλώ, συνδέστε το πορτοφόλι σας\",\"tt5yma\":\"Οι προμήθειές σας\",\"ttoh5c\":\"Switch to\",\"u3ZeYl\":\"Η συναλλαγή απέτυχε\",\"u706uF\":\"Άκυρη πριμοδότηση flashloan\",\"u8Gfu7\":[\"No search results\",[\"0\"]],\"uAQUqI\":\"Status\",\"uHMwk8\":\"No assets selected to migrate.\",\"uJPHuY\":\"Migrating\",\"uY8O30\":\"To continue, you need to grant Aave smart contracts permission to move your funds from your wallet. Depending on the asset and wallet you use, it is done by signing the permission message (gas free), or by submitting an approval transaction (requires gas). <0>Learn more\",\"udFheE\":\"Για την αποπληρωμή ενός συγκεκριμένου τύπου χρέους, ο χρήστης πρέπει να έχει χρέος αυτού του τύπου\",\"ulNuNq\":\"Export data to\",\"ulup2p\":\"Buy Crypto with Fiat\",\"umICAY\":\"<0><1><2/>Add stkAAVE to see borrow rate with discount\",\"usB84Z\":\"Maximum amount available to borrow is limited because protocol borrow cap is nearly reached.\",\"uwAUvj\":\"COPY IMAGE\",\"v8x7Mg\":\"Insufficient collateral to cover new borrow position. Wallet must have borrowing power remaining to perform debt switch.\",\"vEqxH9\":\"Restaked\",\"vLyv1R\":\"Απόκρυψη\",\"vMba49\":\"Ο δανεισμός δεν είναι ενεργοποιημένος\",\"vMpNwt\":\"Approve with\",\"vXIe7J\":\"Γλώσσα\",\"vesuBJ\":\"Σας επιτρέπει να αποφασίσετε αν θα χρησιμοποιήσετε ένα παρεχόμενο περιουσιακό στοιχείο ως εγγύηση. Ένα περιουσιακό στοιχείο που χρησιμοποιείται ως εγγύηση θα επηρεάσει τη δανειοληπτική σας ικανότητα και τον συντελεστή υγείας.\",\"w+V9Cx\":\"Σταθερό νόμισμα\",\"w/JtJ3\":\"Η σταθερή προσφορά χρέους δεν είναι μηδενική\",\"w4VBY+\":\"Ανταμοιβές APR\",\"w9dLMW\":[[\"label\"]],\"wAOL+X\":[\"Εσείς \",[\"action\"],\" <0/> \",[\"symbol\"]],\"wBIsjb\":\"Discord channel\",\"wQZbc/\":\"Ο καλών της συνάρτησης δεν είναι AToken\",\"wRRqvW\":\"Δεν έχετε προμήθειες σε αυτό το νόμισμα\",\"wZFvVU\":\"ΨΗΦΙΣΤΕ ΥΠΕΡ\",\"wb/r1O\":[\"Βρύση \",[\"0\"]],\"wdxz7K\":\"Source\",\"weH1nG\":\"The Aave Protocol is programmed to always use the price of 1 GHO = $1. This is different from using market pricing via oracles for other crypto assets. This creates stabilizing arbitrage opportunities when the price of GHO fluctuates.\",\"wh7Ezv\":\"You have no AAVE/stkAAVE/aAave balance to delegate.\",\"wlsIx7\":\"With testnet Faucet you can get free assets to test the Aave Protocol. Make sure to switch your wallet provider to the appropriate testnet network, select desired asset, and click ‘Faucet’ to get tokens transferred to your wallet. The assets on a testnet are not “real,” meaning they have no monetary value. <0>Learn more\",\"wmE285\":\"Get ABP v2 Token\",\"wyRrcJ\":\"As a result of governance decisions, this ABPT staking pool is now deprecated. You have the flexibility to either migrate all of your tokens to v2 or unstake them without any cooldown period.\",\"x5KiLL\":\"Selected assets have successfully migrated. Visit the Market Dashboard to see them.\",\"x7F2p6\":\"Τρέχον διαφορικό\",\"x7K5ib\":[\"Your \",[\"networkName\"],\" wallet is empty. Get free test \",[\"0\"],\" at\"],\"x9iLRD\":\"tokens, παρακαλούμε μεταβείτε στο\",\"xNy/UG\":\"Αποπληρωμή με\",\"xPm8wv\":\"Μάθετε περισσότερα για τους κινδύνους\",\"xXYpZl\":[[\"0\"],\" Βρύση\"],\"xaVBSS\":\"Οι πληροφορίες σας\",\"xaWZ6f\":\"APY type change\",\"xh6k71\":\"Collateral usage is limited because of isolation mode.\",\"xvIklc\":\"Flashloan is disabled for this asset, hence this position cannot be migrated.\",\"y5rS9U\":\"Migrate\",\"y66tBm\":[\"Ενεργοποίηση \",[\"symbol\"],\" ως εγγύηση\"],\"yB1YpA\":\"Σκοτεινή λειτουργία\",\"yCrG6m\":\"Συνολικό μέγεθος της αγοράς\",\"yJUUbn\":\"Επισκόπηση συναλλαγής\",\"yLGmLX\":[\"Restake \",[\"symbol\"]],\"yW1oWB\":\"Τύπος APY\",\"yYHqJe\":\"Μη έγκυρη διεύθυνση\",\"yZwLw6\":\"Track wallet\",\"yh2sjd\":[\"Price impact \",[\"0\"],\"%\"],\"yhvj6d\":\"Δεν μπορείτε να αλλάξετε τη χρήση ως λειτουργία εγγύησης για αυτό το νόμισμα, διότι θα προκαλέσει κλήση εγγύησης\",\"ylmtBZ\":\"The app is running in fork mode.\",\"ymNY32\":[\"Δεν υπάρχουν αρκετά κεφάλαια στο\",[\"0\"],\"αποθεματικό για δανεισμό\"],\"yz7wBu\":\"Κλείσιμο\",\"z4uGQg\":\"Υπέρβαση του ανώτατου ορίου χρέους\",\"z5UQOM\":\"Η εγγύηση που έχει επιλεγεί δεν μπορεί να ρευστοποιηθεί\",\"z5Y+p6\":[\"Παροχή \",[\"symbol\"]],\"zCjNKs\":\"Η ενέργεια δεν μπορεί να εκτελεστεί επειδή το αποθεματικό έχει παγώσει\",\"zRHytX\":\"Isolated Debt Ceiling\",\"zTOjMP\":\"Protocol supply cap is at 100% for this asset. Further supply unavailable.\",\"zVdRUG\":\"Submission did not work, please try again later or contact wecare@avara.xyz\",\"zevmS2\":\"<0><1><2/>Add <3/> stkAAVE to borrow at <4/> (max discount)\",\"zgtIDV\":\"Υπολειπόμενο χρέος\",\"zmTPiV\":\"Υπόλοιπο προσφοράς\",\"zpPbZl\":\"Liquidation risk parameters\",\"zucql+\":\"Μενού\",\"zwWKhA\":\"Μάθετε περισσότερα\",\"zy9fXn\":[\"Asset is frozen in \",[\"marketName\"],\" v3 market, hence this position cannot be migrated.\"],\"zys+R6\":\"Be mindful of the network congestion and gas prices.\",\"zzzTXS\":\"Merit Program rewards are claimed through the\"}")}; \ No newline at end of file diff --git a/src/locales/en/messages.js b/src/locales/en/messages.js index 526914b801..400bb2835f 100644 --- a/src/locales/en/messages.js +++ b/src/locales/en/messages.js @@ -1 +1 @@ -/*eslint-disable*/module.exports={messages:JSON.parse("{\"+0xecS\":[\"If you DO NOT unstake within \",[\"0\"],\" of unstake window, you will need to activate cooldown process again.\"],\"+EGVI0\":\"Receive (est.)\",\"+VR63W\":[\"Participating in this \",[\"symbol\"],\" reserve gives annualized rewards.\"],\"+bmKdK\":\"Use your AAVE, stkAAVE, or aAave balance to delegate your voting and proposition powers. You will not be sending any tokens, only the rights to vote and propose changes to the protocol. You can re-delegate or revoke power to self at any time.\",\"+eOPG+\":\"Seems like we can't switch the network automatically. Please check if you can change it from the wallet.\",\"+i3Pd2\":\"Borrow cap\",\"+kLZGu\":\"Supplied asset amount\",\"+nuEh/\":\"Estimated time\",\"+xMFF8\":\"Remind me\",\"/57U31\":\"Amount to migrate\",\"/7ykiW\":\"Borrowing this amount will reduce your health factor and increase risk of liquidation.\",\"/YA5pU\":\"E-Mode increases your LTV for a selected category of assets, meaning that when E-mode is enabled, you will have higher borrowing power over assets of the same E-mode category which are defined by Aave Governance. You can enter E-Mode from your <0>Dashboard. To learn more about E-Mode and applied restrictionn, see the <1>help guide or the <2>Aave V3 Technical Paper.\",\"/izjs/\":\"Minimum staked Aave amount\",\"/jQctM\":\"To\",\"/lDBHm\":\"FAQ\",\"/yNlZf\":\"Stable borrowing is not enabled\",\"/yQcJM\":\"Total worth\",\"00AB2i\":\"User did not borrow the specified currency\",\"00OflG\":\"There is not enough liquidity for the target asset to perform the switch. Try lowering the amount.\",\"08/rZ9\":\"The cooldown period is the time required prior to unstaking your tokens (20 days). You can only withdraw your assets from the Security Module after the cooldown period and within the unstake window.<0>Learn more\",\"0AmQcW\":\"Rate change\",\"0BF3yK\":\"Sorry, we couldn't find the page you were looking for.\",\"0TAbjq\":\"Recent Transactions\",\"0jhlyw\":\"Liquidation risk\",\"0ojY+Y\":\"Current v2 Balance\",\"0thX3P\":\"Collateral change\",\"0wGCWc\":\"This is the total amount that you are able to supply to in this reserve. You are able to supply your wallet balance up until the supply cap is reached.\",\"1AsVfF\":\"Price data is not currently available for this reserve on the protocol subgraph\",\"1LjK22\":\"Transaction history\",\"1Onqx8\":[\"Approving \",[\"symbol\"],\"...\"],\"1Ue8sX\":\"Please connect a wallet to view your personal information here.\",\"1bpx9A\":\"...\",\"1kWUB+\":\"Liquidation <0/> threshold\",\"1m9Qqc\":\"Withdrawing and Switching\",\"1oyh4g\":\"Borrow rate\",\"1t7rez\":\"Asset supply is limited to a certain amount to reduce protocol exposure to the asset and to help manage risks involved.\",\"2CAPu2\":\"You've successfully withdrew & switched tokens.\",\"2Eoi/a\":\"View details\",\"2FYpfJ\":\"More\",\"2O3qp5\":\"Available liquidity\",\"2OM8/D\":[\"Asset cannot be migrated due to supply cap restriction in \",[\"marketName\"],\" v3 market.\"],\"2Q4GU4\":\"Blocked Address\",\"2ZGocC\":\"Aave is a fully decentralized, community governed protocol by the AAVE token-holders. AAVE token-holders collectively discuss, propose, and vote on upgrades to the protocol. AAVE token-holders (Ethereum network only) can either vote themselves on new proposals or delagate to an address of choice. To learn more check out the Governance\",\"2a6G7d\":\"Please enter a valid wallet address.\",\"2bAhR7\":\"Meet GHO\",\"2eBWE6\":\"I acknowledge the risks involved.\",\"2o/xRt\":\"Supply cap on target reserve reached. Try lowering the amount.\",\"2uJToh\":[[\"0\"],[\"name\"]],\"2x58bP\":\"Stable borrowing is enabled\",\"34Qfwy\":\"Borrow cap is exceeded\",\"39eQRj\":[\"Borrow \",[\"symbol\"]],\"3BL1xB\":\"Total supplied\",\"3BnIWi\":\"Switched\",\"3K0oMo\":\"Remaining supply\",\"3MoZhl\":\"There is not enough collateral to cover a new borrow\",\"3Np5O8\":[\"Supply \",[\"symbol\"]],\"3O8YTV\":\"Total interest accrued\",\"3mXg0z\":\"Max LTV\",\"3q3mFy\":\"Repay\",\"3qsjtp\":\"The weighted average of APY for all supplied assets, including incentives.\",\"3rL+os\":\"You can only withdraw your assets from the Security Module after the cooldown period ends and the unstake window is active.\",\"42UgDM\":[\"Migrate to \",[\"0\"],\" v3 Market\"],\"49UFQA\":\"Voting results\",\"4DMZUI\":\"View Transactions\",\"4HtGBb\":\"MAX\",\"4Y5H+g\":\"Terms\",\"4YYh4d\":\"Maximum available to borrow\",\"4iPAI3\":\"Minimum GHO borrow amount\",\"4lDFps\":\"Sign to continue\",\"4wyw8H\":\"Transactions\",\"5JSSxX\":[\"Your \",[\"networkName\"],\" wallet is empty. Get free test assets at\"],\"5K7kGO\":\"documentation\",\"5NOSGa\":\"Debt ceiling limits the amount possible to borrow against this asset by protocol users. Debt ceiling is specific to assets in isolation mode and is denoted in USD.\",\"5Ncc6j\":[\"This asset has almost reached its supply cap. There can only be \",[\"messageValue\"],\" supplied to this market.\"],\"5cZ/KX\":\"Variable debt supply is not zero\",\"5che++\":\"To request access for this permissioned market, please visit: <0>Acces Provider Name\",\"5ctNdV\":[\"Minimum \",[\"0\"],\" received\"],\"5hDe9v\":\"Allowance required action\",\"5rsnKT\":\"Available rewards\",\"5yC5m5\":\"View all votes\",\"6/dCYd\":\"Overview\",\"60crCe\":\"All transactions\",\"62Xcjh\":\"Collateral\",\"65A04M\":\"Spanish\",\"6G8s+q\":\"Signing\",\"6Jrv+z\":[\"Repay \",[\"symbol\"]],\"6NGLTR\":\"Discountable amount\",\"6Xr0UU\":\"Cooling down...\",\"6bxci/\":\"Voting power\",\"6f8S68\":\"Markets\",\"6g1gi0\":\"Proposals\",\"6gvoHP\":\"Copy error message\",\"6h3Q5G\":\"repaid\",\"6lFSyT\":\"Available to Stake\",\"6s8L6f\":\"Switch Network\",\"6yAAbq\":\"APY, borrow rate\",\"70wH1Q\":\"APR\",\"72c5Qo\":\"Total\",\"73Auuq\":\"Discount parameters are decided by the Aave community and may be changed over time. Check Governance for updates and vote to participate. <0>Learn more\",\"75qcAQ\":[[\"stepName\"]],\"7ITr5L\":\"Health factor\",\"7T/o5R\":\"Reached\",\"7YlcXu\":\"Fork mode is ON\",\"7Z76Iw\":\"Borrowing is unavailable because you’re using Isolation mode. To manage Isolation mode visit your <0>Dashboard.\",\"7aKlMS\":\"Share on Lens\",\"7er5fP\":\"Claim all\",\"7hb2+s\":\"Time remaining until the withdraw period ends.\",\"7l88b8\":\"Data couldn't be fetched, please reload graph.\",\"7p5kLi\":\"Dashboard\",\"7sofdl\":\"Withdraw and Switch\",\"8+6BI0\":\"Be careful - You are very close to liquidation. Consider depositing more collateral or paying down some of your borrowed positions\",\"87pUEW\":[\"Your \",[\"name\"],\" wallet is empty. Purchase or transfer assets.\"],\"8F1i42\":\"Page not found\",\"8G8M0u\":\"Loading data...\",\"8Iu1QS\":\"withdrew\",\"8JL93T\":\"All proposals\",\"8Q51DU\":\"Add to wallet\",\"8X/oyn\":\"Invalid amount to mint\",\"8Z5FPv\":\"Disconnect Wallet\",\"8Zz7s5\":\"assets\",\"8aLW8H\":\"Balance to revoke\",\"8bOT3H\":\"Utilization Rate\",\"8sLe4/\":\"View contract\",\"8t/M0y\":\"Please connect your wallet to be able to bridge your tokens.\",\"8vETh9\":\"Show\",\"94OHPx\":\"You are entering Isolation mode\",\"9CDK3/\":[\"Borrowing is currently unavailable for \",[\"0\"],\".\"],\"9GIj3z\":\"Reserve Size\",\"9Knqb4\":\"Staking balance\",\"9OBKm7\":\"Quorum\",\"9QHoGr\":\"Current votes\",\"9Rw96f\":[\"This asset has almost reached its borrow cap. There is only \",[\"messageValue\"],\" available to be borrowed from this market.\"],\"9Xj/qR\":[\"Some migrated assets will not be used as collateral due to enabled isolation mode in \",[\"marketName\"],\" V3 Market. Visit <0>\",[\"marketName\"],\" V3 Dashboard to manage isolation mode.\"],\"9c6vDV\":\"This asset has reached its supply cap. Nothing is available to be supplied from this market.\",\"9kTWHA\":\"MAI has been paused due to a community decision. Supply, borrows and repays are impacted. <0>More details\",\"9lXchd\":\"Underlying token\",\"9rWaKF\":\"Bridged Via CCIP\",\"9xSooW\":\"Since this is a test network, you can get any of the assets if you have ETH on your wallet\",\"A/lwoe\":\"Choose one of the on-ramp services\",\"A6dCI6\":[\"Maximum amount available to borrow is <0/> \",[\"0\"],\" (<1/>).\"],\"AReoaV\":\"Your borrows\",\"ARu1L4\":\"Repaid\",\"AV7cGz\":\"Review approval tx details\",\"AZOjB8\":\"Fetching data...\",\"Ai0jas\":\"Join the community discussion\",\"Ajl2rq\":\"Borrowing power and assets are limited due to Isolation mode.\",\"AqgYNC\":\"Protocol borrow cap at 100% for this asset. Further borrowing unavailable.\",\"B3EcQR\":\"Thank you for voting!!\",\"B6aXGH\":\"Stable\",\"B9Gqbz\":\"Variable rate\",\"BDFEd+\":\"stETH supplied as collateral will continue to accrue staking rewards provided by daily rebases.\",\"BE2mP0\":\"Borrowed assets\",\"BJyN77\":\"Due to health factor impact, a flashloan is required to perform this transaction, but Aave Governance has disabled flashloan availability for this asset. Try lowering the amount or supplying additional collateral.\",\"BNL4Ep\":\"Collateral usage is limited because of isolation mode. <0>Learn More\",\"BQ/wCO\":\"Migrate your assets\",\"BjLdl1\":\"At a discount\",\"BnhYo8\":\"Asset category\",\"Bq9Y7e\":\"This asset is frozen due to an Aave community decision. <0>More details\",\"BqWMDJ\":\"Faucet\",\"BqynZO\":\"Optimized for efficiency and risk by supporting blue-chip collateral assets\",\"Bsu7zX\":\"The fee includes the gas cost to complete the transaction on the destination chain and the fee paid to Chainlink CCIP service providers. You can chose to pay in the network token or GHO. <0>Learn more\",\"BwJKBw\":\"of\",\"CDrsH+\":\"Techpaper\",\"CK1KXz\":\"Max\",\"CMHmbm\":\"Slippage\",\"CZXzs4\":\"Greek\",\"CcRNG6\":\"Switching\",\"CkTRmy\":[\"Claim \",[\"symbol\"]],\"CsqtLm\":\"Please connect your wallet to see migration tool.\",\"CtGlFb\":[[\"networkName\"],\" Faucet\"],\"Cxt2YY\":\"Watch wallet\",\"D33VQU\":\"This action will reduce health factor of V3 below liquidation threshold. Increase migrated collateral or reduce migrated borrow to continue.\",\"D9BLRG\":\"This asset has been paused due to a community decision. Supply, withdraw, borrows and repays are impacted.\",\"DAma/S\":\"Collateral is (mostly) the same currency that is being borrowed\",\"DCnFg0\":[\"Addresses (\",[\"0\"],\")\"],\"DG3Lv1\":\"I fully understand the risks of migrating.\",\"DONJcV\":\"The underlying asset cannot be rescued\",\"DR+4uL\":\"Supply balance after switch\",\"DWjrck\":[\"Asset cannot be migrated to \",[\"marketName\"],\" V3 Market due to E-mode restrictions. You can disable or manage E-mode categories in your <0>V3 Dashboard\"],\"Dj+3wB\":\"Aave per month\",\"DptNvx\":\"Amount Staked\",\"DuEq2K\":\"Collateralization\",\"DxfsGs\":\"You can report incident to our <0>Discord or<1>Github.\",\"Dzma+E\":\"Main Ethereum market with the largest selection of assets and yield options\",\"E/QGRL\":\"Disabled\",\"EBL9Gz\":\"COPIED!\",\"ES8dkb\":\"Fixed rate\",\"EZd3Dk\":[\"Restaking \",[\"symbol\"]],\"Ebgc76\":[\"Withdrawing \",[\"symbol\"]],\"EdQY6l\":\"None\",\"EjvKQ+\":\"Minimum USD value received\",\"Enslfm\":\"Destination\",\"EvE9nO\":[\"Reactivate cooldown period to unstake \",[\"0\"],\" \",[\"stakedToken\"]],\"EvECnL\":\"Migrate to v3\",\"EzMQbh\":\"The source chain time to finality is the main factor that determines the time to destination. <0>Learn more\",\"F40cwT\":\"Legacy Markets\",\"F6TdXL\":\"Learn more.\",\"FDDPeZ\":\"Users can stake their assets in the protocol and earn incentives. In the case of a shortfall event, your stake can be slashed to cover the deficit, providing an additional layer of protection for the protocol.\",\"FHlMf/\":\"Current v2 balance\",\"FHpxjF\":[\"Reserve factor is a percentage of interest which goes to a \",[\"0\"],\" that is controlled by Aave governance to promote ecosystem growth.\"],\"FOBZa6\":\"Borrow power used\",\"FPKEug\":\"Operation not supported\",\"FbmMe7\":\"Linked addresses\",\"Fdp03t\":\"on\",\"Fjw9N+\":\"Assets to supply\",\"FmN0fk\":\"Restake\",\"GDGLIs\":\"GHO is a native decentralized, collateral-backed digital asset pegged to USD. It is created by users via borrowing against multiple collateral. When user repays their GHO borrow position, the protocol burns that user's GHO. All the interest payments accrued by minters of GHO would be directly transferred to the AaveDAO treasury.\",\"GQrBTq\":\"Switch E-Mode\",\"GWswcZ\":\"This asset is frozen due to an Aave Protocol Governance decision. On the 20th of December 2022, renFIL will no longer be supported and cannot be bridged back to its native network. It is recommended to withdraw supply positions and repay borrow positions so that renFIL can be bridged back to FIL before the deadline. After this date, it will no longer be possible to convert renFIL to FIL. <0>More details\",\"GX8GKD\":\"Assets\",\"GgEj+0\":\"Read-only mode. Connect to a wallet to perform transactions.\",\"GjkIKV\":\"ends\",\"GoK/QN\":\"Thank you for submitting feedback!\",\"GtP2hp\":[\"Borrowing is unavailable because you’ve enabled Efficiency Mode (E-Mode) for \",[\"0\"],\" category. To manage E-Mode categories visit your <0>Dashboard.\"],\"H6Ma8Z\":\"Discount\",\"HB/wfS\":[[\"tooltipText\"]],\"HKDsQN\":\"Rewards can be claimed through\",\"Ha/U5f\":\"This is a program initiated and implemented by the decentralised ZKSync community. Aave Labs does not guarantee the program and accepts no liability.\",\"HciqKU\":\"This is a program initiated and implemented by the decentralised Aave community. Aave Labs does not guarantee the program and accepts no liability.\",\"Hi6Ttn\":\"Sorry, an unexpected error happened. In the meantime you may try reloading the page, or come back later.\",\"HkEDbS\":[[\"d\"],\"d\"],\"HmkYqM\":\"Unstake window\",\"HpK/8d\":\"Reload\",\"HrnC47\":\"Save and share\",\"HuVZMK\":\"Days\",\"HvJKMU\":[\"Asset cannot be migrated to \",[\"marketName\"],\" v3 Market since collateral asset will enable isolation mode.\"],\"Hvwnm9\":[\"Maximum amount available to supply is limited because protocol supply cap is at \",[\"0\"],\"%.\"],\"I8CX2c\":\"The total amount of your assets denominated in USD that can be used as collateral for borrowing assets.\",\"IAD2SB\":[\"Claiming \",[\"symbol\"]],\"IG9X9/\":\"Borrowing of this asset is limited to a certain amount to minimize liquidity pool insolvency.\",\"IOIx8L\":\"This asset is planned to be offboarded due to an Aave Protocol Governance decision. <0>More details\",\"IP+I/j\":\"Cooldown period\",\"IaA40H\":\"Liquidation at\",\"J/hVSQ\":[[\"0\"]],\"JCoxL6\":\"Manage analytics\",\"JK9zf1\":[\"Estimated compounding interest, including discount for Staking \",[\"0\"],\"AAVE in Safety Module.\"],\"JOqFba\":[\"Unstaking \",[\"symbol\"]],\"JPrLjO\":\"You can not use this currency as collateral\",\"JU6q+W\":\"Reward(s) to claim\",\"JYKRJS\":\"Stake\",\"JZMxX0\":\"Not enough balance on your wallet\",\"Jgflkm\":\"Get GHO\",\"JoMQnI\":\"Wallet balance\",\"JtwD8u\":\"Borrow balance after repay\",\"JumYTK\":\"Supplied assets\",\"K05qZY\":\"Withdraw & Switch\",\"KAz/NV\":\"Protocol debt ceiling is at 100% for this asset. Further borrowing against this asset is unavailable.\",\"KLXVqE\":[\"stETH tokens will be migrated to Wrapped stETH using Lido Protocol wrapper which leads to supply balance change after migration: \",[\"0\"]],\"KLd6ky\":\"Use connected account\",\"KRpokz\":\"VIEW TX\",\"KSlpka\":\"This represents the threshold at which a borrow position will be considered undercollateralized and subject to liquidation for each collateral. For example, if a collateral has a liquidation threshold of 80%, it means that the position will be liquidated when the debt value is worth 80% of the collateral value.\",\"KYAjf3\":\"Isolated\",\"KZwRuD\":[[\"notifyText\"]],\"KkPgim\":\"Switching E-Mode\",\"KnN1Tu\":\"Expires\",\"KoOBI2\":\"Due to internal stETH mechanics required for rebasing support, it is not possible to perform a collateral switch where stETH is the source token.\",\"KojyJ4\":\"Wrong Network\",\"KsqhWn\":\"Staking\",\"KuBTQq\":\"Enter ETH address\",\"KvG1xW\":\"Claiming\",\"L+8Lzs\":\"Current LTV\",\"L+qiq+\":\"Market\",\"LDzfVJ\":\"Send Feedback\",\"LIrMcF\":\"No voting power\",\"LL0zks\":\"Can be collateral\",\"LLdJWu\":\"Claimable AAVE\",\"LSIpNK\":\"Borrow and repay in same block is not allowed\",\"LVt3TI\":[\"<0>Slippage tolerance <1>\",[\"selectedSlippage\"],\"% <2>\",[\"0\"],\"\"],\"LjafV8\":\"Maximum collateral amount to use\",\"LtpQew\":\"Let us know how we can make the app better for you. For user support related inquiries please reach out on\",\"LvVpD/\":\"Emode\",\"M2sknc\":\"Tip: Try increasing slippage or reduce input amount\",\"M7wPsD\":\"Switch\",\"MFu33y\":\"Staking 00\",\"MIy2RJ\":\"Maximum amount received\",\"MZ/nQf\":\"Recipient address\",\"Ma/MtY\":\"staking view\",\"McHlGl\":\"APY change\",\"MeCCA+\":\"APY, variable\",\"MghdTe\":\"If the health factor goes below 1, the liquidation of your collateral might be triggered.\",\"Mm/DVQ\":\"You cancelled the transaction.\",\"MnE2QX\":\"Borrow info\",\"MrmQHg\":\"View Bridge Transactions\",\"MuDFEQ\":\"Invalid return value of the flashloan executor function\",\"N5kUMV\":\"Asset can be only used as collateral in isolation mode with limited borrowing power. To enter isolation mode, disable all other collateral.\",\"N6Pxr9\":\"View all\",\"NF0e1Q\":\"Pending...\",\"NK9ikO\":\"Wallet Balance\",\"NMt2CB\":\"Amount claimable\",\"NcFGxG\":\"Collector Contract\",\"NfpPeS\":\"Nothing staked\",\"Nh9DAo\":[[\"m\"],\"m\"],\"O+sCUU\":\"Unbacked mint cap is exceeded\",\"O+tyU+\":[\"Maximum amount available to borrow against this asset is limited because debt ceiling is at \",[\"0\"],\"%.\"],\"O3oNi5\":\"Email\",\"OFjZGo\":\"Unstake\",\"OR8cYX\":\"Proposal overview\",\"OYuJ9K\":\"Protocol debt ceiling is at 100% for this asset. Futher borrowing against this asset is unavailable.\",\"OfhWJH\":\"Reset\",\"Og2SKn\":\"disabled\",\"On0aF2\":\"Website\",\"OsyKSt\":\"Withdraw\",\"P1dURE\":\"Revoke power\",\"P2WCD/\":[\"Underlying asset does not exist in \",[\"marketName\"],\" v3 Market, hence this position cannot be migrated.\"],\"P2sL6B\":\"When a liquidation occurs, liquidators repay up to 50% of the outstanding borrowed amount on behalf of the borrower. In return, they can buy the collateral at a discount and keep the difference (liquidation penalty) as a bonus.\",\"P6sRoL\":\"Stake ABPT\",\"P72/OW\":\"The weighted average of APY for all borrowed assets, including incentives.\",\"P7e6Ug\":\"Please connect your wallet to view transaction history.\",\"PByO0X\":\"Votes\",\"PI+kVe\":\"Disable fork\",\"PJK9u/\":\"Borrow apy\",\"PLUB/s\":\"Fee\",\"PP5ZA8\":[\"Participating in staking \",[\"symbol\"],\" gives annualized rewards. Your wallet balance is the sum of your aTokens and underlying assets. The breakdown to stake is below\"],\"PcBUgb\":\"Liquidation threshold\",\"PjU6bu\":\"This asset is eligible for SPK incentive program. Aave Labs does not guarantee the program and accepts no liability.\",\"PpqD5g\":\"Enabling this asset as collateral increases your borrowing power and Health Factor. However, it can get liquidated if your health factor drops below 1.\",\"PsOFSf\":\"This action will reduce V2 health factor below liquidation threshold. retain collateral or migrate borrow position to continue.\",\"Pu4bI/\":[[\"currentMethod\"]],\"Q0LzKi\":\"View TX\",\"Q4eNqa\":\"The Aave Balancer Pool Token (ABPT) is a liquidity pool token. You can receive ABPT by depositing a combination of AAVE + wstETH in the Balancer liquidity pool. You can then stake your BPT in the Safety Module to secure the protocol and earn Safety Incentives.\",\"QQYsQ7\":\"Withdrawing\",\"QWYCs/\":\"Stake GHO\",\"R+30X3\":\"Not reached\",\"RCU5PY\":\"Age\",\"RIfckG\":[\"Disable \",[\"symbol\"],\" as collateral\"],\"RMtxNk\":\"Differential\",\"RNK49r\":\"Invalid signature\",\"RS0o7b\":\"State\",\"RU+LqV\":\"Proposal details\",\"RYTgZX\":\"lorem ipsum\",\"RbXH+k\":\"AAVE, GHO, and ABPT holders (Ethereum network only) can stake their assets in the Safety Module to add more security to the protocol and earn Safety Incentives. In the case of a shortfall event, your stake can be slashed to cover the deficit, providing an additional layer of protection for the protocol.\",\"RiSYV4\":\"Asset is not listed\",\"Rj01Fz\":\"Links\",\"RmWFEe\":\"Staking APR\",\"RoafuO\":\"Send feedback\",\"RtBLm7\":\"Health factor is lesser than the liquidation threshold\",\"RxzN1M\":\"Enabled\",\"SDav7h\":\"Funds in the Safety Module\",\"SENccp\":\"If the error continues to happen,<0/> you may report it to this\",\"SIWumd\":\"Show Frozen or paused assets\",\"SM58dD\":\"Amount in cooldown\",\"SSMiac\":\"Failed to load proposal voters. Please refresh the page.\",\"SSQVIz\":\"Liquidation Threshold\",\"SUb8x0\":\"Total available\",\"SWIgh4\":\"Fees exceed wallet balance\",\"SY9hVo\":\"Read-only mode allows to see address positions in Aave, but you won't be able to perform transactions.\",\"SZRUQ4\":\"Max slippage\",\"Sa1UE/\":\"Protocol borrow cap is at 100% for this asset. Further borrowing unavailable.\",\"Sk2zW9\":\"Disabling E-Mode\",\"SxaD0o\":\"Pool addresses provider is not registered\",\"T/AIqG\":\"Protocol supply cap at 100% for this asset. Further supply unavailable.\",\"T0xCO9\":\"Can't validate the wallet address. Try again.\",\"T4OhVl\":\"GHO balance\",\"T6uYU2\":\"Borrow\",\"TFxQlw\":\"Liquidation penalty\",\"TQ7WsV\":\"Available to stake\",\"TUI7iB\":\"Asset can only be used as collateral in isolation mode only.\",\"TbjyhA\":\"Docs\",\"TduuS0\":\"User does not have outstanding stable rate debt on this reserve\",\"TeCFg/\":\"Borrow rate change\",\"Tg1JyO\":\"Bridge history\",\"TskbEN\":\"Holders of stkAAVE receive a discount on the GHO borrowing rate\",\"TszKts\":\"Borrow balance after switch\",\"TtZL6q\":\"Discount model parameters\",\"TwJI9F\":\"Asset has been successfully sent to CCIP contract. You can check the status of the transactions below\",\"Tz0GSZ\":\"blocked activities\",\"U/eBjN\":\"Reload the page\",\"U2r8nY\":\"Choose how much voting/proposition power to give to someone else by delegating some of your AAVE, stkAAVE or aAave balance. Your tokens will remain in your account, but your delegate will be able to vote or propose on your behalf. If your AAVE, stkAAVE or aAave balance changes, your delegate's voting/proposition power will be automatically adjusted.\",\"U8IubP\":\"The app is running in testnet mode. Learn how it works in\",\"U9btTk\":\"Asset is not borrowable in isolation mode\",\"UAOZRe\":\"Price impact is the spread between the total value of the entry tokens switched and the destination tokens obtained (in USD), which results from the limited liquidity of the trading pair.\",\"UE3KJZ\":\"Transaction history is not currently available for this market\",\"URmyfc\":\"Details\",\"UTTKmT\":\"Stake cooldown activated\",\"UXeR72\":\"These funds have been borrowed and are not available for withdrawal at this time.\",\"UYb8CM\":\"Learn more about the SPK rewards\",\"UbRrG0\":\"The Maximum LTV ratio represents the maximum borrowing power of a specific collateral. For example, if a collateral has an LTV of 75%, the user can borrow up to 0.75 worth of ETH in the principal currency for every 1 ETH worth of collateral.\",\"UpndFj\":\"No rewards to claim\",\"V0f2Xv\":\"Reserve factor\",\"V1HK43\":\"Migration risks\",\"VATFH9\":\"Covered debt\",\"VHOVEJ\":\"Connect wallet\",\"VMfYUK\":\"Safety of your deposited collateral against the borrowed assets and its underlying value.\",\"VOAZJh\":\"Total borrows\",\"ViKYxK\":\"YAE\",\"W1SSoD\":\"Review tx details\",\"W5hVah\":\"Nothing supplied yet\",\"W5kTFy\":\"Voting\",\"W8ekPc\":\"Back to Dashboard\",\"WMPbRK\":\"Unbacked\",\"WNGZwH\":\"E-Mode increases your LTV for a selected category of assets up to<0/>. <1>Learn more\",\"WPWG/y\":\"Reserve status & configuration\",\"WZLQSU\":\"User cannot withdraw more than the available balance\",\"WaZyaV\":\"<0>Ampleforth is a rebasing asset. Visit the <1>documentation to learn more.\",\"WfU+XN\":\"Because this asset is paused, no actions can be taken until further notice\",\"Wjmqs2\":\"No results found. You can import a custom token with a contract address\",\"WkZ6C6\":\"To borrow you need to supply any asset to be used as collateral.\",\"WyMiQm\":\"You've successfully switched tokens.\",\"X/ITG9\":\"Copy error text\",\"X3Pp6x\":\"Used as collateral\",\"X4Zt7j\":\"Action cannot be performed because the reserve is paused\",\"XBdKOj\":\"Representative smart contract wallet (ie. Safe) addresses on other chains.\",\"XZzneG\":\"You will exit isolation mode and other tokens can now be used as collateral\",\"Xg5y9S\":\"Amount to Bridge\",\"Xn4hUi\":\"Please always be aware of your <0>Health Factor (HF) when partially migrating a position and that your rates will be updated to V3 rates.\",\"Xy71ST\":\"Umbrella\",\"Y5kGkc\":\"VOTE NAY\",\"YDIOks\":\"Enabling E-Mode\",\"YSodyW\":\"This action will reduce your health factor. Please be mindful of the increased risk of collateral liquidation.\",\"YXOWXM\":\"The total amount bridged minus CCIP fees. Paying in network token does not impact gho amount.\",\"YirHq7\":\"Feedback\",\"YogbCJ\":\"Testnet mode is ON\",\"YrDxdO\":\"If your loan to value goes above the liquidation threshold your collateral supplied may be liquidated.\",\"YyIM65\":\"Interest rate rebalance conditions were not met\",\"YyydIq\":[\"Add \",[\"0\"],\" to wallet to track your balance.\"],\"ZBvhI+\":\"Aave Governance\",\"ZIIRAd\":\"Raw-Ipfs\",\"ZRq4tX\":\"Efficiency mode (E-Mode)\",\"ZSqEW+\":\"Manage E-Mode\",\"ZUFYFE\":\"Disable testnet\",\"Zbyywy\":\"Max slashing\",\"ZfUGFb\":\"Before supplying\",\"ZiXN+B\":\"Assets to stake\",\"ZlsSDH\":\"Liquidation value\",\"ZrEc8j\":\"We couldn't find any assets related to your search. Try again with a different asset name, symbol, or address.\",\"ZsLF7e\":\"enabled\",\"a0YQoQ\":\"Enter a valid address\",\"a2fBZn\":\"Time left to unstake\",\"a5RYZd\":\"Disabling this asset as collateral affects your borrowing power and Health Factor.\",\"a7u1N9\":\"Price\",\"a9D+6D\":\"Unstaked\",\"aEtiwq\":\"Vote NAY\",\"aMmFE1\":\"Buy Crypto With Fiat\",\"aOKIms\":\"Array parameters that should be equal length are not\",\"aX31hk\":\"Your balance is lower than the selected amount.\",\"adUsDd\":\"An error has occurred fetching the proposal.\",\"al6Pyz\":\"Exceeds the discount\",\"aoXTT7\":\"Borrow APY, variable\",\"aqX1Yp\":\"This asset is eligible for rewards through SuperFest. Aave Labs does not guarantee the program and accepts no liability.\",\"avgETN\":\"Eligible for the Merit program.\",\"b4NS3e\":\"Cooldown period warning\",\"bNEQeI\":\"Cooldown\",\"bSruit\":\"ZKSync Ignite Program rewards are claimed through the\",\"bUUVED\":\"Asset\",\"bXQ/Og\":\"Share on twitter\",\"bXr0ee\":\"Isolated assets have limited borrowing power and other assets cannot be used as collateral.\",\"bYmAV1\":\"Addresses\",\"bguKoJ\":\"The requested amount is greater than the max loan size in stable rate mode\",\"bwSQI0\":\"Supply\",\"bxN6EM\":\"Cannot disable E-Mode\",\"bxmzSh\":\"Not enough collateral to repay this amount of debt with\",\"c91vuQ\":\"Address is not a contract\",\"c97os2\":\"Aave aToken\",\"c9b44w\":\"You can not withdraw this amount because it will cause collateral call\",\"cBc+4A\":\"This is the total amount available for you to borrow. You can borrow based on your collateral and until the borrow cap is reached.\",\"cIl5kp\":\"Your voting power is based on your AAVE/stkAAVE balance and received delegations.\",\"cLo09S\":\"Risk details\",\"cNT+ij\":\"Borrowing is unavailable because you’ve enabled Efficiency Mode (E-Mode) and Isolation mode. To manage E-Mode and Isolation mode visit your <0>Dashboard.\",\"cZOeBk\":\"Something went wrong fetching bridge message, please try again later.\",\"ceix5S\":\"To submit a proposal for minor changes to the protocol, you'll need at least 80.00K power. If you want to change the core code base, you'll need 320k power.<0>Learn more.\",\"ciybUa\":\"Vote YAE\",\"ckf7gX\":[\"Repaying \",[\"symbol\"]],\"cp1ZDP\":[\"Bridge \",[\"symbol\"]],\"cqnmnD\":\"Effective interest rate\",\"cqwIvs\":\"Forum discussion\",\"csDS2L\":\"Available\",\"cu7Stb\":\"You did not participate in this proposal\",\"dE6BLF\":\"Governance\",\"dEgA5A\":\"Cancel\",\"dIsyWh\":\"Ltv validation failed\",\"dMtLDE\":\"to\",\"dOB5nW\":[\"Maximum amount available to supply is <0/> \",[\"0\"],\" (<1/>).\"],\"dVfODp\":\"You don’t have enough funds in your wallet to repay the full amount. If you proceed to repay with your current amount of funds, you will still have a small borrowing position in your dashboard.\",\"dXUQFX\":\"Assets to borrow\",\"dgr1aY\":\"Borrowing is disabled due to an Aave community decision. <0>More details\",\"djsg0o\":\"Collateral usage\",\"dpc0qG\":\"Variable\",\"drdV8R\":\"Liquidation\",\"dxW8cS\":\"Aave debt token\",\"e4V3oW\":\"Top 10 addresses\",\"eD8WX/\":\"Action requires an active reserve\",\"eJRJ04\":\"Amount to unstake\",\"eLh0cL\":\"Slippage is the difference between the quoted and received amounts from changing market conditions between the moment the transaction is submitted and its verification.\",\"ePK91l\":\"Edit\",\"eVpCmf\":\"Staking Rewards\",\"eVqvtf\":\"Bridge GHO\",\"eYdurp\":\"No transactions yet.\",\"ebLGGN\":\"Total borrowed\",\"ecqEvn\":\"The collateral balance is 0\",\"efdrrk\":\"Available on\",\"enruNF\":\"starts\",\"eqLYiD\":\"Unstake now\",\"euScGB\":\"APY with discount applied\",\"evw5ha\":\"Net worth\",\"ezcU16\":\"Get ABP Token\",\"f3W0Ej\":[\"You switched to \",[\"0\"],\" rate\"],\"fH9i8k\":\"You've successfully switched borrow position.\",\"fHcELk\":\"Net APR\",\"fMJQZK\":\"Borrowed\",\"fZ5Vnu\":\"Received\",\"firl9Q\":\"Your current loan to value based on your collateral supplied.\",\"flRCF/\":\"Staking discount\",\"fldjW9\":\"Preview tx and migrate\",\"fsBGk0\":\"Balance\",\"fu1Dbh\":[\"Withdraw \",[\"symbol\"]],\"fwjWSI\":\"Supplied\",\"fwyTMb\":\"Migrate to stkABPT v2\",\"g0mals\":\"You can not disable E-Mode because that could cause liquidation. To exit E-Mode supply or repay borrowed positions.\",\"g2UNkE\":\"Powered by\",\"g8KGoA\":\"FAQS\",\"g9zzqS\":\"Voted NAY\",\"gDd2gk\":\"about SuperFest.\",\"gFFh9h\":\"All done!\",\"gIMJlW\":\"Testnet mode\",\"gOzPxe\":\"This asset is frozen due to an Aave Protocol Governance decision. <0>More details\",\"gTHi2T\":\"User is trying to borrow multiple assets including a siloed one\",\"gVW59Y\":\"Please connect your wallet to get free testnet assets.\",\"gcFNxP\":\"Approve Confirmed\",\"gncRUO\":\"This address is blocked on app.aave.com because it is associated with one or more\",\"goff7V\":\"Zero address not valid\",\"gp+f1B\":\"Version 3\",\"gr8mYw\":\"You may borrow up to <0/> GHO at <1/> (max discount)\",\"gvTM4B\":\"Net APY is the combined effect of all supply and borrow positions on net worth, including incentives. It is possible to have a negative net APY if debt APY is higher than supply APY.\",\"gzcch9\":\"Invalid bridge protocol fee\",\"h33MxW\":\"Representing smart contract wallet (ie. Safe) addresses on other chains.\",\"h3ilK+\":\".CSV\",\"hB23LY\":\"Activate Cooldown\",\"hIJzBh\":\"Available to Claim\",\"hIS4N0\":\"Net APY\",\"hRWvpI\":\"Claimed\",\"hdmy/o\":\"The % of your total borrowing power used. This is based on the amount of your collateral supplied and the total amount that you can borrow.\",\"hehnjM\":\"Amount\",\"hjDCQr\":\"There was some error. Please try changing the parameters or <0><1>copy the error\",\"hom7qf\":\"Claim\",\"hpHJ4I\":\"Liquidated collateral\",\"hpuVIp\":\"Users who stake AAVE in Safety Module (i.e. stkAAVE holders) receive a discount on GHO borrow interest rate.\",\"huQ6Tz\":[\"Borrowing \",[\"symbol\"]],\"hxi7vE\":\"Borrow balance\",\"i/fZ2Z\":\"Staked Balance\",\"i2JTiw\":\"You may enter a custom amount in the field.\",\"iB5+/J\":\"About GHO\",\"iChbOF\":\"Inconsistent flashloan parameters\",\"iEPVHF\":\"Not enough voting power to participate in this proposal\",\"iEW87X\":\"Delegated power\",\"iEju36\":[\"You voted \",[\"0\"]],\"iFq2YN\":\"Borrowable\",\"iGxyIA\":\"Safety Module\",\"iMVZk9\":\"Select slippage tolerance\",\"iPMIoT\":\"Enter an amount\",\"iSLIjg\":\"Connect\",\"iUo5rv\":\"tokens is not the same as staking them. If you wish to stake your\",\"iZxa38\":\"Use it to vote for or against active proposals.\",\"if5PH+\":\"Collector Info\",\"igkfR1\":[\"In Isolation mode, you cannot supply other assets as collateral. A global debt ceiling limits the borrowing power of the isolated asset. To exit isolation mode disable \",[\"0\"],\" as collateral before borrowing another asset. Read more in our <0>FAQ\"],\"il0sEG\":\"Collateral usage is limited because of Isolation mode.\",\"j+K1Xj\":\"Amount After Fee\",\"jA2QeW\":\"Supplying your\",\"jFi7dz\":\"Interest rate that is determined by Aave Governance. This rate may be changed over time depending on the need for the GHO supply to contract/expand. <0>Learn more\",\"jG3UJ7\":\"Disable E-Mode\",\"jKYzR1\":\"Enable E-Mode\",\"jMam5g\":[[\"0\"],\" Balance\"],\"jSYv+Z\":\"Enabling E-Mode allows you to maximize your borrowing power, however, borrowing is restricted to assets within the selected category. <0>Learn more about how it works and the applied restrictions.\",\"jaKbwW\":[[\"s\"],\"s\"],\"jbFMap\":\"Cooldown time left\",\"jeMZNr\":[[\"0\"],\" on-ramp service is provided by External Provider and by selecting you agree to Terms of the Provider. Your access to the service might be reliant on the External Provider being operational.\"],\"jfl9OP\":\"Migrated\",\"jmXdoY\":\"In E-Mode some assets are not borrowable. Exit E-Mode to get access to all assets\",\"jpctdh\":\"View\",\"jqzUyM\":\"Unavailable\",\"k/sb6z\":\"Select language\",\"k3wP3f\":\"<0>Attention: Parameter changes via governance can alter your account health factor and risk of liquidation. Follow the <1>Aave governance forum for updates.\",\"kACpF3\":[\"Claim \",[\"0\"]],\"kH6wUX\":\"Price impact\",\"kIC28N\":\"Available to claim\",\"kIpSye\":[[\"numSelected\"],\"/\",[\"numAvailable\"],\" assets selected\"],\"kN1Yg5\":\"To repay on behalf of a user an explicit amount to repay is needed\",\"kRTD40\":[\"Repayment amount to reach \",[\"0\"],\"% utilization\"],\"kjN9tT\":\"Supply cap is exceeded\",\"knxE+G\":\".JSON\",\"ks2LWT\":\"Debt ceiling is not zero\",\"kwwn6i\":\"Users who stake AAVE in Safety Module (i.e. stkAAVE holders) receive a discount on GHO borrow interest rate. The discount applies to 100 GHO for every 1 stkAAVE held. Use the calculator below to see GHO borrow rate with the discount applied.\",\"kz3wtK\":\"and about SPK program\",\"kzZyM4\":\"DAI balance will be converted via DSR contracts and then supplied as sDAI. Switching incurs no additional costs and no slippage.\",\"lNVG7i\":\"Select an asset\",\"lU2d1/\":[\"Asset cannot be migrated due to insufficient liquidity or borrow cap limitation in \",[\"marketName\"],\" v3 market.\"],\"lVhKKI\":\"Voted YAE\",\"lWLqxB\":\"We couldn't find any transactions related to your search. Try again with a different asset name, or reset filters.\",\"lYGfRP\":\"English\",\"lfEjIE\":\"Learn more in our <0>FAQ guide\",\"lt6bpt\":\"Collateral to repay with\",\"m/IEhi\":\"Total emission per day\",\"m7r7Hh\":\"Selected borrow assets\",\"mDDK4p\":\"Balancer Pool\",\"mIM0qu\":\"Expected amount to repay\",\"mUAFd6\":\"Version 2\",\"masO5Z\":\"E-Mode increases your LTV for a selected category of assets. <0>Learn more\",\"mdNjKU\":[\"Your \",[\"name\"],\" wallet is empty. Purchase or transfer assets or use <0>\",[\"0\"],\" to transfer your \",[\"network\"],\" assets.\"],\"muiOng\":[\"Buy \",[\"cryptoSymbol\"],\" with Fiat\"],\"mvCXBY\":\"Stake AAVE\",\"mwdzil\":\"Ok, Close\",\"mzI/c+\":\"Download\",\"mzdIia\":\"Asset cannot be used as collateral.\",\"n+SX4g\":\"Developers\",\"n8Psk4\":\"We couldn’t detect a wallet. Connect a wallet to stake and view your balance.\",\"nJIhzm\":\"Supply apy\",\"nJgsQu\":\"With a voting power of <0/>\",\"nLC6tu\":\"French\",\"nN2T8p\":\"During the cooldown period, you will not earn any merit rewards. However, rewards earned up to this point will remain unaffected.\",\"nNHV0z\":\"Migrating multiple collaterals and borrowed assets at the same time can be an expensive operation and might fail in certain situations.<0>Therefore it’s not recommended to migrate positions with more than 5 assets (deposited + borrowed) at the same time.\",\"nNbnzu\":\"Proposition\",\"nOy4ob\":\"We suggest you go back to the Dashboard.\",\"nPGNMh\":\"Can be executed\",\"nUK1ou\":[\"Assets with zero LTV (\",[\"0\"],\") must be withdrawn or disabled as collateral to perform this action\"],\"nakd8r\":\"stkAAVE holders get a discount on GHO borrow rate\",\"nh2EJK\":[\"Please switch to \",[\"networkName\"],\".\"],\"njBeMm\":\"Both\",\"noN5Xf\":\"We couldn’t detect a wallet. Connect a wallet to view your staking positions and rewards.\",\"ntkAoE\":\"Discount applied for <0/> staking AAVE\",\"ntyFSE\":[[\"h\"],\"h\"],\"nwtY4N\":\"Something went wrong\",\"nxyWvj\":\"Withdrawing this amount will reduce your health factor and increase risk of liquidation.\",\"o17QVP\":\"Your health factor and loan to value determine the assurance of your collateral. To avoid liquidations you can supply more collateral or repay borrow positions.\",\"o1xc2V\":\"AToken supply is not zero\",\"o4tCu3\":\"Borrow APY\",\"o5ooMr\":\"Debt\",\"o7J4JM\":\"Filter\",\"oHFrpj\":\"Cooldown to unstake\",\"oJ5ZiG\":\"User does not have outstanding variable rate debt on this reserve\",\"oRBGin\":\"Please connect your wallet to be able to switch your tokens.\",\"oUwXhx\":\"Test Assets\",\"oWklJD\":\"Stable interest rate will <0>stay the same for the duration of your loan. Recommended for long-term loan periods and for users who prefer predictability.\",\"odnIK3\":\"Time remaining until the 48 hour withdraw period starts.\",\"oiK5nY\":\"The current incentives period, decided on by the Aave community, has ended. Governance is in the process on renewing, check for updates. <0>Learn more.\",\"olREoo\":\"All borrow positions outside of this category must be closed to enable this category.\",\"om/XHs\":\"Available to supply\",\"ov0+mq\":\"Eligible for the ZKSync Ignite program.\",\"ovT1pF\":[\"Per the community, the \",[\"market\"],\" has been frozen.\"],\"ow3fug\":\"Nothing found\",\"owSsI3\":\"Signatures ready\",\"p+R52m\":\"Go to Balancer Pool\",\"p2A+s1\":[\"The cooldown period is \",[\"0\"],\". After \",[\"1\"],\" of cooldown, you will enter unstake window of \",[\"2\"],\". You will continue receiving rewards during cooldown and unstake window.\"],\"p2S64u\":\"The loan to value of the migrated positions would cause liquidation. Increase migrated collateral or reduce migrated borrow to continue.\",\"p2Z2Qi\":\"This asset has reached its borrow cap. Nothing is available to be borrowed from this market.\",\"p3j+mb\":\"Your reward balance is 0\",\"p45alK\":\"Set up delegation\",\"p6u2s1\":\"Minimum amount of debt to be repaid\",\"pDgeaz\":[[\"title\"]],\"pdZqBk\":\"The underlying balance needs to be greater than 0\",\"pgWG9H\":\"Not enough staked balance\",\"piPrJ7\":\"please check that the amount you want to supply is not currently being used for staking. If it is being used for staking, your transaction might fail.\",\"pjO/iH\":\"Minimum amount received\",\"pooutM\":\"Voting is on\",\"pqaM5s\":\"Confirming transaction\",\"ptaxX3\":[\"I understand how cooldown (\",[\"0\"],\") and unstaking (\",[\"1\"],\") work\"],\"py2iiY\":\"The caller of this function must be a pool\",\"q/51mF\":\"Migrate to V3\",\"q3df11\":\"Interest rate strategy\",\"q6lAbz\":\"Staked\",\"qB4kPi\":\"Supply APY\",\"qENI8q\":\"Global settings\",\"qGz5zl\":\"Collateral balance after repay\",\"qOqbD6\":\"copy the error\",\"qXCkEM\":\"Please connect your wallet to see your supplies, borrowings, and open positions.\",\"qY2jnw\":\"Invalid expiration\",\"qf/fr+\":\"Interest accrued\",\"quYPUU\":\"Variable interest rate will <0>fluctuate based on the market conditions.\",\"quzIeW\":\"User is in isolation mode or LTV is zero\",\"qvnz3q\":\"Invalid amount to burn\",\"rHgdb0\":\"Migrate to Aave V3\",\"rOrHHe\":\"Amount must be greater than 0\",\"rQ+R+0\":\"Selected supply assets\",\"rSayea\":\"APY\",\"rTBDeu\":[\"Asset cannot be migrated because you have isolated collateral in \",[\"marketName\"],\" v3 Market which limits borrowable assets. You can manage your collateral in <0>\",[\"marketName\"],\" V3 Dashboard\"],\"rcT+yy\":\"Show assets with 0 balance\",\"rf8POi\":\"Borrowed asset amount\",\"riNWOA\":\"E-Mode\",\"rjGI/Q\":\"Privacy\",\"rnKPW1\":\"Watch a wallet balance in read-only mode\",\"ruc7X+\":\"Add stkAAVE to see borrow APY with the discount\",\"rvbaFU\":[\"Bridging \",[\"symbol\"]],\"rwVVB7\":\"Claim all rewards\",\"rwyUva\":\"These assets are temporarily frozen or paused by Aave community decisions, meaning that further supply / borrow, or rate swap of these assets are unavailable. Withdrawals and debt repayments are allowed. Follow the <0>Aave governance forum for further updates.\",\"rxJW5W\":\"Your proposition power is based on your AAVE/stkAAVE balance and received delegations.\",\"s2jJnW\":\"You don't have any bridge transactions\",\"s5wBAq\":[\"Unstake \",[\"symbol\"]],\"sJbIdI\":\"Enter ETH address or ENS\",\"sK+Nag\":\"Review tx\",\"sP2+gB\":\"NAY\",\"sQv06Y\":\"for\",\"sTtO6J\":\"Confirm transaction\",\"sXKb3l\":\"Exchange rate\",\"sb0q4+\":\"You unstake here\",\"smJNwH\":\"Available to borrow\",\"solypO\":\"Health factor is not below the threshold\",\"sr0UJD\":\"Go Back\",\"ss5GCK\":\"The address of the pool addresses provider is invalid\",\"swEgK4\":\"Your voting info\",\"t+wtgf\":\"Nothing borrowed yet\",\"t/YqKh\":\"Remove\",\"t81DpC\":[\"Approve \",[\"symbol\"],\" to continue\"],\"tCnbEs\":\"Oracle price\",\"tFZLf8\":\"This gas calculation is only an estimation. Your wallet will set the price of the transaction. You can modify the gas settings directly from your wallet provider.\",\"tHuvQI\":\"Go to V3 Dashboard\",\"tKv7cI\":\"Switch borrow position\",\"tOcg3N\":\"Since this asset is frozen, the only available actions are withdraw and repay which can be accessed from the <0>Dashboard\",\"tOuXfv\":[\"Borrow amount to reach \",[\"0\"],\"% utilization\"],\"te9Bfl\":\"Please, connect your wallet\",\"tt5yma\":\"Your supplies\",\"ttoh5c\":\"Switch to\",\"u3ZeYl\":\"Transaction failed\",\"u706uF\":\"Invalid flashloan premium\",\"u8Gfu7\":[\"No search results\",[\"0\"]],\"uAQUqI\":\"Status\",\"uHMwk8\":\"No assets selected to migrate.\",\"uJPHuY\":\"Migrating\",\"uY8O30\":\"To continue, you need to grant Aave smart contracts permission to move your funds from your wallet. Depending on the asset and wallet you use, it is done by signing the permission message (gas free), or by submitting an approval transaction (requires gas). <0>Learn more\",\"udFheE\":\"For repayment of a specific type of debt, the user needs to have debt that type\",\"ulNuNq\":\"Export data to\",\"ulup2p\":\"Buy Crypto with Fiat\",\"umICAY\":\"<0><1><2/>Add stkAAVE to see borrow rate with discount\",\"usB84Z\":\"Maximum amount available to borrow is limited because protocol borrow cap is nearly reached.\",\"uwAUvj\":\"COPY IMAGE\",\"v8x7Mg\":\"Insufficient collateral to cover new borrow position. Wallet must have borrowing power remaining to perform debt switch.\",\"vEqxH9\":\"Restaked\",\"vLyv1R\":\"Hide\",\"vMba49\":\"Borrowing is not enabled\",\"vMpNwt\":\"Approve with\",\"vXIe7J\":\"Language\",\"vesuBJ\":\"Allows you to decide whether to use a supplied asset as collateral. An asset used as collateral will affect your borrowing power and health factor.\",\"w+V9Cx\":\"Stablecoin\",\"w/JtJ3\":\"Stable debt supply is not zero\",\"w4VBY+\":\"Rewards APR\",\"w9dLMW\":[[\"label\"]],\"wAOL+X\":[\"You \",[\"action\"],\" <0/> \",[\"symbol\"]],\"wBIsjb\":\"Discord channel\",\"wQZbc/\":\"The caller of the function is not an AToken\",\"wRRqvW\":\"You do not have supplies in this currency\",\"wZFvVU\":\"VOTE YAE\",\"wb/r1O\":[\"Faucet \",[\"0\"]],\"wdxz7K\":\"Source\",\"weH1nG\":\"The Aave Protocol is programmed to always use the price of 1 GHO = $1. This is different from using market pricing via oracles for other crypto assets. This creates stabilizing arbitrage opportunities when the price of GHO fluctuates.\",\"wh7Ezv\":\"You have no AAVE/stkAAVE/aAave balance to delegate.\",\"wlsIx7\":\"With testnet Faucet you can get free assets to test the Aave Protocol. Make sure to switch your wallet provider to the appropriate testnet network, select desired asset, and click ‘Faucet’ to get tokens transferred to your wallet. The assets on a testnet are not “real,” meaning they have no monetary value. <0>Learn more\",\"wmE285\":\"Get ABP v2 Token\",\"wyRrcJ\":\"As a result of governance decisions, this ABPT staking pool is now deprecated. You have the flexibility to either migrate all of your tokens to v2 or unstake them without any cooldown period.\",\"x5KiLL\":\"Selected assets have successfully migrated. Visit the Market Dashboard to see them.\",\"x7F2p6\":\"Current differential\",\"x7K5ib\":[\"Your \",[\"networkName\"],\" wallet is empty. Get free test \",[\"0\"],\" at\"],\"x9iLRD\":\"tokens, please go to the\",\"xNy/UG\":\"Repay with\",\"xPm8wv\":\"Learn more about risks involved\",\"xXYpZl\":[[\"0\"],\" Faucet\"],\"xaVBSS\":\"Your info\",\"xaWZ6f\":\"APY type change\",\"xh6k71\":\"Collateral usage is limited because of isolation mode.\",\"xvIklc\":\"Flashloan is disabled for this asset, hence this position cannot be migrated.\",\"y5rS9U\":\"Migrate\",\"y66tBm\":[\"Enable \",[\"symbol\"],\" as collateral\"],\"yB1YpA\":\"Dark mode\",\"yCrG6m\":\"Total market size\",\"yJUUbn\":\"Transaction overview\",\"yLGmLX\":[\"Restake \",[\"symbol\"]],\"yW1oWB\":\"APY type\",\"yYHqJe\":\"Not a valid address\",\"yZwLw6\":\"Track wallet\",\"yh2sjd\":[\"Price impact \",[\"0\"],\"%\"],\"yhvj6d\":\"You can not switch usage as collateral mode for this currency, because it will cause collateral call\",\"ylmtBZ\":\"The app is running in fork mode.\",\"ymNY32\":[\"There are not enough funds in the\",[\"0\"],\"reserve to borrow\"],\"yz7wBu\":\"Close\",\"z4uGQg\":\"Debt ceiling is exceeded\",\"z5UQOM\":\"The collateral chosen cannot be liquidated\",\"z5Y+p6\":[\"Supplying \",[\"symbol\"]],\"zCjNKs\":\"Action cannot be performed because the reserve is frozen\",\"zRHytX\":\"Isolated Debt Ceiling\",\"zTOjMP\":\"Protocol supply cap is at 100% for this asset. Further supply unavailable.\",\"zVdRUG\":\"Submission did not work, please try again later or contact wecare@avara.xyz\",\"zevmS2\":\"<0><1><2/>Add <3/> stkAAVE to borrow at <4/> (max discount)\",\"zgtIDV\":\"Remaining debt\",\"zmTPiV\":\"Supply balance\",\"zpPbZl\":\"Liquidation risk parameters\",\"zucql+\":\"Menu\",\"zwWKhA\":\"Learn more\",\"zy9fXn\":[\"Asset is frozen in \",[\"marketName\"],\" v3 market, hence this position cannot be migrated.\"],\"zys+R6\":\"Be mindful of the network congestion and gas prices.\",\"zzzTXS\":\"Merit Program rewards are claimed through the\"}")}; \ No newline at end of file +/*eslint-disable*/module.exports={messages:JSON.parse("{\"+0xecS\":[\"If you DO NOT unstake within \",[\"0\"],\" of unstake window, you will need to activate cooldown process again.\"],\"+EGVI0\":\"Receive (est.)\",\"+VR63W\":[\"Participating in this \",[\"symbol\"],\" reserve gives annualized rewards.\"],\"+bmKdK\":\"Use your AAVE, stkAAVE, or aAave balance to delegate your voting and proposition powers. You will not be sending any tokens, only the rights to vote and propose changes to the protocol. You can re-delegate or revoke power to self at any time.\",\"+eOPG+\":\"Seems like we can't switch the network automatically. Please check if you can change it from the wallet.\",\"+i3Pd2\":\"Borrow cap\",\"+kLZGu\":\"Supplied asset amount\",\"+nuEh/\":\"Estimated time\",\"+xMFF8\":\"Remind me\",\"/57U31\":\"Amount to migrate\",\"/7ykiW\":\"Borrowing this amount will reduce your health factor and increase risk of liquidation.\",\"/YA5pU\":\"E-Mode increases your LTV for a selected category of assets, meaning that when E-mode is enabled, you will have higher borrowing power over assets of the same E-mode category which are defined by Aave Governance. You can enter E-Mode from your <0>Dashboard. To learn more about E-Mode and applied restrictionn, see the <1>help guide or the <2>Aave V3 Technical Paper.\",\"/izjs/\":\"Minimum staked Aave amount\",\"/jQctM\":\"To\",\"/lDBHm\":\"FAQ\",\"/yNlZf\":\"Stable borrowing is not enabled\",\"/yQcJM\":\"Total worth\",\"00AB2i\":\"User did not borrow the specified currency\",\"00OflG\":\"There is not enough liquidity for the target asset to perform the switch. Try lowering the amount.\",\"08/rZ9\":\"The cooldown period is the time required prior to unstaking your tokens (20 days). You can only withdraw your assets from the Security Module after the cooldown period and within the unstake window.<0>Learn more\",\"0AmQcW\":\"Rate change\",\"0BF3yK\":\"Sorry, we couldn't find the page you were looking for.\",\"0TAbjq\":\"Recent Transactions\",\"0jhlyw\":\"Liquidation risk\",\"0ojY+Y\":\"Current v2 Balance\",\"0thX3P\":\"Collateral change\",\"0wGCWc\":\"This is the total amount that you are able to supply to in this reserve. You are able to supply your wallet balance up until the supply cap is reached.\",\"1AsVfF\":\"Price data is not currently available for this reserve on the protocol subgraph\",\"1LjK22\":\"Transaction history\",\"1Onqx8\":[\"Approving \",[\"symbol\"],\"...\"],\"1Ue8sX\":\"Please connect a wallet to view your personal information here.\",\"1bpx9A\":\"...\",\"1kWUB+\":\"Liquidation <0/> threshold\",\"1m9Qqc\":\"Withdrawing and Switching\",\"1oyh4g\":\"Borrow rate\",\"1t7rez\":\"Asset supply is limited to a certain amount to reduce protocol exposure to the asset and to help manage risks involved.\",\"2CAPu2\":\"You've successfully withdrew & switched tokens.\",\"2Eoi/a\":\"View details\",\"2FYpfJ\":\"More\",\"2O3qp5\":\"Available liquidity\",\"2OM8/D\":[\"Asset cannot be migrated due to supply cap restriction in \",[\"marketName\"],\" v3 market.\"],\"2Q4GU4\":\"Blocked Address\",\"2ZGocC\":\"Aave is a fully decentralized, community governed protocol by the AAVE token-holders. AAVE token-holders collectively discuss, propose, and vote on upgrades to the protocol. AAVE token-holders (Ethereum network only) can either vote themselves on new proposals or delagate to an address of choice. To learn more check out the Governance\",\"2a6G7d\":\"Please enter a valid wallet address.\",\"2bAhR7\":\"Meet GHO\",\"2eBWE6\":\"I acknowledge the risks involved.\",\"2o/xRt\":\"Supply cap on target reserve reached. Try lowering the amount.\",\"2uJToh\":[[\"0\"],[\"name\"]],\"2x58bP\":\"Stable borrowing is enabled\",\"34Qfwy\":\"Borrow cap is exceeded\",\"39eQRj\":[\"Borrow \",[\"symbol\"]],\"3BL1xB\":\"Total supplied\",\"3BnIWi\":\"Switched\",\"3K0oMo\":\"Remaining supply\",\"3MoZhl\":\"There is not enough collateral to cover a new borrow\",\"3Np5O8\":[\"Supply \",[\"symbol\"]],\"3O8YTV\":\"Total interest accrued\",\"3mXg0z\":\"Max LTV\",\"3q3mFy\":\"Repay\",\"3qsjtp\":\"The weighted average of APY for all supplied assets, including incentives.\",\"3rL+os\":\"You can only withdraw your assets from the Security Module after the cooldown period ends and the unstake window is active.\",\"42UgDM\":[\"Migrate to \",[\"0\"],\" v3 Market\"],\"49UFQA\":\"Voting results\",\"4DMZUI\":\"View Transactions\",\"4HtGBb\":\"MAX\",\"4Y5H+g\":\"Terms\",\"4YYh4d\":\"Maximum available to borrow\",\"4iPAI3\":\"Minimum GHO borrow amount\",\"4lDFps\":\"Sign to continue\",\"4wyw8H\":\"Transactions\",\"5JSSxX\":[\"Your \",[\"networkName\"],\" wallet is empty. Get free test assets at\"],\"5K7kGO\":\"documentation\",\"5NOSGa\":\"Debt ceiling limits the amount possible to borrow against this asset by protocol users. Debt ceiling is specific to assets in isolation mode and is denoted in USD.\",\"5Ncc6j\":[\"This asset has almost reached its supply cap. There can only be \",[\"messageValue\"],\" supplied to this market.\"],\"5cZ/KX\":\"Variable debt supply is not zero\",\"5che++\":\"To request access for this permissioned market, please visit: <0>Acces Provider Name\",\"5ctNdV\":[\"Minimum \",[\"0\"],\" received\"],\"5hDe9v\":\"Allowance required action\",\"5rsnKT\":\"Available rewards\",\"5yC5m5\":\"View all votes\",\"6/dCYd\":\"Overview\",\"60crCe\":\"All transactions\",\"62Xcjh\":\"Collateral\",\"65A04M\":\"Spanish\",\"6G8s+q\":\"Signing\",\"6Jrv+z\":[\"Repay \",[\"symbol\"]],\"6NGLTR\":\"Discountable amount\",\"6Xr0UU\":\"Cooling down...\",\"6bxci/\":\"Voting power\",\"6f8S68\":\"Markets\",\"6g1gi0\":\"Proposals\",\"6gvoHP\":\"Copy error message\",\"6h3Q5G\":\"repaid\",\"6lFSyT\":\"Available to Stake\",\"6s8L6f\":\"Switch Network\",\"6yAAbq\":\"APY, borrow rate\",\"70wH1Q\":\"APR\",\"72c5Qo\":\"Total\",\"73Auuq\":\"Discount parameters are decided by the Aave community and may be changed over time. Check Governance for updates and vote to participate. <0>Learn more\",\"75qcAQ\":[[\"stepName\"]],\"7ITr5L\":\"Health factor\",\"7T/o5R\":\"Reached\",\"7YlcXu\":\"Fork mode is ON\",\"7Z76Iw\":\"Borrowing is unavailable because you’re using Isolation mode. To manage Isolation mode visit your <0>Dashboard.\",\"7aKlMS\":\"Share on Lens\",\"7er5fP\":\"Claim all\",\"7hb2+s\":\"Time remaining until the withdraw period ends.\",\"7l88b8\":\"Data couldn't be fetched, please reload graph.\",\"7p5kLi\":\"Dashboard\",\"7sofdl\":\"Withdraw and Switch\",\"8+6BI0\":\"Be careful - You are very close to liquidation. Consider depositing more collateral or paying down some of your borrowed positions\",\"87pUEW\":[\"Your \",[\"name\"],\" wallet is empty. Purchase or transfer assets.\"],\"8F1i42\":\"Page not found\",\"8G8M0u\":\"Loading data...\",\"8Iu1QS\":\"withdrew\",\"8JL93T\":\"All proposals\",\"8Q51DU\":\"Add to wallet\",\"8X/oyn\":\"Invalid amount to mint\",\"8Z5FPv\":\"Disconnect Wallet\",\"8Zz7s5\":\"assets\",\"8aLW8H\":\"Balance to revoke\",\"8bOT3H\":\"Utilization Rate\",\"8sLe4/\":\"View contract\",\"8t/M0y\":\"Please connect your wallet to be able to bridge your tokens.\",\"8vETh9\":\"Show\",\"94OHPx\":\"You are entering Isolation mode\",\"9CDK3/\":[\"Borrowing is currently unavailable for \",[\"0\"],\".\"],\"9GIj3z\":\"Reserve Size\",\"9Knqb4\":\"Staking balance\",\"9OBKm7\":\"Quorum\",\"9QHoGr\":\"Current votes\",\"9Rw96f\":[\"This asset has almost reached its borrow cap. There is only \",[\"messageValue\"],\" available to be borrowed from this market.\"],\"9Xj/qR\":[\"Some migrated assets will not be used as collateral due to enabled isolation mode in \",[\"marketName\"],\" V3 Market. Visit <0>\",[\"marketName\"],\" V3 Dashboard to manage isolation mode.\"],\"9c6vDV\":\"This asset has reached its supply cap. Nothing is available to be supplied from this market.\",\"9kTWHA\":\"MAI has been paused due to a community decision. Supply, borrows and repays are impacted. <0>More details\",\"9lXchd\":\"Underlying token\",\"9rWaKF\":\"Bridged Via CCIP\",\"9xSooW\":\"Since this is a test network, you can get any of the assets if you have ETH on your wallet\",\"A/lwoe\":\"Choose one of the on-ramp services\",\"A6dCI6\":[\"Maximum amount available to borrow is <0/> \",[\"0\"],\" (<1/>).\"],\"AReoaV\":\"Your borrows\",\"ARu1L4\":\"Repaid\",\"AV7cGz\":\"Review approval tx details\",\"AZOjB8\":\"Fetching data...\",\"Ai0jas\":\"Join the community discussion\",\"Ajl2rq\":\"Borrowing power and assets are limited due to Isolation mode.\",\"AqgYNC\":\"Protocol borrow cap at 100% for this asset. Further borrowing unavailable.\",\"B3EcQR\":\"Thank you for voting!!\",\"B6aXGH\":\"Stable\",\"B9Gqbz\":\"Variable rate\",\"BDFEd+\":\"stETH supplied as collateral will continue to accrue staking rewards provided by daily rebases.\",\"BE2mP0\":\"Borrowed assets\",\"BJyN77\":\"Due to health factor impact, a flashloan is required to perform this transaction, but Aave Governance has disabled flashloan availability for this asset. Try lowering the amount or supplying additional collateral.\",\"BNL4Ep\":\"Collateral usage is limited because of isolation mode. <0>Learn More\",\"BQ/wCO\":\"Migrate your assets\",\"BjLdl1\":\"At a discount\",\"BnhYo8\":\"Asset category\",\"Bq9Y7e\":\"This asset is frozen due to an Aave community decision. <0>More details\",\"BqWMDJ\":\"Faucet\",\"BqynZO\":\"Optimized for efficiency and risk by supporting blue-chip collateral assets\",\"Bsu7zX\":\"The fee includes the gas cost to complete the transaction on the destination chain and the fee paid to Chainlink CCIP service providers. You can chose to pay in the network token or GHO. <0>Learn more\",\"BwJKBw\":\"of\",\"CDrsH+\":\"Techpaper\",\"CK1KXz\":\"Max\",\"CMHmbm\":\"Slippage\",\"CZXzs4\":\"Greek\",\"CcRNG6\":\"Switching\",\"CkTRmy\":[\"Claim \",[\"symbol\"]],\"CsqtLm\":\"Please connect your wallet to see migration tool.\",\"CtGlFb\":[[\"networkName\"],\" Faucet\"],\"Cxt2YY\":\"Watch wallet\",\"D33VQU\":\"This action will reduce health factor of V3 below liquidation threshold. Increase migrated collateral or reduce migrated borrow to continue.\",\"D9BLRG\":\"This asset has been paused due to a community decision. Supply, withdraw, borrows and repays are impacted.\",\"DAma/S\":\"Collateral is (mostly) the same currency that is being borrowed\",\"DCnFg0\":[\"Addresses (\",[\"0\"],\")\"],\"DG3Lv1\":\"I fully understand the risks of migrating.\",\"DONJcV\":\"The underlying asset cannot be rescued\",\"DR+4uL\":\"Supply balance after switch\",\"DWjrck\":[\"Asset cannot be migrated to \",[\"marketName\"],\" V3 Market due to E-mode restrictions. You can disable or manage E-mode categories in your <0>V3 Dashboard\"],\"Dj+3wB\":\"Aave per month\",\"DptNvx\":\"Amount Staked\",\"DuEq2K\":\"Collateralization\",\"DxfsGs\":\"You can report incident to our <0>Discord or<1>Github.\",\"Dzma+E\":\"Main Ethereum market with the largest selection of assets and yield options\",\"E/QGRL\":\"Disabled\",\"EBL9Gz\":\"COPIED!\",\"ES8dkb\":\"Fixed rate\",\"EZd3Dk\":[\"Restaking \",[\"symbol\"]],\"Ebgc76\":[\"Withdrawing \",[\"symbol\"]],\"EdQY6l\":\"None\",\"EjvKQ+\":\"Minimum USD value received\",\"Enslfm\":\"Destination\",\"EvE9nO\":[\"Reactivate cooldown period to unstake \",[\"0\"],\" \",[\"stakedToken\"]],\"EvECnL\":\"Migrate to v3\",\"EzMQbh\":\"The source chain time to finality is the main factor that determines the time to destination. <0>Learn more\",\"F40cwT\":\"Legacy Markets\",\"F6TdXL\":\"Learn more.\",\"FDDPeZ\":\"Users can stake their assets in the protocol and earn incentives. In the case of a shortfall event, your stake can be slashed to cover the deficit, providing an additional layer of protection for the protocol.\",\"FHlMf/\":\"Current v2 balance\",\"FHpxjF\":[\"Reserve factor is a percentage of interest which goes to a \",[\"0\"],\" that is controlled by Aave governance to promote ecosystem growth.\"],\"FOBZa6\":\"Borrow power used\",\"FPKEug\":\"Operation not supported\",\"FbmMe7\":\"Linked addresses\",\"Fdp03t\":\"on\",\"Fjw9N+\":\"Assets to supply\",\"FmN0fk\":\"Restake\",\"GDGLIs\":\"GHO is a native decentralized, collateral-backed digital asset pegged to USD. It is created by users via borrowing against multiple collateral. When user repays their GHO borrow position, the protocol burns that user's GHO. All the interest payments accrued by minters of GHO would be directly transferred to the AaveDAO treasury.\",\"GQrBTq\":\"Switch E-Mode\",\"GWswcZ\":\"This asset is frozen due to an Aave Protocol Governance decision. On the 20th of December 2022, renFIL will no longer be supported and cannot be bridged back to its native network. It is recommended to withdraw supply positions and repay borrow positions so that renFIL can be bridged back to FIL before the deadline. After this date, it will no longer be possible to convert renFIL to FIL. <0>More details\",\"GX8GKD\":\"Assets\",\"GgEj+0\":\"Read-only mode. Connect to a wallet to perform transactions.\",\"GjkIKV\":\"ends\",\"GoK/QN\":\"Thank you for submitting feedback!\",\"GtP2hp\":[\"Borrowing is unavailable because you’ve enabled Efficiency Mode (E-Mode) for \",[\"0\"],\" category. To manage E-Mode categories visit your <0>Dashboard.\"],\"H6Ma8Z\":\"Discount\",\"HB/wfS\":[[\"tooltipText\"]],\"HKDsQN\":\"Rewards can be claimed through\",\"Ha/U5f\":\"This is a program initiated and implemented by the decentralised ZKSync community. Aave Labs does not guarantee the program and accepts no liability.\",\"HciqKU\":\"This is a program initiated and implemented by the decentralised Aave community. Aave Labs does not guarantee the program and accepts no liability.\",\"Hi6Ttn\":\"Sorry, an unexpected error happened. In the meantime you may try reloading the page, or come back later.\",\"HkEDbS\":[[\"d\"],\"d\"],\"HmkYqM\":\"Unstake window\",\"HpK/8d\":\"Reload\",\"HrnC47\":\"Save and share\",\"HuVZMK\":\"Days\",\"HvJKMU\":[\"Asset cannot be migrated to \",[\"marketName\"],\" v3 Market since collateral asset will enable isolation mode.\"],\"Hvwnm9\":[\"Maximum amount available to supply is limited because protocol supply cap is at \",[\"0\"],\"%.\"],\"I8CX2c\":\"The total amount of your assets denominated in USD that can be used as collateral for borrowing assets.\",\"IAD2SB\":[\"Claiming \",[\"symbol\"]],\"IG9X9/\":\"Borrowing of this asset is limited to a certain amount to minimize liquidity pool insolvency.\",\"IOIx8L\":\"This asset is planned to be offboarded due to an Aave Protocol Governance decision. <0>More details\",\"IP+I/j\":\"Cooldown period\",\"IaA40H\":\"Liquidation at\",\"J/hVSQ\":[[\"0\"]],\"JCoxL6\":\"Manage analytics\",\"JK9zf1\":[\"Estimated compounding interest, including discount for Staking \",[\"0\"],\"AAVE in Safety Module.\"],\"JOqFba\":[\"Unstaking \",[\"symbol\"]],\"JPrLjO\":\"You can not use this currency as collateral\",\"JU6q+W\":\"Reward(s) to claim\",\"JYKRJS\":\"Stake\",\"JZMxX0\":\"Not enough balance on your wallet\",\"Jgflkm\":\"Get GHO\",\"JoMQnI\":\"Wallet balance\",\"JtwD8u\":\"Borrow balance after repay\",\"JumYTK\":\"Supplied assets\",\"K05qZY\":\"Withdraw & Switch\",\"KAz/NV\":\"Protocol debt ceiling is at 100% for this asset. Further borrowing against this asset is unavailable.\",\"KLXVqE\":[\"stETH tokens will be migrated to Wrapped stETH using Lido Protocol wrapper which leads to supply balance change after migration: \",[\"0\"]],\"KLd6ky\":\"Use connected account\",\"KRpokz\":\"VIEW TX\",\"KSlpka\":\"This represents the threshold at which a borrow position will be considered undercollateralized and subject to liquidation for each collateral. For example, if a collateral has a liquidation threshold of 80%, it means that the position will be liquidated when the debt value is worth 80% of the collateral value.\",\"KYAjf3\":\"Isolated\",\"KZwRuD\":[[\"notifyText\"]],\"KkPgim\":\"Switching E-Mode\",\"KnN1Tu\":\"Expires\",\"KoOBI2\":\"Due to internal stETH mechanics required for rebasing support, it is not possible to perform a collateral switch where stETH is the source token.\",\"KojyJ4\":\"Wrong Network\",\"KsqhWn\":\"Staking\",\"KuBTQq\":\"Enter ETH address\",\"KvG1xW\":\"Claiming\",\"L+8Lzs\":\"Current LTV\",\"L+qiq+\":\"Market\",\"LDzfVJ\":\"Send Feedback\",\"LIrMcF\":\"No voting power\",\"LL0zks\":\"Can be collateral\",\"LLdJWu\":\"Claimable AAVE\",\"LSIpNK\":\"Borrow and repay in same block is not allowed\",\"LVt3TI\":[\"<0>Slippage tolerance <1>\",[\"selectedSlippage\"],\"% <2>\",[\"0\"],\"\"],\"LjafV8\":\"Maximum collateral amount to use\",\"LtpQew\":\"Let us know how we can make the app better for you. For user support related inquiries please reach out on\",\"LvVpD/\":\"Emode\",\"M2sknc\":\"Tip: Try increasing slippage or reduce input amount\",\"M7wPsD\":\"Switch\",\"MFu33y\":\"Staking 00\",\"MIy2RJ\":\"Maximum amount received\",\"MZ/nQf\":\"Recipient address\",\"Ma/MtY\":\"staking view\",\"McHlGl\":\"APY change\",\"MeCCA+\":\"APY, variable\",\"MghdTe\":\"If the health factor goes below 1, the liquidation of your collateral might be triggered.\",\"Mm/DVQ\":\"You cancelled the transaction.\",\"MnE2QX\":\"Borrow info\",\"MrmQHg\":\"View Bridge Transactions\",\"MuDFEQ\":\"Invalid return value of the flashloan executor function\",\"N5kUMV\":\"Asset can be only used as collateral in isolation mode with limited borrowing power. To enter isolation mode, disable all other collateral.\",\"N6Pxr9\":\"View all\",\"NF0e1Q\":\"Pending...\",\"NK9ikO\":\"Wallet Balance\",\"NMt2CB\":\"Amount claimable\",\"NcFGxG\":\"Collector Contract\",\"NfpPeS\":\"Nothing staked\",\"Nh9DAo\":[[\"m\"],\"m\"],\"O+sCUU\":\"Unbacked mint cap is exceeded\",\"O+tyU+\":[\"Maximum amount available to borrow against this asset is limited because debt ceiling is at \",[\"0\"],\"%.\"],\"O3oNi5\":\"Email\",\"OFjZGo\":\"Unstake\",\"OR8cYX\":\"Proposal overview\",\"OYuJ9K\":\"Protocol debt ceiling is at 100% for this asset. Futher borrowing against this asset is unavailable.\",\"OfhWJH\":\"Reset\",\"Og2SKn\":\"disabled\",\"On0aF2\":\"Website\",\"OsyKSt\":\"Withdraw\",\"P1dURE\":\"Revoke power\",\"P2WCD/\":[\"Underlying asset does not exist in \",[\"marketName\"],\" v3 Market, hence this position cannot be migrated.\"],\"P2sL6B\":\"When a liquidation occurs, liquidators repay up to 50% of the outstanding borrowed amount on behalf of the borrower. In return, they can buy the collateral at a discount and keep the difference (liquidation penalty) as a bonus.\",\"P6sRoL\":\"Stake ABPT\",\"P72/OW\":\"The weighted average of APY for all borrowed assets, including incentives.\",\"P7e6Ug\":\"Please connect your wallet to view transaction history.\",\"PByO0X\":\"Votes\",\"PI+kVe\":\"Disable fork\",\"PJK9u/\":\"Borrow apy\",\"PLUB/s\":\"Fee\",\"PP5ZA8\":[\"Participating in staking \",[\"symbol\"],\" gives annualized rewards. Your wallet balance is the sum of your aTokens and underlying assets. The breakdown to stake is below\"],\"PcBUgb\":\"Liquidation threshold\",\"PjU6bu\":\"This asset is eligible for SPK incentive program. Aave Labs does not guarantee the program and accepts no liability.\",\"PpqD5g\":\"Enabling this asset as collateral increases your borrowing power and Health Factor. However, it can get liquidated if your health factor drops below 1.\",\"PsOFSf\":\"This action will reduce V2 health factor below liquidation threshold. retain collateral or migrate borrow position to continue.\",\"Pu4bI/\":[[\"currentMethod\"]],\"Q0LzKi\":\"View TX\",\"Q4eNqa\":\"The Aave Balancer Pool Token (ABPT) is a liquidity pool token. You can receive ABPT by depositing a combination of AAVE + wstETH in the Balancer liquidity pool. You can then stake your BPT in the Safety Module to secure the protocol and earn Safety Incentives.\",\"QQYsQ7\":\"Withdrawing\",\"QWYCs/\":\"Stake GHO\",\"R+30X3\":\"Not reached\",\"RCU5PY\":\"Age\",\"RIfckG\":[\"Disable \",[\"symbol\"],\" as collateral\"],\"RMtxNk\":\"Differential\",\"RNK49r\":\"Invalid signature\",\"RS0o7b\":\"State\",\"RU+LqV\":\"Proposal details\",\"RYTgZX\":\"lorem ipsum\",\"RbXH+k\":\"AAVE, GHO, and ABPT holders (Ethereum network only) can stake their assets in the Safety Module to add more security to the protocol and earn Safety Incentives. In the case of a shortfall event, your stake can be slashed to cover the deficit, providing an additional layer of protection for the protocol.\",\"RiSYV4\":\"Asset is not listed\",\"Rj01Fz\":\"Links\",\"RmWFEe\":\"Staking APR\",\"RoafuO\":\"Send feedback\",\"RtBLm7\":\"Health factor is lesser than the liquidation threshold\",\"RxzN1M\":\"Enabled\",\"SDav7h\":\"Funds in the Safety Module\",\"SENccp\":\"If the error continues to happen,<0/> you may report it to this\",\"SIWumd\":\"Show Frozen or paused assets\",\"SM58dD\":\"Amount in cooldown\",\"SSMiac\":\"Failed to load proposal voters. Please refresh the page.\",\"SSQVIz\":\"Liquidation Threshold\",\"SUb8x0\":\"Total available\",\"SWIgh4\":\"Fees exceed wallet balance\",\"SY9hVo\":\"Read-only mode allows to see address positions in Aave, but you won't be able to perform transactions.\",\"SZRUQ4\":\"Max slippage\",\"Sa1UE/\":\"Protocol borrow cap is at 100% for this asset. Further borrowing unavailable.\",\"Sk2zW9\":\"Disabling E-Mode\",\"SxaD0o\":\"Pool addresses provider is not registered\",\"T/AIqG\":\"Protocol supply cap at 100% for this asset. Further supply unavailable.\",\"T0xCO9\":\"Can't validate the wallet address. Try again.\",\"T4OhVl\":\"GHO balance\",\"T6uYU2\":\"Borrow\",\"TFxQlw\":\"Liquidation penalty\",\"TQ7WsV\":\"Available to stake\",\"TUI7iB\":\"Asset can only be used as collateral in isolation mode only.\",\"TbjyhA\":\"Docs\",\"TduuS0\":\"User does not have outstanding stable rate debt on this reserve\",\"TeCFg/\":\"Borrow rate change\",\"Tg1JyO\":\"Bridge history\",\"TskbEN\":\"Holders of stkAAVE receive a discount on the GHO borrowing rate\",\"TszKts\":\"Borrow balance after switch\",\"TtZL6q\":\"Discount model parameters\",\"TwJI9F\":\"Asset has been successfully sent to CCIP contract. You can check the status of the transactions below\",\"Tz0GSZ\":\"blocked activities\",\"U/eBjN\":\"Reload the page\",\"U2r8nY\":\"Choose how much voting/proposition power to give to someone else by delegating some of your AAVE, stkAAVE or aAave balance. Your tokens will remain in your account, but your delegate will be able to vote or propose on your behalf. If your AAVE, stkAAVE or aAave balance changes, your delegate's voting/proposition power will be automatically adjusted.\",\"U8IubP\":\"The app is running in testnet mode. Learn how it works in\",\"U9btTk\":\"Asset is not borrowable in isolation mode\",\"UAOZRe\":\"Price impact is the spread between the total value of the entry tokens switched and the destination tokens obtained (in USD), which results from the limited liquidity of the trading pair.\",\"UE3KJZ\":\"Transaction history is not currently available for this market\",\"URmyfc\":\"Details\",\"UTTKmT\":\"Stake cooldown activated\",\"UXeR72\":\"These funds have been borrowed and are not available for withdrawal at this time.\",\"UYb8CM\":\"Learn more about the SPK rewards\",\"UbRrG0\":\"The Maximum LTV ratio represents the maximum borrowing power of a specific collateral. For example, if a collateral has an LTV of 75%, the user can borrow up to 0.75 worth of ETH in the principal currency for every 1 ETH worth of collateral.\",\"UpndFj\":\"No rewards to claim\",\"V0f2Xv\":\"Reserve factor\",\"V1HK43\":\"Migration risks\",\"VATFH9\":\"Covered debt\",\"VHOVEJ\":\"Connect wallet\",\"VMfYUK\":\"Safety of your deposited collateral against the borrowed assets and its underlying value.\",\"VOAZJh\":\"Total borrows\",\"ViKYxK\":\"YAE\",\"W1SSoD\":\"Review tx details\",\"W5hVah\":\"Nothing supplied yet\",\"W5kTFy\":\"Voting\",\"W8ekPc\":\"Back to Dashboard\",\"WMPbRK\":\"Unbacked\",\"WNGZwH\":\"E-Mode increases your LTV for a selected category of assets up to<0/>. <1>Learn more\",\"WPWG/y\":\"Reserve status & configuration\",\"WZLQSU\":\"User cannot withdraw more than the available balance\",\"WaZyaV\":\"<0>Ampleforth is a rebasing asset. Visit the <1>documentation to learn more.\",\"WfU+XN\":\"Because this asset is paused, no actions can be taken until further notice\",\"Wjmqs2\":\"No results found. You can import a custom token with a contract address\",\"WkZ6C6\":\"To borrow you need to supply any asset to be used as collateral.\",\"WyMiQm\":\"You've successfully switched tokens.\",\"X/ITG9\":\"Copy error text\",\"X3Pp6x\":\"Used as collateral\",\"X4Zt7j\":\"Action cannot be performed because the reserve is paused\",\"XBdKOj\":\"Representative smart contract wallet (ie. Safe) addresses on other chains.\",\"XZzneG\":\"You will exit isolation mode and other tokens can now be used as collateral\",\"Xg5y9S\":\"Amount to Bridge\",\"Xn4hUi\":\"Please always be aware of your <0>Health Factor (HF) when partially migrating a position and that your rates will be updated to V3 rates.\",\"Xy71ST\":\"Umbrella\",\"Y5kGkc\":\"VOTE NAY\",\"YDIOks\":\"Enabling E-Mode\",\"YSodyW\":\"This action will reduce your health factor. Please be mindful of the increased risk of collateral liquidation.\",\"YXOWXM\":\"The total amount bridged minus CCIP fees. Paying in network token does not impact gho amount.\",\"YirHq7\":\"Feedback\",\"YogbCJ\":\"Testnet mode is ON\",\"YrDxdO\":\"If your loan to value goes above the liquidation threshold your collateral supplied may be liquidated.\",\"YyIM65\":\"Interest rate rebalance conditions were not met\",\"YyydIq\":[\"Add \",[\"0\"],\" to wallet to track your balance.\"],\"ZBvhI+\":\"Aave Governance\",\"ZIIRAd\":\"Raw-Ipfs\",\"ZRq4tX\":\"Efficiency mode (E-Mode)\",\"ZSqEW+\":\"Manage E-Mode\",\"ZUFYFE\":\"Disable testnet\",\"Zbyywy\":\"Max slashing\",\"ZfUGFb\":\"Before supplying\",\"ZiXN+B\":\"Assets to stake\",\"ZlsSDH\":\"Liquidation value\",\"ZrEc8j\":\"We couldn't find any assets related to your search. Try again with a different asset name, symbol, or address.\",\"ZsLF7e\":\"enabled\",\"a0YQoQ\":\"Enter a valid address\",\"a2fBZn\":\"Time left to unstake\",\"a5RYZd\":\"Disabling this asset as collateral affects your borrowing power and Health Factor.\",\"a7u1N9\":\"Price\",\"a9D+6D\":\"Unstaked\",\"aEtiwq\":\"Vote NAY\",\"aMmFE1\":\"Buy Crypto With Fiat\",\"aOKIms\":\"Array parameters that should be equal length are not\",\"aX31hk\":\"Your balance is lower than the selected amount.\",\"adUsDd\":\"An error has occurred fetching the proposal.\",\"al6Pyz\":\"Exceeds the discount\",\"aoXTT7\":\"Borrow APY, variable\",\"aqX1Yp\":\"This asset is eligible for rewards through SuperFest. Aave Labs does not guarantee the program and accepts no liability.\",\"avgETN\":\"Eligible for the Merit program.\",\"b4NS3e\":\"Cooldown period warning\",\"bNEQeI\":\"Cooldown\",\"bSruit\":\"ZKSync Ignite Program rewards are claimed through the\",\"bUUVED\":\"Asset\",\"bXQ/Og\":\"Share on twitter\",\"bXr0ee\":\"Isolated assets have limited borrowing power and other assets cannot be used as collateral.\",\"bYmAV1\":\"Addresses\",\"bguKoJ\":\"The requested amount is greater than the max loan size in stable rate mode\",\"bwSQI0\":\"Supply\",\"bxN6EM\":\"Cannot disable E-Mode\",\"bxmzSh\":\"Not enough collateral to repay this amount of debt with\",\"c91vuQ\":\"Address is not a contract\",\"c97os2\":\"Aave aToken\",\"c9b44w\":\"You can not withdraw this amount because it will cause collateral call\",\"cBc+4A\":\"This is the total amount available for you to borrow. You can borrow based on your collateral and until the borrow cap is reached.\",\"cIl5kp\":\"Your voting power is based on your AAVE/stkAAVE balance and received delegations.\",\"cLo09S\":\"Risk details\",\"cNT+ij\":\"Borrowing is unavailable because you’ve enabled Efficiency Mode (E-Mode) and Isolation mode. To manage E-Mode and Isolation mode visit your <0>Dashboard.\",\"cZOeBk\":\"Something went wrong fetching bridge message, please try again later.\",\"ceix5S\":\"To submit a proposal for minor changes to the protocol, you'll need at least 80.00K power. If you want to change the core code base, you'll need 320k power.<0>Learn more.\",\"ciSsYT\":\"Staking APY\",\"ciybUa\":\"Vote YAE\",\"ckf7gX\":[\"Repaying \",[\"symbol\"]],\"cp1ZDP\":[\"Bridge \",[\"symbol\"]],\"cqnmnD\":\"Effective interest rate\",\"cqwIvs\":\"Forum discussion\",\"csDS2L\":\"Available\",\"cu7Stb\":\"You did not participate in this proposal\",\"dE6BLF\":\"Governance\",\"dEgA5A\":\"Cancel\",\"dIsyWh\":\"Ltv validation failed\",\"dMtLDE\":\"to\",\"dOB5nW\":[\"Maximum amount available to supply is <0/> \",[\"0\"],\" (<1/>).\"],\"dVfODp\":\"You don’t have enough funds in your wallet to repay the full amount. If you proceed to repay with your current amount of funds, you will still have a small borrowing position in your dashboard.\",\"dXUQFX\":\"Assets to borrow\",\"dgr1aY\":\"Borrowing is disabled due to an Aave community decision. <0>More details\",\"djsg0o\":\"Collateral usage\",\"dpc0qG\":\"Variable\",\"drdV8R\":\"Liquidation\",\"dxW8cS\":\"Aave debt token\",\"e4V3oW\":\"Top 10 addresses\",\"eD8WX/\":\"Action requires an active reserve\",\"eJRJ04\":\"Amount to unstake\",\"eLh0cL\":\"Slippage is the difference between the quoted and received amounts from changing market conditions between the moment the transaction is submitted and its verification.\",\"ePK91l\":\"Edit\",\"eVpCmf\":\"Staking Rewards\",\"eVqvtf\":\"Bridge GHO\",\"eYdurp\":\"No transactions yet.\",\"ebLGGN\":\"Total borrowed\",\"ecqEvn\":\"The collateral balance is 0\",\"efdrrk\":\"Available on\",\"enruNF\":\"starts\",\"eqLYiD\":\"Unstake now\",\"euScGB\":\"APY with discount applied\",\"evw5ha\":\"Net worth\",\"ezcU16\":\"Get ABP Token\",\"f3W0Ej\":[\"You switched to \",[\"0\"],\" rate\"],\"fH9i8k\":\"You've successfully switched borrow position.\",\"fHcELk\":\"Net APR\",\"fMJQZK\":\"Borrowed\",\"fZ5Vnu\":\"Received\",\"firl9Q\":\"Your current loan to value based on your collateral supplied.\",\"flRCF/\":\"Staking discount\",\"fldjW9\":\"Preview tx and migrate\",\"fsBGk0\":\"Balance\",\"fu1Dbh\":[\"Withdraw \",[\"symbol\"]],\"fwjWSI\":\"Supplied\",\"fwyTMb\":\"Migrate to stkABPT v2\",\"g0mals\":\"You can not disable E-Mode because that could cause liquidation. To exit E-Mode supply or repay borrowed positions.\",\"g2UNkE\":\"Powered by\",\"g8KGoA\":\"FAQS\",\"g9zzqS\":\"Voted NAY\",\"gDd2gk\":\"about SuperFest.\",\"gFFh9h\":\"All done!\",\"gIMJlW\":\"Testnet mode\",\"gOzPxe\":\"This asset is frozen due to an Aave Protocol Governance decision. <0>More details\",\"gTHi2T\":\"User is trying to borrow multiple assets including a siloed one\",\"gVW59Y\":\"Please connect your wallet to get free testnet assets.\",\"gcFNxP\":\"Approve Confirmed\",\"gncRUO\":\"This address is blocked on app.aave.com because it is associated with one or more\",\"goff7V\":\"Zero address not valid\",\"gp+f1B\":\"Version 3\",\"gr8mYw\":\"You may borrow up to <0/> GHO at <1/> (max discount)\",\"gvTM4B\":\"Net APY is the combined effect of all supply and borrow positions on net worth, including incentives. It is possible to have a negative net APY if debt APY is higher than supply APY.\",\"gzcch9\":\"Invalid bridge protocol fee\",\"h33MxW\":\"Representing smart contract wallet (ie. Safe) addresses on other chains.\",\"h3ilK+\":\".CSV\",\"hB23LY\":\"Activate Cooldown\",\"hIJzBh\":\"Available to Claim\",\"hIS4N0\":\"Net APY\",\"hRWvpI\":\"Claimed\",\"hdmy/o\":\"The % of your total borrowing power used. This is based on the amount of your collateral supplied and the total amount that you can borrow.\",\"hehnjM\":\"Amount\",\"hjDCQr\":\"There was some error. Please try changing the parameters or <0><1>copy the error\",\"hom7qf\":\"Claim\",\"hpHJ4I\":\"Liquidated collateral\",\"hpuVIp\":\"Users who stake AAVE in Safety Module (i.e. stkAAVE holders) receive a discount on GHO borrow interest rate.\",\"huQ6Tz\":[\"Borrowing \",[\"symbol\"]],\"hxi7vE\":\"Borrow balance\",\"i/fZ2Z\":\"Staked Balance\",\"i2JTiw\":\"You may enter a custom amount in the field.\",\"iB5+/J\":\"About GHO\",\"iChbOF\":\"Inconsistent flashloan parameters\",\"iEPVHF\":\"Not enough voting power to participate in this proposal\",\"iEW87X\":\"Delegated power\",\"iEju36\":[\"You voted \",[\"0\"]],\"iFq2YN\":\"Borrowable\",\"iGxyIA\":\"Safety Module\",\"iMVZk9\":\"Select slippage tolerance\",\"iPMIoT\":\"Enter an amount\",\"iSLIjg\":\"Connect\",\"iUo5rv\":\"tokens is not the same as staking them. If you wish to stake your\",\"iZxa38\":\"Use it to vote for or against active proposals.\",\"if5PH+\":\"Collector Info\",\"igkfR1\":[\"In Isolation mode, you cannot supply other assets as collateral. A global debt ceiling limits the borrowing power of the isolated asset. To exit isolation mode disable \",[\"0\"],\" as collateral before borrowing another asset. Read more in our <0>FAQ\"],\"il0sEG\":\"Collateral usage is limited because of Isolation mode.\",\"j+K1Xj\":\"Amount After Fee\",\"jA2QeW\":\"Supplying your\",\"jFi7dz\":\"Interest rate that is determined by Aave Governance. This rate may be changed over time depending on the need for the GHO supply to contract/expand. <0>Learn more\",\"jG3UJ7\":\"Disable E-Mode\",\"jKYzR1\":\"Enable E-Mode\",\"jMam5g\":[[\"0\"],\" Balance\"],\"jSYv+Z\":\"Enabling E-Mode allows you to maximize your borrowing power, however, borrowing is restricted to assets within the selected category. <0>Learn more about how it works and the applied restrictions.\",\"jaKbwW\":[[\"s\"],\"s\"],\"jbFMap\":\"Cooldown time left\",\"jeMZNr\":[[\"0\"],\" on-ramp service is provided by External Provider and by selecting you agree to Terms of the Provider. Your access to the service might be reliant on the External Provider being operational.\"],\"jfl9OP\":\"Migrated\",\"jmXdoY\":\"In E-Mode some assets are not borrowable. Exit E-Mode to get access to all assets\",\"jpctdh\":\"View\",\"jqzUyM\":\"Unavailable\",\"k/sb6z\":\"Select language\",\"k3wP3f\":\"<0>Attention: Parameter changes via governance can alter your account health factor and risk of liquidation. Follow the <1>Aave governance forum for updates.\",\"kACpF3\":[\"Claim \",[\"0\"]],\"kH6wUX\":\"Price impact\",\"kIC28N\":\"Available to claim\",\"kIpSye\":[[\"numSelected\"],\"/\",[\"numAvailable\"],\" assets selected\"],\"kN1Yg5\":\"To repay on behalf of a user an explicit amount to repay is needed\",\"kRTD40\":[\"Repayment amount to reach \",[\"0\"],\"% utilization\"],\"kjN9tT\":\"Supply cap is exceeded\",\"knxE+G\":\".JSON\",\"ks2LWT\":\"Debt ceiling is not zero\",\"kwwn6i\":\"Users who stake AAVE in Safety Module (i.e. stkAAVE holders) receive a discount on GHO borrow interest rate. The discount applies to 100 GHO for every 1 stkAAVE held. Use the calculator below to see GHO borrow rate with the discount applied.\",\"kz3wtK\":\"and about SPK program\",\"kzZyM4\":\"DAI balance will be converted via DSR contracts and then supplied as sDAI. Switching incurs no additional costs and no slippage.\",\"lNVG7i\":\"Select an asset\",\"lU2d1/\":[\"Asset cannot be migrated due to insufficient liquidity or borrow cap limitation in \",[\"marketName\"],\" v3 market.\"],\"lVhKKI\":\"Voted YAE\",\"lWLqxB\":\"We couldn't find any transactions related to your search. Try again with a different asset name, or reset filters.\",\"lYGfRP\":\"English\",\"lfEjIE\":\"Learn more in our <0>FAQ guide\",\"lt6bpt\":\"Collateral to repay with\",\"m/IEhi\":\"Total emission per day\",\"m7r7Hh\":\"Selected borrow assets\",\"mDDK4p\":\"Balancer Pool\",\"mIM0qu\":\"Expected amount to repay\",\"mUAFd6\":\"Version 2\",\"masO5Z\":\"E-Mode increases your LTV for a selected category of assets. <0>Learn more\",\"mdNjKU\":[\"Your \",[\"name\"],\" wallet is empty. Purchase or transfer assets or use <0>\",[\"0\"],\" to transfer your \",[\"network\"],\" assets.\"],\"muiOng\":[\"Buy \",[\"cryptoSymbol\"],\" with Fiat\"],\"mvCXBY\":\"Stake AAVE\",\"mwdzil\":\"Ok, Close\",\"mzI/c+\":\"Download\",\"mzdIia\":\"Asset cannot be used as collateral.\",\"n+SX4g\":\"Developers\",\"n8Psk4\":\"We couldn’t detect a wallet. Connect a wallet to stake and view your balance.\",\"nJIhzm\":\"Supply apy\",\"nJgsQu\":\"With a voting power of <0/>\",\"nLC6tu\":\"French\",\"nN2T8p\":\"During the cooldown period, you will not earn any merit rewards. However, rewards earned up to this point will remain unaffected.\",\"nNHV0z\":\"Migrating multiple collaterals and borrowed assets at the same time can be an expensive operation and might fail in certain situations.<0>Therefore it’s not recommended to migrate positions with more than 5 assets (deposited + borrowed) at the same time.\",\"nNbnzu\":\"Proposition\",\"nOy4ob\":\"We suggest you go back to the Dashboard.\",\"nPGNMh\":\"Can be executed\",\"nUK1ou\":[\"Assets with zero LTV (\",[\"0\"],\") must be withdrawn or disabled as collateral to perform this action\"],\"nakd8r\":\"stkAAVE holders get a discount on GHO borrow rate\",\"nh2EJK\":[\"Please switch to \",[\"networkName\"],\".\"],\"njBeMm\":\"Both\",\"noN5Xf\":\"We couldn’t detect a wallet. Connect a wallet to view your staking positions and rewards.\",\"ntkAoE\":\"Discount applied for <0/> staking AAVE\",\"ntyFSE\":[[\"h\"],\"h\"],\"nwtY4N\":\"Something went wrong\",\"nxyWvj\":\"Withdrawing this amount will reduce your health factor and increase risk of liquidation.\",\"o17QVP\":\"Your health factor and loan to value determine the assurance of your collateral. To avoid liquidations you can supply more collateral or repay borrow positions.\",\"o1xc2V\":\"AToken supply is not zero\",\"o4tCu3\":\"Borrow APY\",\"o5ooMr\":\"Debt\",\"o7J4JM\":\"Filter\",\"oHFrpj\":\"Cooldown to unstake\",\"oJ5ZiG\":\"User does not have outstanding variable rate debt on this reserve\",\"oRBGin\":\"Please connect your wallet to be able to switch your tokens.\",\"oUwXhx\":\"Test Assets\",\"oWklJD\":\"Stable interest rate will <0>stay the same for the duration of your loan. Recommended for long-term loan periods and for users who prefer predictability.\",\"odnIK3\":\"Time remaining until the 48 hour withdraw period starts.\",\"oiK5nY\":\"The current incentives period, decided on by the Aave community, has ended. Governance is in the process on renewing, check for updates. <0>Learn more.\",\"olREoo\":\"All borrow positions outside of this category must be closed to enable this category.\",\"om/XHs\":\"Available to supply\",\"ov0+mq\":\"Eligible for the ZKSync Ignite program.\",\"ovT1pF\":[\"Per the community, the \",[\"market\"],\" has been frozen.\"],\"ow3fug\":\"Nothing found\",\"owSsI3\":\"Signatures ready\",\"p+R52m\":\"Go to Balancer Pool\",\"p2A+s1\":[\"The cooldown period is \",[\"0\"],\". After \",[\"1\"],\" of cooldown, you will enter unstake window of \",[\"2\"],\". You will continue receiving rewards during cooldown and unstake window.\"],\"p2S64u\":\"The loan to value of the migrated positions would cause liquidation. Increase migrated collateral or reduce migrated borrow to continue.\",\"p2Z2Qi\":\"This asset has reached its borrow cap. Nothing is available to be borrowed from this market.\",\"p3j+mb\":\"Your reward balance is 0\",\"p45alK\":\"Set up delegation\",\"p6u2s1\":\"Minimum amount of debt to be repaid\",\"pDgeaz\":[[\"title\"]],\"pdZqBk\":\"The underlying balance needs to be greater than 0\",\"pgWG9H\":\"Not enough staked balance\",\"piPrJ7\":\"please check that the amount you want to supply is not currently being used for staking. If it is being used for staking, your transaction might fail.\",\"pjO/iH\":\"Minimum amount received\",\"pooutM\":\"Voting is on\",\"pqaM5s\":\"Confirming transaction\",\"ptaxX3\":[\"I understand how cooldown (\",[\"0\"],\") and unstaking (\",[\"1\"],\") work\"],\"py2iiY\":\"The caller of this function must be a pool\",\"q/51mF\":\"Migrate to V3\",\"q3df11\":\"Interest rate strategy\",\"q6lAbz\":\"Staked\",\"qB4kPi\":\"Supply APY\",\"qENI8q\":\"Global settings\",\"qGz5zl\":\"Collateral balance after repay\",\"qIW9ZH\":\"Amount staked\",\"qOqbD6\":\"copy the error\",\"qXCkEM\":\"Please connect your wallet to see your supplies, borrowings, and open positions.\",\"qY2jnw\":\"Invalid expiration\",\"qf/fr+\":\"Interest accrued\",\"quYPUU\":\"Variable interest rate will <0>fluctuate based on the market conditions.\",\"quzIeW\":\"User is in isolation mode or LTV is zero\",\"qvnz3q\":\"Invalid amount to burn\",\"rHgdb0\":\"Migrate to Aave V3\",\"rOrHHe\":\"Amount must be greater than 0\",\"rQ+R+0\":\"Selected supply assets\",\"rSayea\":\"APY\",\"rTBDeu\":[\"Asset cannot be migrated because you have isolated collateral in \",[\"marketName\"],\" v3 Market which limits borrowable assets. You can manage your collateral in <0>\",[\"marketName\"],\" V3 Dashboard\"],\"rcT+yy\":\"Show assets with 0 balance\",\"rf8POi\":\"Borrowed asset amount\",\"riNWOA\":\"E-Mode\",\"rjGI/Q\":\"Privacy\",\"rnKPW1\":\"Watch a wallet balance in read-only mode\",\"ruc7X+\":\"Add stkAAVE to see borrow APY with the discount\",\"rvbaFU\":[\"Bridging \",[\"symbol\"]],\"rwVVB7\":\"Claim all rewards\",\"rwyUva\":\"These assets are temporarily frozen or paused by Aave community decisions, meaning that further supply / borrow, or rate swap of these assets are unavailable. Withdrawals and debt repayments are allowed. Follow the <0>Aave governance forum for further updates.\",\"rxJW5W\":\"Your proposition power is based on your AAVE/stkAAVE balance and received delegations.\",\"s2jJnW\":\"You don't have any bridge transactions\",\"s5wBAq\":[\"Unstake \",[\"symbol\"]],\"sJbIdI\":\"Enter ETH address or ENS\",\"sK+Nag\":\"Review tx\",\"sP2+gB\":\"NAY\",\"sQv06Y\":\"for\",\"sTtO6J\":\"Confirm transaction\",\"sXKb3l\":\"Exchange rate\",\"sb0q4+\":\"You unstake here\",\"smJNwH\":\"Available to borrow\",\"solypO\":\"Health factor is not below the threshold\",\"sr0UJD\":\"Go Back\",\"ss5GCK\":\"The address of the pool addresses provider is invalid\",\"swEgK4\":\"Your voting info\",\"t+wtgf\":\"Nothing borrowed yet\",\"t/YqKh\":\"Remove\",\"t81DpC\":[\"Approve \",[\"symbol\"],\" to continue\"],\"tCnbEs\":\"Oracle price\",\"tFZLf8\":\"This gas calculation is only an estimation. Your wallet will set the price of the transaction. You can modify the gas settings directly from your wallet provider.\",\"tHuvQI\":\"Go to V3 Dashboard\",\"tKv7cI\":\"Switch borrow position\",\"tOcg3N\":\"Since this asset is frozen, the only available actions are withdraw and repay which can be accessed from the <0>Dashboard\",\"tOuXfv\":[\"Borrow amount to reach \",[\"0\"],\"% utilization\"],\"te9Bfl\":\"Please, connect your wallet\",\"tt5yma\":\"Your supplies\",\"ttoh5c\":\"Switch to\",\"u3ZeYl\":\"Transaction failed\",\"u706uF\":\"Invalid flashloan premium\",\"u8Gfu7\":[\"No search results\",[\"0\"]],\"uAQUqI\":\"Status\",\"uHMwk8\":\"No assets selected to migrate.\",\"uJPHuY\":\"Migrating\",\"uY8O30\":\"To continue, you need to grant Aave smart contracts permission to move your funds from your wallet. Depending on the asset and wallet you use, it is done by signing the permission message (gas free), or by submitting an approval transaction (requires gas). <0>Learn more\",\"udFheE\":\"For repayment of a specific type of debt, the user needs to have debt that type\",\"ulNuNq\":\"Export data to\",\"ulup2p\":\"Buy Crypto with Fiat\",\"umICAY\":\"<0><1><2/>Add stkAAVE to see borrow rate with discount\",\"usB84Z\":\"Maximum amount available to borrow is limited because protocol borrow cap is nearly reached.\",\"uwAUvj\":\"COPY IMAGE\",\"v8x7Mg\":\"Insufficient collateral to cover new borrow position. Wallet must have borrowing power remaining to perform debt switch.\",\"vEqxH9\":\"Restaked\",\"vLyv1R\":\"Hide\",\"vMba49\":\"Borrowing is not enabled\",\"vMpNwt\":\"Approve with\",\"vXIe7J\":\"Language\",\"vesuBJ\":\"Allows you to decide whether to use a supplied asset as collateral. An asset used as collateral will affect your borrowing power and health factor.\",\"w+V9Cx\":\"Stablecoin\",\"w/JtJ3\":\"Stable debt supply is not zero\",\"w4VBY+\":\"Rewards APR\",\"w9dLMW\":[[\"label\"]],\"wAOL+X\":[\"You \",[\"action\"],\" <0/> \",[\"symbol\"]],\"wBIsjb\":\"Discord channel\",\"wQZbc/\":\"The caller of the function is not an AToken\",\"wRRqvW\":\"You do not have supplies in this currency\",\"wZFvVU\":\"VOTE YAE\",\"wb/r1O\":[\"Faucet \",[\"0\"]],\"wdxz7K\":\"Source\",\"weH1nG\":\"The Aave Protocol is programmed to always use the price of 1 GHO = $1. This is different from using market pricing via oracles for other crypto assets. This creates stabilizing arbitrage opportunities when the price of GHO fluctuates.\",\"wh7Ezv\":\"You have no AAVE/stkAAVE/aAave balance to delegate.\",\"wlsIx7\":\"With testnet Faucet you can get free assets to test the Aave Protocol. Make sure to switch your wallet provider to the appropriate testnet network, select desired asset, and click ‘Faucet’ to get tokens transferred to your wallet. The assets on a testnet are not “real,” meaning they have no monetary value. <0>Learn more\",\"wmE285\":\"Get ABP v2 Token\",\"wyRrcJ\":\"As a result of governance decisions, this ABPT staking pool is now deprecated. You have the flexibility to either migrate all of your tokens to v2 or unstake them without any cooldown period.\",\"x5KiLL\":\"Selected assets have successfully migrated. Visit the Market Dashboard to see them.\",\"x7F2p6\":\"Current differential\",\"x7K5ib\":[\"Your \",[\"networkName\"],\" wallet is empty. Get free test \",[\"0\"],\" at\"],\"x9iLRD\":\"tokens, please go to the\",\"xNy/UG\":\"Repay with\",\"xPm8wv\":\"Learn more about risks involved\",\"xXYpZl\":[[\"0\"],\" Faucet\"],\"xaVBSS\":\"Your info\",\"xaWZ6f\":\"APY type change\",\"xh6k71\":\"Collateral usage is limited because of isolation mode.\",\"xvIklc\":\"Flashloan is disabled for this asset, hence this position cannot be migrated.\",\"y5rS9U\":\"Migrate\",\"y66tBm\":[\"Enable \",[\"symbol\"],\" as collateral\"],\"yB1YpA\":\"Dark mode\",\"yCrG6m\":\"Total market size\",\"yJUUbn\":\"Transaction overview\",\"yLGmLX\":[\"Restake \",[\"symbol\"]],\"yW1oWB\":\"APY type\",\"yYHqJe\":\"Not a valid address\",\"yZwLw6\":\"Track wallet\",\"yh2sjd\":[\"Price impact \",[\"0\"],\"%\"],\"yhvj6d\":\"You can not switch usage as collateral mode for this currency, because it will cause collateral call\",\"ylmtBZ\":\"The app is running in fork mode.\",\"ymNY32\":[\"There are not enough funds in the\",[\"0\"],\"reserve to borrow\"],\"yz7wBu\":\"Close\",\"z4uGQg\":\"Debt ceiling is exceeded\",\"z5UQOM\":\"The collateral chosen cannot be liquidated\",\"z5Y+p6\":[\"Supplying \",[\"symbol\"]],\"zCjNKs\":\"Action cannot be performed because the reserve is frozen\",\"zRHytX\":\"Isolated Debt Ceiling\",\"zTOjMP\":\"Protocol supply cap is at 100% for this asset. Further supply unavailable.\",\"zVdRUG\":\"Submission did not work, please try again later or contact wecare@avara.xyz\",\"zevmS2\":\"<0><1><2/>Add <3/> stkAAVE to borrow at <4/> (max discount)\",\"zgtIDV\":\"Remaining debt\",\"zmTPiV\":\"Supply balance\",\"zpPbZl\":\"Liquidation risk parameters\",\"zucql+\":\"Menu\",\"zwWKhA\":\"Learn more\",\"zy9fXn\":[\"Asset is frozen in \",[\"marketName\"],\" v3 market, hence this position cannot be migrated.\"],\"zys+R6\":\"Be mindful of the network congestion and gas prices.\",\"zzzTXS\":\"Merit Program rewards are claimed through the\"}")}; \ No newline at end of file diff --git a/src/locales/en/messages.po b/src/locales/en/messages.po index 118effab8d..27ffcd8f0e 100644 --- a/src/locales/en/messages.po +++ b/src/locales/en/messages.po @@ -1095,7 +1095,6 @@ msgstr "Reward(s) to claim" #: src/components/transactions/Stake/StakeActions.tsx #: src/modules/staking/StakingPanel.tsx #: src/modules/staking/StakingPanel.tsx -#: src/modules/umbrella/StakeAssets/UmbrellaAssetsListMobileItem.tsx #: src/modules/umbrella/UmbrellaActions.tsx msgid "Stake" msgstr "Stake" @@ -2088,6 +2087,10 @@ msgstr "Something went wrong fetching bridge message, please try again later." msgid "To submit a proposal for minor changes to the protocol, you'll need at least 80.00K power. If you want to change the core code base, you'll need 320k power.<0>Learn more." msgstr "To submit a proposal for minor changes to the protocol, you'll need at least 80.00K power. If you want to change the core code base, you'll need 320k power.<0>Learn more." +#: src/modules/umbrella/StakeAssets/UmbrellaAssetsListMobileItem.tsx +msgid "Staking APY" +msgstr "Staking APY" + #: src/modules/governance/proposal/VoteInfo.tsx msgid "Vote YAE" msgstr "Vote YAE" @@ -2973,6 +2976,10 @@ msgstr "Global settings" msgid "Collateral balance after repay" msgstr "Collateral balance after repay" +#: src/modules/umbrella/StakeAssets/UmbrellaAssetsListMobileItem.tsx +msgid "Amount staked" +msgstr "Amount staked" + #: src/components/transactions/FlowCommons/GasEstimationError.tsx msgid "copy the error" msgstr "copy the error" @@ -3026,7 +3033,6 @@ msgstr "Selected supply assets" #: src/modules/history/actions/BorrowRateModeBlock.tsx #: src/modules/reserve-overview/SupplyInfo.tsx #: src/modules/umbrella/StakeAssets/UmbrellaAssetsList.tsx -#: src/modules/umbrella/StakeAssets/UmbrellaAssetsListMobileItem.tsx msgid "APY" msgstr "APY" diff --git a/src/locales/es/messages.js b/src/locales/es/messages.js index abcfcdaea5..9891a8904b 100644 --- a/src/locales/es/messages.js +++ b/src/locales/es/messages.js @@ -1 +1 @@ -/*eslint-disable*/module.exports={messages:JSON.parse("{\"+0xecS\":[\"Si NO unstakeas entre \",[\"0\"],\" de la ventana de unstakeo, necesitarás activar el proceso de cooldown de nuevo.\"],\"+EGVI0\":\"Recibir (est.)\",\"+VR63W\":[\"Participar en esta reserva de \",[\"symbol\"],\" da recompensas anuales.\"],\"+bmKdK\":\"Utiliza tu balance de AAVE, stkAAVE o aAava para delegar tu voto y poder de proposición. No enviarás ningún token, solo los derechos de votar y proponer cambios en el protocolo. Puedes volver a delegar o revocar el poder de vuelta en cualquier momento.\",\"+eOPG+\":\"Parece que no podemos cambiar la red automáticamente. Por favor, comprueba si puedes cambiarla desde la cartera.\",\"+i3Pd2\":\"Límite del préstamo\",\"+kLZGu\":\"Cantidad de activos suministrados\",\"+nuEh/\":\"Estimated time\",\"+xMFF8\":\"Remind me\",\"/57U31\":\"Cantidad para migrar\",\"/7ykiW\":\"Tomar prestado esta cantidad reducirá tu factor de salud y aumentará el riesgo de liquidación.\",\"/YA5pU\":\"E-Mode increases your LTV for a selected category of assets, meaning that when E-mode is enabled, you will have higher borrowing power over assets of the same E-mode category which are defined by Aave Governance. You can enter E-Mode from your <0>Dashboard. To learn more about E-Mode and applied restrictionn, see the <1>help guide or the <2>Aave V3 Technical Paper.\",\"/izjs/\":\"Cantidad mínima de Aave stakeado\",\"/jQctM\":\"To\",\"/lDBHm\":\"Preguntas frecuentes\",\"/yNlZf\":\"El préstamo estable no está habilitado\",\"/yQcJM\":\"Valor total\",\"00AB2i\":\"El usuario no tomó prestado el activo especificado\",\"00OflG\":\"No hay suficiente liquidez para que el activo seleccionado realice el cambio. Prueba reduciendo la cantidad.\",\"08/rZ9\":\"El periodo de cooldown es el tiempo requerido antes de unstakear tus tokens (20 días). Solo puedes retirar tus activos del Módulo de Seguridad después del periodo de cooldown y dentro de la ventana de unstakeo.<0>Aprende más\",\"0AmQcW\":\"Cambio de tasa\",\"0BF3yK\":\"Lo sentimos, no hemos podido encontrar la página que estabas buscando.\",\"0TAbjq\":\"Recent Transactions\",\"0jhlyw\":\"Riesgo de liquidación\",\"0ojY+Y\":\"Balance actual v2\",\"0thX3P\":\"Cambio de garantía\",\"0wGCWc\":\"Esta es la cantidad total que puedes suministrar en esta reserva. Puedes suministrar el balance de tu cartera hasta que se alcance el límite de suministro.\",\"1AsVfF\":\"Los datos de los precios no están disponibles actualmente para esta reserva en el subgraph del protocolo\",\"1LjK22\":\"Historial de transacciones\",\"1Onqx8\":[\"Aprobando \",[\"symbol\"],\"...\"],\"1Ue8sX\":\"Por favor conecta una cartera para ver tu información personal aquí.\",\"1bpx9A\":\"...\",\"1kWUB+\":\"Umbral <0/> de liquidación\",\"1m9Qqc\":\"Retirando y Cambiando\",\"1oyh4g\":\"Borrow rate\",\"1t7rez\":\"El suministro de activos está limitado a una cierta cantidad para reducir la exposición del protocolo a este activo y ayudar a manejar los riesgos implicados.\",\"2CAPu2\":\"Has retirado y cambiado tokens con éxito.\",\"2Eoi/a\":\"Ver detalles\",\"2FYpfJ\":\"Más\",\"2O3qp5\":\"Liquidez disponible\",\"2OM8/D\":[\"Este activo no se puede migrar debido a una restricción del límite de suministro en el mercado v3 de \",[\"marketName\"],\".\"],\"2Q4GU4\":\"Dirección bloqueada\",\"2ZGocC\":\"Aave es un protocolo totalmente descentralizado, gobernado por la comunidad de poseedores de tokens AAVE. Los poseedores de tokens AAVE discuten, proponen y votan colectivamente sobre las actualizaciones del protocolo. Los poseedores de tokens AAVE (solo en la red Ethereum) pueden votar ellos mismos sobre nuevas propuestas o delegarse a una dirección de su elección. Para aprender más, consulta la\",\"2a6G7d\":\"Por favor introduce una dirección de cartera válida.\",\"2bAhR7\":\"Conoce GHO\",\"2eBWE6\":\"Acepto los riesgos involucadros.\",\"2o/xRt\":\"Se ha alcanzado el límite de suministro en la reserva especificada. Prueba reduciendo la cantidad.\",\"2uJToh\":[[\"0\"],[\"name\"]],\"2x58bP\":\"El préstamo estable no está habilitado\",\"34Qfwy\":\"El límite del préstamo se ha sobrepasado\",\"39eQRj\":[\"Tomar prestado \",[\"symbol\"]],\"3BL1xB\":\"Total suministrado\",\"3BnIWi\":\"Cambiado\",\"3K0oMo\":\"Suministro restante\",\"3MoZhl\":\"No hay suficiente garantía para cubrir un nuevo préstamo\",\"3Np5O8\":[\"Suministrar \",[\"symbol\"]],\"3O8YTV\":\"Interés total acumulado\",\"3mXg0z\":\"LTV máximo\",\"3q3mFy\":\"Pagar\",\"3qsjtp\":\"El promedio ponderado de APY para todos los activos suministrados, incluidos los incentivos.\",\"3rL+os\":\"Solo puedes retirar tus activos del Módulo de Seguridad después de que finalice el período de cooldown y la ventana de unstakeo esté activa.\",\"42UgDM\":[\"Migrar al mercado V3 de \",[\"0\"]],\"49UFQA\":\"Resultados de la votación\",\"4DMZUI\":\"Ver Transacciones\",\"4HtGBb\":\"MAX\",\"4Y5H+g\":\"Términos\",\"4YYh4d\":\"Máximo disponible para tomar prestado\",\"4iPAI3\":\"Cantidad de préstamo mínima de GHO\",\"4lDFps\":\"Firma para continuar\",\"4wyw8H\":\"Transacciones\",\"5JSSxX\":[\"Tu cartera de \",[\"networkName\"],\" está vacía. Consigue activos de prueba gratis en\"],\"5K7kGO\":\"documentación\",\"5NOSGa\":\"El límite de deuda limita la cantidad posible que los usuarios del protocolo pueden tomar prestado contra este activo. El límite de deuda es específico para los activos en isolation mode y se indica en USD.\",\"5Ncc6j\":[\"Este activo casi ha alcanzado su límite de suministro. Solo se puede suministrar \",[\"messageValue\"],\" a este mercado.\"],\"5cZ/KX\":\"El suministro de deuda variable no es cero\",\"5che++\":\"Para solicitar acceso a este mercado, porfavor visita: <0>Nombre del proveedor de acceso\",\"5ctNdV\":[\"Mínimo \",[\"0\"],\" recibido\"],\"5hDe9v\":\"Acción de permiso requerida\",\"5rsnKT\":\"Recompensas disponibles\",\"5yC5m5\":\"Ver todos los votos\",\"6/dCYd\":\"Resumen\",\"60crCe\":\"Todas las transacciones\",\"62Xcjh\":\"Garantía\",\"65A04M\":\"Español\",\"6G8s+q\":\"Firmando\",\"6Jrv+z\":[\"Pagar \",[\"symbol\"]],\"6NGLTR\":\"Cantidad descontable\",\"6Xr0UU\":\"Cooling down...\",\"6bxci/\":\"Poder de votación\",\"6f8S68\":\"Mercados\",\"6g1gi0\":\"Propuestas\",\"6gvoHP\":\"Copiar mensaje de error\",\"6h3Q5G\":\"reembolsado\",\"6lFSyT\":\"Available to Stake\",\"6s8L6f\":\"Cambiar de red\",\"6yAAbq\":\"APY, tasa de préstamo\",\"70wH1Q\":\"APR\",\"72c5Qo\":\"Total\",\"73Auuq\":\"Los parámetros de descuento son decididos por la comunidad de Aave y pueden cambiar con el tiempo. Consulta el Gobierno para ver actualizaciones y vota para participar. <0>-Aprende más\",\"75qcAQ\":[[\"stepName\"]],\"7ITr5L\":\"Factor de salud\",\"7T/o5R\":\"Alcanzado\",\"7YlcXu\":\"El fork mode está activado\",\"7Z76Iw\":\"Tomar prestado no está disponible porque estás usando el Isolation mode. Para administrar el Isolation mode, visita tu <0>Panel de control.\",\"7aKlMS\":\"Compartir en Lens\",\"7er5fP\":\"Reclamar todo\",\"7hb2+s\":\"Time remaining until the withdraw period ends.\",\"7l88b8\":\"No se pudieron recuperar los datos, por favor recarga el gráfico.\",\"7p5kLi\":\"Panel de control\",\"7sofdl\":\"Retirar y Cambiar\",\"8+6BI0\":\"Ten cuidado - Estás muy cerca de la liquidación. Considera depositar más garantía o pagar alguno de tus préstamos\",\"87pUEW\":[\"Tu cartera de \",[\"name\"],\" está vacía. Compra o transfiere activos.\"],\"8F1i42\":\"Página no encontrada\",\"8G8M0u\":\"Cargando datos...\",\"8Iu1QS\":\"retirado\",\"8JL93T\":\"Todas las propuestas\",\"8Q51DU\":\"Añadir a la cartera\",\"8X/oyn\":\"Cantidad invalidad para generar\",\"8Z5FPv\":\"Desconectar cartera\",\"8Zz7s5\":\"activos\",\"8aLW8H\":\"Balance a revocar\",\"8bOT3H\":\"Tasa de uso\",\"8sLe4/\":\"Ver contrato\",\"8t/M0y\":\"Please connect your wallet to be able to bridge your tokens.\",\"8vETh9\":\"Mostrar\",\"94OHPx\":\"Estás entrando en el Isolation mode\",\"9CDK3/\":[\"Tomar prestado no está disponible actualmente para \",[\"0\"],\".\"],\"9GIj3z\":\"Tamaño de la reserva\",\"9Knqb4\":\"Balance stakeado\",\"9OBKm7\":\"Quorum\",\"9QHoGr\":\"Votos actuales\",\"9Rw96f\":[\"Este activo casi ha alcanzado su límite de préstamo. Solo hay \",[\"messageValue\"],\" disponibles para ser prestado de este mercado.\"],\"9Xj/qR\":[\"Algunos activos migrados no se utilizarán como garantía debido al isolation mode habilitado en el mercado V3 de \",[\"marketName\"],\". Visita el <0>Panel de control de \",[\"marketName\"],\" V3 para administrar el isolation mode.\"],\"9c6vDV\":\"Este activo ha alcanzado su límite de suministro. No queda nada disponible para ser suministrado desde este mercado.\",\"9kTWHA\":\"MAI ha sido pausado debido a una decisión de la comunidad. Los suministros, préstamos y pagos se han visto afectados. <0>Más información\",\"9lXchd\":\"Token subyacente\",\"9rWaKF\":\"Bridged Via CCIP\",\"9xSooW\":\"Puesto que esta es una red de pruebas, puedes obtener cualquiera de los activos si tienes ETH en tu cartera\",\"A/lwoe\":\"Elige uno de los servicios on-ramp\",\"A6dCI6\":[\"La máxima cantidad disponible para tomar prestado es <0/> \",[\"0\"],\" (<1/>).\"],\"AReoaV\":\"Tus préstamos\",\"ARu1L4\":\"Pagado\",\"AV7cGz\":\"Revisa los detalles del approve\",\"AZOjB8\":\"Recuperando datos...\",\"Ai0jas\":\"Únete a la discusión de la comunidad\",\"Ajl2rq\":\"El poder de préstamo y los activos están limitados debido al Isolation mode.\",\"AqgYNC\":\"El límite de préstamo del protocolo está al 100% para este activo. No es posible tomar más prestado.\",\"B3EcQR\":\"¡Gracias por votar!\",\"B6aXGH\":\"Estable\",\"B9Gqbz\":\"Tasa variable\",\"BDFEd+\":\"stETH suministrado como garantía continuará acumulando recompensas de staking proporcionadas por rebases diarios.\",\"BE2mP0\":\"Borrowed assets\",\"BJyN77\":\"Debido al impacto del factor de salud, se requiere un préstamo flash para realizar esta transacción, pero el Gobierno de Aave ha inhabilitado la disponibilidad de préstamos flash para este activo. Intenta reducir la cantidad o suministrar garantía adicional.\",\"BNL4Ep\":\"El uso como garantía está limitado debido al isolation mode. <0>Aprende más\",\"BQ/wCO\":\"Migrate your assets\",\"BjLdl1\":\"Con un descuento\",\"BnhYo8\":\"Categoría de activos\",\"Bq9Y7e\":\"Este activo está congelado debido a una decisión de la comunidad de Aave. <0>Más información\",\"BqWMDJ\":\"Faucet\",\"BqynZO\":\"Optimized for efficiency and risk by supporting blue-chip collateral assets\",\"Bsu7zX\":\"The fee includes the gas cost to complete the transaction on the destination chain and the fee paid to Chainlink CCIP service providers. You can chose to pay in the network token or GHO. <0>Learn more\",\"BwJKBw\":\"de\",\"CDrsH+\":\"Documento técnico\",\"CK1KXz\":\"Max\",\"CMHmbm\":\"Deslizamiento\",\"CZXzs4\":\"Griego\",\"CcRNG6\":\"Cambiando\",\"CkTRmy\":[\"Reclamar \",[\"symbol\"]],\"CsqtLm\":\"Por favor conecta tu cartera para ver la herramienta de migración.\",\"CtGlFb\":[\"Faucet \",[\"networkName\"]],\"Cxt2YY\":\"Watch wallet\",\"D33VQU\":\"Esta acción reducirá el factor de salud de V3 por debajo del umbral de liquidación. Aumenta la garantía migrada o reduce el préstamo migrado para continuar.\",\"D9BLRG\":\"Este activo ha sido pausado debido a una decisión de la comunidad. El suministro, los retiros, los préstamos y los pagos se han visto afectados.\",\"DAma/S\":\"La garantía es (en su mayoría) el mismo activo que se está tomando prestado\",\"DCnFg0\":[\"Direcciones (\",[\"0\"],\")\"],\"DG3Lv1\":\"Entiendo completamente los riesgos de migrar.\",\"DONJcV\":\"El activo base no puede ser rescatado\",\"DR+4uL\":\"Balance del suministro después del cambio\",\"DWjrck\":[\"Este activo no se puede migrar al mercado V3 de \",[\"marketName\"],\" debido a las restricciones del E-mode. Puedes deshabilitar o administrar las categorías del E-mode en tu <0>Panel de control V3\"],\"Dj+3wB\":\"Aave por mes\",\"DptNvx\":\"Amount Staked\",\"DuEq2K\":\"Colateralización\",\"DxfsGs\":\"Puedes reportar cualquier incidente a nuestro <0>Discord o <1>Github.\",\"Dzma+E\":\"Main Ethereum market with the largest selection of assets and yield options\",\"E/QGRL\":\"Deshabilitado\",\"EBL9Gz\":\"¡COPIADO!\",\"ES8dkb\":\"Interés fijo\",\"EZd3Dk\":[\"Restakeando \",[\"symbol\"]],\"Ebgc76\":[\"Retirando \",[\"symbol\"]],\"EdQY6l\":\"Ninguno\",\"EjvKQ+\":\"Valor mínimo en USD recibido\",\"Enslfm\":\"Destination\",\"EvE9nO\":[\"Reactivar el periodo de cooldown para unstakear \",[\"0\"],\" \",[\"stakedToken\"]],\"EvECnL\":\"Migrar a V3\",\"EzMQbh\":\"The source chain time to finality is the main factor that determines the time to destination. <0>Learn more\",\"F40cwT\":\"Legacy Markets\",\"F6TdXL\":\"Aprende más.\",\"FDDPeZ\":\"Users can stake their assets in the protocol and earn incentives. In the case of a shortfall event, your stake can be slashed to cover the deficit, providing an additional layer of protection for the protocol.\",\"FHlMf/\":\"Balance actual v2\",\"FHpxjF\":[\"El factor de reserva es un porcentaje de interés que va a un \",[\"0\"],\" que es controlado por el gobierno de Aave para promover el crecimiento del ecosistema.\"],\"FOBZa6\":\"Capacidad de préstamo utilizada\",\"FPKEug\":\"Operación no soportada\",\"FbmMe7\":\"Direcciones vinculadas\",\"Fdp03t\":\"en\",\"Fjw9N+\":\"Activos a suministrar\",\"FmN0fk\":\"Restakear\",\"GDGLIs\":\"GHO es un activo nativo descentralizado, digital y respaldado por garantía, vinculado al USD. Es creado por los usuarios que lo toman prestado contra múltiples garantías. Cuando el usuario paga su posición de préstamo de GHO, el protocolo quema el GHO de ese usuario. Todos los pagos de interés acumulados por los acuñadores de GHO serán transferidos directamente a la tesorería de\xA0la\xA0DAO\xA0de\xA0Aave.\",\"GQrBTq\":\"Cambiar E-Mode\",\"GWswcZ\":\"Este activo está congelado debido a una decisión del Gobierno del Protocolo Aave. El 20 de diciembre de 2022, renFIL ya no será compatible y no se podrá conectar de nuevo a su red nativa. Se recomienda retirar las posiciones de suministro y pagar las posiciones de préstamo para que renFIL se pueda convertir de nuevo a FIL antes de la fecha límite. Después de esta fecha, ya no será posible convertir renFIL a FIL. <0>Más detalles\",\"GX8GKD\":\"Activos\",\"GgEj+0\":\"Modo de solo lectura. Conéctate a una cartera para realizar transacciones.\",\"GjkIKV\":\"finaliza\",\"GoK/QN\":\"Thank you for submitting feedback!\",\"GtP2hp\":[\"Tomar prestado no está disponible porque has habilitado el Efficieny Mode (E-Mode) para la categoría \",[\"0\"],\". Para manejar las categorías del E-Mode visita tu <0>Panel de control.\"],\"H6Ma8Z\":\"Descuento\",\"HB/wfS\":[[\"tooltipText\"]],\"HKDsQN\":\"Rewards can be claimed through\",\"Ha/U5f\":\"This is a program initiated and implemented by the decentralised ZKSync community. Aave Labs does not guarantee the program and accepts no liability.\",\"HciqKU\":\"This is a program initiated and implemented by the decentralised Aave community. Aave Labs does not guarantee the program and accepts no liability.\",\"Hi6Ttn\":\"Lo sentimos, se produjo un error imprevisto. Mientras tanto, puedes intentar recargar la página, o volver después.\",\"HkEDbS\":[[\"d\"],\"d\"],\"HmkYqM\":\"Ventana de unstakeo\",\"HpK/8d\":\"Recargar\",\"HrnC47\":\"Guardar y compartir\",\"HuVZMK\":\"Days\",\"HvJKMU\":[\"Este activo no se puede migrar al mercado v3 de \",[\"marketName\"],\", ya que el activo de garantía habilitará el isolation mode.\"],\"Hvwnm9\":[\"La cantidad máxima disponible para suministrar está limitada porque el límite de suministro del protocolo está al \",[\"0\"],\"%.\"],\"I8CX2c\":\"La cantidad total de tus activos denominados en USD que pueden ser usados como garantía para activos de préstamo.\",\"IAD2SB\":[\"Reclamando \",[\"symbol\"]],\"IG9X9/\":\"Tomar prestado este activo está limitado a una cierta cantidad para minimizar la insolvencia del fondo de liquidez.\",\"IOIx8L\":\"Está previsto que este activo se desvincule debido a una decisión del Gobierno del Protocolo Aave. <0>Más detalles\",\"IP+I/j\":\"Periodo de cooldown\",\"IaA40H\":\"Liquidación en\",\"J/hVSQ\":[[\"0\"]],\"JCoxL6\":\"Administrar analíticas\",\"JK9zf1\":[\"Interés compuesto estimado, incluyendo el descuento por Staking \",[\"0\"],\"AAVE en el Módulo de Seguridad.\"],\"JOqFba\":[\"Unstakeando \",[\"symbol\"]],\"JPrLjO\":\"No puedes usar este activo como garantía\",\"JU6q+W\":\"Recompensa(s) por reclamar\",\"JYKRJS\":\"Stakear\",\"JZMxX0\":\"No hay suficiente balance en tu cartera\",\"Jgflkm\":\"Obtener GHO\",\"JoMQnI\":\"Balance de la cartera\",\"JtwD8u\":\"Balance tomado prestado tras pagar\",\"JumYTK\":\"Supplied assets\",\"K05qZY\":\"Retirar y Cambiar\",\"KAz/NV\":\"El límite de deuda del protocolo está al 100% para este activo. No es posible tomar más prestado usando este activo como garantía.\",\"KLXVqE\":[\"Los tokens stETH se migrarán a Wrapped stETH usando el wrapper del protocolo de Lido, lo que provoca un cambio en el balance de suministro después de la migración: \",[\"0\"]],\"KLd6ky\":\"Use connected account\",\"KRpokz\":\"VER TX\",\"KSlpka\":\"Esto representa el umbral en el que un préstamo será considerado sin garantía suficiente y sujeto a la liquidación de la misma. Por ejemplo, si una garantía tiene un umbral de liquidación del 80 %, significa que el préstamo será liquidado cuando el valor de la deuda alcanze el 80% del valor de la garantía.\",\"KYAjf3\":\"Aislado\",\"KZwRuD\":[[\"notifyText\"]],\"KkPgim\":\"Cambiando E-Mode\",\"KnN1Tu\":\"Caduca\",\"KoOBI2\":\"Debido a mecánicas internas de stETH requeridas para el soporte del rebase, no es posible realizar un cambio de garantía donde stETH es el token de origen.\",\"KojyJ4\":\"Red incorrecta\",\"KsqhWn\":\"Staking\",\"KuBTQq\":\"Introduce la dirección ETH\",\"KvG1xW\":\"Reclamando\",\"L+8Lzs\":\"LTV actual\",\"L+qiq+\":\"Mercado\",\"LDzfVJ\":\"Send Feedback\",\"LIrMcF\":\"Sin poder de voto\",\"LL0zks\":\"Puede ser garantía\",\"LLdJWu\":\"AAVE Reclamable\",\"LSIpNK\":\"Tomar prestado y pagar en el mismo bloque no está permitido\",\"LVt3TI\":[\"<0>Tolerancia de deslizamiento <1>\",[\"selectedSlippage\"],\"% <2>\",[\"0\"],\"\"],\"LjafV8\":\"Maximum collateral amount to use\",\"LtpQew\":\"Let us know how we can make the app better for you. For user support related inquiries please reach out on\",\"LvVpD/\":\"Modo E\",\"M2sknc\":\"Tip: Intenta aumentar el deslizamiento o reduce la cantidad de entrada\",\"M7wPsD\":\"Cambiar\",\"MFu33y\":\"Staking 00\",\"MIy2RJ\":\"Maximum amount received\",\"MZ/nQf\":\"Dirección del destinatario\",\"Ma/MtY\":\"vista de stakeo\",\"McHlGl\":\"Cambio de APY\",\"MeCCA+\":\"APY, variable\",\"MghdTe\":\"Si el factor de salud se encuentra por debajo de 1, la liquidación de tu colateral puede ser activada.\",\"Mm/DVQ\":\"Has cancelado la transacción.\",\"MnE2QX\":\"Información de préstamo\",\"MrmQHg\":\"View Bridge Transactions\",\"MuDFEQ\":\"Valor de retorno inválido en la función executor del préstamo flash\",\"N5kUMV\":\"Este activo solo se puede utilizar como garantía en isolation mode con poder de préstamo limitado. Para entrar en el isolation mode, deshabilita todas las demás garantías.\",\"N6Pxr9\":\"View all\",\"NF0e1Q\":\"Pendiente...\",\"NK9ikO\":\"Balance de la cartera\",\"NMt2CB\":\"Cantidad reclamable\",\"NcFGxG\":\"Collector Contract\",\"NfpPeS\":\"Nada invertido\",\"Nh9DAo\":[[\"m\"],\"m\"],\"O+sCUU\":\"El límite de minteo sin respaldo ha sido excedido\",\"O+tyU+\":[\"La cantidad máxima disponible para tomar prestado contra este activo está limitada porque el límite de deuda está al \",[\"0\"],\"%.\"],\"O3oNi5\":\"Email\",\"OFjZGo\":\"Unstakear\",\"OR8cYX\":\"Resumen de la propuesta\",\"OYuJ9K\":\"El límite de deuda del protocolo está al 100% para este activo. No es posible tomar más prestado usando este activo como garantía.\",\"OfhWJH\":\"Restablecer\",\"Og2SKn\":\"deshabilitado\",\"On0aF2\":\"Página web\",\"OsyKSt\":\"Retirar\",\"P1dURE\":\"Revocar poder\",\"P2WCD/\":[\"El activo subyacente no existe en el mercado v3 de \",[\"marketName\"],\", por lo tanto, esta posición no se puede migrar.\"],\"P2sL6B\":\"Cuando ocurre una liquidación, los liquidadores pagan hasta el 50% de la cantidad pendiente del préstamo en nombre del prestatario. A cambio, pueden comprar la garantía con descuento y quedarse con la diferencia (sanción de liquidación) como bonificación.\",\"P6sRoL\":\"Stakea ABPT\",\"P72/OW\":\"El promedio ponderado de APY para todos los activos prestados, incluidos los incentivos.\",\"P7e6Ug\":\"Por favor conecta tu cartera para ver el historial de transacciones.\",\"PByO0X\":\"Votos\",\"PI+kVe\":\"Deshabilitar fork\",\"PJK9u/\":\"Apy préstamo\",\"PLUB/s\":\"Fee\",\"PP5ZA8\":[\"Participating in staking \",[\"symbol\"],\" gives annualized rewards. Your wallet balance is the sum of your aTokens and underlying assets. The breakdown to stake is below\"],\"PcBUgb\":\"Umbral de liquidación\",\"PjU6bu\":\"This asset is eligible for SPK incentive program. Aave Labs does not guarantee the program and accepts no liability.\",\"PpqD5g\":\"Habilitar este activo como garantía aumenta tu poder préstamo y el factor de salud. Sin embargo, puede ser liquidado si tu factor de salud cae por debajo de 1.\",\"PsOFSf\":\"Esta acción reducirá el factor de salud V2 por debajo del umbral de liquidación. Mantén la garantía o migra la posición de préstamo para continuar.\",\"Pu4bI/\":[[\"currentMethod\"]],\"Q0LzKi\":\"View TX\",\"Q4eNqa\":\"El Aave Balancer Pool Token (ABPT) es un token de pool de liquidez. Puedes recibir ABPT depositando una combinación de AAVE + wstETH en el pool de liquidez de Balancer. Luego puedes stakear tu BPT en el módulo de seguridad para asegurar el protocolo y ganar incentivos de seguridad.\",\"QQYsQ7\":\"Retirando\",\"QWYCs/\":\"Stakear GHO\",\"R+30X3\":\"No alcanzado\",\"RCU5PY\":\"Age\",\"RIfckG\":[\"Desactivar \",[\"symbol\"],\" como garantía\"],\"RMtxNk\":\"Diferencial\",\"RNK49r\":\"Firma inválida\",\"RS0o7b\":\"Estado\",\"RU+LqV\":\"Detalles de la propuesta\",\"RYTgZX\":\"lorem ipsum\",\"RbXH+k\":\"Los poseedores de AAVE, GHO y ABPT (solo en la red de Ethereum) pueden stakear sus activos en el Módulo de Seguridad para añadir más seguridad al protocolo y obtener incentivos de seguridad. En el caso de un evento de shortfall, tu stakeo puede ser reducido para cubrir el déficit. proporcionando una capa adicional de protección para el protocolo.\",\"RiSYV4\":\"El activo no está listado\",\"Rj01Fz\":\"Enlaces\",\"RmWFEe\":\"Staking APR\",\"RoafuO\":\"Enviar feedback\",\"RtBLm7\":\"El factor de salud es menor que el umbral de liquidación\",\"RxzN1M\":\"Habilitado\",\"SDav7h\":\"Fondos en el Módulo de Seguridad\",\"SENccp\":\"Si el error persiste, <0/> podrías reportarlo a esto\",\"SIWumd\":\"Mostrar activos congelados o pausados\",\"SM58dD\":\"Cantidad en cooldown\",\"SSMiac\":\"Error al cargar los votantes de la propuesta. Por favor actualiza la página.\",\"SSQVIz\":\"Umbral de liquidación\",\"SUb8x0\":\"Total disponible\",\"SWIgh4\":\"Fees exceed wallet balance\",\"SY9hVo\":\"El modo de solo lectura permite ver las posiciones de las direcciones en Aave, pero no podrás realizar transacciones.\",\"SZRUQ4\":\"Deslizamiento máximo\",\"Sa1UE/\":\"El límite de préstamo del protocolo está al 100% para este activo. No es posible tomar más prestado.\",\"Sk2zW9\":\"Desactivando E-Mode\",\"SxaD0o\":\"La dirección del proveedor del pool no esta registrada\",\"T/AIqG\":\"El límite de suministro del protocolo está al 100% para este activo. No es posible suministrar más.\",\"T0xCO9\":\"No se puede validar la dirección de la cartera. Vuelve a intentarlo.\",\"T4OhVl\":\"GHO balance\",\"T6uYU2\":\"Tomar prestado\",\"TFxQlw\":\"Penalización de liquidación\",\"TQ7WsV\":\"Available to stake\",\"TUI7iB\":\"El activo solo puede usarse como garantía en el Isolation mode únicamente.\",\"TbjyhA\":\"Docs\",\"TduuS0\":\"El usuario no tiene deuda pendiente de tasa estable en esta reserva\",\"TeCFg/\":\"Cambio de tasa de préstamo\",\"Tg1JyO\":\"Bridge history\",\"TskbEN\":\"Los poseedores de stkAAVE reciben un descuento en la tasa de préstamo de GHO\",\"TszKts\":\"Balance de préstamo después del cambio\",\"TtZL6q\":\"Parámetros del modelo de descuento\",\"TwJI9F\":\"Asset has been successfully sent to CCIP contract. You can check the status of the transactions below\",\"Tz0GSZ\":\"actividades bloqueadas\",\"U/eBjN\":\"Recarga la página\",\"U2r8nY\":\"Elige cuánto poder de voto/proposición otorgar a otra persona delegando parte de tu balance de AAVe o stkAAVE. Tus tokens permanecerán en tu cuenta, pero tu delegado podrá votar o proponer en tu lugar. Si tu balance de AAVE, stkAAVE o aAave cambia, el poder de voto/proposición de tu delegado se ajustará automáticamente.\",\"U8IubP\":\"La aplicación se está ejecutando en testnet mode. Aprende como funciona en\",\"U9btTk\":\"El activo no se puede pedir prestado en isolation mode\",\"UAOZRe\":\"El impacto del precio es la diferencia entre el valor total de los tokens de entrada cambiados y los tokens de destino obtenidos (en USD), que resulta de la liquidez limitada del par de cambio.\",\"UE3KJZ\":\"El historial de transacciones no está disponible actualmente para este mercado\",\"URmyfc\":\"Detalles\",\"UTTKmT\":\"Cooldown de stakeo activado\",\"UXeR72\":\"Estos fondos se han tomado prestados y no están disponibles para su retirada en este momento.\",\"UYb8CM\":\"Learn more about the SPK rewards\",\"UbRrG0\":\"El ratio LTV máximo representa el poder de endeudamiento máximo de una garantía específica. Por ejemplo, si una garantía tiene un LTV del 75 %, el usuario puede pedir prestado hasta 0,75 ETH en la moneda principal por cada 1 ETH de garantía.\",\"UpndFj\":\"No hay recompensas para reclamar\",\"V0f2Xv\":\"Factor de reserva\",\"V1HK43\":\"Riesgos de migración\",\"VATFH9\":\"Deuda cubierta\",\"VHOVEJ\":\"Conectar cartera\",\"VMfYUK\":\"Seguridad de tu garantía depositada contra los activos prestados y su valor subyacente.\",\"VOAZJh\":\"Total de préstamos\",\"ViKYxK\":\"YAE\",\"W1SSoD\":\"Revisar detalles de la tx\",\"W5hVah\":\"Nada suministrado aún\",\"W5kTFy\":\"Votando\",\"W8ekPc\":\"Volver al panel de control\",\"WMPbRK\":\"No respaldado\",\"WNGZwH\":\"El E-Mode incrementa tu LTV para una categoría seleccionada de activos hasta el <0/>. <1>Aprende más\",\"WPWG/y\":\"Configuración y estado de la reserva\",\"WZLQSU\":\"El usuario no puede retirar más que el balance disponible\",\"WaZyaV\":\"<0>Ampleforth es un activo con rebase. Visita la <1>documentación para aprender más.\",\"WfU+XN\":\"Debido a que este activo está en pausa, no se pueden realizar acciones hasta nuevo aviso\",\"Wjmqs2\":\"No results found. You can import a custom token with a contract address\",\"WkZ6C6\":\"Para tomar prestado, necesitas suministrar cualquier activo para ser utilizado como garantía.\",\"WyMiQm\":\"Has cambiado los tokens con éxito.\",\"X/ITG9\":\"Copiar el texto del error\",\"X3Pp6x\":\"Utilizado como garantía\",\"X4Zt7j\":\"No se puede realizar la acción porque la reserva está pausada\",\"XBdKOj\":\"Direcciones de cartera de contrato inteligente representativas (Safe) en otras cadenas.\",\"XZzneG\":\"Saldrás del modo aislamiento y otros tokens pueden ser usados ahora como garantía\",\"Xg5y9S\":\"Amount to Bridge\",\"Xn4hUi\":\"Por favor ten siempre en cuenta tu <0>factor de salud (HF) cuando migres parcialmente una posición y que tus tasas serán actualizadas a tasas de la V3.\",\"Xy71ST\":\"Umbrella\",\"Y5kGkc\":\"VOTAR NO\",\"YDIOks\":\"Habilitar E-Mode\",\"YSodyW\":\"Esta acción reducirá tu factor de salud. Por favor ten en cuenta el riesgo incrementado de liquidación de la garantía.\",\"YXOWXM\":\"The total amount bridged minus CCIP fees. Paying in network token does not impact gho amount.\",\"YirHq7\":\"Feedback\",\"YogbCJ\":\"Testnet mode está ON\",\"YrDxdO\":\"Si tu relación préstamo-valor supera el umbral de liquidación, tu garantía puede ser liquidada.\",\"YyIM65\":\"No se cumplieron las condiciones de ajuste de tasas de interés\",\"YyydIq\":[\"Añade \",[\"0\"],\" a tu cartera para hacer un seguimiento del balance.\"],\"ZBvhI+\":\"Gobierno de Aave\",\"ZIIRAd\":\"Raw-Ipfs\",\"ZRq4tX\":\"Modo de eficiencia (E-Mode)\",\"ZSqEW+\":\"Manage E-Mode\",\"ZUFYFE\":\"Deshabilitar testnet\",\"Zbyywy\":\"Max slashing\",\"ZfUGFb\":\"Antes de suministrar\",\"ZiXN+B\":\"Assets to stake\",\"ZlsSDH\":\"Valor de liquidación\",\"ZrEc8j\":\"No pudimos encontrar ningún activo relacionado con tu búsqueda. Vuelve a intentarlo con un nombre diferente de activo, símbolo o dirección.\",\"ZsLF7e\":\"habilitado\",\"a0YQoQ\":\"Enter a valid address\",\"a2fBZn\":\"Tempo restante para unstakear\",\"a5RYZd\":\"Deshabilitar este activo como garantía afecta tu poder de préstamo y Factor de Salud.\",\"a7u1N9\":\"Precio\",\"a9D+6D\":\"Unstakeado\",\"aEtiwq\":\"Votar NO\",\"aMmFE1\":\"Comprar Crypto con Fiat\",\"aOKIms\":\"Los parámetros del array que deberían ser iguales en longitud no lo son\",\"aX31hk\":\"Tu balance es más bajo que la cantidad seleccionada.\",\"adUsDd\":\"Se ha producido un error al recuperar la propuesta.\",\"al6Pyz\":\"Supera el descuento\",\"aoXTT7\":\"APY préstamo, variable\",\"aqX1Yp\":\"This asset is eligible for rewards through SuperFest. Aave Labs does not guarantee the program and accepts no liability.\",\"avgETN\":\"Eligible for the Merit program.\",\"b4NS3e\":\"Advertencia periodo de cooldown\",\"bNEQeI\":\"Cooldown\",\"bSruit\":\"ZKSync Ignite Program rewards are claimed through the\",\"bUUVED\":\"Activo\",\"bXQ/Og\":\"Compartir en twitter\",\"bXr0ee\":\"Los activos aislados han limitado tu capacidad de préstamo y otros activos no pueden ser usados como garantía.\",\"bYmAV1\":\"Direcciones\",\"bguKoJ\":\"La cantidad solicitada es mayor que el tamaño máximo del préstamo en el modo de tasa estable\",\"bwSQI0\":\"Suministrar\",\"bxN6EM\":\"No se puede deshabilitar E-Mode\",\"bxmzSh\":\"No hay suficiente garantía para pagar esta cantidad de deuda con\",\"c91vuQ\":\"La dirección no es un contrato\",\"c97os2\":\"aToken de Aave\",\"c9b44w\":\"No puedes retirar esta cantidad porque causará una liquidación\",\"cBc+4A\":\"Esta es la cantidad total disponible que puedes tomar prestada. Puedes tomar prestado basado en tu garantía y hasta que el límite de préstamo se alcance.\",\"cIl5kp\":\"Tu poder de voto se basa en tu balance de AAVE/stkAAVE y delegaciones recibidas.\",\"cLo09S\":\"Detalles de riesgo\",\"cNT+ij\":\"Tomar prestado no está disponible porque has habilitado el Efficiency Mode (E-Mode) y el Isolation mode. Para administrar el E-Mode y el Isolation Mode, visita tu <0>Panel de control.\",\"cZOeBk\":\"Something went wrong fetching bridge message, please try again later.\",\"ceix5S\":\"Para enviar una propuesta de cambios menores al protocolo, necesitarás al menos 80K de poder. Si deseas cambiar la base central del código, necesitarás un poder de 320K.<0>Aprende más\",\"ciybUa\":\"Votar SI\",\"ckf7gX\":[\"Pagando \",[\"symbol\"]],\"cp1ZDP\":[\"Bridge \",[\"symbol\"]],\"cqnmnD\":\"Tasa de interés efectiva\",\"cqwIvs\":\"Hilo de discusión del foro\",\"csDS2L\":\"Disponible\",\"cu7Stb\":\"No has participado en esta propuesta\",\"dE6BLF\":\"Gobierno\",\"dEgA5A\":\"Cancelar\",\"dIsyWh\":\"La validación del LTV ha fallado\",\"dMtLDE\":\"para\",\"dOB5nW\":[\"La cantidad máxima disponible para suministrar es <0/> \",[\"0\"],\" (<1/>).\"],\"dVfODp\":\"No tienes suficientes fondos en tu cartera para pagar la cantidad total. Si procedes a pagar con tu cantidad actual de fondos, aún tendrás un pequeño préstamo en tu panel de control.\",\"dXUQFX\":\"Activos a tomar prestado\",\"dgr1aY\":\"Tomar prestado está deshabilitado debido a una decisión de la comunidad de Aave. <0>Más información\",\"djsg0o\":\"Uso de la garantía\",\"dpc0qG\":\"Variable\",\"drdV8R\":\"Liquidación\",\"dxW8cS\":\"Token de deuda de Aave\",\"e4V3oW\":\"Top 10 direcciones\",\"eD8WX/\":\"La acción requiere una reserva activa\",\"eJRJ04\":\"Cantidad para unstakear\",\"eLh0cL\":\"El deslizamiento es la diferencia entre las cantidades calculadas y las recibidas debido a las condiciones cambiantes del mercado entre el momento en que se envía la transacción y su verificación.\",\"ePK91l\":\"Editar\",\"eVpCmf\":\"Recompensas de Staking\",\"eVqvtf\":\"Bridge GHO\",\"eYdurp\":\"Aún no hay transacciones.\",\"ebLGGN\":\"Total tomado prestado\",\"ecqEvn\":\"El balance de garantía es 0\",\"efdrrk\":\"Disponible en\",\"enruNF\":\"empieza\",\"eqLYiD\":\"Unstakea ahora\",\"euScGB\":\"APY con descuento aplicado\",\"evw5ha\":\"Valor neto\",\"ezcU16\":\"Obtener Token ABP\",\"f3W0Ej\":[\"Has cambiado a tasa \",[\"0\"]],\"fH9i8k\":\"Has cambiado con éxito la posición de préstamo.\",\"fHcELk\":\"APR Neto\",\"fMJQZK\":\"Prestado\",\"fZ5Vnu\":\"Recibido\",\"firl9Q\":\"Tu actual relación préstamo-valor basado en tu garantía suministrada.\",\"flRCF/\":\"Descuento por staking\",\"fldjW9\":\"Previsualizar la tx y migrar\",\"fsBGk0\":\"Balance\",\"fu1Dbh\":[\"Retirar \",[\"symbol\"]],\"fwjWSI\":\"Suministrado\",\"fwyTMb\":\"Migrar a stkABPT v2\",\"g0mals\":\"You can not disable E-Mode because that could cause liquidation. To exit E-Mode supply or repay borrowed positions.\",\"g2UNkE\":\"Powered by\",\"g8KGoA\":\"FAQS\",\"g9zzqS\":\"Votó NAY\",\"gDd2gk\":\"about SuperFest.\",\"gFFh9h\":\"¡Todo listo!\",\"gIMJlW\":\"Testnet mode\",\"gOzPxe\":\"Este activo está congelado debido a una decisión del Gobierno del Protocolo Aave. <0>More información\",\"gTHi2T\":\"El usuario está intentando tomar prestado múltiples activos incluido uno aislado\",\"gVW59Y\":\"Por favor conecta tu cartera para obtener activos testnet gratis.\",\"gcFNxP\":\"Aprobación confirmada\",\"gncRUO\":\"Esta dirección está bloqueada en app.aave.com porque está asociada con una o más\",\"goff7V\":\"Dirección cero no válida\",\"gp+f1B\":\"Versión 3\",\"gr8mYw\":\"Puedes tomar prestado hasta <0/> GHO al <1/> (descuento máximo)\",\"gvTM4B\":\"El APY neto es el efecto combinado de todos los suministros y préstamos sobre total, incluidos los incentivos. Es posible tener un APY neto negativo si el APY de la deuda es mayor que el APY de suministro.\",\"gzcch9\":\"Comisión de puente de protocolo inválida\",\"h33MxW\":\"Direcciones de cartera de contrato inteligente representantes (Safe) en otras cadenas.\",\"h3ilK+\":\".CSV\",\"hB23LY\":\"Activar Cooldown\",\"hIJzBh\":\"Available to Claim\",\"hIS4N0\":\"APY neto\",\"hRWvpI\":\"Reclamado\",\"hdmy/o\":\"El % de tu poder de préstamo total utilizado. Esto se basa en la cantidad de tu garantía suministrada y la cantidad total que puedes pedir prestado.\",\"hehnjM\":\"Cantidad\",\"hjDCQr\":\"Hubo un error. Por favor intenta cambiar los parámetros o <0><1>copiar el error\",\"hom7qf\":\"Reclamar\",\"hpHJ4I\":\"Garantía liquidada\",\"hpuVIp\":\"Users who stake AAVE in Safety Module (i.e. stkAAVE holders) receive a discount on GHO borrow interest rate.\",\"huQ6Tz\":[\"Tomando prestado \",[\"symbol\"]],\"hxi7vE\":\"Balance tomado prestado\",\"i/fZ2Z\":\"Staked Balance\",\"i2JTiw\":\"Puedes ingresar una cantidad específica en el campo.\",\"iB5+/J\":\"Sobre GHO\",\"iChbOF\":\"Parámetros inconsistentes del préstamo flash\",\"iEPVHF\":\"No hay suficiente poder de voto para participar en esta propuesta\",\"iEW87X\":\"Poder delegado\",\"iEju36\":[\"Has votado \",[\"0\"]],\"iFq2YN\":\"Borrowable\",\"iGxyIA\":\"Safety Module\",\"iMVZk9\":\"Seleccionar tolerancia de deslizamiento\",\"iPMIoT\":\"Ingresa una cantidad\",\"iSLIjg\":\"Conectar\",\"iUo5rv\":\"tokens no es lo mismo que stakearlos. Si deseas stakearlos\",\"iZxa38\":\"Úsalo para votar a favor o en contra de propuestas activas.\",\"if5PH+\":\"Collector Info\",\"igkfR1\":[\"En el Isolation mode, no puedes suministrar otros activos como garantía. Un límite de deuda global limita la capacidad de préstamo del activo aislado. Para salir del Isolation mode, deshabilita \",[\"0\"],\" como garantía antes de tomar prestado otro activo. Lee más en nuestras <0>preguntas frecuentes \"],\"il0sEG\":\"El uso de garantías está limitado debido al Isolation mode.\",\"j+K1Xj\":\"Amount After Fee\",\"jA2QeW\":\"Suministrando tu\",\"jFi7dz\":\"Tasa de interés determinada por el gobierno de Aave. Esta tasa puede cambiar con el tiempo dependiendo de la necesidad de que el suministro de GHO se contraiga/expanda. <0>Aprende más\",\"jG3UJ7\":\"Desactivar el E-Mode\",\"jKYzR1\":\"Habilitar E-Mode\",\"jMam5g\":[\"Balance \",[\"0\"]],\"jSYv+Z\":\"Enabling E-Mode allows you to maximize your borrowing power, however, borrowing is restricted to assets within the selected category. <0>Learn more about how it works and the applied restrictions.\",\"jaKbwW\":[[\"s\"],\"s\"],\"jbFMap\":\"Periodo restante de cooldown\",\"jeMZNr\":[[\"0\"],\" el servicio on-ramp es proporcionado por proveedores externos y al seleccionarlo, estás aceptando los términos de dichos proveedores. Tu acceso al servicio podría depender de que el proveedor externo esté operativo.\"],\"jfl9OP\":\"Migrado\",\"jmXdoY\":\"En E-Mode algunos activos no se pueden pedir prestados. Sal del E-Mode para obtener acceso a todos los activos\",\"jpctdh\":\"Ver\",\"jqzUyM\":\"No disponible\",\"k/sb6z\":\"Seleccionar idioma\",\"k3wP3f\":\"<0>Atención: Los cambios de parámetros a través de la gobernanza pueden alterar el factor de salud de tu cuenta y el riesgo de liquidación. Sigue el <1>foro de gobierno de Aave para mantenerte actualizado.\",\"kACpF3\":[\"Reclamar \",[\"0\"]],\"kH6wUX\":\"Impacto del precio\",\"kIC28N\":\"Available to claim\",\"kIpSye\":[[\"numSelected\"],\"/\",[\"numAvailable\"],\" activos seleccionados\"],\"kN1Yg5\":\"Para pagar en nombre de un usuario, se necesita una cantidad explícita para pagar\",\"kRTD40\":[\"Cantidad a pagar para alcanzar el \",[\"0\"],\"% de utilización\"],\"kjN9tT\":\"El límite de suministro se ha sobrepasado\",\"knxE+G\":\".JSON\",\"ks2LWT\":\"El límite de deuda no es cero\",\"kwwn6i\":\"Los usuarios que stakean AAVE en el Modulo de Seguridad (es decir, poseedores de stkAAVE) reciben un descuento en la tasa de interés de préstamo de GHO. Este descuento se aplica a 100 GHO por cada 1 stkAAVE en posesión. Usa el calculador de abajo para ver la tasa de préstamo de GHO con el descuento aplicado.\",\"kz3wtK\":\"and about SPK program\",\"kzZyM4\":\"El balance de DAI se convertirá a través de los contratos de DSR y luego se suministrará como sDAI. El cambio no genera costos adicionales ni deslizamientos.\",\"lNVG7i\":\"Selecciona un activo\",\"lU2d1/\":[\"Este activo no se puede migrar debido a una liquidez insuficiente o a una limitación del límite de préstamo en el mercado v3 de \",[\"marketName\"],\".\"],\"lVhKKI\":\"Votó YAE\",\"lWLqxB\":\"No pudimos encontrar ninguna transacción relacionada con tu búsqueda. Vuelve a intentarlo con un nombre de activo diferente o restablece los filtros.\",\"lYGfRP\":\"Inglés\",\"lfEjIE\":\"Aprende más en nuestra guía <0>Preguntas frecuentes\",\"lt6bpt\":\"Garantía a pagar con\",\"m/IEhi\":\"Emisiones totales por día\",\"m7r7Hh\":\"Activos de préstamo seleccionados\",\"mDDK4p\":\"Pool de Balancer\",\"mIM0qu\":\"Cantidad esperada a pagar\",\"mUAFd6\":\"Versión 2\",\"masO5Z\":\"E-Mode increases your LTV for a selected category of assets. <0>Learn more\",\"mdNjKU\":[\"Tu cartera de \",[\"name\"],\" está vacía. Compra o transfiere activos o usa <0>\",[\"0\"],\" para transferir tus activos de \",[\"network\"],\".\"],\"muiOng\":[\"Comprar \",[\"cryptoSymbol\"],\" con Fiat\"],\"mvCXBY\":\"Stakea AAVE\",\"mwdzil\":\"Vale, cerrar\",\"mzI/c+\":\"Descargar\",\"mzdIia\":\"Este activo no puede usarse como garantía.\",\"n+SX4g\":\"Desarrolladores\",\"n8Psk4\":\"No podemos detectar una cartera. Conecta una cartera para stakear y ver tu balance.\",\"nJIhzm\":\"Apy de suministro\",\"nJgsQu\":\"Con un poder de votación de <0/>\",\"nLC6tu\":\"Francés\",\"nN2T8p\":\"During the cooldown period, you will not earn any merit rewards. However, rewards earned up to this point will remain unaffected.\",\"nNHV0z\":\"Migrar múltiples garantías y activos prestados al mismo tiempo puede ser una operación costosa y podría fallar en ciertas situaciones.<0>Por lo tanto, no se recomienda migrar posiciones con más de 5 activos (depositados + tomados prestados) al mismo tiempo.\",\"nNbnzu\":\"Proposición\",\"nOy4ob\":\"Te sugerimos volver al Panel de control.\",\"nPGNMh\":\"Puede ser ejecutado\",\"nUK1ou\":[\"Assets with zero LTV (\",[\"0\"],\") must be withdrawn or disabled as collateral to perform this action\"],\"nakd8r\":\"poseedores de stkAAVE obtienen un descuento en la tasa de préstamo de GHO\",\"nh2EJK\":[\"Por favor, cambia a \",[\"networkName\"],\".\"],\"njBeMm\":\"Ambos\",\"noN5Xf\":\"We couldn’t detect a wallet. Connect a wallet to view your staking positions and rewards.\",\"ntkAoE\":\"Descuento aplicado para <0/> AAVE stakeados\",\"ntyFSE\":[[\"h\"],\"h\"],\"nwtY4N\":\"Se produjo un error\",\"nxyWvj\":\"Retirar esta cantidad reducirá tu factor de salud y aumentará el riesgo de liquidación.\",\"o17QVP\":\"Tu factor de salud y la relación préstamo-valor determinan la seguridad de tu garantía. Para evitar liquidaciones, puedes suministrar más garantía o pagar las posiciones de préstamo.\",\"o1xc2V\":\"El balance de AToken no es cero\",\"o4tCu3\":\"APY préstamo\",\"o5ooMr\":\"Deuda\",\"o7J4JM\":\"Filtro\",\"oHFrpj\":\"Cooldown para undstakear\",\"oJ5ZiG\":\"El usuario no tiene deuda pendiente de tasa variable en esta reserva\",\"oRBGin\":\"Por favor conecta tu cartera para cambiar tus tokens.\",\"oUwXhx\":\"Activos de prueba\",\"oWklJD\":\"La tasa de interés estable <0>permanecerá igual durante la duración de su préstamo. Está recomendado para los períodos de préstamo a largo plazo y para los usuarios que prefieren la previsibilidad.\",\"odnIK3\":\"Time remaining until the 48 hour withdraw period starts.\",\"oiK5nY\":\"The current incentives period, decided on by the Aave community, has ended. Governance is in the process on renewing, check for updates. <0>Learn more.\",\"olREoo\":\"All borrow positions outside of this category must be closed to enable this category.\",\"om/XHs\":\"Disponible para suministrar\",\"ov0+mq\":\"Eligible for the ZKSync Ignite program.\",\"ovT1pF\":[\"Per the community, the \",[\"market\"],\" has been frozen.\"],\"ow3fug\":\"Sin resultados\",\"owSsI3\":\"Firmas listas\",\"p+R52m\":\"Ir al pool de Balancer\",\"p2A+s1\":[\"El periodo de cooldown es \",[\"0\"],\". Después \",[\"1\"],\" del cooldown, entrarás a la ventana de unstakeo de \",[\"2\"],\". Continuarás recibiendo premios durante el cooldown y la ventana de unstakeo.\"],\"p2S64u\":\"La relación préstamo-valor de las posiciones migradas provocaría la liquidación. Aumenta la garantía migrada o reduce el préstamo migrado para continuar.\",\"p2Z2Qi\":\"Este activo ha alcanzado su límite de préstamo. No queda nada disponible para ser prestado de este mercado.\",\"p3j+mb\":\"Tu balance de recompensa es 0\",\"p45alK\":\"Configurar la delegación\",\"p6u2s1\":\"Minimum amount of debt to be repaid\",\"pDgeaz\":[[\"title\"]],\"pdZqBk\":\"El balance subyacente debe ser mayor que 0\",\"pgWG9H\":\"No hay suficiente balance stakeado\",\"piPrJ7\":\"por favor comprueba que la cantidad que deseas depositar no está siendo utilizada actualmente para stakear. Si está utilizando para stakear, tu transacción podría fallar.\",\"pjO/iH\":\"Cantidad mínima recibida\",\"pooutM\":\"La votación está activa\",\"pqaM5s\":\"Confirmando transacción\",\"ptaxX3\":[\"Entiendo como el cooldown (\",[\"0\"],\") y el proceso de unstaking (\",[\"1\"],\") funcionan\"],\"py2iiY\":\"La función debe ser llamada por un pool\",\"q/51mF\":\"Migrar a V3\",\"q3df11\":\"Estrategia de tasa de interés\",\"q6lAbz\":\"Stakeado\",\"qB4kPi\":\"Suministrar APY\",\"qENI8q\":\"Configuración global\",\"qGz5zl\":\"Balance de la garantía tras pagar\",\"qOqbD6\":\"copiar el error\",\"qXCkEM\":\"Por favor, conecta tu cartera para ver tus suministros, préstamos y posiciones abiertas.\",\"qY2jnw\":\"Expiración inválida\",\"qf/fr+\":\"Interés acumulado\",\"quYPUU\":\"Variable interest rate will <0>fluctuate based on the market conditions.\",\"quzIeW\":\"User is in isolation mode or LTV is zero\",\"qvnz3q\":\"Cantidad inválida para quemar\",\"rHgdb0\":\"Migrate to Aave V3\",\"rOrHHe\":\"La cantidad debe ser mayor que 0\",\"rQ+R+0\":\"Activos de suministro seleccionados\",\"rSayea\":\"APY\",\"rTBDeu\":[\"Este activo no se puede migrar porque tienes una garantía en Isolation Mode en el mercado v3 de \",[\"marketName\"],\" que limita los activos prestados. Puedes administrar tu garantía en el <0>Panel de control V3 de \",[\"marketName\"],\"\"],\"rcT+yy\":\"Mostrar activos con 0 balance\",\"rf8POi\":\"Cantidad de activos tomados prestados\",\"riNWOA\":\"E-Mode\",\"rjGI/Q\":\"Privacidad\",\"rnKPW1\":\"Watch a wallet balance in read-only mode\",\"ruc7X+\":\"Añade stkAAVE para ver el APY de préstamo con el descuento\",\"rvbaFU\":[\"Bridging \",[\"symbol\"]],\"rwVVB7\":\"Reclamar todas las recompensas\",\"rwyUva\":\"Estos activos están temporalmente congelados o pausados por decisiones de la comunidad de Aave, lo que significa que no se puede suministrar / tomar prestado o intercambiar tasas de estos activos. Se permiten retiros y pagos de deuda. Sigue el <0>foro de gobierno de Aave para más actualizaciones.\",\"rxJW5W\":\"Tu poder de proposición se basa en tu balance de AAVE/stkAAVE y delegaciones recibidas.\",\"s2jJnW\":\"You don't have any bridge transactions\",\"s5wBAq\":[\"Unstakear \",[\"symbol\"]],\"sJbIdI\":\"Enter ETH address or ENS\",\"sK+Nag\":\"Revisión tx\",\"sP2+gB\":\"NO\",\"sQv06Y\":\"para\",\"sTtO6J\":\"Confirmar transacción\",\"sXKb3l\":\"Tasa de cambio\",\"sb0q4+\":\"Unstakea aquí\",\"smJNwH\":\"Disponible para tomar prestado\",\"solypO\":\"El factor de salud no está por debajo del umbral\",\"sr0UJD\":\"Volver atrás\",\"ss5GCK\":\"La dirección del proveedor del grupo de direcciones no es válida\",\"swEgK4\":\"Tu información de voto\",\"t+wtgf\":\"Nada tomado prestado aún\",\"t/YqKh\":\"Eliminar\",\"t81DpC\":[\"Aprueba \",[\"symbol\"],\" para continuar\"],\"tCnbEs\":\"Precio del oráculo\",\"tFZLf8\":\"Este cálculo de gas es solo una estimación. Tu cartera establecerá el precio de la transacción. Puedes modificar la configuración de gas directamente desde tu proveedor de cartera.\",\"tHuvQI\":\"Ir al panel de control V3\",\"tKv7cI\":\"Cambiar posición de préstamo\",\"tOcg3N\":\"Dado que este activo está congelado, las únicas acciones disponibles son retirar y pagar, a las que se puede acceder desde el <0>Panel de control\",\"tOuXfv\":[\"Cantidad a tomar prestado para alcanzar el \",[\"0\"],\"% de utilización\"],\"te9Bfl\":\"Por favor, conecta tu cartera\",\"tt5yma\":\"Tus suministros\",\"ttoh5c\":\"Cambiar a\",\"u3ZeYl\":\"Error en la transacción\",\"u706uF\":\"Préstamo flash inválido\",\"u8Gfu7\":[\"Sin resultados de búsqueda\",[\"0\"]],\"uAQUqI\":\"Status\",\"uHMwk8\":\"No hay activos seleccionados para migrar.\",\"uJPHuY\":\"Migrando\",\"uY8O30\":\"Para continuar, necesitas otorgar permiso a los contratos inteligentes de Aave para mover tus fondos de tu cartera. Según el activo y la cartera que uses, se hace firmando el mensaje de permiso (sin coste de gas), o enviando una transacción de aprobación (requiere coste de gas). <0>Aprende más\",\"udFheE\":\"Para el pago de un tipo específico de deuda, el usuario necesita tener una deuda de ese tipo\",\"ulNuNq\":\"Exportar datos a\",\"ulup2p\":\"Comprar Crypto con Fiat\",\"umICAY\":\"<0><1><2/>Añade stkAAVE para ver la tasa de préstamo con descuento\",\"usB84Z\":\"La cantidad máxima disponible para tomar prestado está limitada porque casi se ha alcanzado el límite de préstamo del protocolo.\",\"uwAUvj\":\"COPIAR IMAGEN\",\"v8x7Mg\":\"Garantía insuficiente para cubrir la nueva posición de préstamo. La cartera debe tener poder de préstamo suficiente para realizar el cambio de deuda.\",\"vEqxH9\":\"Restakeado\",\"vLyv1R\":\"Ocultar\",\"vMba49\":\"Tomar prestado no está habilitado\",\"vMpNwt\":\"Aprobar con\",\"vXIe7J\":\"Idioma\",\"vesuBJ\":\"Te permite decidir si utilizar un activo suministrado como garantía. Un activo utilizado como garantía afectará a tu poder de préstamo y factor de salud.\",\"w+V9Cx\":\"Stablecoin\",\"w/JtJ3\":\"El balance de deuda estable no es cero\",\"w4VBY+\":\"APR de recompensas\",\"w9dLMW\":[[\"label\"]],\"wAOL+X\":[\"Tu \",[\"action\"],\" <0/> \",[\"symbol\"]],\"wBIsjb\":\"Canal de Discord\",\"wQZbc/\":\"El llamador de la función no es un AToken\",\"wRRqvW\":\"No tienes suministros en este activo\",\"wZFvVU\":\"VOTAR SI\",\"wb/r1O\":[\"Faucet \",[\"0\"]],\"wdxz7K\":\"Source\",\"weH1nG\":\"El Protocolo Aave está programado para usar siempre el precio de 1 GHO = $1. Esto es diferente del uso del precio de mercado a través de oráculos para otros criptoactivos. Esto crea oportunidades de arbitraje estabilizadoras cuando el precio de GHO fluctúa.\",\"wh7Ezv\":\"No tienes balance de AAVE/stkAAVE/aAave para delegar.\",\"wlsIx7\":\"Con la testnet Faucet puedes obtener activos gratuitos para probar el Protocolo Aave. Asegúrate de cambiar tu proveedor de cartera a la red de testnet adecuada, selecciona el activo deseado y haz clic en \\\"Faucet\\\" para obtener tokens transferidos a tu cartera. Los activos de una testnet no son \\\"reales\\\", lo que significada que no tienen valor monetario. <0>Aprende más\",\"wmE285\":\"Obtener Token ABP v2\",\"wyRrcJ\":\"Como resultado de las decisiones del gobierno, este pool de stakeo de ABPT está obsoleto. Tienes la flexibilidad de migrar todos tus tokens a v2 o unstakearlos sin ningún periodo de cooldown.\",\"x5KiLL\":\"Los activos seleccionados se han migrado correctamente. Visita el panel de control del mercado para verlos.\",\"x7F2p6\":\"Diferencial actual\",\"x7K5ib\":[\"Tu cartera de \",[\"networkName\"],\" está vacía. Consigue \",[\"0\"],\" de prueba gratis en\"],\"x9iLRD\":\"tokens, por favor ve al\",\"xNy/UG\":\"Pagar con\",\"xPm8wv\":\"Aprende más sobre los riesgos involucrados\",\"xXYpZl\":[[\"0\"],\" Faucet\"],\"xaVBSS\":\"Tu información\",\"xaWZ6f\":\"Cambio tipo de APY\",\"xh6k71\":\"El uso de garantías está limitado debido al isolation mode.\",\"xvIklc\":\"El préstamo flash está deshabilitado para este activo, por lo tanto, esta posición no se puede migrar.\",\"y5rS9U\":\"Migrar\",\"y66tBm\":[\"Habilitar \",[\"symbol\"],\" como garantía\"],\"yB1YpA\":\"Modo oscuro\",\"yCrG6m\":\"Tamaño total del mercado\",\"yJUUbn\":\"Resumen de la transacción\",\"yLGmLX\":[\"Restakear \",[\"symbol\"]],\"yW1oWB\":\"Tipo APY\",\"yYHqJe\":\"Dirección no válida\",\"yZwLw6\":\"Haz seguimiento de tu cartera\",\"yh2sjd\":[\"Impacto en el precio \",[\"0\"],\"%\"],\"yhvj6d\":\"No puedes cambiar el uso como modo de garantía para este activo, porque causará una liquidación\",\"ylmtBZ\":\"La aplicación se ejecuta en fork mode.\",\"ymNY32\":[\"No hay fondos suficientes en la reserva\",[\"0\"],\"para tomar prestado\"],\"yz7wBu\":\"Cerrar\",\"z4uGQg\":\"El límite de deuda está sobrepasado\",\"z5UQOM\":\"La garantía elegida no puede ser liquidada\",\"z5Y+p6\":[\"Suministrando \",[\"symbol\"]],\"zCjNKs\":\"No se puede realizar la acción porque la reserva está congelada\",\"zRHytX\":\"Límite de deuda aislado\",\"zTOjMP\":\"El límite de suministro del protocolo está al 100% para este activo. No es posible suministrar más.\",\"zVdRUG\":\"Submission did not work, please try again later or contact wecare@avara.xyz\",\"zevmS2\":\"<0><1><2/>añade <3/> stkAAVE para tomar prestado al <4/> (descuento máximo)\",\"zgtIDV\":\"Deuda restante\",\"zmTPiV\":\"Balance de suministro\",\"zpPbZl\":\"Parámetros de riesgo de liquidación\",\"zucql+\":\"Menú\",\"zwWKhA\":\"Aprende más\",\"zy9fXn\":[\"Este activo está congelado en el mercado v3 de \",[\"marketName\"],\", por lo tanto, esta posición no se puede migrar.\"],\"zys+R6\":\"Ten en cuenta la congestión de la red y los precios del gas.\",\"zzzTXS\":\"Merit Program rewards are claimed through the\"}")}; \ No newline at end of file +/*eslint-disable*/module.exports={messages:JSON.parse("{\"+0xecS\":[\"Si NO unstakeas entre \",[\"0\"],\" de la ventana de unstakeo, necesitarás activar el proceso de cooldown de nuevo.\"],\"+EGVI0\":\"Recibir (est.)\",\"+VR63W\":[\"Participar en esta reserva de \",[\"symbol\"],\" da recompensas anuales.\"],\"+bmKdK\":\"Utiliza tu balance de AAVE, stkAAVE o aAava para delegar tu voto y poder de proposición. No enviarás ningún token, solo los derechos de votar y proponer cambios en el protocolo. Puedes volver a delegar o revocar el poder de vuelta en cualquier momento.\",\"+eOPG+\":\"Parece que no podemos cambiar la red automáticamente. Por favor, comprueba si puedes cambiarla desde la cartera.\",\"+i3Pd2\":\"Límite del préstamo\",\"+kLZGu\":\"Cantidad de activos suministrados\",\"+nuEh/\":\"Estimated time\",\"+xMFF8\":\"Remind me\",\"/57U31\":\"Cantidad para migrar\",\"/7ykiW\":\"Tomar prestado esta cantidad reducirá tu factor de salud y aumentará el riesgo de liquidación.\",\"/YA5pU\":\"E-Mode increases your LTV for a selected category of assets, meaning that when E-mode is enabled, you will have higher borrowing power over assets of the same E-mode category which are defined by Aave Governance. You can enter E-Mode from your <0>Dashboard. To learn more about E-Mode and applied restrictionn, see the <1>help guide or the <2>Aave V3 Technical Paper.\",\"/izjs/\":\"Cantidad mínima de Aave stakeado\",\"/jQctM\":\"To\",\"/lDBHm\":\"Preguntas frecuentes\",\"/yNlZf\":\"El préstamo estable no está habilitado\",\"/yQcJM\":\"Valor total\",\"00AB2i\":\"El usuario no tomó prestado el activo especificado\",\"00OflG\":\"No hay suficiente liquidez para que el activo seleccionado realice el cambio. Prueba reduciendo la cantidad.\",\"08/rZ9\":\"El periodo de cooldown es el tiempo requerido antes de unstakear tus tokens (20 días). Solo puedes retirar tus activos del Módulo de Seguridad después del periodo de cooldown y dentro de la ventana de unstakeo.<0>Aprende más\",\"0AmQcW\":\"Cambio de tasa\",\"0BF3yK\":\"Lo sentimos, no hemos podido encontrar la página que estabas buscando.\",\"0TAbjq\":\"Recent Transactions\",\"0jhlyw\":\"Riesgo de liquidación\",\"0ojY+Y\":\"Balance actual v2\",\"0thX3P\":\"Cambio de garantía\",\"0wGCWc\":\"Esta es la cantidad total que puedes suministrar en esta reserva. Puedes suministrar el balance de tu cartera hasta que se alcance el límite de suministro.\",\"1AsVfF\":\"Los datos de los precios no están disponibles actualmente para esta reserva en el subgraph del protocolo\",\"1LjK22\":\"Historial de transacciones\",\"1Onqx8\":[\"Aprobando \",[\"symbol\"],\"...\"],\"1Ue8sX\":\"Por favor conecta una cartera para ver tu información personal aquí.\",\"1bpx9A\":\"...\",\"1kWUB+\":\"Umbral <0/> de liquidación\",\"1m9Qqc\":\"Retirando y Cambiando\",\"1oyh4g\":\"Borrow rate\",\"1t7rez\":\"El suministro de activos está limitado a una cierta cantidad para reducir la exposición del protocolo a este activo y ayudar a manejar los riesgos implicados.\",\"2CAPu2\":\"Has retirado y cambiado tokens con éxito.\",\"2Eoi/a\":\"Ver detalles\",\"2FYpfJ\":\"Más\",\"2O3qp5\":\"Liquidez disponible\",\"2OM8/D\":[\"Este activo no se puede migrar debido a una restricción del límite de suministro en el mercado v3 de \",[\"marketName\"],\".\"],\"2Q4GU4\":\"Dirección bloqueada\",\"2ZGocC\":\"Aave es un protocolo totalmente descentralizado, gobernado por la comunidad de poseedores de tokens AAVE. Los poseedores de tokens AAVE discuten, proponen y votan colectivamente sobre las actualizaciones del protocolo. Los poseedores de tokens AAVE (solo en la red Ethereum) pueden votar ellos mismos sobre nuevas propuestas o delegarse a una dirección de su elección. Para aprender más, consulta la\",\"2a6G7d\":\"Por favor introduce una dirección de cartera válida.\",\"2bAhR7\":\"Conoce GHO\",\"2eBWE6\":\"Acepto los riesgos involucadros.\",\"2o/xRt\":\"Se ha alcanzado el límite de suministro en la reserva especificada. Prueba reduciendo la cantidad.\",\"2uJToh\":[[\"0\"],[\"name\"]],\"2x58bP\":\"El préstamo estable no está habilitado\",\"34Qfwy\":\"El límite del préstamo se ha sobrepasado\",\"39eQRj\":[\"Tomar prestado \",[\"symbol\"]],\"3BL1xB\":\"Total suministrado\",\"3BnIWi\":\"Cambiado\",\"3K0oMo\":\"Suministro restante\",\"3MoZhl\":\"No hay suficiente garantía para cubrir un nuevo préstamo\",\"3Np5O8\":[\"Suministrar \",[\"symbol\"]],\"3O8YTV\":\"Interés total acumulado\",\"3mXg0z\":\"LTV máximo\",\"3q3mFy\":\"Pagar\",\"3qsjtp\":\"El promedio ponderado de APY para todos los activos suministrados, incluidos los incentivos.\",\"3rL+os\":\"Solo puedes retirar tus activos del Módulo de Seguridad después de que finalice el período de cooldown y la ventana de unstakeo esté activa.\",\"42UgDM\":[\"Migrar al mercado V3 de \",[\"0\"]],\"49UFQA\":\"Resultados de la votación\",\"4DMZUI\":\"Ver Transacciones\",\"4HtGBb\":\"MAX\",\"4Y5H+g\":\"Términos\",\"4YYh4d\":\"Máximo disponible para tomar prestado\",\"4iPAI3\":\"Cantidad de préstamo mínima de GHO\",\"4lDFps\":\"Firma para continuar\",\"4wyw8H\":\"Transacciones\",\"5JSSxX\":[\"Tu cartera de \",[\"networkName\"],\" está vacía. Consigue activos de prueba gratis en\"],\"5K7kGO\":\"documentación\",\"5NOSGa\":\"El límite de deuda limita la cantidad posible que los usuarios del protocolo pueden tomar prestado contra este activo. El límite de deuda es específico para los activos en isolation mode y se indica en USD.\",\"5Ncc6j\":[\"Este activo casi ha alcanzado su límite de suministro. Solo se puede suministrar \",[\"messageValue\"],\" a este mercado.\"],\"5cZ/KX\":\"El suministro de deuda variable no es cero\",\"5che++\":\"Para solicitar acceso a este mercado, porfavor visita: <0>Nombre del proveedor de acceso\",\"5ctNdV\":[\"Mínimo \",[\"0\"],\" recibido\"],\"5hDe9v\":\"Acción de permiso requerida\",\"5rsnKT\":\"Recompensas disponibles\",\"5yC5m5\":\"Ver todos los votos\",\"6/dCYd\":\"Resumen\",\"60crCe\":\"Todas las transacciones\",\"62Xcjh\":\"Garantía\",\"65A04M\":\"Español\",\"6G8s+q\":\"Firmando\",\"6Jrv+z\":[\"Pagar \",[\"symbol\"]],\"6NGLTR\":\"Cantidad descontable\",\"6Xr0UU\":\"Cooling down...\",\"6bxci/\":\"Poder de votación\",\"6f8S68\":\"Mercados\",\"6g1gi0\":\"Propuestas\",\"6gvoHP\":\"Copiar mensaje de error\",\"6h3Q5G\":\"reembolsado\",\"6lFSyT\":\"Available to Stake\",\"6s8L6f\":\"Cambiar de red\",\"6yAAbq\":\"APY, tasa de préstamo\",\"70wH1Q\":\"APR\",\"72c5Qo\":\"Total\",\"73Auuq\":\"Los parámetros de descuento son decididos por la comunidad de Aave y pueden cambiar con el tiempo. Consulta el Gobierno para ver actualizaciones y vota para participar. <0>-Aprende más\",\"75qcAQ\":[[\"stepName\"]],\"7ITr5L\":\"Factor de salud\",\"7T/o5R\":\"Alcanzado\",\"7YlcXu\":\"El fork mode está activado\",\"7Z76Iw\":\"Tomar prestado no está disponible porque estás usando el Isolation mode. Para administrar el Isolation mode, visita tu <0>Panel de control.\",\"7aKlMS\":\"Compartir en Lens\",\"7er5fP\":\"Reclamar todo\",\"7hb2+s\":\"Time remaining until the withdraw period ends.\",\"7l88b8\":\"No se pudieron recuperar los datos, por favor recarga el gráfico.\",\"7p5kLi\":\"Panel de control\",\"7sofdl\":\"Retirar y Cambiar\",\"8+6BI0\":\"Ten cuidado - Estás muy cerca de la liquidación. Considera depositar más garantía o pagar alguno de tus préstamos\",\"87pUEW\":[\"Tu cartera de \",[\"name\"],\" está vacía. Compra o transfiere activos.\"],\"8F1i42\":\"Página no encontrada\",\"8G8M0u\":\"Cargando datos...\",\"8Iu1QS\":\"retirado\",\"8JL93T\":\"Todas las propuestas\",\"8Q51DU\":\"Añadir a la cartera\",\"8X/oyn\":\"Cantidad invalidad para generar\",\"8Z5FPv\":\"Desconectar cartera\",\"8Zz7s5\":\"activos\",\"8aLW8H\":\"Balance a revocar\",\"8bOT3H\":\"Tasa de uso\",\"8sLe4/\":\"Ver contrato\",\"8t/M0y\":\"Please connect your wallet to be able to bridge your tokens.\",\"8vETh9\":\"Mostrar\",\"94OHPx\":\"Estás entrando en el Isolation mode\",\"9CDK3/\":[\"Tomar prestado no está disponible actualmente para \",[\"0\"],\".\"],\"9GIj3z\":\"Tamaño de la reserva\",\"9Knqb4\":\"Balance stakeado\",\"9OBKm7\":\"Quorum\",\"9QHoGr\":\"Votos actuales\",\"9Rw96f\":[\"Este activo casi ha alcanzado su límite de préstamo. Solo hay \",[\"messageValue\"],\" disponibles para ser prestado de este mercado.\"],\"9Xj/qR\":[\"Algunos activos migrados no se utilizarán como garantía debido al isolation mode habilitado en el mercado V3 de \",[\"marketName\"],\". Visita el <0>Panel de control de \",[\"marketName\"],\" V3 para administrar el isolation mode.\"],\"9c6vDV\":\"Este activo ha alcanzado su límite de suministro. No queda nada disponible para ser suministrado desde este mercado.\",\"9kTWHA\":\"MAI ha sido pausado debido a una decisión de la comunidad. Los suministros, préstamos y pagos se han visto afectados. <0>Más información\",\"9lXchd\":\"Token subyacente\",\"9rWaKF\":\"Bridged Via CCIP\",\"9xSooW\":\"Puesto que esta es una red de pruebas, puedes obtener cualquiera de los activos si tienes ETH en tu cartera\",\"A/lwoe\":\"Elige uno de los servicios on-ramp\",\"A6dCI6\":[\"La máxima cantidad disponible para tomar prestado es <0/> \",[\"0\"],\" (<1/>).\"],\"AReoaV\":\"Tus préstamos\",\"ARu1L4\":\"Pagado\",\"AV7cGz\":\"Revisa los detalles del approve\",\"AZOjB8\":\"Recuperando datos...\",\"Ai0jas\":\"Únete a la discusión de la comunidad\",\"Ajl2rq\":\"El poder de préstamo y los activos están limitados debido al Isolation mode.\",\"AqgYNC\":\"El límite de préstamo del protocolo está al 100% para este activo. No es posible tomar más prestado.\",\"B3EcQR\":\"¡Gracias por votar!\",\"B6aXGH\":\"Estable\",\"B9Gqbz\":\"Tasa variable\",\"BDFEd+\":\"stETH suministrado como garantía continuará acumulando recompensas de staking proporcionadas por rebases diarios.\",\"BE2mP0\":\"Borrowed assets\",\"BJyN77\":\"Debido al impacto del factor de salud, se requiere un préstamo flash para realizar esta transacción, pero el Gobierno de Aave ha inhabilitado la disponibilidad de préstamos flash para este activo. Intenta reducir la cantidad o suministrar garantía adicional.\",\"BNL4Ep\":\"El uso como garantía está limitado debido al isolation mode. <0>Aprende más\",\"BQ/wCO\":\"Migrate your assets\",\"BjLdl1\":\"Con un descuento\",\"BnhYo8\":\"Categoría de activos\",\"Bq9Y7e\":\"Este activo está congelado debido a una decisión de la comunidad de Aave. <0>Más información\",\"BqWMDJ\":\"Faucet\",\"BqynZO\":\"Optimized for efficiency and risk by supporting blue-chip collateral assets\",\"Bsu7zX\":\"The fee includes the gas cost to complete the transaction on the destination chain and the fee paid to Chainlink CCIP service providers. You can chose to pay in the network token or GHO. <0>Learn more\",\"BwJKBw\":\"de\",\"CDrsH+\":\"Documento técnico\",\"CK1KXz\":\"Max\",\"CMHmbm\":\"Deslizamiento\",\"CZXzs4\":\"Griego\",\"CcRNG6\":\"Cambiando\",\"CkTRmy\":[\"Reclamar \",[\"symbol\"]],\"CsqtLm\":\"Por favor conecta tu cartera para ver la herramienta de migración.\",\"CtGlFb\":[\"Faucet \",[\"networkName\"]],\"Cxt2YY\":\"Watch wallet\",\"D33VQU\":\"Esta acción reducirá el factor de salud de V3 por debajo del umbral de liquidación. Aumenta la garantía migrada o reduce el préstamo migrado para continuar.\",\"D9BLRG\":\"Este activo ha sido pausado debido a una decisión de la comunidad. El suministro, los retiros, los préstamos y los pagos se han visto afectados.\",\"DAma/S\":\"La garantía es (en su mayoría) el mismo activo que se está tomando prestado\",\"DCnFg0\":[\"Direcciones (\",[\"0\"],\")\"],\"DG3Lv1\":\"Entiendo completamente los riesgos de migrar.\",\"DONJcV\":\"El activo base no puede ser rescatado\",\"DR+4uL\":\"Balance del suministro después del cambio\",\"DWjrck\":[\"Este activo no se puede migrar al mercado V3 de \",[\"marketName\"],\" debido a las restricciones del E-mode. Puedes deshabilitar o administrar las categorías del E-mode en tu <0>Panel de control V3\"],\"Dj+3wB\":\"Aave por mes\",\"DptNvx\":\"Amount Staked\",\"DuEq2K\":\"Colateralización\",\"DxfsGs\":\"Puedes reportar cualquier incidente a nuestro <0>Discord o <1>Github.\",\"Dzma+E\":\"Main Ethereum market with the largest selection of assets and yield options\",\"E/QGRL\":\"Deshabilitado\",\"EBL9Gz\":\"¡COPIADO!\",\"ES8dkb\":\"Interés fijo\",\"EZd3Dk\":[\"Restakeando \",[\"symbol\"]],\"Ebgc76\":[\"Retirando \",[\"symbol\"]],\"EdQY6l\":\"Ninguno\",\"EjvKQ+\":\"Valor mínimo en USD recibido\",\"Enslfm\":\"Destination\",\"EvE9nO\":[\"Reactivar el periodo de cooldown para unstakear \",[\"0\"],\" \",[\"stakedToken\"]],\"EvECnL\":\"Migrar a V3\",\"EzMQbh\":\"The source chain time to finality is the main factor that determines the time to destination. <0>Learn more\",\"F40cwT\":\"Legacy Markets\",\"F6TdXL\":\"Aprende más.\",\"FDDPeZ\":\"Users can stake their assets in the protocol and earn incentives. In the case of a shortfall event, your stake can be slashed to cover the deficit, providing an additional layer of protection for the protocol.\",\"FHlMf/\":\"Balance actual v2\",\"FHpxjF\":[\"El factor de reserva es un porcentaje de interés que va a un \",[\"0\"],\" que es controlado por el gobierno de Aave para promover el crecimiento del ecosistema.\"],\"FOBZa6\":\"Capacidad de préstamo utilizada\",\"FPKEug\":\"Operación no soportada\",\"FbmMe7\":\"Direcciones vinculadas\",\"Fdp03t\":\"en\",\"Fjw9N+\":\"Activos a suministrar\",\"FmN0fk\":\"Restakear\",\"GDGLIs\":\"GHO es un activo nativo descentralizado, digital y respaldado por garantía, vinculado al USD. Es creado por los usuarios que lo toman prestado contra múltiples garantías. Cuando el usuario paga su posición de préstamo de GHO, el protocolo quema el GHO de ese usuario. Todos los pagos de interés acumulados por los acuñadores de GHO serán transferidos directamente a la tesorería de\xA0la\xA0DAO\xA0de\xA0Aave.\",\"GQrBTq\":\"Cambiar E-Mode\",\"GWswcZ\":\"Este activo está congelado debido a una decisión del Gobierno del Protocolo Aave. El 20 de diciembre de 2022, renFIL ya no será compatible y no se podrá conectar de nuevo a su red nativa. Se recomienda retirar las posiciones de suministro y pagar las posiciones de préstamo para que renFIL se pueda convertir de nuevo a FIL antes de la fecha límite. Después de esta fecha, ya no será posible convertir renFIL a FIL. <0>Más detalles\",\"GX8GKD\":\"Activos\",\"GgEj+0\":\"Modo de solo lectura. Conéctate a una cartera para realizar transacciones.\",\"GjkIKV\":\"finaliza\",\"GoK/QN\":\"Thank you for submitting feedback!\",\"GtP2hp\":[\"Tomar prestado no está disponible porque has habilitado el Efficieny Mode (E-Mode) para la categoría \",[\"0\"],\". Para manejar las categorías del E-Mode visita tu <0>Panel de control.\"],\"H6Ma8Z\":\"Descuento\",\"HB/wfS\":[[\"tooltipText\"]],\"HKDsQN\":\"Rewards can be claimed through\",\"Ha/U5f\":\"This is a program initiated and implemented by the decentralised ZKSync community. Aave Labs does not guarantee the program and accepts no liability.\",\"HciqKU\":\"This is a program initiated and implemented by the decentralised Aave community. Aave Labs does not guarantee the program and accepts no liability.\",\"Hi6Ttn\":\"Lo sentimos, se produjo un error imprevisto. Mientras tanto, puedes intentar recargar la página, o volver después.\",\"HkEDbS\":[[\"d\"],\"d\"],\"HmkYqM\":\"Ventana de unstakeo\",\"HpK/8d\":\"Recargar\",\"HrnC47\":\"Guardar y compartir\",\"HuVZMK\":\"Days\",\"HvJKMU\":[\"Este activo no se puede migrar al mercado v3 de \",[\"marketName\"],\", ya que el activo de garantía habilitará el isolation mode.\"],\"Hvwnm9\":[\"La cantidad máxima disponible para suministrar está limitada porque el límite de suministro del protocolo está al \",[\"0\"],\"%.\"],\"I8CX2c\":\"La cantidad total de tus activos denominados en USD que pueden ser usados como garantía para activos de préstamo.\",\"IAD2SB\":[\"Reclamando \",[\"symbol\"]],\"IG9X9/\":\"Tomar prestado este activo está limitado a una cierta cantidad para minimizar la insolvencia del fondo de liquidez.\",\"IOIx8L\":\"Está previsto que este activo se desvincule debido a una decisión del Gobierno del Protocolo Aave. <0>Más detalles\",\"IP+I/j\":\"Periodo de cooldown\",\"IaA40H\":\"Liquidación en\",\"J/hVSQ\":[[\"0\"]],\"JCoxL6\":\"Administrar analíticas\",\"JK9zf1\":[\"Interés compuesto estimado, incluyendo el descuento por Staking \",[\"0\"],\"AAVE en el Módulo de Seguridad.\"],\"JOqFba\":[\"Unstakeando \",[\"symbol\"]],\"JPrLjO\":\"No puedes usar este activo como garantía\",\"JU6q+W\":\"Recompensa(s) por reclamar\",\"JYKRJS\":\"Stakear\",\"JZMxX0\":\"No hay suficiente balance en tu cartera\",\"Jgflkm\":\"Obtener GHO\",\"JoMQnI\":\"Balance de la cartera\",\"JtwD8u\":\"Balance tomado prestado tras pagar\",\"JumYTK\":\"Supplied assets\",\"K05qZY\":\"Retirar y Cambiar\",\"KAz/NV\":\"El límite de deuda del protocolo está al 100% para este activo. No es posible tomar más prestado usando este activo como garantía.\",\"KLXVqE\":[\"Los tokens stETH se migrarán a Wrapped stETH usando el wrapper del protocolo de Lido, lo que provoca un cambio en el balance de suministro después de la migración: \",[\"0\"]],\"KLd6ky\":\"Use connected account\",\"KRpokz\":\"VER TX\",\"KSlpka\":\"Esto representa el umbral en el que un préstamo será considerado sin garantía suficiente y sujeto a la liquidación de la misma. Por ejemplo, si una garantía tiene un umbral de liquidación del 80 %, significa que el préstamo será liquidado cuando el valor de la deuda alcanze el 80% del valor de la garantía.\",\"KYAjf3\":\"Aislado\",\"KZwRuD\":[[\"notifyText\"]],\"KkPgim\":\"Cambiando E-Mode\",\"KnN1Tu\":\"Caduca\",\"KoOBI2\":\"Debido a mecánicas internas de stETH requeridas para el soporte del rebase, no es posible realizar un cambio de garantía donde stETH es el token de origen.\",\"KojyJ4\":\"Red incorrecta\",\"KsqhWn\":\"Staking\",\"KuBTQq\":\"Introduce la dirección ETH\",\"KvG1xW\":\"Reclamando\",\"L+8Lzs\":\"LTV actual\",\"L+qiq+\":\"Mercado\",\"LDzfVJ\":\"Send Feedback\",\"LIrMcF\":\"Sin poder de voto\",\"LL0zks\":\"Puede ser garantía\",\"LLdJWu\":\"AAVE Reclamable\",\"LSIpNK\":\"Tomar prestado y pagar en el mismo bloque no está permitido\",\"LVt3TI\":[\"<0>Tolerancia de deslizamiento <1>\",[\"selectedSlippage\"],\"% <2>\",[\"0\"],\"\"],\"LjafV8\":\"Maximum collateral amount to use\",\"LtpQew\":\"Let us know how we can make the app better for you. For user support related inquiries please reach out on\",\"LvVpD/\":\"Modo E\",\"M2sknc\":\"Tip: Intenta aumentar el deslizamiento o reduce la cantidad de entrada\",\"M7wPsD\":\"Cambiar\",\"MFu33y\":\"Staking 00\",\"MIy2RJ\":\"Maximum amount received\",\"MZ/nQf\":\"Dirección del destinatario\",\"Ma/MtY\":\"vista de stakeo\",\"McHlGl\":\"Cambio de APY\",\"MeCCA+\":\"APY, variable\",\"MghdTe\":\"Si el factor de salud se encuentra por debajo de 1, la liquidación de tu colateral puede ser activada.\",\"Mm/DVQ\":\"Has cancelado la transacción.\",\"MnE2QX\":\"Información de préstamo\",\"MrmQHg\":\"View Bridge Transactions\",\"MuDFEQ\":\"Valor de retorno inválido en la función executor del préstamo flash\",\"N5kUMV\":\"Este activo solo se puede utilizar como garantía en isolation mode con poder de préstamo limitado. Para entrar en el isolation mode, deshabilita todas las demás garantías.\",\"N6Pxr9\":\"View all\",\"NF0e1Q\":\"Pendiente...\",\"NK9ikO\":\"Balance de la cartera\",\"NMt2CB\":\"Cantidad reclamable\",\"NcFGxG\":\"Collector Contract\",\"NfpPeS\":\"Nada invertido\",\"Nh9DAo\":[[\"m\"],\"m\"],\"O+sCUU\":\"El límite de minteo sin respaldo ha sido excedido\",\"O+tyU+\":[\"La cantidad máxima disponible para tomar prestado contra este activo está limitada porque el límite de deuda está al \",[\"0\"],\"%.\"],\"O3oNi5\":\"Email\",\"OFjZGo\":\"Unstakear\",\"OR8cYX\":\"Resumen de la propuesta\",\"OYuJ9K\":\"El límite de deuda del protocolo está al 100% para este activo. No es posible tomar más prestado usando este activo como garantía.\",\"OfhWJH\":\"Restablecer\",\"Og2SKn\":\"deshabilitado\",\"On0aF2\":\"Página web\",\"OsyKSt\":\"Retirar\",\"P1dURE\":\"Revocar poder\",\"P2WCD/\":[\"El activo subyacente no existe en el mercado v3 de \",[\"marketName\"],\", por lo tanto, esta posición no se puede migrar.\"],\"P2sL6B\":\"Cuando ocurre una liquidación, los liquidadores pagan hasta el 50% de la cantidad pendiente del préstamo en nombre del prestatario. A cambio, pueden comprar la garantía con descuento y quedarse con la diferencia (sanción de liquidación) como bonificación.\",\"P6sRoL\":\"Stakea ABPT\",\"P72/OW\":\"El promedio ponderado de APY para todos los activos prestados, incluidos los incentivos.\",\"P7e6Ug\":\"Por favor conecta tu cartera para ver el historial de transacciones.\",\"PByO0X\":\"Votos\",\"PI+kVe\":\"Deshabilitar fork\",\"PJK9u/\":\"Apy préstamo\",\"PLUB/s\":\"Fee\",\"PP5ZA8\":[\"Participating in staking \",[\"symbol\"],\" gives annualized rewards. Your wallet balance is the sum of your aTokens and underlying assets. The breakdown to stake is below\"],\"PcBUgb\":\"Umbral de liquidación\",\"PjU6bu\":\"This asset is eligible for SPK incentive program. Aave Labs does not guarantee the program and accepts no liability.\",\"PpqD5g\":\"Habilitar este activo como garantía aumenta tu poder préstamo y el factor de salud. Sin embargo, puede ser liquidado si tu factor de salud cae por debajo de 1.\",\"PsOFSf\":\"Esta acción reducirá el factor de salud V2 por debajo del umbral de liquidación. Mantén la garantía o migra la posición de préstamo para continuar.\",\"Pu4bI/\":[[\"currentMethod\"]],\"Q0LzKi\":\"View TX\",\"Q4eNqa\":\"El Aave Balancer Pool Token (ABPT) es un token de pool de liquidez. Puedes recibir ABPT depositando una combinación de AAVE + wstETH en el pool de liquidez de Balancer. Luego puedes stakear tu BPT en el módulo de seguridad para asegurar el protocolo y ganar incentivos de seguridad.\",\"QQYsQ7\":\"Retirando\",\"QWYCs/\":\"Stakear GHO\",\"R+30X3\":\"No alcanzado\",\"RCU5PY\":\"Age\",\"RIfckG\":[\"Desactivar \",[\"symbol\"],\" como garantía\"],\"RMtxNk\":\"Diferencial\",\"RNK49r\":\"Firma inválida\",\"RS0o7b\":\"Estado\",\"RU+LqV\":\"Detalles de la propuesta\",\"RYTgZX\":\"lorem ipsum\",\"RbXH+k\":\"Los poseedores de AAVE, GHO y ABPT (solo en la red de Ethereum) pueden stakear sus activos en el Módulo de Seguridad para añadir más seguridad al protocolo y obtener incentivos de seguridad. En el caso de un evento de shortfall, tu stakeo puede ser reducido para cubrir el déficit. proporcionando una capa adicional de protección para el protocolo.\",\"RiSYV4\":\"El activo no está listado\",\"Rj01Fz\":\"Enlaces\",\"RmWFEe\":\"Staking APR\",\"RoafuO\":\"Enviar feedback\",\"RtBLm7\":\"El factor de salud es menor que el umbral de liquidación\",\"RxzN1M\":\"Habilitado\",\"SDav7h\":\"Fondos en el Módulo de Seguridad\",\"SENccp\":\"Si el error persiste, <0/> podrías reportarlo a esto\",\"SIWumd\":\"Mostrar activos congelados o pausados\",\"SM58dD\":\"Cantidad en cooldown\",\"SSMiac\":\"Error al cargar los votantes de la propuesta. Por favor actualiza la página.\",\"SSQVIz\":\"Umbral de liquidación\",\"SUb8x0\":\"Total disponible\",\"SWIgh4\":\"Fees exceed wallet balance\",\"SY9hVo\":\"El modo de solo lectura permite ver las posiciones de las direcciones en Aave, pero no podrás realizar transacciones.\",\"SZRUQ4\":\"Deslizamiento máximo\",\"Sa1UE/\":\"El límite de préstamo del protocolo está al 100% para este activo. No es posible tomar más prestado.\",\"Sk2zW9\":\"Desactivando E-Mode\",\"SxaD0o\":\"La dirección del proveedor del pool no esta registrada\",\"T/AIqG\":\"El límite de suministro del protocolo está al 100% para este activo. No es posible suministrar más.\",\"T0xCO9\":\"No se puede validar la dirección de la cartera. Vuelve a intentarlo.\",\"T4OhVl\":\"GHO balance\",\"T6uYU2\":\"Tomar prestado\",\"TFxQlw\":\"Penalización de liquidación\",\"TQ7WsV\":\"Available to stake\",\"TUI7iB\":\"El activo solo puede usarse como garantía en el Isolation mode únicamente.\",\"TbjyhA\":\"Docs\",\"TduuS0\":\"El usuario no tiene deuda pendiente de tasa estable en esta reserva\",\"TeCFg/\":\"Cambio de tasa de préstamo\",\"Tg1JyO\":\"Bridge history\",\"TskbEN\":\"Los poseedores de stkAAVE reciben un descuento en la tasa de préstamo de GHO\",\"TszKts\":\"Balance de préstamo después del cambio\",\"TtZL6q\":\"Parámetros del modelo de descuento\",\"TwJI9F\":\"Asset has been successfully sent to CCIP contract. You can check the status of the transactions below\",\"Tz0GSZ\":\"actividades bloqueadas\",\"U/eBjN\":\"Recarga la página\",\"U2r8nY\":\"Elige cuánto poder de voto/proposición otorgar a otra persona delegando parte de tu balance de AAVe o stkAAVE. Tus tokens permanecerán en tu cuenta, pero tu delegado podrá votar o proponer en tu lugar. Si tu balance de AAVE, stkAAVE o aAave cambia, el poder de voto/proposición de tu delegado se ajustará automáticamente.\",\"U8IubP\":\"La aplicación se está ejecutando en testnet mode. Aprende como funciona en\",\"U9btTk\":\"El activo no se puede pedir prestado en isolation mode\",\"UAOZRe\":\"El impacto del precio es la diferencia entre el valor total de los tokens de entrada cambiados y los tokens de destino obtenidos (en USD), que resulta de la liquidez limitada del par de cambio.\",\"UE3KJZ\":\"El historial de transacciones no está disponible actualmente para este mercado\",\"URmyfc\":\"Detalles\",\"UTTKmT\":\"Cooldown de stakeo activado\",\"UXeR72\":\"Estos fondos se han tomado prestados y no están disponibles para su retirada en este momento.\",\"UYb8CM\":\"Learn more about the SPK rewards\",\"UbRrG0\":\"El ratio LTV máximo representa el poder de endeudamiento máximo de una garantía específica. Por ejemplo, si una garantía tiene un LTV del 75 %, el usuario puede pedir prestado hasta 0,75 ETH en la moneda principal por cada 1 ETH de garantía.\",\"UpndFj\":\"No hay recompensas para reclamar\",\"V0f2Xv\":\"Factor de reserva\",\"V1HK43\":\"Riesgos de migración\",\"VATFH9\":\"Deuda cubierta\",\"VHOVEJ\":\"Conectar cartera\",\"VMfYUK\":\"Seguridad de tu garantía depositada contra los activos prestados y su valor subyacente.\",\"VOAZJh\":\"Total de préstamos\",\"ViKYxK\":\"YAE\",\"W1SSoD\":\"Revisar detalles de la tx\",\"W5hVah\":\"Nada suministrado aún\",\"W5kTFy\":\"Votando\",\"W8ekPc\":\"Volver al panel de control\",\"WMPbRK\":\"No respaldado\",\"WNGZwH\":\"El E-Mode incrementa tu LTV para una categoría seleccionada de activos hasta el <0/>. <1>Aprende más\",\"WPWG/y\":\"Configuración y estado de la reserva\",\"WZLQSU\":\"El usuario no puede retirar más que el balance disponible\",\"WaZyaV\":\"<0>Ampleforth es un activo con rebase. Visita la <1>documentación para aprender más.\",\"WfU+XN\":\"Debido a que este activo está en pausa, no se pueden realizar acciones hasta nuevo aviso\",\"Wjmqs2\":\"No results found. You can import a custom token with a contract address\",\"WkZ6C6\":\"Para tomar prestado, necesitas suministrar cualquier activo para ser utilizado como garantía.\",\"WyMiQm\":\"Has cambiado los tokens con éxito.\",\"X/ITG9\":\"Copiar el texto del error\",\"X3Pp6x\":\"Utilizado como garantía\",\"X4Zt7j\":\"No se puede realizar la acción porque la reserva está pausada\",\"XBdKOj\":\"Direcciones de cartera de contrato inteligente representativas (Safe) en otras cadenas.\",\"XZzneG\":\"Saldrás del modo aislamiento y otros tokens pueden ser usados ahora como garantía\",\"Xg5y9S\":\"Amount to Bridge\",\"Xn4hUi\":\"Por favor ten siempre en cuenta tu <0>factor de salud (HF) cuando migres parcialmente una posición y que tus tasas serán actualizadas a tasas de la V3.\",\"Xy71ST\":\"Umbrella\",\"Y5kGkc\":\"VOTAR NO\",\"YDIOks\":\"Habilitar E-Mode\",\"YSodyW\":\"Esta acción reducirá tu factor de salud. Por favor ten en cuenta el riesgo incrementado de liquidación de la garantía.\",\"YXOWXM\":\"The total amount bridged minus CCIP fees. Paying in network token does not impact gho amount.\",\"YirHq7\":\"Feedback\",\"YogbCJ\":\"Testnet mode está ON\",\"YrDxdO\":\"Si tu relación préstamo-valor supera el umbral de liquidación, tu garantía puede ser liquidada.\",\"YyIM65\":\"No se cumplieron las condiciones de ajuste de tasas de interés\",\"YyydIq\":[\"Añade \",[\"0\"],\" a tu cartera para hacer un seguimiento del balance.\"],\"ZBvhI+\":\"Gobierno de Aave\",\"ZIIRAd\":\"Raw-Ipfs\",\"ZRq4tX\":\"Modo de eficiencia (E-Mode)\",\"ZSqEW+\":\"Manage E-Mode\",\"ZUFYFE\":\"Deshabilitar testnet\",\"Zbyywy\":\"Max slashing\",\"ZfUGFb\":\"Antes de suministrar\",\"ZiXN+B\":\"Assets to stake\",\"ZlsSDH\":\"Valor de liquidación\",\"ZrEc8j\":\"No pudimos encontrar ningún activo relacionado con tu búsqueda. Vuelve a intentarlo con un nombre diferente de activo, símbolo o dirección.\",\"ZsLF7e\":\"habilitado\",\"a0YQoQ\":\"Enter a valid address\",\"a2fBZn\":\"Tempo restante para unstakear\",\"a5RYZd\":\"Deshabilitar este activo como garantía afecta tu poder de préstamo y Factor de Salud.\",\"a7u1N9\":\"Precio\",\"a9D+6D\":\"Unstakeado\",\"aEtiwq\":\"Votar NO\",\"aMmFE1\":\"Comprar Crypto con Fiat\",\"aOKIms\":\"Los parámetros del array que deberían ser iguales en longitud no lo son\",\"aX31hk\":\"Tu balance es más bajo que la cantidad seleccionada.\",\"adUsDd\":\"Se ha producido un error al recuperar la propuesta.\",\"al6Pyz\":\"Supera el descuento\",\"aoXTT7\":\"APY préstamo, variable\",\"aqX1Yp\":\"This asset is eligible for rewards through SuperFest. Aave Labs does not guarantee the program and accepts no liability.\",\"avgETN\":\"Eligible for the Merit program.\",\"b4NS3e\":\"Advertencia periodo de cooldown\",\"bNEQeI\":\"Cooldown\",\"bSruit\":\"ZKSync Ignite Program rewards are claimed through the\",\"bUUVED\":\"Activo\",\"bXQ/Og\":\"Compartir en twitter\",\"bXr0ee\":\"Los activos aislados han limitado tu capacidad de préstamo y otros activos no pueden ser usados como garantía.\",\"bYmAV1\":\"Direcciones\",\"bguKoJ\":\"La cantidad solicitada es mayor que el tamaño máximo del préstamo en el modo de tasa estable\",\"bwSQI0\":\"Suministrar\",\"bxN6EM\":\"No se puede deshabilitar E-Mode\",\"bxmzSh\":\"No hay suficiente garantía para pagar esta cantidad de deuda con\",\"c91vuQ\":\"La dirección no es un contrato\",\"c97os2\":\"aToken de Aave\",\"c9b44w\":\"No puedes retirar esta cantidad porque causará una liquidación\",\"cBc+4A\":\"Esta es la cantidad total disponible que puedes tomar prestada. Puedes tomar prestado basado en tu garantía y hasta que el límite de préstamo se alcance.\",\"cIl5kp\":\"Tu poder de voto se basa en tu balance de AAVE/stkAAVE y delegaciones recibidas.\",\"cLo09S\":\"Detalles de riesgo\",\"cNT+ij\":\"Tomar prestado no está disponible porque has habilitado el Efficiency Mode (E-Mode) y el Isolation mode. Para administrar el E-Mode y el Isolation Mode, visita tu <0>Panel de control.\",\"cZOeBk\":\"Something went wrong fetching bridge message, please try again later.\",\"ceix5S\":\"Para enviar una propuesta de cambios menores al protocolo, necesitarás al menos 80K de poder. Si deseas cambiar la base central del código, necesitarás un poder de 320K.<0>Aprende más\",\"ciSsYT\":\"Staking APY\",\"ciybUa\":\"Votar SI\",\"ckf7gX\":[\"Pagando \",[\"symbol\"]],\"cp1ZDP\":[\"Bridge \",[\"symbol\"]],\"cqnmnD\":\"Tasa de interés efectiva\",\"cqwIvs\":\"Hilo de discusión del foro\",\"csDS2L\":\"Disponible\",\"cu7Stb\":\"No has participado en esta propuesta\",\"dE6BLF\":\"Gobierno\",\"dEgA5A\":\"Cancelar\",\"dIsyWh\":\"La validación del LTV ha fallado\",\"dMtLDE\":\"para\",\"dOB5nW\":[\"La cantidad máxima disponible para suministrar es <0/> \",[\"0\"],\" (<1/>).\"],\"dVfODp\":\"No tienes suficientes fondos en tu cartera para pagar la cantidad total. Si procedes a pagar con tu cantidad actual de fondos, aún tendrás un pequeño préstamo en tu panel de control.\",\"dXUQFX\":\"Activos a tomar prestado\",\"dgr1aY\":\"Tomar prestado está deshabilitado debido a una decisión de la comunidad de Aave. <0>Más información\",\"djsg0o\":\"Uso de la garantía\",\"dpc0qG\":\"Variable\",\"drdV8R\":\"Liquidación\",\"dxW8cS\":\"Token de deuda de Aave\",\"e4V3oW\":\"Top 10 direcciones\",\"eD8WX/\":\"La acción requiere una reserva activa\",\"eJRJ04\":\"Cantidad para unstakear\",\"eLh0cL\":\"El deslizamiento es la diferencia entre las cantidades calculadas y las recibidas debido a las condiciones cambiantes del mercado entre el momento en que se envía la transacción y su verificación.\",\"ePK91l\":\"Editar\",\"eVpCmf\":\"Recompensas de Staking\",\"eVqvtf\":\"Bridge GHO\",\"eYdurp\":\"Aún no hay transacciones.\",\"ebLGGN\":\"Total tomado prestado\",\"ecqEvn\":\"El balance de garantía es 0\",\"efdrrk\":\"Disponible en\",\"enruNF\":\"empieza\",\"eqLYiD\":\"Unstakea ahora\",\"euScGB\":\"APY con descuento aplicado\",\"evw5ha\":\"Valor neto\",\"ezcU16\":\"Obtener Token ABP\",\"f3W0Ej\":[\"Has cambiado a tasa \",[\"0\"]],\"fH9i8k\":\"Has cambiado con éxito la posición de préstamo.\",\"fHcELk\":\"APR Neto\",\"fMJQZK\":\"Prestado\",\"fZ5Vnu\":\"Recibido\",\"firl9Q\":\"Tu actual relación préstamo-valor basado en tu garantía suministrada.\",\"flRCF/\":\"Descuento por staking\",\"fldjW9\":\"Previsualizar la tx y migrar\",\"fsBGk0\":\"Balance\",\"fu1Dbh\":[\"Retirar \",[\"symbol\"]],\"fwjWSI\":\"Suministrado\",\"fwyTMb\":\"Migrar a stkABPT v2\",\"g0mals\":\"You can not disable E-Mode because that could cause liquidation. To exit E-Mode supply or repay borrowed positions.\",\"g2UNkE\":\"Powered by\",\"g8KGoA\":\"FAQS\",\"g9zzqS\":\"Votó NAY\",\"gDd2gk\":\"about SuperFest.\",\"gFFh9h\":\"¡Todo listo!\",\"gIMJlW\":\"Testnet mode\",\"gOzPxe\":\"Este activo está congelado debido a una decisión del Gobierno del Protocolo Aave. <0>More información\",\"gTHi2T\":\"El usuario está intentando tomar prestado múltiples activos incluido uno aislado\",\"gVW59Y\":\"Por favor conecta tu cartera para obtener activos testnet gratis.\",\"gcFNxP\":\"Aprobación confirmada\",\"gncRUO\":\"Esta dirección está bloqueada en app.aave.com porque está asociada con una o más\",\"goff7V\":\"Dirección cero no válida\",\"gp+f1B\":\"Versión 3\",\"gr8mYw\":\"Puedes tomar prestado hasta <0/> GHO al <1/> (descuento máximo)\",\"gvTM4B\":\"El APY neto es el efecto combinado de todos los suministros y préstamos sobre total, incluidos los incentivos. Es posible tener un APY neto negativo si el APY de la deuda es mayor que el APY de suministro.\",\"gzcch9\":\"Comisión de puente de protocolo inválida\",\"h33MxW\":\"Direcciones de cartera de contrato inteligente representantes (Safe) en otras cadenas.\",\"h3ilK+\":\".CSV\",\"hB23LY\":\"Activar Cooldown\",\"hIJzBh\":\"Available to Claim\",\"hIS4N0\":\"APY neto\",\"hRWvpI\":\"Reclamado\",\"hdmy/o\":\"El % de tu poder de préstamo total utilizado. Esto se basa en la cantidad de tu garantía suministrada y la cantidad total que puedes pedir prestado.\",\"hehnjM\":\"Cantidad\",\"hjDCQr\":\"Hubo un error. Por favor intenta cambiar los parámetros o <0><1>copiar el error\",\"hom7qf\":\"Reclamar\",\"hpHJ4I\":\"Garantía liquidada\",\"hpuVIp\":\"Users who stake AAVE in Safety Module (i.e. stkAAVE holders) receive a discount on GHO borrow interest rate.\",\"huQ6Tz\":[\"Tomando prestado \",[\"symbol\"]],\"hxi7vE\":\"Balance tomado prestado\",\"i/fZ2Z\":\"Staked Balance\",\"i2JTiw\":\"Puedes ingresar una cantidad específica en el campo.\",\"iB5+/J\":\"Sobre GHO\",\"iChbOF\":\"Parámetros inconsistentes del préstamo flash\",\"iEPVHF\":\"No hay suficiente poder de voto para participar en esta propuesta\",\"iEW87X\":\"Poder delegado\",\"iEju36\":[\"Has votado \",[\"0\"]],\"iFq2YN\":\"Borrowable\",\"iGxyIA\":\"Safety Module\",\"iMVZk9\":\"Seleccionar tolerancia de deslizamiento\",\"iPMIoT\":\"Ingresa una cantidad\",\"iSLIjg\":\"Conectar\",\"iUo5rv\":\"tokens no es lo mismo que stakearlos. Si deseas stakearlos\",\"iZxa38\":\"Úsalo para votar a favor o en contra de propuestas activas.\",\"if5PH+\":\"Collector Info\",\"igkfR1\":[\"En el Isolation mode, no puedes suministrar otros activos como garantía. Un límite de deuda global limita la capacidad de préstamo del activo aislado. Para salir del Isolation mode, deshabilita \",[\"0\"],\" como garantía antes de tomar prestado otro activo. Lee más en nuestras <0>preguntas frecuentes \"],\"il0sEG\":\"El uso de garantías está limitado debido al Isolation mode.\",\"j+K1Xj\":\"Amount After Fee\",\"jA2QeW\":\"Suministrando tu\",\"jFi7dz\":\"Tasa de interés determinada por el gobierno de Aave. Esta tasa puede cambiar con el tiempo dependiendo de la necesidad de que el suministro de GHO se contraiga/expanda. <0>Aprende más\",\"jG3UJ7\":\"Desactivar el E-Mode\",\"jKYzR1\":\"Habilitar E-Mode\",\"jMam5g\":[\"Balance \",[\"0\"]],\"jSYv+Z\":\"Enabling E-Mode allows you to maximize your borrowing power, however, borrowing is restricted to assets within the selected category. <0>Learn more about how it works and the applied restrictions.\",\"jaKbwW\":[[\"s\"],\"s\"],\"jbFMap\":\"Periodo restante de cooldown\",\"jeMZNr\":[[\"0\"],\" el servicio on-ramp es proporcionado por proveedores externos y al seleccionarlo, estás aceptando los términos de dichos proveedores. Tu acceso al servicio podría depender de que el proveedor externo esté operativo.\"],\"jfl9OP\":\"Migrado\",\"jmXdoY\":\"En E-Mode algunos activos no se pueden pedir prestados. Sal del E-Mode para obtener acceso a todos los activos\",\"jpctdh\":\"Ver\",\"jqzUyM\":\"No disponible\",\"k/sb6z\":\"Seleccionar idioma\",\"k3wP3f\":\"<0>Atención: Los cambios de parámetros a través de la gobernanza pueden alterar el factor de salud de tu cuenta y el riesgo de liquidación. Sigue el <1>foro de gobierno de Aave para mantenerte actualizado.\",\"kACpF3\":[\"Reclamar \",[\"0\"]],\"kH6wUX\":\"Impacto del precio\",\"kIC28N\":\"Available to claim\",\"kIpSye\":[[\"numSelected\"],\"/\",[\"numAvailable\"],\" activos seleccionados\"],\"kN1Yg5\":\"Para pagar en nombre de un usuario, se necesita una cantidad explícita para pagar\",\"kRTD40\":[\"Cantidad a pagar para alcanzar el \",[\"0\"],\"% de utilización\"],\"kjN9tT\":\"El límite de suministro se ha sobrepasado\",\"knxE+G\":\".JSON\",\"ks2LWT\":\"El límite de deuda no es cero\",\"kwwn6i\":\"Los usuarios que stakean AAVE en el Modulo de Seguridad (es decir, poseedores de stkAAVE) reciben un descuento en la tasa de interés de préstamo de GHO. Este descuento se aplica a 100 GHO por cada 1 stkAAVE en posesión. Usa el calculador de abajo para ver la tasa de préstamo de GHO con el descuento aplicado.\",\"kz3wtK\":\"and about SPK program\",\"kzZyM4\":\"El balance de DAI se convertirá a través de los contratos de DSR y luego se suministrará como sDAI. El cambio no genera costos adicionales ni deslizamientos.\",\"lNVG7i\":\"Selecciona un activo\",\"lU2d1/\":[\"Este activo no se puede migrar debido a una liquidez insuficiente o a una limitación del límite de préstamo en el mercado v3 de \",[\"marketName\"],\".\"],\"lVhKKI\":\"Votó YAE\",\"lWLqxB\":\"No pudimos encontrar ninguna transacción relacionada con tu búsqueda. Vuelve a intentarlo con un nombre de activo diferente o restablece los filtros.\",\"lYGfRP\":\"Inglés\",\"lfEjIE\":\"Aprende más en nuestra guía <0>Preguntas frecuentes\",\"lt6bpt\":\"Garantía a pagar con\",\"m/IEhi\":\"Emisiones totales por día\",\"m7r7Hh\":\"Activos de préstamo seleccionados\",\"mDDK4p\":\"Pool de Balancer\",\"mIM0qu\":\"Cantidad esperada a pagar\",\"mUAFd6\":\"Versión 2\",\"masO5Z\":\"E-Mode increases your LTV for a selected category of assets. <0>Learn more\",\"mdNjKU\":[\"Tu cartera de \",[\"name\"],\" está vacía. Compra o transfiere activos o usa <0>\",[\"0\"],\" para transferir tus activos de \",[\"network\"],\".\"],\"muiOng\":[\"Comprar \",[\"cryptoSymbol\"],\" con Fiat\"],\"mvCXBY\":\"Stakea AAVE\",\"mwdzil\":\"Vale, cerrar\",\"mzI/c+\":\"Descargar\",\"mzdIia\":\"Este activo no puede usarse como garantía.\",\"n+SX4g\":\"Desarrolladores\",\"n8Psk4\":\"No podemos detectar una cartera. Conecta una cartera para stakear y ver tu balance.\",\"nJIhzm\":\"Apy de suministro\",\"nJgsQu\":\"Con un poder de votación de <0/>\",\"nLC6tu\":\"Francés\",\"nN2T8p\":\"During the cooldown period, you will not earn any merit rewards. However, rewards earned up to this point will remain unaffected.\",\"nNHV0z\":\"Migrar múltiples garantías y activos prestados al mismo tiempo puede ser una operación costosa y podría fallar en ciertas situaciones.<0>Por lo tanto, no se recomienda migrar posiciones con más de 5 activos (depositados + tomados prestados) al mismo tiempo.\",\"nNbnzu\":\"Proposición\",\"nOy4ob\":\"Te sugerimos volver al Panel de control.\",\"nPGNMh\":\"Puede ser ejecutado\",\"nUK1ou\":[\"Assets with zero LTV (\",[\"0\"],\") must be withdrawn or disabled as collateral to perform this action\"],\"nakd8r\":\"poseedores de stkAAVE obtienen un descuento en la tasa de préstamo de GHO\",\"nh2EJK\":[\"Por favor, cambia a \",[\"networkName\"],\".\"],\"njBeMm\":\"Ambos\",\"noN5Xf\":\"We couldn’t detect a wallet. Connect a wallet to view your staking positions and rewards.\",\"ntkAoE\":\"Descuento aplicado para <0/> AAVE stakeados\",\"ntyFSE\":[[\"h\"],\"h\"],\"nwtY4N\":\"Se produjo un error\",\"nxyWvj\":\"Retirar esta cantidad reducirá tu factor de salud y aumentará el riesgo de liquidación.\",\"o17QVP\":\"Tu factor de salud y la relación préstamo-valor determinan la seguridad de tu garantía. Para evitar liquidaciones, puedes suministrar más garantía o pagar las posiciones de préstamo.\",\"o1xc2V\":\"El balance de AToken no es cero\",\"o4tCu3\":\"APY préstamo\",\"o5ooMr\":\"Deuda\",\"o7J4JM\":\"Filtro\",\"oHFrpj\":\"Cooldown para undstakear\",\"oJ5ZiG\":\"El usuario no tiene deuda pendiente de tasa variable en esta reserva\",\"oRBGin\":\"Por favor conecta tu cartera para cambiar tus tokens.\",\"oUwXhx\":\"Activos de prueba\",\"oWklJD\":\"La tasa de interés estable <0>permanecerá igual durante la duración de su préstamo. Está recomendado para los períodos de préstamo a largo plazo y para los usuarios que prefieren la previsibilidad.\",\"odnIK3\":\"Time remaining until the 48 hour withdraw period starts.\",\"oiK5nY\":\"The current incentives period, decided on by the Aave community, has ended. Governance is in the process on renewing, check for updates. <0>Learn more.\",\"olREoo\":\"All borrow positions outside of this category must be closed to enable this category.\",\"om/XHs\":\"Disponible para suministrar\",\"ov0+mq\":\"Eligible for the ZKSync Ignite program.\",\"ovT1pF\":[\"Per the community, the \",[\"market\"],\" has been frozen.\"],\"ow3fug\":\"Sin resultados\",\"owSsI3\":\"Firmas listas\",\"p+R52m\":\"Ir al pool de Balancer\",\"p2A+s1\":[\"El periodo de cooldown es \",[\"0\"],\". Después \",[\"1\"],\" del cooldown, entrarás a la ventana de unstakeo de \",[\"2\"],\". Continuarás recibiendo premios durante el cooldown y la ventana de unstakeo.\"],\"p2S64u\":\"La relación préstamo-valor de las posiciones migradas provocaría la liquidación. Aumenta la garantía migrada o reduce el préstamo migrado para continuar.\",\"p2Z2Qi\":\"Este activo ha alcanzado su límite de préstamo. No queda nada disponible para ser prestado de este mercado.\",\"p3j+mb\":\"Tu balance de recompensa es 0\",\"p45alK\":\"Configurar la delegación\",\"p6u2s1\":\"Minimum amount of debt to be repaid\",\"pDgeaz\":[[\"title\"]],\"pdZqBk\":\"El balance subyacente debe ser mayor que 0\",\"pgWG9H\":\"No hay suficiente balance stakeado\",\"piPrJ7\":\"por favor comprueba que la cantidad que deseas depositar no está siendo utilizada actualmente para stakear. Si está utilizando para stakear, tu transacción podría fallar.\",\"pjO/iH\":\"Cantidad mínima recibida\",\"pooutM\":\"La votación está activa\",\"pqaM5s\":\"Confirmando transacción\",\"ptaxX3\":[\"Entiendo como el cooldown (\",[\"0\"],\") y el proceso de unstaking (\",[\"1\"],\") funcionan\"],\"py2iiY\":\"La función debe ser llamada por un pool\",\"q/51mF\":\"Migrar a V3\",\"q3df11\":\"Estrategia de tasa de interés\",\"q6lAbz\":\"Stakeado\",\"qB4kPi\":\"Suministrar APY\",\"qENI8q\":\"Configuración global\",\"qGz5zl\":\"Balance de la garantía tras pagar\",\"qIW9ZH\":\"Amount staked\",\"qOqbD6\":\"copiar el error\",\"qXCkEM\":\"Por favor, conecta tu cartera para ver tus suministros, préstamos y posiciones abiertas.\",\"qY2jnw\":\"Expiración inválida\",\"qf/fr+\":\"Interés acumulado\",\"quYPUU\":\"Variable interest rate will <0>fluctuate based on the market conditions.\",\"quzIeW\":\"User is in isolation mode or LTV is zero\",\"qvnz3q\":\"Cantidad inválida para quemar\",\"rHgdb0\":\"Migrate to Aave V3\",\"rOrHHe\":\"La cantidad debe ser mayor que 0\",\"rQ+R+0\":\"Activos de suministro seleccionados\",\"rSayea\":\"APY\",\"rTBDeu\":[\"Este activo no se puede migrar porque tienes una garantía en Isolation Mode en el mercado v3 de \",[\"marketName\"],\" que limita los activos prestados. Puedes administrar tu garantía en el <0>Panel de control V3 de \",[\"marketName\"],\"\"],\"rcT+yy\":\"Mostrar activos con 0 balance\",\"rf8POi\":\"Cantidad de activos tomados prestados\",\"riNWOA\":\"E-Mode\",\"rjGI/Q\":\"Privacidad\",\"rnKPW1\":\"Watch a wallet balance in read-only mode\",\"ruc7X+\":\"Añade stkAAVE para ver el APY de préstamo con el descuento\",\"rvbaFU\":[\"Bridging \",[\"symbol\"]],\"rwVVB7\":\"Reclamar todas las recompensas\",\"rwyUva\":\"Estos activos están temporalmente congelados o pausados por decisiones de la comunidad de Aave, lo que significa que no se puede suministrar / tomar prestado o intercambiar tasas de estos activos. Se permiten retiros y pagos de deuda. Sigue el <0>foro de gobierno de Aave para más actualizaciones.\",\"rxJW5W\":\"Tu poder de proposición se basa en tu balance de AAVE/stkAAVE y delegaciones recibidas.\",\"s2jJnW\":\"You don't have any bridge transactions\",\"s5wBAq\":[\"Unstakear \",[\"symbol\"]],\"sJbIdI\":\"Enter ETH address or ENS\",\"sK+Nag\":\"Revisión tx\",\"sP2+gB\":\"NO\",\"sQv06Y\":\"para\",\"sTtO6J\":\"Confirmar transacción\",\"sXKb3l\":\"Tasa de cambio\",\"sb0q4+\":\"Unstakea aquí\",\"smJNwH\":\"Disponible para tomar prestado\",\"solypO\":\"El factor de salud no está por debajo del umbral\",\"sr0UJD\":\"Volver atrás\",\"ss5GCK\":\"La dirección del proveedor del grupo de direcciones no es válida\",\"swEgK4\":\"Tu información de voto\",\"t+wtgf\":\"Nada tomado prestado aún\",\"t/YqKh\":\"Eliminar\",\"t81DpC\":[\"Aprueba \",[\"symbol\"],\" para continuar\"],\"tCnbEs\":\"Precio del oráculo\",\"tFZLf8\":\"Este cálculo de gas es solo una estimación. Tu cartera establecerá el precio de la transacción. Puedes modificar la configuración de gas directamente desde tu proveedor de cartera.\",\"tHuvQI\":\"Ir al panel de control V3\",\"tKv7cI\":\"Cambiar posición de préstamo\",\"tOcg3N\":\"Dado que este activo está congelado, las únicas acciones disponibles son retirar y pagar, a las que se puede acceder desde el <0>Panel de control\",\"tOuXfv\":[\"Cantidad a tomar prestado para alcanzar el \",[\"0\"],\"% de utilización\"],\"te9Bfl\":\"Por favor, conecta tu cartera\",\"tt5yma\":\"Tus suministros\",\"ttoh5c\":\"Cambiar a\",\"u3ZeYl\":\"Error en la transacción\",\"u706uF\":\"Préstamo flash inválido\",\"u8Gfu7\":[\"Sin resultados de búsqueda\",[\"0\"]],\"uAQUqI\":\"Status\",\"uHMwk8\":\"No hay activos seleccionados para migrar.\",\"uJPHuY\":\"Migrando\",\"uY8O30\":\"Para continuar, necesitas otorgar permiso a los contratos inteligentes de Aave para mover tus fondos de tu cartera. Según el activo y la cartera que uses, se hace firmando el mensaje de permiso (sin coste de gas), o enviando una transacción de aprobación (requiere coste de gas). <0>Aprende más\",\"udFheE\":\"Para el pago de un tipo específico de deuda, el usuario necesita tener una deuda de ese tipo\",\"ulNuNq\":\"Exportar datos a\",\"ulup2p\":\"Comprar Crypto con Fiat\",\"umICAY\":\"<0><1><2/>Añade stkAAVE para ver la tasa de préstamo con descuento\",\"usB84Z\":\"La cantidad máxima disponible para tomar prestado está limitada porque casi se ha alcanzado el límite de préstamo del protocolo.\",\"uwAUvj\":\"COPIAR IMAGEN\",\"v8x7Mg\":\"Garantía insuficiente para cubrir la nueva posición de préstamo. La cartera debe tener poder de préstamo suficiente para realizar el cambio de deuda.\",\"vEqxH9\":\"Restakeado\",\"vLyv1R\":\"Ocultar\",\"vMba49\":\"Tomar prestado no está habilitado\",\"vMpNwt\":\"Aprobar con\",\"vXIe7J\":\"Idioma\",\"vesuBJ\":\"Te permite decidir si utilizar un activo suministrado como garantía. Un activo utilizado como garantía afectará a tu poder de préstamo y factor de salud.\",\"w+V9Cx\":\"Stablecoin\",\"w/JtJ3\":\"El balance de deuda estable no es cero\",\"w4VBY+\":\"APR de recompensas\",\"w9dLMW\":[[\"label\"]],\"wAOL+X\":[\"Tu \",[\"action\"],\" <0/> \",[\"symbol\"]],\"wBIsjb\":\"Canal de Discord\",\"wQZbc/\":\"El llamador de la función no es un AToken\",\"wRRqvW\":\"No tienes suministros en este activo\",\"wZFvVU\":\"VOTAR SI\",\"wb/r1O\":[\"Faucet \",[\"0\"]],\"wdxz7K\":\"Source\",\"weH1nG\":\"El Protocolo Aave está programado para usar siempre el precio de 1 GHO = $1. Esto es diferente del uso del precio de mercado a través de oráculos para otros criptoactivos. Esto crea oportunidades de arbitraje estabilizadoras cuando el precio de GHO fluctúa.\",\"wh7Ezv\":\"No tienes balance de AAVE/stkAAVE/aAave para delegar.\",\"wlsIx7\":\"Con la testnet Faucet puedes obtener activos gratuitos para probar el Protocolo Aave. Asegúrate de cambiar tu proveedor de cartera a la red de testnet adecuada, selecciona el activo deseado y haz clic en \\\"Faucet\\\" para obtener tokens transferidos a tu cartera. Los activos de una testnet no son \\\"reales\\\", lo que significada que no tienen valor monetario. <0>Aprende más\",\"wmE285\":\"Obtener Token ABP v2\",\"wyRrcJ\":\"Como resultado de las decisiones del gobierno, este pool de stakeo de ABPT está obsoleto. Tienes la flexibilidad de migrar todos tus tokens a v2 o unstakearlos sin ningún periodo de cooldown.\",\"x5KiLL\":\"Los activos seleccionados se han migrado correctamente. Visita el panel de control del mercado para verlos.\",\"x7F2p6\":\"Diferencial actual\",\"x7K5ib\":[\"Tu cartera de \",[\"networkName\"],\" está vacía. Consigue \",[\"0\"],\" de prueba gratis en\"],\"x9iLRD\":\"tokens, por favor ve al\",\"xNy/UG\":\"Pagar con\",\"xPm8wv\":\"Aprende más sobre los riesgos involucrados\",\"xXYpZl\":[[\"0\"],\" Faucet\"],\"xaVBSS\":\"Tu información\",\"xaWZ6f\":\"Cambio tipo de APY\",\"xh6k71\":\"El uso de garantías está limitado debido al isolation mode.\",\"xvIklc\":\"El préstamo flash está deshabilitado para este activo, por lo tanto, esta posición no se puede migrar.\",\"y5rS9U\":\"Migrar\",\"y66tBm\":[\"Habilitar \",[\"symbol\"],\" como garantía\"],\"yB1YpA\":\"Modo oscuro\",\"yCrG6m\":\"Tamaño total del mercado\",\"yJUUbn\":\"Resumen de la transacción\",\"yLGmLX\":[\"Restakear \",[\"symbol\"]],\"yW1oWB\":\"Tipo APY\",\"yYHqJe\":\"Dirección no válida\",\"yZwLw6\":\"Haz seguimiento de tu cartera\",\"yh2sjd\":[\"Impacto en el precio \",[\"0\"],\"%\"],\"yhvj6d\":\"No puedes cambiar el uso como modo de garantía para este activo, porque causará una liquidación\",\"ylmtBZ\":\"La aplicación se ejecuta en fork mode.\",\"ymNY32\":[\"No hay fondos suficientes en la reserva\",[\"0\"],\"para tomar prestado\"],\"yz7wBu\":\"Cerrar\",\"z4uGQg\":\"El límite de deuda está sobrepasado\",\"z5UQOM\":\"La garantía elegida no puede ser liquidada\",\"z5Y+p6\":[\"Suministrando \",[\"symbol\"]],\"zCjNKs\":\"No se puede realizar la acción porque la reserva está congelada\",\"zRHytX\":\"Límite de deuda aislado\",\"zTOjMP\":\"El límite de suministro del protocolo está al 100% para este activo. No es posible suministrar más.\",\"zVdRUG\":\"Submission did not work, please try again later or contact wecare@avara.xyz\",\"zevmS2\":\"<0><1><2/>añade <3/> stkAAVE para tomar prestado al <4/> (descuento máximo)\",\"zgtIDV\":\"Deuda restante\",\"zmTPiV\":\"Balance de suministro\",\"zpPbZl\":\"Parámetros de riesgo de liquidación\",\"zucql+\":\"Menú\",\"zwWKhA\":\"Aprende más\",\"zy9fXn\":[\"Este activo está congelado en el mercado v3 de \",[\"marketName\"],\", por lo tanto, esta posición no se puede migrar.\"],\"zys+R6\":\"Ten en cuenta la congestión de la red y los precios del gas.\",\"zzzTXS\":\"Merit Program rewards are claimed through the\"}")}; \ No newline at end of file diff --git a/src/locales/fr/messages.js b/src/locales/fr/messages.js index 070466b53f..dd1e69e19c 100644 --- a/src/locales/fr/messages.js +++ b/src/locales/fr/messages.js @@ -1 +1 @@ -/*eslint-disable*/module.exports={messages:JSON.parse("{\"+0xecS\":[\"Si vous NE vous désengagez PAS dans les \",[\"0\"],\" de la fenêtre de désengagement, vous devrez réactiver le processus de refroidissement.\"],\"+EGVI0\":\"Recevoir (est.)\",\"+VR63W\":[\"Participer à cette réserve \",[\"symbol\"],\" donne des récompenses annualisées.\"],\"+bmKdK\":\"Use your AAVE, stkAAVE, or aAave balance to delegate your voting and proposition powers. You will not be sending any tokens, only the rights to vote and propose changes to the protocol. You can re-delegate or revoke power to self at any time.\",\"+eOPG+\":\"On dirait que nous ne pouvons pas changer de réseau automatiquement. Veuillez vérifier si vous pouvez le changer depuis le portefeuille.\",\"+i3Pd2\":\"Limite d'emprunt\",\"+kLZGu\":\"Montant de l’actif fourni\",\"+nuEh/\":\"Estimated time\",\"+xMFF8\":\"Remind me\",\"/57U31\":\"Amount to migrate\",\"/7ykiW\":\"Emprunter ce montant réduira votre facteur santé et augmentera le risque de liquidation.\",\"/YA5pU\":\"E-Mode increases your LTV for a selected category of assets, meaning that when E-mode is enabled, you will have higher borrowing power over assets of the same E-mode category which are defined by Aave Governance. You can enter E-Mode from your <0>Dashboard. To learn more about E-Mode and applied restrictionn, see the <1>help guide or the <2>Aave V3 Technical Paper.\",\"/izjs/\":\"Montant minimum d’Aave mis en jeu\",\"/jQctM\":\"To\",\"/lDBHm\":\"FAQ\",\"/yNlZf\":\"L'emprunt stable n'est pas activé\",\"/yQcJM\":\"Valeur totale\",\"00AB2i\":\"L'utilisateur n'a pas emprunté la devise spécifiée\",\"00OflG\":\"Il n’y a pas assez de liquidités pour que l’actif cible puisse effectuer le changement. Essayez de réduire le montant.\",\"08/rZ9\":\"La période de recharge est le temps nécessaire avant de retirer vos jetons (20 jours). Vous ne pouvez retirer vos actifs du module de sécurité qu’après la période de recharge et pendant la période de désenjeu. <0>Pour en savoir plus\",\"0AmQcW\":\"Changement de taux\",\"0BF3yK\":\"Désolé, nous n’avons pas trouvé la page que vous cherchiez.\",\"0TAbjq\":\"Recent Transactions\",\"0jhlyw\":\"Risque de liquidation\",\"0ojY+Y\":\"Solde actuel v2\",\"0thX3P\":\"Modification des garanties\",\"0wGCWc\":\"Il s'agit du montant total que vous pouvez emprunter. Vous pouvez emprunter en fonction de votre garantie et jusqu'à ce que le plafond d'emprunt soit atteint.\",\"1AsVfF\":\"À l’heure actuelle, les données sur les prix ne sont pas disponibles pour cette réserve dans le sous-graphe du protocole\",\"1LjK22\":\"Historique des transactions\",\"1Onqx8\":[\"Approuver \",[\"symbol\"],\"...\"],\"1Ue8sX\":\"Veuillez connecter un portefeuille pour afficher vos informations personnelles ici.\",\"1bpx9A\":\"...\",\"1kWUB+\":\"Seuil de liquidation <0/>\",\"1m9Qqc\":\"Retrait et changement\",\"1oyh4g\":\"Borrow rate\",\"1t7rez\":\"L’offre d’actifs est limitée à un certain montant afin de réduire l’exposition du protocole à l’actif et d’aider à gérer les risques encourus.\",\"2CAPu2\":\"Vous avez retiré et échangé des jetons avec succès.\",\"2Eoi/a\":\"Voir détails\",\"2FYpfJ\":\"Plus\",\"2O3qp5\":\"Liquidités disponibles\",\"2OM8/D\":[\"L’actif ne peut pas être migré en raison d’une restriction de plafond d’approvisionnement dans \",[\"marketName\"],\" v3 marché.\"],\"2Q4GU4\":\"Adresse bloquée\",\"2ZGocC\":\"Aave est un protocole entièrement décentralisé et régi par la communauté par les détenteurs de jetons AAVE. Les détenteurs de jetons AAVE discutent, proposent et votent collectivement sur les mises à niveau du protocole. Les détenteurs de jetons AAVE (réseau Ethereum uniquement) peuvent soit voter eux-mêmes sur de nouvelles propositions, soit choisir l’adresse de leur choix. Pour en savoir plus, consultez la page Gouvernance\",\"2a6G7d\":\"Veuillez saisir une adresse de portefeuille valide.\",\"2bAhR7\":\"Rencontrez GHO\",\"2eBWE6\":\"Je reconnais les risques encourus.\",\"2o/xRt\":\"Plafond d'approvisionnement sur la réserve cible atteint. Essayez de réduire le montant.\",\"2uJToh\":[[\"0\"],[\"name\"]],\"2x58bP\":\"L'emprunt stable est activé\",\"34Qfwy\":\"Le plafond d'emprunt est dépassé\",\"39eQRj\":[\"Emprunter \",[\"symbole\"]],\"3BL1xB\":\"Total fourni\",\"3BnIWi\":\"Commuté\",\"3K0oMo\":\"Offre restante\",\"3MoZhl\":\"Il n'y a pas assez de collatéral pour couvrir un nouvel emprunt\",\"3Np5O8\":[\"Fournir \",[\"symbole\"]],\"3O8YTV\":\"Total des intérêts courus\",\"3mXg0z\":\"Max LTV\",\"3q3mFy\":\"Rembourser\",\"3qsjtp\":\"La moyenne pondérée de l'APY pour tous les actifs fournis, y compris les incitations.\",\"3rL+os\":\"Vous ne pouvez retirer vos actifs du module de sécurité qu'après la fin de la période de refroidissement et que la fenêtre de retrait est active.\",\"42UgDM\":[\"Migrer vers \",[\"0\"],\" Marché v3\"],\"49UFQA\":\"Résultats du vote\",\"4DMZUI\":\"Afficher les transactions\",\"4HtGBb\":\"MAX\",\"4Y5H+g\":\"Petits caractères\",\"4YYh4d\":\"Maximum available to borrow\",\"4iPAI3\":\"Montant minimum d’emprunt GHO\",\"4lDFps\":\"Signez pour continuer\",\"4wyw8H\":\"Transactions\",\"5JSSxX\":[\"Votre \",[\"networkName\"],\" Le portefeuille est vide. Obtenez des ressources de test gratuites à l’adresse suivante :\"],\"5K7kGO\":\"documentation\",\"5NOSGa\":\"Le plafond de la dette limite le montant que les utilisateurs du protocole peuvent emprunter sur cet actif. Le plafond de la dette est spécifique aux actifs isolés et est indiqué en USD.\",\"5Ncc6j\":[\"Cet actif a presque atteint son plafond d'offre. Il ne peut y avoir que \",[\"messageValue\"],\" fourni à ce marché.\"],\"5cZ/KX\":\"L'offre de dette variable n'est pas nulle\",\"5che++\":\"Pour demander l'accès à ce marché autorisé, veuillez consulter\xA0: <0>Nom du fournisseur d'accès\",\"5ctNdV\":[\"Minimum \",[\"0\"],\" reçu\"],\"5hDe9v\":\"Allocation action requise\",\"5rsnKT\":\"Récompenses disponibles\",\"5yC5m5\":\"Voir tous les votes\",\"6/dCYd\":\"Aperçu\",\"60crCe\":\"Toutes les transactions\",\"62Xcjh\":\"Collatérale\",\"65A04M\":\"Espagnol\",\"6G8s+q\":\"Signature\",\"6Jrv+z\":[\"Rembourser \",[\"symbole\"]],\"6NGLTR\":\"Montant actualisable\",\"6Xr0UU\":\"Refroidissement...\",\"6bxci/\":\"Pouvoir de vote\",\"6f8S68\":\"Marchés\",\"6g1gi0\":\"Les propositions\",\"6gvoHP\":\"Copier le message d’erreur\",\"6h3Q5G\":\"Remboursé\",\"6lFSyT\":\"Available to Stake\",\"6s8L6f\":\"Changer de réseau\",\"6yAAbq\":\"APY, borrow rate\",\"70wH1Q\":\"APR\",\"72c5Qo\":\"Total\",\"73Auuq\":\"Les paramètres de remise sont décidés par la communauté Aave et peuvent être modifiés au fil du temps. Consultez la section Gouvernance pour les mises à jour et votez pour participer. <0>Pour en savoir plus\",\"75qcAQ\":[[\"stepName\"]],\"7ITr5L\":\"Facteur de santé\",\"7T/o5R\":\"Atteint\",\"7YlcXu\":\"Fork mode is ON\",\"7Z76Iw\":\"L’emprunt n’est pas disponible car vous utilisez le mode Isolation. Pour gérer le mode d’isolation, rendez-vous sur votre <0>tableau de bord.\",\"7aKlMS\":\"Partager sur Lens\",\"7er5fP\":\"Réclamer tout\",\"7hb2+s\":\"Time remaining until the withdraw period ends.\",\"7l88b8\":\"Les données n’ont pas pu être récupérées, veuillez recharger le graphique.\",\"7p5kLi\":\"Tableau de bord\",\"7sofdl\":\"Retrait et échange\",\"8+6BI0\":\"Soyez prudent - Vous êtes très proche de la liquidation. Envisagez de déposer plus de collatéral ou de rembourser certaines de vos positions empruntées\",\"87pUEW\":[\"Votre \",[\"name\"],\" Le portefeuille est vide. Acheter ou transférer des actifs.\"],\"8F1i42\":\"Page introuvable\",\"8G8M0u\":\"Chargement des données...\",\"8Iu1QS\":\"Retiré\",\"8JL93T\":\"Toutes les propositions\",\"8Q51DU\":\"Ajouter au portefeuille\",\"8X/oyn\":\"Montant invalide à frapper\",\"8Z5FPv\":\"Déconnecter le portefeuille\",\"8Zz7s5\":\"actifs\",\"8aLW8H\":\"Solde à révoquer\",\"8bOT3H\":\"Taux d'utilisation\",\"8sLe4/\":\"Voir le contrat\",\"8t/M0y\":\"Please connect your wallet to be able to bridge your tokens.\",\"8vETh9\":\"Montrer\",\"94OHPx\":\"Vous entrez en mode Isolation\",\"9CDK3/\":[\"L'emprunt n'est actuellement pas disponible pour \",[\"0\"],\".\"],\"9GIj3z\":\"Taille de réserve\",\"9Knqb4\":\"Solde de mise en jeu\",\"9OBKm7\":\"Quorum\",\"9QHoGr\":\"Votes actuels\",\"9Rw96f\":[\"Cet actif a presque atteint son plafond d'emprunt. Il n'y a que \",[\"messageValue\"],\" disponible pour être emprunté sur ce marché.\"],\"9Xj/qR\":[\"Certaines ressources migrées ne seront pas utilisées comme garantie en raison de l’activation du mode d’isolement dans \",[\"marketName\"],\" Marché V3. Visite <0>\",[\"marketName\"],\" Tableau de bord V3 pour gérer le mode d’isolation.\"],\"9c6vDV\":\"Cet actif a atteint son plafond d'offre. Rien n'est disponible pour être fourni à partir de ce marché.\",\"9kTWHA\":\"L’AMI a été suspendu en raison d’une décision de la communauté. L’offre, les emprunts et les remboursements sont impactés. <0>Plus d’informations\",\"9lXchd\":\"Jeton sous-jacent\",\"9rWaKF\":\"Bridged Via CCIP\",\"9xSooW\":\"Comme il s'agit d'un réseau de test, vous pouvez obtenir n'importe lequel des actifs si vous avez ETH dans votre portefeuille\",\"A/lwoe\":\"Choisissez l’un des services de rampe d’accès\",\"A6dCI6\":[\"Le montant maximal disponible pour emprunter est de <0/> \",[\"0\"],\" (<1/>).\"],\"AReoaV\":\"Vos emprunts\",\"ARu1L4\":\"Remboursé\",\"AV7cGz\":\"Examiner les détails de la taxe d'approbation\",\"AZOjB8\":\"Récupération de données...\",\"Ai0jas\":\"Rejoignez la discussion de la communauté\",\"Ajl2rq\":\"Le pouvoir d'emprunt et les actifs sont limités en raison du mode d'isolement.\",\"AqgYNC\":\"Plafond d’emprunt du protocole à 100% pour cet actif. Il n’est pas possible d’emprunter davantage.\",\"B3EcQR\":\"Merci d’avoir voté\xA0!!\",\"B6aXGH\":\"Stable\",\"B9Gqbz\":\"Taux variable\",\"BDFEd+\":\"Les stETH fournis en garantie continueront d’accumuler des récompenses de staking fournies par les rebasages quotidiens.\",\"BE2mP0\":\"Borrowed assets\",\"BJyN77\":\"Due to health factor impact, a flashloan is required to perform this transaction, but Aave Governance has disabled flashloan availability for this asset. Try lowering the amount or supplying additional collateral.\",\"BNL4Ep\":\"L'utilisation de la garantie est limitée en raison du mode d'isolement. <0>En savoir plus\",\"BQ/wCO\":\"Migrate your assets\",\"BjLdl1\":\"À prix réduit\",\"BnhYo8\":\"Catégorie d'actifs\",\"Bq9Y7e\":\"Cet actif est gelé en raison d’une décision de la communauté Aave. <0>Plus d’informations\",\"BqWMDJ\":\"Faucet\",\"BqynZO\":\"Optimized for efficiency and risk by supporting blue-chip collateral assets\",\"Bsu7zX\":\"The fee includes the gas cost to complete the transaction on the destination chain and the fee paid to Chainlink CCIP service providers. You can chose to pay in the network token or GHO. <0>Learn more\",\"BwJKBw\":\"de\",\"CDrsH+\":\"Fiche technique\",\"CK1KXz\":\"Max\",\"CMHmbm\":\"Glissement\",\"CZXzs4\":\"Grec\",\"CcRNG6\":\"Transistor\",\"CkTRmy\":[\"Revendication \",[\"symbol\"]],\"CsqtLm\":\"Veuillez connecter votre portefeuille pour voir l’outil de migration.\",\"CtGlFb\":[[\"networkName\"],\" Robinet\"],\"Cxt2YY\":\"Watch wallet\",\"D33VQU\":\"Cette action réduira le facteur de santé de V3 en dessous du seuil de liquidation. Augmenter les garanties migrées ou réduire les emprunts migrés pour continuer.\",\"D9BLRG\":\"This asset has been paused due to a community decision. Supply, withdraw, borrows and repays are impacted.\",\"DAma/S\":\"La garantie est (principalement) la même devise que celle qui est empruntée\",\"DCnFg0\":[\"Adresses (\",[\"0\"],\")\"],\"DG3Lv1\":\"Je comprends parfaitement les risques liés à la migration.\",\"DONJcV\":\"L'actif sous-jacent ne peut pas être sauvé\",\"DR+4uL\":\"Bilan de l’alimentation après le changement\",\"DWjrck\":[\"La ressource ne peut pas être migrée vers \",[\"marketName\"],\" V3 Market en raison des restrictions du mode E. Vous pouvez désactiver ou gérer les catégories du mode E dans votre <0>tableau de bord V3\"],\"Dj+3wB\":\"Aave par mois\",\"DptNvx\":\"Amount Staked\",\"DuEq2K\":\"Collatéralisation\",\"DxfsGs\":\"Vous pouvez signaler un incident sur notre <0>Discord ou<1>Github.\",\"Dzma+E\":\"Main Ethereum market with the largest selection of assets and yield options\",\"E/QGRL\":\"Désactivé\",\"EBL9Gz\":\"COPIÉ!\",\"ES8dkb\":\"Taux fixe\",\"EZd3Dk\":[\"Reprise \",[\"symbol\"]],\"Ebgc76\":[\"Retrait \",[\"symbole\"]],\"EdQY6l\":\"Aucun/Aucune\",\"EjvKQ+\":\"Valeur minimale en USD reçue\",\"Enslfm\":\"Destination\",\"EvE9nO\":[\"Réactiver la période de recharge pour annuler le pieu \",[\"0\"],\" \",[\"stakedToken\"]],\"EvECnL\":\"Migrer vers la v3\",\"EzMQbh\":\"The source chain time to finality is the main factor that determines the time to destination. <0>Learn more\",\"F40cwT\":\"Legacy Markets\",\"F6TdXL\":\"Pour en savoir plus.\",\"FDDPeZ\":\"Users can stake their assets in the protocol and earn incentives. In the case of a shortfall event, your stake can be slashed to cover the deficit, providing an additional layer of protection for the protocol.\",\"FHlMf/\":\"Solde actuel de la v2\",\"FHpxjF\":[\"Le facteur de réserve est un pourcentage de l’intérêt qui va à un \",[\"0\"],\" qui est contrôlé par la gouvernance Aave pour promouvoir la croissance de l’écosystème.\"],\"FOBZa6\":\"Puissance d'emprunt utilisée\",\"FPKEug\":\"Opération non prise en charge\",\"FbmMe7\":\"Linked addresses\",\"Fdp03t\":\"sur\",\"Fjw9N+\":\"Actifs à déposer\",\"FmN0fk\":\"Remise en jeu\",\"GDGLIs\":\"GHO est un actif numérique natif décentralisé et adossé à des garanties, indexé sur le dollar américain. Il est créé par les utilisateurs en empruntant contre plusieurs garanties. Lorsque l’utilisateur rembourse sa position d’emprunt de HO, le protocole brûle le GHO de cet utilisateur. Tous les paiements d’intérêts accumulés par les minters de GHO seraient directement transférés à la trésorerie d’AaveDAO.\",\"GQrBTq\":\"Changer de mode E\",\"GWswcZ\":\"Cet actif est gelé en raison d’une décision de gouvernance du protocole Aave. Le 20 décembre 2022, renFIL ne sera plus pris en charge et ne pourra plus être reconnecté à son réseau natif. Il est recommandé de retirer les positions d’offre et de rembourser les positions d’emprunt afin que renFIL puisse être relié à FIL avant la date limite. Après cette date, il ne sera plus possible de convertir renFIL en FIL. <0>Plus d’informations\",\"GX8GKD\":\"Actifs\",\"GgEj+0\":\"Mode lecture seule. Connectez-vous à un portefeuille pour effectuer des transactions.\",\"GjkIKV\":\"Prend fin\",\"GoK/QN\":\"Thank you for submitting feedback!\",\"GtP2hp\":[\"L'emprunt n'est pas disponible, car vous avez activé le mode d'efficacité (E-Mode) pour la catégorie \",[\"0\"],\". Pour gérer les catégories E-Mode, visitez votre <0>tableau de bord.\"],\"H6Ma8Z\":\"Rabais\",\"HB/wfS\":[[\"tooltipText\"]],\"HKDsQN\":\"Rewards can be claimed through\",\"Ha/U5f\":\"This is a program initiated and implemented by the decentralised ZKSync community. Aave Labs does not guarantee the program and accepts no liability.\",\"HciqKU\":\"This is a program initiated and implemented by the decentralised Aave community. Aave Labs does not guarantee the program and accepts no liability.\",\"Hi6Ttn\":\"Désolé, une erreur inattendue s’est produite. En attendant, vous pouvez essayer de recharger la page, ou revenir plus tard.\",\"HkEDbS\":[[\"d\"],\"d\"],\"HmkYqM\":\"Fenêtre d'arrêt de staking\",\"HpK/8d\":\"Recharger\",\"HrnC47\":\"Enregistrer et partager\",\"HuVZMK\":\"Days\",\"HvJKMU\":[\"La ressource ne peut pas être migrée vers \",[\"marketName\"],\" v3 Marché puisque l’actif collatéral activera le mode d’isolation.\"],\"Hvwnm9\":[\"La quantité maximale disponible pour l’approvisionnement est limitée parce que le plafond d’approvisionnement du protocole est à \",[\"0\"],\"%.\"],\"I8CX2c\":\"Le montant total de vos actifs libellés en USD qui peut être utilisé comme garantie pour emprunter des actifs.\",\"IAD2SB\":[\"Prétendant \",[\"symbol\"]],\"IG9X9/\":\"L’emprunt de cet actif est limité à un certain montant afin de minimiser l’insolvabilité du pool de liquidités.\",\"IOIx8L\":\"Il est prévu que cet actif soit désactivé en raison d’une décision de gouvernance du protocole Aave. <0>Plus d’informations\",\"IP+I/j\":\"Période de recharge\",\"IaA40H\":\"Liquidation à\",\"J/hVSQ\":[[\"0\"]],\"JCoxL6\":\"Gérer l’analytique\",\"JK9zf1\":[\"Intérêts composés estimés, y compris l’escompte pour le jalonnement \",[\"0\"],\"AAVE dans le module de sécurité.\"],\"JOqFba\":[\"Déjalonnement \",[\"symbol\"]],\"JPrLjO\":\"Vous ne pouvez pas utiliser cette devise comme garantie\",\"JU6q+W\":\"Récompense(s) à réclamer\",\"JYKRJS\":\"Stake\",\"JZMxX0\":\"Pas assez de solde sur votre portefeuille\",\"Jgflkm\":\"Get GHO\",\"JoMQnI\":\"Solde du portefeuille\",\"JtwD8u\":\"Emprunter le solde après le remboursement\",\"JumYTK\":\"Supplied assets\",\"K05qZY\":\"Retrait et échange\",\"KAz/NV\":\"Le plafond d’endettement du protocole est de 100% pour cet actif. Il n’est pas possible d’emprunter davantage sur cet actif.\",\"KLXVqE\":[\"Les tokens stETH seront migrés vers Wrapped stETH à l’aide du wrapper Lido Protocol, ce qui entraîne une modification de l’équilibre de l’offre après la migration : \",[\"0\"]],\"KLd6ky\":\"Use connected account\",\"KRpokz\":\"VOIR TX\",\"KSlpka\":\"Cela représente le seuil auquel une position d'emprunt sera considérée comme sous-garantie et sujette à liquidation pour chaque garantie. Par exemple, si une garantie a un seuil de liquidation de 80\xA0%, cela signifie que la position sera liquidée lorsque la valeur de la dette vaut 80 % de la valeur de la garantie.\",\"KYAjf3\":\"Isolé\",\"KZwRuD\":[[\"notifyText\"]],\"KkPgim\":\"Changement de mode E\",\"KnN1Tu\":\"Expire\",\"KoOBI2\":\"En raison de la mécanique interne de stETH requise pour le rebasage de la prise en charge, il n’est pas possible d’effectuer un changement de garantie où stETH est le jeton source.\",\"KojyJ4\":\"Mauvais réseau\",\"KsqhWn\":\"Staking\",\"KuBTQq\":\"Entrez l'adresse ETH\",\"KvG1xW\":\"Réclamer\",\"L+8Lzs\":\"LTV actuelle\",\"L+qiq+\":\"Marché\",\"LDzfVJ\":\"Send Feedback\",\"LIrMcF\":\"Pas de pouvoir de vote\",\"LL0zks\":\"Peut être collatéral\",\"LLdJWu\":\"AAVE Réclamable\",\"LSIpNK\":\"Emprunter et rembourser dans le même bloc n'est pas autorisé\",\"LVt3TI\":[\"<0>Tolérance de glissement <1>\",[\"selectedSlippage\"],\"% <2>\",[\"0\"],\"\"],\"LjafV8\":\"Maximum collateral amount to use\",\"LtpQew\":\"Let us know how we can make the app better for you. For user support related inquiries please reach out on\",\"LvVpD/\":\"Emode\",\"M2sknc\":\"Astuce : Essayez d’augmenter le glissement ou de réduire la quantité d’entrée\",\"M7wPsD\":\"Interrupteur\",\"MFu33y\":\"Staking 00\",\"MIy2RJ\":\"Maximum amount received\",\"MZ/nQf\":\"Adresse du destinataire\",\"Ma/MtY\":\"vue de staking\",\"McHlGl\":\"Changement d’APY\",\"MeCCA+\":\"APY, variable\",\"MghdTe\":\"Si le facteur de santé descend en dessous de 1, la liquidation de votre collatéral peut être déclenchée.\",\"Mm/DVQ\":\"Vous avez annulé la transaction.\",\"MnE2QX\":\"Emprunter des informations\",\"MrmQHg\":\"View Bridge Transactions\",\"MuDFEQ\":\"Valeur de retour invalide de la fonction flashloan executor\",\"N5kUMV\":\"L’actif ne peut être utilisé comme garantie qu’en mode isolé avec un pouvoir d’emprunt limité. Pour passer en mode d’isolation, désactivez toutes les autres garanties.\",\"N6Pxr9\":\"View all\",\"NF0e1Q\":\"En attente...\",\"NK9ikO\":\"Solde du portefeuille\",\"NMt2CB\":\"Montant réclamable\",\"NcFGxG\":\"Contrat de collectionneur\",\"NfpPeS\":\"Rien staké\",\"Nh9DAo\":[[\"m\"],\"m\"],\"O+sCUU\":\"Le plafond de mintage non soutenu est dépassé\",\"O+tyU+\":[\"Le montant maximal disponible pour emprunter sur cet actif est limité car le plafond de la dette est à \",[\"0\"],\"%.\"],\"O3oNi5\":\"Email\",\"OFjZGo\":\"Unstake\",\"OR8cYX\":\"Aperçu de la proposition\",\"OYuJ9K\":\"Le plafond d’endettement du protocole est de 100% pour cet actif. Il n’est pas possible d’emprunter sur cet actif.\",\"OfhWJH\":\"Réinitialisation\",\"Og2SKn\":\"handicapé\",\"On0aF2\":\"Site internet\",\"OsyKSt\":\"Retirer\",\"P1dURE\":\"Révoquer le pouvoir\",\"P2WCD/\":[\"L’actif sous-jacent n’existe pas dans \",[\"marketName\"],\" v3 Market, par conséquent, cette position ne peut pas être migrée.\"],\"P2sL6B\":\"Lorsqu'une liquidation survient, les liquidateurs remboursent jusqu'à 50 % de l'encours emprunté au nom de l'emprunteur. En contrepartie, ils peuvent acheter le collatéral à prix réduit et conserver la différence (pénalité de liquidation) en bonus.\",\"P6sRoL\":\"Mise en jeu ABPT\",\"P72/OW\":\"La moyenne pondérée de l'APY pour tous les actifs empruntés, y compris les incitatifs.\",\"P7e6Ug\":\"Veuillez connecter votre portefeuille pour consulter l’historique des transactions.\",\"PByO0X\":\"Votes\",\"PI+kVe\":\"Disable fork\",\"PJK9u/\":\"Emprunter apy\",\"PLUB/s\":\"Fee\",\"PP5ZA8\":[\"Participating in staking \",[\"symbol\"],\" gives annualized rewards. Your wallet balance is the sum of your aTokens and underlying assets. The breakdown to stake is below\"],\"PcBUgb\":\"Seuil de liquidation\",\"PjU6bu\":\"This asset is eligible for SPK incentive program. Aave Labs does not guarantee the program and accepts no liability.\",\"PpqD5g\":\"L'activation de cet actif comme garantie augmente votre pouvoir d'emprunt et votre facteur de santé. Cependant, il peut être liquidé si votre facteur de santé tombe en dessous de 1.\",\"PsOFSf\":\"Cette action réduira le facteur de santé V2 en dessous du seuil de liquidation. Conservez la garantie ou migrez la position d’emprunt pour continuer.\",\"Pu4bI/\":[[\"currentMethod\"]],\"Q0LzKi\":\"View TX\",\"Q4eNqa\":\"The Aave Balancer Pool Token (ABPT) is a liquidity pool token. You can receive ABPT by depositing a combination of AAVE + wstETH in the Balancer liquidity pool. You can then stake your BPT in the Safety Module to secure the protocol and earn Safety Incentives.\",\"QQYsQ7\":\"Withdrawing\",\"QWYCs/\":\"Stake GHO\",\"R+30X3\":\"Non atteint\",\"RCU5PY\":\"Age\",\"RIfckG\":[\"Désactiver \",[\"symbol\"],\" comme garantie\"],\"RMtxNk\":\"Différentiel\",\"RNK49r\":\"Signature non valide\",\"RS0o7b\":\"État\",\"RU+LqV\":\"Détails de la proposition\",\"RYTgZX\":\"lorem ipsum\",\"RbXH+k\":\"AAVE, GHO, and ABPT holders (Ethereum network only) can stake their assets in the Safety Module to add more security to the protocol and earn Safety Incentives. In the case of a shortfall event, your stake can be slashed to cover the deficit, providing an additional layer of protection for the protocol.\",\"RiSYV4\":\"L'actif n'est pas répertorié\",\"Rj01Fz\":\"Liens\",\"RmWFEe\":\"APR staké\",\"RoafuO\":\"Envoyer des commentaires\",\"RtBLm7\":\"Le facteur santé est inférieur au seuil de liquidation\",\"RxzN1M\":\"Activé\",\"SDav7h\":\"Fonds dans le Safety Module\",\"SENccp\":\"Si l’erreur persiste,<0/> vous pouvez la signaler à ce\",\"SIWumd\":\"Afficher les ressources gelées ou mises en pause\",\"SM58dD\":\"Quantité en temps de recharge\",\"SSMiac\":\"Impossible de charger les votants de proposition. Veuillez rafraîchir la page.\",\"SSQVIz\":\"Seuil de liquidation\",\"SUb8x0\":\"Total disponible\",\"SWIgh4\":\"Fees exceed wallet balance\",\"SY9hVo\":\"Le mode lecture seule permet de voir les positions d’adresses dans Aave, mais vous ne pourrez pas effectuer de transactions.\",\"SZRUQ4\":\"Glissement maximal\",\"Sa1UE/\":\"Le plafond d’emprunt du protocole est de 100 % pour cet actif. Il n’est pas possible d’emprunter davantage.\",\"Sk2zW9\":\"Désactiver le E-mode\",\"SxaD0o\":\"Le fournisseur d'adresses de pool n'est pas enregistré\",\"T/AIqG\":\"Limite d’approvisionnement du protocole à 100 % pour cet actif. D’autres approvisionnements ne sont pas disponibles.\",\"T0xCO9\":\"Can't validate the wallet address. Try again.\",\"T4OhVl\":\"GHO balance\",\"T6uYU2\":\"Emprunter\",\"TFxQlw\":\"Pénalité de liquidation\",\"TQ7WsV\":\"Available to stake\",\"TUI7iB\":\"L'actif ne peut être utilisé comme garantie qu'en mode isolé.\",\"TbjyhA\":\"Docs\",\"TduuS0\":\"L'utilisateur n'a pas de dette à taux stable impayée sur cette réserve\",\"TeCFg/\":\"Modification du taux d’emprunt\",\"Tg1JyO\":\"Bridge history\",\"TskbEN\":\"Les détenteurs de stkAAVE bénéficient d’une réduction sur le taux d’emprunt GHO\",\"TszKts\":\"Emprunter le solde après le changement\",\"TtZL6q\":\"Paramètres du modèle de remise\",\"TwJI9F\":\"Asset has been successfully sent to CCIP contract. You can check the status of the transactions below\",\"Tz0GSZ\":\"Activités bloquées\",\"U/eBjN\":\"Recharger la page\",\"U2r8nY\":\"Choose how much voting/proposition power to give to someone else by delegating some of your AAVE, stkAAVE or aAave balance. Your tokens will remain in your account, but your delegate will be able to vote or propose on your behalf. If your AAVE, stkAAVE or aAave balance changes, your delegate's voting/proposition power will be automatically adjusted.\",\"U8IubP\":\"L’application s’exécute en mode réseau de test. Découvrez comment cela fonctionne dans\",\"U9btTk\":\"L'actif n'est pas empruntable en mode d'isolement\",\"UAOZRe\":\"L’impact sur les prix est l’écart entre la valeur totale des tokens d’entrée échangés et les tokens de destination obtenus (en USD), qui résulte de la liquidité limitée de la paire de trading.\",\"UE3KJZ\":\"L’historique des transactions n’est actuellement pas disponible pour ce marché\",\"URmyfc\":\"Détails\",\"UTTKmT\":\"Temps de recharge de la mise activé\",\"UXeR72\":\"Ces fonds ont été empruntés et ne peuvent pas être retirés pour le moment.\",\"UYb8CM\":\"Learn more about the SPK rewards\",\"UbRrG0\":\"Le ratio LTV maximum représente le pouvoir d'emprunt maximum d'une garantie spécifique. Par exemple, si une garantie a un LTV de 75 %, l'utilisateur peut emprunter jusqu'à 0,75 ETH dans la devise principale pour chaque 1 ETH de garantie.\",\"UpndFj\":\"Aucune récompense à réclamer\",\"V0f2Xv\":\"Facteur de réserve\",\"V1HK43\":\"Risques liés à la migration\",\"VATFH9\":\"Dette couverte\",\"VHOVEJ\":\"Connecter le portefeuille\",\"VMfYUK\":\"Sécurité de votre garantie déposée contre les actifs empruntés et sa valeur sous-jacente.\",\"VOAZJh\":\"Total des emprunts\",\"ViKYxK\":\"YAE\",\"W1SSoD\":\"Examiner les détails de la transaction\",\"W5hVah\":\"Rien fourni pour le moment\",\"W5kTFy\":\"Vote\",\"W8ekPc\":\"Retour au tableau de bord\",\"WMPbRK\":\"Sans support\",\"WNGZwH\":\"E-Mode augmente votre LTV pour une catégorie d'actifs sélectionnée jusqu'à <0/>. <1>En savoir plus\",\"WPWG/y\":\"Statut et configuration de la réserve\",\"WZLQSU\":\"L'utilisateur ne peut pas retirer plus que le solde disponible\",\"WaZyaV\":\"<0>Ampleforth est un actif de rebasage. Consultez la <1>documentation pour en savoir plus.\",\"WfU+XN\":\"Étant donné que cette ressource est suspendue, aucune action ne peut être entreprise jusqu’à nouvel ordre\",\"Wjmqs2\":\"No results found. You can import a custom token with a contract address\",\"WkZ6C6\":\"Pour emprunter, vous devez fournir tout actif à utiliser comme garantie.\",\"WyMiQm\":\"Vous avez réussi à changer de jeton.\",\"X/ITG9\":\"Copier le texte d'erreur\",\"X3Pp6x\":\"Utilisé comme collatéral\",\"X4Zt7j\":\"L'action ne peut pas être effectuée car la réserve est mise en pause\",\"XBdKOj\":\"Representative smart contract wallet (ie. Safe) addresses on other chains.\",\"XZzneG\":\"Vous quitterez le mode d'isolement et d'autres jetons peuvent désormais être utilisés comme collatéral\",\"Xg5y9S\":\"Amount to Bridge\",\"Xn4hUi\":\"Veuillez toujours tenir compte de votre <0>facteur de santé (HF) lors de la migration partielle d’une position et que vos tarifs seront mis à jour vers les taux V3.\",\"Xy71ST\":\"Umbrella\",\"Y5kGkc\":\"VOTER NON\",\"YDIOks\":\"Activation du E-Mode\",\"YSodyW\":\"Cette action réduira votre facteur de santé. Veuillez garder à l’esprit le risque accru de liquidation des garanties.\",\"YXOWXM\":\"The total amount bridged minus CCIP fees. Paying in network token does not impact gho amount.\",\"YirHq7\":\"Feedback\",\"YogbCJ\":\"Le mode réseau de test est activé\",\"YrDxdO\":\"Si votre prêt à la valeur dépasse le seuil de liquidation, votre garantie fournie peut être liquidée.\",\"YyIM65\":\"Les conditions de rééquilibrage des taux d'intérêt n'ont pas été remplies\",\"YyydIq\":[\"Ajouter \",[\"0\"],\" à Wallet pour suivre votre solde.\"],\"ZBvhI+\":\"Gouvernance Aave\",\"ZIIRAd\":\"Raw-Ipfs\",\"ZRq4tX\":\"Mode efficacité (E-Mode)\",\"ZSqEW+\":\"Manage E-Mode\",\"ZUFYFE\":\"Désactiver le réseau de test\",\"Zbyywy\":\"Coupure maximale\",\"ZfUGFb\":\"Avant de déposer\",\"ZiXN+B\":\"Assets to stake\",\"ZlsSDH\":\"Valeur de liquidation\",\"ZrEc8j\":\"Nous n’avons trouvé aucun élément lié à votre recherche. Réessayez avec un autre nom, symbole ou adresse de ressource.\",\"ZsLF7e\":\"Activé\",\"a0YQoQ\":\"Enter a valid address\",\"a2fBZn\":\"Temps restant pour dépiquer\",\"a5RYZd\":\"La désactivation de cet actif en tant que garantie affecte votre pouvoir d'emprunt et votre facteur de santé.\",\"a7u1N9\":\"Prix\",\"a9D+6D\":\"Non jalonné\",\"aEtiwq\":\"Vote NAY\",\"aMmFE1\":\"Acheter des crypto-monnaies avec des monnaies fiduciaires\",\"aOKIms\":\"Les paramètres de tableau devraient être de même longueur ne sont pas\",\"aX31hk\":\"Votre solde est inférieur au montant sélectionné.\",\"adUsDd\":\"An error has occurred fetching the proposal.\",\"al6Pyz\":\"Dépasse la remise\",\"aoXTT7\":\"Prêt APY, variable\",\"aqX1Yp\":\"This asset is eligible for rewards through SuperFest. Aave Labs does not guarantee the program and accepts no liability.\",\"avgETN\":\"Eligible for the Merit program.\",\"b4NS3e\":\"Avertissement de période de refroidissement\",\"bNEQeI\":\"Cooldown\",\"bSruit\":\"ZKSync Ignite Program rewards are claimed through the\",\"bUUVED\":\"Actif\",\"bXQ/Og\":\"Partager sur Twitter\",\"bXr0ee\":\"Les actifs isolés ont un pouvoir d'emprunt limité et les autres actifs ne peuvent pas être utilisés comme garantie.\",\"bYmAV1\":\"Adresses\",\"bguKoJ\":\"Le montant demandé est supérieur au montant maximum du prêt en mode taux stable\",\"bwSQI0\":\"Fournir\",\"bxN6EM\":\"Impossible de désactiver le mode E\",\"bxmzSh\":\"Pas assez de collatéral pour rembourser ce montant de dette avec\",\"c91vuQ\":\"L'adresse n'est pas un contrat\",\"c97os2\":\"Aave aToken\",\"c9b44w\":\"Vous ne pouvez pas retirer ce montant car cela entraînera un appel de garantie\",\"cBc+4A\":\"Il s'agit du montant total que vous pouvez emprunter. Vous pouvez emprunter en fonction de votre garantie et jusqu'à ce que le plafond d'emprunt soit atteint.\",\"cIl5kp\":\"Votre pouvoir de vote est basé sur votre solde AAVE/stkAAVE et les délégations reçues.\",\"cLo09S\":\"Détails des risques\",\"cNT+ij\":\"L'emprunt n'est pas disponible car vous avez activé le mode Efficacité (E-Mode) et le mode Isolation. Pour gérer le mode E et le mode Isolation, rendez-vous sur votre <0>tableau de bord.\",\"cZOeBk\":\"Something went wrong fetching bridge message, please try again later.\",\"ceix5S\":\"Pour soumettre une proposition de modifications mineures du protocole, vous aurez besoin d’une puissance d’au moins 80,00 K. Si vous souhaitez modifier la base de code de base, vous aurez besoin d’une puissance de 320k. <0>Pour en savoir plus.\",\"ciybUa\":\"Vote YAE\",\"ckf7gX\":[\"Remboursement \",[\"symbole\"]],\"cp1ZDP\":[\"Bridge \",[\"symbol\"]],\"cqnmnD\":\"Taux d’intérêt effectif\",\"cqwIvs\":\"Discussion de forum\",\"csDS2L\":\"Disponible\",\"cu7Stb\":\"Vous n'avez pas participé à cette proposition\",\"dE6BLF\":\"Gouvernance\",\"dEgA5A\":\"Annuler\",\"dIsyWh\":\"Échec de la validation LTV\",\"dMtLDE\":\"À\",\"dOB5nW\":[\"La quantité maximale disponible pour la fourniture est de <0/> \",[\"0\"],\" (<1/>).\"],\"dVfODp\":\"Vous n'avez pas assez de fonds dans votre portefeuille pour rembourser le montant total. Si vous continuez à rembourser avec votre montant actuel de fonds, vous aurez toujours une petite position d'emprunt dans votre tableau de bord.\",\"dXUQFX\":\"Actifs à emprunter\",\"dgr1aY\":\"L’emprunt est désactivé en raison d’une décision de la communauté Aave. <0>Plus d’informations\",\"djsg0o\":\"Usage de collatéral\",\"dpc0qG\":\"Variable\",\"drdV8R\":\"Liquidation\",\"dxW8cS\":\"Jeton de dette Aave\",\"e4V3oW\":\"Top 10 des adresses\",\"eD8WX/\":\"L'action nécessite une réserve active\",\"eJRJ04\":\"Montant à la mise en jeu\",\"eLh0cL\":\"Le slippage est la différence entre les montants cotés et reçus en raison de l’évolution des conditions du marché entre le moment où la transaction est soumise et sa vérification.\",\"ePK91l\":\"Edit\",\"eVpCmf\":\"Récompenses de staking\",\"eVqvtf\":\"Bridge GHO\",\"eYdurp\":\"Aucune transaction n’a encore été effectuée.\",\"ebLGGN\":\"Total emprunté\",\"ecqEvn\":\"Le solde de la garantie est de 0\",\"efdrrk\":\"Disponible sur\",\"enruNF\":\"Commence\",\"eqLYiD\":\"Arrêter de staker maintenant\",\"euScGB\":\"APY avec remise appliquée\",\"evw5ha\":\"Valeur nette\",\"ezcU16\":\"Obtenir le jeton ABP\",\"f3W0Ej\":[\"Vous êtes passé au tarif \",[\"0\"]],\"fH9i8k\":\"Vous avez réussi à changer de position d’emprunt.\",\"fHcELk\":\"APR Net\",\"fMJQZK\":\"Emprunté\",\"fZ5Vnu\":\"Reçu\",\"firl9Q\":\"Votre prêt actuel à la valeur en fonction de votre collatéral fournie.\",\"flRCF/\":\"Remise sur le staking\",\"fldjW9\":\"Prévisualiser tx et migrer\",\"fsBGk0\":\"Solde\",\"fu1Dbh\":[\"Retirer \",[\"symbole\"]],\"fwjWSI\":\"Fourni\",\"fwyTMb\":\"Migrate to stkABPT v2\",\"g0mals\":\"You can not disable E-Mode because that could cause liquidation. To exit E-Mode supply or repay borrowed positions.\",\"g2UNkE\":\"Alimenté par\",\"g8KGoA\":\"Foire aux questions\",\"g9zzqS\":\"A voté NAY\",\"gDd2gk\":\"about SuperFest.\",\"gFFh9h\":\"Tout est fait !\",\"gIMJlW\":\"Mode réseau test\",\"gOzPxe\":\"Cet actif est gelé en raison d’une décision de gouvernance du protocole Aave. <0>Plus d’informations\",\"gTHi2T\":\"L'utilisateur essaie d'emprunter plusieurs actifs, y compris un en silo\",\"gVW59Y\":\"Veuillez connecter votre portefeuille pour obtenir des ressources de réseau de test gratuites.\",\"gcFNxP\":\"Approuver Confirmé\",\"gncRUO\":\"Cette adresse est bloquée sur app.aave.com car elle est associée à un ou plusieurs\",\"goff7V\":\"Adresse zéro non-valide\",\"gp+f1B\":\"Variante 3\",\"gr8mYw\":\"Vous pouvez emprunter jusqu’à GHO à <0/> <1/> (rabais maximum)\",\"gvTM4B\":\"L'APY net est l'effet combiné de toutes les positions d'offre et d'emprunt sur la valeur nette, y compris les incitations. Il est possible d'avoir un APY net négatif si l'APY de la dette est supérieur à l'APY de l'offre.\",\"gzcch9\":\"Frais de protocole de pont invalide\",\"h33MxW\":\"Representing smart contract wallet (ie. Safe) addresses on other chains.\",\"h3ilK+\":\". .CSV\",\"hB23LY\":\"Activer le temps de recharge\",\"hIJzBh\":\"Available to Claim\",\"hIS4N0\":\"APY Net\",\"hRWvpI\":\"Revendiqué\",\"hdmy/o\":\"Le % de votre pouvoir d'emprunt total utilisé. Ceci est basé sur le montant de votre garantie fournie et le montant total que vous pouvez emprunter.\",\"hehnjM\":\"Montant\",\"hjDCQr\":\"Il y a eu une erreur. Veuillez essayer de modifier les paramètres ou <0><1>copier l'erreur\",\"hom7qf\":\"Réclamer\",\"hpHJ4I\":\"Garantie liquidée\",\"hpuVIp\":\"Users who stake AAVE in Safety Module (i.e. stkAAVE holders) receive a discount on GHO borrow interest rate.\",\"huQ6Tz\":[\"Emprunter \",[\"symbole\"]],\"hxi7vE\":\"Emprunter le solde\",\"i/fZ2Z\":\"Staked Balance\",\"i2JTiw\":\"Vous pouvez saisir un montant personnalisé dans le champ.\",\"iB5+/J\":\"À propos de GHO\",\"iChbOF\":\"Paramètres de prêt flash incohérents\",\"iEPVHF\":\"Pas assez de pouvoir de vote pour participer à cette proposition\",\"iEW87X\":\"Délégation de pouvoirs\",\"iEju36\":[\"Vous avez voté \",[\"0\"]],\"iFq2YN\":\"Borrowable\",\"iGxyIA\":\"Safety Module\",\"iMVZk9\":\"Sélectionner la tolérance de glissement\",\"iPMIoT\":\"Entrez un montant\",\"iSLIjg\":\"Connect\",\"iUo5rv\":\"tokens n'est pas la même chose que de les staker . Si vous souhaitez staker votre\",\"iZxa38\":\"Utilisez-le pour voter pour ou contre les propositions actives.\",\"if5PH+\":\"Informations sur le collectionneur\",\"igkfR1\":[\"En mode Isolation, vous ne pouvez pas fournir d’autres actifs en garantie. Un plafond d’endettement global limite le pouvoir d’emprunt de l’actif isolé. Pour quitter le mode d’isolement, désactivez \",[\"0\"],\" en garantie avant d’emprunter un autre actif. Pour en savoir plus, consultez notre <0>FAQ\"],\"il0sEG\":\"L'utilisation du collatéral est limitée en raison du mode d'isolation.\",\"j+K1Xj\":\"Amount After Fee\",\"jA2QeW\":\"Fournir votre\",\"jFi7dz\":\"Interest rate that is determined by Aave Governance. This rate may be changed over time depending on the need for the GHO supply to contract/expand. <0>Learn more\",\"jG3UJ7\":\"Désactiver le E-mode\",\"jKYzR1\":\"Activer le E-Mode\",\"jMam5g\":[[\"0\"],\" Balance\"],\"jSYv+Z\":\"Enabling E-Mode allows you to maximize your borrowing power, however, borrowing is restricted to assets within the selected category. <0>Learn more about how it works and the applied restrictions.\",\"jaKbwW\":[[\"s\"],\"s\"],\"jbFMap\":\"Temps de recharge restant\",\"jeMZNr\":[[\"0\"],\" Le service de rampe d’accès est fourni par le fournisseur externe et, en le sélectionnant, vous acceptez les conditions du fournisseur. Votre accès au service peut dépendre de l’opérationnalité du fournisseur externe.\"],\"jfl9OP\":\"Migré\",\"jmXdoY\":\"En E-Mode, certains actifs ne sont pas empruntables. Quittez le E-mode pour accéder à tous les actifs\",\"jpctdh\":\"Vue\",\"jqzUyM\":\"Non disponible\",\"k/sb6z\":\"Choisir la langue\",\"k3wP3f\":\"<0>Attention: Les changements de paramètres via la gouvernance peuvent modifier le facteur de santé de votre compte et le risque de liquidation. Suivez le <1>forum de gouvernance d’Aave pour les mises à jour.\",\"kACpF3\":[\"Réclamer \",[\"0\"]],\"kH6wUX\":\"Impact sur les prix\",\"kIC28N\":\"Available to claim\",\"kIpSye\":[[\"numSelected\"],\"/\",[\"numAvailable\"],\" Actifs sélectionnés\"],\"kN1Yg5\":\"Pour rembourser au nom d'un utilisateur, un montant explicite à rembourser est nécessaire\",\"kRTD40\":[\"Montant de remboursement à atteindre \",[\"0\"],\"% d’utilisation\"],\"kjN9tT\":\"Le plafond d'approvisionnement est dépassé\",\"knxE+G\":\". JSON (en anglais seulement)\",\"ks2LWT\":\"Le plafond de la dette n'est pas nul\",\"kwwn6i\":\"Les utilisateurs qui misent des AAVE dans le module de sécurité (c’est-à-dire les détenteurs de stkAAVE) bénéficient d’une réduction sur le taux d’intérêt d’emprunt de HO. La réduction s’applique à 100 GHO pour chaque 1 stkAAVE détenu. Utilisez le calculateur ci-dessous pour voir le taux d’emprunt GHO avec le rabais appliqué.\",\"kz3wtK\":\"and about SPK program\",\"kzZyM4\":\"DAI balance will be converted via DSR contracts and then supplied as sDAI. Switching incurs no additional costs and no slippage.\",\"lNVG7i\":\"Sélectionner une ressource\",\"lU2d1/\":[\"L’actif ne peut pas être migré en raison d’une liquidité insuffisante ou d’une limitation du plafond d’emprunt \",[\"marketName\"],\" v3 marché.\"],\"lVhKKI\":\"A voté YAE\",\"lWLqxB\":\"Nous n’avons trouvé aucune transaction liée à votre recherche. Réessayez avec un autre nom de ressource ou réinitialisez les filtres.\",\"lYGfRP\":\"Anglais\",\"lfEjIE\":\"En savoir plus dans notre <0>guide FAQ\",\"lt6bpt\":\"Garantie à rembourser\",\"m/IEhi\":\"Émission totale par jour\",\"m7r7Hh\":\"Sélection d’actifs d’emprunt\",\"mDDK4p\":\"Balancer Pool\",\"mIM0qu\":\"Montant prévu à rembourser\",\"mUAFd6\":\"Variante 2\",\"masO5Z\":\"E-Mode increases your LTV for a selected category of assets. <0>Learn more\",\"mdNjKU\":[\"Votre \",[\"name\"],\" Le portefeuille est vide. Acheter ou transférer des actifs ou utiliser <0>\",[\"0\"],\" pour transférer votre \",[\"network\"],\" actif.\"],\"muiOng\":[\"Acheter \",[\"cryptoSymbol\"],\" avec Fiat\"],\"mvCXBY\":\"Mise en jeu AAVE\",\"mwdzil\":\"D'accord, fermer\",\"mzI/c+\":\"Télécharger\",\"mzdIia\":\"L'actif ne peut pas être utilisé comme collatéral.\",\"n+SX4g\":\"Développeurs\",\"n8Psk4\":\"Nous n’avons pas pu détecter de portefeuille. Connectez un portefeuille pour staker et consulter votre solde.\",\"nJIhzm\":\"Fournir apy\",\"nJgsQu\":\"Avec un pouvoir de vote de <0/>\",\"nLC6tu\":\"Français\",\"nN2T8p\":\"During the cooldown period, you will not earn any merit rewards. However, rewards earned up to this point will remain unaffected.\",\"nNHV0z\":\"La migration simultanée de plusieurs garanties et d’actifs empruntés peut s’avérer coûteuse et peut échouer dans certaines situations. <0>Par conséquent, il n’est pas recommandé de migrer des positions avec plus de 5 actifs (déposés + empruntés) en même temps.\",\"nNbnzu\":\"Proposition\",\"nOy4ob\":\"Nous vous suggérons de revenir au tableau de bord.\",\"nPGNMh\":\"Peut être exécuté\",\"nUK1ou\":[\"Assets with zero LTV (\",[\"0\"],\") must be withdrawn or disabled as collateral to perform this action\"],\"nakd8r\":\"Les détenteurs de stkAAVE bénéficient d’une réduction sur le taux d’emprunt GHO\",\"nh2EJK\":[\"Veuillez passer à \",[\"networkName\"],\".\"],\"njBeMm\":\"Les deux\",\"noN5Xf\":\"We couldn’t detect a wallet. Connect a wallet to view your staking positions and rewards.\",\"ntkAoE\":\"Remise appliquée pour <0/> le staking d’AAVE\",\"ntyFSE\":[[\"h\"],\"h\"],\"nwtY4N\":\"Quelque chose s’est mal passé\",\"nxyWvj\":\"Le retrait de ce montant réduira votre facteur santé et augmentera le risque de liquidation.\",\"o17QVP\":\"Votre facteur de santé et votre prêt à la valeur déterminent l'assurance de votre collatéral. Pour éviter les liquidations, vous pouvez fournir plus de garanties ou rembourser les positions d'emprunt.\",\"o1xc2V\":\"L'approvisionnement en aTokens n'est pas nul\",\"o4tCu3\":\"Emprunter de l’APY\",\"o5ooMr\":\"Dette\",\"o7J4JM\":\"Filtrer\",\"oHFrpj\":\"Temps de recharge pour déstaker\",\"oJ5ZiG\":\"L'utilisateur n'a pas de dette à taux variable impayée sur cette réserve\",\"oRBGin\":\"Veuillez connecter votre portefeuille pour pouvoir échanger vos jetons.\",\"oUwXhx\":\"Ressources de test\",\"oWklJD\":\"Le taux d'intérêt stable <0>restera le même pendant toute la durée de votre prêt. Recommandé pour les périodes de prêt à long terme et pour les utilisateurs qui préfèrent la prévisibilité.\",\"odnIK3\":\"Time remaining until the 48 hour withdraw period starts.\",\"oiK5nY\":\"The current incentives period, decided on by the Aave community, has ended. Governance is in the process on renewing, check for updates. <0>Learn more.\",\"olREoo\":\"All borrow positions outside of this category must be closed to enable this category.\",\"om/XHs\":\"Disponible au dépôt\",\"ov0+mq\":\"Eligible for the ZKSync Ignite program.\",\"ovT1pF\":[\"Per the community, the \",[\"market\"],\" has been frozen.\"],\"ow3fug\":\"Rien n’a été trouvé\",\"owSsI3\":\"Signatures prêtes\",\"p+R52m\":\"Accéder à Balancer Pool\",\"p2A+s1\":[\"La période de recharge est de \",[\"0\"],\". Après \",[\"1\"],\" de temps de recharge, vous entrerez dans la fenêtre de désengagement de \",[\"2\"],\". Vous continuerez à recevoir des récompenses pendant le temps de recharge et la fenêtre de retrait.\"],\"p2S64u\":\"Le ratio prêt/valeur des positions migrées entraînerait la liquidation. Augmenter les garanties migrées ou réduire les emprunts migrés pour continuer.\",\"p2Z2Qi\":\"Cet actif a atteint son plafond d'emprunt. Rien n'est disponible pour être emprunté à ce marché.\",\"p3j+mb\":\"Votre solde de récompenses est de 0\",\"p45alK\":\"Configurer la délégation\",\"p6u2s1\":\"Minimum amount of debt to be repaid\",\"pDgeaz\":[[\"title\"]],\"pdZqBk\":\"Le solde sous-jacent doit être supérieur à 0\",\"pgWG9H\":\"Pas assez de solde staké\",\"piPrJ7\":\"veuillez vérifier que le montant que vous souhaitez fournir n'est pas actuellement utilisé pour le staking. S'il est utilisé pour le staking, votre transaction peut échouer.\",\"pjO/iH\":\"Minimum amount received\",\"pooutM\":\"Voting is on\",\"pqaM5s\":\"Confirming transaction\",\"ptaxX3\":[\"Je comprends comment fonctionnent le temps de recharge (\",[\"0\"],\") et le retrait (\",[\"1\"],\")\"],\"py2iiY\":\"L'appelant de cette fonction doit être un pool\",\"q/51mF\":\"Migrer vers la V3\",\"q3df11\":\"Stratégie de taux d’intérêt\",\"q6lAbz\":\"Staké\",\"qB4kPi\":\"Fournir APY\",\"qENI8q\":\"Paramètres globaux\",\"qGz5zl\":\"Solde de garantie après remboursement\",\"qOqbD6\":\"copier l'erreur\",\"qXCkEM\":\"Veuillez connecter votre portefeuille pour voir vos fournitures, vos emprunts et vos positions ouvertes.\",\"qY2jnw\":\"Expiration invalide\",\"qf/fr+\":\"Intérêts courus\",\"quYPUU\":\"Variable interest rate will <0>fluctuate based on the market conditions.\",\"quzIeW\":\"User is in isolation mode or LTV is zero\",\"qvnz3q\":\"Montant non valide à brûler\",\"rHgdb0\":\"Migrate to Aave V3\",\"rOrHHe\":\"Le montant doit être supérieur à 0\",\"rQ+R+0\":\"Sélection d’actifs d’approvisionnement\",\"rSayea\":\"APY\",\"rTBDeu\":[\"L’actif ne peut pas être migré car vous disposez d’une garantie isolée dans \",[\"marketName\"],\" v3 Marché qui limite les actifs empruntables. Vous pouvez gérer vos garanties dans <0>\",[\"marketName\"],\" Tableau de bord V3\"],\"rcT+yy\":\"Afficher les actifs avec 0 solde\",\"rf8POi\":\"Montant de l’actif emprunté\",\"riNWOA\":\"E-Mode\",\"rjGI/Q\":\"Vie privée\",\"rnKPW1\":\"Watch a wallet balance in read-only mode\",\"ruc7X+\":\"Ajoutez stkAAVE pour voir l’APY d’emprunt avec la remise\",\"rvbaFU\":[\"Bridging \",[\"symbol\"]],\"rwVVB7\":\"Réclamez toutes les récompenses\",\"rwyUva\":\"Ces actifs sont temporairement gelés ou suspendus par des décisions de la communauté Aave, ce qui signifie qu’il n’est pas possible d’obtenir / emprunter ou d’échanger des taux de ces actifs. Les retraits et les remboursements de dettes sont autorisés. Suivez le <0>forum de gouvernance d’Aave pour d’autres mises à jour.\",\"rxJW5W\":\"Votre pouvoir de proposition est basé sur votre solde AAVE/stkAAVE et les délégations reçues.\",\"s2jJnW\":\"You don't have any bridge transactions\",\"s5wBAq\":[\"Unstake \",[\"symbol\"]],\"sJbIdI\":\"Enter ETH address or ENS\",\"sK+Nag\":\"Réviser tx\",\"sP2+gB\":\"NON\",\"sQv06Y\":\"pour\",\"sTtO6J\":\"Confirm transaction\",\"sXKb3l\":\"Exchange rate\",\"sb0q4+\":\"Vous unstaké ici\",\"smJNwH\":\"Disponible à emprunter\",\"solypO\":\"Le facteur de santé n'est pas inférieur au seuil\",\"sr0UJD\":\"Retourner\",\"ss5GCK\":\"L'adresse du fournisseur d'adresses du pool n'est pas valide\",\"swEgK4\":\"Vos informations de vote\",\"t+wtgf\":\"Aucun emprunt pour l'instant\",\"t/YqKh\":\"Remove\",\"t81DpC\":[\"Approuver \",[\"symbol\"],\" pour continuer\"],\"tCnbEs\":\"Prix Oracle\",\"tFZLf8\":\"Ce calcul de gaz n'est qu'une estimation. Votre portefeuille fixera le prix de la transaction. Vous pouvez modifier les paramètres de gaz directement depuis votre fournisseur de portefeuille.\",\"tHuvQI\":\"Accéder au tableau de bord V3\",\"tKv7cI\":\"Changer de position d’emprunt\",\"tOcg3N\":\"Étant donné que cet actif est gelé, les seules actions disponibles sont le retrait et le remboursement, accessibles depuis le <0>tableau de bord\",\"tOuXfv\":[\"Emprunter le montant à atteindre \",[\"0\"],\"% d’utilisation\"],\"te9Bfl\":\"S'il vous plaît, connectez votre portefeuille\",\"tt5yma\":\"Vos ressources\",\"ttoh5c\":\"Passer à\",\"u3ZeYl\":\"La transaction a échoué\",\"u706uF\":\"Prime flash non valide\",\"u8Gfu7\":[\"Aucun résultat de recherche\",[\"0\"]],\"uAQUqI\":\"Status\",\"uHMwk8\":\"Aucune ressource n’a été sélectionnée pour la migration.\",\"uJPHuY\":\"Migration\",\"uY8O30\":\"Pour continuer, vous devez autoriser les contrats intelligents Aave à déplacer vos fonds depuis votre portefeuille. En fonction de l’actif et du portefeuille que vous utilisez, cela se fait en signant le message d’autorisation (sans gaz) ou en soumettant une transaction d’approbation (nécessite du gaz). <0>Pour en savoir plus\",\"udFheE\":\"For repayment of a specific type of debt, the user needs to have debt that type\",\"ulNuNq\":\"Exporter des données vers\",\"ulup2p\":\"Acheter des crypto-monnaies avec des monnaies fiduciaires\",\"umICAY\":\"<0><1><2/>Ajoutez stkAAVE pour voir le taux d’emprunt avec escompte\",\"usB84Z\":\"Le montant maximum disponible pour emprunter est limité car le plafond d’emprunt du protocole est presque atteint.\",\"uwAUvj\":\"COPIER L’IMAGE\",\"v8x7Mg\":\"Garantie insuffisante pour couvrir une nouvelle position d’emprunt. Le portefeuille doit avoir une capacité d’emprunt restante pour effectuer le transfert de dette.\",\"vEqxH9\":\"Restauré\",\"vLyv1R\":\"Cacher\",\"vMba49\":\"L'emprunt n'est pas activé\",\"vMpNwt\":\"Approuvez avec\",\"vXIe7J\":\"Language\",\"vesuBJ\":\"Vous permet de décider si vous souhaitez utiliser un actif fourni en tant que collatéral. Un actif utilisé comme collatéral affectera votre pouvoir d'emprunt et votre Health Factor.\",\"w+V9Cx\":\"Stablecoin\",\"w/JtJ3\":\"L'offre de dette stable n'est pas nulle\",\"w4VBY+\":\"Récompenses APR\",\"w9dLMW\":[[\"label\"]],\"wAOL+X\":[\"Vous \",[\"action\"],\" <0/> \",[\"symbole\"]],\"wBIsjb\":\"Canal Discord\",\"wQZbc/\":\"L'appelant de la fonction n'est pas un AToken\",\"wRRqvW\":\"Vous n'avez pas de fournitures dans cette devise\",\"wZFvVU\":\"VOTER OUI\",\"wb/r1O\":[\"Faucet \",[\"0\"]],\"wdxz7K\":\"Source\",\"weH1nG\":\"Le protocole Aave est programmé pour toujours utiliser le prix de 1 GHO = 1 $. C’est différent de l’utilisation des prix du marché via des oracles pour d’autres actifs cryptographiques. Cela crée des opportunités d’arbitrage stabilisatrices lorsque le prix du GHO fluctue.\",\"wh7Ezv\":\"You have no AAVE/stkAAVE/aAave balance to delegate.\",\"wlsIx7\":\"Avec testnet Faucet, vous pouvez obtenir des ressources gratuites pour tester le protocole Aave. Assurez-vous de changer votre fournisseur de portefeuille pour le réseau de test approprié, sélectionnez l’actif souhaité et cliquez sur «\xA0Faucet\xA0» pour obtenir des jetons transférés vers votre portefeuille. Les actifs d’un réseau de test ne sont pas « réels », ce qui signifie qu’ils n’ont aucune valeur monétaire. <0>Pour en savoir plus\",\"wmE285\":\"Get ABP v2 Token\",\"wyRrcJ\":\"As a result of governance decisions, this ABPT staking pool is now deprecated. You have the flexibility to either migrate all of your tokens to v2 or unstake them without any cooldown period.\",\"x5KiLL\":\"Les ressources sélectionnées ont été migrées avec succès. Rendez-vous sur le tableau de bord du marché pour les voir.\",\"x7F2p6\":\"Différentiel de courant\",\"x7K5ib\":[\"Votre \",[\"networkName\"],\" Le portefeuille est vide. Obtenir un test gratuit \",[\"0\"],\" à\"],\"x9iLRD\":\"tokens, veuillez vous rendre sur\",\"xNy/UG\":\"Rembourser avec\",\"xPm8wv\":\"En savoir plus sur les risques encourus\",\"xXYpZl\":[[\"0\"],\" Faucet\"],\"xaVBSS\":\"Vos informations\",\"xaWZ6f\":\"Changement de type APY\",\"xh6k71\":\"L’utilisation des garanties est limitée en raison du mode d’isolation.\",\"xvIklc\":\"Flashloan est désactivé pour cet actif, cette position ne peut donc pas être migrée.\",\"y5rS9U\":\"Émigrer\",\"y66tBm\":[\"Activer \",[\"symbol\"],\" comme collatéral\"],\"yB1YpA\":\"Mode Sombre\",\"yCrG6m\":\"Taille totale du marché\",\"yJUUbn\":\"Aperçu des transactions\",\"yLGmLX\":[\"Remise en jeu \",[\"symbol\"]],\"yW1oWB\":\"APY type\",\"yYHqJe\":\"Pas une adresse valide\",\"yZwLw6\":\"Suivre le portefeuille\",\"yh2sjd\":[\"Impact sur les prix \",[\"0\"],\"%\"],\"yhvj6d\":\"Vous ne pouvez pas changer d'utilisation en tant que mode de garantie pour cette devise, car cela entraînera un appel de garantie\",\"ylmtBZ\":\"The app is running in fork mode.\",\"ymNY32\":[\"Il n'y a pas assez de fonds dans la \",[\"0\"],\" réserve pour emprunter\"],\"yz7wBu\":\"Fermer\",\"z4uGQg\":\"Le plafond de la dette est dépassé\",\"z5UQOM\":\"La garantie choisie ne peut être liquidée\",\"z5Y+p6\":[\"Fournir \",[\"symbole\"]],\"zCjNKs\":\"L'action ne peut pas être effectuée car la réserve est gelée\",\"zRHytX\":\"Plafond de la dette isolée\",\"zTOjMP\":\"La limite d’approvisionnement du protocole est de 100 % pour cet actif. D’autres approvisionnements ne sont pas disponibles.\",\"zVdRUG\":\"Submission did not work, please try again later or contact wecare@avara.xyz\",\"zevmS2\":\"<0><1><2/>Ajoutez <3/> stkAAVE pour emprunter à <4/> (remise maximale)\",\"zgtIDV\":\"Dette restante\",\"zmTPiV\":\"Bilan d'approvisionnement\",\"zpPbZl\":\"Paramètres du risque de liquidation\",\"zucql+\":\"Menu\",\"zwWKhA\":\"Apprendre encore plus\",\"zy9fXn\":[\"L’actif est gelé \",[\"marketName\"],\" v3, donc cette position ne peut pas être migrée.\"],\"zys+R6\":\"Faites attention à la congestion du réseau et aux prix de l’essence.\",\"zzzTXS\":\"Merit Program rewards are claimed through the\"}")}; \ No newline at end of file +/*eslint-disable*/module.exports={messages:JSON.parse("{\"+0xecS\":[\"Si vous NE vous désengagez PAS dans les \",[\"0\"],\" de la fenêtre de désengagement, vous devrez réactiver le processus de refroidissement.\"],\"+EGVI0\":\"Recevoir (est.)\",\"+VR63W\":[\"Participer à cette réserve \",[\"symbol\"],\" donne des récompenses annualisées.\"],\"+bmKdK\":\"Use your AAVE, stkAAVE, or aAave balance to delegate your voting and proposition powers. You will not be sending any tokens, only the rights to vote and propose changes to the protocol. You can re-delegate or revoke power to self at any time.\",\"+eOPG+\":\"On dirait que nous ne pouvons pas changer de réseau automatiquement. Veuillez vérifier si vous pouvez le changer depuis le portefeuille.\",\"+i3Pd2\":\"Limite d'emprunt\",\"+kLZGu\":\"Montant de l’actif fourni\",\"+nuEh/\":\"Estimated time\",\"+xMFF8\":\"Remind me\",\"/57U31\":\"Amount to migrate\",\"/7ykiW\":\"Emprunter ce montant réduira votre facteur santé et augmentera le risque de liquidation.\",\"/YA5pU\":\"E-Mode increases your LTV for a selected category of assets, meaning that when E-mode is enabled, you will have higher borrowing power over assets of the same E-mode category which are defined by Aave Governance. You can enter E-Mode from your <0>Dashboard. To learn more about E-Mode and applied restrictionn, see the <1>help guide or the <2>Aave V3 Technical Paper.\",\"/izjs/\":\"Montant minimum d’Aave mis en jeu\",\"/jQctM\":\"To\",\"/lDBHm\":\"FAQ\",\"/yNlZf\":\"L'emprunt stable n'est pas activé\",\"/yQcJM\":\"Valeur totale\",\"00AB2i\":\"L'utilisateur n'a pas emprunté la devise spécifiée\",\"00OflG\":\"Il n’y a pas assez de liquidités pour que l’actif cible puisse effectuer le changement. Essayez de réduire le montant.\",\"08/rZ9\":\"La période de recharge est le temps nécessaire avant de retirer vos jetons (20 jours). Vous ne pouvez retirer vos actifs du module de sécurité qu’après la période de recharge et pendant la période de désenjeu. <0>Pour en savoir plus\",\"0AmQcW\":\"Changement de taux\",\"0BF3yK\":\"Désolé, nous n’avons pas trouvé la page que vous cherchiez.\",\"0TAbjq\":\"Recent Transactions\",\"0jhlyw\":\"Risque de liquidation\",\"0ojY+Y\":\"Solde actuel v2\",\"0thX3P\":\"Modification des garanties\",\"0wGCWc\":\"Il s'agit du montant total que vous pouvez emprunter. Vous pouvez emprunter en fonction de votre garantie et jusqu'à ce que le plafond d'emprunt soit atteint.\",\"1AsVfF\":\"À l’heure actuelle, les données sur les prix ne sont pas disponibles pour cette réserve dans le sous-graphe du protocole\",\"1LjK22\":\"Historique des transactions\",\"1Onqx8\":[\"Approuver \",[\"symbol\"],\"...\"],\"1Ue8sX\":\"Veuillez connecter un portefeuille pour afficher vos informations personnelles ici.\",\"1bpx9A\":\"...\",\"1kWUB+\":\"Seuil de liquidation <0/>\",\"1m9Qqc\":\"Retrait et changement\",\"1oyh4g\":\"Borrow rate\",\"1t7rez\":\"L’offre d’actifs est limitée à un certain montant afin de réduire l’exposition du protocole à l’actif et d’aider à gérer les risques encourus.\",\"2CAPu2\":\"Vous avez retiré et échangé des jetons avec succès.\",\"2Eoi/a\":\"Voir détails\",\"2FYpfJ\":\"Plus\",\"2O3qp5\":\"Liquidités disponibles\",\"2OM8/D\":[\"L’actif ne peut pas être migré en raison d’une restriction de plafond d’approvisionnement dans \",[\"marketName\"],\" v3 marché.\"],\"2Q4GU4\":\"Adresse bloquée\",\"2ZGocC\":\"Aave est un protocole entièrement décentralisé et régi par la communauté par les détenteurs de jetons AAVE. Les détenteurs de jetons AAVE discutent, proposent et votent collectivement sur les mises à niveau du protocole. Les détenteurs de jetons AAVE (réseau Ethereum uniquement) peuvent soit voter eux-mêmes sur de nouvelles propositions, soit choisir l’adresse de leur choix. Pour en savoir plus, consultez la page Gouvernance\",\"2a6G7d\":\"Veuillez saisir une adresse de portefeuille valide.\",\"2bAhR7\":\"Rencontrez GHO\",\"2eBWE6\":\"Je reconnais les risques encourus.\",\"2o/xRt\":\"Plafond d'approvisionnement sur la réserve cible atteint. Essayez de réduire le montant.\",\"2uJToh\":[[\"0\"],[\"name\"]],\"2x58bP\":\"L'emprunt stable est activé\",\"34Qfwy\":\"Le plafond d'emprunt est dépassé\",\"39eQRj\":[\"Emprunter \",[\"symbole\"]],\"3BL1xB\":\"Total fourni\",\"3BnIWi\":\"Commuté\",\"3K0oMo\":\"Offre restante\",\"3MoZhl\":\"Il n'y a pas assez de collatéral pour couvrir un nouvel emprunt\",\"3Np5O8\":[\"Fournir \",[\"symbole\"]],\"3O8YTV\":\"Total des intérêts courus\",\"3mXg0z\":\"Max LTV\",\"3q3mFy\":\"Rembourser\",\"3qsjtp\":\"La moyenne pondérée de l'APY pour tous les actifs fournis, y compris les incitations.\",\"3rL+os\":\"Vous ne pouvez retirer vos actifs du module de sécurité qu'après la fin de la période de refroidissement et que la fenêtre de retrait est active.\",\"42UgDM\":[\"Migrer vers \",[\"0\"],\" Marché v3\"],\"49UFQA\":\"Résultats du vote\",\"4DMZUI\":\"Afficher les transactions\",\"4HtGBb\":\"MAX\",\"4Y5H+g\":\"Petits caractères\",\"4YYh4d\":\"Maximum available to borrow\",\"4iPAI3\":\"Montant minimum d’emprunt GHO\",\"4lDFps\":\"Signez pour continuer\",\"4wyw8H\":\"Transactions\",\"5JSSxX\":[\"Votre \",[\"networkName\"],\" Le portefeuille est vide. Obtenez des ressources de test gratuites à l’adresse suivante :\"],\"5K7kGO\":\"documentation\",\"5NOSGa\":\"Le plafond de la dette limite le montant que les utilisateurs du protocole peuvent emprunter sur cet actif. Le plafond de la dette est spécifique aux actifs isolés et est indiqué en USD.\",\"5Ncc6j\":[\"Cet actif a presque atteint son plafond d'offre. Il ne peut y avoir que \",[\"messageValue\"],\" fourni à ce marché.\"],\"5cZ/KX\":\"L'offre de dette variable n'est pas nulle\",\"5che++\":\"Pour demander l'accès à ce marché autorisé, veuillez consulter\xA0: <0>Nom du fournisseur d'accès\",\"5ctNdV\":[\"Minimum \",[\"0\"],\" reçu\"],\"5hDe9v\":\"Allocation action requise\",\"5rsnKT\":\"Récompenses disponibles\",\"5yC5m5\":\"Voir tous les votes\",\"6/dCYd\":\"Aperçu\",\"60crCe\":\"Toutes les transactions\",\"62Xcjh\":\"Collatérale\",\"65A04M\":\"Espagnol\",\"6G8s+q\":\"Signature\",\"6Jrv+z\":[\"Rembourser \",[\"symbole\"]],\"6NGLTR\":\"Montant actualisable\",\"6Xr0UU\":\"Refroidissement...\",\"6bxci/\":\"Pouvoir de vote\",\"6f8S68\":\"Marchés\",\"6g1gi0\":\"Les propositions\",\"6gvoHP\":\"Copier le message d’erreur\",\"6h3Q5G\":\"Remboursé\",\"6lFSyT\":\"Available to Stake\",\"6s8L6f\":\"Changer de réseau\",\"6yAAbq\":\"APY, borrow rate\",\"70wH1Q\":\"APR\",\"72c5Qo\":\"Total\",\"73Auuq\":\"Les paramètres de remise sont décidés par la communauté Aave et peuvent être modifiés au fil du temps. Consultez la section Gouvernance pour les mises à jour et votez pour participer. <0>Pour en savoir plus\",\"75qcAQ\":[[\"stepName\"]],\"7ITr5L\":\"Facteur de santé\",\"7T/o5R\":\"Atteint\",\"7YlcXu\":\"Fork mode is ON\",\"7Z76Iw\":\"L’emprunt n’est pas disponible car vous utilisez le mode Isolation. Pour gérer le mode d’isolation, rendez-vous sur votre <0>tableau de bord.\",\"7aKlMS\":\"Partager sur Lens\",\"7er5fP\":\"Réclamer tout\",\"7hb2+s\":\"Time remaining until the withdraw period ends.\",\"7l88b8\":\"Les données n’ont pas pu être récupérées, veuillez recharger le graphique.\",\"7p5kLi\":\"Tableau de bord\",\"7sofdl\":\"Retrait et échange\",\"8+6BI0\":\"Soyez prudent - Vous êtes très proche de la liquidation. Envisagez de déposer plus de collatéral ou de rembourser certaines de vos positions empruntées\",\"87pUEW\":[\"Votre \",[\"name\"],\" Le portefeuille est vide. Acheter ou transférer des actifs.\"],\"8F1i42\":\"Page introuvable\",\"8G8M0u\":\"Chargement des données...\",\"8Iu1QS\":\"Retiré\",\"8JL93T\":\"Toutes les propositions\",\"8Q51DU\":\"Ajouter au portefeuille\",\"8X/oyn\":\"Montant invalide à frapper\",\"8Z5FPv\":\"Déconnecter le portefeuille\",\"8Zz7s5\":\"actifs\",\"8aLW8H\":\"Solde à révoquer\",\"8bOT3H\":\"Taux d'utilisation\",\"8sLe4/\":\"Voir le contrat\",\"8t/M0y\":\"Please connect your wallet to be able to bridge your tokens.\",\"8vETh9\":\"Montrer\",\"94OHPx\":\"Vous entrez en mode Isolation\",\"9CDK3/\":[\"L'emprunt n'est actuellement pas disponible pour \",[\"0\"],\".\"],\"9GIj3z\":\"Taille de réserve\",\"9Knqb4\":\"Solde de mise en jeu\",\"9OBKm7\":\"Quorum\",\"9QHoGr\":\"Votes actuels\",\"9Rw96f\":[\"Cet actif a presque atteint son plafond d'emprunt. Il n'y a que \",[\"messageValue\"],\" disponible pour être emprunté sur ce marché.\"],\"9Xj/qR\":[\"Certaines ressources migrées ne seront pas utilisées comme garantie en raison de l’activation du mode d’isolement dans \",[\"marketName\"],\" Marché V3. Visite <0>\",[\"marketName\"],\" Tableau de bord V3 pour gérer le mode d’isolation.\"],\"9c6vDV\":\"Cet actif a atteint son plafond d'offre. Rien n'est disponible pour être fourni à partir de ce marché.\",\"9kTWHA\":\"L’AMI a été suspendu en raison d’une décision de la communauté. L’offre, les emprunts et les remboursements sont impactés. <0>Plus d’informations\",\"9lXchd\":\"Jeton sous-jacent\",\"9rWaKF\":\"Bridged Via CCIP\",\"9xSooW\":\"Comme il s'agit d'un réseau de test, vous pouvez obtenir n'importe lequel des actifs si vous avez ETH dans votre portefeuille\",\"A/lwoe\":\"Choisissez l’un des services de rampe d’accès\",\"A6dCI6\":[\"Le montant maximal disponible pour emprunter est de <0/> \",[\"0\"],\" (<1/>).\"],\"AReoaV\":\"Vos emprunts\",\"ARu1L4\":\"Remboursé\",\"AV7cGz\":\"Examiner les détails de la taxe d'approbation\",\"AZOjB8\":\"Récupération de données...\",\"Ai0jas\":\"Rejoignez la discussion de la communauté\",\"Ajl2rq\":\"Le pouvoir d'emprunt et les actifs sont limités en raison du mode d'isolement.\",\"AqgYNC\":\"Plafond d’emprunt du protocole à 100% pour cet actif. Il n’est pas possible d’emprunter davantage.\",\"B3EcQR\":\"Merci d’avoir voté\xA0!!\",\"B6aXGH\":\"Stable\",\"B9Gqbz\":\"Taux variable\",\"BDFEd+\":\"Les stETH fournis en garantie continueront d’accumuler des récompenses de staking fournies par les rebasages quotidiens.\",\"BE2mP0\":\"Borrowed assets\",\"BJyN77\":\"Due to health factor impact, a flashloan is required to perform this transaction, but Aave Governance has disabled flashloan availability for this asset. Try lowering the amount or supplying additional collateral.\",\"BNL4Ep\":\"L'utilisation de la garantie est limitée en raison du mode d'isolement. <0>En savoir plus\",\"BQ/wCO\":\"Migrate your assets\",\"BjLdl1\":\"À prix réduit\",\"BnhYo8\":\"Catégorie d'actifs\",\"Bq9Y7e\":\"Cet actif est gelé en raison d’une décision de la communauté Aave. <0>Plus d’informations\",\"BqWMDJ\":\"Faucet\",\"BqynZO\":\"Optimized for efficiency and risk by supporting blue-chip collateral assets\",\"Bsu7zX\":\"The fee includes the gas cost to complete the transaction on the destination chain and the fee paid to Chainlink CCIP service providers. You can chose to pay in the network token or GHO. <0>Learn more\",\"BwJKBw\":\"de\",\"CDrsH+\":\"Fiche technique\",\"CK1KXz\":\"Max\",\"CMHmbm\":\"Glissement\",\"CZXzs4\":\"Grec\",\"CcRNG6\":\"Transistor\",\"CkTRmy\":[\"Revendication \",[\"symbol\"]],\"CsqtLm\":\"Veuillez connecter votre portefeuille pour voir l’outil de migration.\",\"CtGlFb\":[[\"networkName\"],\" Robinet\"],\"Cxt2YY\":\"Watch wallet\",\"D33VQU\":\"Cette action réduira le facteur de santé de V3 en dessous du seuil de liquidation. Augmenter les garanties migrées ou réduire les emprunts migrés pour continuer.\",\"D9BLRG\":\"This asset has been paused due to a community decision. Supply, withdraw, borrows and repays are impacted.\",\"DAma/S\":\"La garantie est (principalement) la même devise que celle qui est empruntée\",\"DCnFg0\":[\"Adresses (\",[\"0\"],\")\"],\"DG3Lv1\":\"Je comprends parfaitement les risques liés à la migration.\",\"DONJcV\":\"L'actif sous-jacent ne peut pas être sauvé\",\"DR+4uL\":\"Bilan de l’alimentation après le changement\",\"DWjrck\":[\"La ressource ne peut pas être migrée vers \",[\"marketName\"],\" V3 Market en raison des restrictions du mode E. Vous pouvez désactiver ou gérer les catégories du mode E dans votre <0>tableau de bord V3\"],\"Dj+3wB\":\"Aave par mois\",\"DptNvx\":\"Amount Staked\",\"DuEq2K\":\"Collatéralisation\",\"DxfsGs\":\"Vous pouvez signaler un incident sur notre <0>Discord ou<1>Github.\",\"Dzma+E\":\"Main Ethereum market with the largest selection of assets and yield options\",\"E/QGRL\":\"Désactivé\",\"EBL9Gz\":\"COPIÉ!\",\"ES8dkb\":\"Taux fixe\",\"EZd3Dk\":[\"Reprise \",[\"symbol\"]],\"Ebgc76\":[\"Retrait \",[\"symbole\"]],\"EdQY6l\":\"Aucun/Aucune\",\"EjvKQ+\":\"Valeur minimale en USD reçue\",\"Enslfm\":\"Destination\",\"EvE9nO\":[\"Réactiver la période de recharge pour annuler le pieu \",[\"0\"],\" \",[\"stakedToken\"]],\"EvECnL\":\"Migrer vers la v3\",\"EzMQbh\":\"The source chain time to finality is the main factor that determines the time to destination. <0>Learn more\",\"F40cwT\":\"Legacy Markets\",\"F6TdXL\":\"Pour en savoir plus.\",\"FDDPeZ\":\"Users can stake their assets in the protocol and earn incentives. In the case of a shortfall event, your stake can be slashed to cover the deficit, providing an additional layer of protection for the protocol.\",\"FHlMf/\":\"Solde actuel de la v2\",\"FHpxjF\":[\"Le facteur de réserve est un pourcentage de l’intérêt qui va à un \",[\"0\"],\" qui est contrôlé par la gouvernance Aave pour promouvoir la croissance de l’écosystème.\"],\"FOBZa6\":\"Puissance d'emprunt utilisée\",\"FPKEug\":\"Opération non prise en charge\",\"FbmMe7\":\"Linked addresses\",\"Fdp03t\":\"sur\",\"Fjw9N+\":\"Actifs à déposer\",\"FmN0fk\":\"Remise en jeu\",\"GDGLIs\":\"GHO est un actif numérique natif décentralisé et adossé à des garanties, indexé sur le dollar américain. Il est créé par les utilisateurs en empruntant contre plusieurs garanties. Lorsque l’utilisateur rembourse sa position d’emprunt de HO, le protocole brûle le GHO de cet utilisateur. Tous les paiements d’intérêts accumulés par les minters de GHO seraient directement transférés à la trésorerie d’AaveDAO.\",\"GQrBTq\":\"Changer de mode E\",\"GWswcZ\":\"Cet actif est gelé en raison d’une décision de gouvernance du protocole Aave. Le 20 décembre 2022, renFIL ne sera plus pris en charge et ne pourra plus être reconnecté à son réseau natif. Il est recommandé de retirer les positions d’offre et de rembourser les positions d’emprunt afin que renFIL puisse être relié à FIL avant la date limite. Après cette date, il ne sera plus possible de convertir renFIL en FIL. <0>Plus d’informations\",\"GX8GKD\":\"Actifs\",\"GgEj+0\":\"Mode lecture seule. Connectez-vous à un portefeuille pour effectuer des transactions.\",\"GjkIKV\":\"Prend fin\",\"GoK/QN\":\"Thank you for submitting feedback!\",\"GtP2hp\":[\"L'emprunt n'est pas disponible, car vous avez activé le mode d'efficacité (E-Mode) pour la catégorie \",[\"0\"],\". Pour gérer les catégories E-Mode, visitez votre <0>tableau de bord.\"],\"H6Ma8Z\":\"Rabais\",\"HB/wfS\":[[\"tooltipText\"]],\"HKDsQN\":\"Rewards can be claimed through\",\"Ha/U5f\":\"This is a program initiated and implemented by the decentralised ZKSync community. Aave Labs does not guarantee the program and accepts no liability.\",\"HciqKU\":\"This is a program initiated and implemented by the decentralised Aave community. Aave Labs does not guarantee the program and accepts no liability.\",\"Hi6Ttn\":\"Désolé, une erreur inattendue s’est produite. En attendant, vous pouvez essayer de recharger la page, ou revenir plus tard.\",\"HkEDbS\":[[\"d\"],\"d\"],\"HmkYqM\":\"Fenêtre d'arrêt de staking\",\"HpK/8d\":\"Recharger\",\"HrnC47\":\"Enregistrer et partager\",\"HuVZMK\":\"Days\",\"HvJKMU\":[\"La ressource ne peut pas être migrée vers \",[\"marketName\"],\" v3 Marché puisque l’actif collatéral activera le mode d’isolation.\"],\"Hvwnm9\":[\"La quantité maximale disponible pour l’approvisionnement est limitée parce que le plafond d’approvisionnement du protocole est à \",[\"0\"],\"%.\"],\"I8CX2c\":\"Le montant total de vos actifs libellés en USD qui peut être utilisé comme garantie pour emprunter des actifs.\",\"IAD2SB\":[\"Prétendant \",[\"symbol\"]],\"IG9X9/\":\"L’emprunt de cet actif est limité à un certain montant afin de minimiser l’insolvabilité du pool de liquidités.\",\"IOIx8L\":\"Il est prévu que cet actif soit désactivé en raison d’une décision de gouvernance du protocole Aave. <0>Plus d’informations\",\"IP+I/j\":\"Période de recharge\",\"IaA40H\":\"Liquidation à\",\"J/hVSQ\":[[\"0\"]],\"JCoxL6\":\"Gérer l’analytique\",\"JK9zf1\":[\"Intérêts composés estimés, y compris l’escompte pour le jalonnement \",[\"0\"],\"AAVE dans le module de sécurité.\"],\"JOqFba\":[\"Déjalonnement \",[\"symbol\"]],\"JPrLjO\":\"Vous ne pouvez pas utiliser cette devise comme garantie\",\"JU6q+W\":\"Récompense(s) à réclamer\",\"JYKRJS\":\"Stake\",\"JZMxX0\":\"Pas assez de solde sur votre portefeuille\",\"Jgflkm\":\"Get GHO\",\"JoMQnI\":\"Solde du portefeuille\",\"JtwD8u\":\"Emprunter le solde après le remboursement\",\"JumYTK\":\"Supplied assets\",\"K05qZY\":\"Retrait et échange\",\"KAz/NV\":\"Le plafond d’endettement du protocole est de 100% pour cet actif. Il n’est pas possible d’emprunter davantage sur cet actif.\",\"KLXVqE\":[\"Les tokens stETH seront migrés vers Wrapped stETH à l’aide du wrapper Lido Protocol, ce qui entraîne une modification de l’équilibre de l’offre après la migration : \",[\"0\"]],\"KLd6ky\":\"Use connected account\",\"KRpokz\":\"VOIR TX\",\"KSlpka\":\"Cela représente le seuil auquel une position d'emprunt sera considérée comme sous-garantie et sujette à liquidation pour chaque garantie. Par exemple, si une garantie a un seuil de liquidation de 80\xA0%, cela signifie que la position sera liquidée lorsque la valeur de la dette vaut 80 % de la valeur de la garantie.\",\"KYAjf3\":\"Isolé\",\"KZwRuD\":[[\"notifyText\"]],\"KkPgim\":\"Changement de mode E\",\"KnN1Tu\":\"Expire\",\"KoOBI2\":\"En raison de la mécanique interne de stETH requise pour le rebasage de la prise en charge, il n’est pas possible d’effectuer un changement de garantie où stETH est le jeton source.\",\"KojyJ4\":\"Mauvais réseau\",\"KsqhWn\":\"Staking\",\"KuBTQq\":\"Entrez l'adresse ETH\",\"KvG1xW\":\"Réclamer\",\"L+8Lzs\":\"LTV actuelle\",\"L+qiq+\":\"Marché\",\"LDzfVJ\":\"Send Feedback\",\"LIrMcF\":\"Pas de pouvoir de vote\",\"LL0zks\":\"Peut être collatéral\",\"LLdJWu\":\"AAVE Réclamable\",\"LSIpNK\":\"Emprunter et rembourser dans le même bloc n'est pas autorisé\",\"LVt3TI\":[\"<0>Tolérance de glissement <1>\",[\"selectedSlippage\"],\"% <2>\",[\"0\"],\"\"],\"LjafV8\":\"Maximum collateral amount to use\",\"LtpQew\":\"Let us know how we can make the app better for you. For user support related inquiries please reach out on\",\"LvVpD/\":\"Emode\",\"M2sknc\":\"Astuce : Essayez d’augmenter le glissement ou de réduire la quantité d’entrée\",\"M7wPsD\":\"Interrupteur\",\"MFu33y\":\"Staking 00\",\"MIy2RJ\":\"Maximum amount received\",\"MZ/nQf\":\"Adresse du destinataire\",\"Ma/MtY\":\"vue de staking\",\"McHlGl\":\"Changement d’APY\",\"MeCCA+\":\"APY, variable\",\"MghdTe\":\"Si le facteur de santé descend en dessous de 1, la liquidation de votre collatéral peut être déclenchée.\",\"Mm/DVQ\":\"Vous avez annulé la transaction.\",\"MnE2QX\":\"Emprunter des informations\",\"MrmQHg\":\"View Bridge Transactions\",\"MuDFEQ\":\"Valeur de retour invalide de la fonction flashloan executor\",\"N5kUMV\":\"L’actif ne peut être utilisé comme garantie qu’en mode isolé avec un pouvoir d’emprunt limité. Pour passer en mode d’isolation, désactivez toutes les autres garanties.\",\"N6Pxr9\":\"View all\",\"NF0e1Q\":\"En attente...\",\"NK9ikO\":\"Solde du portefeuille\",\"NMt2CB\":\"Montant réclamable\",\"NcFGxG\":\"Contrat de collectionneur\",\"NfpPeS\":\"Rien staké\",\"Nh9DAo\":[[\"m\"],\"m\"],\"O+sCUU\":\"Le plafond de mintage non soutenu est dépassé\",\"O+tyU+\":[\"Le montant maximal disponible pour emprunter sur cet actif est limité car le plafond de la dette est à \",[\"0\"],\"%.\"],\"O3oNi5\":\"Email\",\"OFjZGo\":\"Unstake\",\"OR8cYX\":\"Aperçu de la proposition\",\"OYuJ9K\":\"Le plafond d’endettement du protocole est de 100% pour cet actif. Il n’est pas possible d’emprunter sur cet actif.\",\"OfhWJH\":\"Réinitialisation\",\"Og2SKn\":\"handicapé\",\"On0aF2\":\"Site internet\",\"OsyKSt\":\"Retirer\",\"P1dURE\":\"Révoquer le pouvoir\",\"P2WCD/\":[\"L’actif sous-jacent n’existe pas dans \",[\"marketName\"],\" v3 Market, par conséquent, cette position ne peut pas être migrée.\"],\"P2sL6B\":\"Lorsqu'une liquidation survient, les liquidateurs remboursent jusqu'à 50 % de l'encours emprunté au nom de l'emprunteur. En contrepartie, ils peuvent acheter le collatéral à prix réduit et conserver la différence (pénalité de liquidation) en bonus.\",\"P6sRoL\":\"Mise en jeu ABPT\",\"P72/OW\":\"La moyenne pondérée de l'APY pour tous les actifs empruntés, y compris les incitatifs.\",\"P7e6Ug\":\"Veuillez connecter votre portefeuille pour consulter l’historique des transactions.\",\"PByO0X\":\"Votes\",\"PI+kVe\":\"Disable fork\",\"PJK9u/\":\"Emprunter apy\",\"PLUB/s\":\"Fee\",\"PP5ZA8\":[\"Participating in staking \",[\"symbol\"],\" gives annualized rewards. Your wallet balance is the sum of your aTokens and underlying assets. The breakdown to stake is below\"],\"PcBUgb\":\"Seuil de liquidation\",\"PjU6bu\":\"This asset is eligible for SPK incentive program. Aave Labs does not guarantee the program and accepts no liability.\",\"PpqD5g\":\"L'activation de cet actif comme garantie augmente votre pouvoir d'emprunt et votre facteur de santé. Cependant, il peut être liquidé si votre facteur de santé tombe en dessous de 1.\",\"PsOFSf\":\"Cette action réduira le facteur de santé V2 en dessous du seuil de liquidation. Conservez la garantie ou migrez la position d’emprunt pour continuer.\",\"Pu4bI/\":[[\"currentMethod\"]],\"Q0LzKi\":\"View TX\",\"Q4eNqa\":\"The Aave Balancer Pool Token (ABPT) is a liquidity pool token. You can receive ABPT by depositing a combination of AAVE + wstETH in the Balancer liquidity pool. You can then stake your BPT in the Safety Module to secure the protocol and earn Safety Incentives.\",\"QQYsQ7\":\"Withdrawing\",\"QWYCs/\":\"Stake GHO\",\"R+30X3\":\"Non atteint\",\"RCU5PY\":\"Age\",\"RIfckG\":[\"Désactiver \",[\"symbol\"],\" comme garantie\"],\"RMtxNk\":\"Différentiel\",\"RNK49r\":\"Signature non valide\",\"RS0o7b\":\"État\",\"RU+LqV\":\"Détails de la proposition\",\"RYTgZX\":\"lorem ipsum\",\"RbXH+k\":\"AAVE, GHO, and ABPT holders (Ethereum network only) can stake their assets in the Safety Module to add more security to the protocol and earn Safety Incentives. In the case of a shortfall event, your stake can be slashed to cover the deficit, providing an additional layer of protection for the protocol.\",\"RiSYV4\":\"L'actif n'est pas répertorié\",\"Rj01Fz\":\"Liens\",\"RmWFEe\":\"APR staké\",\"RoafuO\":\"Envoyer des commentaires\",\"RtBLm7\":\"Le facteur santé est inférieur au seuil de liquidation\",\"RxzN1M\":\"Activé\",\"SDav7h\":\"Fonds dans le Safety Module\",\"SENccp\":\"Si l’erreur persiste,<0/> vous pouvez la signaler à ce\",\"SIWumd\":\"Afficher les ressources gelées ou mises en pause\",\"SM58dD\":\"Quantité en temps de recharge\",\"SSMiac\":\"Impossible de charger les votants de proposition. Veuillez rafraîchir la page.\",\"SSQVIz\":\"Seuil de liquidation\",\"SUb8x0\":\"Total disponible\",\"SWIgh4\":\"Fees exceed wallet balance\",\"SY9hVo\":\"Le mode lecture seule permet de voir les positions d’adresses dans Aave, mais vous ne pourrez pas effectuer de transactions.\",\"SZRUQ4\":\"Glissement maximal\",\"Sa1UE/\":\"Le plafond d’emprunt du protocole est de 100 % pour cet actif. Il n’est pas possible d’emprunter davantage.\",\"Sk2zW9\":\"Désactiver le E-mode\",\"SxaD0o\":\"Le fournisseur d'adresses de pool n'est pas enregistré\",\"T/AIqG\":\"Limite d’approvisionnement du protocole à 100 % pour cet actif. D’autres approvisionnements ne sont pas disponibles.\",\"T0xCO9\":\"Can't validate the wallet address. Try again.\",\"T4OhVl\":\"GHO balance\",\"T6uYU2\":\"Emprunter\",\"TFxQlw\":\"Pénalité de liquidation\",\"TQ7WsV\":\"Available to stake\",\"TUI7iB\":\"L'actif ne peut être utilisé comme garantie qu'en mode isolé.\",\"TbjyhA\":\"Docs\",\"TduuS0\":\"L'utilisateur n'a pas de dette à taux stable impayée sur cette réserve\",\"TeCFg/\":\"Modification du taux d’emprunt\",\"Tg1JyO\":\"Bridge history\",\"TskbEN\":\"Les détenteurs de stkAAVE bénéficient d’une réduction sur le taux d’emprunt GHO\",\"TszKts\":\"Emprunter le solde après le changement\",\"TtZL6q\":\"Paramètres du modèle de remise\",\"TwJI9F\":\"Asset has been successfully sent to CCIP contract. You can check the status of the transactions below\",\"Tz0GSZ\":\"Activités bloquées\",\"U/eBjN\":\"Recharger la page\",\"U2r8nY\":\"Choose how much voting/proposition power to give to someone else by delegating some of your AAVE, stkAAVE or aAave balance. Your tokens will remain in your account, but your delegate will be able to vote or propose on your behalf. If your AAVE, stkAAVE or aAave balance changes, your delegate's voting/proposition power will be automatically adjusted.\",\"U8IubP\":\"L’application s’exécute en mode réseau de test. Découvrez comment cela fonctionne dans\",\"U9btTk\":\"L'actif n'est pas empruntable en mode d'isolement\",\"UAOZRe\":\"L’impact sur les prix est l’écart entre la valeur totale des tokens d’entrée échangés et les tokens de destination obtenus (en USD), qui résulte de la liquidité limitée de la paire de trading.\",\"UE3KJZ\":\"L’historique des transactions n’est actuellement pas disponible pour ce marché\",\"URmyfc\":\"Détails\",\"UTTKmT\":\"Temps de recharge de la mise activé\",\"UXeR72\":\"Ces fonds ont été empruntés et ne peuvent pas être retirés pour le moment.\",\"UYb8CM\":\"Learn more about the SPK rewards\",\"UbRrG0\":\"Le ratio LTV maximum représente le pouvoir d'emprunt maximum d'une garantie spécifique. Par exemple, si une garantie a un LTV de 75 %, l'utilisateur peut emprunter jusqu'à 0,75 ETH dans la devise principale pour chaque 1 ETH de garantie.\",\"UpndFj\":\"Aucune récompense à réclamer\",\"V0f2Xv\":\"Facteur de réserve\",\"V1HK43\":\"Risques liés à la migration\",\"VATFH9\":\"Dette couverte\",\"VHOVEJ\":\"Connecter le portefeuille\",\"VMfYUK\":\"Sécurité de votre garantie déposée contre les actifs empruntés et sa valeur sous-jacente.\",\"VOAZJh\":\"Total des emprunts\",\"ViKYxK\":\"YAE\",\"W1SSoD\":\"Examiner les détails de la transaction\",\"W5hVah\":\"Rien fourni pour le moment\",\"W5kTFy\":\"Vote\",\"W8ekPc\":\"Retour au tableau de bord\",\"WMPbRK\":\"Sans support\",\"WNGZwH\":\"E-Mode augmente votre LTV pour une catégorie d'actifs sélectionnée jusqu'à <0/>. <1>En savoir plus\",\"WPWG/y\":\"Statut et configuration de la réserve\",\"WZLQSU\":\"L'utilisateur ne peut pas retirer plus que le solde disponible\",\"WaZyaV\":\"<0>Ampleforth est un actif de rebasage. Consultez la <1>documentation pour en savoir plus.\",\"WfU+XN\":\"Étant donné que cette ressource est suspendue, aucune action ne peut être entreprise jusqu’à nouvel ordre\",\"Wjmqs2\":\"No results found. You can import a custom token with a contract address\",\"WkZ6C6\":\"Pour emprunter, vous devez fournir tout actif à utiliser comme garantie.\",\"WyMiQm\":\"Vous avez réussi à changer de jeton.\",\"X/ITG9\":\"Copier le texte d'erreur\",\"X3Pp6x\":\"Utilisé comme collatéral\",\"X4Zt7j\":\"L'action ne peut pas être effectuée car la réserve est mise en pause\",\"XBdKOj\":\"Representative smart contract wallet (ie. Safe) addresses on other chains.\",\"XZzneG\":\"Vous quitterez le mode d'isolement et d'autres jetons peuvent désormais être utilisés comme collatéral\",\"Xg5y9S\":\"Amount to Bridge\",\"Xn4hUi\":\"Veuillez toujours tenir compte de votre <0>facteur de santé (HF) lors de la migration partielle d’une position et que vos tarifs seront mis à jour vers les taux V3.\",\"Xy71ST\":\"Umbrella\",\"Y5kGkc\":\"VOTER NON\",\"YDIOks\":\"Activation du E-Mode\",\"YSodyW\":\"Cette action réduira votre facteur de santé. Veuillez garder à l’esprit le risque accru de liquidation des garanties.\",\"YXOWXM\":\"The total amount bridged minus CCIP fees. Paying in network token does not impact gho amount.\",\"YirHq7\":\"Feedback\",\"YogbCJ\":\"Le mode réseau de test est activé\",\"YrDxdO\":\"Si votre prêt à la valeur dépasse le seuil de liquidation, votre garantie fournie peut être liquidée.\",\"YyIM65\":\"Les conditions de rééquilibrage des taux d'intérêt n'ont pas été remplies\",\"YyydIq\":[\"Ajouter \",[\"0\"],\" à Wallet pour suivre votre solde.\"],\"ZBvhI+\":\"Gouvernance Aave\",\"ZIIRAd\":\"Raw-Ipfs\",\"ZRq4tX\":\"Mode efficacité (E-Mode)\",\"ZSqEW+\":\"Manage E-Mode\",\"ZUFYFE\":\"Désactiver le réseau de test\",\"Zbyywy\":\"Coupure maximale\",\"ZfUGFb\":\"Avant de déposer\",\"ZiXN+B\":\"Assets to stake\",\"ZlsSDH\":\"Valeur de liquidation\",\"ZrEc8j\":\"Nous n’avons trouvé aucun élément lié à votre recherche. Réessayez avec un autre nom, symbole ou adresse de ressource.\",\"ZsLF7e\":\"Activé\",\"a0YQoQ\":\"Enter a valid address\",\"a2fBZn\":\"Temps restant pour dépiquer\",\"a5RYZd\":\"La désactivation de cet actif en tant que garantie affecte votre pouvoir d'emprunt et votre facteur de santé.\",\"a7u1N9\":\"Prix\",\"a9D+6D\":\"Non jalonné\",\"aEtiwq\":\"Vote NAY\",\"aMmFE1\":\"Acheter des crypto-monnaies avec des monnaies fiduciaires\",\"aOKIms\":\"Les paramètres de tableau devraient être de même longueur ne sont pas\",\"aX31hk\":\"Votre solde est inférieur au montant sélectionné.\",\"adUsDd\":\"An error has occurred fetching the proposal.\",\"al6Pyz\":\"Dépasse la remise\",\"aoXTT7\":\"Prêt APY, variable\",\"aqX1Yp\":\"This asset is eligible for rewards through SuperFest. Aave Labs does not guarantee the program and accepts no liability.\",\"avgETN\":\"Eligible for the Merit program.\",\"b4NS3e\":\"Avertissement de période de refroidissement\",\"bNEQeI\":\"Cooldown\",\"bSruit\":\"ZKSync Ignite Program rewards are claimed through the\",\"bUUVED\":\"Actif\",\"bXQ/Og\":\"Partager sur Twitter\",\"bXr0ee\":\"Les actifs isolés ont un pouvoir d'emprunt limité et les autres actifs ne peuvent pas être utilisés comme garantie.\",\"bYmAV1\":\"Adresses\",\"bguKoJ\":\"Le montant demandé est supérieur au montant maximum du prêt en mode taux stable\",\"bwSQI0\":\"Fournir\",\"bxN6EM\":\"Impossible de désactiver le mode E\",\"bxmzSh\":\"Pas assez de collatéral pour rembourser ce montant de dette avec\",\"c91vuQ\":\"L'adresse n'est pas un contrat\",\"c97os2\":\"Aave aToken\",\"c9b44w\":\"Vous ne pouvez pas retirer ce montant car cela entraînera un appel de garantie\",\"cBc+4A\":\"Il s'agit du montant total que vous pouvez emprunter. Vous pouvez emprunter en fonction de votre garantie et jusqu'à ce que le plafond d'emprunt soit atteint.\",\"cIl5kp\":\"Votre pouvoir de vote est basé sur votre solde AAVE/stkAAVE et les délégations reçues.\",\"cLo09S\":\"Détails des risques\",\"cNT+ij\":\"L'emprunt n'est pas disponible car vous avez activé le mode Efficacité (E-Mode) et le mode Isolation. Pour gérer le mode E et le mode Isolation, rendez-vous sur votre <0>tableau de bord.\",\"cZOeBk\":\"Something went wrong fetching bridge message, please try again later.\",\"ceix5S\":\"Pour soumettre une proposition de modifications mineures du protocole, vous aurez besoin d’une puissance d’au moins 80,00 K. Si vous souhaitez modifier la base de code de base, vous aurez besoin d’une puissance de 320k. <0>Pour en savoir plus.\",\"ciSsYT\":\"Staking APY\",\"ciybUa\":\"Vote YAE\",\"ckf7gX\":[\"Remboursement \",[\"symbole\"]],\"cp1ZDP\":[\"Bridge \",[\"symbol\"]],\"cqnmnD\":\"Taux d’intérêt effectif\",\"cqwIvs\":\"Discussion de forum\",\"csDS2L\":\"Disponible\",\"cu7Stb\":\"Vous n'avez pas participé à cette proposition\",\"dE6BLF\":\"Gouvernance\",\"dEgA5A\":\"Annuler\",\"dIsyWh\":\"Échec de la validation LTV\",\"dMtLDE\":\"À\",\"dOB5nW\":[\"La quantité maximale disponible pour la fourniture est de <0/> \",[\"0\"],\" (<1/>).\"],\"dVfODp\":\"Vous n'avez pas assez de fonds dans votre portefeuille pour rembourser le montant total. Si vous continuez à rembourser avec votre montant actuel de fonds, vous aurez toujours une petite position d'emprunt dans votre tableau de bord.\",\"dXUQFX\":\"Actifs à emprunter\",\"dgr1aY\":\"L’emprunt est désactivé en raison d’une décision de la communauté Aave. <0>Plus d’informations\",\"djsg0o\":\"Usage de collatéral\",\"dpc0qG\":\"Variable\",\"drdV8R\":\"Liquidation\",\"dxW8cS\":\"Jeton de dette Aave\",\"e4V3oW\":\"Top 10 des adresses\",\"eD8WX/\":\"L'action nécessite une réserve active\",\"eJRJ04\":\"Montant à la mise en jeu\",\"eLh0cL\":\"Le slippage est la différence entre les montants cotés et reçus en raison de l’évolution des conditions du marché entre le moment où la transaction est soumise et sa vérification.\",\"ePK91l\":\"Edit\",\"eVpCmf\":\"Récompenses de staking\",\"eVqvtf\":\"Bridge GHO\",\"eYdurp\":\"Aucune transaction n’a encore été effectuée.\",\"ebLGGN\":\"Total emprunté\",\"ecqEvn\":\"Le solde de la garantie est de 0\",\"efdrrk\":\"Disponible sur\",\"enruNF\":\"Commence\",\"eqLYiD\":\"Arrêter de staker maintenant\",\"euScGB\":\"APY avec remise appliquée\",\"evw5ha\":\"Valeur nette\",\"ezcU16\":\"Obtenir le jeton ABP\",\"f3W0Ej\":[\"Vous êtes passé au tarif \",[\"0\"]],\"fH9i8k\":\"Vous avez réussi à changer de position d’emprunt.\",\"fHcELk\":\"APR Net\",\"fMJQZK\":\"Emprunté\",\"fZ5Vnu\":\"Reçu\",\"firl9Q\":\"Votre prêt actuel à la valeur en fonction de votre collatéral fournie.\",\"flRCF/\":\"Remise sur le staking\",\"fldjW9\":\"Prévisualiser tx et migrer\",\"fsBGk0\":\"Solde\",\"fu1Dbh\":[\"Retirer \",[\"symbole\"]],\"fwjWSI\":\"Fourni\",\"fwyTMb\":\"Migrate to stkABPT v2\",\"g0mals\":\"You can not disable E-Mode because that could cause liquidation. To exit E-Mode supply or repay borrowed positions.\",\"g2UNkE\":\"Alimenté par\",\"g8KGoA\":\"Foire aux questions\",\"g9zzqS\":\"A voté NAY\",\"gDd2gk\":\"about SuperFest.\",\"gFFh9h\":\"Tout est fait !\",\"gIMJlW\":\"Mode réseau test\",\"gOzPxe\":\"Cet actif est gelé en raison d’une décision de gouvernance du protocole Aave. <0>Plus d’informations\",\"gTHi2T\":\"L'utilisateur essaie d'emprunter plusieurs actifs, y compris un en silo\",\"gVW59Y\":\"Veuillez connecter votre portefeuille pour obtenir des ressources de réseau de test gratuites.\",\"gcFNxP\":\"Approuver Confirmé\",\"gncRUO\":\"Cette adresse est bloquée sur app.aave.com car elle est associée à un ou plusieurs\",\"goff7V\":\"Adresse zéro non-valide\",\"gp+f1B\":\"Variante 3\",\"gr8mYw\":\"Vous pouvez emprunter jusqu’à GHO à <0/> <1/> (rabais maximum)\",\"gvTM4B\":\"L'APY net est l'effet combiné de toutes les positions d'offre et d'emprunt sur la valeur nette, y compris les incitations. Il est possible d'avoir un APY net négatif si l'APY de la dette est supérieur à l'APY de l'offre.\",\"gzcch9\":\"Frais de protocole de pont invalide\",\"h33MxW\":\"Representing smart contract wallet (ie. Safe) addresses on other chains.\",\"h3ilK+\":\". .CSV\",\"hB23LY\":\"Activer le temps de recharge\",\"hIJzBh\":\"Available to Claim\",\"hIS4N0\":\"APY Net\",\"hRWvpI\":\"Revendiqué\",\"hdmy/o\":\"Le % de votre pouvoir d'emprunt total utilisé. Ceci est basé sur le montant de votre garantie fournie et le montant total que vous pouvez emprunter.\",\"hehnjM\":\"Montant\",\"hjDCQr\":\"Il y a eu une erreur. Veuillez essayer de modifier les paramètres ou <0><1>copier l'erreur\",\"hom7qf\":\"Réclamer\",\"hpHJ4I\":\"Garantie liquidée\",\"hpuVIp\":\"Users who stake AAVE in Safety Module (i.e. stkAAVE holders) receive a discount on GHO borrow interest rate.\",\"huQ6Tz\":[\"Emprunter \",[\"symbole\"]],\"hxi7vE\":\"Emprunter le solde\",\"i/fZ2Z\":\"Staked Balance\",\"i2JTiw\":\"Vous pouvez saisir un montant personnalisé dans le champ.\",\"iB5+/J\":\"À propos de GHO\",\"iChbOF\":\"Paramètres de prêt flash incohérents\",\"iEPVHF\":\"Pas assez de pouvoir de vote pour participer à cette proposition\",\"iEW87X\":\"Délégation de pouvoirs\",\"iEju36\":[\"Vous avez voté \",[\"0\"]],\"iFq2YN\":\"Borrowable\",\"iGxyIA\":\"Safety Module\",\"iMVZk9\":\"Sélectionner la tolérance de glissement\",\"iPMIoT\":\"Entrez un montant\",\"iSLIjg\":\"Connect\",\"iUo5rv\":\"tokens n'est pas la même chose que de les staker . Si vous souhaitez staker votre\",\"iZxa38\":\"Utilisez-le pour voter pour ou contre les propositions actives.\",\"if5PH+\":\"Informations sur le collectionneur\",\"igkfR1\":[\"En mode Isolation, vous ne pouvez pas fournir d’autres actifs en garantie. Un plafond d’endettement global limite le pouvoir d’emprunt de l’actif isolé. Pour quitter le mode d’isolement, désactivez \",[\"0\"],\" en garantie avant d’emprunter un autre actif. Pour en savoir plus, consultez notre <0>FAQ\"],\"il0sEG\":\"L'utilisation du collatéral est limitée en raison du mode d'isolation.\",\"j+K1Xj\":\"Amount After Fee\",\"jA2QeW\":\"Fournir votre\",\"jFi7dz\":\"Interest rate that is determined by Aave Governance. This rate may be changed over time depending on the need for the GHO supply to contract/expand. <0>Learn more\",\"jG3UJ7\":\"Désactiver le E-mode\",\"jKYzR1\":\"Activer le E-Mode\",\"jMam5g\":[[\"0\"],\" Balance\"],\"jSYv+Z\":\"Enabling E-Mode allows you to maximize your borrowing power, however, borrowing is restricted to assets within the selected category. <0>Learn more about how it works and the applied restrictions.\",\"jaKbwW\":[[\"s\"],\"s\"],\"jbFMap\":\"Temps de recharge restant\",\"jeMZNr\":[[\"0\"],\" Le service de rampe d’accès est fourni par le fournisseur externe et, en le sélectionnant, vous acceptez les conditions du fournisseur. Votre accès au service peut dépendre de l’opérationnalité du fournisseur externe.\"],\"jfl9OP\":\"Migré\",\"jmXdoY\":\"En E-Mode, certains actifs ne sont pas empruntables. Quittez le E-mode pour accéder à tous les actifs\",\"jpctdh\":\"Vue\",\"jqzUyM\":\"Non disponible\",\"k/sb6z\":\"Choisir la langue\",\"k3wP3f\":\"<0>Attention: Les changements de paramètres via la gouvernance peuvent modifier le facteur de santé de votre compte et le risque de liquidation. Suivez le <1>forum de gouvernance d’Aave pour les mises à jour.\",\"kACpF3\":[\"Réclamer \",[\"0\"]],\"kH6wUX\":\"Impact sur les prix\",\"kIC28N\":\"Available to claim\",\"kIpSye\":[[\"numSelected\"],\"/\",[\"numAvailable\"],\" Actifs sélectionnés\"],\"kN1Yg5\":\"Pour rembourser au nom d'un utilisateur, un montant explicite à rembourser est nécessaire\",\"kRTD40\":[\"Montant de remboursement à atteindre \",[\"0\"],\"% d’utilisation\"],\"kjN9tT\":\"Le plafond d'approvisionnement est dépassé\",\"knxE+G\":\". JSON (en anglais seulement)\",\"ks2LWT\":\"Le plafond de la dette n'est pas nul\",\"kwwn6i\":\"Les utilisateurs qui misent des AAVE dans le module de sécurité (c’est-à-dire les détenteurs de stkAAVE) bénéficient d’une réduction sur le taux d’intérêt d’emprunt de HO. La réduction s’applique à 100 GHO pour chaque 1 stkAAVE détenu. Utilisez le calculateur ci-dessous pour voir le taux d’emprunt GHO avec le rabais appliqué.\",\"kz3wtK\":\"and about SPK program\",\"kzZyM4\":\"DAI balance will be converted via DSR contracts and then supplied as sDAI. Switching incurs no additional costs and no slippage.\",\"lNVG7i\":\"Sélectionner une ressource\",\"lU2d1/\":[\"L’actif ne peut pas être migré en raison d’une liquidité insuffisante ou d’une limitation du plafond d’emprunt \",[\"marketName\"],\" v3 marché.\"],\"lVhKKI\":\"A voté YAE\",\"lWLqxB\":\"Nous n’avons trouvé aucune transaction liée à votre recherche. Réessayez avec un autre nom de ressource ou réinitialisez les filtres.\",\"lYGfRP\":\"Anglais\",\"lfEjIE\":\"En savoir plus dans notre <0>guide FAQ\",\"lt6bpt\":\"Garantie à rembourser\",\"m/IEhi\":\"Émission totale par jour\",\"m7r7Hh\":\"Sélection d’actifs d’emprunt\",\"mDDK4p\":\"Balancer Pool\",\"mIM0qu\":\"Montant prévu à rembourser\",\"mUAFd6\":\"Variante 2\",\"masO5Z\":\"E-Mode increases your LTV for a selected category of assets. <0>Learn more\",\"mdNjKU\":[\"Votre \",[\"name\"],\" Le portefeuille est vide. Acheter ou transférer des actifs ou utiliser <0>\",[\"0\"],\" pour transférer votre \",[\"network\"],\" actif.\"],\"muiOng\":[\"Acheter \",[\"cryptoSymbol\"],\" avec Fiat\"],\"mvCXBY\":\"Mise en jeu AAVE\",\"mwdzil\":\"D'accord, fermer\",\"mzI/c+\":\"Télécharger\",\"mzdIia\":\"L'actif ne peut pas être utilisé comme collatéral.\",\"n+SX4g\":\"Développeurs\",\"n8Psk4\":\"Nous n’avons pas pu détecter de portefeuille. Connectez un portefeuille pour staker et consulter votre solde.\",\"nJIhzm\":\"Fournir apy\",\"nJgsQu\":\"Avec un pouvoir de vote de <0/>\",\"nLC6tu\":\"Français\",\"nN2T8p\":\"During the cooldown period, you will not earn any merit rewards. However, rewards earned up to this point will remain unaffected.\",\"nNHV0z\":\"La migration simultanée de plusieurs garanties et d’actifs empruntés peut s’avérer coûteuse et peut échouer dans certaines situations. <0>Par conséquent, il n’est pas recommandé de migrer des positions avec plus de 5 actifs (déposés + empruntés) en même temps.\",\"nNbnzu\":\"Proposition\",\"nOy4ob\":\"Nous vous suggérons de revenir au tableau de bord.\",\"nPGNMh\":\"Peut être exécuté\",\"nUK1ou\":[\"Assets with zero LTV (\",[\"0\"],\") must be withdrawn or disabled as collateral to perform this action\"],\"nakd8r\":\"Les détenteurs de stkAAVE bénéficient d’une réduction sur le taux d’emprunt GHO\",\"nh2EJK\":[\"Veuillez passer à \",[\"networkName\"],\".\"],\"njBeMm\":\"Les deux\",\"noN5Xf\":\"We couldn’t detect a wallet. Connect a wallet to view your staking positions and rewards.\",\"ntkAoE\":\"Remise appliquée pour <0/> le staking d’AAVE\",\"ntyFSE\":[[\"h\"],\"h\"],\"nwtY4N\":\"Quelque chose s’est mal passé\",\"nxyWvj\":\"Le retrait de ce montant réduira votre facteur santé et augmentera le risque de liquidation.\",\"o17QVP\":\"Votre facteur de santé et votre prêt à la valeur déterminent l'assurance de votre collatéral. Pour éviter les liquidations, vous pouvez fournir plus de garanties ou rembourser les positions d'emprunt.\",\"o1xc2V\":\"L'approvisionnement en aTokens n'est pas nul\",\"o4tCu3\":\"Emprunter de l’APY\",\"o5ooMr\":\"Dette\",\"o7J4JM\":\"Filtrer\",\"oHFrpj\":\"Temps de recharge pour déstaker\",\"oJ5ZiG\":\"L'utilisateur n'a pas de dette à taux variable impayée sur cette réserve\",\"oRBGin\":\"Veuillez connecter votre portefeuille pour pouvoir échanger vos jetons.\",\"oUwXhx\":\"Ressources de test\",\"oWklJD\":\"Le taux d'intérêt stable <0>restera le même pendant toute la durée de votre prêt. Recommandé pour les périodes de prêt à long terme et pour les utilisateurs qui préfèrent la prévisibilité.\",\"odnIK3\":\"Time remaining until the 48 hour withdraw period starts.\",\"oiK5nY\":\"The current incentives period, decided on by the Aave community, has ended. Governance is in the process on renewing, check for updates. <0>Learn more.\",\"olREoo\":\"All borrow positions outside of this category must be closed to enable this category.\",\"om/XHs\":\"Disponible au dépôt\",\"ov0+mq\":\"Eligible for the ZKSync Ignite program.\",\"ovT1pF\":[\"Per the community, the \",[\"market\"],\" has been frozen.\"],\"ow3fug\":\"Rien n’a été trouvé\",\"owSsI3\":\"Signatures prêtes\",\"p+R52m\":\"Accéder à Balancer Pool\",\"p2A+s1\":[\"La période de recharge est de \",[\"0\"],\". Après \",[\"1\"],\" de temps de recharge, vous entrerez dans la fenêtre de désengagement de \",[\"2\"],\". Vous continuerez à recevoir des récompenses pendant le temps de recharge et la fenêtre de retrait.\"],\"p2S64u\":\"Le ratio prêt/valeur des positions migrées entraînerait la liquidation. Augmenter les garanties migrées ou réduire les emprunts migrés pour continuer.\",\"p2Z2Qi\":\"Cet actif a atteint son plafond d'emprunt. Rien n'est disponible pour être emprunté à ce marché.\",\"p3j+mb\":\"Votre solde de récompenses est de 0\",\"p45alK\":\"Configurer la délégation\",\"p6u2s1\":\"Minimum amount of debt to be repaid\",\"pDgeaz\":[[\"title\"]],\"pdZqBk\":\"Le solde sous-jacent doit être supérieur à 0\",\"pgWG9H\":\"Pas assez de solde staké\",\"piPrJ7\":\"veuillez vérifier que le montant que vous souhaitez fournir n'est pas actuellement utilisé pour le staking. S'il est utilisé pour le staking, votre transaction peut échouer.\",\"pjO/iH\":\"Minimum amount received\",\"pooutM\":\"Voting is on\",\"pqaM5s\":\"Confirming transaction\",\"ptaxX3\":[\"Je comprends comment fonctionnent le temps de recharge (\",[\"0\"],\") et le retrait (\",[\"1\"],\")\"],\"py2iiY\":\"L'appelant de cette fonction doit être un pool\",\"q/51mF\":\"Migrer vers la V3\",\"q3df11\":\"Stratégie de taux d’intérêt\",\"q6lAbz\":\"Staké\",\"qB4kPi\":\"Fournir APY\",\"qENI8q\":\"Paramètres globaux\",\"qGz5zl\":\"Solde de garantie après remboursement\",\"qIW9ZH\":\"Amount staked\",\"qOqbD6\":\"copier l'erreur\",\"qXCkEM\":\"Veuillez connecter votre portefeuille pour voir vos fournitures, vos emprunts et vos positions ouvertes.\",\"qY2jnw\":\"Expiration invalide\",\"qf/fr+\":\"Intérêts courus\",\"quYPUU\":\"Variable interest rate will <0>fluctuate based on the market conditions.\",\"quzIeW\":\"User is in isolation mode or LTV is zero\",\"qvnz3q\":\"Montant non valide à brûler\",\"rHgdb0\":\"Migrate to Aave V3\",\"rOrHHe\":\"Le montant doit être supérieur à 0\",\"rQ+R+0\":\"Sélection d’actifs d’approvisionnement\",\"rSayea\":\"APY\",\"rTBDeu\":[\"L’actif ne peut pas être migré car vous disposez d’une garantie isolée dans \",[\"marketName\"],\" v3 Marché qui limite les actifs empruntables. Vous pouvez gérer vos garanties dans <0>\",[\"marketName\"],\" Tableau de bord V3\"],\"rcT+yy\":\"Afficher les actifs avec 0 solde\",\"rf8POi\":\"Montant de l’actif emprunté\",\"riNWOA\":\"E-Mode\",\"rjGI/Q\":\"Vie privée\",\"rnKPW1\":\"Watch a wallet balance in read-only mode\",\"ruc7X+\":\"Ajoutez stkAAVE pour voir l’APY d’emprunt avec la remise\",\"rvbaFU\":[\"Bridging \",[\"symbol\"]],\"rwVVB7\":\"Réclamez toutes les récompenses\",\"rwyUva\":\"Ces actifs sont temporairement gelés ou suspendus par des décisions de la communauté Aave, ce qui signifie qu’il n’est pas possible d’obtenir / emprunter ou d’échanger des taux de ces actifs. Les retraits et les remboursements de dettes sont autorisés. Suivez le <0>forum de gouvernance d’Aave pour d’autres mises à jour.\",\"rxJW5W\":\"Votre pouvoir de proposition est basé sur votre solde AAVE/stkAAVE et les délégations reçues.\",\"s2jJnW\":\"You don't have any bridge transactions\",\"s5wBAq\":[\"Unstake \",[\"symbol\"]],\"sJbIdI\":\"Enter ETH address or ENS\",\"sK+Nag\":\"Réviser tx\",\"sP2+gB\":\"NON\",\"sQv06Y\":\"pour\",\"sTtO6J\":\"Confirm transaction\",\"sXKb3l\":\"Exchange rate\",\"sb0q4+\":\"Vous unstaké ici\",\"smJNwH\":\"Disponible à emprunter\",\"solypO\":\"Le facteur de santé n'est pas inférieur au seuil\",\"sr0UJD\":\"Retourner\",\"ss5GCK\":\"L'adresse du fournisseur d'adresses du pool n'est pas valide\",\"swEgK4\":\"Vos informations de vote\",\"t+wtgf\":\"Aucun emprunt pour l'instant\",\"t/YqKh\":\"Remove\",\"t81DpC\":[\"Approuver \",[\"symbol\"],\" pour continuer\"],\"tCnbEs\":\"Prix Oracle\",\"tFZLf8\":\"Ce calcul de gaz n'est qu'une estimation. Votre portefeuille fixera le prix de la transaction. Vous pouvez modifier les paramètres de gaz directement depuis votre fournisseur de portefeuille.\",\"tHuvQI\":\"Accéder au tableau de bord V3\",\"tKv7cI\":\"Changer de position d’emprunt\",\"tOcg3N\":\"Étant donné que cet actif est gelé, les seules actions disponibles sont le retrait et le remboursement, accessibles depuis le <0>tableau de bord\",\"tOuXfv\":[\"Emprunter le montant à atteindre \",[\"0\"],\"% d’utilisation\"],\"te9Bfl\":\"S'il vous plaît, connectez votre portefeuille\",\"tt5yma\":\"Vos ressources\",\"ttoh5c\":\"Passer à\",\"u3ZeYl\":\"La transaction a échoué\",\"u706uF\":\"Prime flash non valide\",\"u8Gfu7\":[\"Aucun résultat de recherche\",[\"0\"]],\"uAQUqI\":\"Status\",\"uHMwk8\":\"Aucune ressource n’a été sélectionnée pour la migration.\",\"uJPHuY\":\"Migration\",\"uY8O30\":\"Pour continuer, vous devez autoriser les contrats intelligents Aave à déplacer vos fonds depuis votre portefeuille. En fonction de l’actif et du portefeuille que vous utilisez, cela se fait en signant le message d’autorisation (sans gaz) ou en soumettant une transaction d’approbation (nécessite du gaz). <0>Pour en savoir plus\",\"udFheE\":\"For repayment of a specific type of debt, the user needs to have debt that type\",\"ulNuNq\":\"Exporter des données vers\",\"ulup2p\":\"Acheter des crypto-monnaies avec des monnaies fiduciaires\",\"umICAY\":\"<0><1><2/>Ajoutez stkAAVE pour voir le taux d’emprunt avec escompte\",\"usB84Z\":\"Le montant maximum disponible pour emprunter est limité car le plafond d’emprunt du protocole est presque atteint.\",\"uwAUvj\":\"COPIER L’IMAGE\",\"v8x7Mg\":\"Garantie insuffisante pour couvrir une nouvelle position d’emprunt. Le portefeuille doit avoir une capacité d’emprunt restante pour effectuer le transfert de dette.\",\"vEqxH9\":\"Restauré\",\"vLyv1R\":\"Cacher\",\"vMba49\":\"L'emprunt n'est pas activé\",\"vMpNwt\":\"Approuvez avec\",\"vXIe7J\":\"Language\",\"vesuBJ\":\"Vous permet de décider si vous souhaitez utiliser un actif fourni en tant que collatéral. Un actif utilisé comme collatéral affectera votre pouvoir d'emprunt et votre Health Factor.\",\"w+V9Cx\":\"Stablecoin\",\"w/JtJ3\":\"L'offre de dette stable n'est pas nulle\",\"w4VBY+\":\"Récompenses APR\",\"w9dLMW\":[[\"label\"]],\"wAOL+X\":[\"Vous \",[\"action\"],\" <0/> \",[\"symbole\"]],\"wBIsjb\":\"Canal Discord\",\"wQZbc/\":\"L'appelant de la fonction n'est pas un AToken\",\"wRRqvW\":\"Vous n'avez pas de fournitures dans cette devise\",\"wZFvVU\":\"VOTER OUI\",\"wb/r1O\":[\"Faucet \",[\"0\"]],\"wdxz7K\":\"Source\",\"weH1nG\":\"Le protocole Aave est programmé pour toujours utiliser le prix de 1 GHO = 1 $. C’est différent de l’utilisation des prix du marché via des oracles pour d’autres actifs cryptographiques. Cela crée des opportunités d’arbitrage stabilisatrices lorsque le prix du GHO fluctue.\",\"wh7Ezv\":\"You have no AAVE/stkAAVE/aAave balance to delegate.\",\"wlsIx7\":\"Avec testnet Faucet, vous pouvez obtenir des ressources gratuites pour tester le protocole Aave. Assurez-vous de changer votre fournisseur de portefeuille pour le réseau de test approprié, sélectionnez l’actif souhaité et cliquez sur «\xA0Faucet\xA0» pour obtenir des jetons transférés vers votre portefeuille. Les actifs d’un réseau de test ne sont pas « réels », ce qui signifie qu’ils n’ont aucune valeur monétaire. <0>Pour en savoir plus\",\"wmE285\":\"Get ABP v2 Token\",\"wyRrcJ\":\"As a result of governance decisions, this ABPT staking pool is now deprecated. You have the flexibility to either migrate all of your tokens to v2 or unstake them without any cooldown period.\",\"x5KiLL\":\"Les ressources sélectionnées ont été migrées avec succès. Rendez-vous sur le tableau de bord du marché pour les voir.\",\"x7F2p6\":\"Différentiel de courant\",\"x7K5ib\":[\"Votre \",[\"networkName\"],\" Le portefeuille est vide. Obtenir un test gratuit \",[\"0\"],\" à\"],\"x9iLRD\":\"tokens, veuillez vous rendre sur\",\"xNy/UG\":\"Rembourser avec\",\"xPm8wv\":\"En savoir plus sur les risques encourus\",\"xXYpZl\":[[\"0\"],\" Faucet\"],\"xaVBSS\":\"Vos informations\",\"xaWZ6f\":\"Changement de type APY\",\"xh6k71\":\"L’utilisation des garanties est limitée en raison du mode d’isolation.\",\"xvIklc\":\"Flashloan est désactivé pour cet actif, cette position ne peut donc pas être migrée.\",\"y5rS9U\":\"Émigrer\",\"y66tBm\":[\"Activer \",[\"symbol\"],\" comme collatéral\"],\"yB1YpA\":\"Mode Sombre\",\"yCrG6m\":\"Taille totale du marché\",\"yJUUbn\":\"Aperçu des transactions\",\"yLGmLX\":[\"Remise en jeu \",[\"symbol\"]],\"yW1oWB\":\"APY type\",\"yYHqJe\":\"Pas une adresse valide\",\"yZwLw6\":\"Suivre le portefeuille\",\"yh2sjd\":[\"Impact sur les prix \",[\"0\"],\"%\"],\"yhvj6d\":\"Vous ne pouvez pas changer d'utilisation en tant que mode de garantie pour cette devise, car cela entraînera un appel de garantie\",\"ylmtBZ\":\"The app is running in fork mode.\",\"ymNY32\":[\"Il n'y a pas assez de fonds dans la \",[\"0\"],\" réserve pour emprunter\"],\"yz7wBu\":\"Fermer\",\"z4uGQg\":\"Le plafond de la dette est dépassé\",\"z5UQOM\":\"La garantie choisie ne peut être liquidée\",\"z5Y+p6\":[\"Fournir \",[\"symbole\"]],\"zCjNKs\":\"L'action ne peut pas être effectuée car la réserve est gelée\",\"zRHytX\":\"Plafond de la dette isolée\",\"zTOjMP\":\"La limite d’approvisionnement du protocole est de 100 % pour cet actif. D’autres approvisionnements ne sont pas disponibles.\",\"zVdRUG\":\"Submission did not work, please try again later or contact wecare@avara.xyz\",\"zevmS2\":\"<0><1><2/>Ajoutez <3/> stkAAVE pour emprunter à <4/> (remise maximale)\",\"zgtIDV\":\"Dette restante\",\"zmTPiV\":\"Bilan d'approvisionnement\",\"zpPbZl\":\"Paramètres du risque de liquidation\",\"zucql+\":\"Menu\",\"zwWKhA\":\"Apprendre encore plus\",\"zy9fXn\":[\"L’actif est gelé \",[\"marketName\"],\" v3, donc cette position ne peut pas être migrée.\"],\"zys+R6\":\"Faites attention à la congestion du réseau et aux prix de l’essence.\",\"zzzTXS\":\"Merit Program rewards are claimed through the\"}")}; \ No newline at end of file diff --git a/src/modules/umbrella/AvailableToClaimItem.tsx b/src/modules/umbrella/AvailableToClaimItem.tsx index 5d202d3e34..03500748b2 100644 --- a/src/modules/umbrella/AvailableToClaimItem.tsx +++ b/src/modules/umbrella/AvailableToClaimItem.tsx @@ -1,5 +1,5 @@ import { Trans } from '@lingui/macro'; -import { Box, Stack, Typography } from '@mui/material'; +import { Box, Stack, Typography, useMediaQuery, useTheme } from '@mui/material'; import { FormattedNumber } from 'src/components/primitives/FormattedNumber'; import { Row } from 'src/components/primitives/Row'; import { TokenIcon } from 'src/components/primitives/TokenIcon'; @@ -8,19 +8,28 @@ import { MergedStakeData } from 'src/hooks/stake/useUmbrellaSummary'; import { MultiIconWithTooltip } from './helpers/MultiIcon'; export const AvailableToClaimItem = ({ stakeData }: { stakeData: MergedStakeData }) => { - const icons = stakeData.formattedRewards.map((reward) => { - return { - src: reward.rewardTokenSymbol, - aToken: false, - }; - }); + const icons = stakeData.formattedRewards.map((reward) => ({ + src: reward.rewardTokenSymbol, + aToken: false, + })); - const totalAvailableToClaim = stakeData.formattedRewards.reduce((acc, reward) => { - return acc + +reward.accrued; - }, 0); + const totalAvailableToClaim = stakeData.formattedRewards.reduce( + (acc, reward) => acc + +reward.accrued, + 0 + ); + + const { breakpoints } = useTheme(); + + const isMobile = useMediaQuery(breakpoints.down('lg')); return ( - + {stakeData.formattedRewards.length > 1 && ( )} - {/* {totalAvailableToClaim > 0 && ( - - )} */} ); }; diff --git a/src/modules/umbrella/AvailableToStakeItem.tsx b/src/modules/umbrella/AvailableToStakeItem.tsx index 001a7c7a84..61fb19ac0f 100644 --- a/src/modules/umbrella/AvailableToStakeItem.tsx +++ b/src/modules/umbrella/AvailableToStakeItem.tsx @@ -1,5 +1,5 @@ import { Trans } from '@lingui/macro'; -import { Box, Stack, Typography } from '@mui/material'; +import { Box, Stack, Typography, useMediaQuery, useTheme } from '@mui/material'; import { FormattedNumber } from 'src/components/primitives/FormattedNumber'; import { Row } from 'src/components/primitives/Row'; import { TokenIcon } from 'src/components/primitives/TokenIcon'; @@ -11,6 +11,10 @@ export const AvailableToStakeItem = ({ stakeData }: { stakeData: MergedStakeData const { underlyingWaTokenBalance, underlyingWaTokenATokenBalance, underlyingTokenBalance } = stakeData.formattedBalances; + const { breakpoints } = useTheme(); + + const isMobile = useMediaQuery(breakpoints.down('lg')); + const icons = []; if (underlyingTokenBalance) { icons.push({ @@ -37,7 +41,12 @@ export const AvailableToStakeItem = ({ stakeData }: { stakeData: MergedStakeData Number(underlyingWaTokenATokenBalance); return ( - + {stakeData.underlyingIsWaToken ? ( } /> ) : ( - + )} - {/* */} ); }; diff --git a/src/modules/umbrella/StakeAssets/UmbrellaAssetsListMobileItem.tsx b/src/modules/umbrella/StakeAssets/UmbrellaAssetsListMobileItem.tsx index fbfcbf29f3..b923fad6a5 100644 --- a/src/modules/umbrella/StakeAssets/UmbrellaAssetsListMobileItem.tsx +++ b/src/modules/umbrella/StakeAssets/UmbrellaAssetsListMobileItem.tsx @@ -1,20 +1,19 @@ import { Trans } from '@lingui/macro'; -import { Box, Button } from '@mui/material'; +import { Box } from '@mui/material'; import { MergedStakeData } from 'src/hooks/stake/useUmbrellaSummary'; -import { useModalContext } from 'src/hooks/useModal'; +import { StakingDropdown } from 'src/modules/umbrella/helpers/StakingDropdown'; import { useRootStore } from 'src/store/root'; import { useShallow } from 'zustand/shallow'; import { Row } from '../../../components/primitives/Row'; import { ListMobileItemWrapper } from '../../dashboard/lists/ListMobileItemWrapper'; +import { AmountStakedItem } from '../AmountStakedItem'; import { AvailableToClaimItem } from '../AvailableToClaimItem'; import { AvailableToStakeItem } from '../AvailableToStakeItem'; import { StakingApyItem } from '../StakingApyItem'; export const UmbrellaAssetsListMobileItem = ({ ...umbrellaStakeAsset }: MergedStakeData) => { const [currentMarket] = useRootStore(useShallow((store) => [store.currentMarket])); - const { openUmbrella } = useModalContext(); - return ( - APY} captionVariant="description" mb={3}> + Staking APY} captionVariant="description" mb={3}> + Amount staked} + captionVariant="description" + mb={3} + align="flex-start" + > + + Available to stake} captionVariant="description" @@ -59,23 +66,7 @@ export const UmbrellaAssetsListMobileItem = ({ ...umbrellaStakeAsset }: MergedSt
- + ); }; diff --git a/src/modules/umbrella/StakingApyItem.tsx b/src/modules/umbrella/StakingApyItem.tsx index 613fe0479e..666de2ffa2 100644 --- a/src/modules/umbrella/StakingApyItem.tsx +++ b/src/modules/umbrella/StakingApyItem.tsx @@ -1,5 +1,5 @@ import { Trans } from '@lingui/macro'; -import { Box, Stack, Typography } from '@mui/material'; +import { Box, Stack, Typography, useMediaQuery, useTheme } from '@mui/material'; import { FormattedNumber } from 'src/components/primitives/FormattedNumber'; import { Row } from 'src/components/primitives/Row'; import { TokenIcon } from 'src/components/primitives/TokenIcon'; @@ -14,6 +14,10 @@ export const StakingApyItem = ({ stakeData }: { stakeData: MergedStakeData }) => const rewards = stakeData.rewards; + const { breakpoints } = useTheme(); + + const isMobile = useMediaQuery(breakpoints.down('lg')); + // TODO: do we need to handle the case where aTokens are configured as a reward? const icons = rewards.map((reward) => ({ src: reward.rewardSymbol, aToken: false })); let netAPY = rewards.reduce((acc, reward) => { @@ -35,10 +39,13 @@ export const StakingApyItem = ({ stakeData }: { stakeData: MergedStakeData }) => icons.push({ src: underlyingReserve.symbol, aToken: true }); } - console.log(icons); - return ( - + { const { openUmbrella, openUmbrellaStakeCooldown } = useModalContext(); const now = useCurrentTimestamp(1); + const { breakpoints } = useTheme(); + const isMobile = useMediaQuery(breakpoints.down('lg')); const cooldownSeconds = stakeData?.cooldownSeconds || 0; const endOfCooldown = stakeData?.cooldownData.endOfCooldown || 0; const unstakeWindow = stakeData?.cooldownData.withdrawalWindow || 0; @@ -66,42 +68,6 @@ export const StakingDropdown = ({ stakeData }: { stakeData: MergedStakeData }) = setAnchorEl(null); }; - const getCooldownLabel = () => { - console.log('isCooldownActive', isCooldownActive); - if (!isCooldownActive) { - return Cooldown; - } - - if (isUnstakeWindowActive) { - return ( - <> - Time left to unstake - - - - - ); - } - if (isCooldownActive) { - return ( - <> - Cooldown time left - - - - - ); - } - return ( - <> - Cooldown period - - - - - ); - }; - return (
{stakeData.balances.stakeTokenBalance === '0' ? ( @@ -109,6 +75,7 @@ export const StakingDropdown = ({ stakeData }: { stakeData: MergedStakeData }) = - {getCooldownLabel()} + + + {/* 1d */} @@ -173,3 +150,50 @@ export const StakingDropdown = ({ stakeData }: { stakeData: MergedStakeData }) =
); }; + +const CooldownLabel = ({ + isCooldownActive, + isUnstakeWindowActive, + unstakeTimeRemaining, + cooldownTimeRemaining, + cooldownSeconds, +}: { + isCooldownActive: boolean; + isUnstakeWindowActive: boolean; + unstakeTimeRemaining: number; + cooldownTimeRemaining: number; + cooldownSeconds: number; +}) => { + if (!isCooldownActive) return Cooldown; + + if (isUnstakeWindowActive) { + return ( + <> + Time left to unstake + + + + + ); + } + + if (isCooldownActive) { + return ( + <> + Cooldown time left + + + + + ); + } + + return ( + <> + Cooldown period + + + + + ); +}; From 861f7cccefecf2b71ef339e08da2d7743c85acc3 Mon Sep 17 00:00:00 2001 From: Mark Hinschberger Date: Fri, 24 Jan 2025 13:55:39 +0000 Subject: [PATCH 047/110] fix: loading states --- src/locales/en/messages.po | 2 +- src/modules/staking/StakingHeader.tsx | 2 +- .../StakeAssets/UmbrellaAssetsList.tsx | 28 +++++------ .../UmbrellaAssetsListContainer.tsx | 47 ++++++++++++------- 4 files changed, 46 insertions(+), 33 deletions(-) diff --git a/src/locales/en/messages.po b/src/locales/en/messages.po index 27ffcd8f0e..e3e32e1e51 100644 --- a/src/locales/en/messages.po +++ b/src/locales/en/messages.po @@ -1179,7 +1179,6 @@ msgid "Wrong Network" msgstr "Wrong Network" #: src/components/transactions/Stake/StakeActions.tsx -#: src/modules/staking/StakingHeader.tsx #: src/modules/umbrella/UmbrellaActions.tsx msgid "Staking" msgstr "Staking" @@ -2480,6 +2479,7 @@ msgstr "You voted {0}" msgid "Borrowable" msgstr "Borrowable" +#: src/modules/staking/StakingHeader.tsx #: src/ui-config/menu-items/index.tsx msgid "Safety Module" msgstr "Safety Module" diff --git a/src/modules/staking/StakingHeader.tsx b/src/modules/staking/StakingHeader.tsx index 912daf6b52..4706fc3509 100644 --- a/src/modules/staking/StakingHeader.tsx +++ b/src/modules/staking/StakingHeader.tsx @@ -59,7 +59,7 @@ export const StakingHeader: React.FC = ({ tvl, stkEmission, variant={downToXSM ? 'h2' : upToLG ? 'display1' : 'h1'} sx={{ ml: 2, mr: 3 }} > - Staking + Safety Module
diff --git a/src/modules/umbrella/StakeAssets/UmbrellaAssetsList.tsx b/src/modules/umbrella/StakeAssets/UmbrellaAssetsList.tsx index f061c7a8df..04141d43ee 100644 --- a/src/modules/umbrella/StakeAssets/UmbrellaAssetsList.tsx +++ b/src/modules/umbrella/StakeAssets/UmbrellaAssetsList.tsx @@ -7,9 +7,7 @@ import { ListColumn } from 'src/components/lists/ListColumn'; import { ListHeaderTitle } from 'src/components/lists/ListHeaderTitle'; import { ListHeaderWrapper } from 'src/components/lists/ListHeaderWrapper'; import { ComputedReserveData } from 'src/hooks/app-data-provider/useAppDataProvider'; -import { useUmbrellaSummary } from 'src/hooks/stake/useUmbrellaSummary'; -import { useRootStore } from 'src/store/root'; -import { useShallow } from 'zustand/shallow'; +import { MergedStakeData } from 'src/hooks/stake/useUmbrellaSummary'; import { // StakeUserData, @@ -30,7 +28,7 @@ const listHeaders = [ }, { title: APY, - sortKey: 'totalLiquidityUSD', + sortKey: 'totalAPY', }, { title: Amount Staked, @@ -46,7 +44,7 @@ const listHeaders = [ }, { title: Available to Claim, - sortKey: 'TODO', + sortKey: 'TODO: claim', }, { title: <>, @@ -64,19 +62,21 @@ const listHeaders = [ // }, ]; -type MarketAssetsListProps = { +type UmbrelaAssetsListProps = { reserves: ComputedReserveData[]; loading: boolean; + stakedDataWithTokenBalances: MergedStakeData[]; + isLoadingStakedDataWithTokenBalances: boolean; }; -export default function MarketAssetsList({ loading }: MarketAssetsListProps) { +export default function UmbrellaAssetsList({ + loading, + stakedDataWithTokenBalances, + isLoadingStakedDataWithTokenBalances, +}: UmbrelaAssetsListProps) { const isTableChangedToCards = useMediaQuery('(max-width:1125px)'); const [sortName, setSortName] = useState(''); const [sortDesc, setSortDesc] = useState(false); - const [currentMarketData] = useRootStore( - useShallow((store) => [store.currentMarketData, store.account]) - ); - const { data: stakedDataWithTokenBalances } = useUmbrellaSummary(currentMarketData); const sortedData = useMemo(() => { if (!stakedDataWithTokenBalances) return []; @@ -86,7 +86,7 @@ export default function MarketAssetsList({ loading }: MarketAssetsListProps) { return sortDesc ? b.symbol.localeCompare(a.symbol) : a.symbol.localeCompare(b.symbol); } - if (sortName === 'totalLiquidityUSD') { + if (sortName === 'totalAPY') { const apyA = Number(calculateRewardsApy(a.rewards)); const apyB = Number(calculateRewardsApy(b.rewards)); return sortDesc ? apyB - apyA : apyA - apyB; @@ -102,8 +102,7 @@ export default function MarketAssetsList({ loading }: MarketAssetsListProps) { }); }, [stakedDataWithTokenBalances, sortName, sortDesc]); - // Show loading state when loading - if (loading) { + if (loading || isLoadingStakedDataWithTokenBalances) { return isTableChangedToCards ? ( <> @@ -119,7 +118,6 @@ export default function MarketAssetsList({ loading }: MarketAssetsListProps) { ); } - // Hide list when no results, via search term or if a market has all/no frozen/unfrozen assets if (stakedDataWithTokenBalances == undefined || stakedDataWithTokenBalances.length === 0) return null; diff --git a/src/modules/umbrella/StakeAssets/UmbrellaAssetsListContainer.tsx b/src/modules/umbrella/StakeAssets/UmbrellaAssetsListContainer.tsx index 42670875db..55ee18ef45 100644 --- a/src/modules/umbrella/StakeAssets/UmbrellaAssetsListContainer.tsx +++ b/src/modules/umbrella/StakeAssets/UmbrellaAssetsListContainer.tsx @@ -8,6 +8,7 @@ import { NoSearchResults } from 'src/components/NoSearchResults'; // import { Warning } from 'src/components/primitives/Warning'; import { TitleWithSearchBar } from 'src/components/TitleWithSearchBar'; import { useAppDataContext } from 'src/hooks/app-data-provider/useAppDataProvider'; +import { useUmbrellaSummary } from 'src/hooks/stake/useUmbrellaSummary'; import { useRootStore } from 'src/store/root'; import { fetchIconSymbolAndName } from 'src/ui-config/reservePatches'; import { getGhoReserve, GHO_MINTING_MARKETS, GHO_SYMBOL } from 'src/utils/ghoUtilities'; @@ -36,9 +37,18 @@ function shouldDisplayGhoBanner(marketTitle: string, searchTerm: string): boolea export const UmbrellaAssetsListContainer = () => { const { reserves, loading } = useAppDataContext(); - const [currentMarket, currentNetworkConfig] = useRootStore( - useShallow((store) => [store.currentMarket, store.currentNetworkConfig]) + + const [currentMarket, currentNetworkConfig, currentMarketData] = useRootStore( + useShallow((store) => [ + store.currentMarket, + store.currentNetworkConfig, + store.currentMarketData, + ]) ); + + const { data: stakedDataWithTokenBalances, loading: isLoadingStakedDataWithTokenBalances } = + useUmbrellaSummary(currentMarketData); + const [searchTerm, setSearchTerm] = useState(''); const { breakpoints } = useTheme(); const sm = useMediaQuery(breakpoints.down('sm')); @@ -86,21 +96,26 @@ export const UmbrellaAssetsListContainer = () => { /> } > - {/* Unfrozen assets list */} - + - {/* Show no search results message if nothing hits in either list */} - {!loading && filteredData.length === 0 && ( - - We couldn't find any assets related to your search. Try again with a different - asset name, symbol, or address. - - } - /> - )} + {!loading && + !isLoadingStakedDataWithTokenBalances && + (filteredData.length === 0 || !stakedDataWithTokenBalances) && ( + + We couldn't find any assets related to your search. Try again with a different + asset name, symbol, or address. + + } + /> + )} ); }; From a3dcdad0cbd678aedc7e878d5e41374237fe2bfd Mon Sep 17 00:00:00 2001 From: Joaquin Battilana Date: Fri, 24 Jan 2025 16:24:50 -0300 Subject: [PATCH 048/110] feat: basic umbrella claim modal --- pages/umbrella.page.tsx | 4 + src/hooks/useModal.tsx | 7 + src/modules/umbrella/UmbrellaClaimModal.tsx | 26 +++ .../umbrella/UmbrellaClaimModalContent.tsx | 201 ++++++++++++++++++ 4 files changed, 238 insertions(+) create mode 100644 src/modules/umbrella/UmbrellaClaimModal.tsx create mode 100644 src/modules/umbrella/UmbrellaClaimModalContent.tsx diff --git a/pages/umbrella.page.tsx b/pages/umbrella.page.tsx index 384c65d7aa..5b6f4ddd75 100644 --- a/pages/umbrella.page.tsx +++ b/pages/umbrella.page.tsx @@ -33,6 +33,9 @@ const UnStakeModal = dynamic(() => (module) => module.UnStakeModal ) ); +const UmbrellaClaimModal = dynamic(() => + import('../src/modules/umbrella/UmbrellaClaimModal').then((module) => module.UmbrellaClaimModal) +); interface MarketContainerProps { children: ReactNode; } @@ -111,6 +114,7 @@ UmbrellaStaking.getLayout = function getLayout(page: React.ReactElement) { + {/** End of modals */} ); diff --git a/src/hooks/useModal.tsx b/src/hooks/useModal.tsx index 3a0ec2b45c..3c70c35bf0 100644 --- a/src/hooks/useModal.tsx +++ b/src/hooks/useModal.tsx @@ -34,6 +34,7 @@ export enum ModalType { ReadMode, Umbrella, UmbrellaStakeCooldown, + UmbrellaClaim, } export interface ModalArgsType { @@ -101,6 +102,7 @@ export interface ModalContextType { openStakeRewardsRestakeClaim: (stakeAssetName: Stake, icon: string) => void; openUmbrella: (uStakeToken: string, icon: string) => void; openUmbrellaStakeCooldown: (uStakeToken: string, icon: string) => void; + openUmbrellaClaim: (uStakeToken: string) => void; openClaimRewards: () => void; openEmode: () => void; openFaucet: (underlyingAsset: string) => void; @@ -285,6 +287,11 @@ export const ModalContextProvider: React.FC = ({ children }) setType(ModalType.UmbrellaStakeCooldown); setArgs({ uStakeToken, icon }); }, + openUmbrellaClaim: (uStakeToken) => { + trackEvent(GENERAL.OPEN_MODAL, { modal: 'Umbrella Claim', uStakeToken: uStakeToken }); + setType(ModalType.UmbrellaClaim); + setArgs({ uStakeToken }); + }, openClaimRewards: () => { trackEvent(GENERAL.OPEN_MODAL, { modal: 'Claim' }); setType(ModalType.ClaimRewards); diff --git a/src/modules/umbrella/UmbrellaClaimModal.tsx b/src/modules/umbrella/UmbrellaClaimModal.tsx new file mode 100644 index 0000000000..bb07053206 --- /dev/null +++ b/src/modules/umbrella/UmbrellaClaimModal.tsx @@ -0,0 +1,26 @@ +import React from 'react'; +import { BasicModal } from 'src/components/primitives/BasicModal'; +import { UserAuthenticated } from 'src/components/UserAuthenticated'; +import { ModalType, useModalContext } from 'src/hooks/useModal'; +import { UmbrellaClaimModalContent } from './UmbrellaClaimModalContent'; +import { useUmbrellaSummary } from 'src/hooks/stake/useUmbrellaSummary'; +import { useRootStore } from 'src/store/root'; + +export const UmbrellaClaimModal = () => { + const { type, close, args } = useModalContext(); + const currentMarketData = useRootStore((store) => store.currentMarketData); + + const { data } = useUmbrellaSummary(currentMarketData); + + const stakeData = data?.find( + (item) => item.stakeToken.toLowerCase() === args?.uStakeToken?.toLowerCase() + ); + + return ( + + + {(user) => stakeData && } + + + ); +}; diff --git a/src/modules/umbrella/UmbrellaClaimModalContent.tsx b/src/modules/umbrella/UmbrellaClaimModalContent.tsx new file mode 100644 index 0000000000..3f6af89ca4 --- /dev/null +++ b/src/modules/umbrella/UmbrellaClaimModalContent.tsx @@ -0,0 +1,201 @@ +import { Trans } from "@lingui/macro"; +import { Box, Typography } from "@mui/material"; +import { useState } from "react"; +import { FormattedNumber } from "src/components/primitives/FormattedNumber"; +import { Row } from "src/components/primitives/Row"; +import { TokenIcon } from "src/components/primitives/TokenIcon"; +import { RewardsSelect } from "src/components/transactions/ClaimRewards/RewardsSelect"; +import { TxErrorView } from "src/components/transactions/FlowCommons/Error"; +import { GasEstimationError } from "src/components/transactions/FlowCommons/GasEstimationError"; +import { TxSuccessView } from "src/components/transactions/FlowCommons/Success"; +import { DetailsNumberLine, DetailsNumberLineWithSub, TxModalDetails } from "src/components/transactions/FlowCommons/TxModalDetails"; +import { TxModalTitle } from "src/components/transactions/FlowCommons/TxModalTitle"; +import { ChangeNetworkWarning } from "src/components/transactions/Warnings/ChangeNetworkWarning"; +import { Reward } from "src/helpers/types"; +import { ExtendedFormattedUser } from "src/hooks/pool/useExtendedUserSummaryAndIncentives"; +import { MergedStakeData } from "src/hooks/stake/useUmbrellaSummary"; +import { useModalContext } from "src/hooks/useModal"; +import { useWeb3Context } from "src/libs/hooks/useWeb3Context"; +import { useRootStore } from "src/store/root"; +import { getNetworkConfig } from "src/utils/marketsAndNetworksConfig"; +import { useShallow } from "zustand/shallow"; + +export enum ErrorType { + NOT_ENOUGH_BALANCE, +} + +interface UmbrellaClaimModalContentProps { + user: ExtendedFormattedUser; + stakeData: MergedStakeData; +} + +export const UmbrellaClaimModalContent = ({ user, stakeData }: UmbrellaClaimModalContentProps) => { + const { gasLimit, mainTxState: claimRewardsTxState, txError } = useModalContext(); + const [currentChainId, currentMarketData] = useRootStore( + useShallow((store) => [store.currentChainId, store.currentMarketData]) + ); + const { chainId: connectedChainId, readOnlyModeAddress } = useWeb3Context(); + const [selectedRewardSymbol, setSelectedRewardSymbol] = useState('all'); + const [rewards, setRewards] = useState([]); + const [allReward, setAllReward] = useState(); + + const networkConfig = getNetworkConfig(currentChainId); + + // // get all rewards + // useEffect(() => { + // const userIncentives: Reward[] = []; + // let totalClaimableUsd = Number(claimableUsd); + // const allAssets: string[] = []; + // Object.keys(user.calculatedUserIncentives).forEach((rewardTokenAddress) => { + // const incentive: UserIncentiveData = user.calculatedUserIncentives[rewardTokenAddress]; + // const rewardBalance = normalize(incentive.claimableRewards, incentive.rewardTokenDecimals); + + // let tokenPrice = 0; + // // getting price from reserves for the native rewards for v2 markets + // if (!currentMarketData.v3 && Number(rewardBalance) > 0) { + // if (currentMarketData.chainId === ChainId.mainnet) { + // const aave = reserves.find((reserve) => reserve.symbol === 'AAVE'); + // tokenPrice = aave ? Number(aave.priceInUSD) : 0; + // } else { + // reserves.forEach((reserve) => { + // if (reserve.isWrappedBaseAsset) { + // tokenPrice = Number(reserve.priceInUSD); + // } + // }); + // } + // } else { + // tokenPrice = Number(incentive.rewardPriceFeed); + // } + + // const rewardBalanceUsd = Number(rewardBalance) * tokenPrice; + + // if (rewardBalanceUsd > 0) { + // incentive.assets.forEach((asset) => { + // if (allAssets.indexOf(asset) === -1) { + // allAssets.push(asset); + // } + // }); + + // userIncentives.push({ + // assets: incentive.assets, + // incentiveControllerAddress: incentive.incentiveControllerAddress, + // symbol: incentive.rewardTokenSymbol, + // balance: rewardBalance, + // balanceUsd: rewardBalanceUsd.toString(), + // rewardTokenAddress, + // }); + + // totalClaimableUsd = totalClaimableUsd + Number(rewardBalanceUsd); + // } + // }); + + // if (userIncentives.length === 1) { + // setSelectedRewardSymbol(userIncentives[0].symbol); + // } else if (userIncentives.length > 1 && !selectedReward) { + // const allRewards = { + // assets: allAssets, + // incentiveControllerAddress: userIncentives[0].incentiveControllerAddress, + // symbol: 'all', + // balance: '0', + // balanceUsd: totalClaimableUsd.toString(), + // rewardTokenAddress: '', + // }; + // setSelectedRewardSymbol('all'); + // setAllReward(allRewards); + // } + + // setRewards(userIncentives); + // setClaimableUsd(totalClaimableUsd.toString()); + // }, []); + + // is Network mismatched + const isWrongNetwork = currentChainId !== connectedChainId; + const selectedReward = + selectedRewardSymbol === 'all' + ? allReward + : rewards.find((r) => r.symbol === selectedRewardSymbol); + + if (txError && txError.blocking) { + return ; + } + if (claimRewardsTxState.success) + return Claimed} amount={selectedReward?.balanceUsd} />; + + return ( + <> + + {isWrongNetwork && !readOnlyModeAddress && ( + + )} + + {rewards.length > 1 && ( + + )} + + {/* {selectedReward && ( + + {selectedRewardSymbol === 'all' && ( + <> + Balance} + captionVariant="description" + align="flex-start" + mb={selectedReward.symbol !== 'all' ? 0 : 4} + > + + {rewards.map((reward) => ( + + + + + + {reward.symbol} + + + + + ))} + + + Total worth} value={claimableUsd} /> + + )} + {selectedRewardSymbol !== 'all' && ( + } + futureValue={selectedReward.balance} + futureValueUSD={selectedReward.balanceUsd} + description={{selectedReward.symbol} Balance} + /> + )} + + )} */} + + {txError && } + + {/* */} + + ); +}; From 6b34886b707aaed1a13de5cd6ec336d2e28cb619 Mon Sep 17 00:00:00 2001 From: Mark Grothe Date: Fri, 24 Jan 2025 14:59:32 -0600 Subject: [PATCH 049/110] feat: unstake, stake token service --- pages/umbrella.page.tsx | 4 +- src/hooks/useModal.tsx | 8 + src/modules/umbrella/StakeCooldownActions.tsx | 5 +- src/modules/umbrella/UmbrellaActions.tsx | 152 +++++++++------- src/modules/umbrella/UnstakeModal.tsx | 23 +++ src/modules/umbrella/UnstakeModalActions.tsx | 166 ++++++++++++++++++ src/modules/umbrella/UnstakeModalContent.tsx | 153 ++++++++++++++++ .../umbrella/helpers/StakingDropdown.tsx | 12 +- .../umbrella/services/StakeGatewayService.ts | 20 +++ .../umbrella/services/StakeTokenService.ts | 31 ++-- 10 files changed, 495 insertions(+), 79 deletions(-) create mode 100644 src/modules/umbrella/UnstakeModal.tsx create mode 100644 src/modules/umbrella/UnstakeModalActions.tsx create mode 100644 src/modules/umbrella/UnstakeModalContent.tsx diff --git a/pages/umbrella.page.tsx b/pages/umbrella.page.tsx index 384c65d7aa..350b3065c9 100644 --- a/pages/umbrella.page.tsx +++ b/pages/umbrella.page.tsx @@ -29,9 +29,7 @@ const StakeRewardClaimRestakeModal = dynamic(() => ).then((module) => module.StakeRewardClaimRestakeModal) ); const UnStakeModal = dynamic(() => - import('../src/components/transactions/UnStake/UnStakeModal').then( - (module) => module.UnStakeModal - ) + import('../src/modules/umbrella/UnstakeModal').then((module) => module.UnStakeModal) ); interface MarketContainerProps { children: ReactNode; diff --git a/src/hooks/useModal.tsx b/src/hooks/useModal.tsx index 3a0ec2b45c..984a831827 100644 --- a/src/hooks/useModal.tsx +++ b/src/hooks/useModal.tsx @@ -34,6 +34,7 @@ export enum ModalType { ReadMode, Umbrella, UmbrellaStakeCooldown, + UmbrellaUnstake, } export interface ModalArgsType { @@ -101,6 +102,7 @@ export interface ModalContextType { openStakeRewardsRestakeClaim: (stakeAssetName: Stake, icon: string) => void; openUmbrella: (uStakeToken: string, icon: string) => void; openUmbrellaStakeCooldown: (uStakeToken: string, icon: string) => void; + openUmbrellaUnstake: (uStakeToken: string, icon: string) => void; openClaimRewards: () => void; openEmode: () => void; openFaucet: (underlyingAsset: string) => void; @@ -285,6 +287,12 @@ export const ModalContextProvider: React.FC = ({ children }) setType(ModalType.UmbrellaStakeCooldown); setArgs({ uStakeToken, icon }); }, + openUmbrellaUnstake: (uStakeToken, icon) => { + trackEvent(GENERAL.OPEN_MODAL, { modal: 'Umbrella Redeem', uStakeToken: uStakeToken }); + + setType(ModalType.UmbrellaUnstake); + setArgs({ uStakeToken, icon }); + }, openClaimRewards: () => { trackEvent(GENERAL.OPEN_MODAL, { modal: 'Claim' }); setType(ModalType.ClaimRewards); diff --git a/src/modules/umbrella/StakeCooldownActions.tsx b/src/modules/umbrella/StakeCooldownActions.tsx index caceea5029..c298ebdf92 100644 --- a/src/modules/umbrella/StakeCooldownActions.tsx +++ b/src/modules/umbrella/StakeCooldownActions.tsx @@ -7,8 +7,7 @@ import { useWeb3Context } from 'src/libs/hooks/useWeb3Context'; import { useRootStore } from 'src/store/root'; import { getErrorTextFromError, TxAction } from 'src/ui-config/errorMapping'; import { useShallow } from 'zustand/shallow'; - -import { StakeTokenSercie } from './services/StakeTokenService'; +import { StakeTokenService } from './services/StakeTokenService'; export interface StakeCooldownActionsProps extends BoxProps { isWrongNetwork: boolean; @@ -37,7 +36,7 @@ export const StakeCooldownActions = ({ const action = async () => { try { setMainTxState({ ...mainTxState, loading: true }); - const stakeTokenService = new StakeTokenSercie(selectedToken); + const stakeTokenService = new StakeTokenService(selectedToken); let cooldownTxData = stakeTokenService.cooldown(user); cooldownTxData = await estimateGasLimit(cooldownTxData); const tx = await sendTx(cooldownTxData); diff --git a/src/modules/umbrella/UmbrellaActions.tsx b/src/modules/umbrella/UmbrellaActions.tsx index a71fe551d1..369309f81e 100644 --- a/src/modules/umbrella/UmbrellaActions.tsx +++ b/src/modules/umbrella/UmbrellaActions.tsx @@ -2,7 +2,7 @@ import { API_ETH_MOCK_ADDRESS } from '@aave/contract-helpers'; import { Trans } from '@lingui/macro'; import { BoxProps } from '@mui/material'; import { constants, PopulatedTransaction } from 'ethers'; -import { formatUnits, parseUnits } from 'ethers/lib/utils'; +import { parseUnits } from 'ethers/lib/utils'; import { useState } from 'react'; import { TxActionsWrapper } from 'src/components/transactions/TxActionsWrapper'; import { checkRequiresApproval } from 'src/components/transactions/utils'; @@ -18,6 +18,10 @@ import { useShallow } from 'zustand/shallow'; import { StakeGatewayService } from './services/StakeGatewayService'; import { StakeInputAsset } from './UmbrellaModalContent'; +import { StakeTokenService } from './services/StakeTokenService'; +import { useQueryClient } from '@tanstack/react-query'; +import { queryKeysFactory } from 'src/ui-config/queries'; +import { roundToTokenDecimals } from 'src/utils/utils'; export interface StakeActionProps extends BoxProps { amountToStake: string; @@ -45,6 +49,7 @@ export const UmbrellaActions = ({ isMaxSelected, ...props }: StakeActionProps) => { + const queryClient = useQueryClient(); const [estimateGasLimit, tryPermit, walletApprovalMethodPreference] = useRootStore( useShallow((state) => [ state.estimateGasLimit, @@ -77,6 +82,8 @@ export const UmbrellaActions = ({ }); const usePermit = permitAvailable && walletApprovalMethodPreference === ApprovalMethod.PERMIT; + const useStakeGateway = stakeData.underlyingIsWaToken; + const { data: approvedAmount, isFetching: fetchingApprovedAmount, @@ -84,19 +91,16 @@ export const UmbrellaActions = ({ } = useApprovedAmount({ chainId: currentChainId, token: selectedToken.address, - spender: STAKE_GATEWAY_CONTRACT, + spender: useStakeGateway ? STAKE_GATEWAY_CONTRACT : stakeData.stakeToken, }); setLoadingTxns(fetchingApprovedAmount); - const parsedAmountToStake = parseUnits(amountToStake, stakeData.decimals); - const parsedBalance = parseUnits(selectedToken.balance, stakeData.decimals); - - const bufferBalanceAmount = parsedBalance.div(10).add(parsedBalance); - - const amountToApprove = isMaxSelected - ? (selectedToken.aToken ? bufferBalanceAmount.toString() : parsedBalance.toString()).toString() - : parsedAmountToStake.toString(); + let amountWithMargin = Number(amountToStake) + Number(amountToStake) * 0.1; + const amountToApprove = + isMaxSelected && selectedToken.aToken + ? roundToTokenDecimals(amountWithMargin.toString(), stakeData.decimals) + : amountToStake; const requiresApproval = Number(amountToStake) !== 0 && @@ -109,8 +113,8 @@ export const UmbrellaActions = ({ const tokenApproval = { user, token: selectedToken.address, - spender: STAKE_GATEWAY_CONTRACT, - amount: amountToApprove, + spender: useStakeGateway ? STAKE_GATEWAY_CONTRACT : stakeData.stakeToken, + amount: approvedAmount?.toString() || '0', }; const { approval } = useApprovalTx({ @@ -120,75 +124,51 @@ export const UmbrellaActions = ({ assetAddress: selectedToken.address, symbol: selectedToken.symbol, decimals: stakeData.decimals, - amountToApprove, + amountToApprove: + !amountToApprove || isNaN(+amountToApprove) + ? '0' + : parseUnits(amountToApprove, stakeData.decimals).toString(), onApprovalTxConfirmed: fetchApprovedAmount, - signatureAmount: formatUnits(amountToApprove, stakeData.decimals).toString(), + signatureAmount: amountToApprove, onSignTxCompleted: (signedParams) => setSignatureParams(signedParams), }); const { currentAccount, sendTx } = useWeb3Context(); const action = async () => { + const parsedAmountToStake = parseUnits(amountToStake, stakeData.decimals).toString(); + const parsedBalance = parseUnits(selectedToken.balance, stakeData.decimals).toString(); + let amount = parsedAmountToStake; + if (isMaxSelected) { + if (selectedToken.aToken) { + amount = constants.MaxUint256.toString(); + } else { + amount = parsedBalance; + } + } + try { - setMainTxState({ ...mainTxState, loading: true }); - const stakeService = new StakeGatewayService(STAKE_GATEWAY_CONTRACT); let stakeTxData: PopulatedTransaction; - if (usePermit && signatureParams) { - if (selectedToken.aToken) { - stakeTxData = stakeService.stakeATokenWithPermit( - currentAccount, - stakeData.stakeToken, - isMaxSelected ? constants.MaxUint256.toString() : parsedAmountToStake.toString(), - signatureParams.deadline, - signatureParams.signature - ); - } else { - stakeTxData = stakeService.stakeWithPermit( - user, - stakeData.stakeToken, - isMaxSelected ? parsedBalance.toString() : parsedAmountToStake.toString(), - signatureParams.deadline, - signatureParams.signature - ); - } + if (useStakeGateway) { + stakeTxData = getStakeGatewayTxData(amount); } else { - if (selectedToken.aToken) { - stakeTxData = stakeService.stakeAToken( - currentAccount, - stakeData.stakeToken, - isMaxSelected - ? constants.MaxUint256.toString() - : parseUnits(amountToStake, stakeData.decimals).toString() - ); - } else { - stakeTxData = stakeService.stake( - currentAccount, - stakeData.stakeToken, - isMaxSelected - ? parseUnits(selectedToken.balance, stakeData.decimals).toString() - : parseUnits(amountToStake, stakeData.decimals).toString() - ); - } + stakeTxData = getStakeTokenTxData(amount); } + stakeTxData = await estimateGasLimit(stakeTxData); const tx = await sendTx(stakeTxData); + await tx.wait(1); + setMainTxState({ txHash: tx.hash, loading: false, success: true, }); - // addTransaction(response.hash, { - // action, - // txState: 'success', - // asset: poolAddress, - // amount: amountToSupply, - // assetName: symbol, - // }); - - // queryClient.invalidateQueries({ queryKey: queryKeysFactory.pool }); + queryClient.invalidateQueries({ queryKey: ['umbrella'] }); + queryClient.invalidateQueries({ queryKey: queryKeysFactory.pool }); } catch (error) { const parsedError = getErrorTextFromError(error, TxAction.GAS_ESTIMATION, false); setTxError(parsedError); @@ -199,6 +179,58 @@ export const UmbrellaActions = ({ } }; + const getStakeGatewayTxData = (amountToStake: string) => { + setMainTxState({ ...mainTxState, loading: true }); + const stakeService = new StakeGatewayService(STAKE_GATEWAY_CONTRACT); + let stakeTxData: PopulatedTransaction; + + if (usePermit && signatureParams) { + if (selectedToken.aToken) { + stakeTxData = stakeService.stakeATokenWithPermit( + currentAccount, + stakeData.stakeToken, + amountToStake, + signatureParams.deadline, + signatureParams.signature + ); + } else { + stakeTxData = stakeService.stakeWithPermit( + user, + stakeData.stakeToken, + amountToStake, + signatureParams.deadline, + signatureParams.signature + ); + } + } else { + if (selectedToken.aToken) { + stakeTxData = stakeService.stakeAToken(currentAccount, stakeData.stakeToken, amountToStake); + } else { + stakeTxData = stakeService.stake(currentAccount, stakeData.stakeToken, amountToStake); + } + } + + return stakeTxData; + }; + + const getStakeTokenTxData = (amountToStake: string) => { + const stakeTokenService = new StakeTokenService(stakeData.stakeToken); + let stakeTxData: PopulatedTransaction; + + if (usePermit && signatureParams) { + stakeTxData = stakeTokenService.stakeWithPermit( + user, + amountToStake, + signatureParams.deadline, + signatureParams.signature + ); + } else { + stakeTxData = stakeTokenService.stake(user, amountToStake); + } + + return stakeTxData; + }; + return ( { + const { type, close, args } = useModalContext(); + const currentMarketData = useRootStore((store) => store.currentMarketData); + + const { data } = useUmbrellaSummary(currentMarketData); + + const stakeData = data?.find( + (item) => item.stakeToken.toLowerCase() === args?.uStakeToken?.toLowerCase() + ); + + return ( + + {stakeData && } + + ); +}; diff --git a/src/modules/umbrella/UnstakeModalActions.tsx b/src/modules/umbrella/UnstakeModalActions.tsx new file mode 100644 index 0000000000..aa7728d19c --- /dev/null +++ b/src/modules/umbrella/UnstakeModalActions.tsx @@ -0,0 +1,166 @@ +import { Trans } from '@lingui/macro'; +import { BoxProps } from '@mui/material'; +import { parseUnits } from 'ethers/lib/utils'; +import { TxActionsWrapper } from 'src/components/transactions/TxActionsWrapper'; +import { checkRequiresApproval } from 'src/components/transactions/utils'; +import { MergedStakeData } from 'src/hooks/stake/useUmbrellaSummary'; +import { useApprovalTx } from 'src/hooks/useApprovalTx'; +import { useApprovedAmount } from 'src/hooks/useApprovedAmount'; +import { useModalContext } from 'src/hooks/useModal'; +import { useRootStore } from 'src/store/root'; +import { StakeGatewayService } from './services/StakeGatewayService'; +import { PopulatedTransaction } from 'ethers'; +import { StakeTokenService } from './services/StakeTokenService'; +import { useShallow } from 'zustand/shallow'; +import { useWeb3Context } from 'src/libs/hooks/useWeb3Context'; +import { useQueryClient } from '@tanstack/react-query'; +import { getErrorTextFromError, TxAction } from 'src/ui-config/errorMapping'; +import { queryKeysFactory } from 'src/ui-config/queries'; + +export interface UnStakeActionProps extends BoxProps { + amountToUnStake: string; + isWrongNetwork: boolean; + customGasPrice?: string; + symbol: string; + blocked: boolean; + stakeData: MergedStakeData; + redeemATokens: boolean; +} + +const STAKE_GATEWAY_CONTRACT = '0x0E467CeF974b0D46141F1698116b2085E529f7eF'; + +export const UnStakeActions = ({ + amountToUnStake, + isWrongNetwork, + sx, + symbol, + blocked, + stakeData, + redeemATokens, + ...props +}: UnStakeActionProps) => { + const queryClient = useQueryClient(); + const [currentChainId, user, estimateGasLimit] = useRootStore( + useShallow((store) => [store.currentChainId, store.account, store.estimateGasLimit]) + ); + const { sendTx } = useWeb3Context(); + const { + approvalTxState, + mainTxState, + loadingTxns, + setLoadingTxns, + // setApprovalTxState, + setMainTxState, + // setGasLimit, + setTxError, + } = useModalContext(); + + const selectedToken = stakeData.stakeToken; + + const { + data: approvedAmount, + isFetching: fetchingApprovedAmount, + refetch: fetchApprovedAmount, + } = useApprovedAmount({ + chainId: currentChainId, + token: selectedToken, + spender: STAKE_GATEWAY_CONTRACT, + }); + + setLoadingTxns(fetchingApprovedAmount); + + const requiresApproval = + Number(amountToUnStake) !== 0 && + checkRequiresApproval({ + approvedAmount: approvedAmount?.toString() || '0', + amount: amountToUnStake, + signedAmount: '0', + }); + + const tokenApproval = { + user, + token: selectedToken, + spender: STAKE_GATEWAY_CONTRACT, + amount: amountToUnStake, + }; + + const parsedAmountToStake = parseUnits(amountToUnStake, stakeData.decimals); + + const { approval } = useApprovalTx({ + usePermit: false, + approvedAmount: tokenApproval, + requiresApproval, + assetAddress: selectedToken, + symbol: 'USDC', + decimals: stakeData.decimals, + amountToApprove: parsedAmountToStake.toString(), + onApprovalTxConfirmed: fetchApprovedAmount, + signatureAmount: '0', // formatUnits(amountToApprove, stakeData.decimals).toString(), + // onSignTxCompleted: (signedParams) => setSignatureParams(signedParams), + }); + + console.log('requires approval', requiresApproval); + const action = async () => { + try { + setMainTxState({ ...mainTxState, loading: true }); + let unstakeTxData: PopulatedTransaction; + if (stakeData.underlyingIsWaToken) { + // use the stake gateway + const stakeService = new StakeGatewayService(STAKE_GATEWAY_CONTRACT); + if (redeemATokens) { + unstakeTxData = stakeService.redeemATokens( + user, + stakeData.stakeToken, + parsedAmountToStake.toString() + ); + } else { + unstakeTxData = stakeService.redeem( + user, + stakeData.stakeToken, + parsedAmountToStake.toString() + ); + } + } else { + // use stake token directly + const stakeTokenService = new StakeTokenService(stakeData.stakeToken); + unstakeTxData = stakeTokenService.redeem(user, parsedAmountToStake.toString()); + } + + unstakeTxData = await estimateGasLimit(unstakeTxData); + const tx = await sendTx(unstakeTxData); + await tx.wait(1); + setMainTxState({ + txHash: tx.hash, + loading: false, + success: true, + }); + queryClient.invalidateQueries({ queryKey: ['umbrella'] }); + queryClient.invalidateQueries({ queryKey: queryKeysFactory.pool }); + } catch (error) { + const parsedError = getErrorTextFromError(error, TxAction.GAS_ESTIMATION, false); + setTxError(parsedError); + setMainTxState({ + txHash: undefined, + loading: false, + }); + } + }; + + return ( + Unstake {symbol}} + actionInProgressText={Unstaking {symbol}} + mainTxState={mainTxState} + approvalTxState={approvalTxState} + isWrongNetwork={isWrongNetwork} + preparingTransactions={loadingTxns} + sx={sx} + /> + ); +}; diff --git a/src/modules/umbrella/UnstakeModalContent.tsx b/src/modules/umbrella/UnstakeModalContent.tsx new file mode 100644 index 0000000000..49dc39ea93 --- /dev/null +++ b/src/modules/umbrella/UnstakeModalContent.tsx @@ -0,0 +1,153 @@ +import { ChainId } from '@aave/contract-helpers'; +import { valueToBigNumber } from '@aave/math-utils'; +import { Trans } from '@lingui/macro'; +import { Typography } from '@mui/material'; +import { parseUnits } from 'ethers/lib/utils'; +import React, { useRef, useState } from 'react'; +import { AssetInput } from 'src/components/transactions/AssetInput'; +import { TxErrorView } from 'src/components/transactions/FlowCommons/Error'; +import { GasEstimationError } from 'src/components/transactions/FlowCommons/GasEstimationError'; +import { TxSuccessView } from 'src/components/transactions/FlowCommons/Success'; +import { TxModalTitle } from 'src/components/transactions/FlowCommons/TxModalTitle'; +import { GasStation } from 'src/components/transactions/GasStation/GasStation'; +import { ChangeNetworkWarning } from 'src/components/transactions/Warnings/ChangeNetworkWarning'; +import { useModalContext } from 'src/hooks/useModal'; +import { useWeb3Context } from 'src/libs/hooks/useWeb3Context'; +import { useRootStore } from 'src/store/root'; +import { UnStakeActions } from './UnstakeModalActions'; +import { MergedStakeData } from 'src/hooks/stake/useUmbrellaSummary'; +import { useShallow } from 'zustand/shallow'; +import { DetailsUnwrapSwitch } from 'src/components/transactions/FlowCommons/TxModalDetails'; + +// export type UnStakeProps = { +// stakeToken: string; +// icon: string; +// }; + +export enum ErrorType { + NOT_ENOUGH_BALANCE, +} + +export const UnStakeModalContent = ({ stakeData }: { stakeData: MergedStakeData }) => { + const { chainId: connectedChainId, readOnlyModeAddress } = useWeb3Context(); + const { gasLimit, mainTxState: txState, txError } = useModalContext(); + const [redeemATokens, setRedeemATokens] = useState(stakeData.underlyingIsWaToken); + const [currentChainId, currentNetworkConfig] = useRootStore( + useShallow((store) => [store.currentChainId, store.currentNetworkConfig]) + ); + + // const { data } = useUmbrellaSummaryFor(stakeToken, currentMarketData); + // const stakeData = data?.[0]; + + // states + const [_amount, setAmount] = useState(''); + const amountRef = useRef(); + + let balance = stakeData?.formattedBalances.stakeTokenRedeemableAmount || '0'; + console.log('amountToUnstake', balance); + // TODOD + // if (stakeData?.inPostSlashingPeriod) { + // amountToUnstake = stakeUserData?.stakeTokenUserBalance; + // } + + const isMaxSelected = _amount === '-1'; + const amount = isMaxSelected ? balance : _amount; + + const handleChange = (value: string) => { + const maxSelected = value === '-1'; + amountRef.current = maxSelected ? balance : value; + setAmount(value); + }; + + // staking token usd value + const amountInUsd = Number(amount) * Number(stakeData?.stakeTokenPrice); // TODO + + // error handler + let blockingError: ErrorType | undefined = undefined; + if (valueToBigNumber(amount).gt(balance)) { + blockingError = ErrorType.NOT_ENOUGH_BALANCE; + } + + const handleBlocked = () => { + switch (blockingError) { + case ErrorType.NOT_ENOUGH_BALANCE: + return Not enough staked balance; + default: + return null; + } + }; + + const nameFormatted = 'TODO'; // stakeAssetNameFormatted(stakeAssetName); + + const isWrongNetwork = currentChainId !== connectedChainId; + + // const networkConfig = getNetworkConfig(stakingChain); + + if (txError && txError.blocking) { + return ; + } + if (txState.success) + return ( + Unstaked} + amount={amountRef.current} + symbol={nameFormatted} + /> + ); + + // console.log(icon); + return ( + <> + + {isWrongNetwork && !readOnlyModeAddress && ( + + )} + Stake balance} + /> + + {stakeData?.underlyingIsWaToken && ( + + Redeem as aToken + + } + /> + )} + + {blockingError !== undefined && ( + + {handleBlocked()} + + )} + + + {txError && } + + + + ); +}; diff --git a/src/modules/umbrella/helpers/StakingDropdown.tsx b/src/modules/umbrella/helpers/StakingDropdown.tsx index 04754894c7..9b85710254 100644 --- a/src/modules/umbrella/helpers/StakingDropdown.tsx +++ b/src/modules/umbrella/helpers/StakingDropdown.tsx @@ -1,4 +1,5 @@ import { Trans } from '@lingui/macro'; + import AddIcon from '@mui/icons-material/Add'; import AddOutlinedIcon from '@mui/icons-material/AddOutlined'; import ArrowForwardIcon from '@mui/icons-material/ArrowForward'; @@ -34,7 +35,7 @@ const StyledMenuItem = styled(MenuItem)({ }); export const StakingDropdown = ({ stakeData }: { stakeData: MergedStakeData }) => { - const { openUmbrella, openUmbrellaStakeCooldown } = useModalContext(); + const { openUmbrella, openUmbrellaStakeCooldown, openUmbrellaUnstake } = useModalContext(); const now = useCurrentTimestamp(1); const { breakpoints } = useTheme(); @@ -140,6 +141,15 @@ export const StakingDropdown = ({ stakeData }: { stakeData: MergedStakeData }) = Stake more... + { + handleClose(); + openUmbrellaUnstake(stakeData.stakeToken, stakeData.stakeTokenSymbol); + }} + > + + Unstake + Claim... diff --git a/src/modules/umbrella/services/StakeGatewayService.ts b/src/modules/umbrella/services/StakeGatewayService.ts index 2c32a310ea..4e0fc411e7 100644 --- a/src/modules/umbrella/services/StakeGatewayService.ts +++ b/src/modules/umbrella/services/StakeGatewayService.ts @@ -81,4 +81,24 @@ export class StakeGatewayService { tx.gasLimit = BigNumber.from(gasLimitRecommendations[ProtocolAction.supply].recommended); return tx; } + + redeem(user: string, stakeTokenAddress: string, amount: string) { + const txData = this.interface.encodeFunctionData('redeem', [stakeTokenAddress, amount]); + return { + data: txData, + from: user, + to: this.stakeGatewayAddress, + gasLimit: BigNumber.from(gasLimitRecommendations[ProtocolAction.supply].recommended), + }; + } + + redeemATokens(user: string, stakeTokenAddress: string, amount: string) { + const txData = this.interface.encodeFunctionData('redeemATokens', [stakeTokenAddress, amount]); + return { + data: txData, + from: user, + to: this.stakeGatewayAddress, + gasLimit: BigNumber.from(gasLimitRecommendations[ProtocolAction.supply].recommended), + }; + } } diff --git a/src/modules/umbrella/services/StakeTokenService.ts b/src/modules/umbrella/services/StakeTokenService.ts index 2209b50fbf..ce8cd4a191 100644 --- a/src/modules/umbrella/services/StakeTokenService.ts +++ b/src/modules/umbrella/services/StakeTokenService.ts @@ -2,8 +2,9 @@ import { BigNumber, PopulatedTransaction } from 'ethers'; import { IERC4626StakeTokenInterface } from './types/StakeToken'; import { IERC4626StakeToken__factory } from './types/StakeToken__factory'; +import { SignatureLike, splitSignature } from '@ethersproject/bytes'; -export class StakeTokenSercie { +export class StakeTokenService { private readonly interface: IERC4626StakeTokenInterface; constructor(private readonly stakeTokenAddress: string) { @@ -30,9 +31,15 @@ export class StakeTokenSercie { return tx; } - unstake(user: string, amount: string) { + stakeWithPermit(user: string, amount: string, deadline: string, permit: SignatureLike) { const tx: PopulatedTransaction = {}; - const txData = this.interface.encodeFunctionData('redeem', [amount, user, user]); + const signature = splitSignature(permit); + const txData = this.interface.encodeFunctionData('depositWithPermit', [ + user, + amount, + deadline, + { v: signature.v, r: signature.r, s: signature.s }, + ]); tx.data = txData; tx.from = user; tx.to = this.stakeTokenAddress; @@ -40,13 +47,13 @@ export class StakeTokenSercie { return tx; } - // stakeWithPermit(user: string, amount: string, deadline: number) { - // const tx: PopulatedTransaction = {}; - // const txData = this.interface.encodeFunctionData('depositWithPermit', [amount, deadline, user]); - // tx.data = txData; - // tx.from = user; - // tx.to = this.stakeTokenAddress; - // tx.gasLimit = BigNumber.from('1000000'); // TODO - // return tx; - // } + redeem(user: string, amount: string) { + const tx: PopulatedTransaction = {}; + const txData = this.interface.encodeFunctionData('redeem', [amount, user, user]); + tx.data = txData; + tx.from = user; + tx.to = this.stakeTokenAddress; + tx.gasLimit = BigNumber.from('1000000'); // TODO + return tx; + } } From 3c8078de232fedac9fb68e3734c5a7333a493284 Mon Sep 17 00:00:00 2001 From: Mark Hinschberger Date: Mon, 27 Jan 2025 11:24:37 +0000 Subject: [PATCH 050/110] fix: search umbrella assets --- src/locales/el/messages.js | 2 +- src/locales/en/messages.js | 2 +- src/locales/en/messages.po | 12 ++++++++++++ src/locales/es/messages.js | 2 +- src/locales/fr/messages.js | 2 +- .../StakeAssets/UmbrellaAssetsListContainer.tsx | 14 ++++++++++++-- src/modules/umbrella/StakeCooldownActions.tsx | 1 + src/modules/umbrella/UmbrellaActions.tsx | 10 +++++----- src/modules/umbrella/UnstakeModal.tsx | 5 +++-- src/modules/umbrella/UnstakeModalActions.tsx | 14 +++++++------- src/modules/umbrella/UnstakeModalContent.tsx | 9 +++++---- src/modules/umbrella/helpers/StakingDropdown.tsx | 1 - src/modules/umbrella/services/StakeTokenService.ts | 2 +- 13 files changed, 50 insertions(+), 26 deletions(-) diff --git a/src/locales/el/messages.js b/src/locales/el/messages.js index 44cd97185a..cb6a448631 100644 --- a/src/locales/el/messages.js +++ b/src/locales/el/messages.js @@ -1 +1 @@ -/*eslint-disable*/module.exports={messages:JSON.parse("{\"+0xecS\":[\"Εάν ΔΕΝ ξεκλειδώσετε εντός \",[\"0\"],\" του παραθύρου ξεκλειδώματος, θα πρέπει να ενεργοποιήσετε ξανά τη διαδικασία ψύξης.\"],\"+EGVI0\":\"Receive (est.)\",\"+VR63W\":[\"Η συμμετοχή σε αυτό το αποθεματικό \",[\"symbol\"],\" δίνει ετήσιες ανταμοιβές.\"],\"+bmKdK\":\"Use your AAVE, stkAAVE, or aAave balance to delegate your voting and proposition powers. You will not be sending any tokens, only the rights to vote and propose changes to the protocol. You can re-delegate or revoke power to self at any time.\",\"+eOPG+\":\"Φαίνεται ότι δεν μπορούμε να αλλάξουμε το δίκτυο αυτόματα. Ελέγξτε αν μπορείτε να το αλλάξετε από το πορτοφόλι.\",\"+i3Pd2\":\"Ανώτατο όριο δανεισμού\",\"+kLZGu\":\"Supplied asset amount\",\"+nuEh/\":\"Estimated time\",\"+xMFF8\":\"Remind me\",\"/57U31\":\"Amount to migrate\",\"/7ykiW\":\"Borrowing this amount will reduce your health factor and increase risk of liquidation.\",\"/YA5pU\":\"E-Mode increases your LTV for a selected category of assets, meaning that when E-mode is enabled, you will have higher borrowing power over assets of the same E-mode category which are defined by Aave Governance. You can enter E-Mode from your <0>Dashboard. To learn more about E-Mode and applied restrictionn, see the <1>help guide or the <2>Aave V3 Technical Paper.\",\"/izjs/\":\"Minimum staked Aave amount\",\"/jQctM\":\"To\",\"/lDBHm\":\"ΣΥΧΝΕΣ ΕΡΩΤΗΣΕΙΣ\",\"/yNlZf\":\"Ο σταθερός δανεισμός δεν είναι ενεργοποιημένος\",\"/yQcJM\":\"Συνολική αξία\",\"00AB2i\":\"Ο χρήστης δεν δανείστηκε το καθορισμένο νόμισμα\",\"00OflG\":\"There is not enough liquidity for the target asset to perform the switch. Try lowering the amount.\",\"08/rZ9\":\"The cooldown period is the time required prior to unstaking your tokens (20 days). You can only withdraw your assets from the Security Module after the cooldown period and within the unstake window.<0>Learn more\",\"0AmQcW\":\"Rate change\",\"0BF3yK\":\"Sorry, we couldn't find the page you were looking for.\",\"0TAbjq\":\"Recent Transactions\",\"0jhlyw\":\"Liquidation risk\",\"0ojY+Y\":\"Current v2 Balance\",\"0thX3P\":\"Collateral change\",\"0wGCWc\":\"Αυτό είναι το συνολικό ποσό που μπορείτε να προμηθεύσετε σε αυτό το αποθεματικό. Μπορείτε να προμηθεύσετε το υπόλοιπο του πορτοφολιού σας μέχρι να επιτευχθεί το ανώτατο όριο προμηθειών.\",\"1AsVfF\":\"Price data is not currently available for this reserve on the protocol subgraph\",\"1LjK22\":\"Transaction history\",\"1Onqx8\":[\"Έγκριση του \",[\"symbol\"],\"...\"],\"1Ue8sX\":\"Παρακαλούμε συνδέστε ένα πορτοφόλι για να δείτε τις προσωπικές σας πληροφορίες εδώ.\",\"1bpx9A\":\"...\",\"1kWUB+\":\"Ρευστοποίηση <0/> κατώτατο όριο\",\"1m9Qqc\":\"Withdrawing and Switching\",\"1oyh4g\":\"Borrow rate\",\"1t7rez\":\"Asset supply is limited to a certain amount to reduce protocol exposure to the asset and to help manage risks involved.\",\"2CAPu2\":\"You've successfully withdrew & switched tokens.\",\"2Eoi/a\":\"Προβολή λεπτομερειών\",\"2FYpfJ\":\"Περισσότερα\",\"2O3qp5\":\"Διαθέσιμη ρευστότητα\",\"2OM8/D\":[\"Asset cannot be migrated due to supply cap restriction in \",[\"marketName\"],\" v3 market.\"],\"2Q4GU4\":\"Blocked Address\",\"2ZGocC\":\"Aave is a fully decentralized, community governed protocol by the AAVE token-holders. AAVE token-holders collectively discuss, propose, and vote on upgrades to the protocol. AAVE token-holders (Ethereum network only) can either vote themselves on new proposals or delagate to an address of choice. To learn more check out the Governance\",\"2a6G7d\":\"Please enter a valid wallet address.\",\"2bAhR7\":\"Meet GHO\",\"2eBWE6\":\"I acknowledge the risks involved.\",\"2o/xRt\":\"Επίτευξη του ανώτατου ορίου εφοδιασμού στο αποθεματικό-στόχο. Δοκιμάστε να \\nμειώσετε την ποσότητα.\",\"2uJToh\":[[\"0\"],[\"name\"]],\"2x58bP\":\"Ο σταθερός δανεισμός είναι ενεργοποιημένος\",\"34Qfwy\":\"Υπέρβαση του ανώτατου ορίου δανεισμού\",\"39eQRj\":[\"Δανεισμός \",[\"symbol\"]],\"3BL1xB\":\"Σύνολο παρεχόμενων\",\"3BnIWi\":\"Switched\",\"3K0oMo\":\"Υπολειπόμενη προσφορά\",\"3MoZhl\":\"Δεν υπάρχουν επαρκείς εξασφαλίσεις για την κάλυψη ενός νέου δανείου\",\"3Np5O8\":[\"Προσφορά \",[\"symbol\"]],\"3O8YTV\":\"Total interest accrued\",\"3mXg0z\":\"Μέγιστο LTV\",\"3q3mFy\":\"Αποπληρωμή\",\"3qsjtp\":\"Ο σταθμισμένος μέσος όρος του APY για όλα τα παρεχόμενα περιουσιακά στοιχεία, συμπεριλαμβανομένων των κινήτρων.\",\"3rL+os\":\"Μπορείτε να αποσύρετε τα περιουσιακά σας στοιχεία από τη Μονάδα Ασφαλείας μόνο αφού λήξει η περίοδος αναμονής και το παράθυρο ξεκλειδώματος είναι ενεργό.\",\"42UgDM\":[\"Migrate to \",[\"0\"],\" v3 Market\"],\"49UFQA\":\"Αποτελέσματα ψηφοφορίας\",\"4DMZUI\":\"View Transactions\",\"4HtGBb\":\"ΜΕΓΙΣΤΟ\",\"4Y5H+g\":\"Terms\",\"4YYh4d\":\"Maximum available to borrow\",\"4iPAI3\":\"Minimum GHO borrow amount\",\"4lDFps\":\"Sign to continue\",\"4wyw8H\":\"Transactions\",\"5JSSxX\":[\"Your \",[\"networkName\"],\" wallet is empty. Get free test assets at\"],\"5K7kGO\":\"τεκμηρίωση\",\"5NOSGa\":\"Debt ceiling limits the amount possible to borrow against this asset by protocol users. Debt ceiling is specific to assets in isolation mode and is denoted in USD.\",\"5Ncc6j\":[\"Αυτό το περιουσιακό στοιχείο έχει σχεδόν φτάσει στο όριο της προσφοράς του. Μόνο \",[\"messageValue\"],\" μπορεί να παρασχεθεί σε αυτή την αγορά.\"],\"5cZ/KX\":\"Η προσφορά μεταβλητού χρέους δεν είναι μηδενική\",\"5che++\":\"Για να ζητήσετε πρόσβαση σε αυτή την αδειοδοτημένη αγορά, επισκεφθείτε την ιστοσελίδα: <0>Όνομα Παρόχου Πρόσβασης\",\"5ctNdV\":[\"Minimum \",[\"0\"],\" received\"],\"5hDe9v\":\"Απαιτούμενη δράση επιδότησης\",\"5rsnKT\":\"Διαθέσιμες ανταμοιβές\",\"5yC5m5\":\"View all votes\",\"6/dCYd\":\"Επισκόπηση\",\"60crCe\":\"All transactions\",\"62Xcjh\":\"Εγγύηση\",\"65A04M\":\"Ισπανικά\",\"6G8s+q\":\"Signing\",\"6Jrv+z\":[\"Αποπληρωμή \",[\"symbol\"]],\"6NGLTR\":\"Discountable amount\",\"6Xr0UU\":\"Ψύξη...\",\"6bxci/\":\"Δύναμη ψήφου\",\"6f8S68\":\"Αγορές\",\"6g1gi0\":\"Προτάσεις\",\"6gvoHP\":\"Copy error message\",\"6h3Q5G\":\"repaid\",\"6lFSyT\":\"Available to Stake\",\"6s8L6f\":\"Αλλαγή Δικτύου\",\"6yAAbq\":\"APY, borrow rate\",\"70wH1Q\":\"APR\",\"72c5Qo\":\"Total\",\"73Auuq\":\"Discount parameters are decided by the Aave community and may be changed over time. Check Governance for updates and vote to participate. <0>Learn more\",\"75qcAQ\":[[\"stepName\"]],\"7ITr5L\":\"Συντελεστής υγείας\",\"7T/o5R\":\"Επιτεύχθηκε\",\"7YlcXu\":\"Fork mode is ON\",\"7Z76Iw\":\"Borrowing is unavailable because you’re using Isolation mode. To manage Isolation mode visit your <0>Dashboard.\",\"7aKlMS\":\"Share on Lens\",\"7er5fP\":\"Διεκδικήστε τα όλα\",\"7hb2+s\":\"Time remaining until the withdraw period ends.\",\"7l88b8\":\"Data couldn't be fetched, please reload graph.\",\"7p5kLi\":\"Ταμπλό\",\"7sofdl\":\"Withdraw and Switch\",\"8+6BI0\":\"Προσοχή - Είστε πολύ κοντά στην ρευστοποίηση. Εξετάστε το ενδεχόμενο να καταθέσετε περισσότερες εγγυήσεις ή να εξοφλήσετε κάποιες από τις δανειακές σας θέσεις\",\"87pUEW\":[\"Το πορτοφόλι σας \",[\"name\"],\" είναι άδειο. Αγοράστε ή μεταφέρετε περιουσιακά στοιχεία.\"],\"8F1i42\":\"Page not found\",\"8G8M0u\":\"Loading data...\",\"8Iu1QS\":\"withdrew\",\"8JL93T\":\"Όλες οι προτάσεις\",\"8Q51DU\":\"Add to wallet\",\"8X/oyn\":\"Μη έγκυρο ποσό για νομισματοκοπία\",\"8Z5FPv\":\"Αποσυνδέστε το πορτοφόλι\",\"8Zz7s5\":\"περιουσιακά στοιχεία\",\"8aLW8H\":\"Balance to revoke\",\"8bOT3H\":\"Ποσοστό χρησιμοποίησης\",\"8sLe4/\":\"View contract\",\"8t/M0y\":\"Please connect your wallet to be able to bridge your tokens.\",\"8vETh9\":\"Εμφάνιση\",\"94OHPx\":\"Εισέρχεστε σε λειτουργία απομόνωσης\",\"9CDK3/\":[\"Ο δανεισμός δεν είναι επί του παρόντος διαθέσιμος για \",[\"0\"],\".\"],\"9GIj3z\":\"Μέγεθος Αποθεματικού\",\"9Knqb4\":\"Staking balance\",\"9OBKm7\":\"Απαρτία\",\"9QHoGr\":\"Τρέχουσες ψήφοι\",\"9Rw96f\":[\"Αυτό το περιουσιακό στοιχείο έχει σχεδόν φτάσει στο όριο δανεισμού του. Υπάρχει μόνο \",[\"messageValue\"],\" διαθέσιμο για δανεισμό από αυτή την αγορά.\"],\"9Xj/qR\":[\"Some migrated assets will not be used as collateral due to enabled isolation mode in \",[\"marketName\"],\" V3 Market. Visit <0>\",[\"marketName\"],\" V3 Dashboard to manage isolation mode.\"],\"9c6vDV\":\"Αυτό το περιουσιακό στοιχείο έχει φτάσει στο όριο της προσφοράς του. Τίποτα δεν είναι διαθέσιμο για προμήθεια από αυτή την αγορά.\",\"9kTWHA\":\"MAI has been paused due to a community decision. Supply, borrows and repays are impacted. <0>More details\",\"9lXchd\":\"Underlying token\",\"9rWaKF\":\"Bridged Via CCIP\",\"9xSooW\":\"Δεδομένου ότι πρόκειται για ένα δοκιμαστικό δίκτυο, μπορείτε να αποκτήσετε οποιοδήποτε από τα περιουσιακά στοιχεία αν έχετε ETH στο πορτοφόλι σας\",\"A/lwoe\":\"Choose one of the on-ramp services\",\"A6dCI6\":[\"Maximum amount available to borrow is <0/> \",[\"0\"],\" (<1/>).\"],\"AReoaV\":\"Τα δάνεια σας\",\"ARu1L4\":\"Repaid\",\"AV7cGz\":\"Αναθεώρηση λεπτομερειών έγκρισης συναλλαγής\",\"AZOjB8\":\"Fetching data...\",\"Ai0jas\":\"Join the community discussion\",\"Ajl2rq\":\"Η δύναμη δανεισμού και τα περιουσιακά στοιχεία είναι περιορισμένα λόγω της λειτουργίας απομόνωσης.\",\"AqgYNC\":\"Protocol borrow cap at 100% for this asset. Further borrowing unavailable.\",\"B3EcQR\":\"Thank you for voting!!\",\"B6aXGH\":\"Σταθερό\",\"B9Gqbz\":\"Variable rate\",\"BDFEd+\":\"stETH supplied as collateral will continue to accrue staking rewards provided by daily rebases.\",\"BE2mP0\":\"Borrowed assets\",\"BJyN77\":\"Due to health factor impact, a flashloan is required to perform this transaction, but Aave Governance has disabled flashloan availability for this asset. Try lowering the amount or supplying additional collateral.\",\"BNL4Ep\":\"Η χρήση εγγύησης είναι περιορισμένη λόγω της λειτουργίας απομόνωσης. <0>Μάθετε περισσότερα\",\"BQ/wCO\":\"Migrate your assets\",\"BjLdl1\":\"At a discount\",\"BnhYo8\":\"Κατηγορία περιουσιακών στοιχείων\",\"Bq9Y7e\":\"This asset is frozen due to an Aave community decision. <0>More details\",\"BqWMDJ\":\"Βρύση\",\"BqynZO\":\"Optimized for efficiency and risk by supporting blue-chip collateral assets\",\"Bsu7zX\":\"The fee includes the gas cost to complete the transaction on the destination chain and the fee paid to Chainlink CCIP service providers. You can chose to pay in the network token or GHO. <0>Learn more\",\"BwJKBw\":\"of\",\"CDrsH+\":\"Techpaper\",\"CK1KXz\":\"Μεγιστο\",\"CMHmbm\":\"Slippage\",\"CZXzs4\":\"Greek\",\"CcRNG6\":\"Switching\",\"CkTRmy\":[\"Διεκδίκηση \",[\"symbol\"]],\"CsqtLm\":\"Please connect your wallet to see migration tool.\",\"CtGlFb\":[[\"networkName\"],\" Βρύση\"],\"Cxt2YY\":\"Watch wallet\",\"D33VQU\":\"This action will reduce health factor of V3 below liquidation threshold. Increase migrated collateral or reduce migrated borrow to continue.\",\"D9BLRG\":\"This asset has been paused due to a community decision. Supply, withdraw, borrows and repays are impacted.\",\"DAma/S\":\"Η εγγύηση είναι (ως επί το πλείστον) το ίδιο νόμισμα που δανείζεται\",\"DCnFg0\":[\"Addresses (\",[\"0\"],\")\"],\"DG3Lv1\":\"I fully understand the risks of migrating.\",\"DONJcV\":\"Το υποκείμενο περιουσιακό στοιχείο δεν μπορεί να διασωθεί\",\"DR+4uL\":\"Supply balance after switch\",\"DWjrck\":[\"Asset cannot be migrated to \",[\"marketName\"],\" V3 Market due to E-mode restrictions. You can disable or manage E-mode categories in your <0>V3 Dashboard\"],\"Dj+3wB\":\"Aave ανά μήνα\",\"DptNvx\":\"Amount Staked\",\"DuEq2K\":\"Εξασφάλιση\",\"DxfsGs\":\"You can report incident to our <0>Discord or<1>Github.\",\"Dzma+E\":\"Main Ethereum market with the largest selection of assets and yield options\",\"E/QGRL\":\"Απενεργοποιημένο\",\"EBL9Gz\":\"COPIED!\",\"ES8dkb\":\"Fixed rate\",\"EZd3Dk\":[\"Restaking \",[\"symbol\"]],\"Ebgc76\":[\"Ανάληψη \",[\"symbol\"]],\"EdQY6l\":\"Κανένα\",\"EjvKQ+\":\"Minimum USD value received\",\"Enslfm\":\"Destination\",\"EvE9nO\":[\"Reactivate cooldown period to unstake \",[\"0\"],\" \",[\"stakedToken\"]],\"EvECnL\":\"Migrate to v3\",\"EzMQbh\":\"The source chain time to finality is the main factor that determines the time to destination. <0>Learn more\",\"F40cwT\":\"Legacy Markets\",\"F6TdXL\":\"Μάθετε περισσότερα.\",\"FDDPeZ\":\"Users can stake their assets in the protocol and earn incentives. In the case of a shortfall event, your stake can be slashed to cover the deficit, providing an additional layer of protection for the protocol.\",\"FHlMf/\":\"Current v2 balance\",\"FHpxjF\":[\"Reserve factor is a percentage of interest which goes to a \",[\"0\"],\" that is controlled by Aave governance to promote ecosystem growth.\"],\"FOBZa6\":\"Δανεισμός χρησιμοποιημένης ισχύος\",\"FPKEug\":\"Η λειτουργία δεν υποστηρίζεται\",\"FbmMe7\":\"Linked addresses\",\"Fdp03t\":\"ενεργοποίηση\",\"Fjw9N+\":\"Περιουσιακά στοιχεία προς προμήθεια\",\"FmN0fk\":\"Restake\",\"GDGLIs\":\"GHO is a native decentralized, collateral-backed digital asset pegged to USD. It is created by users via borrowing against multiple collateral. When user repays their GHO borrow position, the protocol burns that user's GHO. All the interest payments accrued by minters of GHO would be directly transferred to the AaveDAO treasury.\",\"GQrBTq\":\"Switch E-Mode\",\"GWswcZ\":\"This asset is frozen due to an Aave Protocol Governance decision. On the 20th of December 2022, renFIL will no longer be supported and cannot be bridged back to its native network. It is recommended to withdraw supply positions and repay borrow positions so that renFIL can be bridged back to FIL before the deadline. After this date, it will no longer be possible to convert renFIL to FIL. <0>More details\",\"GX8GKD\":\"Περιουσιακά Στοιχεία\",\"GgEj+0\":\"Read-only mode. Connect to a wallet to perform transactions.\",\"GjkIKV\":\"τελειώνει\",\"GoK/QN\":\"Thank you for submitting feedback!\",\"GtP2hp\":[\"Ο δανεισμός δεν είναι διαθέσιμος επειδή έχετε ενεργοποιήσει τη λειτουργία Αποδοτικότητας (E-Mode) για την κατηγορία \",[\"0\"],\". Για να διαχειριστείτε τις κατηγορίες E-Mode επισκεφθείτε τον <0>Πίνακα ελέγχου.\"],\"H6Ma8Z\":\"Discount\",\"HB/wfS\":[[\"tooltipText\"]],\"HKDsQN\":\"Rewards can be claimed through\",\"Ha/U5f\":\"This is a program initiated and implemented by the decentralised ZKSync community. Aave Labs does not guarantee the program and accepts no liability.\",\"HciqKU\":\"This is a program initiated and implemented by the decentralised Aave community. Aave Labs does not guarantee the program and accepts no liability.\",\"Hi6Ttn\":\"Sorry, an unexpected error happened. In the meantime you may try reloading the page, or come back later.\",\"HkEDbS\":[[\"d\"],\"η\"],\"HmkYqM\":\"Παράθυρο ξεκλειδώματος\",\"HpK/8d\":\"Reload\",\"HrnC47\":\"Save and share\",\"HuVZMK\":\"Days\",\"HvJKMU\":[\"Asset cannot be migrated to \",[\"marketName\"],\" v3 Market since collateral asset will enable isolation mode.\"],\"Hvwnm9\":[\"Maximum amount available to supply is limited because protocol supply cap is at \",[\"0\"],\"%.\"],\"I8CX2c\":\"Το συνολικό ποσό των περιουσιακών σας στοιχείων σε δολάρια ΗΠΑ που μπορούν να χρησιμοποιηθούν ως εγγύηση για δανεισμό περιουσιακών στοιχείων.\",\"IAD2SB\":[\"Claiming \",[\"symbol\"]],\"IG9X9/\":\"Borrowing of this asset is limited to a certain amount to minimize liquidity pool insolvency.\",\"IOIx8L\":\"This asset is planned to be offboarded due to an Aave Protocol Governance decision. <0>More details\",\"IP+I/j\":\"Περίοδος ψύξης\",\"IaA40H\":\"Ρευστοποίηση στο\",\"J/hVSQ\":[[\"0\"]],\"JCoxL6\":\"Manage analytics\",\"JK9zf1\":[\"Estimated compounding interest, including discount for Staking \",[\"0\"],\"AAVE in Safety Module.\"],\"JOqFba\":[\"Unstaking \",[\"symbol\"]],\"JPrLjO\":\"Δεν μπορείτε να χρησιμοποιήσετε αυτό το νόμισμα ως εγγύηση\",\"JU6q+W\":\"Ανταμοιβή(ες) προς διεκδίκηση\",\"JYKRJS\":\"Κλειδώστε\",\"JZMxX0\":\"Δεν υπάρχει αρκετό υπόλοιπο στο πορτοφόλι σας\",\"Jgflkm\":\"Get GHO\",\"JoMQnI\":\"Υπόλοιπο πορτοφολιού\",\"JtwD8u\":\"Borrow balance after repay\",\"JumYTK\":\"Supplied assets\",\"K05qZY\":\"Withdraw & Switch\",\"KAz/NV\":\"Protocol debt ceiling is at 100% for this asset. Further borrowing against this asset is unavailable.\",\"KLXVqE\":[\"stETH tokens will be migrated to Wrapped stETH using Lido Protocol wrapper which leads to supply balance change after migration: \",[\"0\"]],\"KLd6ky\":\"Use connected account\",\"KRpokz\":\"VIEW TX\",\"KSlpka\":\"Αυτό αντιπροσωπεύει το κατώτατο όριο στο οποίο μια θέση δανεισμού θα θεωρηθεί υποεγγυημένη και θα υπόκειται σε ρευστοποίηση για κάθε εγγύηση. Για παράδειγμα, εάν μια εγγύηση έχει κατώτατο όριο ρευστοποίησης 80%, αυτό σημαίνει ότι η θέση θα ρευστοποιηθεί όταν η αξία του χρέους ανέρχεται στο 80% της αξίας της εγγύησης.\",\"KYAjf3\":\"Απομονωμένο\",\"KZwRuD\":[[\"notifyText\"]],\"KkPgim\":\"Switching E-Mode\",\"KnN1Tu\":\"Λήγει\",\"KoOBI2\":\"Due to internal stETH mechanics required for rebasing support, it is not possible to perform a collateral switch where stETH is the source token.\",\"KojyJ4\":\"Λάθος δίκτυο\",\"KsqhWn\":\"Κλείδωμα\",\"KuBTQq\":\"Εισάγετε διεύθυνση ETH\",\"KvG1xW\":\"Διεκδίκηση\",\"L+8Lzs\":\"Τρέχον LTV\",\"L+qiq+\":\"Αγορά\",\"LDzfVJ\":\"Send Feedback\",\"LIrMcF\":\"Δεν υπάρχει δικαίωμα ψήφου\",\"LL0zks\":\"Μπορεί να αποτελέσει εγγύηση\",\"LLdJWu\":\"Διεκδικήσιμο AAVE\",\"LSIpNK\":\"Δεν επιτρέπεται ο δανεισμός και η αποπληρωμή στο ίδιο block\",\"LVt3TI\":[\"<0>Slippage tolerance <1>\",[\"selectedSlippage\"],\"% <2>\",[\"0\"],\"\"],\"LjafV8\":\"Maximum collateral amount to use\",\"LtpQew\":\"Let us know how we can make the app better for you. For user support related inquiries please reach out on\",\"LvVpD/\":\"Emode\",\"M2sknc\":\"Tip: Try increasing slippage or reduce input amount\",\"M7wPsD\":\"Switch\",\"MFu33y\":\"Staking 00\",\"MIy2RJ\":\"Maximum amount received\",\"MZ/nQf\":\"Διεύθυνση παραλήπτη\",\"Ma/MtY\":\"προβολή κλειδώματος\",\"McHlGl\":\"APY change\",\"MeCCA+\":\"APY, μεταβλητό\",\"MghdTe\":\"Εάν ο συντελεστής υγείας πέσει κάτω από το 1, ενδέχεται να ενεργοποιηθεί η ρευστοποίηση των εγγυήσεών σας.\",\"Mm/DVQ\":\"Ακυρώσατε τη συναλλαγή.\",\"MnE2QX\":\"Borrow info\",\"MrmQHg\":\"View Bridge Transactions\",\"MuDFEQ\":\"Μη έγκυρη τιμή επιστροφής της συνάρτησης εκτελεστή flashloan\",\"N5kUMV\":\"Asset can be only used as collateral in isolation mode with limited borrowing power. To enter isolation mode, disable all other collateral.\",\"N6Pxr9\":\"View all\",\"NF0e1Q\":\"Εκκρεμεί...\",\"NK9ikO\":\"Wallet Balance\",\"NMt2CB\":\"Amount claimable\",\"NcFGxG\":\"Collector Contract\",\"NfpPeS\":\"Τίποτα κλειδωμένο\",\"Nh9DAo\":[[\"m\"],\"λ\"],\"O+sCUU\":\"Υπέρβαση του ανώτατου ορίου νομισματοκοπείου χωρίς αντίκρισμα\",\"O+tyU+\":[\"Maximum amount available to borrow against this asset is limited because debt ceiling is at \",[\"0\"],\"%.\"],\"O3oNi5\":\"Email\",\"OFjZGo\":\"Unstake\",\"OR8cYX\":\"Επισκόπηση πρότασης\",\"OYuJ9K\":\"Protocol debt ceiling is at 100% for this asset. Futher borrowing against this asset is unavailable.\",\"OfhWJH\":\"Reset\",\"Og2SKn\":\"απενεργοποιημένο\",\"On0aF2\":\"Website\",\"OsyKSt\":\"Ανάληψη\",\"P1dURE\":\"Revoke power\",\"P2WCD/\":[\"Underlying asset does not exist in \",[\"marketName\"],\" v3 Market, hence this position cannot be migrated.\"],\"P2sL6B\":\"Όταν πραγματοποιείται ρευστοποίηση, οι ρευστοποιητές επιστρέφουν έως και το 50% του ανεξόφλητου δανεισμένου ποσού για λογαριασμό του δανειολήπτη. Σε αντάλλαγμα, μπορούν να αγοράσουν τις εξασφαλίσεις με έκπτωση και να κρατήσουν τη διαφορά (ποινή ρευστοποίησης) ως μπόνους.\",\"P6sRoL\":\"Stake ABPT\",\"P72/OW\":\"Ο σταθμισμένος μέσος όρος του APY για όλα τα δανειακά περιουσιακά στοιχεία, συμπεριλαμβανομένων των κινήτρων.\",\"P7e6Ug\":\"Please connect your wallet to view transaction history.\",\"PByO0X\":\"Votes\",\"PI+kVe\":\"Disable fork\",\"PJK9u/\":\"Borrow apy\",\"PLUB/s\":\"Fee\",\"PP5ZA8\":[\"Participating in staking \",[\"symbol\"],\" gives annualized rewards. Your wallet balance is the sum of your aTokens and underlying assets. The breakdown to stake is below\"],\"PcBUgb\":\"Κατώτατο όριο ρευστοποίησης\",\"PjU6bu\":\"This asset is eligible for SPK incentive program. Aave Labs does not guarantee the program and accepts no liability.\",\"PpqD5g\":\"Η ενεργοποίηση αυτού του περιουσιακού στοιχείου ως εγγύηση αυξάνει τη δανειοληπτική σας ικανότητα και τον Συντελεστή Υγείας. Ωστόσο, μπορεί να ρευστοποιηθεί εάν ο συντελεστής υγείας σας πέσει κάτω από το 1.\",\"PsOFSf\":\"This action will reduce V2 health factor below liquidation threshold. retain collateral or migrate borrow position to continue.\",\"Pu4bI/\":[[\"currentMethod\"]],\"Q0LzKi\":\"View TX\",\"Q4eNqa\":\"The Aave Balancer Pool Token (ABPT) is a liquidity pool token. You can receive ABPT by depositing a combination of AAVE + wstETH in the Balancer liquidity pool. You can then stake your BPT in the Safety Module to secure the protocol and earn Safety Incentives.\",\"QQYsQ7\":\"Withdrawing\",\"QWYCs/\":\"Stake GHO\",\"R+30X3\":\"Δεν έχει επιτευχθεί\",\"RCU5PY\":\"Age\",\"RIfckG\":[\"Απενεργοποίηση \",[\"symbol\"],\" ως εγγύηση\"],\"RMtxNk\":\"Διαφορικό\",\"RNK49r\":\"Μη έγκυρη υπογραφή\",\"RS0o7b\":\"Κατάσταση\",\"RU+LqV\":\"Λεπτομέρειες πρότασης\",\"RYTgZX\":\"lorem ipsum\",\"RbXH+k\":\"AAVE, GHO, and ABPT holders (Ethereum network only) can stake their assets in the Safety Module to add more security to the protocol and earn Safety Incentives. In the case of a shortfall event, your stake can be slashed to cover the deficit, providing an additional layer of protection for the protocol.\",\"RiSYV4\":\"Το περιουσιακό στοιχείο δεν περιλαμβάνεται στον κατάλογο\",\"Rj01Fz\":\"Σύνδεσμοι\",\"RmWFEe\":\"Κλείδωμα APR\",\"RoafuO\":\"Send feedback\",\"RtBLm7\":\"Ο συντελεστής υγείας είναι μικρότερος από το όριο ρευστοποίησης\",\"RxzN1M\":\"Ενεργοποιημένο\",\"SDav7h\":\"Κεφάλαια στην Μονάδα Ασφάλειας\",\"SENccp\":\"If the error continues to happen,<0/> you may report it to this\",\"SIWumd\":\"Show Frozen or paused assets\",\"SM58dD\":\"Amount in cooldown\",\"SSMiac\":\"Failed to load proposal voters. Please refresh the page.\",\"SSQVIz\":\"Liquidation Threshold\",\"SUb8x0\":\"Σύνολο διαθέσιμων\",\"SWIgh4\":\"Fees exceed wallet balance\",\"SY9hVo\":\"Read-only mode allows to see address positions in Aave, but you won't be able to perform transactions.\",\"SZRUQ4\":\"Max slippage\",\"Sa1UE/\":\"Protocol borrow cap is at 100% for this asset. Further borrowing unavailable.\",\"Sk2zW9\":\"Απενεργοποίηση E-Mode\",\"SxaD0o\":\"Ο πάροχος διευθύνσεων κοινόχρηστων ταμείων δεν είναι εγγεγραμμένος\",\"T/AIqG\":\"Protocol supply cap at 100% for this asset. Further supply unavailable.\",\"T0xCO9\":\"Can't validate the wallet address. Try again.\",\"T4OhVl\":\"GHO balance\",\"T6uYU2\":\"Δανεισμός\",\"TFxQlw\":\"Ποινή ρευστοποίησης\",\"TQ7WsV\":\"Available to stake\",\"TUI7iB\":\"To περιουσιακό στοιχείο μπορεί να χρησιμοποιηθεί ως εγγύηση μόνο σε λειτουργία απομόνωσης.\",\"TbjyhA\":\"Docs\",\"TduuS0\":\"Ο χρήστης δεν έχει ανεξόφλητο χρέος σταθερού επιτοκίου σε αυτό το αποθεματικό\",\"TeCFg/\":\"Borrow rate change\",\"Tg1JyO\":\"Bridge history\",\"TskbEN\":\"Holders of stkAAVE receive a discount on the GHO borrowing rate\",\"TszKts\":\"Borrow balance after switch\",\"TtZL6q\":\"Discount model parameters\",\"TwJI9F\":\"Asset has been successfully sent to CCIP contract. You can check the status of the transactions below\",\"Tz0GSZ\":\"blocked activities\",\"U/eBjN\":\"Reload the page\",\"U2r8nY\":\"Choose how much voting/proposition power to give to someone else by delegating some of your AAVE, stkAAVE or aAave balance. Your tokens will remain in your account, but your delegate will be able to vote or propose on your behalf. If your AAVE, stkAAVE or aAave balance changes, your delegate's voting/proposition power will be automatically adjusted.\",\"U8IubP\":\"The app is running in testnet mode. Learn how it works in\",\"U9btTk\":\"Το περιουσιακό στοιχείο δεν είναι δανείσιμο σε λειτουργία απομόνωσης\",\"UAOZRe\":\"Price impact is the spread between the total value of the entry tokens switched and the destination tokens obtained (in USD), which results from the limited liquidity of the trading pair.\",\"UE3KJZ\":\"Transaction history is not currently available for this market\",\"URmyfc\":\"Λεπτομέρειες\",\"UTTKmT\":\"Stake cooldown activated\",\"UXeR72\":\"Τα κεφάλαια αυτά έχουν δανειστεί και δεν είναι διαθέσιμα για ανάληψη αυτή τη στιγμή.\",\"UYb8CM\":\"Learn more about the SPK rewards\",\"UbRrG0\":\"Ο δείκτης μέγιστου LTV αντιπροσωπεύει τη μέγιστη δανειοληπτική ικανότητα μιας συγκεκριμένης εγγύησης. Για παράδειγμα, εάν μια εγγύηση έχει LTV 75%, ο χρήστης μπορεί να δανειστεί έως και 0,75 ETH στο κύριο νόμισμα για κάθε 1 ETH αξίας εγγύησης.\",\"UpndFj\":\"Δεν υπάρχουν ανταμοιβές για διεκδίκηση\",\"V0f2Xv\":\"Reserve factor\",\"V1HK43\":\"Migration risks\",\"VATFH9\":\"Covered debt\",\"VHOVEJ\":\"Συνδέστε το πορτοφόλι\",\"VMfYUK\":\"Ασφάλεια των κατατεθειμένων εξασφαλίσεών σας έναντι των δανειζόμενων περιουσιακών στοιχείων και της υποκείμενης αξίας τους.\",\"VOAZJh\":\"Σύνολο δανείων\",\"ViKYxK\":\"ΥΠΕΡ\",\"W1SSoD\":\"Αναθεώρηση λεπτομερειών συναλλαγής\",\"W5hVah\":\"Τίποτα δεν έχει παρασχεθεί ακόμη\",\"W5kTFy\":\"Voting\",\"W8ekPc\":\"Back to Dashboard\",\"WMPbRK\":\"Μη υποστηριζόμενο\",\"WNGZwH\":\"Το E-Mode αυξάνει το LTV σας για μια επιλεγμένη κατηγορία περιουσιακών στοιχείων έως και <0/>. <1>Μάθετε περισσότερα\",\"WPWG/y\":\"Κατάσταση & διαμόρφωση αποθεματικού\",\"WZLQSU\":\"Ο χρήστης δεν μπορεί να κάνει ανάληψη μεγαλύτερη από το διαθέσιμο υπόλοιπο\",\"WaZyaV\":\"<0>Ampleforth is a rebasing asset. Visit the <1>documentation to learn more.\",\"WfU+XN\":\"Because this asset is paused, no actions can be taken until further notice\",\"Wjmqs2\":\"No results found. You can import a custom token with a contract address\",\"WkZ6C6\":\"Για να δανειστείτε πρέπει να προσκομίσετε οποιοδήποτε περιουσιακό στοιχείο που θα χρησιμοποιηθεί ως εγγύηση.\",\"WyMiQm\":\"You've successfully switched tokens.\",\"X/ITG9\":\"Κείμενο σφάλματος αντιγραφής\",\"X3Pp6x\":\"Χρησιμοποιείται ως εγγύηση\",\"X4Zt7j\":\"Η ενέργεια δεν μπορεί να εκτελεστεί επειδή η εφεδρεία βρίσκεται σε παύση\",\"XBdKOj\":\"Representative smart contract wallet (ie. Safe) addresses on other chains.\",\"XZzneG\":\"Θα βγείτε από τη λειτουργία απομόνωσης και άλλα tokens μπορούν πλέον να χρησιμοποιηθούν ως εγγύηση\",\"Xg5y9S\":\"Amount to Bridge\",\"Xn4hUi\":\"Please always be aware of your <0>Health Factor (HF) when partially migrating a position and that your rates will be updated to V3 rates.\",\"Xy71ST\":\"Umbrella\",\"Y5kGkc\":\"ΨΗΦΙΣΤΕ ΚΑΤΑ\",\"YDIOks\":\"Ενεργοποίηση E-Mode\",\"YSodyW\":\"This action will reduce your health factor. Please be mindful of the increased risk of collateral liquidation.\",\"YXOWXM\":\"The total amount bridged minus CCIP fees. Paying in network token does not impact gho amount.\",\"YirHq7\":\"Feedback\",\"YogbCJ\":\"Testnet mode is ON\",\"YrDxdO\":\"Εάν το δάνειο προς αξία υπερβεί το όριο ρευστοποίησης, η παρεχόμενη εγγύηση σας μπορεί να ρευστοποιηθεί.\",\"YyIM65\":\"Δεν τηρήθηκαν οι όροι επανεξισορρόπησης των επιτοκίων\",\"YyydIq\":[\"Add \",[\"0\"],\" to wallet to track your balance.\"],\"ZBvhI+\":\"Διακυβέρνηση Aave\",\"ZIIRAd\":\"Raw-Ipfs\",\"ZRq4tX\":\"Λειτουργία αποδοτικότητας (E-Mode)\",\"ZSqEW+\":\"Manage E-Mode\",\"ZUFYFE\":\"Disable testnet\",\"Zbyywy\":\"Μέγιστη περικοπή\",\"ZfUGFb\":\"Πριν από την προμήθεια\",\"ZiXN+B\":\"Assets to stake\",\"ZlsSDH\":\"Αξία ρευστοποίησης\",\"ZrEc8j\":\"We couldn't find any assets related to your search. Try again with a different asset name, symbol, or address.\",\"ZsLF7e\":\"ενεργοποιημένο\",\"a0YQoQ\":\"Enter a valid address\",\"a2fBZn\":\"Χρόνος που απομένει για το ξεκλείδωμα\",\"a5RYZd\":\"Η απενεργοποίηση αυτού του περιουσιακού στοιχείου ως εγγύηση επηρεάζει τη δανειοληπτική σας ικανότητα και τον Συντελεστή Υγείας.\",\"a7u1N9\":\"Price\",\"a9D+6D\":\"Unstaked\",\"aEtiwq\":\"Ψηφίστε ΚΑΤΑ\",\"aMmFE1\":\"Buy Crypto With Fiat\",\"aOKIms\":\"Οι παράμετροι της συστοιχίας που θα έπρεπε να είναι ίσου μήκους δεν είναι\",\"aX31hk\":\"Your balance is lower than the selected amount.\",\"adUsDd\":\"An error has occurred fetching the proposal.\",\"al6Pyz\":\"Exceeds the discount\",\"aoXTT7\":\"Δανεισμός APY, μεταβλητό\",\"aqX1Yp\":\"This asset is eligible for rewards through SuperFest. Aave Labs does not guarantee the program and accepts no liability.\",\"avgETN\":\"Eligible for the Merit program.\",\"b4NS3e\":\"Προειδοποίηση περιόδου ψύξης\",\"bNEQeI\":\"Cooldown\",\"bSruit\":\"ZKSync Ignite Program rewards are claimed through the\",\"bUUVED\":\"Περιουσιακό στοιχείο\",\"bXQ/Og\":\"Μοιραστείτε το στο twitter\",\"bXr0ee\":\"Τα απομονωμένα περιουσιακά στοιχεία έχουν περιορισμένη δανειοληπτική ικανότητα και άλλα περιουσιακά στοιχεία δεν μπορούν να χρησιμοποιηθούν ως εγγύηση.\",\"bYmAV1\":\"Addresses\",\"bguKoJ\":\"Το αιτούμενο ποσό είναι μεγαλύτερο από το μέγιστο μέγεθος δανείου στη λειτουργία σταθερού επιτοκίου\",\"bwSQI0\":\"Προσφορά\",\"bxN6EM\":\"Cannot disable E-Mode\",\"bxmzSh\":\"Δεν υπάρχουν επαρκείς εγγυήσεις για την αποπληρωμή αυτού του ποσού χρέους με\",\"c91vuQ\":\"Η διεύθυνση δεν είναι συμβόλαιο\",\"c97os2\":\"Aave aToken\",\"c9b44w\":\"Δεν μπορείτε να αποσύρετε αυτό το ποσό, διότι θα προκληθεί κλήση εγγύησης\",\"cBc+4A\":\"Αυτό είναι το συνολικό ποσό που μπορείτε να δανειστείτε. Μπορείτε να δανειστείτε με βάση την εξασφάλισή σας και μέχρι να επιτευχθεί το ανώτατο όριο δανεισμού.\",\"cIl5kp\":\"Your voting power is based on your AAVE/stkAAVE balance and received delegations.\",\"cLo09S\":\"Λεπτομέρειες κινδύνου\",\"cNT+ij\":\"Ο δανεισμός δεν είναι διαθέσιμος επειδή έχετε ενεργοποιήσει τη Λειτουργία Αποδοτικότητας (E-Mode) και τη λειτουργία Απομόνωσης. Για να διαχειριστείτε τη λειτουργία E-Mode και τη λειτουργία Απομόνωσης, επισκεφθείτε τον <0>Πίνακα ελέγχου.\",\"cZOeBk\":\"Something went wrong fetching bridge message, please try again later.\",\"ceix5S\":\"To submit a proposal for minor changes to the protocol, you'll need at least 80.00K power. If you want to change the core code base, you'll need 320k power.<0>Learn more.\",\"ciSsYT\":\"Staking APY\",\"ciybUa\":\"Ψηφίστε ΥΠΕΡ\",\"ckf7gX\":[\"Αποπληρώνοντας \",[\"symbol\"]],\"cp1ZDP\":[\"Bridge \",[\"symbol\"]],\"cqnmnD\":\"Effective interest rate\",\"cqwIvs\":\"Συζήτηση φόρουμ\",\"csDS2L\":\"Διαθέσιμο\",\"cu7Stb\":\"Δεν συμμετείχατε στην παρούσα πρόταση\",\"dE6BLF\":\"Διακυβέρνηση\",\"dEgA5A\":\"Cancel\",\"dIsyWh\":\"Η επικύρωση του Ltv απέτυχε\",\"dMtLDE\":\"to\",\"dOB5nW\":[\"Maximum amount available to supply is <0/> \",[\"0\"],\" (<1/>).\"],\"dVfODp\":\"Δεν έχετε αρκετά χρήματα στο πορτοφόλι σας για να αποπληρώσετε ολόκληρο το ποσό. Εάν προχωρήσετε στην αποπληρωμή με το τρέχον ποσό των χρημάτων σας, θα εξακολουθείτε να έχετε μια μικρή θέση δανεισμού στο ταμπλό σας.\",\"dXUQFX\":\"Περιουσιακά στοιχεία προς δανεισμό\",\"dgr1aY\":\"Borrowing is disabled due to an Aave community decision. <0>More details\",\"djsg0o\":\"Χρησιμοποίηση εγγυήσεων\",\"dpc0qG\":\"Μεταβλητό\",\"drdV8R\":\"Liquidation\",\"dxW8cS\":\"Aave debt token\",\"e4V3oW\":\"Top 10 addresses\",\"eD8WX/\":\"Η δράση απαιτεί ενεργό απόθεμα\",\"eJRJ04\":\"Amount to unstake\",\"eLh0cL\":\"Slippage is the difference between the quoted and received amounts from changing market conditions between the moment the transaction is submitted and its verification.\",\"ePK91l\":\"Edit\",\"eVpCmf\":\"Staking Rewards\",\"eVqvtf\":\"Bridge GHO\",\"eYdurp\":\"No transactions yet.\",\"ebLGGN\":\"Σύνολο δανεικών\",\"ecqEvn\":\"Το υπόλοιπο των εγγυήσεων είναι 0\",\"efdrrk\":\"Available on\",\"enruNF\":\"starts\",\"eqLYiD\":\"Ξεκλειδώστε τώρα\",\"euScGB\":\"APY with discount applied\",\"evw5ha\":\"Καθαρή αξία\",\"ezcU16\":\"Get ABP Token\",\"f3W0Ej\":[\"Αλλάξατε σε ποσοστό \",[\"0\"]],\"fH9i8k\":\"You've successfully switched borrow position.\",\"fHcELk\":\"Καθαρό APR\",\"fMJQZK\":\"Borrowed\",\"fZ5Vnu\":\"Received\",\"firl9Q\":\"Το τρέχον δάνειο προς αξία με βάση τις παρεχόμενες εξασφαλίσεις σας.\",\"flRCF/\":\"Staking discount\",\"fldjW9\":\"Preview tx and migrate\",\"fsBGk0\":\"Υπόλοιπο\",\"fu1Dbh\":[\"Ανάληψη \",[\"symbol\"]],\"fwjWSI\":\"Supplied\",\"fwyTMb\":\"Migrate to stkABPT v2\",\"g0mals\":\"You can not disable E-Mode because that could cause liquidation. To exit E-Mode supply or repay borrowed positions.\",\"g2UNkE\":\"Powered by\",\"g8KGoA\":\"FAQS\",\"g9zzqS\":\"Voted NAY\",\"gDd2gk\":\"about SuperFest.\",\"gFFh9h\":\"Όλα έτοιμα!\",\"gIMJlW\":\"Λειτουργία Testnet\",\"gOzPxe\":\"This asset is frozen due to an Aave Protocol Governance decision. <0>More details\",\"gTHi2T\":\"Ο χρήστης προσπαθεί να δανειστεί πολλαπλά περιουσιακά στοιχεία, συμπεριλαμβανομένου ενός απομονωμένου περιουσιακού στοιχείου\",\"gVW59Y\":\"Please connect your wallet to get free testnet assets.\",\"gcFNxP\":\"Approve Confirmed\",\"gncRUO\":\"This address is blocked on app.aave.com because it is associated with one or more\",\"goff7V\":\"Η μηδενική διεύθυνση δεν είναι έγκυρη\",\"gp+f1B\":\"Version 3\",\"gr8mYw\":\"You may borrow up to <0/> GHO at <1/> (max discount)\",\"gvTM4B\":\"Το καθαρό ΑΡΥ είναι η συνδυασμένη επίδραση όλων των θέσεων προσφοράς και δανεισμού στην καθαρή αξία, συμπεριλαμβανομένων των κινήτρων. Είναι δυνατόν να υπάρχει αρνητικό καθαρό APY εάν το χρεωστικό APY είναι υψηλότερο από το προσφερόμενο APY.\",\"gzcch9\":\"Μη έγκυρη αμοιβή πρωτοκόλλου γέφυρας\",\"h33MxW\":\"Representing smart contract wallet (ie. Safe) addresses on other chains.\",\"h3ilK+\":\".CSV\",\"hB23LY\":\"Activate Cooldown\",\"hIJzBh\":\"Available to Claim\",\"hIS4N0\":\"Καθαρό APY\",\"hRWvpI\":\"Claimed\",\"hdmy/o\":\"Το % της συνολικής δανειοληπτικής σας δύναμης που χρησιμοποιείται. Αυτό βασίζεται στο ποσό της παρεχόμενης εξασφάλισής σας και στο συνολικό ποσό που μπορείτε να δανειστείτε.\",\"hehnjM\":\"Ποσό\",\"hjDCQr\":\"Υπήρξε κάποιο σφάλμα. Προσπαθήστε να αλλάξετε τις παραμέτρους ή <0><1>αντιγράψτε το σφάλμα\",\"hom7qf\":\"Διεκδίκηση\",\"hpHJ4I\":\"Liquidated collateral\",\"hpuVIp\":\"Users who stake AAVE in Safety Module (i.e. stkAAVE holders) receive a discount on GHO borrow interest rate.\",\"huQ6Tz\":[\"Δανεισμός \",[\"symbol\"]],\"hxi7vE\":\"Borrow balance\",\"i/fZ2Z\":\"Staked Balance\",\"i2JTiw\":\"You may enter a custom amount in the field.\",\"iB5+/J\":\"About GHO\",\"iChbOF\":\"Ασυνεπείς παράμετροι flashloan\",\"iEPVHF\":\"Δεν έχει αρκετή δύναμη ψήφου για να συμμετάσχει στην παρούσα πρόταση\",\"iEW87X\":\"Delegated power\",\"iEju36\":[\"Ψηφίσατε \",[\"0\"]],\"iFq2YN\":\"Borrowable\",\"iGxyIA\":\"Safety Module\",\"iMVZk9\":\"Select slippage tolerance\",\"iPMIoT\":\"Εισάγετε ένα ποσό\",\"iSLIjg\":\"Connect\",\"iUo5rv\":\"tokens δεν είναι το ίδιο με το να τα κλειδώνετε. Εάν επιθυμείτε να κλειδώσετε τα\",\"iZxa38\":\"Use it to vote for or against active proposals.\",\"if5PH+\":\"Collector Info\",\"igkfR1\":[\"In Isolation mode, you cannot supply other assets as collateral. A global debt ceiling limits the borrowing power of the isolated asset. To exit isolation mode disable \",[\"0\"],\" as collateral before borrowing another asset. Read more in our <0>FAQ\"],\"il0sEG\":\"H χρήση εγγυήσεων είναι περιορισμένη λόγω της λειτουργίας Απομόνωσης.\",\"j+K1Xj\":\"Amount After Fee\",\"jA2QeW\":\"Προμηθεύοντας το\",\"jFi7dz\":\"Interest rate that is determined by Aave Governance. This rate may be changed over time depending on the need for the GHO supply to contract/expand. <0>Learn more\",\"jG3UJ7\":\"Απενεργοποίηση E-Mode\",\"jKYzR1\":\"Ενεργοποίηση E-Mode\",\"jMam5g\":[[\"0\"],\" Υπόλοιπο\"],\"jSYv+Z\":\"Enabling E-Mode allows you to maximize your borrowing power, however, borrowing is restricted to assets within the selected category. <0>Learn more about how it works and the applied restrictions.\",\"jaKbwW\":[[\"s\"],\"δ\"],\"jbFMap\":\"Χρόνος ψύξης που έχει απομείνει\",\"jeMZNr\":[[\"0\"],\" on-ramp service is provided by External Provider and by selecting you agree to Terms of the Provider. Your access to the service might be reliant on the External Provider being operational.\"],\"jfl9OP\":\"Migrated\",\"jmXdoY\":\"Στο E-Mode ορισμένα περιουσιακά στοιχεία δεν είναι δανείσιμα. Βγείτε από το E-Mode για να αποκτήσετε πρόσβαση σε όλα τα περιουσιακά στοιχεία\",\"jpctdh\":\"View\",\"jqzUyM\":\"Μη διαθέσιμο\",\"k/sb6z\":\"Επιλέξτε γλώσσα\",\"k3wP3f\":\"<0>Attention: Parameter changes via governance can alter your account health factor and risk of liquidation. Follow the <1>Aave governance forum for updates.\",\"kACpF3\":[\"Διεκδίκηση \",[\"0\"]],\"kH6wUX\":\"Επίδραση στην τιμή\",\"kIC28N\":\"Available to claim\",\"kIpSye\":[[\"numSelected\"],\"/\",[\"numAvailable\"],\" assets selected\"],\"kN1Yg5\":\"Για την εξόφληση εκ μέρους ενός χρήστη απαιτείται ένα ρητό ποσό προς εξόφληση\",\"kRTD40\":[\"Repayment amount to reach \",[\"0\"],\"% utilization\"],\"kjN9tT\":\"Υπέρβαση του ανώτατου ορίου προσφοράς\",\"knxE+G\":\".JSON\",\"ks2LWT\":\"Το ανώτατο όριο χρέους δεν είναι μηδενικό\",\"kwwn6i\":\"Users who stake AAVE in Safety Module (i.e. stkAAVE holders) receive a discount on GHO borrow interest rate. The discount applies to 100 GHO for every 1 stkAAVE held. Use the calculator below to see GHO borrow rate with the discount applied.\",\"kz3wtK\":\"and about SPK program\",\"kzZyM4\":\"DAI balance will be converted via DSR contracts and then supplied as sDAI. Switching incurs no additional costs and no slippage.\",\"lNVG7i\":\"Select an asset\",\"lU2d1/\":[\"Asset cannot be migrated due to insufficient liquidity or borrow cap limitation in \",[\"marketName\"],\" v3 market.\"],\"lVhKKI\":\"Voted YAE\",\"lWLqxB\":\"We couldn't find any transactions related to your search. Try again with a different asset name, or reset filters.\",\"lYGfRP\":\"Αγγλικά\",\"lfEjIE\":\"Μάθετε περισσότερα στον οδηγό <0>Συχνών Ερωτήσεων\",\"lt6bpt\":\"Collateral to repay with\",\"m/IEhi\":\"Συνολικές εκπομπές ανά ημέρα\",\"m7r7Hh\":\"Selected borrow assets\",\"mDDK4p\":\"Balancer Pool\",\"mIM0qu\":\"Expected amount to repay\",\"mUAFd6\":\"Version 2\",\"masO5Z\":\"E-Mode increases your LTV for a selected category of assets. <0>Learn more\",\"mdNjKU\":[\"Your \",[\"name\"],\" wallet is empty. Purchase or transfer assets or use <0>\",[\"0\"],\" to transfer your \",[\"network\"],\" assets.\"],\"muiOng\":[\"Buy \",[\"cryptoSymbol\"],\" with Fiat\"],\"mvCXBY\":\"Stake AAVE\",\"mwdzil\":\"Εντάξει, Κλείσιμο\",\"mzI/c+\":\"Download\",\"mzdIia\":\"Το περιουσιακό στοιχείο δεν μπορεί να χρησιμοποιηθεί ως εγγύηση.\",\"n+SX4g\":\"Προγραμματιστές\",\"n8Psk4\":\"We couldn’t detect a wallet. Connect a wallet to stake and view your balance.\",\"nJIhzm\":\"Προσφορά apy\",\"nJgsQu\":\"Με δύναμη ψήφου <0/>\",\"nLC6tu\":\"Γαλλικά\",\"nN2T8p\":\"During the cooldown period, you will not earn any merit rewards. However, rewards earned up to this point will remain unaffected.\",\"nNHV0z\":\"Migrating multiple collaterals and borrowed assets at the same time can be an expensive operation and might fail in certain situations.<0>Therefore it’s not recommended to migrate positions with more than 5 assets (deposited + borrowed) at the same time.\",\"nNbnzu\":\"Proposition\",\"nOy4ob\":\"We suggest you go back to the Dashboard.\",\"nPGNMh\":\"Μπορεί να εκτελεστεί\",\"nUK1ou\":[\"Assets with zero LTV (\",[\"0\"],\") must be withdrawn or disabled as collateral to perform this action\"],\"nakd8r\":\"stkAAVE holders get a discount on GHO borrow rate\",\"nh2EJK\":[\"Παρακαλώ μεταβείτε στο \",[\"networkName\"],\".\"],\"njBeMm\":\"Both\",\"noN5Xf\":\"We couldn’t detect a wallet. Connect a wallet to view your staking positions and rewards.\",\"ntkAoE\":\"Discount applied for <0/> staking AAVE\",\"ntyFSE\":[[\"h\"],\"ω\"],\"nwtY4N\":\"Something went wrong\",\"nxyWvj\":\"Withdrawing this amount will reduce your health factor and increase risk of liquidation.\",\"o17QVP\":\"Ο συντελεστής υγείας και το δάνειο προς αξία καθορίζουν τη διασφάλιση των εξασφαλίσεών σας. Για να αποφύγετε τις ρευστοποιήσεις μπορείτε να παράσχετε περισσότερες εξασφαλίσεις ή να εξοφλήσετε δανειακές θέσεις.\",\"o1xc2V\":\"Η προσφορά AToken δεν είναι μηδενική\",\"o4tCu3\":\"Borrow APY\",\"o5ooMr\":\"Χρέος\",\"o7J4JM\":\"Φίλτρο\",\"oHFrpj\":\"Ψύξτε για ξεκλείδωμα\",\"oJ5ZiG\":\"Ο χρήστης δεν έχει ανεξόφλητο χρέος μεταβλητού επιτοκίου σε αυτό το αποθεματικό\",\"oRBGin\":\"Please connect your wallet to be able to switch your tokens.\",\"oUwXhx\":\"Test Assets\",\"oWklJD\":\"Το σταθερό επιτόκιο θα <0>μείνει το ίδιο για όλη τη διάρκεια του δανείου σας. Συνιστάται για μακροχρόνιες περιόδους δανεισμού και για χρήστες που προτιμούν την προβλεψιμότητα.\",\"odnIK3\":\"Time remaining until the 48 hour withdraw period starts.\",\"oiK5nY\":\"The current incentives period, decided on by the Aave community, has ended. Governance is in the process on renewing, check for updates. <0>Learn more.\",\"olREoo\":\"All borrow positions outside of this category must be closed to enable this category.\",\"om/XHs\":\"Διαθέσιμο για προμήθεια\",\"ov0+mq\":\"Eligible for the ZKSync Ignite program.\",\"ovT1pF\":[\"Per the community, the \",[\"market\"],\" has been frozen.\"],\"ow3fug\":\"Nothing found\",\"owSsI3\":\"Signatures ready\",\"p+R52m\":\"Go to Balancer Pool\",\"p2A+s1\":[\"Η περίοδος ψύξης είναι \",[\"0\"],\". Μετά την \",[\"1\"],\" περίοδο ψύξης, θα εισέλθετε στο παράθυρο ξεκλειδώματος \",[\"2\"],\". Θα συνεχίσετε να λαμβάνετε ανταμοιβές κατά τη διάρκεια της ψύξης και του παραθύρου ξεκλειδώματος.\"],\"p2S64u\":\"The loan to value of the migrated positions would cause liquidation. Increase migrated collateral or reduce migrated borrow to continue.\",\"p2Z2Qi\":\"Αυτό το περιουσιακό στοιχείο έχει φθάσει στο ανώτατο όριο δανεισμού του. Τίποτα δεν είναι διαθέσιμο για δανεισμό από αυτή την αγορά.\",\"p3j+mb\":\"Το υπόλοιπο της ανταμοιβής σας είναι 0\",\"p45alK\":\"Set up delegation\",\"p6u2s1\":\"Minimum amount of debt to be repaid\",\"pDgeaz\":[[\"title\"]],\"pdZqBk\":\"Το υποκείμενο υπόλοιπο πρέπει να είναι μεγαλύτερο από 0\",\"pgWG9H\":\"Δεν υπάρχει αρκετό κλειδωμένο υπόλοιπο\",\"piPrJ7\":\"παρακαλούμε ελέγξτε ότι το ποσό που θέλετε να παρέχετε δεν χρησιμοποιείται επί του παρόντος για κλείδωμα. Εάν χρησιμοποιείται για κλείδωμα, η συναλλαγή σας ενδέχεται να αποτύχει.\",\"pjO/iH\":\"Minimum amount received\",\"pooutM\":\"Voting is on\",\"pqaM5s\":\"Confirming transaction\",\"ptaxX3\":[\"Καταλαβαίνω πώς λειτουργεί η ψύξη (\",[\"0\"],\") και το ξεκλείδωμα (\",[\"1\"],\")\"],\"py2iiY\":\"Ο καλών αυτής της συνάρτησης πρέπει να είναι ένα κοινόχρηστο ταμείο\",\"q/51mF\":\"Migrate to V3\",\"q3df11\":\"Interest rate strategy\",\"q6lAbz\":\"Κλειδωμένο\",\"qB4kPi\":\"Προσφορά APY\",\"qENI8q\":\"Γενικές ρυθμίσεις\",\"qGz5zl\":\"Collateral balance after repay\",\"qIW9ZH\":\"Amount staked\",\"qOqbD6\":\"αντιγράψτε το σφάλμα\",\"qXCkEM\":\"Συνδέστε το πορτοφόλι σας για να δείτε τις προμήθειες, τα δάνεια και τις ανοιχτές θέσεις σας.\",\"qY2jnw\":\"Μη έγκυρη λήξη\",\"qf/fr+\":\"Interest accrued\",\"quYPUU\":\"Variable interest rate will <0>fluctuate based on the market conditions.\",\"quzIeW\":\"User is in isolation mode or LTV is zero\",\"qvnz3q\":\"Μη έγκυρη ποσότητα προς καύση\",\"rHgdb0\":\"Migrate to Aave V3\",\"rOrHHe\":\"Το ποσό πρέπει να είναι μεγαλύτερο από 0\",\"rQ+R+0\":\"Selected supply assets\",\"rSayea\":\"APY\",\"rTBDeu\":[\"Asset cannot be migrated because you have isolated collateral in \",[\"marketName\"],\" v3 Market which limits borrowable assets. You can manage your collateral in <0>\",[\"marketName\"],\" V3 Dashboard\"],\"rcT+yy\":\"Εμφάνιση περιουσιακών στοιχείων με υπόλοιπο 0\",\"rf8POi\":\"Borrowed asset amount\",\"riNWOA\":\"E-Mode\",\"rjGI/Q\":\"Privacy\",\"rnKPW1\":\"Watch a wallet balance in read-only mode\",\"ruc7X+\":\"Add stkAAVE to see borrow APY with the discount\",\"rvbaFU\":[\"Bridging \",[\"symbol\"]],\"rwVVB7\":\"Διεκδικήστε όλες τις ανταμοιβές\",\"rwyUva\":\"These assets are temporarily frozen or paused by Aave community decisions, meaning that further supply / borrow, or rate swap of these assets are unavailable. Withdrawals and debt repayments are allowed. Follow the <0>Aave governance forum for further updates.\",\"rxJW5W\":\"Your proposition power is based on your AAVE/stkAAVE balance and received delegations.\",\"s2jJnW\":\"You don't have any bridge transactions\",\"s5wBAq\":[\"Unstake \",[\"symbol\"]],\"sJbIdI\":\"Enter ETH address or ENS\",\"sK+Nag\":\"Αναθεώρηση συναλλαγής\",\"sP2+gB\":\"ΚΑΤΑ\",\"sQv06Y\":\"for\",\"sTtO6J\":\"Confirm transaction\",\"sXKb3l\":\"Exchange rate\",\"sb0q4+\":\"Μπορείτε να ξεκλειδώσετε εδώ\",\"smJNwH\":\"Διαθέσιμο για δανεισμό\",\"solypO\":\"Ο παράγοντας υγείας δεν είναι κάτω από το όριο\",\"sr0UJD\":\"Πηγαίνετε Πίσω\",\"ss5GCK\":\"Η διεύθυνση του παρόχου διευθύνσεων κοινόχρηστου ταμείου είναι άκυρη\",\"swEgK4\":\"Οι πληροφορίες ψήφου σας\",\"t+wtgf\":\"Τίποτα δανεισμένο ακόμα\",\"t/YqKh\":\"Remove\",\"t81DpC\":[\"Approve \",[\"symbol\"],\" to continue\"],\"tCnbEs\":\"Τιμή Oracle\",\"tFZLf8\":\"Αυτός ο υπολογισμός gas είναι μόνο μια εκτίμηση. Το πορτοφόλι σας θα καθορίσει την τιμή της συναλλαγής. Μπορείτε να τροποποιήσετε τις ρυθμίσεις gas απευθείας από τον πάροχο του πορτοφολιού σας.\",\"tHuvQI\":\"Go to V3 Dashboard\",\"tKv7cI\":\"Switch borrow position\",\"tOcg3N\":\"Since this asset is frozen, the only available actions are withdraw and repay which can be accessed from the <0>Dashboard\",\"tOuXfv\":[\"Borrow amount to reach \",[\"0\"],\"% utilization\"],\"te9Bfl\":\"Παρακαλώ, συνδέστε το πορτοφόλι σας\",\"tt5yma\":\"Οι προμήθειές σας\",\"ttoh5c\":\"Switch to\",\"u3ZeYl\":\"Η συναλλαγή απέτυχε\",\"u706uF\":\"Άκυρη πριμοδότηση flashloan\",\"u8Gfu7\":[\"No search results\",[\"0\"]],\"uAQUqI\":\"Status\",\"uHMwk8\":\"No assets selected to migrate.\",\"uJPHuY\":\"Migrating\",\"uY8O30\":\"To continue, you need to grant Aave smart contracts permission to move your funds from your wallet. Depending on the asset and wallet you use, it is done by signing the permission message (gas free), or by submitting an approval transaction (requires gas). <0>Learn more\",\"udFheE\":\"Για την αποπληρωμή ενός συγκεκριμένου τύπου χρέους, ο χρήστης πρέπει να έχει χρέος αυτού του τύπου\",\"ulNuNq\":\"Export data to\",\"ulup2p\":\"Buy Crypto with Fiat\",\"umICAY\":\"<0><1><2/>Add stkAAVE to see borrow rate with discount\",\"usB84Z\":\"Maximum amount available to borrow is limited because protocol borrow cap is nearly reached.\",\"uwAUvj\":\"COPY IMAGE\",\"v8x7Mg\":\"Insufficient collateral to cover new borrow position. Wallet must have borrowing power remaining to perform debt switch.\",\"vEqxH9\":\"Restaked\",\"vLyv1R\":\"Απόκρυψη\",\"vMba49\":\"Ο δανεισμός δεν είναι ενεργοποιημένος\",\"vMpNwt\":\"Approve with\",\"vXIe7J\":\"Γλώσσα\",\"vesuBJ\":\"Σας επιτρέπει να αποφασίσετε αν θα χρησιμοποιήσετε ένα παρεχόμενο περιουσιακό στοιχείο ως εγγύηση. Ένα περιουσιακό στοιχείο που χρησιμοποιείται ως εγγύηση θα επηρεάσει τη δανειοληπτική σας ικανότητα και τον συντελεστή υγείας.\",\"w+V9Cx\":\"Σταθερό νόμισμα\",\"w/JtJ3\":\"Η σταθερή προσφορά χρέους δεν είναι μηδενική\",\"w4VBY+\":\"Ανταμοιβές APR\",\"w9dLMW\":[[\"label\"]],\"wAOL+X\":[\"Εσείς \",[\"action\"],\" <0/> \",[\"symbol\"]],\"wBIsjb\":\"Discord channel\",\"wQZbc/\":\"Ο καλών της συνάρτησης δεν είναι AToken\",\"wRRqvW\":\"Δεν έχετε προμήθειες σε αυτό το νόμισμα\",\"wZFvVU\":\"ΨΗΦΙΣΤΕ ΥΠΕΡ\",\"wb/r1O\":[\"Βρύση \",[\"0\"]],\"wdxz7K\":\"Source\",\"weH1nG\":\"The Aave Protocol is programmed to always use the price of 1 GHO = $1. This is different from using market pricing via oracles for other crypto assets. This creates stabilizing arbitrage opportunities when the price of GHO fluctuates.\",\"wh7Ezv\":\"You have no AAVE/stkAAVE/aAave balance to delegate.\",\"wlsIx7\":\"With testnet Faucet you can get free assets to test the Aave Protocol. Make sure to switch your wallet provider to the appropriate testnet network, select desired asset, and click ‘Faucet’ to get tokens transferred to your wallet. The assets on a testnet are not “real,” meaning they have no monetary value. <0>Learn more\",\"wmE285\":\"Get ABP v2 Token\",\"wyRrcJ\":\"As a result of governance decisions, this ABPT staking pool is now deprecated. You have the flexibility to either migrate all of your tokens to v2 or unstake them without any cooldown period.\",\"x5KiLL\":\"Selected assets have successfully migrated. Visit the Market Dashboard to see them.\",\"x7F2p6\":\"Τρέχον διαφορικό\",\"x7K5ib\":[\"Your \",[\"networkName\"],\" wallet is empty. Get free test \",[\"0\"],\" at\"],\"x9iLRD\":\"tokens, παρακαλούμε μεταβείτε στο\",\"xNy/UG\":\"Αποπληρωμή με\",\"xPm8wv\":\"Μάθετε περισσότερα για τους κινδύνους\",\"xXYpZl\":[[\"0\"],\" Βρύση\"],\"xaVBSS\":\"Οι πληροφορίες σας\",\"xaWZ6f\":\"APY type change\",\"xh6k71\":\"Collateral usage is limited because of isolation mode.\",\"xvIklc\":\"Flashloan is disabled for this asset, hence this position cannot be migrated.\",\"y5rS9U\":\"Migrate\",\"y66tBm\":[\"Ενεργοποίηση \",[\"symbol\"],\" ως εγγύηση\"],\"yB1YpA\":\"Σκοτεινή λειτουργία\",\"yCrG6m\":\"Συνολικό μέγεθος της αγοράς\",\"yJUUbn\":\"Επισκόπηση συναλλαγής\",\"yLGmLX\":[\"Restake \",[\"symbol\"]],\"yW1oWB\":\"Τύπος APY\",\"yYHqJe\":\"Μη έγκυρη διεύθυνση\",\"yZwLw6\":\"Track wallet\",\"yh2sjd\":[\"Price impact \",[\"0\"],\"%\"],\"yhvj6d\":\"Δεν μπορείτε να αλλάξετε τη χρήση ως λειτουργία εγγύησης για αυτό το νόμισμα, διότι θα προκαλέσει κλήση εγγύησης\",\"ylmtBZ\":\"The app is running in fork mode.\",\"ymNY32\":[\"Δεν υπάρχουν αρκετά κεφάλαια στο\",[\"0\"],\"αποθεματικό για δανεισμό\"],\"yz7wBu\":\"Κλείσιμο\",\"z4uGQg\":\"Υπέρβαση του ανώτατου ορίου χρέους\",\"z5UQOM\":\"Η εγγύηση που έχει επιλεγεί δεν μπορεί να ρευστοποιηθεί\",\"z5Y+p6\":[\"Παροχή \",[\"symbol\"]],\"zCjNKs\":\"Η ενέργεια δεν μπορεί να εκτελεστεί επειδή το αποθεματικό έχει παγώσει\",\"zRHytX\":\"Isolated Debt Ceiling\",\"zTOjMP\":\"Protocol supply cap is at 100% for this asset. Further supply unavailable.\",\"zVdRUG\":\"Submission did not work, please try again later or contact wecare@avara.xyz\",\"zevmS2\":\"<0><1><2/>Add <3/> stkAAVE to borrow at <4/> (max discount)\",\"zgtIDV\":\"Υπολειπόμενο χρέος\",\"zmTPiV\":\"Υπόλοιπο προσφοράς\",\"zpPbZl\":\"Liquidation risk parameters\",\"zucql+\":\"Μενού\",\"zwWKhA\":\"Μάθετε περισσότερα\",\"zy9fXn\":[\"Asset is frozen in \",[\"marketName\"],\" v3 market, hence this position cannot be migrated.\"],\"zys+R6\":\"Be mindful of the network congestion and gas prices.\",\"zzzTXS\":\"Merit Program rewards are claimed through the\"}")}; \ No newline at end of file +/*eslint-disable*/module.exports={messages:JSON.parse("{\"+0xecS\":[\"Εάν ΔΕΝ ξεκλειδώσετε εντός \",[\"0\"],\" του παραθύρου ξεκλειδώματος, θα πρέπει να ενεργοποιήσετε ξανά τη διαδικασία ψύξης.\"],\"+EGVI0\":\"Receive (est.)\",\"+VR63W\":[\"Η συμμετοχή σε αυτό το αποθεματικό \",[\"symbol\"],\" δίνει ετήσιες ανταμοιβές.\"],\"+bmKdK\":\"Use your AAVE, stkAAVE, or aAave balance to delegate your voting and proposition powers. You will not be sending any tokens, only the rights to vote and propose changes to the protocol. You can re-delegate or revoke power to self at any time.\",\"+eOPG+\":\"Φαίνεται ότι δεν μπορούμε να αλλάξουμε το δίκτυο αυτόματα. Ελέγξτε αν μπορείτε να το αλλάξετε από το πορτοφόλι.\",\"+i3Pd2\":\"Ανώτατο όριο δανεισμού\",\"+kLZGu\":\"Supplied asset amount\",\"+nuEh/\":\"Estimated time\",\"+xMFF8\":\"Remind me\",\"/57U31\":\"Amount to migrate\",\"/7ykiW\":\"Borrowing this amount will reduce your health factor and increase risk of liquidation.\",\"/YA5pU\":\"E-Mode increases your LTV for a selected category of assets, meaning that when E-mode is enabled, you will have higher borrowing power over assets of the same E-mode category which are defined by Aave Governance. You can enter E-Mode from your <0>Dashboard. To learn more about E-Mode and applied restrictionn, see the <1>help guide or the <2>Aave V3 Technical Paper.\",\"/izjs/\":\"Minimum staked Aave amount\",\"/jQctM\":\"To\",\"/lDBHm\":\"ΣΥΧΝΕΣ ΕΡΩΤΗΣΕΙΣ\",\"/yNlZf\":\"Ο σταθερός δανεισμός δεν είναι ενεργοποιημένος\",\"/yQcJM\":\"Συνολική αξία\",\"00AB2i\":\"Ο χρήστης δεν δανείστηκε το καθορισμένο νόμισμα\",\"00OflG\":\"There is not enough liquidity for the target asset to perform the switch. Try lowering the amount.\",\"08/rZ9\":\"The cooldown period is the time required prior to unstaking your tokens (20 days). You can only withdraw your assets from the Security Module after the cooldown period and within the unstake window.<0>Learn more\",\"0AmQcW\":\"Rate change\",\"0BF3yK\":\"Sorry, we couldn't find the page you were looking for.\",\"0TAbjq\":\"Recent Transactions\",\"0jhlyw\":\"Liquidation risk\",\"0ojY+Y\":\"Current v2 Balance\",\"0thX3P\":\"Collateral change\",\"0wGCWc\":\"Αυτό είναι το συνολικό ποσό που μπορείτε να προμηθεύσετε σε αυτό το αποθεματικό. Μπορείτε να προμηθεύσετε το υπόλοιπο του πορτοφολιού σας μέχρι να επιτευχθεί το ανώτατο όριο προμηθειών.\",\"1AsVfF\":\"Price data is not currently available for this reserve on the protocol subgraph\",\"1LjK22\":\"Transaction history\",\"1Onqx8\":[\"Έγκριση του \",[\"symbol\"],\"...\"],\"1Ue8sX\":\"Παρακαλούμε συνδέστε ένα πορτοφόλι για να δείτε τις προσωπικές σας πληροφορίες εδώ.\",\"1bpx9A\":\"...\",\"1kWUB+\":\"Ρευστοποίηση <0/> κατώτατο όριο\",\"1m9Qqc\":\"Withdrawing and Switching\",\"1oyh4g\":\"Borrow rate\",\"1t7rez\":\"Asset supply is limited to a certain amount to reduce protocol exposure to the asset and to help manage risks involved.\",\"2CAPu2\":\"You've successfully withdrew & switched tokens.\",\"2Eoi/a\":\"Προβολή λεπτομερειών\",\"2FYpfJ\":\"Περισσότερα\",\"2O3qp5\":\"Διαθέσιμη ρευστότητα\",\"2OM8/D\":[\"Asset cannot be migrated due to supply cap restriction in \",[\"marketName\"],\" v3 market.\"],\"2Q4GU4\":\"Blocked Address\",\"2ZGocC\":\"Aave is a fully decentralized, community governed protocol by the AAVE token-holders. AAVE token-holders collectively discuss, propose, and vote on upgrades to the protocol. AAVE token-holders (Ethereum network only) can either vote themselves on new proposals or delagate to an address of choice. To learn more check out the Governance\",\"2a6G7d\":\"Please enter a valid wallet address.\",\"2bAhR7\":\"Meet GHO\",\"2eBWE6\":\"I acknowledge the risks involved.\",\"2o/xRt\":\"Επίτευξη του ανώτατου ορίου εφοδιασμού στο αποθεματικό-στόχο. Δοκιμάστε να \\nμειώσετε την ποσότητα.\",\"2uJToh\":[[\"0\"],[\"name\"]],\"2x58bP\":\"Ο σταθερός δανεισμός είναι ενεργοποιημένος\",\"34Qfwy\":\"Υπέρβαση του ανώτατου ορίου δανεισμού\",\"39eQRj\":[\"Δανεισμός \",[\"symbol\"]],\"3BL1xB\":\"Σύνολο παρεχόμενων\",\"3BnIWi\":\"Switched\",\"3K0oMo\":\"Υπολειπόμενη προσφορά\",\"3MoZhl\":\"Δεν υπάρχουν επαρκείς εξασφαλίσεις για την κάλυψη ενός νέου δανείου\",\"3Np5O8\":[\"Προσφορά \",[\"symbol\"]],\"3O8YTV\":\"Total interest accrued\",\"3mXg0z\":\"Μέγιστο LTV\",\"3q3mFy\":\"Αποπληρωμή\",\"3qsjtp\":\"Ο σταθμισμένος μέσος όρος του APY για όλα τα παρεχόμενα περιουσιακά στοιχεία, συμπεριλαμβανομένων των κινήτρων.\",\"3rL+os\":\"Μπορείτε να αποσύρετε τα περιουσιακά σας στοιχεία από τη Μονάδα Ασφαλείας μόνο αφού λήξει η περίοδος αναμονής και το παράθυρο ξεκλειδώματος είναι ενεργό.\",\"42UgDM\":[\"Migrate to \",[\"0\"],\" v3 Market\"],\"49UFQA\":\"Αποτελέσματα ψηφοφορίας\",\"4DMZUI\":\"View Transactions\",\"4HtGBb\":\"ΜΕΓΙΣΤΟ\",\"4Y5H+g\":\"Terms\",\"4YYh4d\":\"Maximum available to borrow\",\"4iPAI3\":\"Minimum GHO borrow amount\",\"4lDFps\":\"Sign to continue\",\"4wyw8H\":\"Transactions\",\"5JSSxX\":[\"Your \",[\"networkName\"],\" wallet is empty. Get free test assets at\"],\"5K7kGO\":\"τεκμηρίωση\",\"5NOSGa\":\"Debt ceiling limits the amount possible to borrow against this asset by protocol users. Debt ceiling is specific to assets in isolation mode and is denoted in USD.\",\"5Ncc6j\":[\"Αυτό το περιουσιακό στοιχείο έχει σχεδόν φτάσει στο όριο της προσφοράς του. Μόνο \",[\"messageValue\"],\" μπορεί να παρασχεθεί σε αυτή την αγορά.\"],\"5cZ/KX\":\"Η προσφορά μεταβλητού χρέους δεν είναι μηδενική\",\"5che++\":\"Για να ζητήσετε πρόσβαση σε αυτή την αδειοδοτημένη αγορά, επισκεφθείτε την ιστοσελίδα: <0>Όνομα Παρόχου Πρόσβασης\",\"5ctNdV\":[\"Minimum \",[\"0\"],\" received\"],\"5hDe9v\":\"Απαιτούμενη δράση επιδότησης\",\"5rsnKT\":\"Διαθέσιμες ανταμοιβές\",\"5yC5m5\":\"View all votes\",\"6/dCYd\":\"Επισκόπηση\",\"60crCe\":\"All transactions\",\"62Xcjh\":\"Εγγύηση\",\"65A04M\":\"Ισπανικά\",\"6G8s+q\":\"Signing\",\"6Jrv+z\":[\"Αποπληρωμή \",[\"symbol\"]],\"6NGLTR\":\"Discountable amount\",\"6Xr0UU\":\"Ψύξη...\",\"6bxci/\":\"Δύναμη ψήφου\",\"6f8S68\":\"Αγορές\",\"6g1gi0\":\"Προτάσεις\",\"6gvoHP\":\"Copy error message\",\"6h3Q5G\":\"repaid\",\"6lFSyT\":\"Available to Stake\",\"6s8L6f\":\"Αλλαγή Δικτύου\",\"6yAAbq\":\"APY, borrow rate\",\"70wH1Q\":\"APR\",\"72c5Qo\":\"Total\",\"73Auuq\":\"Discount parameters are decided by the Aave community and may be changed over time. Check Governance for updates and vote to participate. <0>Learn more\",\"75qcAQ\":[[\"stepName\"]],\"7ITr5L\":\"Συντελεστής υγείας\",\"7T/o5R\":\"Επιτεύχθηκε\",\"7YlcXu\":\"Fork mode is ON\",\"7Z76Iw\":\"Borrowing is unavailable because you’re using Isolation mode. To manage Isolation mode visit your <0>Dashboard.\",\"7aKlMS\":\"Share on Lens\",\"7bdUsR\":\"Redeem as aToken\",\"7er5fP\":\"Διεκδικήστε τα όλα\",\"7hb2+s\":\"Time remaining until the withdraw period ends.\",\"7l88b8\":\"Data couldn't be fetched, please reload graph.\",\"7p5kLi\":\"Ταμπλό\",\"7sofdl\":\"Withdraw and Switch\",\"8+6BI0\":\"Προσοχή - Είστε πολύ κοντά στην ρευστοποίηση. Εξετάστε το ενδεχόμενο να καταθέσετε περισσότερες εγγυήσεις ή να εξοφλήσετε κάποιες από τις δανειακές σας θέσεις\",\"87pUEW\":[\"Το πορτοφόλι σας \",[\"name\"],\" είναι άδειο. Αγοράστε ή μεταφέρετε περιουσιακά στοιχεία.\"],\"8F1i42\":\"Page not found\",\"8G8M0u\":\"Loading data...\",\"8Iu1QS\":\"withdrew\",\"8JL93T\":\"Όλες οι προτάσεις\",\"8Q51DU\":\"Add to wallet\",\"8X/oyn\":\"Μη έγκυρο ποσό για νομισματοκοπία\",\"8Z5FPv\":\"Αποσυνδέστε το πορτοφόλι\",\"8Zz7s5\":\"περιουσιακά στοιχεία\",\"8aLW8H\":\"Balance to revoke\",\"8bOT3H\":\"Ποσοστό χρησιμοποίησης\",\"8sLe4/\":\"View contract\",\"8t/M0y\":\"Please connect your wallet to be able to bridge your tokens.\",\"8vETh9\":\"Εμφάνιση\",\"94OHPx\":\"Εισέρχεστε σε λειτουργία απομόνωσης\",\"9CDK3/\":[\"Ο δανεισμός δεν είναι επί του παρόντος διαθέσιμος για \",[\"0\"],\".\"],\"9GIj3z\":\"Μέγεθος Αποθεματικού\",\"9Knqb4\":\"Staking balance\",\"9OBKm7\":\"Απαρτία\",\"9QHoGr\":\"Τρέχουσες ψήφοι\",\"9Rw96f\":[\"Αυτό το περιουσιακό στοιχείο έχει σχεδόν φτάσει στο όριο δανεισμού του. Υπάρχει μόνο \",[\"messageValue\"],\" διαθέσιμο για δανεισμό από αυτή την αγορά.\"],\"9Xj/qR\":[\"Some migrated assets will not be used as collateral due to enabled isolation mode in \",[\"marketName\"],\" V3 Market. Visit <0>\",[\"marketName\"],\" V3 Dashboard to manage isolation mode.\"],\"9c6vDV\":\"Αυτό το περιουσιακό στοιχείο έχει φτάσει στο όριο της προσφοράς του. Τίποτα δεν είναι διαθέσιμο για προμήθεια από αυτή την αγορά.\",\"9kTWHA\":\"MAI has been paused due to a community decision. Supply, borrows and repays are impacted. <0>More details\",\"9lXchd\":\"Underlying token\",\"9rWaKF\":\"Bridged Via CCIP\",\"9xSooW\":\"Δεδομένου ότι πρόκειται για ένα δοκιμαστικό δίκτυο, μπορείτε να αποκτήσετε οποιοδήποτε από τα περιουσιακά στοιχεία αν έχετε ETH στο πορτοφόλι σας\",\"A/lwoe\":\"Choose one of the on-ramp services\",\"A6dCI6\":[\"Maximum amount available to borrow is <0/> \",[\"0\"],\" (<1/>).\"],\"AReoaV\":\"Τα δάνεια σας\",\"ARu1L4\":\"Repaid\",\"AV7cGz\":\"Αναθεώρηση λεπτομερειών έγκρισης συναλλαγής\",\"AZOjB8\":\"Fetching data...\",\"Ai0jas\":\"Join the community discussion\",\"Ajl2rq\":\"Η δύναμη δανεισμού και τα περιουσιακά στοιχεία είναι περιορισμένα λόγω της λειτουργίας απομόνωσης.\",\"AqgYNC\":\"Protocol borrow cap at 100% for this asset. Further borrowing unavailable.\",\"B3EcQR\":\"Thank you for voting!!\",\"B6aXGH\":\"Σταθερό\",\"B9Gqbz\":\"Variable rate\",\"BDFEd+\":\"stETH supplied as collateral will continue to accrue staking rewards provided by daily rebases.\",\"BE2mP0\":\"Borrowed assets\",\"BJyN77\":\"Due to health factor impact, a flashloan is required to perform this transaction, but Aave Governance has disabled flashloan availability for this asset. Try lowering the amount or supplying additional collateral.\",\"BNL4Ep\":\"Η χρήση εγγύησης είναι περιορισμένη λόγω της λειτουργίας απομόνωσης. <0>Μάθετε περισσότερα\",\"BQ/wCO\":\"Migrate your assets\",\"BjLdl1\":\"At a discount\",\"BnhYo8\":\"Κατηγορία περιουσιακών στοιχείων\",\"Bq9Y7e\":\"This asset is frozen due to an Aave community decision. <0>More details\",\"BqWMDJ\":\"Βρύση\",\"BqynZO\":\"Optimized for efficiency and risk by supporting blue-chip collateral assets\",\"Bsu7zX\":\"The fee includes the gas cost to complete the transaction on the destination chain and the fee paid to Chainlink CCIP service providers. You can chose to pay in the network token or GHO. <0>Learn more\",\"BwJKBw\":\"of\",\"CDrsH+\":\"Techpaper\",\"CK1KXz\":\"Μεγιστο\",\"CMHmbm\":\"Slippage\",\"CZXzs4\":\"Greek\",\"CcRNG6\":\"Switching\",\"CkTRmy\":[\"Διεκδίκηση \",[\"symbol\"]],\"CsqtLm\":\"Please connect your wallet to see migration tool.\",\"CtGlFb\":[[\"networkName\"],\" Βρύση\"],\"Cxt2YY\":\"Watch wallet\",\"D33VQU\":\"This action will reduce health factor of V3 below liquidation threshold. Increase migrated collateral or reduce migrated borrow to continue.\",\"D8sc3k\":\"Stake balance\",\"D9BLRG\":\"This asset has been paused due to a community decision. Supply, withdraw, borrows and repays are impacted.\",\"DAma/S\":\"Η εγγύηση είναι (ως επί το πλείστον) το ίδιο νόμισμα που δανείζεται\",\"DCnFg0\":[\"Addresses (\",[\"0\"],\")\"],\"DG3Lv1\":\"I fully understand the risks of migrating.\",\"DONJcV\":\"Το υποκείμενο περιουσιακό στοιχείο δεν μπορεί να διασωθεί\",\"DR+4uL\":\"Supply balance after switch\",\"DWjrck\":[\"Asset cannot be migrated to \",[\"marketName\"],\" V3 Market due to E-mode restrictions. You can disable or manage E-mode categories in your <0>V3 Dashboard\"],\"Dj+3wB\":\"Aave ανά μήνα\",\"DptNvx\":\"Amount Staked\",\"DuEq2K\":\"Εξασφάλιση\",\"DxfsGs\":\"You can report incident to our <0>Discord or<1>Github.\",\"Dzma+E\":\"Main Ethereum market with the largest selection of assets and yield options\",\"E/QGRL\":\"Απενεργοποιημένο\",\"EBL9Gz\":\"COPIED!\",\"ES8dkb\":\"Fixed rate\",\"EZd3Dk\":[\"Restaking \",[\"symbol\"]],\"Ebgc76\":[\"Ανάληψη \",[\"symbol\"]],\"EdQY6l\":\"Κανένα\",\"EjvKQ+\":\"Minimum USD value received\",\"Enslfm\":\"Destination\",\"EvE9nO\":[\"Reactivate cooldown period to unstake \",[\"0\"],\" \",[\"stakedToken\"]],\"EvECnL\":\"Migrate to v3\",\"EzMQbh\":\"The source chain time to finality is the main factor that determines the time to destination. <0>Learn more\",\"F40cwT\":\"Legacy Markets\",\"F6TdXL\":\"Μάθετε περισσότερα.\",\"FDDPeZ\":\"Users can stake their assets in the protocol and earn incentives. In the case of a shortfall event, your stake can be slashed to cover the deficit, providing an additional layer of protection for the protocol.\",\"FHlMf/\":\"Current v2 balance\",\"FHpxjF\":[\"Reserve factor is a percentage of interest which goes to a \",[\"0\"],\" that is controlled by Aave governance to promote ecosystem growth.\"],\"FOBZa6\":\"Δανεισμός χρησιμοποιημένης ισχύος\",\"FPKEug\":\"Η λειτουργία δεν υποστηρίζεται\",\"FbmMe7\":\"Linked addresses\",\"Fdp03t\":\"ενεργοποίηση\",\"Fjw9N+\":\"Περιουσιακά στοιχεία προς προμήθεια\",\"FmN0fk\":\"Restake\",\"GDGLIs\":\"GHO is a native decentralized, collateral-backed digital asset pegged to USD. It is created by users via borrowing against multiple collateral. When user repays their GHO borrow position, the protocol burns that user's GHO. All the interest payments accrued by minters of GHO would be directly transferred to the AaveDAO treasury.\",\"GQrBTq\":\"Switch E-Mode\",\"GWswcZ\":\"This asset is frozen due to an Aave Protocol Governance decision. On the 20th of December 2022, renFIL will no longer be supported and cannot be bridged back to its native network. It is recommended to withdraw supply positions and repay borrow positions so that renFIL can be bridged back to FIL before the deadline. After this date, it will no longer be possible to convert renFIL to FIL. <0>More details\",\"GX8GKD\":\"Περιουσιακά Στοιχεία\",\"GgEj+0\":\"Read-only mode. Connect to a wallet to perform transactions.\",\"GjkIKV\":\"τελειώνει\",\"GoK/QN\":\"Thank you for submitting feedback!\",\"GtP2hp\":[\"Ο δανεισμός δεν είναι διαθέσιμος επειδή έχετε ενεργοποιήσει τη λειτουργία Αποδοτικότητας (E-Mode) για την κατηγορία \",[\"0\"],\". Για να διαχειριστείτε τις κατηγορίες E-Mode επισκεφθείτε τον <0>Πίνακα ελέγχου.\"],\"H6Ma8Z\":\"Discount\",\"HB/wfS\":[[\"tooltipText\"]],\"HKDsQN\":\"Rewards can be claimed through\",\"Ha/U5f\":\"This is a program initiated and implemented by the decentralised ZKSync community. Aave Labs does not guarantee the program and accepts no liability.\",\"HciqKU\":\"This is a program initiated and implemented by the decentralised Aave community. Aave Labs does not guarantee the program and accepts no liability.\",\"Hi6Ttn\":\"Sorry, an unexpected error happened. In the meantime you may try reloading the page, or come back later.\",\"HkEDbS\":[[\"d\"],\"η\"],\"HmkYqM\":\"Παράθυρο ξεκλειδώματος\",\"HpK/8d\":\"Reload\",\"HrnC47\":\"Save and share\",\"HuVZMK\":\"Days\",\"HvJKMU\":[\"Asset cannot be migrated to \",[\"marketName\"],\" v3 Market since collateral asset will enable isolation mode.\"],\"Hvwnm9\":[\"Maximum amount available to supply is limited because protocol supply cap is at \",[\"0\"],\"%.\"],\"I8CX2c\":\"Το συνολικό ποσό των περιουσιακών σας στοιχείων σε δολάρια ΗΠΑ που μπορούν να χρησιμοποιηθούν ως εγγύηση για δανεισμό περιουσιακών στοιχείων.\",\"IAD2SB\":[\"Claiming \",[\"symbol\"]],\"IG9X9/\":\"Borrowing of this asset is limited to a certain amount to minimize liquidity pool insolvency.\",\"IOIx8L\":\"This asset is planned to be offboarded due to an Aave Protocol Governance decision. <0>More details\",\"IP+I/j\":\"Περίοδος ψύξης\",\"IaA40H\":\"Ρευστοποίηση στο\",\"J/hVSQ\":[[\"0\"]],\"JCoxL6\":\"Manage analytics\",\"JK9zf1\":[\"Estimated compounding interest, including discount for Staking \",[\"0\"],\"AAVE in Safety Module.\"],\"JOqFba\":[\"Unstaking \",[\"symbol\"]],\"JPrLjO\":\"Δεν μπορείτε να χρησιμοποιήσετε αυτό το νόμισμα ως εγγύηση\",\"JU6q+W\":\"Ανταμοιβή(ες) προς διεκδίκηση\",\"JYKRJS\":\"Κλειδώστε\",\"JZMxX0\":\"Δεν υπάρχει αρκετό υπόλοιπο στο πορτοφόλι σας\",\"Jgflkm\":\"Get GHO\",\"JoMQnI\":\"Υπόλοιπο πορτοφολιού\",\"JtwD8u\":\"Borrow balance after repay\",\"JumYTK\":\"Supplied assets\",\"K05qZY\":\"Withdraw & Switch\",\"KAz/NV\":\"Protocol debt ceiling is at 100% for this asset. Further borrowing against this asset is unavailable.\",\"KLXVqE\":[\"stETH tokens will be migrated to Wrapped stETH using Lido Protocol wrapper which leads to supply balance change after migration: \",[\"0\"]],\"KLd6ky\":\"Use connected account\",\"KRpokz\":\"VIEW TX\",\"KSlpka\":\"Αυτό αντιπροσωπεύει το κατώτατο όριο στο οποίο μια θέση δανεισμού θα θεωρηθεί υποεγγυημένη και θα υπόκειται σε ρευστοποίηση για κάθε εγγύηση. Για παράδειγμα, εάν μια εγγύηση έχει κατώτατο όριο ρευστοποίησης 80%, αυτό σημαίνει ότι η θέση θα ρευστοποιηθεί όταν η αξία του χρέους ανέρχεται στο 80% της αξίας της εγγύησης.\",\"KYAjf3\":\"Απομονωμένο\",\"KZwRuD\":[[\"notifyText\"]],\"KkPgim\":\"Switching E-Mode\",\"KnN1Tu\":\"Λήγει\",\"KoOBI2\":\"Due to internal stETH mechanics required for rebasing support, it is not possible to perform a collateral switch where stETH is the source token.\",\"KojyJ4\":\"Λάθος δίκτυο\",\"KsqhWn\":\"Κλείδωμα\",\"KuBTQq\":\"Εισάγετε διεύθυνση ETH\",\"KvG1xW\":\"Διεκδίκηση\",\"L+8Lzs\":\"Τρέχον LTV\",\"L+qiq+\":\"Αγορά\",\"LDzfVJ\":\"Send Feedback\",\"LIrMcF\":\"Δεν υπάρχει δικαίωμα ψήφου\",\"LL0zks\":\"Μπορεί να αποτελέσει εγγύηση\",\"LLdJWu\":\"Διεκδικήσιμο AAVE\",\"LSIpNK\":\"Δεν επιτρέπεται ο δανεισμός και η αποπληρωμή στο ίδιο block\",\"LVt3TI\":[\"<0>Slippage tolerance <1>\",[\"selectedSlippage\"],\"% <2>\",[\"0\"],\"\"],\"LjafV8\":\"Maximum collateral amount to use\",\"LtpQew\":\"Let us know how we can make the app better for you. For user support related inquiries please reach out on\",\"LvVpD/\":\"Emode\",\"M2sknc\":\"Tip: Try increasing slippage or reduce input amount\",\"M7wPsD\":\"Switch\",\"MFu33y\":\"Staking 00\",\"MIy2RJ\":\"Maximum amount received\",\"MZ/nQf\":\"Διεύθυνση παραλήπτη\",\"Ma/MtY\":\"προβολή κλειδώματος\",\"McHlGl\":\"APY change\",\"MeCCA+\":\"APY, μεταβλητό\",\"MghdTe\":\"Εάν ο συντελεστής υγείας πέσει κάτω από το 1, ενδέχεται να ενεργοποιηθεί η ρευστοποίηση των εγγυήσεών σας.\",\"Mm/DVQ\":\"Ακυρώσατε τη συναλλαγή.\",\"MnE2QX\":\"Borrow info\",\"MrmQHg\":\"View Bridge Transactions\",\"MuDFEQ\":\"Μη έγκυρη τιμή επιστροφής της συνάρτησης εκτελεστή flashloan\",\"N5kUMV\":\"Asset can be only used as collateral in isolation mode with limited borrowing power. To enter isolation mode, disable all other collateral.\",\"N6Pxr9\":\"View all\",\"NF0e1Q\":\"Εκκρεμεί...\",\"NK9ikO\":\"Wallet Balance\",\"NMt2CB\":\"Amount claimable\",\"NcFGxG\":\"Collector Contract\",\"NfpPeS\":\"Τίποτα κλειδωμένο\",\"Nh9DAo\":[[\"m\"],\"λ\"],\"O+sCUU\":\"Υπέρβαση του ανώτατου ορίου νομισματοκοπείου χωρίς αντίκρισμα\",\"O+tyU+\":[\"Maximum amount available to borrow against this asset is limited because debt ceiling is at \",[\"0\"],\"%.\"],\"O3oNi5\":\"Email\",\"OFjZGo\":\"Unstake\",\"OR8cYX\":\"Επισκόπηση πρότασης\",\"OYuJ9K\":\"Protocol debt ceiling is at 100% for this asset. Futher borrowing against this asset is unavailable.\",\"OfhWJH\":\"Reset\",\"Og2SKn\":\"απενεργοποιημένο\",\"On0aF2\":\"Website\",\"OsyKSt\":\"Ανάληψη\",\"P1dURE\":\"Revoke power\",\"P2WCD/\":[\"Underlying asset does not exist in \",[\"marketName\"],\" v3 Market, hence this position cannot be migrated.\"],\"P2sL6B\":\"Όταν πραγματοποιείται ρευστοποίηση, οι ρευστοποιητές επιστρέφουν έως και το 50% του ανεξόφλητου δανεισμένου ποσού για λογαριασμό του δανειολήπτη. Σε αντάλλαγμα, μπορούν να αγοράσουν τις εξασφαλίσεις με έκπτωση και να κρατήσουν τη διαφορά (ποινή ρευστοποίησης) ως μπόνους.\",\"P6sRoL\":\"Stake ABPT\",\"P72/OW\":\"Ο σταθμισμένος μέσος όρος του APY για όλα τα δανειακά περιουσιακά στοιχεία, συμπεριλαμβανομένων των κινήτρων.\",\"P7e6Ug\":\"Please connect your wallet to view transaction history.\",\"PByO0X\":\"Votes\",\"PI+kVe\":\"Disable fork\",\"PJK9u/\":\"Borrow apy\",\"PLUB/s\":\"Fee\",\"PP5ZA8\":[\"Participating in staking \",[\"symbol\"],\" gives annualized rewards. Your wallet balance is the sum of your aTokens and underlying assets. The breakdown to stake is below\"],\"PcBUgb\":\"Κατώτατο όριο ρευστοποίησης\",\"PjU6bu\":\"This asset is eligible for SPK incentive program. Aave Labs does not guarantee the program and accepts no liability.\",\"PpqD5g\":\"Η ενεργοποίηση αυτού του περιουσιακού στοιχείου ως εγγύηση αυξάνει τη δανειοληπτική σας ικανότητα και τον Συντελεστή Υγείας. Ωστόσο, μπορεί να ρευστοποιηθεί εάν ο συντελεστής υγείας σας πέσει κάτω από το 1.\",\"PsOFSf\":\"This action will reduce V2 health factor below liquidation threshold. retain collateral or migrate borrow position to continue.\",\"Pu4bI/\":[[\"currentMethod\"]],\"Q0LzKi\":\"View TX\",\"Q4eNqa\":\"The Aave Balancer Pool Token (ABPT) is a liquidity pool token. You can receive ABPT by depositing a combination of AAVE + wstETH in the Balancer liquidity pool. You can then stake your BPT in the Safety Module to secure the protocol and earn Safety Incentives.\",\"QQYsQ7\":\"Withdrawing\",\"QWYCs/\":\"Stake GHO\",\"R+30X3\":\"Δεν έχει επιτευχθεί\",\"RCU5PY\":\"Age\",\"RIfckG\":[\"Απενεργοποίηση \",[\"symbol\"],\" ως εγγύηση\"],\"RMtxNk\":\"Διαφορικό\",\"RNK49r\":\"Μη έγκυρη υπογραφή\",\"RS0o7b\":\"Κατάσταση\",\"RU+LqV\":\"Λεπτομέρειες πρότασης\",\"RYTgZX\":\"lorem ipsum\",\"RbXH+k\":\"AAVE, GHO, and ABPT holders (Ethereum network only) can stake their assets in the Safety Module to add more security to the protocol and earn Safety Incentives. In the case of a shortfall event, your stake can be slashed to cover the deficit, providing an additional layer of protection for the protocol.\",\"RiSYV4\":\"Το περιουσιακό στοιχείο δεν περιλαμβάνεται στον κατάλογο\",\"Rj01Fz\":\"Σύνδεσμοι\",\"RmWFEe\":\"Κλείδωμα APR\",\"RoafuO\":\"Send feedback\",\"RtBLm7\":\"Ο συντελεστής υγείας είναι μικρότερος από το όριο ρευστοποίησης\",\"RxzN1M\":\"Ενεργοποιημένο\",\"SDav7h\":\"Κεφάλαια στην Μονάδα Ασφάλειας\",\"SENccp\":\"If the error continues to happen,<0/> you may report it to this\",\"SIWumd\":\"Show Frozen or paused assets\",\"SM58dD\":\"Amount in cooldown\",\"SSMiac\":\"Failed to load proposal voters. Please refresh the page.\",\"SSQVIz\":\"Liquidation Threshold\",\"SUb8x0\":\"Σύνολο διαθέσιμων\",\"SWIgh4\":\"Fees exceed wallet balance\",\"SY9hVo\":\"Read-only mode allows to see address positions in Aave, but you won't be able to perform transactions.\",\"SZRUQ4\":\"Max slippage\",\"Sa1UE/\":\"Protocol borrow cap is at 100% for this asset. Further borrowing unavailable.\",\"Sk2zW9\":\"Απενεργοποίηση E-Mode\",\"SxaD0o\":\"Ο πάροχος διευθύνσεων κοινόχρηστων ταμείων δεν είναι εγγεγραμμένος\",\"T/AIqG\":\"Protocol supply cap at 100% for this asset. Further supply unavailable.\",\"T0xCO9\":\"Can't validate the wallet address. Try again.\",\"T4OhVl\":\"GHO balance\",\"T6uYU2\":\"Δανεισμός\",\"TFxQlw\":\"Ποινή ρευστοποίησης\",\"TQ7WsV\":\"Available to stake\",\"TUI7iB\":\"To περιουσιακό στοιχείο μπορεί να χρησιμοποιηθεί ως εγγύηση μόνο σε λειτουργία απομόνωσης.\",\"TbjyhA\":\"Docs\",\"TduuS0\":\"Ο χρήστης δεν έχει ανεξόφλητο χρέος σταθερού επιτοκίου σε αυτό το αποθεματικό\",\"TeCFg/\":\"Borrow rate change\",\"Tg1JyO\":\"Bridge history\",\"TskbEN\":\"Holders of stkAAVE receive a discount on the GHO borrowing rate\",\"TszKts\":\"Borrow balance after switch\",\"TtZL6q\":\"Discount model parameters\",\"TwJI9F\":\"Asset has been successfully sent to CCIP contract. You can check the status of the transactions below\",\"Tz0GSZ\":\"blocked activities\",\"U/eBjN\":\"Reload the page\",\"U2r8nY\":\"Choose how much voting/proposition power to give to someone else by delegating some of your AAVE, stkAAVE or aAave balance. Your tokens will remain in your account, but your delegate will be able to vote or propose on your behalf. If your AAVE, stkAAVE or aAave balance changes, your delegate's voting/proposition power will be automatically adjusted.\",\"U8IubP\":\"The app is running in testnet mode. Learn how it works in\",\"U9btTk\":\"Το περιουσιακό στοιχείο δεν είναι δανείσιμο σε λειτουργία απομόνωσης\",\"UAOZRe\":\"Price impact is the spread between the total value of the entry tokens switched and the destination tokens obtained (in USD), which results from the limited liquidity of the trading pair.\",\"UE3KJZ\":\"Transaction history is not currently available for this market\",\"URmyfc\":\"Λεπτομέρειες\",\"UTTKmT\":\"Stake cooldown activated\",\"UXeR72\":\"Τα κεφάλαια αυτά έχουν δανειστεί και δεν είναι διαθέσιμα για ανάληψη αυτή τη στιγμή.\",\"UYb8CM\":\"Learn more about the SPK rewards\",\"UbRrG0\":\"Ο δείκτης μέγιστου LTV αντιπροσωπεύει τη μέγιστη δανειοληπτική ικανότητα μιας συγκεκριμένης εγγύησης. Για παράδειγμα, εάν μια εγγύηση έχει LTV 75%, ο χρήστης μπορεί να δανειστεί έως και 0,75 ETH στο κύριο νόμισμα για κάθε 1 ETH αξίας εγγύησης.\",\"UpndFj\":\"Δεν υπάρχουν ανταμοιβές για διεκδίκηση\",\"V0f2Xv\":\"Reserve factor\",\"V1HK43\":\"Migration risks\",\"VATFH9\":\"Covered debt\",\"VHOVEJ\":\"Συνδέστε το πορτοφόλι\",\"VMfYUK\":\"Ασφάλεια των κατατεθειμένων εξασφαλίσεών σας έναντι των δανειζόμενων περιουσιακών στοιχείων και της υποκείμενης αξίας τους.\",\"VOAZJh\":\"Σύνολο δανείων\",\"ViKYxK\":\"ΥΠΕΡ\",\"W1SSoD\":\"Αναθεώρηση λεπτομερειών συναλλαγής\",\"W5hVah\":\"Τίποτα δεν έχει παρασχεθεί ακόμη\",\"W5kTFy\":\"Voting\",\"W8ekPc\":\"Back to Dashboard\",\"WMPbRK\":\"Μη υποστηριζόμενο\",\"WNGZwH\":\"Το E-Mode αυξάνει το LTV σας για μια επιλεγμένη κατηγορία περιουσιακών στοιχείων έως και <0/>. <1>Μάθετε περισσότερα\",\"WPWG/y\":\"Κατάσταση & διαμόρφωση αποθεματικού\",\"WZLQSU\":\"Ο χρήστης δεν μπορεί να κάνει ανάληψη μεγαλύτερη από το διαθέσιμο υπόλοιπο\",\"WaZyaV\":\"<0>Ampleforth is a rebasing asset. Visit the <1>documentation to learn more.\",\"WfU+XN\":\"Because this asset is paused, no actions can be taken until further notice\",\"Wjmqs2\":\"No results found. You can import a custom token with a contract address\",\"WkZ6C6\":\"Για να δανειστείτε πρέπει να προσκομίσετε οποιοδήποτε περιουσιακό στοιχείο που θα χρησιμοποιηθεί ως εγγύηση.\",\"WyMiQm\":\"You've successfully switched tokens.\",\"X/ITG9\":\"Κείμενο σφάλματος αντιγραφής\",\"X3Pp6x\":\"Χρησιμοποιείται ως εγγύηση\",\"X4Zt7j\":\"Η ενέργεια δεν μπορεί να εκτελεστεί επειδή η εφεδρεία βρίσκεται σε παύση\",\"XBdKOj\":\"Representative smart contract wallet (ie. Safe) addresses on other chains.\",\"XZzneG\":\"Θα βγείτε από τη λειτουργία απομόνωσης και άλλα tokens μπορούν πλέον να χρησιμοποιηθούν ως εγγύηση\",\"Xg5y9S\":\"Amount to Bridge\",\"Xn4hUi\":\"Please always be aware of your <0>Health Factor (HF) when partially migrating a position and that your rates will be updated to V3 rates.\",\"Xy71ST\":\"Umbrella\",\"Y5kGkc\":\"ΨΗΦΙΣΤΕ ΚΑΤΑ\",\"YDIOks\":\"Ενεργοποίηση E-Mode\",\"YSodyW\":\"This action will reduce your health factor. Please be mindful of the increased risk of collateral liquidation.\",\"YXOWXM\":\"The total amount bridged minus CCIP fees. Paying in network token does not impact gho amount.\",\"YirHq7\":\"Feedback\",\"YogbCJ\":\"Testnet mode is ON\",\"YrDxdO\":\"Εάν το δάνειο προς αξία υπερβεί το όριο ρευστοποίησης, η παρεχόμενη εγγύηση σας μπορεί να ρευστοποιηθεί.\",\"YyIM65\":\"Δεν τηρήθηκαν οι όροι επανεξισορρόπησης των επιτοκίων\",\"YyydIq\":[\"Add \",[\"0\"],\" to wallet to track your balance.\"],\"ZBvhI+\":\"Διακυβέρνηση Aave\",\"ZIIRAd\":\"Raw-Ipfs\",\"ZRq4tX\":\"Λειτουργία αποδοτικότητας (E-Mode)\",\"ZSqEW+\":\"Manage E-Mode\",\"ZUFYFE\":\"Disable testnet\",\"Zbyywy\":\"Μέγιστη περικοπή\",\"ZfUGFb\":\"Πριν από την προμήθεια\",\"ZiXN+B\":\"Assets to stake\",\"ZlsSDH\":\"Αξία ρευστοποίησης\",\"ZrEc8j\":\"We couldn't find any assets related to your search. Try again with a different asset name, symbol, or address.\",\"ZsLF7e\":\"ενεργοποιημένο\",\"a0YQoQ\":\"Enter a valid address\",\"a2fBZn\":\"Χρόνος που απομένει για το ξεκλείδωμα\",\"a5RYZd\":\"Η απενεργοποίηση αυτού του περιουσιακού στοιχείου ως εγγύηση επηρεάζει τη δανειοληπτική σας ικανότητα και τον Συντελεστή Υγείας.\",\"a7u1N9\":\"Price\",\"a9D+6D\":\"Unstaked\",\"aEtiwq\":\"Ψηφίστε ΚΑΤΑ\",\"aMmFE1\":\"Buy Crypto With Fiat\",\"aOKIms\":\"Οι παράμετροι της συστοιχίας που θα έπρεπε να είναι ίσου μήκους δεν είναι\",\"aX31hk\":\"Your balance is lower than the selected amount.\",\"adUsDd\":\"An error has occurred fetching the proposal.\",\"al6Pyz\":\"Exceeds the discount\",\"aoXTT7\":\"Δανεισμός APY, μεταβλητό\",\"aqX1Yp\":\"This asset is eligible for rewards through SuperFest. Aave Labs does not guarantee the program and accepts no liability.\",\"avgETN\":\"Eligible for the Merit program.\",\"b4NS3e\":\"Προειδοποίηση περιόδου ψύξης\",\"bNEQeI\":\"Cooldown\",\"bSruit\":\"ZKSync Ignite Program rewards are claimed through the\",\"bUUVED\":\"Περιουσιακό στοιχείο\",\"bXQ/Og\":\"Μοιραστείτε το στο twitter\",\"bXr0ee\":\"Τα απομονωμένα περιουσιακά στοιχεία έχουν περιορισμένη δανειοληπτική ικανότητα και άλλα περιουσιακά στοιχεία δεν μπορούν να χρησιμοποιηθούν ως εγγύηση.\",\"bYmAV1\":\"Addresses\",\"bguKoJ\":\"Το αιτούμενο ποσό είναι μεγαλύτερο από το μέγιστο μέγεθος δανείου στη λειτουργία σταθερού επιτοκίου\",\"bwSQI0\":\"Προσφορά\",\"bxN6EM\":\"Cannot disable E-Mode\",\"bxmzSh\":\"Δεν υπάρχουν επαρκείς εγγυήσεις για την αποπληρωμή αυτού του ποσού χρέους με\",\"c91vuQ\":\"Η διεύθυνση δεν είναι συμβόλαιο\",\"c97os2\":\"Aave aToken\",\"c9b44w\":\"Δεν μπορείτε να αποσύρετε αυτό το ποσό, διότι θα προκληθεί κλήση εγγύησης\",\"cBc+4A\":\"Αυτό είναι το συνολικό ποσό που μπορείτε να δανειστείτε. Μπορείτε να δανειστείτε με βάση την εξασφάλισή σας και μέχρι να επιτευχθεί το ανώτατο όριο δανεισμού.\",\"cIl5kp\":\"Your voting power is based on your AAVE/stkAAVE balance and received delegations.\",\"cLo09S\":\"Λεπτομέρειες κινδύνου\",\"cNT+ij\":\"Ο δανεισμός δεν είναι διαθέσιμος επειδή έχετε ενεργοποιήσει τη Λειτουργία Αποδοτικότητας (E-Mode) και τη λειτουργία Απομόνωσης. Για να διαχειριστείτε τη λειτουργία E-Mode και τη λειτουργία Απομόνωσης, επισκεφθείτε τον <0>Πίνακα ελέγχου.\",\"cZOeBk\":\"Something went wrong fetching bridge message, please try again later.\",\"ceix5S\":\"To submit a proposal for minor changes to the protocol, you'll need at least 80.00K power. If you want to change the core code base, you'll need 320k power.<0>Learn more.\",\"ciSsYT\":\"Staking APY\",\"ciybUa\":\"Ψηφίστε ΥΠΕΡ\",\"ckf7gX\":[\"Αποπληρώνοντας \",[\"symbol\"]],\"cp1ZDP\":[\"Bridge \",[\"symbol\"]],\"cqnmnD\":\"Effective interest rate\",\"cqwIvs\":\"Συζήτηση φόρουμ\",\"csDS2L\":\"Διαθέσιμο\",\"cu7Stb\":\"Δεν συμμετείχατε στην παρούσα πρόταση\",\"dE6BLF\":\"Διακυβέρνηση\",\"dEgA5A\":\"Cancel\",\"dIsyWh\":\"Η επικύρωση του Ltv απέτυχε\",\"dMtLDE\":\"to\",\"dOB5nW\":[\"Maximum amount available to supply is <0/> \",[\"0\"],\" (<1/>).\"],\"dVfODp\":\"Δεν έχετε αρκετά χρήματα στο πορτοφόλι σας για να αποπληρώσετε ολόκληρο το ποσό. Εάν προχωρήσετε στην αποπληρωμή με το τρέχον ποσό των χρημάτων σας, θα εξακολουθείτε να έχετε μια μικρή θέση δανεισμού στο ταμπλό σας.\",\"dXUQFX\":\"Περιουσιακά στοιχεία προς δανεισμό\",\"dgr1aY\":\"Borrowing is disabled due to an Aave community decision. <0>More details\",\"djsg0o\":\"Χρησιμοποίηση εγγυήσεων\",\"dpc0qG\":\"Μεταβλητό\",\"drdV8R\":\"Liquidation\",\"dxW8cS\":\"Aave debt token\",\"e4V3oW\":\"Top 10 addresses\",\"eD8WX/\":\"Η δράση απαιτεί ενεργό απόθεμα\",\"eJRJ04\":\"Amount to unstake\",\"eLh0cL\":\"Slippage is the difference between the quoted and received amounts from changing market conditions between the moment the transaction is submitted and its verification.\",\"ePK91l\":\"Edit\",\"eVpCmf\":\"Staking Rewards\",\"eVqvtf\":\"Bridge GHO\",\"eYdurp\":\"No transactions yet.\",\"ebLGGN\":\"Σύνολο δανεικών\",\"ecqEvn\":\"Το υπόλοιπο των εγγυήσεων είναι 0\",\"efdrrk\":\"Available on\",\"enruNF\":\"starts\",\"eqLYiD\":\"Ξεκλειδώστε τώρα\",\"euScGB\":\"APY with discount applied\",\"evw5ha\":\"Καθαρή αξία\",\"ezcU16\":\"Get ABP Token\",\"f3W0Ej\":[\"Αλλάξατε σε ποσοστό \",[\"0\"]],\"fH9i8k\":\"You've successfully switched borrow position.\",\"fHcELk\":\"Καθαρό APR\",\"fMJQZK\":\"Borrowed\",\"fZ5Vnu\":\"Received\",\"firl9Q\":\"Το τρέχον δάνειο προς αξία με βάση τις παρεχόμενες εξασφαλίσεις σας.\",\"flRCF/\":\"Staking discount\",\"fldjW9\":\"Preview tx and migrate\",\"fsBGk0\":\"Υπόλοιπο\",\"fu1Dbh\":[\"Ανάληψη \",[\"symbol\"]],\"fwjWSI\":\"Supplied\",\"fwyTMb\":\"Migrate to stkABPT v2\",\"g0mals\":\"You can not disable E-Mode because that could cause liquidation. To exit E-Mode supply or repay borrowed positions.\",\"g2UNkE\":\"Powered by\",\"g8KGoA\":\"FAQS\",\"g9zzqS\":\"Voted NAY\",\"gDd2gk\":\"about SuperFest.\",\"gFFh9h\":\"Όλα έτοιμα!\",\"gIMJlW\":\"Λειτουργία Testnet\",\"gOzPxe\":\"This asset is frozen due to an Aave Protocol Governance decision. <0>More details\",\"gTHi2T\":\"Ο χρήστης προσπαθεί να δανειστεί πολλαπλά περιουσιακά στοιχεία, συμπεριλαμβανομένου ενός απομονωμένου περιουσιακού στοιχείου\",\"gVW59Y\":\"Please connect your wallet to get free testnet assets.\",\"gcFNxP\":\"Approve Confirmed\",\"gncRUO\":\"This address is blocked on app.aave.com because it is associated with one or more\",\"goff7V\":\"Η μηδενική διεύθυνση δεν είναι έγκυρη\",\"gp+f1B\":\"Version 3\",\"gr8mYw\":\"You may borrow up to <0/> GHO at <1/> (max discount)\",\"gvTM4B\":\"Το καθαρό ΑΡΥ είναι η συνδυασμένη επίδραση όλων των θέσεων προσφοράς και δανεισμού στην καθαρή αξία, συμπεριλαμβανομένων των κινήτρων. Είναι δυνατόν να υπάρχει αρνητικό καθαρό APY εάν το χρεωστικό APY είναι υψηλότερο από το προσφερόμενο APY.\",\"gzcch9\":\"Μη έγκυρη αμοιβή πρωτοκόλλου γέφυρας\",\"h33MxW\":\"Representing smart contract wallet (ie. Safe) addresses on other chains.\",\"h3ilK+\":\".CSV\",\"hB23LY\":\"Activate Cooldown\",\"hIJzBh\":\"Available to Claim\",\"hIS4N0\":\"Καθαρό APY\",\"hRWvpI\":\"Claimed\",\"hdmy/o\":\"Το % της συνολικής δανειοληπτικής σας δύναμης που χρησιμοποιείται. Αυτό βασίζεται στο ποσό της παρεχόμενης εξασφάλισής σας και στο συνολικό ποσό που μπορείτε να δανειστείτε.\",\"hehnjM\":\"Ποσό\",\"hjDCQr\":\"Υπήρξε κάποιο σφάλμα. Προσπαθήστε να αλλάξετε τις παραμέτρους ή <0><1>αντιγράψτε το σφάλμα\",\"hom7qf\":\"Διεκδίκηση\",\"hpHJ4I\":\"Liquidated collateral\",\"hpuVIp\":\"Users who stake AAVE in Safety Module (i.e. stkAAVE holders) receive a discount on GHO borrow interest rate.\",\"huQ6Tz\":[\"Δανεισμός \",[\"symbol\"]],\"hxi7vE\":\"Borrow balance\",\"i/fZ2Z\":\"Staked Balance\",\"i2JTiw\":\"You may enter a custom amount in the field.\",\"iB5+/J\":\"About GHO\",\"iChbOF\":\"Ασυνεπείς παράμετροι flashloan\",\"iEPVHF\":\"Δεν έχει αρκετή δύναμη ψήφου για να συμμετάσχει στην παρούσα πρόταση\",\"iEW87X\":\"Delegated power\",\"iEju36\":[\"Ψηφίσατε \",[\"0\"]],\"iFq2YN\":\"Borrowable\",\"iGxyIA\":\"Safety Module\",\"iMVZk9\":\"Select slippage tolerance\",\"iPMIoT\":\"Εισάγετε ένα ποσό\",\"iSLIjg\":\"Connect\",\"iUo5rv\":\"tokens δεν είναι το ίδιο με το να τα κλειδώνετε. Εάν επιθυμείτε να κλειδώσετε τα\",\"iZxa38\":\"Use it to vote for or against active proposals.\",\"if5PH+\":\"Collector Info\",\"igkfR1\":[\"In Isolation mode, you cannot supply other assets as collateral. A global debt ceiling limits the borrowing power of the isolated asset. To exit isolation mode disable \",[\"0\"],\" as collateral before borrowing another asset. Read more in our <0>FAQ\"],\"il0sEG\":\"H χρήση εγγυήσεων είναι περιορισμένη λόγω της λειτουργίας Απομόνωσης.\",\"j+K1Xj\":\"Amount After Fee\",\"jA2QeW\":\"Προμηθεύοντας το\",\"jFi7dz\":\"Interest rate that is determined by Aave Governance. This rate may be changed over time depending on the need for the GHO supply to contract/expand. <0>Learn more\",\"jG3UJ7\":\"Απενεργοποίηση E-Mode\",\"jKYzR1\":\"Ενεργοποίηση E-Mode\",\"jMam5g\":[[\"0\"],\" Υπόλοιπο\"],\"jSYv+Z\":\"Enabling E-Mode allows you to maximize your borrowing power, however, borrowing is restricted to assets within the selected category. <0>Learn more about how it works and the applied restrictions.\",\"jaKbwW\":[[\"s\"],\"δ\"],\"jbFMap\":\"Χρόνος ψύξης που έχει απομείνει\",\"jeMZNr\":[[\"0\"],\" on-ramp service is provided by External Provider and by selecting you agree to Terms of the Provider. Your access to the service might be reliant on the External Provider being operational.\"],\"jfl9OP\":\"Migrated\",\"jmXdoY\":\"Στο E-Mode ορισμένα περιουσιακά στοιχεία δεν είναι δανείσιμα. Βγείτε από το E-Mode για να αποκτήσετε πρόσβαση σε όλα τα περιουσιακά στοιχεία\",\"jpctdh\":\"View\",\"jqzUyM\":\"Μη διαθέσιμο\",\"k/sb6z\":\"Επιλέξτε γλώσσα\",\"k3wP3f\":\"<0>Attention: Parameter changes via governance can alter your account health factor and risk of liquidation. Follow the <1>Aave governance forum for updates.\",\"kACpF3\":[\"Διεκδίκηση \",[\"0\"]],\"kH6wUX\":\"Επίδραση στην τιμή\",\"kIC28N\":\"Available to claim\",\"kIpSye\":[[\"numSelected\"],\"/\",[\"numAvailable\"],\" assets selected\"],\"kN1Yg5\":\"Για την εξόφληση εκ μέρους ενός χρήστη απαιτείται ένα ρητό ποσό προς εξόφληση\",\"kRTD40\":[\"Repayment amount to reach \",[\"0\"],\"% utilization\"],\"kjN9tT\":\"Υπέρβαση του ανώτατου ορίου προσφοράς\",\"knxE+G\":\".JSON\",\"ks2LWT\":\"Το ανώτατο όριο χρέους δεν είναι μηδενικό\",\"kwwn6i\":\"Users who stake AAVE in Safety Module (i.e. stkAAVE holders) receive a discount on GHO borrow interest rate. The discount applies to 100 GHO for every 1 stkAAVE held. Use the calculator below to see GHO borrow rate with the discount applied.\",\"kz3wtK\":\"and about SPK program\",\"kzZyM4\":\"DAI balance will be converted via DSR contracts and then supplied as sDAI. Switching incurs no additional costs and no slippage.\",\"lNVG7i\":\"Select an asset\",\"lU2d1/\":[\"Asset cannot be migrated due to insufficient liquidity or borrow cap limitation in \",[\"marketName\"],\" v3 market.\"],\"lVhKKI\":\"Voted YAE\",\"lWLqxB\":\"We couldn't find any transactions related to your search. Try again with a different asset name, or reset filters.\",\"lYGfRP\":\"Αγγλικά\",\"lfEjIE\":\"Μάθετε περισσότερα στον οδηγό <0>Συχνών Ερωτήσεων\",\"lt6bpt\":\"Collateral to repay with\",\"m/IEhi\":\"Συνολικές εκπομπές ανά ημέρα\",\"m7r7Hh\":\"Selected borrow assets\",\"mDDK4p\":\"Balancer Pool\",\"mIM0qu\":\"Expected amount to repay\",\"mUAFd6\":\"Version 2\",\"masO5Z\":\"E-Mode increases your LTV for a selected category of assets. <0>Learn more\",\"mdNjKU\":[\"Your \",[\"name\"],\" wallet is empty. Purchase or transfer assets or use <0>\",[\"0\"],\" to transfer your \",[\"network\"],\" assets.\"],\"muiOng\":[\"Buy \",[\"cryptoSymbol\"],\" with Fiat\"],\"mvCXBY\":\"Stake AAVE\",\"mwdzil\":\"Εντάξει, Κλείσιμο\",\"mzI/c+\":\"Download\",\"mzdIia\":\"Το περιουσιακό στοιχείο δεν μπορεί να χρησιμοποιηθεί ως εγγύηση.\",\"n+SX4g\":\"Προγραμματιστές\",\"n8Psk4\":\"We couldn’t detect a wallet. Connect a wallet to stake and view your balance.\",\"nJIhzm\":\"Προσφορά apy\",\"nJgsQu\":\"Με δύναμη ψήφου <0/>\",\"nLC6tu\":\"Γαλλικά\",\"nN2T8p\":\"During the cooldown period, you will not earn any merit rewards. However, rewards earned up to this point will remain unaffected.\",\"nNHV0z\":\"Migrating multiple collaterals and borrowed assets at the same time can be an expensive operation and might fail in certain situations.<0>Therefore it’s not recommended to migrate positions with more than 5 assets (deposited + borrowed) at the same time.\",\"nNbnzu\":\"Proposition\",\"nOy4ob\":\"We suggest you go back to the Dashboard.\",\"nPGNMh\":\"Μπορεί να εκτελεστεί\",\"nUK1ou\":[\"Assets with zero LTV (\",[\"0\"],\") must be withdrawn or disabled as collateral to perform this action\"],\"nakd8r\":\"stkAAVE holders get a discount on GHO borrow rate\",\"nh2EJK\":[\"Παρακαλώ μεταβείτε στο \",[\"networkName\"],\".\"],\"njBeMm\":\"Both\",\"noN5Xf\":\"We couldn’t detect a wallet. Connect a wallet to view your staking positions and rewards.\",\"ntkAoE\":\"Discount applied for <0/> staking AAVE\",\"ntyFSE\":[[\"h\"],\"ω\"],\"nwtY4N\":\"Something went wrong\",\"nxyWvj\":\"Withdrawing this amount will reduce your health factor and increase risk of liquidation.\",\"o17QVP\":\"Ο συντελεστής υγείας και το δάνειο προς αξία καθορίζουν τη διασφάλιση των εξασφαλίσεών σας. Για να αποφύγετε τις ρευστοποιήσεις μπορείτε να παράσχετε περισσότερες εξασφαλίσεις ή να εξοφλήσετε δανειακές θέσεις.\",\"o1xc2V\":\"Η προσφορά AToken δεν είναι μηδενική\",\"o4tCu3\":\"Borrow APY\",\"o5ooMr\":\"Χρέος\",\"o7J4JM\":\"Φίλτρο\",\"oHFrpj\":\"Ψύξτε για ξεκλείδωμα\",\"oJ5ZiG\":\"Ο χρήστης δεν έχει ανεξόφλητο χρέος μεταβλητού επιτοκίου σε αυτό το αποθεματικό\",\"oRBGin\":\"Please connect your wallet to be able to switch your tokens.\",\"oUwXhx\":\"Test Assets\",\"oWklJD\":\"Το σταθερό επιτόκιο θα <0>μείνει το ίδιο για όλη τη διάρκεια του δανείου σας. Συνιστάται για μακροχρόνιες περιόδους δανεισμού και για χρήστες που προτιμούν την προβλεψιμότητα.\",\"odnIK3\":\"Time remaining until the 48 hour withdraw period starts.\",\"oiK5nY\":\"The current incentives period, decided on by the Aave community, has ended. Governance is in the process on renewing, check for updates. <0>Learn more.\",\"olREoo\":\"All borrow positions outside of this category must be closed to enable this category.\",\"om/XHs\":\"Διαθέσιμο για προμήθεια\",\"ov0+mq\":\"Eligible for the ZKSync Ignite program.\",\"ovT1pF\":[\"Per the community, the \",[\"market\"],\" has been frozen.\"],\"ow3fug\":\"Nothing found\",\"owSsI3\":\"Signatures ready\",\"p+R52m\":\"Go to Balancer Pool\",\"p2A+s1\":[\"Η περίοδος ψύξης είναι \",[\"0\"],\". Μετά την \",[\"1\"],\" περίοδο ψύξης, θα εισέλθετε στο παράθυρο ξεκλειδώματος \",[\"2\"],\". Θα συνεχίσετε να λαμβάνετε ανταμοιβές κατά τη διάρκεια της ψύξης και του παραθύρου ξεκλειδώματος.\"],\"p2S64u\":\"The loan to value of the migrated positions would cause liquidation. Increase migrated collateral or reduce migrated borrow to continue.\",\"p2Z2Qi\":\"Αυτό το περιουσιακό στοιχείο έχει φθάσει στο ανώτατο όριο δανεισμού του. Τίποτα δεν είναι διαθέσιμο για δανεισμό από αυτή την αγορά.\",\"p3j+mb\":\"Το υπόλοιπο της ανταμοιβής σας είναι 0\",\"p45alK\":\"Set up delegation\",\"p6u2s1\":\"Minimum amount of debt to be repaid\",\"pDgeaz\":[[\"title\"]],\"pdZqBk\":\"Το υποκείμενο υπόλοιπο πρέπει να είναι μεγαλύτερο από 0\",\"pgWG9H\":\"Δεν υπάρχει αρκετό κλειδωμένο υπόλοιπο\",\"piPrJ7\":\"παρακαλούμε ελέγξτε ότι το ποσό που θέλετε να παρέχετε δεν χρησιμοποιείται επί του παρόντος για κλείδωμα. Εάν χρησιμοποιείται για κλείδωμα, η συναλλαγή σας ενδέχεται να αποτύχει.\",\"pjO/iH\":\"Minimum amount received\",\"pooutM\":\"Voting is on\",\"pqaM5s\":\"Confirming transaction\",\"ptaxX3\":[\"Καταλαβαίνω πώς λειτουργεί η ψύξη (\",[\"0\"],\") και το ξεκλείδωμα (\",[\"1\"],\")\"],\"py2iiY\":\"Ο καλών αυτής της συνάρτησης πρέπει να είναι ένα κοινόχρηστο ταμείο\",\"q/51mF\":\"Migrate to V3\",\"q3df11\":\"Interest rate strategy\",\"q6lAbz\":\"Κλειδωμένο\",\"qB4kPi\":\"Προσφορά APY\",\"qENI8q\":\"Γενικές ρυθμίσεις\",\"qGz5zl\":\"Collateral balance after repay\",\"qIW9ZH\":\"Amount staked\",\"qOqbD6\":\"αντιγράψτε το σφάλμα\",\"qXCkEM\":\"Συνδέστε το πορτοφόλι σας για να δείτε τις προμήθειες, τα δάνεια και τις ανοιχτές θέσεις σας.\",\"qY2jnw\":\"Μη έγκυρη λήξη\",\"qf/fr+\":\"Interest accrued\",\"quYPUU\":\"Variable interest rate will <0>fluctuate based on the market conditions.\",\"quzIeW\":\"User is in isolation mode or LTV is zero\",\"qvnz3q\":\"Μη έγκυρη ποσότητα προς καύση\",\"rHgdb0\":\"Migrate to Aave V3\",\"rOrHHe\":\"Το ποσό πρέπει να είναι μεγαλύτερο από 0\",\"rQ+R+0\":\"Selected supply assets\",\"rSayea\":\"APY\",\"rTBDeu\":[\"Asset cannot be migrated because you have isolated collateral in \",[\"marketName\"],\" v3 Market which limits borrowable assets. You can manage your collateral in <0>\",[\"marketName\"],\" V3 Dashboard\"],\"rcT+yy\":\"Εμφάνιση περιουσιακών στοιχείων με υπόλοιπο 0\",\"rf8POi\":\"Borrowed asset amount\",\"riNWOA\":\"E-Mode\",\"rjGI/Q\":\"Privacy\",\"rnKPW1\":\"Watch a wallet balance in read-only mode\",\"ruc7X+\":\"Add stkAAVE to see borrow APY with the discount\",\"rvbaFU\":[\"Bridging \",[\"symbol\"]],\"rwVVB7\":\"Διεκδικήστε όλες τις ανταμοιβές\",\"rwyUva\":\"These assets are temporarily frozen or paused by Aave community decisions, meaning that further supply / borrow, or rate swap of these assets are unavailable. Withdrawals and debt repayments are allowed. Follow the <0>Aave governance forum for further updates.\",\"rxJW5W\":\"Your proposition power is based on your AAVE/stkAAVE balance and received delegations.\",\"s2jJnW\":\"You don't have any bridge transactions\",\"s5wBAq\":[\"Unstake \",[\"symbol\"]],\"sJbIdI\":\"Enter ETH address or ENS\",\"sK+Nag\":\"Αναθεώρηση συναλλαγής\",\"sP2+gB\":\"ΚΑΤΑ\",\"sQv06Y\":\"for\",\"sTtO6J\":\"Confirm transaction\",\"sXKb3l\":\"Exchange rate\",\"sb0q4+\":\"Μπορείτε να ξεκλειδώσετε εδώ\",\"smJNwH\":\"Διαθέσιμο για δανεισμό\",\"solypO\":\"Ο παράγοντας υγείας δεν είναι κάτω από το όριο\",\"sr0UJD\":\"Πηγαίνετε Πίσω\",\"ss5GCK\":\"Η διεύθυνση του παρόχου διευθύνσεων κοινόχρηστου ταμείου είναι άκυρη\",\"swEgK4\":\"Οι πληροφορίες ψήφου σας\",\"t+wtgf\":\"Τίποτα δανεισμένο ακόμα\",\"t/YqKh\":\"Remove\",\"t81DpC\":[\"Approve \",[\"symbol\"],\" to continue\"],\"tCnbEs\":\"Τιμή Oracle\",\"tFZLf8\":\"Αυτός ο υπολογισμός gas είναι μόνο μια εκτίμηση. Το πορτοφόλι σας θα καθορίσει την τιμή της συναλλαγής. Μπορείτε να τροποποιήσετε τις ρυθμίσεις gas απευθείας από τον πάροχο του πορτοφολιού σας.\",\"tHuvQI\":\"Go to V3 Dashboard\",\"tKv7cI\":\"Switch borrow position\",\"tOcg3N\":\"Since this asset is frozen, the only available actions are withdraw and repay which can be accessed from the <0>Dashboard\",\"tOuXfv\":[\"Borrow amount to reach \",[\"0\"],\"% utilization\"],\"te9Bfl\":\"Παρακαλώ, συνδέστε το πορτοφόλι σας\",\"tt5yma\":\"Οι προμήθειές σας\",\"ttoh5c\":\"Switch to\",\"u3ZeYl\":\"Η συναλλαγή απέτυχε\",\"u706uF\":\"Άκυρη πριμοδότηση flashloan\",\"u8Gfu7\":[\"No search results\",[\"0\"]],\"uAQUqI\":\"Status\",\"uHMwk8\":\"No assets selected to migrate.\",\"uJPHuY\":\"Migrating\",\"uY8O30\":\"To continue, you need to grant Aave smart contracts permission to move your funds from your wallet. Depending on the asset and wallet you use, it is done by signing the permission message (gas free), or by submitting an approval transaction (requires gas). <0>Learn more\",\"udFheE\":\"Για την αποπληρωμή ενός συγκεκριμένου τύπου χρέους, ο χρήστης πρέπει να έχει χρέος αυτού του τύπου\",\"ulNuNq\":\"Export data to\",\"ulup2p\":\"Buy Crypto with Fiat\",\"umICAY\":\"<0><1><2/>Add stkAAVE to see borrow rate with discount\",\"usB84Z\":\"Maximum amount available to borrow is limited because protocol borrow cap is nearly reached.\",\"uwAUvj\":\"COPY IMAGE\",\"v8x7Mg\":\"Insufficient collateral to cover new borrow position. Wallet must have borrowing power remaining to perform debt switch.\",\"vEqxH9\":\"Restaked\",\"vLyv1R\":\"Απόκρυψη\",\"vMba49\":\"Ο δανεισμός δεν είναι ενεργοποιημένος\",\"vMpNwt\":\"Approve with\",\"vXIe7J\":\"Γλώσσα\",\"vesuBJ\":\"Σας επιτρέπει να αποφασίσετε αν θα χρησιμοποιήσετε ένα παρεχόμενο περιουσιακό στοιχείο ως εγγύηση. Ένα περιουσιακό στοιχείο που χρησιμοποιείται ως εγγύηση θα επηρεάσει τη δανειοληπτική σας ικανότητα και τον συντελεστή υγείας.\",\"w+V9Cx\":\"Σταθερό νόμισμα\",\"w/JtJ3\":\"Η σταθερή προσφορά χρέους δεν είναι μηδενική\",\"w4VBY+\":\"Ανταμοιβές APR\",\"w9dLMW\":[[\"label\"]],\"wAOL+X\":[\"Εσείς \",[\"action\"],\" <0/> \",[\"symbol\"]],\"wBIsjb\":\"Discord channel\",\"wQZbc/\":\"Ο καλών της συνάρτησης δεν είναι AToken\",\"wRRqvW\":\"Δεν έχετε προμήθειες σε αυτό το νόμισμα\",\"wZFvVU\":\"ΨΗΦΙΣΤΕ ΥΠΕΡ\",\"wb/r1O\":[\"Βρύση \",[\"0\"]],\"wdxz7K\":\"Source\",\"weH1nG\":\"The Aave Protocol is programmed to always use the price of 1 GHO = $1. This is different from using market pricing via oracles for other crypto assets. This creates stabilizing arbitrage opportunities when the price of GHO fluctuates.\",\"wh7Ezv\":\"You have no AAVE/stkAAVE/aAave balance to delegate.\",\"wlsIx7\":\"With testnet Faucet you can get free assets to test the Aave Protocol. Make sure to switch your wallet provider to the appropriate testnet network, select desired asset, and click ‘Faucet’ to get tokens transferred to your wallet. The assets on a testnet are not “real,” meaning they have no monetary value. <0>Learn more\",\"wmE285\":\"Get ABP v2 Token\",\"wyRrcJ\":\"As a result of governance decisions, this ABPT staking pool is now deprecated. You have the flexibility to either migrate all of your tokens to v2 or unstake them without any cooldown period.\",\"x5KiLL\":\"Selected assets have successfully migrated. Visit the Market Dashboard to see them.\",\"x7F2p6\":\"Τρέχον διαφορικό\",\"x7K5ib\":[\"Your \",[\"networkName\"],\" wallet is empty. Get free test \",[\"0\"],\" at\"],\"x9iLRD\":\"tokens, παρακαλούμε μεταβείτε στο\",\"xNy/UG\":\"Αποπληρωμή με\",\"xPm8wv\":\"Μάθετε περισσότερα για τους κινδύνους\",\"xXYpZl\":[[\"0\"],\" Βρύση\"],\"xaVBSS\":\"Οι πληροφορίες σας\",\"xaWZ6f\":\"APY type change\",\"xh6k71\":\"Collateral usage is limited because of isolation mode.\",\"xvIklc\":\"Flashloan is disabled for this asset, hence this position cannot be migrated.\",\"y5rS9U\":\"Migrate\",\"y66tBm\":[\"Ενεργοποίηση \",[\"symbol\"],\" ως εγγύηση\"],\"yB1YpA\":\"Σκοτεινή λειτουργία\",\"yCrG6m\":\"Συνολικό μέγεθος της αγοράς\",\"yJUUbn\":\"Επισκόπηση συναλλαγής\",\"yLGmLX\":[\"Restake \",[\"symbol\"]],\"yW1oWB\":\"Τύπος APY\",\"yYHqJe\":\"Μη έγκυρη διεύθυνση\",\"yZwLw6\":\"Track wallet\",\"yh2sjd\":[\"Price impact \",[\"0\"],\"%\"],\"yhvj6d\":\"Δεν μπορείτε να αλλάξετε τη χρήση ως λειτουργία εγγύησης για αυτό το νόμισμα, διότι θα προκαλέσει κλήση εγγύησης\",\"ylmtBZ\":\"The app is running in fork mode.\",\"ymNY32\":[\"Δεν υπάρχουν αρκετά κεφάλαια στο\",[\"0\"],\"αποθεματικό για δανεισμό\"],\"yz7wBu\":\"Κλείσιμο\",\"z4uGQg\":\"Υπέρβαση του ανώτατου ορίου χρέους\",\"z5UQOM\":\"Η εγγύηση που έχει επιλεγεί δεν μπορεί να ρευστοποιηθεί\",\"z5Y+p6\":[\"Παροχή \",[\"symbol\"]],\"zCjNKs\":\"Η ενέργεια δεν μπορεί να εκτελεστεί επειδή το αποθεματικό έχει παγώσει\",\"zRHytX\":\"Isolated Debt Ceiling\",\"zTOjMP\":\"Protocol supply cap is at 100% for this asset. Further supply unavailable.\",\"zVdRUG\":\"Submission did not work, please try again later or contact wecare@avara.xyz\",\"zevmS2\":\"<0><1><2/>Add <3/> stkAAVE to borrow at <4/> (max discount)\",\"zgtIDV\":\"Υπολειπόμενο χρέος\",\"zmTPiV\":\"Υπόλοιπο προσφοράς\",\"zpPbZl\":\"Liquidation risk parameters\",\"zucql+\":\"Μενού\",\"zwWKhA\":\"Μάθετε περισσότερα\",\"zy9fXn\":[\"Asset is frozen in \",[\"marketName\"],\" v3 market, hence this position cannot be migrated.\"],\"zys+R6\":\"Be mindful of the network congestion and gas prices.\",\"zzzTXS\":\"Merit Program rewards are claimed through the\"}")}; \ No newline at end of file diff --git a/src/locales/en/messages.js b/src/locales/en/messages.js index 400bb2835f..568b74a0bb 100644 --- a/src/locales/en/messages.js +++ b/src/locales/en/messages.js @@ -1 +1 @@ -/*eslint-disable*/module.exports={messages:JSON.parse("{\"+0xecS\":[\"If you DO NOT unstake within \",[\"0\"],\" of unstake window, you will need to activate cooldown process again.\"],\"+EGVI0\":\"Receive (est.)\",\"+VR63W\":[\"Participating in this \",[\"symbol\"],\" reserve gives annualized rewards.\"],\"+bmKdK\":\"Use your AAVE, stkAAVE, or aAave balance to delegate your voting and proposition powers. You will not be sending any tokens, only the rights to vote and propose changes to the protocol. You can re-delegate or revoke power to self at any time.\",\"+eOPG+\":\"Seems like we can't switch the network automatically. Please check if you can change it from the wallet.\",\"+i3Pd2\":\"Borrow cap\",\"+kLZGu\":\"Supplied asset amount\",\"+nuEh/\":\"Estimated time\",\"+xMFF8\":\"Remind me\",\"/57U31\":\"Amount to migrate\",\"/7ykiW\":\"Borrowing this amount will reduce your health factor and increase risk of liquidation.\",\"/YA5pU\":\"E-Mode increases your LTV for a selected category of assets, meaning that when E-mode is enabled, you will have higher borrowing power over assets of the same E-mode category which are defined by Aave Governance. You can enter E-Mode from your <0>Dashboard. To learn more about E-Mode and applied restrictionn, see the <1>help guide or the <2>Aave V3 Technical Paper.\",\"/izjs/\":\"Minimum staked Aave amount\",\"/jQctM\":\"To\",\"/lDBHm\":\"FAQ\",\"/yNlZf\":\"Stable borrowing is not enabled\",\"/yQcJM\":\"Total worth\",\"00AB2i\":\"User did not borrow the specified currency\",\"00OflG\":\"There is not enough liquidity for the target asset to perform the switch. Try lowering the amount.\",\"08/rZ9\":\"The cooldown period is the time required prior to unstaking your tokens (20 days). You can only withdraw your assets from the Security Module after the cooldown period and within the unstake window.<0>Learn more\",\"0AmQcW\":\"Rate change\",\"0BF3yK\":\"Sorry, we couldn't find the page you were looking for.\",\"0TAbjq\":\"Recent Transactions\",\"0jhlyw\":\"Liquidation risk\",\"0ojY+Y\":\"Current v2 Balance\",\"0thX3P\":\"Collateral change\",\"0wGCWc\":\"This is the total amount that you are able to supply to in this reserve. You are able to supply your wallet balance up until the supply cap is reached.\",\"1AsVfF\":\"Price data is not currently available for this reserve on the protocol subgraph\",\"1LjK22\":\"Transaction history\",\"1Onqx8\":[\"Approving \",[\"symbol\"],\"...\"],\"1Ue8sX\":\"Please connect a wallet to view your personal information here.\",\"1bpx9A\":\"...\",\"1kWUB+\":\"Liquidation <0/> threshold\",\"1m9Qqc\":\"Withdrawing and Switching\",\"1oyh4g\":\"Borrow rate\",\"1t7rez\":\"Asset supply is limited to a certain amount to reduce protocol exposure to the asset and to help manage risks involved.\",\"2CAPu2\":\"You've successfully withdrew & switched tokens.\",\"2Eoi/a\":\"View details\",\"2FYpfJ\":\"More\",\"2O3qp5\":\"Available liquidity\",\"2OM8/D\":[\"Asset cannot be migrated due to supply cap restriction in \",[\"marketName\"],\" v3 market.\"],\"2Q4GU4\":\"Blocked Address\",\"2ZGocC\":\"Aave is a fully decentralized, community governed protocol by the AAVE token-holders. AAVE token-holders collectively discuss, propose, and vote on upgrades to the protocol. AAVE token-holders (Ethereum network only) can either vote themselves on new proposals or delagate to an address of choice. To learn more check out the Governance\",\"2a6G7d\":\"Please enter a valid wallet address.\",\"2bAhR7\":\"Meet GHO\",\"2eBWE6\":\"I acknowledge the risks involved.\",\"2o/xRt\":\"Supply cap on target reserve reached. Try lowering the amount.\",\"2uJToh\":[[\"0\"],[\"name\"]],\"2x58bP\":\"Stable borrowing is enabled\",\"34Qfwy\":\"Borrow cap is exceeded\",\"39eQRj\":[\"Borrow \",[\"symbol\"]],\"3BL1xB\":\"Total supplied\",\"3BnIWi\":\"Switched\",\"3K0oMo\":\"Remaining supply\",\"3MoZhl\":\"There is not enough collateral to cover a new borrow\",\"3Np5O8\":[\"Supply \",[\"symbol\"]],\"3O8YTV\":\"Total interest accrued\",\"3mXg0z\":\"Max LTV\",\"3q3mFy\":\"Repay\",\"3qsjtp\":\"The weighted average of APY for all supplied assets, including incentives.\",\"3rL+os\":\"You can only withdraw your assets from the Security Module after the cooldown period ends and the unstake window is active.\",\"42UgDM\":[\"Migrate to \",[\"0\"],\" v3 Market\"],\"49UFQA\":\"Voting results\",\"4DMZUI\":\"View Transactions\",\"4HtGBb\":\"MAX\",\"4Y5H+g\":\"Terms\",\"4YYh4d\":\"Maximum available to borrow\",\"4iPAI3\":\"Minimum GHO borrow amount\",\"4lDFps\":\"Sign to continue\",\"4wyw8H\":\"Transactions\",\"5JSSxX\":[\"Your \",[\"networkName\"],\" wallet is empty. Get free test assets at\"],\"5K7kGO\":\"documentation\",\"5NOSGa\":\"Debt ceiling limits the amount possible to borrow against this asset by protocol users. Debt ceiling is specific to assets in isolation mode and is denoted in USD.\",\"5Ncc6j\":[\"This asset has almost reached its supply cap. There can only be \",[\"messageValue\"],\" supplied to this market.\"],\"5cZ/KX\":\"Variable debt supply is not zero\",\"5che++\":\"To request access for this permissioned market, please visit: <0>Acces Provider Name\",\"5ctNdV\":[\"Minimum \",[\"0\"],\" received\"],\"5hDe9v\":\"Allowance required action\",\"5rsnKT\":\"Available rewards\",\"5yC5m5\":\"View all votes\",\"6/dCYd\":\"Overview\",\"60crCe\":\"All transactions\",\"62Xcjh\":\"Collateral\",\"65A04M\":\"Spanish\",\"6G8s+q\":\"Signing\",\"6Jrv+z\":[\"Repay \",[\"symbol\"]],\"6NGLTR\":\"Discountable amount\",\"6Xr0UU\":\"Cooling down...\",\"6bxci/\":\"Voting power\",\"6f8S68\":\"Markets\",\"6g1gi0\":\"Proposals\",\"6gvoHP\":\"Copy error message\",\"6h3Q5G\":\"repaid\",\"6lFSyT\":\"Available to Stake\",\"6s8L6f\":\"Switch Network\",\"6yAAbq\":\"APY, borrow rate\",\"70wH1Q\":\"APR\",\"72c5Qo\":\"Total\",\"73Auuq\":\"Discount parameters are decided by the Aave community and may be changed over time. Check Governance for updates and vote to participate. <0>Learn more\",\"75qcAQ\":[[\"stepName\"]],\"7ITr5L\":\"Health factor\",\"7T/o5R\":\"Reached\",\"7YlcXu\":\"Fork mode is ON\",\"7Z76Iw\":\"Borrowing is unavailable because you’re using Isolation mode. To manage Isolation mode visit your <0>Dashboard.\",\"7aKlMS\":\"Share on Lens\",\"7er5fP\":\"Claim all\",\"7hb2+s\":\"Time remaining until the withdraw period ends.\",\"7l88b8\":\"Data couldn't be fetched, please reload graph.\",\"7p5kLi\":\"Dashboard\",\"7sofdl\":\"Withdraw and Switch\",\"8+6BI0\":\"Be careful - You are very close to liquidation. Consider depositing more collateral or paying down some of your borrowed positions\",\"87pUEW\":[\"Your \",[\"name\"],\" wallet is empty. Purchase or transfer assets.\"],\"8F1i42\":\"Page not found\",\"8G8M0u\":\"Loading data...\",\"8Iu1QS\":\"withdrew\",\"8JL93T\":\"All proposals\",\"8Q51DU\":\"Add to wallet\",\"8X/oyn\":\"Invalid amount to mint\",\"8Z5FPv\":\"Disconnect Wallet\",\"8Zz7s5\":\"assets\",\"8aLW8H\":\"Balance to revoke\",\"8bOT3H\":\"Utilization Rate\",\"8sLe4/\":\"View contract\",\"8t/M0y\":\"Please connect your wallet to be able to bridge your tokens.\",\"8vETh9\":\"Show\",\"94OHPx\":\"You are entering Isolation mode\",\"9CDK3/\":[\"Borrowing is currently unavailable for \",[\"0\"],\".\"],\"9GIj3z\":\"Reserve Size\",\"9Knqb4\":\"Staking balance\",\"9OBKm7\":\"Quorum\",\"9QHoGr\":\"Current votes\",\"9Rw96f\":[\"This asset has almost reached its borrow cap. There is only \",[\"messageValue\"],\" available to be borrowed from this market.\"],\"9Xj/qR\":[\"Some migrated assets will not be used as collateral due to enabled isolation mode in \",[\"marketName\"],\" V3 Market. Visit <0>\",[\"marketName\"],\" V3 Dashboard to manage isolation mode.\"],\"9c6vDV\":\"This asset has reached its supply cap. Nothing is available to be supplied from this market.\",\"9kTWHA\":\"MAI has been paused due to a community decision. Supply, borrows and repays are impacted. <0>More details\",\"9lXchd\":\"Underlying token\",\"9rWaKF\":\"Bridged Via CCIP\",\"9xSooW\":\"Since this is a test network, you can get any of the assets if you have ETH on your wallet\",\"A/lwoe\":\"Choose one of the on-ramp services\",\"A6dCI6\":[\"Maximum amount available to borrow is <0/> \",[\"0\"],\" (<1/>).\"],\"AReoaV\":\"Your borrows\",\"ARu1L4\":\"Repaid\",\"AV7cGz\":\"Review approval tx details\",\"AZOjB8\":\"Fetching data...\",\"Ai0jas\":\"Join the community discussion\",\"Ajl2rq\":\"Borrowing power and assets are limited due to Isolation mode.\",\"AqgYNC\":\"Protocol borrow cap at 100% for this asset. Further borrowing unavailable.\",\"B3EcQR\":\"Thank you for voting!!\",\"B6aXGH\":\"Stable\",\"B9Gqbz\":\"Variable rate\",\"BDFEd+\":\"stETH supplied as collateral will continue to accrue staking rewards provided by daily rebases.\",\"BE2mP0\":\"Borrowed assets\",\"BJyN77\":\"Due to health factor impact, a flashloan is required to perform this transaction, but Aave Governance has disabled flashloan availability for this asset. Try lowering the amount or supplying additional collateral.\",\"BNL4Ep\":\"Collateral usage is limited because of isolation mode. <0>Learn More\",\"BQ/wCO\":\"Migrate your assets\",\"BjLdl1\":\"At a discount\",\"BnhYo8\":\"Asset category\",\"Bq9Y7e\":\"This asset is frozen due to an Aave community decision. <0>More details\",\"BqWMDJ\":\"Faucet\",\"BqynZO\":\"Optimized for efficiency and risk by supporting blue-chip collateral assets\",\"Bsu7zX\":\"The fee includes the gas cost to complete the transaction on the destination chain and the fee paid to Chainlink CCIP service providers. You can chose to pay in the network token or GHO. <0>Learn more\",\"BwJKBw\":\"of\",\"CDrsH+\":\"Techpaper\",\"CK1KXz\":\"Max\",\"CMHmbm\":\"Slippage\",\"CZXzs4\":\"Greek\",\"CcRNG6\":\"Switching\",\"CkTRmy\":[\"Claim \",[\"symbol\"]],\"CsqtLm\":\"Please connect your wallet to see migration tool.\",\"CtGlFb\":[[\"networkName\"],\" Faucet\"],\"Cxt2YY\":\"Watch wallet\",\"D33VQU\":\"This action will reduce health factor of V3 below liquidation threshold. Increase migrated collateral or reduce migrated borrow to continue.\",\"D9BLRG\":\"This asset has been paused due to a community decision. Supply, withdraw, borrows and repays are impacted.\",\"DAma/S\":\"Collateral is (mostly) the same currency that is being borrowed\",\"DCnFg0\":[\"Addresses (\",[\"0\"],\")\"],\"DG3Lv1\":\"I fully understand the risks of migrating.\",\"DONJcV\":\"The underlying asset cannot be rescued\",\"DR+4uL\":\"Supply balance after switch\",\"DWjrck\":[\"Asset cannot be migrated to \",[\"marketName\"],\" V3 Market due to E-mode restrictions. You can disable or manage E-mode categories in your <0>V3 Dashboard\"],\"Dj+3wB\":\"Aave per month\",\"DptNvx\":\"Amount Staked\",\"DuEq2K\":\"Collateralization\",\"DxfsGs\":\"You can report incident to our <0>Discord or<1>Github.\",\"Dzma+E\":\"Main Ethereum market with the largest selection of assets and yield options\",\"E/QGRL\":\"Disabled\",\"EBL9Gz\":\"COPIED!\",\"ES8dkb\":\"Fixed rate\",\"EZd3Dk\":[\"Restaking \",[\"symbol\"]],\"Ebgc76\":[\"Withdrawing \",[\"symbol\"]],\"EdQY6l\":\"None\",\"EjvKQ+\":\"Minimum USD value received\",\"Enslfm\":\"Destination\",\"EvE9nO\":[\"Reactivate cooldown period to unstake \",[\"0\"],\" \",[\"stakedToken\"]],\"EvECnL\":\"Migrate to v3\",\"EzMQbh\":\"The source chain time to finality is the main factor that determines the time to destination. <0>Learn more\",\"F40cwT\":\"Legacy Markets\",\"F6TdXL\":\"Learn more.\",\"FDDPeZ\":\"Users can stake their assets in the protocol and earn incentives. In the case of a shortfall event, your stake can be slashed to cover the deficit, providing an additional layer of protection for the protocol.\",\"FHlMf/\":\"Current v2 balance\",\"FHpxjF\":[\"Reserve factor is a percentage of interest which goes to a \",[\"0\"],\" that is controlled by Aave governance to promote ecosystem growth.\"],\"FOBZa6\":\"Borrow power used\",\"FPKEug\":\"Operation not supported\",\"FbmMe7\":\"Linked addresses\",\"Fdp03t\":\"on\",\"Fjw9N+\":\"Assets to supply\",\"FmN0fk\":\"Restake\",\"GDGLIs\":\"GHO is a native decentralized, collateral-backed digital asset pegged to USD. It is created by users via borrowing against multiple collateral. When user repays their GHO borrow position, the protocol burns that user's GHO. All the interest payments accrued by minters of GHO would be directly transferred to the AaveDAO treasury.\",\"GQrBTq\":\"Switch E-Mode\",\"GWswcZ\":\"This asset is frozen due to an Aave Protocol Governance decision. On the 20th of December 2022, renFIL will no longer be supported and cannot be bridged back to its native network. It is recommended to withdraw supply positions and repay borrow positions so that renFIL can be bridged back to FIL before the deadline. After this date, it will no longer be possible to convert renFIL to FIL. <0>More details\",\"GX8GKD\":\"Assets\",\"GgEj+0\":\"Read-only mode. Connect to a wallet to perform transactions.\",\"GjkIKV\":\"ends\",\"GoK/QN\":\"Thank you for submitting feedback!\",\"GtP2hp\":[\"Borrowing is unavailable because you’ve enabled Efficiency Mode (E-Mode) for \",[\"0\"],\" category. To manage E-Mode categories visit your <0>Dashboard.\"],\"H6Ma8Z\":\"Discount\",\"HB/wfS\":[[\"tooltipText\"]],\"HKDsQN\":\"Rewards can be claimed through\",\"Ha/U5f\":\"This is a program initiated and implemented by the decentralised ZKSync community. Aave Labs does not guarantee the program and accepts no liability.\",\"HciqKU\":\"This is a program initiated and implemented by the decentralised Aave community. Aave Labs does not guarantee the program and accepts no liability.\",\"Hi6Ttn\":\"Sorry, an unexpected error happened. In the meantime you may try reloading the page, or come back later.\",\"HkEDbS\":[[\"d\"],\"d\"],\"HmkYqM\":\"Unstake window\",\"HpK/8d\":\"Reload\",\"HrnC47\":\"Save and share\",\"HuVZMK\":\"Days\",\"HvJKMU\":[\"Asset cannot be migrated to \",[\"marketName\"],\" v3 Market since collateral asset will enable isolation mode.\"],\"Hvwnm9\":[\"Maximum amount available to supply is limited because protocol supply cap is at \",[\"0\"],\"%.\"],\"I8CX2c\":\"The total amount of your assets denominated in USD that can be used as collateral for borrowing assets.\",\"IAD2SB\":[\"Claiming \",[\"symbol\"]],\"IG9X9/\":\"Borrowing of this asset is limited to a certain amount to minimize liquidity pool insolvency.\",\"IOIx8L\":\"This asset is planned to be offboarded due to an Aave Protocol Governance decision. <0>More details\",\"IP+I/j\":\"Cooldown period\",\"IaA40H\":\"Liquidation at\",\"J/hVSQ\":[[\"0\"]],\"JCoxL6\":\"Manage analytics\",\"JK9zf1\":[\"Estimated compounding interest, including discount for Staking \",[\"0\"],\"AAVE in Safety Module.\"],\"JOqFba\":[\"Unstaking \",[\"symbol\"]],\"JPrLjO\":\"You can not use this currency as collateral\",\"JU6q+W\":\"Reward(s) to claim\",\"JYKRJS\":\"Stake\",\"JZMxX0\":\"Not enough balance on your wallet\",\"Jgflkm\":\"Get GHO\",\"JoMQnI\":\"Wallet balance\",\"JtwD8u\":\"Borrow balance after repay\",\"JumYTK\":\"Supplied assets\",\"K05qZY\":\"Withdraw & Switch\",\"KAz/NV\":\"Protocol debt ceiling is at 100% for this asset. Further borrowing against this asset is unavailable.\",\"KLXVqE\":[\"stETH tokens will be migrated to Wrapped stETH using Lido Protocol wrapper which leads to supply balance change after migration: \",[\"0\"]],\"KLd6ky\":\"Use connected account\",\"KRpokz\":\"VIEW TX\",\"KSlpka\":\"This represents the threshold at which a borrow position will be considered undercollateralized and subject to liquidation for each collateral. For example, if a collateral has a liquidation threshold of 80%, it means that the position will be liquidated when the debt value is worth 80% of the collateral value.\",\"KYAjf3\":\"Isolated\",\"KZwRuD\":[[\"notifyText\"]],\"KkPgim\":\"Switching E-Mode\",\"KnN1Tu\":\"Expires\",\"KoOBI2\":\"Due to internal stETH mechanics required for rebasing support, it is not possible to perform a collateral switch where stETH is the source token.\",\"KojyJ4\":\"Wrong Network\",\"KsqhWn\":\"Staking\",\"KuBTQq\":\"Enter ETH address\",\"KvG1xW\":\"Claiming\",\"L+8Lzs\":\"Current LTV\",\"L+qiq+\":\"Market\",\"LDzfVJ\":\"Send Feedback\",\"LIrMcF\":\"No voting power\",\"LL0zks\":\"Can be collateral\",\"LLdJWu\":\"Claimable AAVE\",\"LSIpNK\":\"Borrow and repay in same block is not allowed\",\"LVt3TI\":[\"<0>Slippage tolerance <1>\",[\"selectedSlippage\"],\"% <2>\",[\"0\"],\"\"],\"LjafV8\":\"Maximum collateral amount to use\",\"LtpQew\":\"Let us know how we can make the app better for you. For user support related inquiries please reach out on\",\"LvVpD/\":\"Emode\",\"M2sknc\":\"Tip: Try increasing slippage or reduce input amount\",\"M7wPsD\":\"Switch\",\"MFu33y\":\"Staking 00\",\"MIy2RJ\":\"Maximum amount received\",\"MZ/nQf\":\"Recipient address\",\"Ma/MtY\":\"staking view\",\"McHlGl\":\"APY change\",\"MeCCA+\":\"APY, variable\",\"MghdTe\":\"If the health factor goes below 1, the liquidation of your collateral might be triggered.\",\"Mm/DVQ\":\"You cancelled the transaction.\",\"MnE2QX\":\"Borrow info\",\"MrmQHg\":\"View Bridge Transactions\",\"MuDFEQ\":\"Invalid return value of the flashloan executor function\",\"N5kUMV\":\"Asset can be only used as collateral in isolation mode with limited borrowing power. To enter isolation mode, disable all other collateral.\",\"N6Pxr9\":\"View all\",\"NF0e1Q\":\"Pending...\",\"NK9ikO\":\"Wallet Balance\",\"NMt2CB\":\"Amount claimable\",\"NcFGxG\":\"Collector Contract\",\"NfpPeS\":\"Nothing staked\",\"Nh9DAo\":[[\"m\"],\"m\"],\"O+sCUU\":\"Unbacked mint cap is exceeded\",\"O+tyU+\":[\"Maximum amount available to borrow against this asset is limited because debt ceiling is at \",[\"0\"],\"%.\"],\"O3oNi5\":\"Email\",\"OFjZGo\":\"Unstake\",\"OR8cYX\":\"Proposal overview\",\"OYuJ9K\":\"Protocol debt ceiling is at 100% for this asset. Futher borrowing against this asset is unavailable.\",\"OfhWJH\":\"Reset\",\"Og2SKn\":\"disabled\",\"On0aF2\":\"Website\",\"OsyKSt\":\"Withdraw\",\"P1dURE\":\"Revoke power\",\"P2WCD/\":[\"Underlying asset does not exist in \",[\"marketName\"],\" v3 Market, hence this position cannot be migrated.\"],\"P2sL6B\":\"When a liquidation occurs, liquidators repay up to 50% of the outstanding borrowed amount on behalf of the borrower. In return, they can buy the collateral at a discount and keep the difference (liquidation penalty) as a bonus.\",\"P6sRoL\":\"Stake ABPT\",\"P72/OW\":\"The weighted average of APY for all borrowed assets, including incentives.\",\"P7e6Ug\":\"Please connect your wallet to view transaction history.\",\"PByO0X\":\"Votes\",\"PI+kVe\":\"Disable fork\",\"PJK9u/\":\"Borrow apy\",\"PLUB/s\":\"Fee\",\"PP5ZA8\":[\"Participating in staking \",[\"symbol\"],\" gives annualized rewards. Your wallet balance is the sum of your aTokens and underlying assets. The breakdown to stake is below\"],\"PcBUgb\":\"Liquidation threshold\",\"PjU6bu\":\"This asset is eligible for SPK incentive program. Aave Labs does not guarantee the program and accepts no liability.\",\"PpqD5g\":\"Enabling this asset as collateral increases your borrowing power and Health Factor. However, it can get liquidated if your health factor drops below 1.\",\"PsOFSf\":\"This action will reduce V2 health factor below liquidation threshold. retain collateral or migrate borrow position to continue.\",\"Pu4bI/\":[[\"currentMethod\"]],\"Q0LzKi\":\"View TX\",\"Q4eNqa\":\"The Aave Balancer Pool Token (ABPT) is a liquidity pool token. You can receive ABPT by depositing a combination of AAVE + wstETH in the Balancer liquidity pool. You can then stake your BPT in the Safety Module to secure the protocol and earn Safety Incentives.\",\"QQYsQ7\":\"Withdrawing\",\"QWYCs/\":\"Stake GHO\",\"R+30X3\":\"Not reached\",\"RCU5PY\":\"Age\",\"RIfckG\":[\"Disable \",[\"symbol\"],\" as collateral\"],\"RMtxNk\":\"Differential\",\"RNK49r\":\"Invalid signature\",\"RS0o7b\":\"State\",\"RU+LqV\":\"Proposal details\",\"RYTgZX\":\"lorem ipsum\",\"RbXH+k\":\"AAVE, GHO, and ABPT holders (Ethereum network only) can stake their assets in the Safety Module to add more security to the protocol and earn Safety Incentives. In the case of a shortfall event, your stake can be slashed to cover the deficit, providing an additional layer of protection for the protocol.\",\"RiSYV4\":\"Asset is not listed\",\"Rj01Fz\":\"Links\",\"RmWFEe\":\"Staking APR\",\"RoafuO\":\"Send feedback\",\"RtBLm7\":\"Health factor is lesser than the liquidation threshold\",\"RxzN1M\":\"Enabled\",\"SDav7h\":\"Funds in the Safety Module\",\"SENccp\":\"If the error continues to happen,<0/> you may report it to this\",\"SIWumd\":\"Show Frozen or paused assets\",\"SM58dD\":\"Amount in cooldown\",\"SSMiac\":\"Failed to load proposal voters. Please refresh the page.\",\"SSQVIz\":\"Liquidation Threshold\",\"SUb8x0\":\"Total available\",\"SWIgh4\":\"Fees exceed wallet balance\",\"SY9hVo\":\"Read-only mode allows to see address positions in Aave, but you won't be able to perform transactions.\",\"SZRUQ4\":\"Max slippage\",\"Sa1UE/\":\"Protocol borrow cap is at 100% for this asset. Further borrowing unavailable.\",\"Sk2zW9\":\"Disabling E-Mode\",\"SxaD0o\":\"Pool addresses provider is not registered\",\"T/AIqG\":\"Protocol supply cap at 100% for this asset. Further supply unavailable.\",\"T0xCO9\":\"Can't validate the wallet address. Try again.\",\"T4OhVl\":\"GHO balance\",\"T6uYU2\":\"Borrow\",\"TFxQlw\":\"Liquidation penalty\",\"TQ7WsV\":\"Available to stake\",\"TUI7iB\":\"Asset can only be used as collateral in isolation mode only.\",\"TbjyhA\":\"Docs\",\"TduuS0\":\"User does not have outstanding stable rate debt on this reserve\",\"TeCFg/\":\"Borrow rate change\",\"Tg1JyO\":\"Bridge history\",\"TskbEN\":\"Holders of stkAAVE receive a discount on the GHO borrowing rate\",\"TszKts\":\"Borrow balance after switch\",\"TtZL6q\":\"Discount model parameters\",\"TwJI9F\":\"Asset has been successfully sent to CCIP contract. You can check the status of the transactions below\",\"Tz0GSZ\":\"blocked activities\",\"U/eBjN\":\"Reload the page\",\"U2r8nY\":\"Choose how much voting/proposition power to give to someone else by delegating some of your AAVE, stkAAVE or aAave balance. Your tokens will remain in your account, but your delegate will be able to vote or propose on your behalf. If your AAVE, stkAAVE or aAave balance changes, your delegate's voting/proposition power will be automatically adjusted.\",\"U8IubP\":\"The app is running in testnet mode. Learn how it works in\",\"U9btTk\":\"Asset is not borrowable in isolation mode\",\"UAOZRe\":\"Price impact is the spread between the total value of the entry tokens switched and the destination tokens obtained (in USD), which results from the limited liquidity of the trading pair.\",\"UE3KJZ\":\"Transaction history is not currently available for this market\",\"URmyfc\":\"Details\",\"UTTKmT\":\"Stake cooldown activated\",\"UXeR72\":\"These funds have been borrowed and are not available for withdrawal at this time.\",\"UYb8CM\":\"Learn more about the SPK rewards\",\"UbRrG0\":\"The Maximum LTV ratio represents the maximum borrowing power of a specific collateral. For example, if a collateral has an LTV of 75%, the user can borrow up to 0.75 worth of ETH in the principal currency for every 1 ETH worth of collateral.\",\"UpndFj\":\"No rewards to claim\",\"V0f2Xv\":\"Reserve factor\",\"V1HK43\":\"Migration risks\",\"VATFH9\":\"Covered debt\",\"VHOVEJ\":\"Connect wallet\",\"VMfYUK\":\"Safety of your deposited collateral against the borrowed assets and its underlying value.\",\"VOAZJh\":\"Total borrows\",\"ViKYxK\":\"YAE\",\"W1SSoD\":\"Review tx details\",\"W5hVah\":\"Nothing supplied yet\",\"W5kTFy\":\"Voting\",\"W8ekPc\":\"Back to Dashboard\",\"WMPbRK\":\"Unbacked\",\"WNGZwH\":\"E-Mode increases your LTV for a selected category of assets up to<0/>. <1>Learn more\",\"WPWG/y\":\"Reserve status & configuration\",\"WZLQSU\":\"User cannot withdraw more than the available balance\",\"WaZyaV\":\"<0>Ampleforth is a rebasing asset. Visit the <1>documentation to learn more.\",\"WfU+XN\":\"Because this asset is paused, no actions can be taken until further notice\",\"Wjmqs2\":\"No results found. You can import a custom token with a contract address\",\"WkZ6C6\":\"To borrow you need to supply any asset to be used as collateral.\",\"WyMiQm\":\"You've successfully switched tokens.\",\"X/ITG9\":\"Copy error text\",\"X3Pp6x\":\"Used as collateral\",\"X4Zt7j\":\"Action cannot be performed because the reserve is paused\",\"XBdKOj\":\"Representative smart contract wallet (ie. Safe) addresses on other chains.\",\"XZzneG\":\"You will exit isolation mode and other tokens can now be used as collateral\",\"Xg5y9S\":\"Amount to Bridge\",\"Xn4hUi\":\"Please always be aware of your <0>Health Factor (HF) when partially migrating a position and that your rates will be updated to V3 rates.\",\"Xy71ST\":\"Umbrella\",\"Y5kGkc\":\"VOTE NAY\",\"YDIOks\":\"Enabling E-Mode\",\"YSodyW\":\"This action will reduce your health factor. Please be mindful of the increased risk of collateral liquidation.\",\"YXOWXM\":\"The total amount bridged minus CCIP fees. Paying in network token does not impact gho amount.\",\"YirHq7\":\"Feedback\",\"YogbCJ\":\"Testnet mode is ON\",\"YrDxdO\":\"If your loan to value goes above the liquidation threshold your collateral supplied may be liquidated.\",\"YyIM65\":\"Interest rate rebalance conditions were not met\",\"YyydIq\":[\"Add \",[\"0\"],\" to wallet to track your balance.\"],\"ZBvhI+\":\"Aave Governance\",\"ZIIRAd\":\"Raw-Ipfs\",\"ZRq4tX\":\"Efficiency mode (E-Mode)\",\"ZSqEW+\":\"Manage E-Mode\",\"ZUFYFE\":\"Disable testnet\",\"Zbyywy\":\"Max slashing\",\"ZfUGFb\":\"Before supplying\",\"ZiXN+B\":\"Assets to stake\",\"ZlsSDH\":\"Liquidation value\",\"ZrEc8j\":\"We couldn't find any assets related to your search. Try again with a different asset name, symbol, or address.\",\"ZsLF7e\":\"enabled\",\"a0YQoQ\":\"Enter a valid address\",\"a2fBZn\":\"Time left to unstake\",\"a5RYZd\":\"Disabling this asset as collateral affects your borrowing power and Health Factor.\",\"a7u1N9\":\"Price\",\"a9D+6D\":\"Unstaked\",\"aEtiwq\":\"Vote NAY\",\"aMmFE1\":\"Buy Crypto With Fiat\",\"aOKIms\":\"Array parameters that should be equal length are not\",\"aX31hk\":\"Your balance is lower than the selected amount.\",\"adUsDd\":\"An error has occurred fetching the proposal.\",\"al6Pyz\":\"Exceeds the discount\",\"aoXTT7\":\"Borrow APY, variable\",\"aqX1Yp\":\"This asset is eligible for rewards through SuperFest. Aave Labs does not guarantee the program and accepts no liability.\",\"avgETN\":\"Eligible for the Merit program.\",\"b4NS3e\":\"Cooldown period warning\",\"bNEQeI\":\"Cooldown\",\"bSruit\":\"ZKSync Ignite Program rewards are claimed through the\",\"bUUVED\":\"Asset\",\"bXQ/Og\":\"Share on twitter\",\"bXr0ee\":\"Isolated assets have limited borrowing power and other assets cannot be used as collateral.\",\"bYmAV1\":\"Addresses\",\"bguKoJ\":\"The requested amount is greater than the max loan size in stable rate mode\",\"bwSQI0\":\"Supply\",\"bxN6EM\":\"Cannot disable E-Mode\",\"bxmzSh\":\"Not enough collateral to repay this amount of debt with\",\"c91vuQ\":\"Address is not a contract\",\"c97os2\":\"Aave aToken\",\"c9b44w\":\"You can not withdraw this amount because it will cause collateral call\",\"cBc+4A\":\"This is the total amount available for you to borrow. You can borrow based on your collateral and until the borrow cap is reached.\",\"cIl5kp\":\"Your voting power is based on your AAVE/stkAAVE balance and received delegations.\",\"cLo09S\":\"Risk details\",\"cNT+ij\":\"Borrowing is unavailable because you’ve enabled Efficiency Mode (E-Mode) and Isolation mode. To manage E-Mode and Isolation mode visit your <0>Dashboard.\",\"cZOeBk\":\"Something went wrong fetching bridge message, please try again later.\",\"ceix5S\":\"To submit a proposal for minor changes to the protocol, you'll need at least 80.00K power. If you want to change the core code base, you'll need 320k power.<0>Learn more.\",\"ciSsYT\":\"Staking APY\",\"ciybUa\":\"Vote YAE\",\"ckf7gX\":[\"Repaying \",[\"symbol\"]],\"cp1ZDP\":[\"Bridge \",[\"symbol\"]],\"cqnmnD\":\"Effective interest rate\",\"cqwIvs\":\"Forum discussion\",\"csDS2L\":\"Available\",\"cu7Stb\":\"You did not participate in this proposal\",\"dE6BLF\":\"Governance\",\"dEgA5A\":\"Cancel\",\"dIsyWh\":\"Ltv validation failed\",\"dMtLDE\":\"to\",\"dOB5nW\":[\"Maximum amount available to supply is <0/> \",[\"0\"],\" (<1/>).\"],\"dVfODp\":\"You don’t have enough funds in your wallet to repay the full amount. If you proceed to repay with your current amount of funds, you will still have a small borrowing position in your dashboard.\",\"dXUQFX\":\"Assets to borrow\",\"dgr1aY\":\"Borrowing is disabled due to an Aave community decision. <0>More details\",\"djsg0o\":\"Collateral usage\",\"dpc0qG\":\"Variable\",\"drdV8R\":\"Liquidation\",\"dxW8cS\":\"Aave debt token\",\"e4V3oW\":\"Top 10 addresses\",\"eD8WX/\":\"Action requires an active reserve\",\"eJRJ04\":\"Amount to unstake\",\"eLh0cL\":\"Slippage is the difference between the quoted and received amounts from changing market conditions between the moment the transaction is submitted and its verification.\",\"ePK91l\":\"Edit\",\"eVpCmf\":\"Staking Rewards\",\"eVqvtf\":\"Bridge GHO\",\"eYdurp\":\"No transactions yet.\",\"ebLGGN\":\"Total borrowed\",\"ecqEvn\":\"The collateral balance is 0\",\"efdrrk\":\"Available on\",\"enruNF\":\"starts\",\"eqLYiD\":\"Unstake now\",\"euScGB\":\"APY with discount applied\",\"evw5ha\":\"Net worth\",\"ezcU16\":\"Get ABP Token\",\"f3W0Ej\":[\"You switched to \",[\"0\"],\" rate\"],\"fH9i8k\":\"You've successfully switched borrow position.\",\"fHcELk\":\"Net APR\",\"fMJQZK\":\"Borrowed\",\"fZ5Vnu\":\"Received\",\"firl9Q\":\"Your current loan to value based on your collateral supplied.\",\"flRCF/\":\"Staking discount\",\"fldjW9\":\"Preview tx and migrate\",\"fsBGk0\":\"Balance\",\"fu1Dbh\":[\"Withdraw \",[\"symbol\"]],\"fwjWSI\":\"Supplied\",\"fwyTMb\":\"Migrate to stkABPT v2\",\"g0mals\":\"You can not disable E-Mode because that could cause liquidation. To exit E-Mode supply or repay borrowed positions.\",\"g2UNkE\":\"Powered by\",\"g8KGoA\":\"FAQS\",\"g9zzqS\":\"Voted NAY\",\"gDd2gk\":\"about SuperFest.\",\"gFFh9h\":\"All done!\",\"gIMJlW\":\"Testnet mode\",\"gOzPxe\":\"This asset is frozen due to an Aave Protocol Governance decision. <0>More details\",\"gTHi2T\":\"User is trying to borrow multiple assets including a siloed one\",\"gVW59Y\":\"Please connect your wallet to get free testnet assets.\",\"gcFNxP\":\"Approve Confirmed\",\"gncRUO\":\"This address is blocked on app.aave.com because it is associated with one or more\",\"goff7V\":\"Zero address not valid\",\"gp+f1B\":\"Version 3\",\"gr8mYw\":\"You may borrow up to <0/> GHO at <1/> (max discount)\",\"gvTM4B\":\"Net APY is the combined effect of all supply and borrow positions on net worth, including incentives. It is possible to have a negative net APY if debt APY is higher than supply APY.\",\"gzcch9\":\"Invalid bridge protocol fee\",\"h33MxW\":\"Representing smart contract wallet (ie. Safe) addresses on other chains.\",\"h3ilK+\":\".CSV\",\"hB23LY\":\"Activate Cooldown\",\"hIJzBh\":\"Available to Claim\",\"hIS4N0\":\"Net APY\",\"hRWvpI\":\"Claimed\",\"hdmy/o\":\"The % of your total borrowing power used. This is based on the amount of your collateral supplied and the total amount that you can borrow.\",\"hehnjM\":\"Amount\",\"hjDCQr\":\"There was some error. Please try changing the parameters or <0><1>copy the error\",\"hom7qf\":\"Claim\",\"hpHJ4I\":\"Liquidated collateral\",\"hpuVIp\":\"Users who stake AAVE in Safety Module (i.e. stkAAVE holders) receive a discount on GHO borrow interest rate.\",\"huQ6Tz\":[\"Borrowing \",[\"symbol\"]],\"hxi7vE\":\"Borrow balance\",\"i/fZ2Z\":\"Staked Balance\",\"i2JTiw\":\"You may enter a custom amount in the field.\",\"iB5+/J\":\"About GHO\",\"iChbOF\":\"Inconsistent flashloan parameters\",\"iEPVHF\":\"Not enough voting power to participate in this proposal\",\"iEW87X\":\"Delegated power\",\"iEju36\":[\"You voted \",[\"0\"]],\"iFq2YN\":\"Borrowable\",\"iGxyIA\":\"Safety Module\",\"iMVZk9\":\"Select slippage tolerance\",\"iPMIoT\":\"Enter an amount\",\"iSLIjg\":\"Connect\",\"iUo5rv\":\"tokens is not the same as staking them. If you wish to stake your\",\"iZxa38\":\"Use it to vote for or against active proposals.\",\"if5PH+\":\"Collector Info\",\"igkfR1\":[\"In Isolation mode, you cannot supply other assets as collateral. A global debt ceiling limits the borrowing power of the isolated asset. To exit isolation mode disable \",[\"0\"],\" as collateral before borrowing another asset. Read more in our <0>FAQ\"],\"il0sEG\":\"Collateral usage is limited because of Isolation mode.\",\"j+K1Xj\":\"Amount After Fee\",\"jA2QeW\":\"Supplying your\",\"jFi7dz\":\"Interest rate that is determined by Aave Governance. This rate may be changed over time depending on the need for the GHO supply to contract/expand. <0>Learn more\",\"jG3UJ7\":\"Disable E-Mode\",\"jKYzR1\":\"Enable E-Mode\",\"jMam5g\":[[\"0\"],\" Balance\"],\"jSYv+Z\":\"Enabling E-Mode allows you to maximize your borrowing power, however, borrowing is restricted to assets within the selected category. <0>Learn more about how it works and the applied restrictions.\",\"jaKbwW\":[[\"s\"],\"s\"],\"jbFMap\":\"Cooldown time left\",\"jeMZNr\":[[\"0\"],\" on-ramp service is provided by External Provider and by selecting you agree to Terms of the Provider. Your access to the service might be reliant on the External Provider being operational.\"],\"jfl9OP\":\"Migrated\",\"jmXdoY\":\"In E-Mode some assets are not borrowable. Exit E-Mode to get access to all assets\",\"jpctdh\":\"View\",\"jqzUyM\":\"Unavailable\",\"k/sb6z\":\"Select language\",\"k3wP3f\":\"<0>Attention: Parameter changes via governance can alter your account health factor and risk of liquidation. Follow the <1>Aave governance forum for updates.\",\"kACpF3\":[\"Claim \",[\"0\"]],\"kH6wUX\":\"Price impact\",\"kIC28N\":\"Available to claim\",\"kIpSye\":[[\"numSelected\"],\"/\",[\"numAvailable\"],\" assets selected\"],\"kN1Yg5\":\"To repay on behalf of a user an explicit amount to repay is needed\",\"kRTD40\":[\"Repayment amount to reach \",[\"0\"],\"% utilization\"],\"kjN9tT\":\"Supply cap is exceeded\",\"knxE+G\":\".JSON\",\"ks2LWT\":\"Debt ceiling is not zero\",\"kwwn6i\":\"Users who stake AAVE in Safety Module (i.e. stkAAVE holders) receive a discount on GHO borrow interest rate. The discount applies to 100 GHO for every 1 stkAAVE held. Use the calculator below to see GHO borrow rate with the discount applied.\",\"kz3wtK\":\"and about SPK program\",\"kzZyM4\":\"DAI balance will be converted via DSR contracts and then supplied as sDAI. Switching incurs no additional costs and no slippage.\",\"lNVG7i\":\"Select an asset\",\"lU2d1/\":[\"Asset cannot be migrated due to insufficient liquidity or borrow cap limitation in \",[\"marketName\"],\" v3 market.\"],\"lVhKKI\":\"Voted YAE\",\"lWLqxB\":\"We couldn't find any transactions related to your search. Try again with a different asset name, or reset filters.\",\"lYGfRP\":\"English\",\"lfEjIE\":\"Learn more in our <0>FAQ guide\",\"lt6bpt\":\"Collateral to repay with\",\"m/IEhi\":\"Total emission per day\",\"m7r7Hh\":\"Selected borrow assets\",\"mDDK4p\":\"Balancer Pool\",\"mIM0qu\":\"Expected amount to repay\",\"mUAFd6\":\"Version 2\",\"masO5Z\":\"E-Mode increases your LTV for a selected category of assets. <0>Learn more\",\"mdNjKU\":[\"Your \",[\"name\"],\" wallet is empty. Purchase or transfer assets or use <0>\",[\"0\"],\" to transfer your \",[\"network\"],\" assets.\"],\"muiOng\":[\"Buy \",[\"cryptoSymbol\"],\" with Fiat\"],\"mvCXBY\":\"Stake AAVE\",\"mwdzil\":\"Ok, Close\",\"mzI/c+\":\"Download\",\"mzdIia\":\"Asset cannot be used as collateral.\",\"n+SX4g\":\"Developers\",\"n8Psk4\":\"We couldn’t detect a wallet. Connect a wallet to stake and view your balance.\",\"nJIhzm\":\"Supply apy\",\"nJgsQu\":\"With a voting power of <0/>\",\"nLC6tu\":\"French\",\"nN2T8p\":\"During the cooldown period, you will not earn any merit rewards. However, rewards earned up to this point will remain unaffected.\",\"nNHV0z\":\"Migrating multiple collaterals and borrowed assets at the same time can be an expensive operation and might fail in certain situations.<0>Therefore it’s not recommended to migrate positions with more than 5 assets (deposited + borrowed) at the same time.\",\"nNbnzu\":\"Proposition\",\"nOy4ob\":\"We suggest you go back to the Dashboard.\",\"nPGNMh\":\"Can be executed\",\"nUK1ou\":[\"Assets with zero LTV (\",[\"0\"],\") must be withdrawn or disabled as collateral to perform this action\"],\"nakd8r\":\"stkAAVE holders get a discount on GHO borrow rate\",\"nh2EJK\":[\"Please switch to \",[\"networkName\"],\".\"],\"njBeMm\":\"Both\",\"noN5Xf\":\"We couldn’t detect a wallet. Connect a wallet to view your staking positions and rewards.\",\"ntkAoE\":\"Discount applied for <0/> staking AAVE\",\"ntyFSE\":[[\"h\"],\"h\"],\"nwtY4N\":\"Something went wrong\",\"nxyWvj\":\"Withdrawing this amount will reduce your health factor and increase risk of liquidation.\",\"o17QVP\":\"Your health factor and loan to value determine the assurance of your collateral. To avoid liquidations you can supply more collateral or repay borrow positions.\",\"o1xc2V\":\"AToken supply is not zero\",\"o4tCu3\":\"Borrow APY\",\"o5ooMr\":\"Debt\",\"o7J4JM\":\"Filter\",\"oHFrpj\":\"Cooldown to unstake\",\"oJ5ZiG\":\"User does not have outstanding variable rate debt on this reserve\",\"oRBGin\":\"Please connect your wallet to be able to switch your tokens.\",\"oUwXhx\":\"Test Assets\",\"oWklJD\":\"Stable interest rate will <0>stay the same for the duration of your loan. Recommended for long-term loan periods and for users who prefer predictability.\",\"odnIK3\":\"Time remaining until the 48 hour withdraw period starts.\",\"oiK5nY\":\"The current incentives period, decided on by the Aave community, has ended. Governance is in the process on renewing, check for updates. <0>Learn more.\",\"olREoo\":\"All borrow positions outside of this category must be closed to enable this category.\",\"om/XHs\":\"Available to supply\",\"ov0+mq\":\"Eligible for the ZKSync Ignite program.\",\"ovT1pF\":[\"Per the community, the \",[\"market\"],\" has been frozen.\"],\"ow3fug\":\"Nothing found\",\"owSsI3\":\"Signatures ready\",\"p+R52m\":\"Go to Balancer Pool\",\"p2A+s1\":[\"The cooldown period is \",[\"0\"],\". After \",[\"1\"],\" of cooldown, you will enter unstake window of \",[\"2\"],\". You will continue receiving rewards during cooldown and unstake window.\"],\"p2S64u\":\"The loan to value of the migrated positions would cause liquidation. Increase migrated collateral or reduce migrated borrow to continue.\",\"p2Z2Qi\":\"This asset has reached its borrow cap. Nothing is available to be borrowed from this market.\",\"p3j+mb\":\"Your reward balance is 0\",\"p45alK\":\"Set up delegation\",\"p6u2s1\":\"Minimum amount of debt to be repaid\",\"pDgeaz\":[[\"title\"]],\"pdZqBk\":\"The underlying balance needs to be greater than 0\",\"pgWG9H\":\"Not enough staked balance\",\"piPrJ7\":\"please check that the amount you want to supply is not currently being used for staking. If it is being used for staking, your transaction might fail.\",\"pjO/iH\":\"Minimum amount received\",\"pooutM\":\"Voting is on\",\"pqaM5s\":\"Confirming transaction\",\"ptaxX3\":[\"I understand how cooldown (\",[\"0\"],\") and unstaking (\",[\"1\"],\") work\"],\"py2iiY\":\"The caller of this function must be a pool\",\"q/51mF\":\"Migrate to V3\",\"q3df11\":\"Interest rate strategy\",\"q6lAbz\":\"Staked\",\"qB4kPi\":\"Supply APY\",\"qENI8q\":\"Global settings\",\"qGz5zl\":\"Collateral balance after repay\",\"qIW9ZH\":\"Amount staked\",\"qOqbD6\":\"copy the error\",\"qXCkEM\":\"Please connect your wallet to see your supplies, borrowings, and open positions.\",\"qY2jnw\":\"Invalid expiration\",\"qf/fr+\":\"Interest accrued\",\"quYPUU\":\"Variable interest rate will <0>fluctuate based on the market conditions.\",\"quzIeW\":\"User is in isolation mode or LTV is zero\",\"qvnz3q\":\"Invalid amount to burn\",\"rHgdb0\":\"Migrate to Aave V3\",\"rOrHHe\":\"Amount must be greater than 0\",\"rQ+R+0\":\"Selected supply assets\",\"rSayea\":\"APY\",\"rTBDeu\":[\"Asset cannot be migrated because you have isolated collateral in \",[\"marketName\"],\" v3 Market which limits borrowable assets. You can manage your collateral in <0>\",[\"marketName\"],\" V3 Dashboard\"],\"rcT+yy\":\"Show assets with 0 balance\",\"rf8POi\":\"Borrowed asset amount\",\"riNWOA\":\"E-Mode\",\"rjGI/Q\":\"Privacy\",\"rnKPW1\":\"Watch a wallet balance in read-only mode\",\"ruc7X+\":\"Add stkAAVE to see borrow APY with the discount\",\"rvbaFU\":[\"Bridging \",[\"symbol\"]],\"rwVVB7\":\"Claim all rewards\",\"rwyUva\":\"These assets are temporarily frozen or paused by Aave community decisions, meaning that further supply / borrow, or rate swap of these assets are unavailable. Withdrawals and debt repayments are allowed. Follow the <0>Aave governance forum for further updates.\",\"rxJW5W\":\"Your proposition power is based on your AAVE/stkAAVE balance and received delegations.\",\"s2jJnW\":\"You don't have any bridge transactions\",\"s5wBAq\":[\"Unstake \",[\"symbol\"]],\"sJbIdI\":\"Enter ETH address or ENS\",\"sK+Nag\":\"Review tx\",\"sP2+gB\":\"NAY\",\"sQv06Y\":\"for\",\"sTtO6J\":\"Confirm transaction\",\"sXKb3l\":\"Exchange rate\",\"sb0q4+\":\"You unstake here\",\"smJNwH\":\"Available to borrow\",\"solypO\":\"Health factor is not below the threshold\",\"sr0UJD\":\"Go Back\",\"ss5GCK\":\"The address of the pool addresses provider is invalid\",\"swEgK4\":\"Your voting info\",\"t+wtgf\":\"Nothing borrowed yet\",\"t/YqKh\":\"Remove\",\"t81DpC\":[\"Approve \",[\"symbol\"],\" to continue\"],\"tCnbEs\":\"Oracle price\",\"tFZLf8\":\"This gas calculation is only an estimation. Your wallet will set the price of the transaction. You can modify the gas settings directly from your wallet provider.\",\"tHuvQI\":\"Go to V3 Dashboard\",\"tKv7cI\":\"Switch borrow position\",\"tOcg3N\":\"Since this asset is frozen, the only available actions are withdraw and repay which can be accessed from the <0>Dashboard\",\"tOuXfv\":[\"Borrow amount to reach \",[\"0\"],\"% utilization\"],\"te9Bfl\":\"Please, connect your wallet\",\"tt5yma\":\"Your supplies\",\"ttoh5c\":\"Switch to\",\"u3ZeYl\":\"Transaction failed\",\"u706uF\":\"Invalid flashloan premium\",\"u8Gfu7\":[\"No search results\",[\"0\"]],\"uAQUqI\":\"Status\",\"uHMwk8\":\"No assets selected to migrate.\",\"uJPHuY\":\"Migrating\",\"uY8O30\":\"To continue, you need to grant Aave smart contracts permission to move your funds from your wallet. Depending on the asset and wallet you use, it is done by signing the permission message (gas free), or by submitting an approval transaction (requires gas). <0>Learn more\",\"udFheE\":\"For repayment of a specific type of debt, the user needs to have debt that type\",\"ulNuNq\":\"Export data to\",\"ulup2p\":\"Buy Crypto with Fiat\",\"umICAY\":\"<0><1><2/>Add stkAAVE to see borrow rate with discount\",\"usB84Z\":\"Maximum amount available to borrow is limited because protocol borrow cap is nearly reached.\",\"uwAUvj\":\"COPY IMAGE\",\"v8x7Mg\":\"Insufficient collateral to cover new borrow position. Wallet must have borrowing power remaining to perform debt switch.\",\"vEqxH9\":\"Restaked\",\"vLyv1R\":\"Hide\",\"vMba49\":\"Borrowing is not enabled\",\"vMpNwt\":\"Approve with\",\"vXIe7J\":\"Language\",\"vesuBJ\":\"Allows you to decide whether to use a supplied asset as collateral. An asset used as collateral will affect your borrowing power and health factor.\",\"w+V9Cx\":\"Stablecoin\",\"w/JtJ3\":\"Stable debt supply is not zero\",\"w4VBY+\":\"Rewards APR\",\"w9dLMW\":[[\"label\"]],\"wAOL+X\":[\"You \",[\"action\"],\" <0/> \",[\"symbol\"]],\"wBIsjb\":\"Discord channel\",\"wQZbc/\":\"The caller of the function is not an AToken\",\"wRRqvW\":\"You do not have supplies in this currency\",\"wZFvVU\":\"VOTE YAE\",\"wb/r1O\":[\"Faucet \",[\"0\"]],\"wdxz7K\":\"Source\",\"weH1nG\":\"The Aave Protocol is programmed to always use the price of 1 GHO = $1. This is different from using market pricing via oracles for other crypto assets. This creates stabilizing arbitrage opportunities when the price of GHO fluctuates.\",\"wh7Ezv\":\"You have no AAVE/stkAAVE/aAave balance to delegate.\",\"wlsIx7\":\"With testnet Faucet you can get free assets to test the Aave Protocol. Make sure to switch your wallet provider to the appropriate testnet network, select desired asset, and click ‘Faucet’ to get tokens transferred to your wallet. The assets on a testnet are not “real,” meaning they have no monetary value. <0>Learn more\",\"wmE285\":\"Get ABP v2 Token\",\"wyRrcJ\":\"As a result of governance decisions, this ABPT staking pool is now deprecated. You have the flexibility to either migrate all of your tokens to v2 or unstake them without any cooldown period.\",\"x5KiLL\":\"Selected assets have successfully migrated. Visit the Market Dashboard to see them.\",\"x7F2p6\":\"Current differential\",\"x7K5ib\":[\"Your \",[\"networkName\"],\" wallet is empty. Get free test \",[\"0\"],\" at\"],\"x9iLRD\":\"tokens, please go to the\",\"xNy/UG\":\"Repay with\",\"xPm8wv\":\"Learn more about risks involved\",\"xXYpZl\":[[\"0\"],\" Faucet\"],\"xaVBSS\":\"Your info\",\"xaWZ6f\":\"APY type change\",\"xh6k71\":\"Collateral usage is limited because of isolation mode.\",\"xvIklc\":\"Flashloan is disabled for this asset, hence this position cannot be migrated.\",\"y5rS9U\":\"Migrate\",\"y66tBm\":[\"Enable \",[\"symbol\"],\" as collateral\"],\"yB1YpA\":\"Dark mode\",\"yCrG6m\":\"Total market size\",\"yJUUbn\":\"Transaction overview\",\"yLGmLX\":[\"Restake \",[\"symbol\"]],\"yW1oWB\":\"APY type\",\"yYHqJe\":\"Not a valid address\",\"yZwLw6\":\"Track wallet\",\"yh2sjd\":[\"Price impact \",[\"0\"],\"%\"],\"yhvj6d\":\"You can not switch usage as collateral mode for this currency, because it will cause collateral call\",\"ylmtBZ\":\"The app is running in fork mode.\",\"ymNY32\":[\"There are not enough funds in the\",[\"0\"],\"reserve to borrow\"],\"yz7wBu\":\"Close\",\"z4uGQg\":\"Debt ceiling is exceeded\",\"z5UQOM\":\"The collateral chosen cannot be liquidated\",\"z5Y+p6\":[\"Supplying \",[\"symbol\"]],\"zCjNKs\":\"Action cannot be performed because the reserve is frozen\",\"zRHytX\":\"Isolated Debt Ceiling\",\"zTOjMP\":\"Protocol supply cap is at 100% for this asset. Further supply unavailable.\",\"zVdRUG\":\"Submission did not work, please try again later or contact wecare@avara.xyz\",\"zevmS2\":\"<0><1><2/>Add <3/> stkAAVE to borrow at <4/> (max discount)\",\"zgtIDV\":\"Remaining debt\",\"zmTPiV\":\"Supply balance\",\"zpPbZl\":\"Liquidation risk parameters\",\"zucql+\":\"Menu\",\"zwWKhA\":\"Learn more\",\"zy9fXn\":[\"Asset is frozen in \",[\"marketName\"],\" v3 market, hence this position cannot be migrated.\"],\"zys+R6\":\"Be mindful of the network congestion and gas prices.\",\"zzzTXS\":\"Merit Program rewards are claimed through the\"}")}; \ No newline at end of file +/*eslint-disable*/module.exports={messages:JSON.parse("{\"+0xecS\":[\"If you DO NOT unstake within \",[\"0\"],\" of unstake window, you will need to activate cooldown process again.\"],\"+EGVI0\":\"Receive (est.)\",\"+VR63W\":[\"Participating in this \",[\"symbol\"],\" reserve gives annualized rewards.\"],\"+bmKdK\":\"Use your AAVE, stkAAVE, or aAave balance to delegate your voting and proposition powers. You will not be sending any tokens, only the rights to vote and propose changes to the protocol. You can re-delegate or revoke power to self at any time.\",\"+eOPG+\":\"Seems like we can't switch the network automatically. Please check if you can change it from the wallet.\",\"+i3Pd2\":\"Borrow cap\",\"+kLZGu\":\"Supplied asset amount\",\"+nuEh/\":\"Estimated time\",\"+xMFF8\":\"Remind me\",\"/57U31\":\"Amount to migrate\",\"/7ykiW\":\"Borrowing this amount will reduce your health factor and increase risk of liquidation.\",\"/YA5pU\":\"E-Mode increases your LTV for a selected category of assets, meaning that when E-mode is enabled, you will have higher borrowing power over assets of the same E-mode category which are defined by Aave Governance. You can enter E-Mode from your <0>Dashboard. To learn more about E-Mode and applied restrictionn, see the <1>help guide or the <2>Aave V3 Technical Paper.\",\"/izjs/\":\"Minimum staked Aave amount\",\"/jQctM\":\"To\",\"/lDBHm\":\"FAQ\",\"/yNlZf\":\"Stable borrowing is not enabled\",\"/yQcJM\":\"Total worth\",\"00AB2i\":\"User did not borrow the specified currency\",\"00OflG\":\"There is not enough liquidity for the target asset to perform the switch. Try lowering the amount.\",\"08/rZ9\":\"The cooldown period is the time required prior to unstaking your tokens (20 days). You can only withdraw your assets from the Security Module after the cooldown period and within the unstake window.<0>Learn more\",\"0AmQcW\":\"Rate change\",\"0BF3yK\":\"Sorry, we couldn't find the page you were looking for.\",\"0TAbjq\":\"Recent Transactions\",\"0jhlyw\":\"Liquidation risk\",\"0ojY+Y\":\"Current v2 Balance\",\"0thX3P\":\"Collateral change\",\"0wGCWc\":\"This is the total amount that you are able to supply to in this reserve. You are able to supply your wallet balance up until the supply cap is reached.\",\"1AsVfF\":\"Price data is not currently available for this reserve on the protocol subgraph\",\"1LjK22\":\"Transaction history\",\"1Onqx8\":[\"Approving \",[\"symbol\"],\"...\"],\"1Ue8sX\":\"Please connect a wallet to view your personal information here.\",\"1bpx9A\":\"...\",\"1kWUB+\":\"Liquidation <0/> threshold\",\"1m9Qqc\":\"Withdrawing and Switching\",\"1oyh4g\":\"Borrow rate\",\"1t7rez\":\"Asset supply is limited to a certain amount to reduce protocol exposure to the asset and to help manage risks involved.\",\"2CAPu2\":\"You've successfully withdrew & switched tokens.\",\"2Eoi/a\":\"View details\",\"2FYpfJ\":\"More\",\"2O3qp5\":\"Available liquidity\",\"2OM8/D\":[\"Asset cannot be migrated due to supply cap restriction in \",[\"marketName\"],\" v3 market.\"],\"2Q4GU4\":\"Blocked Address\",\"2ZGocC\":\"Aave is a fully decentralized, community governed protocol by the AAVE token-holders. AAVE token-holders collectively discuss, propose, and vote on upgrades to the protocol. AAVE token-holders (Ethereum network only) can either vote themselves on new proposals or delagate to an address of choice. To learn more check out the Governance\",\"2a6G7d\":\"Please enter a valid wallet address.\",\"2bAhR7\":\"Meet GHO\",\"2eBWE6\":\"I acknowledge the risks involved.\",\"2o/xRt\":\"Supply cap on target reserve reached. Try lowering the amount.\",\"2uJToh\":[[\"0\"],[\"name\"]],\"2x58bP\":\"Stable borrowing is enabled\",\"34Qfwy\":\"Borrow cap is exceeded\",\"39eQRj\":[\"Borrow \",[\"symbol\"]],\"3BL1xB\":\"Total supplied\",\"3BnIWi\":\"Switched\",\"3K0oMo\":\"Remaining supply\",\"3MoZhl\":\"There is not enough collateral to cover a new borrow\",\"3Np5O8\":[\"Supply \",[\"symbol\"]],\"3O8YTV\":\"Total interest accrued\",\"3mXg0z\":\"Max LTV\",\"3q3mFy\":\"Repay\",\"3qsjtp\":\"The weighted average of APY for all supplied assets, including incentives.\",\"3rL+os\":\"You can only withdraw your assets from the Security Module after the cooldown period ends and the unstake window is active.\",\"42UgDM\":[\"Migrate to \",[\"0\"],\" v3 Market\"],\"49UFQA\":\"Voting results\",\"4DMZUI\":\"View Transactions\",\"4HtGBb\":\"MAX\",\"4Y5H+g\":\"Terms\",\"4YYh4d\":\"Maximum available to borrow\",\"4iPAI3\":\"Minimum GHO borrow amount\",\"4lDFps\":\"Sign to continue\",\"4wyw8H\":\"Transactions\",\"5JSSxX\":[\"Your \",[\"networkName\"],\" wallet is empty. Get free test assets at\"],\"5K7kGO\":\"documentation\",\"5NOSGa\":\"Debt ceiling limits the amount possible to borrow against this asset by protocol users. Debt ceiling is specific to assets in isolation mode and is denoted in USD.\",\"5Ncc6j\":[\"This asset has almost reached its supply cap. There can only be \",[\"messageValue\"],\" supplied to this market.\"],\"5cZ/KX\":\"Variable debt supply is not zero\",\"5che++\":\"To request access for this permissioned market, please visit: <0>Acces Provider Name\",\"5ctNdV\":[\"Minimum \",[\"0\"],\" received\"],\"5hDe9v\":\"Allowance required action\",\"5rsnKT\":\"Available rewards\",\"5yC5m5\":\"View all votes\",\"6/dCYd\":\"Overview\",\"60crCe\":\"All transactions\",\"62Xcjh\":\"Collateral\",\"65A04M\":\"Spanish\",\"6G8s+q\":\"Signing\",\"6Jrv+z\":[\"Repay \",[\"symbol\"]],\"6NGLTR\":\"Discountable amount\",\"6Xr0UU\":\"Cooling down...\",\"6bxci/\":\"Voting power\",\"6f8S68\":\"Markets\",\"6g1gi0\":\"Proposals\",\"6gvoHP\":\"Copy error message\",\"6h3Q5G\":\"repaid\",\"6lFSyT\":\"Available to Stake\",\"6s8L6f\":\"Switch Network\",\"6yAAbq\":\"APY, borrow rate\",\"70wH1Q\":\"APR\",\"72c5Qo\":\"Total\",\"73Auuq\":\"Discount parameters are decided by the Aave community and may be changed over time. Check Governance for updates and vote to participate. <0>Learn more\",\"75qcAQ\":[[\"stepName\"]],\"7ITr5L\":\"Health factor\",\"7T/o5R\":\"Reached\",\"7YlcXu\":\"Fork mode is ON\",\"7Z76Iw\":\"Borrowing is unavailable because you’re using Isolation mode. To manage Isolation mode visit your <0>Dashboard.\",\"7aKlMS\":\"Share on Lens\",\"7bdUsR\":\"Redeem as aToken\",\"7er5fP\":\"Claim all\",\"7hb2+s\":\"Time remaining until the withdraw period ends.\",\"7l88b8\":\"Data couldn't be fetched, please reload graph.\",\"7p5kLi\":\"Dashboard\",\"7sofdl\":\"Withdraw and Switch\",\"8+6BI0\":\"Be careful - You are very close to liquidation. Consider depositing more collateral or paying down some of your borrowed positions\",\"87pUEW\":[\"Your \",[\"name\"],\" wallet is empty. Purchase or transfer assets.\"],\"8F1i42\":\"Page not found\",\"8G8M0u\":\"Loading data...\",\"8Iu1QS\":\"withdrew\",\"8JL93T\":\"All proposals\",\"8Q51DU\":\"Add to wallet\",\"8X/oyn\":\"Invalid amount to mint\",\"8Z5FPv\":\"Disconnect Wallet\",\"8Zz7s5\":\"assets\",\"8aLW8H\":\"Balance to revoke\",\"8bOT3H\":\"Utilization Rate\",\"8sLe4/\":\"View contract\",\"8t/M0y\":\"Please connect your wallet to be able to bridge your tokens.\",\"8vETh9\":\"Show\",\"94OHPx\":\"You are entering Isolation mode\",\"9CDK3/\":[\"Borrowing is currently unavailable for \",[\"0\"],\".\"],\"9GIj3z\":\"Reserve Size\",\"9Knqb4\":\"Staking balance\",\"9OBKm7\":\"Quorum\",\"9QHoGr\":\"Current votes\",\"9Rw96f\":[\"This asset has almost reached its borrow cap. There is only \",[\"messageValue\"],\" available to be borrowed from this market.\"],\"9Xj/qR\":[\"Some migrated assets will not be used as collateral due to enabled isolation mode in \",[\"marketName\"],\" V3 Market. Visit <0>\",[\"marketName\"],\" V3 Dashboard to manage isolation mode.\"],\"9c6vDV\":\"This asset has reached its supply cap. Nothing is available to be supplied from this market.\",\"9kTWHA\":\"MAI has been paused due to a community decision. Supply, borrows and repays are impacted. <0>More details\",\"9lXchd\":\"Underlying token\",\"9rWaKF\":\"Bridged Via CCIP\",\"9xSooW\":\"Since this is a test network, you can get any of the assets if you have ETH on your wallet\",\"A/lwoe\":\"Choose one of the on-ramp services\",\"A6dCI6\":[\"Maximum amount available to borrow is <0/> \",[\"0\"],\" (<1/>).\"],\"AReoaV\":\"Your borrows\",\"ARu1L4\":\"Repaid\",\"AV7cGz\":\"Review approval tx details\",\"AZOjB8\":\"Fetching data...\",\"Ai0jas\":\"Join the community discussion\",\"Ajl2rq\":\"Borrowing power and assets are limited due to Isolation mode.\",\"AqgYNC\":\"Protocol borrow cap at 100% for this asset. Further borrowing unavailable.\",\"B3EcQR\":\"Thank you for voting!!\",\"B6aXGH\":\"Stable\",\"B9Gqbz\":\"Variable rate\",\"BDFEd+\":\"stETH supplied as collateral will continue to accrue staking rewards provided by daily rebases.\",\"BE2mP0\":\"Borrowed assets\",\"BJyN77\":\"Due to health factor impact, a flashloan is required to perform this transaction, but Aave Governance has disabled flashloan availability for this asset. Try lowering the amount or supplying additional collateral.\",\"BNL4Ep\":\"Collateral usage is limited because of isolation mode. <0>Learn More\",\"BQ/wCO\":\"Migrate your assets\",\"BjLdl1\":\"At a discount\",\"BnhYo8\":\"Asset category\",\"Bq9Y7e\":\"This asset is frozen due to an Aave community decision. <0>More details\",\"BqWMDJ\":\"Faucet\",\"BqynZO\":\"Optimized for efficiency and risk by supporting blue-chip collateral assets\",\"Bsu7zX\":\"The fee includes the gas cost to complete the transaction on the destination chain and the fee paid to Chainlink CCIP service providers. You can chose to pay in the network token or GHO. <0>Learn more\",\"BwJKBw\":\"of\",\"CDrsH+\":\"Techpaper\",\"CK1KXz\":\"Max\",\"CMHmbm\":\"Slippage\",\"CZXzs4\":\"Greek\",\"CcRNG6\":\"Switching\",\"CkTRmy\":[\"Claim \",[\"symbol\"]],\"CsqtLm\":\"Please connect your wallet to see migration tool.\",\"CtGlFb\":[[\"networkName\"],\" Faucet\"],\"Cxt2YY\":\"Watch wallet\",\"D33VQU\":\"This action will reduce health factor of V3 below liquidation threshold. Increase migrated collateral or reduce migrated borrow to continue.\",\"D8sc3k\":\"Stake balance\",\"D9BLRG\":\"This asset has been paused due to a community decision. Supply, withdraw, borrows and repays are impacted.\",\"DAma/S\":\"Collateral is (mostly) the same currency that is being borrowed\",\"DCnFg0\":[\"Addresses (\",[\"0\"],\")\"],\"DG3Lv1\":\"I fully understand the risks of migrating.\",\"DONJcV\":\"The underlying asset cannot be rescued\",\"DR+4uL\":\"Supply balance after switch\",\"DWjrck\":[\"Asset cannot be migrated to \",[\"marketName\"],\" V3 Market due to E-mode restrictions. You can disable or manage E-mode categories in your <0>V3 Dashboard\"],\"Dj+3wB\":\"Aave per month\",\"DptNvx\":\"Amount Staked\",\"DuEq2K\":\"Collateralization\",\"DxfsGs\":\"You can report incident to our <0>Discord or<1>Github.\",\"Dzma+E\":\"Main Ethereum market with the largest selection of assets and yield options\",\"E/QGRL\":\"Disabled\",\"EBL9Gz\":\"COPIED!\",\"ES8dkb\":\"Fixed rate\",\"EZd3Dk\":[\"Restaking \",[\"symbol\"]],\"Ebgc76\":[\"Withdrawing \",[\"symbol\"]],\"EdQY6l\":\"None\",\"EjvKQ+\":\"Minimum USD value received\",\"Enslfm\":\"Destination\",\"EvE9nO\":[\"Reactivate cooldown period to unstake \",[\"0\"],\" \",[\"stakedToken\"]],\"EvECnL\":\"Migrate to v3\",\"EzMQbh\":\"The source chain time to finality is the main factor that determines the time to destination. <0>Learn more\",\"F40cwT\":\"Legacy Markets\",\"F6TdXL\":\"Learn more.\",\"FDDPeZ\":\"Users can stake their assets in the protocol and earn incentives. In the case of a shortfall event, your stake can be slashed to cover the deficit, providing an additional layer of protection for the protocol.\",\"FHlMf/\":\"Current v2 balance\",\"FHpxjF\":[\"Reserve factor is a percentage of interest which goes to a \",[\"0\"],\" that is controlled by Aave governance to promote ecosystem growth.\"],\"FOBZa6\":\"Borrow power used\",\"FPKEug\":\"Operation not supported\",\"FbmMe7\":\"Linked addresses\",\"Fdp03t\":\"on\",\"Fjw9N+\":\"Assets to supply\",\"FmN0fk\":\"Restake\",\"GDGLIs\":\"GHO is a native decentralized, collateral-backed digital asset pegged to USD. It is created by users via borrowing against multiple collateral. When user repays their GHO borrow position, the protocol burns that user's GHO. All the interest payments accrued by minters of GHO would be directly transferred to the AaveDAO treasury.\",\"GQrBTq\":\"Switch E-Mode\",\"GWswcZ\":\"This asset is frozen due to an Aave Protocol Governance decision. On the 20th of December 2022, renFIL will no longer be supported and cannot be bridged back to its native network. It is recommended to withdraw supply positions and repay borrow positions so that renFIL can be bridged back to FIL before the deadline. After this date, it will no longer be possible to convert renFIL to FIL. <0>More details\",\"GX8GKD\":\"Assets\",\"GgEj+0\":\"Read-only mode. Connect to a wallet to perform transactions.\",\"GjkIKV\":\"ends\",\"GoK/QN\":\"Thank you for submitting feedback!\",\"GtP2hp\":[\"Borrowing is unavailable because you’ve enabled Efficiency Mode (E-Mode) for \",[\"0\"],\" category. To manage E-Mode categories visit your <0>Dashboard.\"],\"H6Ma8Z\":\"Discount\",\"HB/wfS\":[[\"tooltipText\"]],\"HKDsQN\":\"Rewards can be claimed through\",\"Ha/U5f\":\"This is a program initiated and implemented by the decentralised ZKSync community. Aave Labs does not guarantee the program and accepts no liability.\",\"HciqKU\":\"This is a program initiated and implemented by the decentralised Aave community. Aave Labs does not guarantee the program and accepts no liability.\",\"Hi6Ttn\":\"Sorry, an unexpected error happened. In the meantime you may try reloading the page, or come back later.\",\"HkEDbS\":[[\"d\"],\"d\"],\"HmkYqM\":\"Unstake window\",\"HpK/8d\":\"Reload\",\"HrnC47\":\"Save and share\",\"HuVZMK\":\"Days\",\"HvJKMU\":[\"Asset cannot be migrated to \",[\"marketName\"],\" v3 Market since collateral asset will enable isolation mode.\"],\"Hvwnm9\":[\"Maximum amount available to supply is limited because protocol supply cap is at \",[\"0\"],\"%.\"],\"I8CX2c\":\"The total amount of your assets denominated in USD that can be used as collateral for borrowing assets.\",\"IAD2SB\":[\"Claiming \",[\"symbol\"]],\"IG9X9/\":\"Borrowing of this asset is limited to a certain amount to minimize liquidity pool insolvency.\",\"IOIx8L\":\"This asset is planned to be offboarded due to an Aave Protocol Governance decision. <0>More details\",\"IP+I/j\":\"Cooldown period\",\"IaA40H\":\"Liquidation at\",\"J/hVSQ\":[[\"0\"]],\"JCoxL6\":\"Manage analytics\",\"JK9zf1\":[\"Estimated compounding interest, including discount for Staking \",[\"0\"],\"AAVE in Safety Module.\"],\"JOqFba\":[\"Unstaking \",[\"symbol\"]],\"JPrLjO\":\"You can not use this currency as collateral\",\"JU6q+W\":\"Reward(s) to claim\",\"JYKRJS\":\"Stake\",\"JZMxX0\":\"Not enough balance on your wallet\",\"Jgflkm\":\"Get GHO\",\"JoMQnI\":\"Wallet balance\",\"JtwD8u\":\"Borrow balance after repay\",\"JumYTK\":\"Supplied assets\",\"K05qZY\":\"Withdraw & Switch\",\"KAz/NV\":\"Protocol debt ceiling is at 100% for this asset. Further borrowing against this asset is unavailable.\",\"KLXVqE\":[\"stETH tokens will be migrated to Wrapped stETH using Lido Protocol wrapper which leads to supply balance change after migration: \",[\"0\"]],\"KLd6ky\":\"Use connected account\",\"KRpokz\":\"VIEW TX\",\"KSlpka\":\"This represents the threshold at which a borrow position will be considered undercollateralized and subject to liquidation for each collateral. For example, if a collateral has a liquidation threshold of 80%, it means that the position will be liquidated when the debt value is worth 80% of the collateral value.\",\"KYAjf3\":\"Isolated\",\"KZwRuD\":[[\"notifyText\"]],\"KkPgim\":\"Switching E-Mode\",\"KnN1Tu\":\"Expires\",\"KoOBI2\":\"Due to internal stETH mechanics required for rebasing support, it is not possible to perform a collateral switch where stETH is the source token.\",\"KojyJ4\":\"Wrong Network\",\"KsqhWn\":\"Staking\",\"KuBTQq\":\"Enter ETH address\",\"KvG1xW\":\"Claiming\",\"L+8Lzs\":\"Current LTV\",\"L+qiq+\":\"Market\",\"LDzfVJ\":\"Send Feedback\",\"LIrMcF\":\"No voting power\",\"LL0zks\":\"Can be collateral\",\"LLdJWu\":\"Claimable AAVE\",\"LSIpNK\":\"Borrow and repay in same block is not allowed\",\"LVt3TI\":[\"<0>Slippage tolerance <1>\",[\"selectedSlippage\"],\"% <2>\",[\"0\"],\"\"],\"LjafV8\":\"Maximum collateral amount to use\",\"LtpQew\":\"Let us know how we can make the app better for you. For user support related inquiries please reach out on\",\"LvVpD/\":\"Emode\",\"M2sknc\":\"Tip: Try increasing slippage or reduce input amount\",\"M7wPsD\":\"Switch\",\"MFu33y\":\"Staking 00\",\"MIy2RJ\":\"Maximum amount received\",\"MZ/nQf\":\"Recipient address\",\"Ma/MtY\":\"staking view\",\"McHlGl\":\"APY change\",\"MeCCA+\":\"APY, variable\",\"MghdTe\":\"If the health factor goes below 1, the liquidation of your collateral might be triggered.\",\"Mm/DVQ\":\"You cancelled the transaction.\",\"MnE2QX\":\"Borrow info\",\"MrmQHg\":\"View Bridge Transactions\",\"MuDFEQ\":\"Invalid return value of the flashloan executor function\",\"N5kUMV\":\"Asset can be only used as collateral in isolation mode with limited borrowing power. To enter isolation mode, disable all other collateral.\",\"N6Pxr9\":\"View all\",\"NF0e1Q\":\"Pending...\",\"NK9ikO\":\"Wallet Balance\",\"NMt2CB\":\"Amount claimable\",\"NcFGxG\":\"Collector Contract\",\"NfpPeS\":\"Nothing staked\",\"Nh9DAo\":[[\"m\"],\"m\"],\"O+sCUU\":\"Unbacked mint cap is exceeded\",\"O+tyU+\":[\"Maximum amount available to borrow against this asset is limited because debt ceiling is at \",[\"0\"],\"%.\"],\"O3oNi5\":\"Email\",\"OFjZGo\":\"Unstake\",\"OR8cYX\":\"Proposal overview\",\"OYuJ9K\":\"Protocol debt ceiling is at 100% for this asset. Futher borrowing against this asset is unavailable.\",\"OfhWJH\":\"Reset\",\"Og2SKn\":\"disabled\",\"On0aF2\":\"Website\",\"OsyKSt\":\"Withdraw\",\"P1dURE\":\"Revoke power\",\"P2WCD/\":[\"Underlying asset does not exist in \",[\"marketName\"],\" v3 Market, hence this position cannot be migrated.\"],\"P2sL6B\":\"When a liquidation occurs, liquidators repay up to 50% of the outstanding borrowed amount on behalf of the borrower. In return, they can buy the collateral at a discount and keep the difference (liquidation penalty) as a bonus.\",\"P6sRoL\":\"Stake ABPT\",\"P72/OW\":\"The weighted average of APY for all borrowed assets, including incentives.\",\"P7e6Ug\":\"Please connect your wallet to view transaction history.\",\"PByO0X\":\"Votes\",\"PI+kVe\":\"Disable fork\",\"PJK9u/\":\"Borrow apy\",\"PLUB/s\":\"Fee\",\"PP5ZA8\":[\"Participating in staking \",[\"symbol\"],\" gives annualized rewards. Your wallet balance is the sum of your aTokens and underlying assets. The breakdown to stake is below\"],\"PcBUgb\":\"Liquidation threshold\",\"PjU6bu\":\"This asset is eligible for SPK incentive program. Aave Labs does not guarantee the program and accepts no liability.\",\"PpqD5g\":\"Enabling this asset as collateral increases your borrowing power and Health Factor. However, it can get liquidated if your health factor drops below 1.\",\"PsOFSf\":\"This action will reduce V2 health factor below liquidation threshold. retain collateral or migrate borrow position to continue.\",\"Pu4bI/\":[[\"currentMethod\"]],\"Q0LzKi\":\"View TX\",\"Q4eNqa\":\"The Aave Balancer Pool Token (ABPT) is a liquidity pool token. You can receive ABPT by depositing a combination of AAVE + wstETH in the Balancer liquidity pool. You can then stake your BPT in the Safety Module to secure the protocol and earn Safety Incentives.\",\"QQYsQ7\":\"Withdrawing\",\"QWYCs/\":\"Stake GHO\",\"R+30X3\":\"Not reached\",\"RCU5PY\":\"Age\",\"RIfckG\":[\"Disable \",[\"symbol\"],\" as collateral\"],\"RMtxNk\":\"Differential\",\"RNK49r\":\"Invalid signature\",\"RS0o7b\":\"State\",\"RU+LqV\":\"Proposal details\",\"RYTgZX\":\"lorem ipsum\",\"RbXH+k\":\"AAVE, GHO, and ABPT holders (Ethereum network only) can stake their assets in the Safety Module to add more security to the protocol and earn Safety Incentives. In the case of a shortfall event, your stake can be slashed to cover the deficit, providing an additional layer of protection for the protocol.\",\"RiSYV4\":\"Asset is not listed\",\"Rj01Fz\":\"Links\",\"RmWFEe\":\"Staking APR\",\"RoafuO\":\"Send feedback\",\"RtBLm7\":\"Health factor is lesser than the liquidation threshold\",\"RxzN1M\":\"Enabled\",\"SDav7h\":\"Funds in the Safety Module\",\"SENccp\":\"If the error continues to happen,<0/> you may report it to this\",\"SIWumd\":\"Show Frozen or paused assets\",\"SM58dD\":\"Amount in cooldown\",\"SSMiac\":\"Failed to load proposal voters. Please refresh the page.\",\"SSQVIz\":\"Liquidation Threshold\",\"SUb8x0\":\"Total available\",\"SWIgh4\":\"Fees exceed wallet balance\",\"SY9hVo\":\"Read-only mode allows to see address positions in Aave, but you won't be able to perform transactions.\",\"SZRUQ4\":\"Max slippage\",\"Sa1UE/\":\"Protocol borrow cap is at 100% for this asset. Further borrowing unavailable.\",\"Sk2zW9\":\"Disabling E-Mode\",\"SxaD0o\":\"Pool addresses provider is not registered\",\"T/AIqG\":\"Protocol supply cap at 100% for this asset. Further supply unavailable.\",\"T0xCO9\":\"Can't validate the wallet address. Try again.\",\"T4OhVl\":\"GHO balance\",\"T6uYU2\":\"Borrow\",\"TFxQlw\":\"Liquidation penalty\",\"TQ7WsV\":\"Available to stake\",\"TUI7iB\":\"Asset can only be used as collateral in isolation mode only.\",\"TbjyhA\":\"Docs\",\"TduuS0\":\"User does not have outstanding stable rate debt on this reserve\",\"TeCFg/\":\"Borrow rate change\",\"Tg1JyO\":\"Bridge history\",\"TskbEN\":\"Holders of stkAAVE receive a discount on the GHO borrowing rate\",\"TszKts\":\"Borrow balance after switch\",\"TtZL6q\":\"Discount model parameters\",\"TwJI9F\":\"Asset has been successfully sent to CCIP contract. You can check the status of the transactions below\",\"Tz0GSZ\":\"blocked activities\",\"U/eBjN\":\"Reload the page\",\"U2r8nY\":\"Choose how much voting/proposition power to give to someone else by delegating some of your AAVE, stkAAVE or aAave balance. Your tokens will remain in your account, but your delegate will be able to vote or propose on your behalf. If your AAVE, stkAAVE or aAave balance changes, your delegate's voting/proposition power will be automatically adjusted.\",\"U8IubP\":\"The app is running in testnet mode. Learn how it works in\",\"U9btTk\":\"Asset is not borrowable in isolation mode\",\"UAOZRe\":\"Price impact is the spread between the total value of the entry tokens switched and the destination tokens obtained (in USD), which results from the limited liquidity of the trading pair.\",\"UE3KJZ\":\"Transaction history is not currently available for this market\",\"URmyfc\":\"Details\",\"UTTKmT\":\"Stake cooldown activated\",\"UXeR72\":\"These funds have been borrowed and are not available for withdrawal at this time.\",\"UYb8CM\":\"Learn more about the SPK rewards\",\"UbRrG0\":\"The Maximum LTV ratio represents the maximum borrowing power of a specific collateral. For example, if a collateral has an LTV of 75%, the user can borrow up to 0.75 worth of ETH in the principal currency for every 1 ETH worth of collateral.\",\"UpndFj\":\"No rewards to claim\",\"V0f2Xv\":\"Reserve factor\",\"V1HK43\":\"Migration risks\",\"VATFH9\":\"Covered debt\",\"VHOVEJ\":\"Connect wallet\",\"VMfYUK\":\"Safety of your deposited collateral against the borrowed assets and its underlying value.\",\"VOAZJh\":\"Total borrows\",\"ViKYxK\":\"YAE\",\"W1SSoD\":\"Review tx details\",\"W5hVah\":\"Nothing supplied yet\",\"W5kTFy\":\"Voting\",\"W8ekPc\":\"Back to Dashboard\",\"WMPbRK\":\"Unbacked\",\"WNGZwH\":\"E-Mode increases your LTV for a selected category of assets up to<0/>. <1>Learn more\",\"WPWG/y\":\"Reserve status & configuration\",\"WZLQSU\":\"User cannot withdraw more than the available balance\",\"WaZyaV\":\"<0>Ampleforth is a rebasing asset. Visit the <1>documentation to learn more.\",\"WfU+XN\":\"Because this asset is paused, no actions can be taken until further notice\",\"Wjmqs2\":\"No results found. You can import a custom token with a contract address\",\"WkZ6C6\":\"To borrow you need to supply any asset to be used as collateral.\",\"WyMiQm\":\"You've successfully switched tokens.\",\"X/ITG9\":\"Copy error text\",\"X3Pp6x\":\"Used as collateral\",\"X4Zt7j\":\"Action cannot be performed because the reserve is paused\",\"XBdKOj\":\"Representative smart contract wallet (ie. Safe) addresses on other chains.\",\"XZzneG\":\"You will exit isolation mode and other tokens can now be used as collateral\",\"Xg5y9S\":\"Amount to Bridge\",\"Xn4hUi\":\"Please always be aware of your <0>Health Factor (HF) when partially migrating a position and that your rates will be updated to V3 rates.\",\"Xy71ST\":\"Umbrella\",\"Y5kGkc\":\"VOTE NAY\",\"YDIOks\":\"Enabling E-Mode\",\"YSodyW\":\"This action will reduce your health factor. Please be mindful of the increased risk of collateral liquidation.\",\"YXOWXM\":\"The total amount bridged minus CCIP fees. Paying in network token does not impact gho amount.\",\"YirHq7\":\"Feedback\",\"YogbCJ\":\"Testnet mode is ON\",\"YrDxdO\":\"If your loan to value goes above the liquidation threshold your collateral supplied may be liquidated.\",\"YyIM65\":\"Interest rate rebalance conditions were not met\",\"YyydIq\":[\"Add \",[\"0\"],\" to wallet to track your balance.\"],\"ZBvhI+\":\"Aave Governance\",\"ZIIRAd\":\"Raw-Ipfs\",\"ZRq4tX\":\"Efficiency mode (E-Mode)\",\"ZSqEW+\":\"Manage E-Mode\",\"ZUFYFE\":\"Disable testnet\",\"Zbyywy\":\"Max slashing\",\"ZfUGFb\":\"Before supplying\",\"ZiXN+B\":\"Assets to stake\",\"ZlsSDH\":\"Liquidation value\",\"ZrEc8j\":\"We couldn't find any assets related to your search. Try again with a different asset name, symbol, or address.\",\"ZsLF7e\":\"enabled\",\"a0YQoQ\":\"Enter a valid address\",\"a2fBZn\":\"Time left to unstake\",\"a5RYZd\":\"Disabling this asset as collateral affects your borrowing power and Health Factor.\",\"a7u1N9\":\"Price\",\"a9D+6D\":\"Unstaked\",\"aEtiwq\":\"Vote NAY\",\"aMmFE1\":\"Buy Crypto With Fiat\",\"aOKIms\":\"Array parameters that should be equal length are not\",\"aX31hk\":\"Your balance is lower than the selected amount.\",\"adUsDd\":\"An error has occurred fetching the proposal.\",\"al6Pyz\":\"Exceeds the discount\",\"aoXTT7\":\"Borrow APY, variable\",\"aqX1Yp\":\"This asset is eligible for rewards through SuperFest. Aave Labs does not guarantee the program and accepts no liability.\",\"avgETN\":\"Eligible for the Merit program.\",\"b4NS3e\":\"Cooldown period warning\",\"bNEQeI\":\"Cooldown\",\"bSruit\":\"ZKSync Ignite Program rewards are claimed through the\",\"bUUVED\":\"Asset\",\"bXQ/Og\":\"Share on twitter\",\"bXr0ee\":\"Isolated assets have limited borrowing power and other assets cannot be used as collateral.\",\"bYmAV1\":\"Addresses\",\"bguKoJ\":\"The requested amount is greater than the max loan size in stable rate mode\",\"bwSQI0\":\"Supply\",\"bxN6EM\":\"Cannot disable E-Mode\",\"bxmzSh\":\"Not enough collateral to repay this amount of debt with\",\"c91vuQ\":\"Address is not a contract\",\"c97os2\":\"Aave aToken\",\"c9b44w\":\"You can not withdraw this amount because it will cause collateral call\",\"cBc+4A\":\"This is the total amount available for you to borrow. You can borrow based on your collateral and until the borrow cap is reached.\",\"cIl5kp\":\"Your voting power is based on your AAVE/stkAAVE balance and received delegations.\",\"cLo09S\":\"Risk details\",\"cNT+ij\":\"Borrowing is unavailable because you’ve enabled Efficiency Mode (E-Mode) and Isolation mode. To manage E-Mode and Isolation mode visit your <0>Dashboard.\",\"cZOeBk\":\"Something went wrong fetching bridge message, please try again later.\",\"ceix5S\":\"To submit a proposal for minor changes to the protocol, you'll need at least 80.00K power. If you want to change the core code base, you'll need 320k power.<0>Learn more.\",\"ciSsYT\":\"Staking APY\",\"ciybUa\":\"Vote YAE\",\"ckf7gX\":[\"Repaying \",[\"symbol\"]],\"cp1ZDP\":[\"Bridge \",[\"symbol\"]],\"cqnmnD\":\"Effective interest rate\",\"cqwIvs\":\"Forum discussion\",\"csDS2L\":\"Available\",\"cu7Stb\":\"You did not participate in this proposal\",\"dE6BLF\":\"Governance\",\"dEgA5A\":\"Cancel\",\"dIsyWh\":\"Ltv validation failed\",\"dMtLDE\":\"to\",\"dOB5nW\":[\"Maximum amount available to supply is <0/> \",[\"0\"],\" (<1/>).\"],\"dVfODp\":\"You don’t have enough funds in your wallet to repay the full amount. If you proceed to repay with your current amount of funds, you will still have a small borrowing position in your dashboard.\",\"dXUQFX\":\"Assets to borrow\",\"dgr1aY\":\"Borrowing is disabled due to an Aave community decision. <0>More details\",\"djsg0o\":\"Collateral usage\",\"dpc0qG\":\"Variable\",\"drdV8R\":\"Liquidation\",\"dxW8cS\":\"Aave debt token\",\"e4V3oW\":\"Top 10 addresses\",\"eD8WX/\":\"Action requires an active reserve\",\"eJRJ04\":\"Amount to unstake\",\"eLh0cL\":\"Slippage is the difference between the quoted and received amounts from changing market conditions between the moment the transaction is submitted and its verification.\",\"ePK91l\":\"Edit\",\"eVpCmf\":\"Staking Rewards\",\"eVqvtf\":\"Bridge GHO\",\"eYdurp\":\"No transactions yet.\",\"ebLGGN\":\"Total borrowed\",\"ecqEvn\":\"The collateral balance is 0\",\"efdrrk\":\"Available on\",\"enruNF\":\"starts\",\"eqLYiD\":\"Unstake now\",\"euScGB\":\"APY with discount applied\",\"evw5ha\":\"Net worth\",\"ezcU16\":\"Get ABP Token\",\"f3W0Ej\":[\"You switched to \",[\"0\"],\" rate\"],\"fH9i8k\":\"You've successfully switched borrow position.\",\"fHcELk\":\"Net APR\",\"fMJQZK\":\"Borrowed\",\"fZ5Vnu\":\"Received\",\"firl9Q\":\"Your current loan to value based on your collateral supplied.\",\"flRCF/\":\"Staking discount\",\"fldjW9\":\"Preview tx and migrate\",\"fsBGk0\":\"Balance\",\"fu1Dbh\":[\"Withdraw \",[\"symbol\"]],\"fwjWSI\":\"Supplied\",\"fwyTMb\":\"Migrate to stkABPT v2\",\"g0mals\":\"You can not disable E-Mode because that could cause liquidation. To exit E-Mode supply or repay borrowed positions.\",\"g2UNkE\":\"Powered by\",\"g8KGoA\":\"FAQS\",\"g9zzqS\":\"Voted NAY\",\"gDd2gk\":\"about SuperFest.\",\"gFFh9h\":\"All done!\",\"gIMJlW\":\"Testnet mode\",\"gOzPxe\":\"This asset is frozen due to an Aave Protocol Governance decision. <0>More details\",\"gTHi2T\":\"User is trying to borrow multiple assets including a siloed one\",\"gVW59Y\":\"Please connect your wallet to get free testnet assets.\",\"gcFNxP\":\"Approve Confirmed\",\"gncRUO\":\"This address is blocked on app.aave.com because it is associated with one or more\",\"goff7V\":\"Zero address not valid\",\"gp+f1B\":\"Version 3\",\"gr8mYw\":\"You may borrow up to <0/> GHO at <1/> (max discount)\",\"gvTM4B\":\"Net APY is the combined effect of all supply and borrow positions on net worth, including incentives. It is possible to have a negative net APY if debt APY is higher than supply APY.\",\"gzcch9\":\"Invalid bridge protocol fee\",\"h33MxW\":\"Representing smart contract wallet (ie. Safe) addresses on other chains.\",\"h3ilK+\":\".CSV\",\"hB23LY\":\"Activate Cooldown\",\"hIJzBh\":\"Available to Claim\",\"hIS4N0\":\"Net APY\",\"hRWvpI\":\"Claimed\",\"hdmy/o\":\"The % of your total borrowing power used. This is based on the amount of your collateral supplied and the total amount that you can borrow.\",\"hehnjM\":\"Amount\",\"hjDCQr\":\"There was some error. Please try changing the parameters or <0><1>copy the error\",\"hom7qf\":\"Claim\",\"hpHJ4I\":\"Liquidated collateral\",\"hpuVIp\":\"Users who stake AAVE in Safety Module (i.e. stkAAVE holders) receive a discount on GHO borrow interest rate.\",\"huQ6Tz\":[\"Borrowing \",[\"symbol\"]],\"hxi7vE\":\"Borrow balance\",\"i/fZ2Z\":\"Staked Balance\",\"i2JTiw\":\"You may enter a custom amount in the field.\",\"iB5+/J\":\"About GHO\",\"iChbOF\":\"Inconsistent flashloan parameters\",\"iEPVHF\":\"Not enough voting power to participate in this proposal\",\"iEW87X\":\"Delegated power\",\"iEju36\":[\"You voted \",[\"0\"]],\"iFq2YN\":\"Borrowable\",\"iGxyIA\":\"Safety Module\",\"iMVZk9\":\"Select slippage tolerance\",\"iPMIoT\":\"Enter an amount\",\"iSLIjg\":\"Connect\",\"iUo5rv\":\"tokens is not the same as staking them. If you wish to stake your\",\"iZxa38\":\"Use it to vote for or against active proposals.\",\"if5PH+\":\"Collector Info\",\"igkfR1\":[\"In Isolation mode, you cannot supply other assets as collateral. A global debt ceiling limits the borrowing power of the isolated asset. To exit isolation mode disable \",[\"0\"],\" as collateral before borrowing another asset. Read more in our <0>FAQ\"],\"il0sEG\":\"Collateral usage is limited because of Isolation mode.\",\"j+K1Xj\":\"Amount After Fee\",\"jA2QeW\":\"Supplying your\",\"jFi7dz\":\"Interest rate that is determined by Aave Governance. This rate may be changed over time depending on the need for the GHO supply to contract/expand. <0>Learn more\",\"jG3UJ7\":\"Disable E-Mode\",\"jKYzR1\":\"Enable E-Mode\",\"jMam5g\":[[\"0\"],\" Balance\"],\"jSYv+Z\":\"Enabling E-Mode allows you to maximize your borrowing power, however, borrowing is restricted to assets within the selected category. <0>Learn more about how it works and the applied restrictions.\",\"jaKbwW\":[[\"s\"],\"s\"],\"jbFMap\":\"Cooldown time left\",\"jeMZNr\":[[\"0\"],\" on-ramp service is provided by External Provider and by selecting you agree to Terms of the Provider. Your access to the service might be reliant on the External Provider being operational.\"],\"jfl9OP\":\"Migrated\",\"jmXdoY\":\"In E-Mode some assets are not borrowable. Exit E-Mode to get access to all assets\",\"jpctdh\":\"View\",\"jqzUyM\":\"Unavailable\",\"k/sb6z\":\"Select language\",\"k3wP3f\":\"<0>Attention: Parameter changes via governance can alter your account health factor and risk of liquidation. Follow the <1>Aave governance forum for updates.\",\"kACpF3\":[\"Claim \",[\"0\"]],\"kH6wUX\":\"Price impact\",\"kIC28N\":\"Available to claim\",\"kIpSye\":[[\"numSelected\"],\"/\",[\"numAvailable\"],\" assets selected\"],\"kN1Yg5\":\"To repay on behalf of a user an explicit amount to repay is needed\",\"kRTD40\":[\"Repayment amount to reach \",[\"0\"],\"% utilization\"],\"kjN9tT\":\"Supply cap is exceeded\",\"knxE+G\":\".JSON\",\"ks2LWT\":\"Debt ceiling is not zero\",\"kwwn6i\":\"Users who stake AAVE in Safety Module (i.e. stkAAVE holders) receive a discount on GHO borrow interest rate. The discount applies to 100 GHO for every 1 stkAAVE held. Use the calculator below to see GHO borrow rate with the discount applied.\",\"kz3wtK\":\"and about SPK program\",\"kzZyM4\":\"DAI balance will be converted via DSR contracts and then supplied as sDAI. Switching incurs no additional costs and no slippage.\",\"lNVG7i\":\"Select an asset\",\"lU2d1/\":[\"Asset cannot be migrated due to insufficient liquidity or borrow cap limitation in \",[\"marketName\"],\" v3 market.\"],\"lVhKKI\":\"Voted YAE\",\"lWLqxB\":\"We couldn't find any transactions related to your search. Try again with a different asset name, or reset filters.\",\"lYGfRP\":\"English\",\"lfEjIE\":\"Learn more in our <0>FAQ guide\",\"lt6bpt\":\"Collateral to repay with\",\"m/IEhi\":\"Total emission per day\",\"m7r7Hh\":\"Selected borrow assets\",\"mDDK4p\":\"Balancer Pool\",\"mIM0qu\":\"Expected amount to repay\",\"mUAFd6\":\"Version 2\",\"masO5Z\":\"E-Mode increases your LTV for a selected category of assets. <0>Learn more\",\"mdNjKU\":[\"Your \",[\"name\"],\" wallet is empty. Purchase or transfer assets or use <0>\",[\"0\"],\" to transfer your \",[\"network\"],\" assets.\"],\"muiOng\":[\"Buy \",[\"cryptoSymbol\"],\" with Fiat\"],\"mvCXBY\":\"Stake AAVE\",\"mwdzil\":\"Ok, Close\",\"mzI/c+\":\"Download\",\"mzdIia\":\"Asset cannot be used as collateral.\",\"n+SX4g\":\"Developers\",\"n8Psk4\":\"We couldn’t detect a wallet. Connect a wallet to stake and view your balance.\",\"nJIhzm\":\"Supply apy\",\"nJgsQu\":\"With a voting power of <0/>\",\"nLC6tu\":\"French\",\"nN2T8p\":\"During the cooldown period, you will not earn any merit rewards. However, rewards earned up to this point will remain unaffected.\",\"nNHV0z\":\"Migrating multiple collaterals and borrowed assets at the same time can be an expensive operation and might fail in certain situations.<0>Therefore it’s not recommended to migrate positions with more than 5 assets (deposited + borrowed) at the same time.\",\"nNbnzu\":\"Proposition\",\"nOy4ob\":\"We suggest you go back to the Dashboard.\",\"nPGNMh\":\"Can be executed\",\"nUK1ou\":[\"Assets with zero LTV (\",[\"0\"],\") must be withdrawn or disabled as collateral to perform this action\"],\"nakd8r\":\"stkAAVE holders get a discount on GHO borrow rate\",\"nh2EJK\":[\"Please switch to \",[\"networkName\"],\".\"],\"njBeMm\":\"Both\",\"noN5Xf\":\"We couldn’t detect a wallet. Connect a wallet to view your staking positions and rewards.\",\"ntkAoE\":\"Discount applied for <0/> staking AAVE\",\"ntyFSE\":[[\"h\"],\"h\"],\"nwtY4N\":\"Something went wrong\",\"nxyWvj\":\"Withdrawing this amount will reduce your health factor and increase risk of liquidation.\",\"o17QVP\":\"Your health factor and loan to value determine the assurance of your collateral. To avoid liquidations you can supply more collateral or repay borrow positions.\",\"o1xc2V\":\"AToken supply is not zero\",\"o4tCu3\":\"Borrow APY\",\"o5ooMr\":\"Debt\",\"o7J4JM\":\"Filter\",\"oHFrpj\":\"Cooldown to unstake\",\"oJ5ZiG\":\"User does not have outstanding variable rate debt on this reserve\",\"oRBGin\":\"Please connect your wallet to be able to switch your tokens.\",\"oUwXhx\":\"Test Assets\",\"oWklJD\":\"Stable interest rate will <0>stay the same for the duration of your loan. Recommended for long-term loan periods and for users who prefer predictability.\",\"odnIK3\":\"Time remaining until the 48 hour withdraw period starts.\",\"oiK5nY\":\"The current incentives period, decided on by the Aave community, has ended. Governance is in the process on renewing, check for updates. <0>Learn more.\",\"olREoo\":\"All borrow positions outside of this category must be closed to enable this category.\",\"om/XHs\":\"Available to supply\",\"ov0+mq\":\"Eligible for the ZKSync Ignite program.\",\"ovT1pF\":[\"Per the community, the \",[\"market\"],\" has been frozen.\"],\"ow3fug\":\"Nothing found\",\"owSsI3\":\"Signatures ready\",\"p+R52m\":\"Go to Balancer Pool\",\"p2A+s1\":[\"The cooldown period is \",[\"0\"],\". After \",[\"1\"],\" of cooldown, you will enter unstake window of \",[\"2\"],\". You will continue receiving rewards during cooldown and unstake window.\"],\"p2S64u\":\"The loan to value of the migrated positions would cause liquidation. Increase migrated collateral or reduce migrated borrow to continue.\",\"p2Z2Qi\":\"This asset has reached its borrow cap. Nothing is available to be borrowed from this market.\",\"p3j+mb\":\"Your reward balance is 0\",\"p45alK\":\"Set up delegation\",\"p6u2s1\":\"Minimum amount of debt to be repaid\",\"pDgeaz\":[[\"title\"]],\"pdZqBk\":\"The underlying balance needs to be greater than 0\",\"pgWG9H\":\"Not enough staked balance\",\"piPrJ7\":\"please check that the amount you want to supply is not currently being used for staking. If it is being used for staking, your transaction might fail.\",\"pjO/iH\":\"Minimum amount received\",\"pooutM\":\"Voting is on\",\"pqaM5s\":\"Confirming transaction\",\"ptaxX3\":[\"I understand how cooldown (\",[\"0\"],\") and unstaking (\",[\"1\"],\") work\"],\"py2iiY\":\"The caller of this function must be a pool\",\"q/51mF\":\"Migrate to V3\",\"q3df11\":\"Interest rate strategy\",\"q6lAbz\":\"Staked\",\"qB4kPi\":\"Supply APY\",\"qENI8q\":\"Global settings\",\"qGz5zl\":\"Collateral balance after repay\",\"qIW9ZH\":\"Amount staked\",\"qOqbD6\":\"copy the error\",\"qXCkEM\":\"Please connect your wallet to see your supplies, borrowings, and open positions.\",\"qY2jnw\":\"Invalid expiration\",\"qf/fr+\":\"Interest accrued\",\"quYPUU\":\"Variable interest rate will <0>fluctuate based on the market conditions.\",\"quzIeW\":\"User is in isolation mode or LTV is zero\",\"qvnz3q\":\"Invalid amount to burn\",\"rHgdb0\":\"Migrate to Aave V3\",\"rOrHHe\":\"Amount must be greater than 0\",\"rQ+R+0\":\"Selected supply assets\",\"rSayea\":\"APY\",\"rTBDeu\":[\"Asset cannot be migrated because you have isolated collateral in \",[\"marketName\"],\" v3 Market which limits borrowable assets. You can manage your collateral in <0>\",[\"marketName\"],\" V3 Dashboard\"],\"rcT+yy\":\"Show assets with 0 balance\",\"rf8POi\":\"Borrowed asset amount\",\"riNWOA\":\"E-Mode\",\"rjGI/Q\":\"Privacy\",\"rnKPW1\":\"Watch a wallet balance in read-only mode\",\"ruc7X+\":\"Add stkAAVE to see borrow APY with the discount\",\"rvbaFU\":[\"Bridging \",[\"symbol\"]],\"rwVVB7\":\"Claim all rewards\",\"rwyUva\":\"These assets are temporarily frozen or paused by Aave community decisions, meaning that further supply / borrow, or rate swap of these assets are unavailable. Withdrawals and debt repayments are allowed. Follow the <0>Aave governance forum for further updates.\",\"rxJW5W\":\"Your proposition power is based on your AAVE/stkAAVE balance and received delegations.\",\"s2jJnW\":\"You don't have any bridge transactions\",\"s5wBAq\":[\"Unstake \",[\"symbol\"]],\"sJbIdI\":\"Enter ETH address or ENS\",\"sK+Nag\":\"Review tx\",\"sP2+gB\":\"NAY\",\"sQv06Y\":\"for\",\"sTtO6J\":\"Confirm transaction\",\"sXKb3l\":\"Exchange rate\",\"sb0q4+\":\"You unstake here\",\"smJNwH\":\"Available to borrow\",\"solypO\":\"Health factor is not below the threshold\",\"sr0UJD\":\"Go Back\",\"ss5GCK\":\"The address of the pool addresses provider is invalid\",\"swEgK4\":\"Your voting info\",\"t+wtgf\":\"Nothing borrowed yet\",\"t/YqKh\":\"Remove\",\"t81DpC\":[\"Approve \",[\"symbol\"],\" to continue\"],\"tCnbEs\":\"Oracle price\",\"tFZLf8\":\"This gas calculation is only an estimation. Your wallet will set the price of the transaction. You can modify the gas settings directly from your wallet provider.\",\"tHuvQI\":\"Go to V3 Dashboard\",\"tKv7cI\":\"Switch borrow position\",\"tOcg3N\":\"Since this asset is frozen, the only available actions are withdraw and repay which can be accessed from the <0>Dashboard\",\"tOuXfv\":[\"Borrow amount to reach \",[\"0\"],\"% utilization\"],\"te9Bfl\":\"Please, connect your wallet\",\"tt5yma\":\"Your supplies\",\"ttoh5c\":\"Switch to\",\"u3ZeYl\":\"Transaction failed\",\"u706uF\":\"Invalid flashloan premium\",\"u8Gfu7\":[\"No search results\",[\"0\"]],\"uAQUqI\":\"Status\",\"uHMwk8\":\"No assets selected to migrate.\",\"uJPHuY\":\"Migrating\",\"uY8O30\":\"To continue, you need to grant Aave smart contracts permission to move your funds from your wallet. Depending on the asset and wallet you use, it is done by signing the permission message (gas free), or by submitting an approval transaction (requires gas). <0>Learn more\",\"udFheE\":\"For repayment of a specific type of debt, the user needs to have debt that type\",\"ulNuNq\":\"Export data to\",\"ulup2p\":\"Buy Crypto with Fiat\",\"umICAY\":\"<0><1><2/>Add stkAAVE to see borrow rate with discount\",\"usB84Z\":\"Maximum amount available to borrow is limited because protocol borrow cap is nearly reached.\",\"uwAUvj\":\"COPY IMAGE\",\"v8x7Mg\":\"Insufficient collateral to cover new borrow position. Wallet must have borrowing power remaining to perform debt switch.\",\"vEqxH9\":\"Restaked\",\"vLyv1R\":\"Hide\",\"vMba49\":\"Borrowing is not enabled\",\"vMpNwt\":\"Approve with\",\"vXIe7J\":\"Language\",\"vesuBJ\":\"Allows you to decide whether to use a supplied asset as collateral. An asset used as collateral will affect your borrowing power and health factor.\",\"w+V9Cx\":\"Stablecoin\",\"w/JtJ3\":\"Stable debt supply is not zero\",\"w4VBY+\":\"Rewards APR\",\"w9dLMW\":[[\"label\"]],\"wAOL+X\":[\"You \",[\"action\"],\" <0/> \",[\"symbol\"]],\"wBIsjb\":\"Discord channel\",\"wQZbc/\":\"The caller of the function is not an AToken\",\"wRRqvW\":\"You do not have supplies in this currency\",\"wZFvVU\":\"VOTE YAE\",\"wb/r1O\":[\"Faucet \",[\"0\"]],\"wdxz7K\":\"Source\",\"weH1nG\":\"The Aave Protocol is programmed to always use the price of 1 GHO = $1. This is different from using market pricing via oracles for other crypto assets. This creates stabilizing arbitrage opportunities when the price of GHO fluctuates.\",\"wh7Ezv\":\"You have no AAVE/stkAAVE/aAave balance to delegate.\",\"wlsIx7\":\"With testnet Faucet you can get free assets to test the Aave Protocol. Make sure to switch your wallet provider to the appropriate testnet network, select desired asset, and click ‘Faucet’ to get tokens transferred to your wallet. The assets on a testnet are not “real,” meaning they have no monetary value. <0>Learn more\",\"wmE285\":\"Get ABP v2 Token\",\"wyRrcJ\":\"As a result of governance decisions, this ABPT staking pool is now deprecated. You have the flexibility to either migrate all of your tokens to v2 or unstake them without any cooldown period.\",\"x5KiLL\":\"Selected assets have successfully migrated. Visit the Market Dashboard to see them.\",\"x7F2p6\":\"Current differential\",\"x7K5ib\":[\"Your \",[\"networkName\"],\" wallet is empty. Get free test \",[\"0\"],\" at\"],\"x9iLRD\":\"tokens, please go to the\",\"xNy/UG\":\"Repay with\",\"xPm8wv\":\"Learn more about risks involved\",\"xXYpZl\":[[\"0\"],\" Faucet\"],\"xaVBSS\":\"Your info\",\"xaWZ6f\":\"APY type change\",\"xh6k71\":\"Collateral usage is limited because of isolation mode.\",\"xvIklc\":\"Flashloan is disabled for this asset, hence this position cannot be migrated.\",\"y5rS9U\":\"Migrate\",\"y66tBm\":[\"Enable \",[\"symbol\"],\" as collateral\"],\"yB1YpA\":\"Dark mode\",\"yCrG6m\":\"Total market size\",\"yJUUbn\":\"Transaction overview\",\"yLGmLX\":[\"Restake \",[\"symbol\"]],\"yW1oWB\":\"APY type\",\"yYHqJe\":\"Not a valid address\",\"yZwLw6\":\"Track wallet\",\"yh2sjd\":[\"Price impact \",[\"0\"],\"%\"],\"yhvj6d\":\"You can not switch usage as collateral mode for this currency, because it will cause collateral call\",\"ylmtBZ\":\"The app is running in fork mode.\",\"ymNY32\":[\"There are not enough funds in the\",[\"0\"],\"reserve to borrow\"],\"yz7wBu\":\"Close\",\"z4uGQg\":\"Debt ceiling is exceeded\",\"z5UQOM\":\"The collateral chosen cannot be liquidated\",\"z5Y+p6\":[\"Supplying \",[\"symbol\"]],\"zCjNKs\":\"Action cannot be performed because the reserve is frozen\",\"zRHytX\":\"Isolated Debt Ceiling\",\"zTOjMP\":\"Protocol supply cap is at 100% for this asset. Further supply unavailable.\",\"zVdRUG\":\"Submission did not work, please try again later or contact wecare@avara.xyz\",\"zevmS2\":\"<0><1><2/>Add <3/> stkAAVE to borrow at <4/> (max discount)\",\"zgtIDV\":\"Remaining debt\",\"zmTPiV\":\"Supply balance\",\"zpPbZl\":\"Liquidation risk parameters\",\"zucql+\":\"Menu\",\"zwWKhA\":\"Learn more\",\"zy9fXn\":[\"Asset is frozen in \",[\"marketName\"],\" v3 market, hence this position cannot be migrated.\"],\"zys+R6\":\"Be mindful of the network congestion and gas prices.\",\"zzzTXS\":\"Merit Program rewards are claimed through the\"}")}; \ No newline at end of file diff --git a/src/locales/en/messages.po b/src/locales/en/messages.po index e3e32e1e51..aad2a67f9b 100644 --- a/src/locales/en/messages.po +++ b/src/locales/en/messages.po @@ -485,6 +485,10 @@ msgstr "Borrowing is unavailable because you’re using Isolation mode. To manag msgid "Share on Lens" msgstr "Share on Lens" +#: src/modules/umbrella/UnstakeModalContent.tsx +msgid "Redeem as aToken" +msgstr "Redeem as aToken" + #: src/components/transactions/ClaimRewards/ClaimRewardsActions.tsx msgid "Claim all" msgstr "Claim all" @@ -786,6 +790,10 @@ msgstr "Watch wallet" msgid "This action will reduce health factor of V3 below liquidation threshold. Increase migrated collateral or reduce migrated borrow to continue." msgstr "This action will reduce health factor of V3 below liquidation threshold. Increase migrated collateral or reduce migrated borrow to continue." +#: src/modules/umbrella/UnstakeModalContent.tsx +msgid "Stake balance" +msgstr "Stake balance" + #: src/components/infoTooltips/PausedTooltip.tsx msgid "This asset has been paused due to a community decision. Supply, withdraw, borrows and repays are impacted." msgstr "This asset has been paused due to a community decision. Supply, withdraw, borrows and repays are impacted." @@ -1081,6 +1089,7 @@ msgid "Estimated compounding interest, including discount for Staking {0}AAVE in msgstr "Estimated compounding interest, including discount for Staking {0}AAVE in Safety Module." #: src/components/transactions/UnStake/UnStakeActions.tsx +#: src/modules/umbrella/UnstakeModalActions.tsx msgid "Unstaking {symbol}" msgstr "Unstaking {symbol}" @@ -1948,6 +1957,7 @@ msgid "Price" msgstr "Price" #: src/components/transactions/UnStake/UnStakeModalContent.tsx +#: src/modules/umbrella/UnstakeModalContent.tsx msgid "Unstaked" msgstr "Unstaked" @@ -2912,6 +2922,7 @@ msgid "The underlying balance needs to be greater than 0" msgstr "The underlying balance needs to be greater than 0" #: src/components/transactions/UnStake/UnStakeModalContent.tsx +#: src/modules/umbrella/UnstakeModalContent.tsx msgid "Not enough staked balance" msgstr "Not enough staked balance" @@ -3086,6 +3097,7 @@ msgid "You don't have any bridge transactions" msgstr "You don't have any bridge transactions" #: src/components/transactions/UnStake/UnStakeActions.tsx +#: src/modules/umbrella/UnstakeModalActions.tsx msgid "Unstake {symbol}" msgstr "Unstake {symbol}" diff --git a/src/locales/es/messages.js b/src/locales/es/messages.js index 9891a8904b..f55c381e8d 100644 --- a/src/locales/es/messages.js +++ b/src/locales/es/messages.js @@ -1 +1 @@ -/*eslint-disable*/module.exports={messages:JSON.parse("{\"+0xecS\":[\"Si NO unstakeas entre \",[\"0\"],\" de la ventana de unstakeo, necesitarás activar el proceso de cooldown de nuevo.\"],\"+EGVI0\":\"Recibir (est.)\",\"+VR63W\":[\"Participar en esta reserva de \",[\"symbol\"],\" da recompensas anuales.\"],\"+bmKdK\":\"Utiliza tu balance de AAVE, stkAAVE o aAava para delegar tu voto y poder de proposición. No enviarás ningún token, solo los derechos de votar y proponer cambios en el protocolo. Puedes volver a delegar o revocar el poder de vuelta en cualquier momento.\",\"+eOPG+\":\"Parece que no podemos cambiar la red automáticamente. Por favor, comprueba si puedes cambiarla desde la cartera.\",\"+i3Pd2\":\"Límite del préstamo\",\"+kLZGu\":\"Cantidad de activos suministrados\",\"+nuEh/\":\"Estimated time\",\"+xMFF8\":\"Remind me\",\"/57U31\":\"Cantidad para migrar\",\"/7ykiW\":\"Tomar prestado esta cantidad reducirá tu factor de salud y aumentará el riesgo de liquidación.\",\"/YA5pU\":\"E-Mode increases your LTV for a selected category of assets, meaning that when E-mode is enabled, you will have higher borrowing power over assets of the same E-mode category which are defined by Aave Governance. You can enter E-Mode from your <0>Dashboard. To learn more about E-Mode and applied restrictionn, see the <1>help guide or the <2>Aave V3 Technical Paper.\",\"/izjs/\":\"Cantidad mínima de Aave stakeado\",\"/jQctM\":\"To\",\"/lDBHm\":\"Preguntas frecuentes\",\"/yNlZf\":\"El préstamo estable no está habilitado\",\"/yQcJM\":\"Valor total\",\"00AB2i\":\"El usuario no tomó prestado el activo especificado\",\"00OflG\":\"No hay suficiente liquidez para que el activo seleccionado realice el cambio. Prueba reduciendo la cantidad.\",\"08/rZ9\":\"El periodo de cooldown es el tiempo requerido antes de unstakear tus tokens (20 días). Solo puedes retirar tus activos del Módulo de Seguridad después del periodo de cooldown y dentro de la ventana de unstakeo.<0>Aprende más\",\"0AmQcW\":\"Cambio de tasa\",\"0BF3yK\":\"Lo sentimos, no hemos podido encontrar la página que estabas buscando.\",\"0TAbjq\":\"Recent Transactions\",\"0jhlyw\":\"Riesgo de liquidación\",\"0ojY+Y\":\"Balance actual v2\",\"0thX3P\":\"Cambio de garantía\",\"0wGCWc\":\"Esta es la cantidad total que puedes suministrar en esta reserva. Puedes suministrar el balance de tu cartera hasta que se alcance el límite de suministro.\",\"1AsVfF\":\"Los datos de los precios no están disponibles actualmente para esta reserva en el subgraph del protocolo\",\"1LjK22\":\"Historial de transacciones\",\"1Onqx8\":[\"Aprobando \",[\"symbol\"],\"...\"],\"1Ue8sX\":\"Por favor conecta una cartera para ver tu información personal aquí.\",\"1bpx9A\":\"...\",\"1kWUB+\":\"Umbral <0/> de liquidación\",\"1m9Qqc\":\"Retirando y Cambiando\",\"1oyh4g\":\"Borrow rate\",\"1t7rez\":\"El suministro de activos está limitado a una cierta cantidad para reducir la exposición del protocolo a este activo y ayudar a manejar los riesgos implicados.\",\"2CAPu2\":\"Has retirado y cambiado tokens con éxito.\",\"2Eoi/a\":\"Ver detalles\",\"2FYpfJ\":\"Más\",\"2O3qp5\":\"Liquidez disponible\",\"2OM8/D\":[\"Este activo no se puede migrar debido a una restricción del límite de suministro en el mercado v3 de \",[\"marketName\"],\".\"],\"2Q4GU4\":\"Dirección bloqueada\",\"2ZGocC\":\"Aave es un protocolo totalmente descentralizado, gobernado por la comunidad de poseedores de tokens AAVE. Los poseedores de tokens AAVE discuten, proponen y votan colectivamente sobre las actualizaciones del protocolo. Los poseedores de tokens AAVE (solo en la red Ethereum) pueden votar ellos mismos sobre nuevas propuestas o delegarse a una dirección de su elección. Para aprender más, consulta la\",\"2a6G7d\":\"Por favor introduce una dirección de cartera válida.\",\"2bAhR7\":\"Conoce GHO\",\"2eBWE6\":\"Acepto los riesgos involucadros.\",\"2o/xRt\":\"Se ha alcanzado el límite de suministro en la reserva especificada. Prueba reduciendo la cantidad.\",\"2uJToh\":[[\"0\"],[\"name\"]],\"2x58bP\":\"El préstamo estable no está habilitado\",\"34Qfwy\":\"El límite del préstamo se ha sobrepasado\",\"39eQRj\":[\"Tomar prestado \",[\"symbol\"]],\"3BL1xB\":\"Total suministrado\",\"3BnIWi\":\"Cambiado\",\"3K0oMo\":\"Suministro restante\",\"3MoZhl\":\"No hay suficiente garantía para cubrir un nuevo préstamo\",\"3Np5O8\":[\"Suministrar \",[\"symbol\"]],\"3O8YTV\":\"Interés total acumulado\",\"3mXg0z\":\"LTV máximo\",\"3q3mFy\":\"Pagar\",\"3qsjtp\":\"El promedio ponderado de APY para todos los activos suministrados, incluidos los incentivos.\",\"3rL+os\":\"Solo puedes retirar tus activos del Módulo de Seguridad después de que finalice el período de cooldown y la ventana de unstakeo esté activa.\",\"42UgDM\":[\"Migrar al mercado V3 de \",[\"0\"]],\"49UFQA\":\"Resultados de la votación\",\"4DMZUI\":\"Ver Transacciones\",\"4HtGBb\":\"MAX\",\"4Y5H+g\":\"Términos\",\"4YYh4d\":\"Máximo disponible para tomar prestado\",\"4iPAI3\":\"Cantidad de préstamo mínima de GHO\",\"4lDFps\":\"Firma para continuar\",\"4wyw8H\":\"Transacciones\",\"5JSSxX\":[\"Tu cartera de \",[\"networkName\"],\" está vacía. Consigue activos de prueba gratis en\"],\"5K7kGO\":\"documentación\",\"5NOSGa\":\"El límite de deuda limita la cantidad posible que los usuarios del protocolo pueden tomar prestado contra este activo. El límite de deuda es específico para los activos en isolation mode y se indica en USD.\",\"5Ncc6j\":[\"Este activo casi ha alcanzado su límite de suministro. Solo se puede suministrar \",[\"messageValue\"],\" a este mercado.\"],\"5cZ/KX\":\"El suministro de deuda variable no es cero\",\"5che++\":\"Para solicitar acceso a este mercado, porfavor visita: <0>Nombre del proveedor de acceso\",\"5ctNdV\":[\"Mínimo \",[\"0\"],\" recibido\"],\"5hDe9v\":\"Acción de permiso requerida\",\"5rsnKT\":\"Recompensas disponibles\",\"5yC5m5\":\"Ver todos los votos\",\"6/dCYd\":\"Resumen\",\"60crCe\":\"Todas las transacciones\",\"62Xcjh\":\"Garantía\",\"65A04M\":\"Español\",\"6G8s+q\":\"Firmando\",\"6Jrv+z\":[\"Pagar \",[\"symbol\"]],\"6NGLTR\":\"Cantidad descontable\",\"6Xr0UU\":\"Cooling down...\",\"6bxci/\":\"Poder de votación\",\"6f8S68\":\"Mercados\",\"6g1gi0\":\"Propuestas\",\"6gvoHP\":\"Copiar mensaje de error\",\"6h3Q5G\":\"reembolsado\",\"6lFSyT\":\"Available to Stake\",\"6s8L6f\":\"Cambiar de red\",\"6yAAbq\":\"APY, tasa de préstamo\",\"70wH1Q\":\"APR\",\"72c5Qo\":\"Total\",\"73Auuq\":\"Los parámetros de descuento son decididos por la comunidad de Aave y pueden cambiar con el tiempo. Consulta el Gobierno para ver actualizaciones y vota para participar. <0>-Aprende más\",\"75qcAQ\":[[\"stepName\"]],\"7ITr5L\":\"Factor de salud\",\"7T/o5R\":\"Alcanzado\",\"7YlcXu\":\"El fork mode está activado\",\"7Z76Iw\":\"Tomar prestado no está disponible porque estás usando el Isolation mode. Para administrar el Isolation mode, visita tu <0>Panel de control.\",\"7aKlMS\":\"Compartir en Lens\",\"7er5fP\":\"Reclamar todo\",\"7hb2+s\":\"Time remaining until the withdraw period ends.\",\"7l88b8\":\"No se pudieron recuperar los datos, por favor recarga el gráfico.\",\"7p5kLi\":\"Panel de control\",\"7sofdl\":\"Retirar y Cambiar\",\"8+6BI0\":\"Ten cuidado - Estás muy cerca de la liquidación. Considera depositar más garantía o pagar alguno de tus préstamos\",\"87pUEW\":[\"Tu cartera de \",[\"name\"],\" está vacía. Compra o transfiere activos.\"],\"8F1i42\":\"Página no encontrada\",\"8G8M0u\":\"Cargando datos...\",\"8Iu1QS\":\"retirado\",\"8JL93T\":\"Todas las propuestas\",\"8Q51DU\":\"Añadir a la cartera\",\"8X/oyn\":\"Cantidad invalidad para generar\",\"8Z5FPv\":\"Desconectar cartera\",\"8Zz7s5\":\"activos\",\"8aLW8H\":\"Balance a revocar\",\"8bOT3H\":\"Tasa de uso\",\"8sLe4/\":\"Ver contrato\",\"8t/M0y\":\"Please connect your wallet to be able to bridge your tokens.\",\"8vETh9\":\"Mostrar\",\"94OHPx\":\"Estás entrando en el Isolation mode\",\"9CDK3/\":[\"Tomar prestado no está disponible actualmente para \",[\"0\"],\".\"],\"9GIj3z\":\"Tamaño de la reserva\",\"9Knqb4\":\"Balance stakeado\",\"9OBKm7\":\"Quorum\",\"9QHoGr\":\"Votos actuales\",\"9Rw96f\":[\"Este activo casi ha alcanzado su límite de préstamo. Solo hay \",[\"messageValue\"],\" disponibles para ser prestado de este mercado.\"],\"9Xj/qR\":[\"Algunos activos migrados no se utilizarán como garantía debido al isolation mode habilitado en el mercado V3 de \",[\"marketName\"],\". Visita el <0>Panel de control de \",[\"marketName\"],\" V3 para administrar el isolation mode.\"],\"9c6vDV\":\"Este activo ha alcanzado su límite de suministro. No queda nada disponible para ser suministrado desde este mercado.\",\"9kTWHA\":\"MAI ha sido pausado debido a una decisión de la comunidad. Los suministros, préstamos y pagos se han visto afectados. <0>Más información\",\"9lXchd\":\"Token subyacente\",\"9rWaKF\":\"Bridged Via CCIP\",\"9xSooW\":\"Puesto que esta es una red de pruebas, puedes obtener cualquiera de los activos si tienes ETH en tu cartera\",\"A/lwoe\":\"Elige uno de los servicios on-ramp\",\"A6dCI6\":[\"La máxima cantidad disponible para tomar prestado es <0/> \",[\"0\"],\" (<1/>).\"],\"AReoaV\":\"Tus préstamos\",\"ARu1L4\":\"Pagado\",\"AV7cGz\":\"Revisa los detalles del approve\",\"AZOjB8\":\"Recuperando datos...\",\"Ai0jas\":\"Únete a la discusión de la comunidad\",\"Ajl2rq\":\"El poder de préstamo y los activos están limitados debido al Isolation mode.\",\"AqgYNC\":\"El límite de préstamo del protocolo está al 100% para este activo. No es posible tomar más prestado.\",\"B3EcQR\":\"¡Gracias por votar!\",\"B6aXGH\":\"Estable\",\"B9Gqbz\":\"Tasa variable\",\"BDFEd+\":\"stETH suministrado como garantía continuará acumulando recompensas de staking proporcionadas por rebases diarios.\",\"BE2mP0\":\"Borrowed assets\",\"BJyN77\":\"Debido al impacto del factor de salud, se requiere un préstamo flash para realizar esta transacción, pero el Gobierno de Aave ha inhabilitado la disponibilidad de préstamos flash para este activo. Intenta reducir la cantidad o suministrar garantía adicional.\",\"BNL4Ep\":\"El uso como garantía está limitado debido al isolation mode. <0>Aprende más\",\"BQ/wCO\":\"Migrate your assets\",\"BjLdl1\":\"Con un descuento\",\"BnhYo8\":\"Categoría de activos\",\"Bq9Y7e\":\"Este activo está congelado debido a una decisión de la comunidad de Aave. <0>Más información\",\"BqWMDJ\":\"Faucet\",\"BqynZO\":\"Optimized for efficiency and risk by supporting blue-chip collateral assets\",\"Bsu7zX\":\"The fee includes the gas cost to complete the transaction on the destination chain and the fee paid to Chainlink CCIP service providers. You can chose to pay in the network token or GHO. <0>Learn more\",\"BwJKBw\":\"de\",\"CDrsH+\":\"Documento técnico\",\"CK1KXz\":\"Max\",\"CMHmbm\":\"Deslizamiento\",\"CZXzs4\":\"Griego\",\"CcRNG6\":\"Cambiando\",\"CkTRmy\":[\"Reclamar \",[\"symbol\"]],\"CsqtLm\":\"Por favor conecta tu cartera para ver la herramienta de migración.\",\"CtGlFb\":[\"Faucet \",[\"networkName\"]],\"Cxt2YY\":\"Watch wallet\",\"D33VQU\":\"Esta acción reducirá el factor de salud de V3 por debajo del umbral de liquidación. Aumenta la garantía migrada o reduce el préstamo migrado para continuar.\",\"D9BLRG\":\"Este activo ha sido pausado debido a una decisión de la comunidad. El suministro, los retiros, los préstamos y los pagos se han visto afectados.\",\"DAma/S\":\"La garantía es (en su mayoría) el mismo activo que se está tomando prestado\",\"DCnFg0\":[\"Direcciones (\",[\"0\"],\")\"],\"DG3Lv1\":\"Entiendo completamente los riesgos de migrar.\",\"DONJcV\":\"El activo base no puede ser rescatado\",\"DR+4uL\":\"Balance del suministro después del cambio\",\"DWjrck\":[\"Este activo no se puede migrar al mercado V3 de \",[\"marketName\"],\" debido a las restricciones del E-mode. Puedes deshabilitar o administrar las categorías del E-mode en tu <0>Panel de control V3\"],\"Dj+3wB\":\"Aave por mes\",\"DptNvx\":\"Amount Staked\",\"DuEq2K\":\"Colateralización\",\"DxfsGs\":\"Puedes reportar cualquier incidente a nuestro <0>Discord o <1>Github.\",\"Dzma+E\":\"Main Ethereum market with the largest selection of assets and yield options\",\"E/QGRL\":\"Deshabilitado\",\"EBL9Gz\":\"¡COPIADO!\",\"ES8dkb\":\"Interés fijo\",\"EZd3Dk\":[\"Restakeando \",[\"symbol\"]],\"Ebgc76\":[\"Retirando \",[\"symbol\"]],\"EdQY6l\":\"Ninguno\",\"EjvKQ+\":\"Valor mínimo en USD recibido\",\"Enslfm\":\"Destination\",\"EvE9nO\":[\"Reactivar el periodo de cooldown para unstakear \",[\"0\"],\" \",[\"stakedToken\"]],\"EvECnL\":\"Migrar a V3\",\"EzMQbh\":\"The source chain time to finality is the main factor that determines the time to destination. <0>Learn more\",\"F40cwT\":\"Legacy Markets\",\"F6TdXL\":\"Aprende más.\",\"FDDPeZ\":\"Users can stake their assets in the protocol and earn incentives. In the case of a shortfall event, your stake can be slashed to cover the deficit, providing an additional layer of protection for the protocol.\",\"FHlMf/\":\"Balance actual v2\",\"FHpxjF\":[\"El factor de reserva es un porcentaje de interés que va a un \",[\"0\"],\" que es controlado por el gobierno de Aave para promover el crecimiento del ecosistema.\"],\"FOBZa6\":\"Capacidad de préstamo utilizada\",\"FPKEug\":\"Operación no soportada\",\"FbmMe7\":\"Direcciones vinculadas\",\"Fdp03t\":\"en\",\"Fjw9N+\":\"Activos a suministrar\",\"FmN0fk\":\"Restakear\",\"GDGLIs\":\"GHO es un activo nativo descentralizado, digital y respaldado por garantía, vinculado al USD. Es creado por los usuarios que lo toman prestado contra múltiples garantías. Cuando el usuario paga su posición de préstamo de GHO, el protocolo quema el GHO de ese usuario. Todos los pagos de interés acumulados por los acuñadores de GHO serán transferidos directamente a la tesorería de\xA0la\xA0DAO\xA0de\xA0Aave.\",\"GQrBTq\":\"Cambiar E-Mode\",\"GWswcZ\":\"Este activo está congelado debido a una decisión del Gobierno del Protocolo Aave. El 20 de diciembre de 2022, renFIL ya no será compatible y no se podrá conectar de nuevo a su red nativa. Se recomienda retirar las posiciones de suministro y pagar las posiciones de préstamo para que renFIL se pueda convertir de nuevo a FIL antes de la fecha límite. Después de esta fecha, ya no será posible convertir renFIL a FIL. <0>Más detalles\",\"GX8GKD\":\"Activos\",\"GgEj+0\":\"Modo de solo lectura. Conéctate a una cartera para realizar transacciones.\",\"GjkIKV\":\"finaliza\",\"GoK/QN\":\"Thank you for submitting feedback!\",\"GtP2hp\":[\"Tomar prestado no está disponible porque has habilitado el Efficieny Mode (E-Mode) para la categoría \",[\"0\"],\". Para manejar las categorías del E-Mode visita tu <0>Panel de control.\"],\"H6Ma8Z\":\"Descuento\",\"HB/wfS\":[[\"tooltipText\"]],\"HKDsQN\":\"Rewards can be claimed through\",\"Ha/U5f\":\"This is a program initiated and implemented by the decentralised ZKSync community. Aave Labs does not guarantee the program and accepts no liability.\",\"HciqKU\":\"This is a program initiated and implemented by the decentralised Aave community. Aave Labs does not guarantee the program and accepts no liability.\",\"Hi6Ttn\":\"Lo sentimos, se produjo un error imprevisto. Mientras tanto, puedes intentar recargar la página, o volver después.\",\"HkEDbS\":[[\"d\"],\"d\"],\"HmkYqM\":\"Ventana de unstakeo\",\"HpK/8d\":\"Recargar\",\"HrnC47\":\"Guardar y compartir\",\"HuVZMK\":\"Days\",\"HvJKMU\":[\"Este activo no se puede migrar al mercado v3 de \",[\"marketName\"],\", ya que el activo de garantía habilitará el isolation mode.\"],\"Hvwnm9\":[\"La cantidad máxima disponible para suministrar está limitada porque el límite de suministro del protocolo está al \",[\"0\"],\"%.\"],\"I8CX2c\":\"La cantidad total de tus activos denominados en USD que pueden ser usados como garantía para activos de préstamo.\",\"IAD2SB\":[\"Reclamando \",[\"symbol\"]],\"IG9X9/\":\"Tomar prestado este activo está limitado a una cierta cantidad para minimizar la insolvencia del fondo de liquidez.\",\"IOIx8L\":\"Está previsto que este activo se desvincule debido a una decisión del Gobierno del Protocolo Aave. <0>Más detalles\",\"IP+I/j\":\"Periodo de cooldown\",\"IaA40H\":\"Liquidación en\",\"J/hVSQ\":[[\"0\"]],\"JCoxL6\":\"Administrar analíticas\",\"JK9zf1\":[\"Interés compuesto estimado, incluyendo el descuento por Staking \",[\"0\"],\"AAVE en el Módulo de Seguridad.\"],\"JOqFba\":[\"Unstakeando \",[\"symbol\"]],\"JPrLjO\":\"No puedes usar este activo como garantía\",\"JU6q+W\":\"Recompensa(s) por reclamar\",\"JYKRJS\":\"Stakear\",\"JZMxX0\":\"No hay suficiente balance en tu cartera\",\"Jgflkm\":\"Obtener GHO\",\"JoMQnI\":\"Balance de la cartera\",\"JtwD8u\":\"Balance tomado prestado tras pagar\",\"JumYTK\":\"Supplied assets\",\"K05qZY\":\"Retirar y Cambiar\",\"KAz/NV\":\"El límite de deuda del protocolo está al 100% para este activo. No es posible tomar más prestado usando este activo como garantía.\",\"KLXVqE\":[\"Los tokens stETH se migrarán a Wrapped stETH usando el wrapper del protocolo de Lido, lo que provoca un cambio en el balance de suministro después de la migración: \",[\"0\"]],\"KLd6ky\":\"Use connected account\",\"KRpokz\":\"VER TX\",\"KSlpka\":\"Esto representa el umbral en el que un préstamo será considerado sin garantía suficiente y sujeto a la liquidación de la misma. Por ejemplo, si una garantía tiene un umbral de liquidación del 80 %, significa que el préstamo será liquidado cuando el valor de la deuda alcanze el 80% del valor de la garantía.\",\"KYAjf3\":\"Aislado\",\"KZwRuD\":[[\"notifyText\"]],\"KkPgim\":\"Cambiando E-Mode\",\"KnN1Tu\":\"Caduca\",\"KoOBI2\":\"Debido a mecánicas internas de stETH requeridas para el soporte del rebase, no es posible realizar un cambio de garantía donde stETH es el token de origen.\",\"KojyJ4\":\"Red incorrecta\",\"KsqhWn\":\"Staking\",\"KuBTQq\":\"Introduce la dirección ETH\",\"KvG1xW\":\"Reclamando\",\"L+8Lzs\":\"LTV actual\",\"L+qiq+\":\"Mercado\",\"LDzfVJ\":\"Send Feedback\",\"LIrMcF\":\"Sin poder de voto\",\"LL0zks\":\"Puede ser garantía\",\"LLdJWu\":\"AAVE Reclamable\",\"LSIpNK\":\"Tomar prestado y pagar en el mismo bloque no está permitido\",\"LVt3TI\":[\"<0>Tolerancia de deslizamiento <1>\",[\"selectedSlippage\"],\"% <2>\",[\"0\"],\"\"],\"LjafV8\":\"Maximum collateral amount to use\",\"LtpQew\":\"Let us know how we can make the app better for you. For user support related inquiries please reach out on\",\"LvVpD/\":\"Modo E\",\"M2sknc\":\"Tip: Intenta aumentar el deslizamiento o reduce la cantidad de entrada\",\"M7wPsD\":\"Cambiar\",\"MFu33y\":\"Staking 00\",\"MIy2RJ\":\"Maximum amount received\",\"MZ/nQf\":\"Dirección del destinatario\",\"Ma/MtY\":\"vista de stakeo\",\"McHlGl\":\"Cambio de APY\",\"MeCCA+\":\"APY, variable\",\"MghdTe\":\"Si el factor de salud se encuentra por debajo de 1, la liquidación de tu colateral puede ser activada.\",\"Mm/DVQ\":\"Has cancelado la transacción.\",\"MnE2QX\":\"Información de préstamo\",\"MrmQHg\":\"View Bridge Transactions\",\"MuDFEQ\":\"Valor de retorno inválido en la función executor del préstamo flash\",\"N5kUMV\":\"Este activo solo se puede utilizar como garantía en isolation mode con poder de préstamo limitado. Para entrar en el isolation mode, deshabilita todas las demás garantías.\",\"N6Pxr9\":\"View all\",\"NF0e1Q\":\"Pendiente...\",\"NK9ikO\":\"Balance de la cartera\",\"NMt2CB\":\"Cantidad reclamable\",\"NcFGxG\":\"Collector Contract\",\"NfpPeS\":\"Nada invertido\",\"Nh9DAo\":[[\"m\"],\"m\"],\"O+sCUU\":\"El límite de minteo sin respaldo ha sido excedido\",\"O+tyU+\":[\"La cantidad máxima disponible para tomar prestado contra este activo está limitada porque el límite de deuda está al \",[\"0\"],\"%.\"],\"O3oNi5\":\"Email\",\"OFjZGo\":\"Unstakear\",\"OR8cYX\":\"Resumen de la propuesta\",\"OYuJ9K\":\"El límite de deuda del protocolo está al 100% para este activo. No es posible tomar más prestado usando este activo como garantía.\",\"OfhWJH\":\"Restablecer\",\"Og2SKn\":\"deshabilitado\",\"On0aF2\":\"Página web\",\"OsyKSt\":\"Retirar\",\"P1dURE\":\"Revocar poder\",\"P2WCD/\":[\"El activo subyacente no existe en el mercado v3 de \",[\"marketName\"],\", por lo tanto, esta posición no se puede migrar.\"],\"P2sL6B\":\"Cuando ocurre una liquidación, los liquidadores pagan hasta el 50% de la cantidad pendiente del préstamo en nombre del prestatario. A cambio, pueden comprar la garantía con descuento y quedarse con la diferencia (sanción de liquidación) como bonificación.\",\"P6sRoL\":\"Stakea ABPT\",\"P72/OW\":\"El promedio ponderado de APY para todos los activos prestados, incluidos los incentivos.\",\"P7e6Ug\":\"Por favor conecta tu cartera para ver el historial de transacciones.\",\"PByO0X\":\"Votos\",\"PI+kVe\":\"Deshabilitar fork\",\"PJK9u/\":\"Apy préstamo\",\"PLUB/s\":\"Fee\",\"PP5ZA8\":[\"Participating in staking \",[\"symbol\"],\" gives annualized rewards. Your wallet balance is the sum of your aTokens and underlying assets. The breakdown to stake is below\"],\"PcBUgb\":\"Umbral de liquidación\",\"PjU6bu\":\"This asset is eligible for SPK incentive program. Aave Labs does not guarantee the program and accepts no liability.\",\"PpqD5g\":\"Habilitar este activo como garantía aumenta tu poder préstamo y el factor de salud. Sin embargo, puede ser liquidado si tu factor de salud cae por debajo de 1.\",\"PsOFSf\":\"Esta acción reducirá el factor de salud V2 por debajo del umbral de liquidación. Mantén la garantía o migra la posición de préstamo para continuar.\",\"Pu4bI/\":[[\"currentMethod\"]],\"Q0LzKi\":\"View TX\",\"Q4eNqa\":\"El Aave Balancer Pool Token (ABPT) es un token de pool de liquidez. Puedes recibir ABPT depositando una combinación de AAVE + wstETH en el pool de liquidez de Balancer. Luego puedes stakear tu BPT en el módulo de seguridad para asegurar el protocolo y ganar incentivos de seguridad.\",\"QQYsQ7\":\"Retirando\",\"QWYCs/\":\"Stakear GHO\",\"R+30X3\":\"No alcanzado\",\"RCU5PY\":\"Age\",\"RIfckG\":[\"Desactivar \",[\"symbol\"],\" como garantía\"],\"RMtxNk\":\"Diferencial\",\"RNK49r\":\"Firma inválida\",\"RS0o7b\":\"Estado\",\"RU+LqV\":\"Detalles de la propuesta\",\"RYTgZX\":\"lorem ipsum\",\"RbXH+k\":\"Los poseedores de AAVE, GHO y ABPT (solo en la red de Ethereum) pueden stakear sus activos en el Módulo de Seguridad para añadir más seguridad al protocolo y obtener incentivos de seguridad. En el caso de un evento de shortfall, tu stakeo puede ser reducido para cubrir el déficit. proporcionando una capa adicional de protección para el protocolo.\",\"RiSYV4\":\"El activo no está listado\",\"Rj01Fz\":\"Enlaces\",\"RmWFEe\":\"Staking APR\",\"RoafuO\":\"Enviar feedback\",\"RtBLm7\":\"El factor de salud es menor que el umbral de liquidación\",\"RxzN1M\":\"Habilitado\",\"SDav7h\":\"Fondos en el Módulo de Seguridad\",\"SENccp\":\"Si el error persiste, <0/> podrías reportarlo a esto\",\"SIWumd\":\"Mostrar activos congelados o pausados\",\"SM58dD\":\"Cantidad en cooldown\",\"SSMiac\":\"Error al cargar los votantes de la propuesta. Por favor actualiza la página.\",\"SSQVIz\":\"Umbral de liquidación\",\"SUb8x0\":\"Total disponible\",\"SWIgh4\":\"Fees exceed wallet balance\",\"SY9hVo\":\"El modo de solo lectura permite ver las posiciones de las direcciones en Aave, pero no podrás realizar transacciones.\",\"SZRUQ4\":\"Deslizamiento máximo\",\"Sa1UE/\":\"El límite de préstamo del protocolo está al 100% para este activo. No es posible tomar más prestado.\",\"Sk2zW9\":\"Desactivando E-Mode\",\"SxaD0o\":\"La dirección del proveedor del pool no esta registrada\",\"T/AIqG\":\"El límite de suministro del protocolo está al 100% para este activo. No es posible suministrar más.\",\"T0xCO9\":\"No se puede validar la dirección de la cartera. Vuelve a intentarlo.\",\"T4OhVl\":\"GHO balance\",\"T6uYU2\":\"Tomar prestado\",\"TFxQlw\":\"Penalización de liquidación\",\"TQ7WsV\":\"Available to stake\",\"TUI7iB\":\"El activo solo puede usarse como garantía en el Isolation mode únicamente.\",\"TbjyhA\":\"Docs\",\"TduuS0\":\"El usuario no tiene deuda pendiente de tasa estable en esta reserva\",\"TeCFg/\":\"Cambio de tasa de préstamo\",\"Tg1JyO\":\"Bridge history\",\"TskbEN\":\"Los poseedores de stkAAVE reciben un descuento en la tasa de préstamo de GHO\",\"TszKts\":\"Balance de préstamo después del cambio\",\"TtZL6q\":\"Parámetros del modelo de descuento\",\"TwJI9F\":\"Asset has been successfully sent to CCIP contract. You can check the status of the transactions below\",\"Tz0GSZ\":\"actividades bloqueadas\",\"U/eBjN\":\"Recarga la página\",\"U2r8nY\":\"Elige cuánto poder de voto/proposición otorgar a otra persona delegando parte de tu balance de AAVe o stkAAVE. Tus tokens permanecerán en tu cuenta, pero tu delegado podrá votar o proponer en tu lugar. Si tu balance de AAVE, stkAAVE o aAave cambia, el poder de voto/proposición de tu delegado se ajustará automáticamente.\",\"U8IubP\":\"La aplicación se está ejecutando en testnet mode. Aprende como funciona en\",\"U9btTk\":\"El activo no se puede pedir prestado en isolation mode\",\"UAOZRe\":\"El impacto del precio es la diferencia entre el valor total de los tokens de entrada cambiados y los tokens de destino obtenidos (en USD), que resulta de la liquidez limitada del par de cambio.\",\"UE3KJZ\":\"El historial de transacciones no está disponible actualmente para este mercado\",\"URmyfc\":\"Detalles\",\"UTTKmT\":\"Cooldown de stakeo activado\",\"UXeR72\":\"Estos fondos se han tomado prestados y no están disponibles para su retirada en este momento.\",\"UYb8CM\":\"Learn more about the SPK rewards\",\"UbRrG0\":\"El ratio LTV máximo representa el poder de endeudamiento máximo de una garantía específica. Por ejemplo, si una garantía tiene un LTV del 75 %, el usuario puede pedir prestado hasta 0,75 ETH en la moneda principal por cada 1 ETH de garantía.\",\"UpndFj\":\"No hay recompensas para reclamar\",\"V0f2Xv\":\"Factor de reserva\",\"V1HK43\":\"Riesgos de migración\",\"VATFH9\":\"Deuda cubierta\",\"VHOVEJ\":\"Conectar cartera\",\"VMfYUK\":\"Seguridad de tu garantía depositada contra los activos prestados y su valor subyacente.\",\"VOAZJh\":\"Total de préstamos\",\"ViKYxK\":\"YAE\",\"W1SSoD\":\"Revisar detalles de la tx\",\"W5hVah\":\"Nada suministrado aún\",\"W5kTFy\":\"Votando\",\"W8ekPc\":\"Volver al panel de control\",\"WMPbRK\":\"No respaldado\",\"WNGZwH\":\"El E-Mode incrementa tu LTV para una categoría seleccionada de activos hasta el <0/>. <1>Aprende más\",\"WPWG/y\":\"Configuración y estado de la reserva\",\"WZLQSU\":\"El usuario no puede retirar más que el balance disponible\",\"WaZyaV\":\"<0>Ampleforth es un activo con rebase. Visita la <1>documentación para aprender más.\",\"WfU+XN\":\"Debido a que este activo está en pausa, no se pueden realizar acciones hasta nuevo aviso\",\"Wjmqs2\":\"No results found. You can import a custom token with a contract address\",\"WkZ6C6\":\"Para tomar prestado, necesitas suministrar cualquier activo para ser utilizado como garantía.\",\"WyMiQm\":\"Has cambiado los tokens con éxito.\",\"X/ITG9\":\"Copiar el texto del error\",\"X3Pp6x\":\"Utilizado como garantía\",\"X4Zt7j\":\"No se puede realizar la acción porque la reserva está pausada\",\"XBdKOj\":\"Direcciones de cartera de contrato inteligente representativas (Safe) en otras cadenas.\",\"XZzneG\":\"Saldrás del modo aislamiento y otros tokens pueden ser usados ahora como garantía\",\"Xg5y9S\":\"Amount to Bridge\",\"Xn4hUi\":\"Por favor ten siempre en cuenta tu <0>factor de salud (HF) cuando migres parcialmente una posición y que tus tasas serán actualizadas a tasas de la V3.\",\"Xy71ST\":\"Umbrella\",\"Y5kGkc\":\"VOTAR NO\",\"YDIOks\":\"Habilitar E-Mode\",\"YSodyW\":\"Esta acción reducirá tu factor de salud. Por favor ten en cuenta el riesgo incrementado de liquidación de la garantía.\",\"YXOWXM\":\"The total amount bridged minus CCIP fees. Paying in network token does not impact gho amount.\",\"YirHq7\":\"Feedback\",\"YogbCJ\":\"Testnet mode está ON\",\"YrDxdO\":\"Si tu relación préstamo-valor supera el umbral de liquidación, tu garantía puede ser liquidada.\",\"YyIM65\":\"No se cumplieron las condiciones de ajuste de tasas de interés\",\"YyydIq\":[\"Añade \",[\"0\"],\" a tu cartera para hacer un seguimiento del balance.\"],\"ZBvhI+\":\"Gobierno de Aave\",\"ZIIRAd\":\"Raw-Ipfs\",\"ZRq4tX\":\"Modo de eficiencia (E-Mode)\",\"ZSqEW+\":\"Manage E-Mode\",\"ZUFYFE\":\"Deshabilitar testnet\",\"Zbyywy\":\"Max slashing\",\"ZfUGFb\":\"Antes de suministrar\",\"ZiXN+B\":\"Assets to stake\",\"ZlsSDH\":\"Valor de liquidación\",\"ZrEc8j\":\"No pudimos encontrar ningún activo relacionado con tu búsqueda. Vuelve a intentarlo con un nombre diferente de activo, símbolo o dirección.\",\"ZsLF7e\":\"habilitado\",\"a0YQoQ\":\"Enter a valid address\",\"a2fBZn\":\"Tempo restante para unstakear\",\"a5RYZd\":\"Deshabilitar este activo como garantía afecta tu poder de préstamo y Factor de Salud.\",\"a7u1N9\":\"Precio\",\"a9D+6D\":\"Unstakeado\",\"aEtiwq\":\"Votar NO\",\"aMmFE1\":\"Comprar Crypto con Fiat\",\"aOKIms\":\"Los parámetros del array que deberían ser iguales en longitud no lo son\",\"aX31hk\":\"Tu balance es más bajo que la cantidad seleccionada.\",\"adUsDd\":\"Se ha producido un error al recuperar la propuesta.\",\"al6Pyz\":\"Supera el descuento\",\"aoXTT7\":\"APY préstamo, variable\",\"aqX1Yp\":\"This asset is eligible for rewards through SuperFest. Aave Labs does not guarantee the program and accepts no liability.\",\"avgETN\":\"Eligible for the Merit program.\",\"b4NS3e\":\"Advertencia periodo de cooldown\",\"bNEQeI\":\"Cooldown\",\"bSruit\":\"ZKSync Ignite Program rewards are claimed through the\",\"bUUVED\":\"Activo\",\"bXQ/Og\":\"Compartir en twitter\",\"bXr0ee\":\"Los activos aislados han limitado tu capacidad de préstamo y otros activos no pueden ser usados como garantía.\",\"bYmAV1\":\"Direcciones\",\"bguKoJ\":\"La cantidad solicitada es mayor que el tamaño máximo del préstamo en el modo de tasa estable\",\"bwSQI0\":\"Suministrar\",\"bxN6EM\":\"No se puede deshabilitar E-Mode\",\"bxmzSh\":\"No hay suficiente garantía para pagar esta cantidad de deuda con\",\"c91vuQ\":\"La dirección no es un contrato\",\"c97os2\":\"aToken de Aave\",\"c9b44w\":\"No puedes retirar esta cantidad porque causará una liquidación\",\"cBc+4A\":\"Esta es la cantidad total disponible que puedes tomar prestada. Puedes tomar prestado basado en tu garantía y hasta que el límite de préstamo se alcance.\",\"cIl5kp\":\"Tu poder de voto se basa en tu balance de AAVE/stkAAVE y delegaciones recibidas.\",\"cLo09S\":\"Detalles de riesgo\",\"cNT+ij\":\"Tomar prestado no está disponible porque has habilitado el Efficiency Mode (E-Mode) y el Isolation mode. Para administrar el E-Mode y el Isolation Mode, visita tu <0>Panel de control.\",\"cZOeBk\":\"Something went wrong fetching bridge message, please try again later.\",\"ceix5S\":\"Para enviar una propuesta de cambios menores al protocolo, necesitarás al menos 80K de poder. Si deseas cambiar la base central del código, necesitarás un poder de 320K.<0>Aprende más\",\"ciSsYT\":\"Staking APY\",\"ciybUa\":\"Votar SI\",\"ckf7gX\":[\"Pagando \",[\"symbol\"]],\"cp1ZDP\":[\"Bridge \",[\"symbol\"]],\"cqnmnD\":\"Tasa de interés efectiva\",\"cqwIvs\":\"Hilo de discusión del foro\",\"csDS2L\":\"Disponible\",\"cu7Stb\":\"No has participado en esta propuesta\",\"dE6BLF\":\"Gobierno\",\"dEgA5A\":\"Cancelar\",\"dIsyWh\":\"La validación del LTV ha fallado\",\"dMtLDE\":\"para\",\"dOB5nW\":[\"La cantidad máxima disponible para suministrar es <0/> \",[\"0\"],\" (<1/>).\"],\"dVfODp\":\"No tienes suficientes fondos en tu cartera para pagar la cantidad total. Si procedes a pagar con tu cantidad actual de fondos, aún tendrás un pequeño préstamo en tu panel de control.\",\"dXUQFX\":\"Activos a tomar prestado\",\"dgr1aY\":\"Tomar prestado está deshabilitado debido a una decisión de la comunidad de Aave. <0>Más información\",\"djsg0o\":\"Uso de la garantía\",\"dpc0qG\":\"Variable\",\"drdV8R\":\"Liquidación\",\"dxW8cS\":\"Token de deuda de Aave\",\"e4V3oW\":\"Top 10 direcciones\",\"eD8WX/\":\"La acción requiere una reserva activa\",\"eJRJ04\":\"Cantidad para unstakear\",\"eLh0cL\":\"El deslizamiento es la diferencia entre las cantidades calculadas y las recibidas debido a las condiciones cambiantes del mercado entre el momento en que se envía la transacción y su verificación.\",\"ePK91l\":\"Editar\",\"eVpCmf\":\"Recompensas de Staking\",\"eVqvtf\":\"Bridge GHO\",\"eYdurp\":\"Aún no hay transacciones.\",\"ebLGGN\":\"Total tomado prestado\",\"ecqEvn\":\"El balance de garantía es 0\",\"efdrrk\":\"Disponible en\",\"enruNF\":\"empieza\",\"eqLYiD\":\"Unstakea ahora\",\"euScGB\":\"APY con descuento aplicado\",\"evw5ha\":\"Valor neto\",\"ezcU16\":\"Obtener Token ABP\",\"f3W0Ej\":[\"Has cambiado a tasa \",[\"0\"]],\"fH9i8k\":\"Has cambiado con éxito la posición de préstamo.\",\"fHcELk\":\"APR Neto\",\"fMJQZK\":\"Prestado\",\"fZ5Vnu\":\"Recibido\",\"firl9Q\":\"Tu actual relación préstamo-valor basado en tu garantía suministrada.\",\"flRCF/\":\"Descuento por staking\",\"fldjW9\":\"Previsualizar la tx y migrar\",\"fsBGk0\":\"Balance\",\"fu1Dbh\":[\"Retirar \",[\"symbol\"]],\"fwjWSI\":\"Suministrado\",\"fwyTMb\":\"Migrar a stkABPT v2\",\"g0mals\":\"You can not disable E-Mode because that could cause liquidation. To exit E-Mode supply or repay borrowed positions.\",\"g2UNkE\":\"Powered by\",\"g8KGoA\":\"FAQS\",\"g9zzqS\":\"Votó NAY\",\"gDd2gk\":\"about SuperFest.\",\"gFFh9h\":\"¡Todo listo!\",\"gIMJlW\":\"Testnet mode\",\"gOzPxe\":\"Este activo está congelado debido a una decisión del Gobierno del Protocolo Aave. <0>More información\",\"gTHi2T\":\"El usuario está intentando tomar prestado múltiples activos incluido uno aislado\",\"gVW59Y\":\"Por favor conecta tu cartera para obtener activos testnet gratis.\",\"gcFNxP\":\"Aprobación confirmada\",\"gncRUO\":\"Esta dirección está bloqueada en app.aave.com porque está asociada con una o más\",\"goff7V\":\"Dirección cero no válida\",\"gp+f1B\":\"Versión 3\",\"gr8mYw\":\"Puedes tomar prestado hasta <0/> GHO al <1/> (descuento máximo)\",\"gvTM4B\":\"El APY neto es el efecto combinado de todos los suministros y préstamos sobre total, incluidos los incentivos. Es posible tener un APY neto negativo si el APY de la deuda es mayor que el APY de suministro.\",\"gzcch9\":\"Comisión de puente de protocolo inválida\",\"h33MxW\":\"Direcciones de cartera de contrato inteligente representantes (Safe) en otras cadenas.\",\"h3ilK+\":\".CSV\",\"hB23LY\":\"Activar Cooldown\",\"hIJzBh\":\"Available to Claim\",\"hIS4N0\":\"APY neto\",\"hRWvpI\":\"Reclamado\",\"hdmy/o\":\"El % de tu poder de préstamo total utilizado. Esto se basa en la cantidad de tu garantía suministrada y la cantidad total que puedes pedir prestado.\",\"hehnjM\":\"Cantidad\",\"hjDCQr\":\"Hubo un error. Por favor intenta cambiar los parámetros o <0><1>copiar el error\",\"hom7qf\":\"Reclamar\",\"hpHJ4I\":\"Garantía liquidada\",\"hpuVIp\":\"Users who stake AAVE in Safety Module (i.e. stkAAVE holders) receive a discount on GHO borrow interest rate.\",\"huQ6Tz\":[\"Tomando prestado \",[\"symbol\"]],\"hxi7vE\":\"Balance tomado prestado\",\"i/fZ2Z\":\"Staked Balance\",\"i2JTiw\":\"Puedes ingresar una cantidad específica en el campo.\",\"iB5+/J\":\"Sobre GHO\",\"iChbOF\":\"Parámetros inconsistentes del préstamo flash\",\"iEPVHF\":\"No hay suficiente poder de voto para participar en esta propuesta\",\"iEW87X\":\"Poder delegado\",\"iEju36\":[\"Has votado \",[\"0\"]],\"iFq2YN\":\"Borrowable\",\"iGxyIA\":\"Safety Module\",\"iMVZk9\":\"Seleccionar tolerancia de deslizamiento\",\"iPMIoT\":\"Ingresa una cantidad\",\"iSLIjg\":\"Conectar\",\"iUo5rv\":\"tokens no es lo mismo que stakearlos. Si deseas stakearlos\",\"iZxa38\":\"Úsalo para votar a favor o en contra de propuestas activas.\",\"if5PH+\":\"Collector Info\",\"igkfR1\":[\"En el Isolation mode, no puedes suministrar otros activos como garantía. Un límite de deuda global limita la capacidad de préstamo del activo aislado. Para salir del Isolation mode, deshabilita \",[\"0\"],\" como garantía antes de tomar prestado otro activo. Lee más en nuestras <0>preguntas frecuentes \"],\"il0sEG\":\"El uso de garantías está limitado debido al Isolation mode.\",\"j+K1Xj\":\"Amount After Fee\",\"jA2QeW\":\"Suministrando tu\",\"jFi7dz\":\"Tasa de interés determinada por el gobierno de Aave. Esta tasa puede cambiar con el tiempo dependiendo de la necesidad de que el suministro de GHO se contraiga/expanda. <0>Aprende más\",\"jG3UJ7\":\"Desactivar el E-Mode\",\"jKYzR1\":\"Habilitar E-Mode\",\"jMam5g\":[\"Balance \",[\"0\"]],\"jSYv+Z\":\"Enabling E-Mode allows you to maximize your borrowing power, however, borrowing is restricted to assets within the selected category. <0>Learn more about how it works and the applied restrictions.\",\"jaKbwW\":[[\"s\"],\"s\"],\"jbFMap\":\"Periodo restante de cooldown\",\"jeMZNr\":[[\"0\"],\" el servicio on-ramp es proporcionado por proveedores externos y al seleccionarlo, estás aceptando los términos de dichos proveedores. Tu acceso al servicio podría depender de que el proveedor externo esté operativo.\"],\"jfl9OP\":\"Migrado\",\"jmXdoY\":\"En E-Mode algunos activos no se pueden pedir prestados. Sal del E-Mode para obtener acceso a todos los activos\",\"jpctdh\":\"Ver\",\"jqzUyM\":\"No disponible\",\"k/sb6z\":\"Seleccionar idioma\",\"k3wP3f\":\"<0>Atención: Los cambios de parámetros a través de la gobernanza pueden alterar el factor de salud de tu cuenta y el riesgo de liquidación. Sigue el <1>foro de gobierno de Aave para mantenerte actualizado.\",\"kACpF3\":[\"Reclamar \",[\"0\"]],\"kH6wUX\":\"Impacto del precio\",\"kIC28N\":\"Available to claim\",\"kIpSye\":[[\"numSelected\"],\"/\",[\"numAvailable\"],\" activos seleccionados\"],\"kN1Yg5\":\"Para pagar en nombre de un usuario, se necesita una cantidad explícita para pagar\",\"kRTD40\":[\"Cantidad a pagar para alcanzar el \",[\"0\"],\"% de utilización\"],\"kjN9tT\":\"El límite de suministro se ha sobrepasado\",\"knxE+G\":\".JSON\",\"ks2LWT\":\"El límite de deuda no es cero\",\"kwwn6i\":\"Los usuarios que stakean AAVE en el Modulo de Seguridad (es decir, poseedores de stkAAVE) reciben un descuento en la tasa de interés de préstamo de GHO. Este descuento se aplica a 100 GHO por cada 1 stkAAVE en posesión. Usa el calculador de abajo para ver la tasa de préstamo de GHO con el descuento aplicado.\",\"kz3wtK\":\"and about SPK program\",\"kzZyM4\":\"El balance de DAI se convertirá a través de los contratos de DSR y luego se suministrará como sDAI. El cambio no genera costos adicionales ni deslizamientos.\",\"lNVG7i\":\"Selecciona un activo\",\"lU2d1/\":[\"Este activo no se puede migrar debido a una liquidez insuficiente o a una limitación del límite de préstamo en el mercado v3 de \",[\"marketName\"],\".\"],\"lVhKKI\":\"Votó YAE\",\"lWLqxB\":\"No pudimos encontrar ninguna transacción relacionada con tu búsqueda. Vuelve a intentarlo con un nombre de activo diferente o restablece los filtros.\",\"lYGfRP\":\"Inglés\",\"lfEjIE\":\"Aprende más en nuestra guía <0>Preguntas frecuentes\",\"lt6bpt\":\"Garantía a pagar con\",\"m/IEhi\":\"Emisiones totales por día\",\"m7r7Hh\":\"Activos de préstamo seleccionados\",\"mDDK4p\":\"Pool de Balancer\",\"mIM0qu\":\"Cantidad esperada a pagar\",\"mUAFd6\":\"Versión 2\",\"masO5Z\":\"E-Mode increases your LTV for a selected category of assets. <0>Learn more\",\"mdNjKU\":[\"Tu cartera de \",[\"name\"],\" está vacía. Compra o transfiere activos o usa <0>\",[\"0\"],\" para transferir tus activos de \",[\"network\"],\".\"],\"muiOng\":[\"Comprar \",[\"cryptoSymbol\"],\" con Fiat\"],\"mvCXBY\":\"Stakea AAVE\",\"mwdzil\":\"Vale, cerrar\",\"mzI/c+\":\"Descargar\",\"mzdIia\":\"Este activo no puede usarse como garantía.\",\"n+SX4g\":\"Desarrolladores\",\"n8Psk4\":\"No podemos detectar una cartera. Conecta una cartera para stakear y ver tu balance.\",\"nJIhzm\":\"Apy de suministro\",\"nJgsQu\":\"Con un poder de votación de <0/>\",\"nLC6tu\":\"Francés\",\"nN2T8p\":\"During the cooldown period, you will not earn any merit rewards. However, rewards earned up to this point will remain unaffected.\",\"nNHV0z\":\"Migrar múltiples garantías y activos prestados al mismo tiempo puede ser una operación costosa y podría fallar en ciertas situaciones.<0>Por lo tanto, no se recomienda migrar posiciones con más de 5 activos (depositados + tomados prestados) al mismo tiempo.\",\"nNbnzu\":\"Proposición\",\"nOy4ob\":\"Te sugerimos volver al Panel de control.\",\"nPGNMh\":\"Puede ser ejecutado\",\"nUK1ou\":[\"Assets with zero LTV (\",[\"0\"],\") must be withdrawn or disabled as collateral to perform this action\"],\"nakd8r\":\"poseedores de stkAAVE obtienen un descuento en la tasa de préstamo de GHO\",\"nh2EJK\":[\"Por favor, cambia a \",[\"networkName\"],\".\"],\"njBeMm\":\"Ambos\",\"noN5Xf\":\"We couldn’t detect a wallet. Connect a wallet to view your staking positions and rewards.\",\"ntkAoE\":\"Descuento aplicado para <0/> AAVE stakeados\",\"ntyFSE\":[[\"h\"],\"h\"],\"nwtY4N\":\"Se produjo un error\",\"nxyWvj\":\"Retirar esta cantidad reducirá tu factor de salud y aumentará el riesgo de liquidación.\",\"o17QVP\":\"Tu factor de salud y la relación préstamo-valor determinan la seguridad de tu garantía. Para evitar liquidaciones, puedes suministrar más garantía o pagar las posiciones de préstamo.\",\"o1xc2V\":\"El balance de AToken no es cero\",\"o4tCu3\":\"APY préstamo\",\"o5ooMr\":\"Deuda\",\"o7J4JM\":\"Filtro\",\"oHFrpj\":\"Cooldown para undstakear\",\"oJ5ZiG\":\"El usuario no tiene deuda pendiente de tasa variable en esta reserva\",\"oRBGin\":\"Por favor conecta tu cartera para cambiar tus tokens.\",\"oUwXhx\":\"Activos de prueba\",\"oWklJD\":\"La tasa de interés estable <0>permanecerá igual durante la duración de su préstamo. Está recomendado para los períodos de préstamo a largo plazo y para los usuarios que prefieren la previsibilidad.\",\"odnIK3\":\"Time remaining until the 48 hour withdraw period starts.\",\"oiK5nY\":\"The current incentives period, decided on by the Aave community, has ended. Governance is in the process on renewing, check for updates. <0>Learn more.\",\"olREoo\":\"All borrow positions outside of this category must be closed to enable this category.\",\"om/XHs\":\"Disponible para suministrar\",\"ov0+mq\":\"Eligible for the ZKSync Ignite program.\",\"ovT1pF\":[\"Per the community, the \",[\"market\"],\" has been frozen.\"],\"ow3fug\":\"Sin resultados\",\"owSsI3\":\"Firmas listas\",\"p+R52m\":\"Ir al pool de Balancer\",\"p2A+s1\":[\"El periodo de cooldown es \",[\"0\"],\". Después \",[\"1\"],\" del cooldown, entrarás a la ventana de unstakeo de \",[\"2\"],\". Continuarás recibiendo premios durante el cooldown y la ventana de unstakeo.\"],\"p2S64u\":\"La relación préstamo-valor de las posiciones migradas provocaría la liquidación. Aumenta la garantía migrada o reduce el préstamo migrado para continuar.\",\"p2Z2Qi\":\"Este activo ha alcanzado su límite de préstamo. No queda nada disponible para ser prestado de este mercado.\",\"p3j+mb\":\"Tu balance de recompensa es 0\",\"p45alK\":\"Configurar la delegación\",\"p6u2s1\":\"Minimum amount of debt to be repaid\",\"pDgeaz\":[[\"title\"]],\"pdZqBk\":\"El balance subyacente debe ser mayor que 0\",\"pgWG9H\":\"No hay suficiente balance stakeado\",\"piPrJ7\":\"por favor comprueba que la cantidad que deseas depositar no está siendo utilizada actualmente para stakear. Si está utilizando para stakear, tu transacción podría fallar.\",\"pjO/iH\":\"Cantidad mínima recibida\",\"pooutM\":\"La votación está activa\",\"pqaM5s\":\"Confirmando transacción\",\"ptaxX3\":[\"Entiendo como el cooldown (\",[\"0\"],\") y el proceso de unstaking (\",[\"1\"],\") funcionan\"],\"py2iiY\":\"La función debe ser llamada por un pool\",\"q/51mF\":\"Migrar a V3\",\"q3df11\":\"Estrategia de tasa de interés\",\"q6lAbz\":\"Stakeado\",\"qB4kPi\":\"Suministrar APY\",\"qENI8q\":\"Configuración global\",\"qGz5zl\":\"Balance de la garantía tras pagar\",\"qIW9ZH\":\"Amount staked\",\"qOqbD6\":\"copiar el error\",\"qXCkEM\":\"Por favor, conecta tu cartera para ver tus suministros, préstamos y posiciones abiertas.\",\"qY2jnw\":\"Expiración inválida\",\"qf/fr+\":\"Interés acumulado\",\"quYPUU\":\"Variable interest rate will <0>fluctuate based on the market conditions.\",\"quzIeW\":\"User is in isolation mode or LTV is zero\",\"qvnz3q\":\"Cantidad inválida para quemar\",\"rHgdb0\":\"Migrate to Aave V3\",\"rOrHHe\":\"La cantidad debe ser mayor que 0\",\"rQ+R+0\":\"Activos de suministro seleccionados\",\"rSayea\":\"APY\",\"rTBDeu\":[\"Este activo no se puede migrar porque tienes una garantía en Isolation Mode en el mercado v3 de \",[\"marketName\"],\" que limita los activos prestados. Puedes administrar tu garantía en el <0>Panel de control V3 de \",[\"marketName\"],\"\"],\"rcT+yy\":\"Mostrar activos con 0 balance\",\"rf8POi\":\"Cantidad de activos tomados prestados\",\"riNWOA\":\"E-Mode\",\"rjGI/Q\":\"Privacidad\",\"rnKPW1\":\"Watch a wallet balance in read-only mode\",\"ruc7X+\":\"Añade stkAAVE para ver el APY de préstamo con el descuento\",\"rvbaFU\":[\"Bridging \",[\"symbol\"]],\"rwVVB7\":\"Reclamar todas las recompensas\",\"rwyUva\":\"Estos activos están temporalmente congelados o pausados por decisiones de la comunidad de Aave, lo que significa que no se puede suministrar / tomar prestado o intercambiar tasas de estos activos. Se permiten retiros y pagos de deuda. Sigue el <0>foro de gobierno de Aave para más actualizaciones.\",\"rxJW5W\":\"Tu poder de proposición se basa en tu balance de AAVE/stkAAVE y delegaciones recibidas.\",\"s2jJnW\":\"You don't have any bridge transactions\",\"s5wBAq\":[\"Unstakear \",[\"symbol\"]],\"sJbIdI\":\"Enter ETH address or ENS\",\"sK+Nag\":\"Revisión tx\",\"sP2+gB\":\"NO\",\"sQv06Y\":\"para\",\"sTtO6J\":\"Confirmar transacción\",\"sXKb3l\":\"Tasa de cambio\",\"sb0q4+\":\"Unstakea aquí\",\"smJNwH\":\"Disponible para tomar prestado\",\"solypO\":\"El factor de salud no está por debajo del umbral\",\"sr0UJD\":\"Volver atrás\",\"ss5GCK\":\"La dirección del proveedor del grupo de direcciones no es válida\",\"swEgK4\":\"Tu información de voto\",\"t+wtgf\":\"Nada tomado prestado aún\",\"t/YqKh\":\"Eliminar\",\"t81DpC\":[\"Aprueba \",[\"symbol\"],\" para continuar\"],\"tCnbEs\":\"Precio del oráculo\",\"tFZLf8\":\"Este cálculo de gas es solo una estimación. Tu cartera establecerá el precio de la transacción. Puedes modificar la configuración de gas directamente desde tu proveedor de cartera.\",\"tHuvQI\":\"Ir al panel de control V3\",\"tKv7cI\":\"Cambiar posición de préstamo\",\"tOcg3N\":\"Dado que este activo está congelado, las únicas acciones disponibles son retirar y pagar, a las que se puede acceder desde el <0>Panel de control\",\"tOuXfv\":[\"Cantidad a tomar prestado para alcanzar el \",[\"0\"],\"% de utilización\"],\"te9Bfl\":\"Por favor, conecta tu cartera\",\"tt5yma\":\"Tus suministros\",\"ttoh5c\":\"Cambiar a\",\"u3ZeYl\":\"Error en la transacción\",\"u706uF\":\"Préstamo flash inválido\",\"u8Gfu7\":[\"Sin resultados de búsqueda\",[\"0\"]],\"uAQUqI\":\"Status\",\"uHMwk8\":\"No hay activos seleccionados para migrar.\",\"uJPHuY\":\"Migrando\",\"uY8O30\":\"Para continuar, necesitas otorgar permiso a los contratos inteligentes de Aave para mover tus fondos de tu cartera. Según el activo y la cartera que uses, se hace firmando el mensaje de permiso (sin coste de gas), o enviando una transacción de aprobación (requiere coste de gas). <0>Aprende más\",\"udFheE\":\"Para el pago de un tipo específico de deuda, el usuario necesita tener una deuda de ese tipo\",\"ulNuNq\":\"Exportar datos a\",\"ulup2p\":\"Comprar Crypto con Fiat\",\"umICAY\":\"<0><1><2/>Añade stkAAVE para ver la tasa de préstamo con descuento\",\"usB84Z\":\"La cantidad máxima disponible para tomar prestado está limitada porque casi se ha alcanzado el límite de préstamo del protocolo.\",\"uwAUvj\":\"COPIAR IMAGEN\",\"v8x7Mg\":\"Garantía insuficiente para cubrir la nueva posición de préstamo. La cartera debe tener poder de préstamo suficiente para realizar el cambio de deuda.\",\"vEqxH9\":\"Restakeado\",\"vLyv1R\":\"Ocultar\",\"vMba49\":\"Tomar prestado no está habilitado\",\"vMpNwt\":\"Aprobar con\",\"vXIe7J\":\"Idioma\",\"vesuBJ\":\"Te permite decidir si utilizar un activo suministrado como garantía. Un activo utilizado como garantía afectará a tu poder de préstamo y factor de salud.\",\"w+V9Cx\":\"Stablecoin\",\"w/JtJ3\":\"El balance de deuda estable no es cero\",\"w4VBY+\":\"APR de recompensas\",\"w9dLMW\":[[\"label\"]],\"wAOL+X\":[\"Tu \",[\"action\"],\" <0/> \",[\"symbol\"]],\"wBIsjb\":\"Canal de Discord\",\"wQZbc/\":\"El llamador de la función no es un AToken\",\"wRRqvW\":\"No tienes suministros en este activo\",\"wZFvVU\":\"VOTAR SI\",\"wb/r1O\":[\"Faucet \",[\"0\"]],\"wdxz7K\":\"Source\",\"weH1nG\":\"El Protocolo Aave está programado para usar siempre el precio de 1 GHO = $1. Esto es diferente del uso del precio de mercado a través de oráculos para otros criptoactivos. Esto crea oportunidades de arbitraje estabilizadoras cuando el precio de GHO fluctúa.\",\"wh7Ezv\":\"No tienes balance de AAVE/stkAAVE/aAave para delegar.\",\"wlsIx7\":\"Con la testnet Faucet puedes obtener activos gratuitos para probar el Protocolo Aave. Asegúrate de cambiar tu proveedor de cartera a la red de testnet adecuada, selecciona el activo deseado y haz clic en \\\"Faucet\\\" para obtener tokens transferidos a tu cartera. Los activos de una testnet no son \\\"reales\\\", lo que significada que no tienen valor monetario. <0>Aprende más\",\"wmE285\":\"Obtener Token ABP v2\",\"wyRrcJ\":\"Como resultado de las decisiones del gobierno, este pool de stakeo de ABPT está obsoleto. Tienes la flexibilidad de migrar todos tus tokens a v2 o unstakearlos sin ningún periodo de cooldown.\",\"x5KiLL\":\"Los activos seleccionados se han migrado correctamente. Visita el panel de control del mercado para verlos.\",\"x7F2p6\":\"Diferencial actual\",\"x7K5ib\":[\"Tu cartera de \",[\"networkName\"],\" está vacía. Consigue \",[\"0\"],\" de prueba gratis en\"],\"x9iLRD\":\"tokens, por favor ve al\",\"xNy/UG\":\"Pagar con\",\"xPm8wv\":\"Aprende más sobre los riesgos involucrados\",\"xXYpZl\":[[\"0\"],\" Faucet\"],\"xaVBSS\":\"Tu información\",\"xaWZ6f\":\"Cambio tipo de APY\",\"xh6k71\":\"El uso de garantías está limitado debido al isolation mode.\",\"xvIklc\":\"El préstamo flash está deshabilitado para este activo, por lo tanto, esta posición no se puede migrar.\",\"y5rS9U\":\"Migrar\",\"y66tBm\":[\"Habilitar \",[\"symbol\"],\" como garantía\"],\"yB1YpA\":\"Modo oscuro\",\"yCrG6m\":\"Tamaño total del mercado\",\"yJUUbn\":\"Resumen de la transacción\",\"yLGmLX\":[\"Restakear \",[\"symbol\"]],\"yW1oWB\":\"Tipo APY\",\"yYHqJe\":\"Dirección no válida\",\"yZwLw6\":\"Haz seguimiento de tu cartera\",\"yh2sjd\":[\"Impacto en el precio \",[\"0\"],\"%\"],\"yhvj6d\":\"No puedes cambiar el uso como modo de garantía para este activo, porque causará una liquidación\",\"ylmtBZ\":\"La aplicación se ejecuta en fork mode.\",\"ymNY32\":[\"No hay fondos suficientes en la reserva\",[\"0\"],\"para tomar prestado\"],\"yz7wBu\":\"Cerrar\",\"z4uGQg\":\"El límite de deuda está sobrepasado\",\"z5UQOM\":\"La garantía elegida no puede ser liquidada\",\"z5Y+p6\":[\"Suministrando \",[\"symbol\"]],\"zCjNKs\":\"No se puede realizar la acción porque la reserva está congelada\",\"zRHytX\":\"Límite de deuda aislado\",\"zTOjMP\":\"El límite de suministro del protocolo está al 100% para este activo. No es posible suministrar más.\",\"zVdRUG\":\"Submission did not work, please try again later or contact wecare@avara.xyz\",\"zevmS2\":\"<0><1><2/>añade <3/> stkAAVE para tomar prestado al <4/> (descuento máximo)\",\"zgtIDV\":\"Deuda restante\",\"zmTPiV\":\"Balance de suministro\",\"zpPbZl\":\"Parámetros de riesgo de liquidación\",\"zucql+\":\"Menú\",\"zwWKhA\":\"Aprende más\",\"zy9fXn\":[\"Este activo está congelado en el mercado v3 de \",[\"marketName\"],\", por lo tanto, esta posición no se puede migrar.\"],\"zys+R6\":\"Ten en cuenta la congestión de la red y los precios del gas.\",\"zzzTXS\":\"Merit Program rewards are claimed through the\"}")}; \ No newline at end of file +/*eslint-disable*/module.exports={messages:JSON.parse("{\"+0xecS\":[\"Si NO unstakeas entre \",[\"0\"],\" de la ventana de unstakeo, necesitarás activar el proceso de cooldown de nuevo.\"],\"+EGVI0\":\"Recibir (est.)\",\"+VR63W\":[\"Participar en esta reserva de \",[\"symbol\"],\" da recompensas anuales.\"],\"+bmKdK\":\"Utiliza tu balance de AAVE, stkAAVE o aAava para delegar tu voto y poder de proposición. No enviarás ningún token, solo los derechos de votar y proponer cambios en el protocolo. Puedes volver a delegar o revocar el poder de vuelta en cualquier momento.\",\"+eOPG+\":\"Parece que no podemos cambiar la red automáticamente. Por favor, comprueba si puedes cambiarla desde la cartera.\",\"+i3Pd2\":\"Límite del préstamo\",\"+kLZGu\":\"Cantidad de activos suministrados\",\"+nuEh/\":\"Estimated time\",\"+xMFF8\":\"Remind me\",\"/57U31\":\"Cantidad para migrar\",\"/7ykiW\":\"Tomar prestado esta cantidad reducirá tu factor de salud y aumentará el riesgo de liquidación.\",\"/YA5pU\":\"E-Mode increases your LTV for a selected category of assets, meaning that when E-mode is enabled, you will have higher borrowing power over assets of the same E-mode category which are defined by Aave Governance. You can enter E-Mode from your <0>Dashboard. To learn more about E-Mode and applied restrictionn, see the <1>help guide or the <2>Aave V3 Technical Paper.\",\"/izjs/\":\"Cantidad mínima de Aave stakeado\",\"/jQctM\":\"To\",\"/lDBHm\":\"Preguntas frecuentes\",\"/yNlZf\":\"El préstamo estable no está habilitado\",\"/yQcJM\":\"Valor total\",\"00AB2i\":\"El usuario no tomó prestado el activo especificado\",\"00OflG\":\"No hay suficiente liquidez para que el activo seleccionado realice el cambio. Prueba reduciendo la cantidad.\",\"08/rZ9\":\"El periodo de cooldown es el tiempo requerido antes de unstakear tus tokens (20 días). Solo puedes retirar tus activos del Módulo de Seguridad después del periodo de cooldown y dentro de la ventana de unstakeo.<0>Aprende más\",\"0AmQcW\":\"Cambio de tasa\",\"0BF3yK\":\"Lo sentimos, no hemos podido encontrar la página que estabas buscando.\",\"0TAbjq\":\"Recent Transactions\",\"0jhlyw\":\"Riesgo de liquidación\",\"0ojY+Y\":\"Balance actual v2\",\"0thX3P\":\"Cambio de garantía\",\"0wGCWc\":\"Esta es la cantidad total que puedes suministrar en esta reserva. Puedes suministrar el balance de tu cartera hasta que se alcance el límite de suministro.\",\"1AsVfF\":\"Los datos de los precios no están disponibles actualmente para esta reserva en el subgraph del protocolo\",\"1LjK22\":\"Historial de transacciones\",\"1Onqx8\":[\"Aprobando \",[\"symbol\"],\"...\"],\"1Ue8sX\":\"Por favor conecta una cartera para ver tu información personal aquí.\",\"1bpx9A\":\"...\",\"1kWUB+\":\"Umbral <0/> de liquidación\",\"1m9Qqc\":\"Retirando y Cambiando\",\"1oyh4g\":\"Borrow rate\",\"1t7rez\":\"El suministro de activos está limitado a una cierta cantidad para reducir la exposición del protocolo a este activo y ayudar a manejar los riesgos implicados.\",\"2CAPu2\":\"Has retirado y cambiado tokens con éxito.\",\"2Eoi/a\":\"Ver detalles\",\"2FYpfJ\":\"Más\",\"2O3qp5\":\"Liquidez disponible\",\"2OM8/D\":[\"Este activo no se puede migrar debido a una restricción del límite de suministro en el mercado v3 de \",[\"marketName\"],\".\"],\"2Q4GU4\":\"Dirección bloqueada\",\"2ZGocC\":\"Aave es un protocolo totalmente descentralizado, gobernado por la comunidad de poseedores de tokens AAVE. Los poseedores de tokens AAVE discuten, proponen y votan colectivamente sobre las actualizaciones del protocolo. Los poseedores de tokens AAVE (solo en la red Ethereum) pueden votar ellos mismos sobre nuevas propuestas o delegarse a una dirección de su elección. Para aprender más, consulta la\",\"2a6G7d\":\"Por favor introduce una dirección de cartera válida.\",\"2bAhR7\":\"Conoce GHO\",\"2eBWE6\":\"Acepto los riesgos involucadros.\",\"2o/xRt\":\"Se ha alcanzado el límite de suministro en la reserva especificada. Prueba reduciendo la cantidad.\",\"2uJToh\":[[\"0\"],[\"name\"]],\"2x58bP\":\"El préstamo estable no está habilitado\",\"34Qfwy\":\"El límite del préstamo se ha sobrepasado\",\"39eQRj\":[\"Tomar prestado \",[\"symbol\"]],\"3BL1xB\":\"Total suministrado\",\"3BnIWi\":\"Cambiado\",\"3K0oMo\":\"Suministro restante\",\"3MoZhl\":\"No hay suficiente garantía para cubrir un nuevo préstamo\",\"3Np5O8\":[\"Suministrar \",[\"symbol\"]],\"3O8YTV\":\"Interés total acumulado\",\"3mXg0z\":\"LTV máximo\",\"3q3mFy\":\"Pagar\",\"3qsjtp\":\"El promedio ponderado de APY para todos los activos suministrados, incluidos los incentivos.\",\"3rL+os\":\"Solo puedes retirar tus activos del Módulo de Seguridad después de que finalice el período de cooldown y la ventana de unstakeo esté activa.\",\"42UgDM\":[\"Migrar al mercado V3 de \",[\"0\"]],\"49UFQA\":\"Resultados de la votación\",\"4DMZUI\":\"Ver Transacciones\",\"4HtGBb\":\"MAX\",\"4Y5H+g\":\"Términos\",\"4YYh4d\":\"Máximo disponible para tomar prestado\",\"4iPAI3\":\"Cantidad de préstamo mínima de GHO\",\"4lDFps\":\"Firma para continuar\",\"4wyw8H\":\"Transacciones\",\"5JSSxX\":[\"Tu cartera de \",[\"networkName\"],\" está vacía. Consigue activos de prueba gratis en\"],\"5K7kGO\":\"documentación\",\"5NOSGa\":\"El límite de deuda limita la cantidad posible que los usuarios del protocolo pueden tomar prestado contra este activo. El límite de deuda es específico para los activos en isolation mode y se indica en USD.\",\"5Ncc6j\":[\"Este activo casi ha alcanzado su límite de suministro. Solo se puede suministrar \",[\"messageValue\"],\" a este mercado.\"],\"5cZ/KX\":\"El suministro de deuda variable no es cero\",\"5che++\":\"Para solicitar acceso a este mercado, porfavor visita: <0>Nombre del proveedor de acceso\",\"5ctNdV\":[\"Mínimo \",[\"0\"],\" recibido\"],\"5hDe9v\":\"Acción de permiso requerida\",\"5rsnKT\":\"Recompensas disponibles\",\"5yC5m5\":\"Ver todos los votos\",\"6/dCYd\":\"Resumen\",\"60crCe\":\"Todas las transacciones\",\"62Xcjh\":\"Garantía\",\"65A04M\":\"Español\",\"6G8s+q\":\"Firmando\",\"6Jrv+z\":[\"Pagar \",[\"symbol\"]],\"6NGLTR\":\"Cantidad descontable\",\"6Xr0UU\":\"Cooling down...\",\"6bxci/\":\"Poder de votación\",\"6f8S68\":\"Mercados\",\"6g1gi0\":\"Propuestas\",\"6gvoHP\":\"Copiar mensaje de error\",\"6h3Q5G\":\"reembolsado\",\"6lFSyT\":\"Available to Stake\",\"6s8L6f\":\"Cambiar de red\",\"6yAAbq\":\"APY, tasa de préstamo\",\"70wH1Q\":\"APR\",\"72c5Qo\":\"Total\",\"73Auuq\":\"Los parámetros de descuento son decididos por la comunidad de Aave y pueden cambiar con el tiempo. Consulta el Gobierno para ver actualizaciones y vota para participar. <0>-Aprende más\",\"75qcAQ\":[[\"stepName\"]],\"7ITr5L\":\"Factor de salud\",\"7T/o5R\":\"Alcanzado\",\"7YlcXu\":\"El fork mode está activado\",\"7Z76Iw\":\"Tomar prestado no está disponible porque estás usando el Isolation mode. Para administrar el Isolation mode, visita tu <0>Panel de control.\",\"7aKlMS\":\"Compartir en Lens\",\"7bdUsR\":\"Redeem as aToken\",\"7er5fP\":\"Reclamar todo\",\"7hb2+s\":\"Time remaining until the withdraw period ends.\",\"7l88b8\":\"No se pudieron recuperar los datos, por favor recarga el gráfico.\",\"7p5kLi\":\"Panel de control\",\"7sofdl\":\"Retirar y Cambiar\",\"8+6BI0\":\"Ten cuidado - Estás muy cerca de la liquidación. Considera depositar más garantía o pagar alguno de tus préstamos\",\"87pUEW\":[\"Tu cartera de \",[\"name\"],\" está vacía. Compra o transfiere activos.\"],\"8F1i42\":\"Página no encontrada\",\"8G8M0u\":\"Cargando datos...\",\"8Iu1QS\":\"retirado\",\"8JL93T\":\"Todas las propuestas\",\"8Q51DU\":\"Añadir a la cartera\",\"8X/oyn\":\"Cantidad invalidad para generar\",\"8Z5FPv\":\"Desconectar cartera\",\"8Zz7s5\":\"activos\",\"8aLW8H\":\"Balance a revocar\",\"8bOT3H\":\"Tasa de uso\",\"8sLe4/\":\"Ver contrato\",\"8t/M0y\":\"Please connect your wallet to be able to bridge your tokens.\",\"8vETh9\":\"Mostrar\",\"94OHPx\":\"Estás entrando en el Isolation mode\",\"9CDK3/\":[\"Tomar prestado no está disponible actualmente para \",[\"0\"],\".\"],\"9GIj3z\":\"Tamaño de la reserva\",\"9Knqb4\":\"Balance stakeado\",\"9OBKm7\":\"Quorum\",\"9QHoGr\":\"Votos actuales\",\"9Rw96f\":[\"Este activo casi ha alcanzado su límite de préstamo. Solo hay \",[\"messageValue\"],\" disponibles para ser prestado de este mercado.\"],\"9Xj/qR\":[\"Algunos activos migrados no se utilizarán como garantía debido al isolation mode habilitado en el mercado V3 de \",[\"marketName\"],\". Visita el <0>Panel de control de \",[\"marketName\"],\" V3 para administrar el isolation mode.\"],\"9c6vDV\":\"Este activo ha alcanzado su límite de suministro. No queda nada disponible para ser suministrado desde este mercado.\",\"9kTWHA\":\"MAI ha sido pausado debido a una decisión de la comunidad. Los suministros, préstamos y pagos se han visto afectados. <0>Más información\",\"9lXchd\":\"Token subyacente\",\"9rWaKF\":\"Bridged Via CCIP\",\"9xSooW\":\"Puesto que esta es una red de pruebas, puedes obtener cualquiera de los activos si tienes ETH en tu cartera\",\"A/lwoe\":\"Elige uno de los servicios on-ramp\",\"A6dCI6\":[\"La máxima cantidad disponible para tomar prestado es <0/> \",[\"0\"],\" (<1/>).\"],\"AReoaV\":\"Tus préstamos\",\"ARu1L4\":\"Pagado\",\"AV7cGz\":\"Revisa los detalles del approve\",\"AZOjB8\":\"Recuperando datos...\",\"Ai0jas\":\"Únete a la discusión de la comunidad\",\"Ajl2rq\":\"El poder de préstamo y los activos están limitados debido al Isolation mode.\",\"AqgYNC\":\"El límite de préstamo del protocolo está al 100% para este activo. No es posible tomar más prestado.\",\"B3EcQR\":\"¡Gracias por votar!\",\"B6aXGH\":\"Estable\",\"B9Gqbz\":\"Tasa variable\",\"BDFEd+\":\"stETH suministrado como garantía continuará acumulando recompensas de staking proporcionadas por rebases diarios.\",\"BE2mP0\":\"Borrowed assets\",\"BJyN77\":\"Debido al impacto del factor de salud, se requiere un préstamo flash para realizar esta transacción, pero el Gobierno de Aave ha inhabilitado la disponibilidad de préstamos flash para este activo. Intenta reducir la cantidad o suministrar garantía adicional.\",\"BNL4Ep\":\"El uso como garantía está limitado debido al isolation mode. <0>Aprende más\",\"BQ/wCO\":\"Migrate your assets\",\"BjLdl1\":\"Con un descuento\",\"BnhYo8\":\"Categoría de activos\",\"Bq9Y7e\":\"Este activo está congelado debido a una decisión de la comunidad de Aave. <0>Más información\",\"BqWMDJ\":\"Faucet\",\"BqynZO\":\"Optimized for efficiency and risk by supporting blue-chip collateral assets\",\"Bsu7zX\":\"The fee includes the gas cost to complete the transaction on the destination chain and the fee paid to Chainlink CCIP service providers. You can chose to pay in the network token or GHO. <0>Learn more\",\"BwJKBw\":\"de\",\"CDrsH+\":\"Documento técnico\",\"CK1KXz\":\"Max\",\"CMHmbm\":\"Deslizamiento\",\"CZXzs4\":\"Griego\",\"CcRNG6\":\"Cambiando\",\"CkTRmy\":[\"Reclamar \",[\"symbol\"]],\"CsqtLm\":\"Por favor conecta tu cartera para ver la herramienta de migración.\",\"CtGlFb\":[\"Faucet \",[\"networkName\"]],\"Cxt2YY\":\"Watch wallet\",\"D33VQU\":\"Esta acción reducirá el factor de salud de V3 por debajo del umbral de liquidación. Aumenta la garantía migrada o reduce el préstamo migrado para continuar.\",\"D8sc3k\":\"Stake balance\",\"D9BLRG\":\"Este activo ha sido pausado debido a una decisión de la comunidad. El suministro, los retiros, los préstamos y los pagos se han visto afectados.\",\"DAma/S\":\"La garantía es (en su mayoría) el mismo activo que se está tomando prestado\",\"DCnFg0\":[\"Direcciones (\",[\"0\"],\")\"],\"DG3Lv1\":\"Entiendo completamente los riesgos de migrar.\",\"DONJcV\":\"El activo base no puede ser rescatado\",\"DR+4uL\":\"Balance del suministro después del cambio\",\"DWjrck\":[\"Este activo no se puede migrar al mercado V3 de \",[\"marketName\"],\" debido a las restricciones del E-mode. Puedes deshabilitar o administrar las categorías del E-mode en tu <0>Panel de control V3\"],\"Dj+3wB\":\"Aave por mes\",\"DptNvx\":\"Amount Staked\",\"DuEq2K\":\"Colateralización\",\"DxfsGs\":\"Puedes reportar cualquier incidente a nuestro <0>Discord o <1>Github.\",\"Dzma+E\":\"Main Ethereum market with the largest selection of assets and yield options\",\"E/QGRL\":\"Deshabilitado\",\"EBL9Gz\":\"¡COPIADO!\",\"ES8dkb\":\"Interés fijo\",\"EZd3Dk\":[\"Restakeando \",[\"symbol\"]],\"Ebgc76\":[\"Retirando \",[\"symbol\"]],\"EdQY6l\":\"Ninguno\",\"EjvKQ+\":\"Valor mínimo en USD recibido\",\"Enslfm\":\"Destination\",\"EvE9nO\":[\"Reactivar el periodo de cooldown para unstakear \",[\"0\"],\" \",[\"stakedToken\"]],\"EvECnL\":\"Migrar a V3\",\"EzMQbh\":\"The source chain time to finality is the main factor that determines the time to destination. <0>Learn more\",\"F40cwT\":\"Legacy Markets\",\"F6TdXL\":\"Aprende más.\",\"FDDPeZ\":\"Users can stake their assets in the protocol and earn incentives. In the case of a shortfall event, your stake can be slashed to cover the deficit, providing an additional layer of protection for the protocol.\",\"FHlMf/\":\"Balance actual v2\",\"FHpxjF\":[\"El factor de reserva es un porcentaje de interés que va a un \",[\"0\"],\" que es controlado por el gobierno de Aave para promover el crecimiento del ecosistema.\"],\"FOBZa6\":\"Capacidad de préstamo utilizada\",\"FPKEug\":\"Operación no soportada\",\"FbmMe7\":\"Direcciones vinculadas\",\"Fdp03t\":\"en\",\"Fjw9N+\":\"Activos a suministrar\",\"FmN0fk\":\"Restakear\",\"GDGLIs\":\"GHO es un activo nativo descentralizado, digital y respaldado por garantía, vinculado al USD. Es creado por los usuarios que lo toman prestado contra múltiples garantías. Cuando el usuario paga su posición de préstamo de GHO, el protocolo quema el GHO de ese usuario. Todos los pagos de interés acumulados por los acuñadores de GHO serán transferidos directamente a la tesorería de\xA0la\xA0DAO\xA0de\xA0Aave.\",\"GQrBTq\":\"Cambiar E-Mode\",\"GWswcZ\":\"Este activo está congelado debido a una decisión del Gobierno del Protocolo Aave. El 20 de diciembre de 2022, renFIL ya no será compatible y no se podrá conectar de nuevo a su red nativa. Se recomienda retirar las posiciones de suministro y pagar las posiciones de préstamo para que renFIL se pueda convertir de nuevo a FIL antes de la fecha límite. Después de esta fecha, ya no será posible convertir renFIL a FIL. <0>Más detalles\",\"GX8GKD\":\"Activos\",\"GgEj+0\":\"Modo de solo lectura. Conéctate a una cartera para realizar transacciones.\",\"GjkIKV\":\"finaliza\",\"GoK/QN\":\"Thank you for submitting feedback!\",\"GtP2hp\":[\"Tomar prestado no está disponible porque has habilitado el Efficieny Mode (E-Mode) para la categoría \",[\"0\"],\". Para manejar las categorías del E-Mode visita tu <0>Panel de control.\"],\"H6Ma8Z\":\"Descuento\",\"HB/wfS\":[[\"tooltipText\"]],\"HKDsQN\":\"Rewards can be claimed through\",\"Ha/U5f\":\"This is a program initiated and implemented by the decentralised ZKSync community. Aave Labs does not guarantee the program and accepts no liability.\",\"HciqKU\":\"This is a program initiated and implemented by the decentralised Aave community. Aave Labs does not guarantee the program and accepts no liability.\",\"Hi6Ttn\":\"Lo sentimos, se produjo un error imprevisto. Mientras tanto, puedes intentar recargar la página, o volver después.\",\"HkEDbS\":[[\"d\"],\"d\"],\"HmkYqM\":\"Ventana de unstakeo\",\"HpK/8d\":\"Recargar\",\"HrnC47\":\"Guardar y compartir\",\"HuVZMK\":\"Days\",\"HvJKMU\":[\"Este activo no se puede migrar al mercado v3 de \",[\"marketName\"],\", ya que el activo de garantía habilitará el isolation mode.\"],\"Hvwnm9\":[\"La cantidad máxima disponible para suministrar está limitada porque el límite de suministro del protocolo está al \",[\"0\"],\"%.\"],\"I8CX2c\":\"La cantidad total de tus activos denominados en USD que pueden ser usados como garantía para activos de préstamo.\",\"IAD2SB\":[\"Reclamando \",[\"symbol\"]],\"IG9X9/\":\"Tomar prestado este activo está limitado a una cierta cantidad para minimizar la insolvencia del fondo de liquidez.\",\"IOIx8L\":\"Está previsto que este activo se desvincule debido a una decisión del Gobierno del Protocolo Aave. <0>Más detalles\",\"IP+I/j\":\"Periodo de cooldown\",\"IaA40H\":\"Liquidación en\",\"J/hVSQ\":[[\"0\"]],\"JCoxL6\":\"Administrar analíticas\",\"JK9zf1\":[\"Interés compuesto estimado, incluyendo el descuento por Staking \",[\"0\"],\"AAVE en el Módulo de Seguridad.\"],\"JOqFba\":[\"Unstakeando \",[\"symbol\"]],\"JPrLjO\":\"No puedes usar este activo como garantía\",\"JU6q+W\":\"Recompensa(s) por reclamar\",\"JYKRJS\":\"Stakear\",\"JZMxX0\":\"No hay suficiente balance en tu cartera\",\"Jgflkm\":\"Obtener GHO\",\"JoMQnI\":\"Balance de la cartera\",\"JtwD8u\":\"Balance tomado prestado tras pagar\",\"JumYTK\":\"Supplied assets\",\"K05qZY\":\"Retirar y Cambiar\",\"KAz/NV\":\"El límite de deuda del protocolo está al 100% para este activo. No es posible tomar más prestado usando este activo como garantía.\",\"KLXVqE\":[\"Los tokens stETH se migrarán a Wrapped stETH usando el wrapper del protocolo de Lido, lo que provoca un cambio en el balance de suministro después de la migración: \",[\"0\"]],\"KLd6ky\":\"Use connected account\",\"KRpokz\":\"VER TX\",\"KSlpka\":\"Esto representa el umbral en el que un préstamo será considerado sin garantía suficiente y sujeto a la liquidación de la misma. Por ejemplo, si una garantía tiene un umbral de liquidación del 80 %, significa que el préstamo será liquidado cuando el valor de la deuda alcanze el 80% del valor de la garantía.\",\"KYAjf3\":\"Aislado\",\"KZwRuD\":[[\"notifyText\"]],\"KkPgim\":\"Cambiando E-Mode\",\"KnN1Tu\":\"Caduca\",\"KoOBI2\":\"Debido a mecánicas internas de stETH requeridas para el soporte del rebase, no es posible realizar un cambio de garantía donde stETH es el token de origen.\",\"KojyJ4\":\"Red incorrecta\",\"KsqhWn\":\"Staking\",\"KuBTQq\":\"Introduce la dirección ETH\",\"KvG1xW\":\"Reclamando\",\"L+8Lzs\":\"LTV actual\",\"L+qiq+\":\"Mercado\",\"LDzfVJ\":\"Send Feedback\",\"LIrMcF\":\"Sin poder de voto\",\"LL0zks\":\"Puede ser garantía\",\"LLdJWu\":\"AAVE Reclamable\",\"LSIpNK\":\"Tomar prestado y pagar en el mismo bloque no está permitido\",\"LVt3TI\":[\"<0>Tolerancia de deslizamiento <1>\",[\"selectedSlippage\"],\"% <2>\",[\"0\"],\"\"],\"LjafV8\":\"Maximum collateral amount to use\",\"LtpQew\":\"Let us know how we can make the app better for you. For user support related inquiries please reach out on\",\"LvVpD/\":\"Modo E\",\"M2sknc\":\"Tip: Intenta aumentar el deslizamiento o reduce la cantidad de entrada\",\"M7wPsD\":\"Cambiar\",\"MFu33y\":\"Staking 00\",\"MIy2RJ\":\"Maximum amount received\",\"MZ/nQf\":\"Dirección del destinatario\",\"Ma/MtY\":\"vista de stakeo\",\"McHlGl\":\"Cambio de APY\",\"MeCCA+\":\"APY, variable\",\"MghdTe\":\"Si el factor de salud se encuentra por debajo de 1, la liquidación de tu colateral puede ser activada.\",\"Mm/DVQ\":\"Has cancelado la transacción.\",\"MnE2QX\":\"Información de préstamo\",\"MrmQHg\":\"View Bridge Transactions\",\"MuDFEQ\":\"Valor de retorno inválido en la función executor del préstamo flash\",\"N5kUMV\":\"Este activo solo se puede utilizar como garantía en isolation mode con poder de préstamo limitado. Para entrar en el isolation mode, deshabilita todas las demás garantías.\",\"N6Pxr9\":\"View all\",\"NF0e1Q\":\"Pendiente...\",\"NK9ikO\":\"Balance de la cartera\",\"NMt2CB\":\"Cantidad reclamable\",\"NcFGxG\":\"Collector Contract\",\"NfpPeS\":\"Nada invertido\",\"Nh9DAo\":[[\"m\"],\"m\"],\"O+sCUU\":\"El límite de minteo sin respaldo ha sido excedido\",\"O+tyU+\":[\"La cantidad máxima disponible para tomar prestado contra este activo está limitada porque el límite de deuda está al \",[\"0\"],\"%.\"],\"O3oNi5\":\"Email\",\"OFjZGo\":\"Unstakear\",\"OR8cYX\":\"Resumen de la propuesta\",\"OYuJ9K\":\"El límite de deuda del protocolo está al 100% para este activo. No es posible tomar más prestado usando este activo como garantía.\",\"OfhWJH\":\"Restablecer\",\"Og2SKn\":\"deshabilitado\",\"On0aF2\":\"Página web\",\"OsyKSt\":\"Retirar\",\"P1dURE\":\"Revocar poder\",\"P2WCD/\":[\"El activo subyacente no existe en el mercado v3 de \",[\"marketName\"],\", por lo tanto, esta posición no se puede migrar.\"],\"P2sL6B\":\"Cuando ocurre una liquidación, los liquidadores pagan hasta el 50% de la cantidad pendiente del préstamo en nombre del prestatario. A cambio, pueden comprar la garantía con descuento y quedarse con la diferencia (sanción de liquidación) como bonificación.\",\"P6sRoL\":\"Stakea ABPT\",\"P72/OW\":\"El promedio ponderado de APY para todos los activos prestados, incluidos los incentivos.\",\"P7e6Ug\":\"Por favor conecta tu cartera para ver el historial de transacciones.\",\"PByO0X\":\"Votos\",\"PI+kVe\":\"Deshabilitar fork\",\"PJK9u/\":\"Apy préstamo\",\"PLUB/s\":\"Fee\",\"PP5ZA8\":[\"Participating in staking \",[\"symbol\"],\" gives annualized rewards. Your wallet balance is the sum of your aTokens and underlying assets. The breakdown to stake is below\"],\"PcBUgb\":\"Umbral de liquidación\",\"PjU6bu\":\"This asset is eligible for SPK incentive program. Aave Labs does not guarantee the program and accepts no liability.\",\"PpqD5g\":\"Habilitar este activo como garantía aumenta tu poder préstamo y el factor de salud. Sin embargo, puede ser liquidado si tu factor de salud cae por debajo de 1.\",\"PsOFSf\":\"Esta acción reducirá el factor de salud V2 por debajo del umbral de liquidación. Mantén la garantía o migra la posición de préstamo para continuar.\",\"Pu4bI/\":[[\"currentMethod\"]],\"Q0LzKi\":\"View TX\",\"Q4eNqa\":\"El Aave Balancer Pool Token (ABPT) es un token de pool de liquidez. Puedes recibir ABPT depositando una combinación de AAVE + wstETH en el pool de liquidez de Balancer. Luego puedes stakear tu BPT en el módulo de seguridad para asegurar el protocolo y ganar incentivos de seguridad.\",\"QQYsQ7\":\"Retirando\",\"QWYCs/\":\"Stakear GHO\",\"R+30X3\":\"No alcanzado\",\"RCU5PY\":\"Age\",\"RIfckG\":[\"Desactivar \",[\"symbol\"],\" como garantía\"],\"RMtxNk\":\"Diferencial\",\"RNK49r\":\"Firma inválida\",\"RS0o7b\":\"Estado\",\"RU+LqV\":\"Detalles de la propuesta\",\"RYTgZX\":\"lorem ipsum\",\"RbXH+k\":\"Los poseedores de AAVE, GHO y ABPT (solo en la red de Ethereum) pueden stakear sus activos en el Módulo de Seguridad para añadir más seguridad al protocolo y obtener incentivos de seguridad. En el caso de un evento de shortfall, tu stakeo puede ser reducido para cubrir el déficit. proporcionando una capa adicional de protección para el protocolo.\",\"RiSYV4\":\"El activo no está listado\",\"Rj01Fz\":\"Enlaces\",\"RmWFEe\":\"Staking APR\",\"RoafuO\":\"Enviar feedback\",\"RtBLm7\":\"El factor de salud es menor que el umbral de liquidación\",\"RxzN1M\":\"Habilitado\",\"SDav7h\":\"Fondos en el Módulo de Seguridad\",\"SENccp\":\"Si el error persiste, <0/> podrías reportarlo a esto\",\"SIWumd\":\"Mostrar activos congelados o pausados\",\"SM58dD\":\"Cantidad en cooldown\",\"SSMiac\":\"Error al cargar los votantes de la propuesta. Por favor actualiza la página.\",\"SSQVIz\":\"Umbral de liquidación\",\"SUb8x0\":\"Total disponible\",\"SWIgh4\":\"Fees exceed wallet balance\",\"SY9hVo\":\"El modo de solo lectura permite ver las posiciones de las direcciones en Aave, pero no podrás realizar transacciones.\",\"SZRUQ4\":\"Deslizamiento máximo\",\"Sa1UE/\":\"El límite de préstamo del protocolo está al 100% para este activo. No es posible tomar más prestado.\",\"Sk2zW9\":\"Desactivando E-Mode\",\"SxaD0o\":\"La dirección del proveedor del pool no esta registrada\",\"T/AIqG\":\"El límite de suministro del protocolo está al 100% para este activo. No es posible suministrar más.\",\"T0xCO9\":\"No se puede validar la dirección de la cartera. Vuelve a intentarlo.\",\"T4OhVl\":\"GHO balance\",\"T6uYU2\":\"Tomar prestado\",\"TFxQlw\":\"Penalización de liquidación\",\"TQ7WsV\":\"Available to stake\",\"TUI7iB\":\"El activo solo puede usarse como garantía en el Isolation mode únicamente.\",\"TbjyhA\":\"Docs\",\"TduuS0\":\"El usuario no tiene deuda pendiente de tasa estable en esta reserva\",\"TeCFg/\":\"Cambio de tasa de préstamo\",\"Tg1JyO\":\"Bridge history\",\"TskbEN\":\"Los poseedores de stkAAVE reciben un descuento en la tasa de préstamo de GHO\",\"TszKts\":\"Balance de préstamo después del cambio\",\"TtZL6q\":\"Parámetros del modelo de descuento\",\"TwJI9F\":\"Asset has been successfully sent to CCIP contract. You can check the status of the transactions below\",\"Tz0GSZ\":\"actividades bloqueadas\",\"U/eBjN\":\"Recarga la página\",\"U2r8nY\":\"Elige cuánto poder de voto/proposición otorgar a otra persona delegando parte de tu balance de AAVe o stkAAVE. Tus tokens permanecerán en tu cuenta, pero tu delegado podrá votar o proponer en tu lugar. Si tu balance de AAVE, stkAAVE o aAave cambia, el poder de voto/proposición de tu delegado se ajustará automáticamente.\",\"U8IubP\":\"La aplicación se está ejecutando en testnet mode. Aprende como funciona en\",\"U9btTk\":\"El activo no se puede pedir prestado en isolation mode\",\"UAOZRe\":\"El impacto del precio es la diferencia entre el valor total de los tokens de entrada cambiados y los tokens de destino obtenidos (en USD), que resulta de la liquidez limitada del par de cambio.\",\"UE3KJZ\":\"El historial de transacciones no está disponible actualmente para este mercado\",\"URmyfc\":\"Detalles\",\"UTTKmT\":\"Cooldown de stakeo activado\",\"UXeR72\":\"Estos fondos se han tomado prestados y no están disponibles para su retirada en este momento.\",\"UYb8CM\":\"Learn more about the SPK rewards\",\"UbRrG0\":\"El ratio LTV máximo representa el poder de endeudamiento máximo de una garantía específica. Por ejemplo, si una garantía tiene un LTV del 75 %, el usuario puede pedir prestado hasta 0,75 ETH en la moneda principal por cada 1 ETH de garantía.\",\"UpndFj\":\"No hay recompensas para reclamar\",\"V0f2Xv\":\"Factor de reserva\",\"V1HK43\":\"Riesgos de migración\",\"VATFH9\":\"Deuda cubierta\",\"VHOVEJ\":\"Conectar cartera\",\"VMfYUK\":\"Seguridad de tu garantía depositada contra los activos prestados y su valor subyacente.\",\"VOAZJh\":\"Total de préstamos\",\"ViKYxK\":\"YAE\",\"W1SSoD\":\"Revisar detalles de la tx\",\"W5hVah\":\"Nada suministrado aún\",\"W5kTFy\":\"Votando\",\"W8ekPc\":\"Volver al panel de control\",\"WMPbRK\":\"No respaldado\",\"WNGZwH\":\"El E-Mode incrementa tu LTV para una categoría seleccionada de activos hasta el <0/>. <1>Aprende más\",\"WPWG/y\":\"Configuración y estado de la reserva\",\"WZLQSU\":\"El usuario no puede retirar más que el balance disponible\",\"WaZyaV\":\"<0>Ampleforth es un activo con rebase. Visita la <1>documentación para aprender más.\",\"WfU+XN\":\"Debido a que este activo está en pausa, no se pueden realizar acciones hasta nuevo aviso\",\"Wjmqs2\":\"No results found. You can import a custom token with a contract address\",\"WkZ6C6\":\"Para tomar prestado, necesitas suministrar cualquier activo para ser utilizado como garantía.\",\"WyMiQm\":\"Has cambiado los tokens con éxito.\",\"X/ITG9\":\"Copiar el texto del error\",\"X3Pp6x\":\"Utilizado como garantía\",\"X4Zt7j\":\"No se puede realizar la acción porque la reserva está pausada\",\"XBdKOj\":\"Direcciones de cartera de contrato inteligente representativas (Safe) en otras cadenas.\",\"XZzneG\":\"Saldrás del modo aislamiento y otros tokens pueden ser usados ahora como garantía\",\"Xg5y9S\":\"Amount to Bridge\",\"Xn4hUi\":\"Por favor ten siempre en cuenta tu <0>factor de salud (HF) cuando migres parcialmente una posición y que tus tasas serán actualizadas a tasas de la V3.\",\"Xy71ST\":\"Umbrella\",\"Y5kGkc\":\"VOTAR NO\",\"YDIOks\":\"Habilitar E-Mode\",\"YSodyW\":\"Esta acción reducirá tu factor de salud. Por favor ten en cuenta el riesgo incrementado de liquidación de la garantía.\",\"YXOWXM\":\"The total amount bridged minus CCIP fees. Paying in network token does not impact gho amount.\",\"YirHq7\":\"Feedback\",\"YogbCJ\":\"Testnet mode está ON\",\"YrDxdO\":\"Si tu relación préstamo-valor supera el umbral de liquidación, tu garantía puede ser liquidada.\",\"YyIM65\":\"No se cumplieron las condiciones de ajuste de tasas de interés\",\"YyydIq\":[\"Añade \",[\"0\"],\" a tu cartera para hacer un seguimiento del balance.\"],\"ZBvhI+\":\"Gobierno de Aave\",\"ZIIRAd\":\"Raw-Ipfs\",\"ZRq4tX\":\"Modo de eficiencia (E-Mode)\",\"ZSqEW+\":\"Manage E-Mode\",\"ZUFYFE\":\"Deshabilitar testnet\",\"Zbyywy\":\"Max slashing\",\"ZfUGFb\":\"Antes de suministrar\",\"ZiXN+B\":\"Assets to stake\",\"ZlsSDH\":\"Valor de liquidación\",\"ZrEc8j\":\"No pudimos encontrar ningún activo relacionado con tu búsqueda. Vuelve a intentarlo con un nombre diferente de activo, símbolo o dirección.\",\"ZsLF7e\":\"habilitado\",\"a0YQoQ\":\"Enter a valid address\",\"a2fBZn\":\"Tempo restante para unstakear\",\"a5RYZd\":\"Deshabilitar este activo como garantía afecta tu poder de préstamo y Factor de Salud.\",\"a7u1N9\":\"Precio\",\"a9D+6D\":\"Unstakeado\",\"aEtiwq\":\"Votar NO\",\"aMmFE1\":\"Comprar Crypto con Fiat\",\"aOKIms\":\"Los parámetros del array que deberían ser iguales en longitud no lo son\",\"aX31hk\":\"Tu balance es más bajo que la cantidad seleccionada.\",\"adUsDd\":\"Se ha producido un error al recuperar la propuesta.\",\"al6Pyz\":\"Supera el descuento\",\"aoXTT7\":\"APY préstamo, variable\",\"aqX1Yp\":\"This asset is eligible for rewards through SuperFest. Aave Labs does not guarantee the program and accepts no liability.\",\"avgETN\":\"Eligible for the Merit program.\",\"b4NS3e\":\"Advertencia periodo de cooldown\",\"bNEQeI\":\"Cooldown\",\"bSruit\":\"ZKSync Ignite Program rewards are claimed through the\",\"bUUVED\":\"Activo\",\"bXQ/Og\":\"Compartir en twitter\",\"bXr0ee\":\"Los activos aislados han limitado tu capacidad de préstamo y otros activos no pueden ser usados como garantía.\",\"bYmAV1\":\"Direcciones\",\"bguKoJ\":\"La cantidad solicitada es mayor que el tamaño máximo del préstamo en el modo de tasa estable\",\"bwSQI0\":\"Suministrar\",\"bxN6EM\":\"No se puede deshabilitar E-Mode\",\"bxmzSh\":\"No hay suficiente garantía para pagar esta cantidad de deuda con\",\"c91vuQ\":\"La dirección no es un contrato\",\"c97os2\":\"aToken de Aave\",\"c9b44w\":\"No puedes retirar esta cantidad porque causará una liquidación\",\"cBc+4A\":\"Esta es la cantidad total disponible que puedes tomar prestada. Puedes tomar prestado basado en tu garantía y hasta que el límite de préstamo se alcance.\",\"cIl5kp\":\"Tu poder de voto se basa en tu balance de AAVE/stkAAVE y delegaciones recibidas.\",\"cLo09S\":\"Detalles de riesgo\",\"cNT+ij\":\"Tomar prestado no está disponible porque has habilitado el Efficiency Mode (E-Mode) y el Isolation mode. Para administrar el E-Mode y el Isolation Mode, visita tu <0>Panel de control.\",\"cZOeBk\":\"Something went wrong fetching bridge message, please try again later.\",\"ceix5S\":\"Para enviar una propuesta de cambios menores al protocolo, necesitarás al menos 80K de poder. Si deseas cambiar la base central del código, necesitarás un poder de 320K.<0>Aprende más\",\"ciSsYT\":\"Staking APY\",\"ciybUa\":\"Votar SI\",\"ckf7gX\":[\"Pagando \",[\"symbol\"]],\"cp1ZDP\":[\"Bridge \",[\"symbol\"]],\"cqnmnD\":\"Tasa de interés efectiva\",\"cqwIvs\":\"Hilo de discusión del foro\",\"csDS2L\":\"Disponible\",\"cu7Stb\":\"No has participado en esta propuesta\",\"dE6BLF\":\"Gobierno\",\"dEgA5A\":\"Cancelar\",\"dIsyWh\":\"La validación del LTV ha fallado\",\"dMtLDE\":\"para\",\"dOB5nW\":[\"La cantidad máxima disponible para suministrar es <0/> \",[\"0\"],\" (<1/>).\"],\"dVfODp\":\"No tienes suficientes fondos en tu cartera para pagar la cantidad total. Si procedes a pagar con tu cantidad actual de fondos, aún tendrás un pequeño préstamo en tu panel de control.\",\"dXUQFX\":\"Activos a tomar prestado\",\"dgr1aY\":\"Tomar prestado está deshabilitado debido a una decisión de la comunidad de Aave. <0>Más información\",\"djsg0o\":\"Uso de la garantía\",\"dpc0qG\":\"Variable\",\"drdV8R\":\"Liquidación\",\"dxW8cS\":\"Token de deuda de Aave\",\"e4V3oW\":\"Top 10 direcciones\",\"eD8WX/\":\"La acción requiere una reserva activa\",\"eJRJ04\":\"Cantidad para unstakear\",\"eLh0cL\":\"El deslizamiento es la diferencia entre las cantidades calculadas y las recibidas debido a las condiciones cambiantes del mercado entre el momento en que se envía la transacción y su verificación.\",\"ePK91l\":\"Editar\",\"eVpCmf\":\"Recompensas de Staking\",\"eVqvtf\":\"Bridge GHO\",\"eYdurp\":\"Aún no hay transacciones.\",\"ebLGGN\":\"Total tomado prestado\",\"ecqEvn\":\"El balance de garantía es 0\",\"efdrrk\":\"Disponible en\",\"enruNF\":\"empieza\",\"eqLYiD\":\"Unstakea ahora\",\"euScGB\":\"APY con descuento aplicado\",\"evw5ha\":\"Valor neto\",\"ezcU16\":\"Obtener Token ABP\",\"f3W0Ej\":[\"Has cambiado a tasa \",[\"0\"]],\"fH9i8k\":\"Has cambiado con éxito la posición de préstamo.\",\"fHcELk\":\"APR Neto\",\"fMJQZK\":\"Prestado\",\"fZ5Vnu\":\"Recibido\",\"firl9Q\":\"Tu actual relación préstamo-valor basado en tu garantía suministrada.\",\"flRCF/\":\"Descuento por staking\",\"fldjW9\":\"Previsualizar la tx y migrar\",\"fsBGk0\":\"Balance\",\"fu1Dbh\":[\"Retirar \",[\"symbol\"]],\"fwjWSI\":\"Suministrado\",\"fwyTMb\":\"Migrar a stkABPT v2\",\"g0mals\":\"You can not disable E-Mode because that could cause liquidation. To exit E-Mode supply or repay borrowed positions.\",\"g2UNkE\":\"Powered by\",\"g8KGoA\":\"FAQS\",\"g9zzqS\":\"Votó NAY\",\"gDd2gk\":\"about SuperFest.\",\"gFFh9h\":\"¡Todo listo!\",\"gIMJlW\":\"Testnet mode\",\"gOzPxe\":\"Este activo está congelado debido a una decisión del Gobierno del Protocolo Aave. <0>More información\",\"gTHi2T\":\"El usuario está intentando tomar prestado múltiples activos incluido uno aislado\",\"gVW59Y\":\"Por favor conecta tu cartera para obtener activos testnet gratis.\",\"gcFNxP\":\"Aprobación confirmada\",\"gncRUO\":\"Esta dirección está bloqueada en app.aave.com porque está asociada con una o más\",\"goff7V\":\"Dirección cero no válida\",\"gp+f1B\":\"Versión 3\",\"gr8mYw\":\"Puedes tomar prestado hasta <0/> GHO al <1/> (descuento máximo)\",\"gvTM4B\":\"El APY neto es el efecto combinado de todos los suministros y préstamos sobre total, incluidos los incentivos. Es posible tener un APY neto negativo si el APY de la deuda es mayor que el APY de suministro.\",\"gzcch9\":\"Comisión de puente de protocolo inválida\",\"h33MxW\":\"Direcciones de cartera de contrato inteligente representantes (Safe) en otras cadenas.\",\"h3ilK+\":\".CSV\",\"hB23LY\":\"Activar Cooldown\",\"hIJzBh\":\"Available to Claim\",\"hIS4N0\":\"APY neto\",\"hRWvpI\":\"Reclamado\",\"hdmy/o\":\"El % de tu poder de préstamo total utilizado. Esto se basa en la cantidad de tu garantía suministrada y la cantidad total que puedes pedir prestado.\",\"hehnjM\":\"Cantidad\",\"hjDCQr\":\"Hubo un error. Por favor intenta cambiar los parámetros o <0><1>copiar el error\",\"hom7qf\":\"Reclamar\",\"hpHJ4I\":\"Garantía liquidada\",\"hpuVIp\":\"Users who stake AAVE in Safety Module (i.e. stkAAVE holders) receive a discount on GHO borrow interest rate.\",\"huQ6Tz\":[\"Tomando prestado \",[\"symbol\"]],\"hxi7vE\":\"Balance tomado prestado\",\"i/fZ2Z\":\"Staked Balance\",\"i2JTiw\":\"Puedes ingresar una cantidad específica en el campo.\",\"iB5+/J\":\"Sobre GHO\",\"iChbOF\":\"Parámetros inconsistentes del préstamo flash\",\"iEPVHF\":\"No hay suficiente poder de voto para participar en esta propuesta\",\"iEW87X\":\"Poder delegado\",\"iEju36\":[\"Has votado \",[\"0\"]],\"iFq2YN\":\"Borrowable\",\"iGxyIA\":\"Safety Module\",\"iMVZk9\":\"Seleccionar tolerancia de deslizamiento\",\"iPMIoT\":\"Ingresa una cantidad\",\"iSLIjg\":\"Conectar\",\"iUo5rv\":\"tokens no es lo mismo que stakearlos. Si deseas stakearlos\",\"iZxa38\":\"Úsalo para votar a favor o en contra de propuestas activas.\",\"if5PH+\":\"Collector Info\",\"igkfR1\":[\"En el Isolation mode, no puedes suministrar otros activos como garantía. Un límite de deuda global limita la capacidad de préstamo del activo aislado. Para salir del Isolation mode, deshabilita \",[\"0\"],\" como garantía antes de tomar prestado otro activo. Lee más en nuestras <0>preguntas frecuentes \"],\"il0sEG\":\"El uso de garantías está limitado debido al Isolation mode.\",\"j+K1Xj\":\"Amount After Fee\",\"jA2QeW\":\"Suministrando tu\",\"jFi7dz\":\"Tasa de interés determinada por el gobierno de Aave. Esta tasa puede cambiar con el tiempo dependiendo de la necesidad de que el suministro de GHO se contraiga/expanda. <0>Aprende más\",\"jG3UJ7\":\"Desactivar el E-Mode\",\"jKYzR1\":\"Habilitar E-Mode\",\"jMam5g\":[\"Balance \",[\"0\"]],\"jSYv+Z\":\"Enabling E-Mode allows you to maximize your borrowing power, however, borrowing is restricted to assets within the selected category. <0>Learn more about how it works and the applied restrictions.\",\"jaKbwW\":[[\"s\"],\"s\"],\"jbFMap\":\"Periodo restante de cooldown\",\"jeMZNr\":[[\"0\"],\" el servicio on-ramp es proporcionado por proveedores externos y al seleccionarlo, estás aceptando los términos de dichos proveedores. Tu acceso al servicio podría depender de que el proveedor externo esté operativo.\"],\"jfl9OP\":\"Migrado\",\"jmXdoY\":\"En E-Mode algunos activos no se pueden pedir prestados. Sal del E-Mode para obtener acceso a todos los activos\",\"jpctdh\":\"Ver\",\"jqzUyM\":\"No disponible\",\"k/sb6z\":\"Seleccionar idioma\",\"k3wP3f\":\"<0>Atención: Los cambios de parámetros a través de la gobernanza pueden alterar el factor de salud de tu cuenta y el riesgo de liquidación. Sigue el <1>foro de gobierno de Aave para mantenerte actualizado.\",\"kACpF3\":[\"Reclamar \",[\"0\"]],\"kH6wUX\":\"Impacto del precio\",\"kIC28N\":\"Available to claim\",\"kIpSye\":[[\"numSelected\"],\"/\",[\"numAvailable\"],\" activos seleccionados\"],\"kN1Yg5\":\"Para pagar en nombre de un usuario, se necesita una cantidad explícita para pagar\",\"kRTD40\":[\"Cantidad a pagar para alcanzar el \",[\"0\"],\"% de utilización\"],\"kjN9tT\":\"El límite de suministro se ha sobrepasado\",\"knxE+G\":\".JSON\",\"ks2LWT\":\"El límite de deuda no es cero\",\"kwwn6i\":\"Los usuarios que stakean AAVE en el Modulo de Seguridad (es decir, poseedores de stkAAVE) reciben un descuento en la tasa de interés de préstamo de GHO. Este descuento se aplica a 100 GHO por cada 1 stkAAVE en posesión. Usa el calculador de abajo para ver la tasa de préstamo de GHO con el descuento aplicado.\",\"kz3wtK\":\"and about SPK program\",\"kzZyM4\":\"El balance de DAI se convertirá a través de los contratos de DSR y luego se suministrará como sDAI. El cambio no genera costos adicionales ni deslizamientos.\",\"lNVG7i\":\"Selecciona un activo\",\"lU2d1/\":[\"Este activo no se puede migrar debido a una liquidez insuficiente o a una limitación del límite de préstamo en el mercado v3 de \",[\"marketName\"],\".\"],\"lVhKKI\":\"Votó YAE\",\"lWLqxB\":\"No pudimos encontrar ninguna transacción relacionada con tu búsqueda. Vuelve a intentarlo con un nombre de activo diferente o restablece los filtros.\",\"lYGfRP\":\"Inglés\",\"lfEjIE\":\"Aprende más en nuestra guía <0>Preguntas frecuentes\",\"lt6bpt\":\"Garantía a pagar con\",\"m/IEhi\":\"Emisiones totales por día\",\"m7r7Hh\":\"Activos de préstamo seleccionados\",\"mDDK4p\":\"Pool de Balancer\",\"mIM0qu\":\"Cantidad esperada a pagar\",\"mUAFd6\":\"Versión 2\",\"masO5Z\":\"E-Mode increases your LTV for a selected category of assets. <0>Learn more\",\"mdNjKU\":[\"Tu cartera de \",[\"name\"],\" está vacía. Compra o transfiere activos o usa <0>\",[\"0\"],\" para transferir tus activos de \",[\"network\"],\".\"],\"muiOng\":[\"Comprar \",[\"cryptoSymbol\"],\" con Fiat\"],\"mvCXBY\":\"Stakea AAVE\",\"mwdzil\":\"Vale, cerrar\",\"mzI/c+\":\"Descargar\",\"mzdIia\":\"Este activo no puede usarse como garantía.\",\"n+SX4g\":\"Desarrolladores\",\"n8Psk4\":\"No podemos detectar una cartera. Conecta una cartera para stakear y ver tu balance.\",\"nJIhzm\":\"Apy de suministro\",\"nJgsQu\":\"Con un poder de votación de <0/>\",\"nLC6tu\":\"Francés\",\"nN2T8p\":\"During the cooldown period, you will not earn any merit rewards. However, rewards earned up to this point will remain unaffected.\",\"nNHV0z\":\"Migrar múltiples garantías y activos prestados al mismo tiempo puede ser una operación costosa y podría fallar en ciertas situaciones.<0>Por lo tanto, no se recomienda migrar posiciones con más de 5 activos (depositados + tomados prestados) al mismo tiempo.\",\"nNbnzu\":\"Proposición\",\"nOy4ob\":\"Te sugerimos volver al Panel de control.\",\"nPGNMh\":\"Puede ser ejecutado\",\"nUK1ou\":[\"Assets with zero LTV (\",[\"0\"],\") must be withdrawn or disabled as collateral to perform this action\"],\"nakd8r\":\"poseedores de stkAAVE obtienen un descuento en la tasa de préstamo de GHO\",\"nh2EJK\":[\"Por favor, cambia a \",[\"networkName\"],\".\"],\"njBeMm\":\"Ambos\",\"noN5Xf\":\"We couldn’t detect a wallet. Connect a wallet to view your staking positions and rewards.\",\"ntkAoE\":\"Descuento aplicado para <0/> AAVE stakeados\",\"ntyFSE\":[[\"h\"],\"h\"],\"nwtY4N\":\"Se produjo un error\",\"nxyWvj\":\"Retirar esta cantidad reducirá tu factor de salud y aumentará el riesgo de liquidación.\",\"o17QVP\":\"Tu factor de salud y la relación préstamo-valor determinan la seguridad de tu garantía. Para evitar liquidaciones, puedes suministrar más garantía o pagar las posiciones de préstamo.\",\"o1xc2V\":\"El balance de AToken no es cero\",\"o4tCu3\":\"APY préstamo\",\"o5ooMr\":\"Deuda\",\"o7J4JM\":\"Filtro\",\"oHFrpj\":\"Cooldown para undstakear\",\"oJ5ZiG\":\"El usuario no tiene deuda pendiente de tasa variable en esta reserva\",\"oRBGin\":\"Por favor conecta tu cartera para cambiar tus tokens.\",\"oUwXhx\":\"Activos de prueba\",\"oWklJD\":\"La tasa de interés estable <0>permanecerá igual durante la duración de su préstamo. Está recomendado para los períodos de préstamo a largo plazo y para los usuarios que prefieren la previsibilidad.\",\"odnIK3\":\"Time remaining until the 48 hour withdraw period starts.\",\"oiK5nY\":\"The current incentives period, decided on by the Aave community, has ended. Governance is in the process on renewing, check for updates. <0>Learn more.\",\"olREoo\":\"All borrow positions outside of this category must be closed to enable this category.\",\"om/XHs\":\"Disponible para suministrar\",\"ov0+mq\":\"Eligible for the ZKSync Ignite program.\",\"ovT1pF\":[\"Per the community, the \",[\"market\"],\" has been frozen.\"],\"ow3fug\":\"Sin resultados\",\"owSsI3\":\"Firmas listas\",\"p+R52m\":\"Ir al pool de Balancer\",\"p2A+s1\":[\"El periodo de cooldown es \",[\"0\"],\". Después \",[\"1\"],\" del cooldown, entrarás a la ventana de unstakeo de \",[\"2\"],\". Continuarás recibiendo premios durante el cooldown y la ventana de unstakeo.\"],\"p2S64u\":\"La relación préstamo-valor de las posiciones migradas provocaría la liquidación. Aumenta la garantía migrada o reduce el préstamo migrado para continuar.\",\"p2Z2Qi\":\"Este activo ha alcanzado su límite de préstamo. No queda nada disponible para ser prestado de este mercado.\",\"p3j+mb\":\"Tu balance de recompensa es 0\",\"p45alK\":\"Configurar la delegación\",\"p6u2s1\":\"Minimum amount of debt to be repaid\",\"pDgeaz\":[[\"title\"]],\"pdZqBk\":\"El balance subyacente debe ser mayor que 0\",\"pgWG9H\":\"No hay suficiente balance stakeado\",\"piPrJ7\":\"por favor comprueba que la cantidad que deseas depositar no está siendo utilizada actualmente para stakear. Si está utilizando para stakear, tu transacción podría fallar.\",\"pjO/iH\":\"Cantidad mínima recibida\",\"pooutM\":\"La votación está activa\",\"pqaM5s\":\"Confirmando transacción\",\"ptaxX3\":[\"Entiendo como el cooldown (\",[\"0\"],\") y el proceso de unstaking (\",[\"1\"],\") funcionan\"],\"py2iiY\":\"La función debe ser llamada por un pool\",\"q/51mF\":\"Migrar a V3\",\"q3df11\":\"Estrategia de tasa de interés\",\"q6lAbz\":\"Stakeado\",\"qB4kPi\":\"Suministrar APY\",\"qENI8q\":\"Configuración global\",\"qGz5zl\":\"Balance de la garantía tras pagar\",\"qIW9ZH\":\"Amount staked\",\"qOqbD6\":\"copiar el error\",\"qXCkEM\":\"Por favor, conecta tu cartera para ver tus suministros, préstamos y posiciones abiertas.\",\"qY2jnw\":\"Expiración inválida\",\"qf/fr+\":\"Interés acumulado\",\"quYPUU\":\"Variable interest rate will <0>fluctuate based on the market conditions.\",\"quzIeW\":\"User is in isolation mode or LTV is zero\",\"qvnz3q\":\"Cantidad inválida para quemar\",\"rHgdb0\":\"Migrate to Aave V3\",\"rOrHHe\":\"La cantidad debe ser mayor que 0\",\"rQ+R+0\":\"Activos de suministro seleccionados\",\"rSayea\":\"APY\",\"rTBDeu\":[\"Este activo no se puede migrar porque tienes una garantía en Isolation Mode en el mercado v3 de \",[\"marketName\"],\" que limita los activos prestados. Puedes administrar tu garantía en el <0>Panel de control V3 de \",[\"marketName\"],\"\"],\"rcT+yy\":\"Mostrar activos con 0 balance\",\"rf8POi\":\"Cantidad de activos tomados prestados\",\"riNWOA\":\"E-Mode\",\"rjGI/Q\":\"Privacidad\",\"rnKPW1\":\"Watch a wallet balance in read-only mode\",\"ruc7X+\":\"Añade stkAAVE para ver el APY de préstamo con el descuento\",\"rvbaFU\":[\"Bridging \",[\"symbol\"]],\"rwVVB7\":\"Reclamar todas las recompensas\",\"rwyUva\":\"Estos activos están temporalmente congelados o pausados por decisiones de la comunidad de Aave, lo que significa que no se puede suministrar / tomar prestado o intercambiar tasas de estos activos. Se permiten retiros y pagos de deuda. Sigue el <0>foro de gobierno de Aave para más actualizaciones.\",\"rxJW5W\":\"Tu poder de proposición se basa en tu balance de AAVE/stkAAVE y delegaciones recibidas.\",\"s2jJnW\":\"You don't have any bridge transactions\",\"s5wBAq\":[\"Unstakear \",[\"symbol\"]],\"sJbIdI\":\"Enter ETH address or ENS\",\"sK+Nag\":\"Revisión tx\",\"sP2+gB\":\"NO\",\"sQv06Y\":\"para\",\"sTtO6J\":\"Confirmar transacción\",\"sXKb3l\":\"Tasa de cambio\",\"sb0q4+\":\"Unstakea aquí\",\"smJNwH\":\"Disponible para tomar prestado\",\"solypO\":\"El factor de salud no está por debajo del umbral\",\"sr0UJD\":\"Volver atrás\",\"ss5GCK\":\"La dirección del proveedor del grupo de direcciones no es válida\",\"swEgK4\":\"Tu información de voto\",\"t+wtgf\":\"Nada tomado prestado aún\",\"t/YqKh\":\"Eliminar\",\"t81DpC\":[\"Aprueba \",[\"symbol\"],\" para continuar\"],\"tCnbEs\":\"Precio del oráculo\",\"tFZLf8\":\"Este cálculo de gas es solo una estimación. Tu cartera establecerá el precio de la transacción. Puedes modificar la configuración de gas directamente desde tu proveedor de cartera.\",\"tHuvQI\":\"Ir al panel de control V3\",\"tKv7cI\":\"Cambiar posición de préstamo\",\"tOcg3N\":\"Dado que este activo está congelado, las únicas acciones disponibles son retirar y pagar, a las que se puede acceder desde el <0>Panel de control\",\"tOuXfv\":[\"Cantidad a tomar prestado para alcanzar el \",[\"0\"],\"% de utilización\"],\"te9Bfl\":\"Por favor, conecta tu cartera\",\"tt5yma\":\"Tus suministros\",\"ttoh5c\":\"Cambiar a\",\"u3ZeYl\":\"Error en la transacción\",\"u706uF\":\"Préstamo flash inválido\",\"u8Gfu7\":[\"Sin resultados de búsqueda\",[\"0\"]],\"uAQUqI\":\"Status\",\"uHMwk8\":\"No hay activos seleccionados para migrar.\",\"uJPHuY\":\"Migrando\",\"uY8O30\":\"Para continuar, necesitas otorgar permiso a los contratos inteligentes de Aave para mover tus fondos de tu cartera. Según el activo y la cartera que uses, se hace firmando el mensaje de permiso (sin coste de gas), o enviando una transacción de aprobación (requiere coste de gas). <0>Aprende más\",\"udFheE\":\"Para el pago de un tipo específico de deuda, el usuario necesita tener una deuda de ese tipo\",\"ulNuNq\":\"Exportar datos a\",\"ulup2p\":\"Comprar Crypto con Fiat\",\"umICAY\":\"<0><1><2/>Añade stkAAVE para ver la tasa de préstamo con descuento\",\"usB84Z\":\"La cantidad máxima disponible para tomar prestado está limitada porque casi se ha alcanzado el límite de préstamo del protocolo.\",\"uwAUvj\":\"COPIAR IMAGEN\",\"v8x7Mg\":\"Garantía insuficiente para cubrir la nueva posición de préstamo. La cartera debe tener poder de préstamo suficiente para realizar el cambio de deuda.\",\"vEqxH9\":\"Restakeado\",\"vLyv1R\":\"Ocultar\",\"vMba49\":\"Tomar prestado no está habilitado\",\"vMpNwt\":\"Aprobar con\",\"vXIe7J\":\"Idioma\",\"vesuBJ\":\"Te permite decidir si utilizar un activo suministrado como garantía. Un activo utilizado como garantía afectará a tu poder de préstamo y factor de salud.\",\"w+V9Cx\":\"Stablecoin\",\"w/JtJ3\":\"El balance de deuda estable no es cero\",\"w4VBY+\":\"APR de recompensas\",\"w9dLMW\":[[\"label\"]],\"wAOL+X\":[\"Tu \",[\"action\"],\" <0/> \",[\"symbol\"]],\"wBIsjb\":\"Canal de Discord\",\"wQZbc/\":\"El llamador de la función no es un AToken\",\"wRRqvW\":\"No tienes suministros en este activo\",\"wZFvVU\":\"VOTAR SI\",\"wb/r1O\":[\"Faucet \",[\"0\"]],\"wdxz7K\":\"Source\",\"weH1nG\":\"El Protocolo Aave está programado para usar siempre el precio de 1 GHO = $1. Esto es diferente del uso del precio de mercado a través de oráculos para otros criptoactivos. Esto crea oportunidades de arbitraje estabilizadoras cuando el precio de GHO fluctúa.\",\"wh7Ezv\":\"No tienes balance de AAVE/stkAAVE/aAave para delegar.\",\"wlsIx7\":\"Con la testnet Faucet puedes obtener activos gratuitos para probar el Protocolo Aave. Asegúrate de cambiar tu proveedor de cartera a la red de testnet adecuada, selecciona el activo deseado y haz clic en \\\"Faucet\\\" para obtener tokens transferidos a tu cartera. Los activos de una testnet no son \\\"reales\\\", lo que significada que no tienen valor monetario. <0>Aprende más\",\"wmE285\":\"Obtener Token ABP v2\",\"wyRrcJ\":\"Como resultado de las decisiones del gobierno, este pool de stakeo de ABPT está obsoleto. Tienes la flexibilidad de migrar todos tus tokens a v2 o unstakearlos sin ningún periodo de cooldown.\",\"x5KiLL\":\"Los activos seleccionados se han migrado correctamente. Visita el panel de control del mercado para verlos.\",\"x7F2p6\":\"Diferencial actual\",\"x7K5ib\":[\"Tu cartera de \",[\"networkName\"],\" está vacía. Consigue \",[\"0\"],\" de prueba gratis en\"],\"x9iLRD\":\"tokens, por favor ve al\",\"xNy/UG\":\"Pagar con\",\"xPm8wv\":\"Aprende más sobre los riesgos involucrados\",\"xXYpZl\":[[\"0\"],\" Faucet\"],\"xaVBSS\":\"Tu información\",\"xaWZ6f\":\"Cambio tipo de APY\",\"xh6k71\":\"El uso de garantías está limitado debido al isolation mode.\",\"xvIklc\":\"El préstamo flash está deshabilitado para este activo, por lo tanto, esta posición no se puede migrar.\",\"y5rS9U\":\"Migrar\",\"y66tBm\":[\"Habilitar \",[\"symbol\"],\" como garantía\"],\"yB1YpA\":\"Modo oscuro\",\"yCrG6m\":\"Tamaño total del mercado\",\"yJUUbn\":\"Resumen de la transacción\",\"yLGmLX\":[\"Restakear \",[\"symbol\"]],\"yW1oWB\":\"Tipo APY\",\"yYHqJe\":\"Dirección no válida\",\"yZwLw6\":\"Haz seguimiento de tu cartera\",\"yh2sjd\":[\"Impacto en el precio \",[\"0\"],\"%\"],\"yhvj6d\":\"No puedes cambiar el uso como modo de garantía para este activo, porque causará una liquidación\",\"ylmtBZ\":\"La aplicación se ejecuta en fork mode.\",\"ymNY32\":[\"No hay fondos suficientes en la reserva\",[\"0\"],\"para tomar prestado\"],\"yz7wBu\":\"Cerrar\",\"z4uGQg\":\"El límite de deuda está sobrepasado\",\"z5UQOM\":\"La garantía elegida no puede ser liquidada\",\"z5Y+p6\":[\"Suministrando \",[\"symbol\"]],\"zCjNKs\":\"No se puede realizar la acción porque la reserva está congelada\",\"zRHytX\":\"Límite de deuda aislado\",\"zTOjMP\":\"El límite de suministro del protocolo está al 100% para este activo. No es posible suministrar más.\",\"zVdRUG\":\"Submission did not work, please try again later or contact wecare@avara.xyz\",\"zevmS2\":\"<0><1><2/>añade <3/> stkAAVE para tomar prestado al <4/> (descuento máximo)\",\"zgtIDV\":\"Deuda restante\",\"zmTPiV\":\"Balance de suministro\",\"zpPbZl\":\"Parámetros de riesgo de liquidación\",\"zucql+\":\"Menú\",\"zwWKhA\":\"Aprende más\",\"zy9fXn\":[\"Este activo está congelado en el mercado v3 de \",[\"marketName\"],\", por lo tanto, esta posición no se puede migrar.\"],\"zys+R6\":\"Ten en cuenta la congestión de la red y los precios del gas.\",\"zzzTXS\":\"Merit Program rewards are claimed through the\"}")}; \ No newline at end of file diff --git a/src/locales/fr/messages.js b/src/locales/fr/messages.js index dd1e69e19c..7bd2f3523b 100644 --- a/src/locales/fr/messages.js +++ b/src/locales/fr/messages.js @@ -1 +1 @@ -/*eslint-disable*/module.exports={messages:JSON.parse("{\"+0xecS\":[\"Si vous NE vous désengagez PAS dans les \",[\"0\"],\" de la fenêtre de désengagement, vous devrez réactiver le processus de refroidissement.\"],\"+EGVI0\":\"Recevoir (est.)\",\"+VR63W\":[\"Participer à cette réserve \",[\"symbol\"],\" donne des récompenses annualisées.\"],\"+bmKdK\":\"Use your AAVE, stkAAVE, or aAave balance to delegate your voting and proposition powers. You will not be sending any tokens, only the rights to vote and propose changes to the protocol. You can re-delegate or revoke power to self at any time.\",\"+eOPG+\":\"On dirait que nous ne pouvons pas changer de réseau automatiquement. Veuillez vérifier si vous pouvez le changer depuis le portefeuille.\",\"+i3Pd2\":\"Limite d'emprunt\",\"+kLZGu\":\"Montant de l’actif fourni\",\"+nuEh/\":\"Estimated time\",\"+xMFF8\":\"Remind me\",\"/57U31\":\"Amount to migrate\",\"/7ykiW\":\"Emprunter ce montant réduira votre facteur santé et augmentera le risque de liquidation.\",\"/YA5pU\":\"E-Mode increases your LTV for a selected category of assets, meaning that when E-mode is enabled, you will have higher borrowing power over assets of the same E-mode category which are defined by Aave Governance. You can enter E-Mode from your <0>Dashboard. To learn more about E-Mode and applied restrictionn, see the <1>help guide or the <2>Aave V3 Technical Paper.\",\"/izjs/\":\"Montant minimum d’Aave mis en jeu\",\"/jQctM\":\"To\",\"/lDBHm\":\"FAQ\",\"/yNlZf\":\"L'emprunt stable n'est pas activé\",\"/yQcJM\":\"Valeur totale\",\"00AB2i\":\"L'utilisateur n'a pas emprunté la devise spécifiée\",\"00OflG\":\"Il n’y a pas assez de liquidités pour que l’actif cible puisse effectuer le changement. Essayez de réduire le montant.\",\"08/rZ9\":\"La période de recharge est le temps nécessaire avant de retirer vos jetons (20 jours). Vous ne pouvez retirer vos actifs du module de sécurité qu’après la période de recharge et pendant la période de désenjeu. <0>Pour en savoir plus\",\"0AmQcW\":\"Changement de taux\",\"0BF3yK\":\"Désolé, nous n’avons pas trouvé la page que vous cherchiez.\",\"0TAbjq\":\"Recent Transactions\",\"0jhlyw\":\"Risque de liquidation\",\"0ojY+Y\":\"Solde actuel v2\",\"0thX3P\":\"Modification des garanties\",\"0wGCWc\":\"Il s'agit du montant total que vous pouvez emprunter. Vous pouvez emprunter en fonction de votre garantie et jusqu'à ce que le plafond d'emprunt soit atteint.\",\"1AsVfF\":\"À l’heure actuelle, les données sur les prix ne sont pas disponibles pour cette réserve dans le sous-graphe du protocole\",\"1LjK22\":\"Historique des transactions\",\"1Onqx8\":[\"Approuver \",[\"symbol\"],\"...\"],\"1Ue8sX\":\"Veuillez connecter un portefeuille pour afficher vos informations personnelles ici.\",\"1bpx9A\":\"...\",\"1kWUB+\":\"Seuil de liquidation <0/>\",\"1m9Qqc\":\"Retrait et changement\",\"1oyh4g\":\"Borrow rate\",\"1t7rez\":\"L’offre d’actifs est limitée à un certain montant afin de réduire l’exposition du protocole à l’actif et d’aider à gérer les risques encourus.\",\"2CAPu2\":\"Vous avez retiré et échangé des jetons avec succès.\",\"2Eoi/a\":\"Voir détails\",\"2FYpfJ\":\"Plus\",\"2O3qp5\":\"Liquidités disponibles\",\"2OM8/D\":[\"L’actif ne peut pas être migré en raison d’une restriction de plafond d’approvisionnement dans \",[\"marketName\"],\" v3 marché.\"],\"2Q4GU4\":\"Adresse bloquée\",\"2ZGocC\":\"Aave est un protocole entièrement décentralisé et régi par la communauté par les détenteurs de jetons AAVE. Les détenteurs de jetons AAVE discutent, proposent et votent collectivement sur les mises à niveau du protocole. Les détenteurs de jetons AAVE (réseau Ethereum uniquement) peuvent soit voter eux-mêmes sur de nouvelles propositions, soit choisir l’adresse de leur choix. Pour en savoir plus, consultez la page Gouvernance\",\"2a6G7d\":\"Veuillez saisir une adresse de portefeuille valide.\",\"2bAhR7\":\"Rencontrez GHO\",\"2eBWE6\":\"Je reconnais les risques encourus.\",\"2o/xRt\":\"Plafond d'approvisionnement sur la réserve cible atteint. Essayez de réduire le montant.\",\"2uJToh\":[[\"0\"],[\"name\"]],\"2x58bP\":\"L'emprunt stable est activé\",\"34Qfwy\":\"Le plafond d'emprunt est dépassé\",\"39eQRj\":[\"Emprunter \",[\"symbole\"]],\"3BL1xB\":\"Total fourni\",\"3BnIWi\":\"Commuté\",\"3K0oMo\":\"Offre restante\",\"3MoZhl\":\"Il n'y a pas assez de collatéral pour couvrir un nouvel emprunt\",\"3Np5O8\":[\"Fournir \",[\"symbole\"]],\"3O8YTV\":\"Total des intérêts courus\",\"3mXg0z\":\"Max LTV\",\"3q3mFy\":\"Rembourser\",\"3qsjtp\":\"La moyenne pondérée de l'APY pour tous les actifs fournis, y compris les incitations.\",\"3rL+os\":\"Vous ne pouvez retirer vos actifs du module de sécurité qu'après la fin de la période de refroidissement et que la fenêtre de retrait est active.\",\"42UgDM\":[\"Migrer vers \",[\"0\"],\" Marché v3\"],\"49UFQA\":\"Résultats du vote\",\"4DMZUI\":\"Afficher les transactions\",\"4HtGBb\":\"MAX\",\"4Y5H+g\":\"Petits caractères\",\"4YYh4d\":\"Maximum available to borrow\",\"4iPAI3\":\"Montant minimum d’emprunt GHO\",\"4lDFps\":\"Signez pour continuer\",\"4wyw8H\":\"Transactions\",\"5JSSxX\":[\"Votre \",[\"networkName\"],\" Le portefeuille est vide. Obtenez des ressources de test gratuites à l’adresse suivante :\"],\"5K7kGO\":\"documentation\",\"5NOSGa\":\"Le plafond de la dette limite le montant que les utilisateurs du protocole peuvent emprunter sur cet actif. Le plafond de la dette est spécifique aux actifs isolés et est indiqué en USD.\",\"5Ncc6j\":[\"Cet actif a presque atteint son plafond d'offre. Il ne peut y avoir que \",[\"messageValue\"],\" fourni à ce marché.\"],\"5cZ/KX\":\"L'offre de dette variable n'est pas nulle\",\"5che++\":\"Pour demander l'accès à ce marché autorisé, veuillez consulter\xA0: <0>Nom du fournisseur d'accès\",\"5ctNdV\":[\"Minimum \",[\"0\"],\" reçu\"],\"5hDe9v\":\"Allocation action requise\",\"5rsnKT\":\"Récompenses disponibles\",\"5yC5m5\":\"Voir tous les votes\",\"6/dCYd\":\"Aperçu\",\"60crCe\":\"Toutes les transactions\",\"62Xcjh\":\"Collatérale\",\"65A04M\":\"Espagnol\",\"6G8s+q\":\"Signature\",\"6Jrv+z\":[\"Rembourser \",[\"symbole\"]],\"6NGLTR\":\"Montant actualisable\",\"6Xr0UU\":\"Refroidissement...\",\"6bxci/\":\"Pouvoir de vote\",\"6f8S68\":\"Marchés\",\"6g1gi0\":\"Les propositions\",\"6gvoHP\":\"Copier le message d’erreur\",\"6h3Q5G\":\"Remboursé\",\"6lFSyT\":\"Available to Stake\",\"6s8L6f\":\"Changer de réseau\",\"6yAAbq\":\"APY, borrow rate\",\"70wH1Q\":\"APR\",\"72c5Qo\":\"Total\",\"73Auuq\":\"Les paramètres de remise sont décidés par la communauté Aave et peuvent être modifiés au fil du temps. Consultez la section Gouvernance pour les mises à jour et votez pour participer. <0>Pour en savoir plus\",\"75qcAQ\":[[\"stepName\"]],\"7ITr5L\":\"Facteur de santé\",\"7T/o5R\":\"Atteint\",\"7YlcXu\":\"Fork mode is ON\",\"7Z76Iw\":\"L’emprunt n’est pas disponible car vous utilisez le mode Isolation. Pour gérer le mode d’isolation, rendez-vous sur votre <0>tableau de bord.\",\"7aKlMS\":\"Partager sur Lens\",\"7er5fP\":\"Réclamer tout\",\"7hb2+s\":\"Time remaining until the withdraw period ends.\",\"7l88b8\":\"Les données n’ont pas pu être récupérées, veuillez recharger le graphique.\",\"7p5kLi\":\"Tableau de bord\",\"7sofdl\":\"Retrait et échange\",\"8+6BI0\":\"Soyez prudent - Vous êtes très proche de la liquidation. Envisagez de déposer plus de collatéral ou de rembourser certaines de vos positions empruntées\",\"87pUEW\":[\"Votre \",[\"name\"],\" Le portefeuille est vide. Acheter ou transférer des actifs.\"],\"8F1i42\":\"Page introuvable\",\"8G8M0u\":\"Chargement des données...\",\"8Iu1QS\":\"Retiré\",\"8JL93T\":\"Toutes les propositions\",\"8Q51DU\":\"Ajouter au portefeuille\",\"8X/oyn\":\"Montant invalide à frapper\",\"8Z5FPv\":\"Déconnecter le portefeuille\",\"8Zz7s5\":\"actifs\",\"8aLW8H\":\"Solde à révoquer\",\"8bOT3H\":\"Taux d'utilisation\",\"8sLe4/\":\"Voir le contrat\",\"8t/M0y\":\"Please connect your wallet to be able to bridge your tokens.\",\"8vETh9\":\"Montrer\",\"94OHPx\":\"Vous entrez en mode Isolation\",\"9CDK3/\":[\"L'emprunt n'est actuellement pas disponible pour \",[\"0\"],\".\"],\"9GIj3z\":\"Taille de réserve\",\"9Knqb4\":\"Solde de mise en jeu\",\"9OBKm7\":\"Quorum\",\"9QHoGr\":\"Votes actuels\",\"9Rw96f\":[\"Cet actif a presque atteint son plafond d'emprunt. Il n'y a que \",[\"messageValue\"],\" disponible pour être emprunté sur ce marché.\"],\"9Xj/qR\":[\"Certaines ressources migrées ne seront pas utilisées comme garantie en raison de l’activation du mode d’isolement dans \",[\"marketName\"],\" Marché V3. Visite <0>\",[\"marketName\"],\" Tableau de bord V3 pour gérer le mode d’isolation.\"],\"9c6vDV\":\"Cet actif a atteint son plafond d'offre. Rien n'est disponible pour être fourni à partir de ce marché.\",\"9kTWHA\":\"L’AMI a été suspendu en raison d’une décision de la communauté. L’offre, les emprunts et les remboursements sont impactés. <0>Plus d’informations\",\"9lXchd\":\"Jeton sous-jacent\",\"9rWaKF\":\"Bridged Via CCIP\",\"9xSooW\":\"Comme il s'agit d'un réseau de test, vous pouvez obtenir n'importe lequel des actifs si vous avez ETH dans votre portefeuille\",\"A/lwoe\":\"Choisissez l’un des services de rampe d’accès\",\"A6dCI6\":[\"Le montant maximal disponible pour emprunter est de <0/> \",[\"0\"],\" (<1/>).\"],\"AReoaV\":\"Vos emprunts\",\"ARu1L4\":\"Remboursé\",\"AV7cGz\":\"Examiner les détails de la taxe d'approbation\",\"AZOjB8\":\"Récupération de données...\",\"Ai0jas\":\"Rejoignez la discussion de la communauté\",\"Ajl2rq\":\"Le pouvoir d'emprunt et les actifs sont limités en raison du mode d'isolement.\",\"AqgYNC\":\"Plafond d’emprunt du protocole à 100% pour cet actif. Il n’est pas possible d’emprunter davantage.\",\"B3EcQR\":\"Merci d’avoir voté\xA0!!\",\"B6aXGH\":\"Stable\",\"B9Gqbz\":\"Taux variable\",\"BDFEd+\":\"Les stETH fournis en garantie continueront d’accumuler des récompenses de staking fournies par les rebasages quotidiens.\",\"BE2mP0\":\"Borrowed assets\",\"BJyN77\":\"Due to health factor impact, a flashloan is required to perform this transaction, but Aave Governance has disabled flashloan availability for this asset. Try lowering the amount or supplying additional collateral.\",\"BNL4Ep\":\"L'utilisation de la garantie est limitée en raison du mode d'isolement. <0>En savoir plus\",\"BQ/wCO\":\"Migrate your assets\",\"BjLdl1\":\"À prix réduit\",\"BnhYo8\":\"Catégorie d'actifs\",\"Bq9Y7e\":\"Cet actif est gelé en raison d’une décision de la communauté Aave. <0>Plus d’informations\",\"BqWMDJ\":\"Faucet\",\"BqynZO\":\"Optimized for efficiency and risk by supporting blue-chip collateral assets\",\"Bsu7zX\":\"The fee includes the gas cost to complete the transaction on the destination chain and the fee paid to Chainlink CCIP service providers. You can chose to pay in the network token or GHO. <0>Learn more\",\"BwJKBw\":\"de\",\"CDrsH+\":\"Fiche technique\",\"CK1KXz\":\"Max\",\"CMHmbm\":\"Glissement\",\"CZXzs4\":\"Grec\",\"CcRNG6\":\"Transistor\",\"CkTRmy\":[\"Revendication \",[\"symbol\"]],\"CsqtLm\":\"Veuillez connecter votre portefeuille pour voir l’outil de migration.\",\"CtGlFb\":[[\"networkName\"],\" Robinet\"],\"Cxt2YY\":\"Watch wallet\",\"D33VQU\":\"Cette action réduira le facteur de santé de V3 en dessous du seuil de liquidation. Augmenter les garanties migrées ou réduire les emprunts migrés pour continuer.\",\"D9BLRG\":\"This asset has been paused due to a community decision. Supply, withdraw, borrows and repays are impacted.\",\"DAma/S\":\"La garantie est (principalement) la même devise que celle qui est empruntée\",\"DCnFg0\":[\"Adresses (\",[\"0\"],\")\"],\"DG3Lv1\":\"Je comprends parfaitement les risques liés à la migration.\",\"DONJcV\":\"L'actif sous-jacent ne peut pas être sauvé\",\"DR+4uL\":\"Bilan de l’alimentation après le changement\",\"DWjrck\":[\"La ressource ne peut pas être migrée vers \",[\"marketName\"],\" V3 Market en raison des restrictions du mode E. Vous pouvez désactiver ou gérer les catégories du mode E dans votre <0>tableau de bord V3\"],\"Dj+3wB\":\"Aave par mois\",\"DptNvx\":\"Amount Staked\",\"DuEq2K\":\"Collatéralisation\",\"DxfsGs\":\"Vous pouvez signaler un incident sur notre <0>Discord ou<1>Github.\",\"Dzma+E\":\"Main Ethereum market with the largest selection of assets and yield options\",\"E/QGRL\":\"Désactivé\",\"EBL9Gz\":\"COPIÉ!\",\"ES8dkb\":\"Taux fixe\",\"EZd3Dk\":[\"Reprise \",[\"symbol\"]],\"Ebgc76\":[\"Retrait \",[\"symbole\"]],\"EdQY6l\":\"Aucun/Aucune\",\"EjvKQ+\":\"Valeur minimale en USD reçue\",\"Enslfm\":\"Destination\",\"EvE9nO\":[\"Réactiver la période de recharge pour annuler le pieu \",[\"0\"],\" \",[\"stakedToken\"]],\"EvECnL\":\"Migrer vers la v3\",\"EzMQbh\":\"The source chain time to finality is the main factor that determines the time to destination. <0>Learn more\",\"F40cwT\":\"Legacy Markets\",\"F6TdXL\":\"Pour en savoir plus.\",\"FDDPeZ\":\"Users can stake their assets in the protocol and earn incentives. In the case of a shortfall event, your stake can be slashed to cover the deficit, providing an additional layer of protection for the protocol.\",\"FHlMf/\":\"Solde actuel de la v2\",\"FHpxjF\":[\"Le facteur de réserve est un pourcentage de l’intérêt qui va à un \",[\"0\"],\" qui est contrôlé par la gouvernance Aave pour promouvoir la croissance de l’écosystème.\"],\"FOBZa6\":\"Puissance d'emprunt utilisée\",\"FPKEug\":\"Opération non prise en charge\",\"FbmMe7\":\"Linked addresses\",\"Fdp03t\":\"sur\",\"Fjw9N+\":\"Actifs à déposer\",\"FmN0fk\":\"Remise en jeu\",\"GDGLIs\":\"GHO est un actif numérique natif décentralisé et adossé à des garanties, indexé sur le dollar américain. Il est créé par les utilisateurs en empruntant contre plusieurs garanties. Lorsque l’utilisateur rembourse sa position d’emprunt de HO, le protocole brûle le GHO de cet utilisateur. Tous les paiements d’intérêts accumulés par les minters de GHO seraient directement transférés à la trésorerie d’AaveDAO.\",\"GQrBTq\":\"Changer de mode E\",\"GWswcZ\":\"Cet actif est gelé en raison d’une décision de gouvernance du protocole Aave. Le 20 décembre 2022, renFIL ne sera plus pris en charge et ne pourra plus être reconnecté à son réseau natif. Il est recommandé de retirer les positions d’offre et de rembourser les positions d’emprunt afin que renFIL puisse être relié à FIL avant la date limite. Après cette date, il ne sera plus possible de convertir renFIL en FIL. <0>Plus d’informations\",\"GX8GKD\":\"Actifs\",\"GgEj+0\":\"Mode lecture seule. Connectez-vous à un portefeuille pour effectuer des transactions.\",\"GjkIKV\":\"Prend fin\",\"GoK/QN\":\"Thank you for submitting feedback!\",\"GtP2hp\":[\"L'emprunt n'est pas disponible, car vous avez activé le mode d'efficacité (E-Mode) pour la catégorie \",[\"0\"],\". Pour gérer les catégories E-Mode, visitez votre <0>tableau de bord.\"],\"H6Ma8Z\":\"Rabais\",\"HB/wfS\":[[\"tooltipText\"]],\"HKDsQN\":\"Rewards can be claimed through\",\"Ha/U5f\":\"This is a program initiated and implemented by the decentralised ZKSync community. Aave Labs does not guarantee the program and accepts no liability.\",\"HciqKU\":\"This is a program initiated and implemented by the decentralised Aave community. Aave Labs does not guarantee the program and accepts no liability.\",\"Hi6Ttn\":\"Désolé, une erreur inattendue s’est produite. En attendant, vous pouvez essayer de recharger la page, ou revenir plus tard.\",\"HkEDbS\":[[\"d\"],\"d\"],\"HmkYqM\":\"Fenêtre d'arrêt de staking\",\"HpK/8d\":\"Recharger\",\"HrnC47\":\"Enregistrer et partager\",\"HuVZMK\":\"Days\",\"HvJKMU\":[\"La ressource ne peut pas être migrée vers \",[\"marketName\"],\" v3 Marché puisque l’actif collatéral activera le mode d’isolation.\"],\"Hvwnm9\":[\"La quantité maximale disponible pour l’approvisionnement est limitée parce que le plafond d’approvisionnement du protocole est à \",[\"0\"],\"%.\"],\"I8CX2c\":\"Le montant total de vos actifs libellés en USD qui peut être utilisé comme garantie pour emprunter des actifs.\",\"IAD2SB\":[\"Prétendant \",[\"symbol\"]],\"IG9X9/\":\"L’emprunt de cet actif est limité à un certain montant afin de minimiser l’insolvabilité du pool de liquidités.\",\"IOIx8L\":\"Il est prévu que cet actif soit désactivé en raison d’une décision de gouvernance du protocole Aave. <0>Plus d’informations\",\"IP+I/j\":\"Période de recharge\",\"IaA40H\":\"Liquidation à\",\"J/hVSQ\":[[\"0\"]],\"JCoxL6\":\"Gérer l’analytique\",\"JK9zf1\":[\"Intérêts composés estimés, y compris l’escompte pour le jalonnement \",[\"0\"],\"AAVE dans le module de sécurité.\"],\"JOqFba\":[\"Déjalonnement \",[\"symbol\"]],\"JPrLjO\":\"Vous ne pouvez pas utiliser cette devise comme garantie\",\"JU6q+W\":\"Récompense(s) à réclamer\",\"JYKRJS\":\"Stake\",\"JZMxX0\":\"Pas assez de solde sur votre portefeuille\",\"Jgflkm\":\"Get GHO\",\"JoMQnI\":\"Solde du portefeuille\",\"JtwD8u\":\"Emprunter le solde après le remboursement\",\"JumYTK\":\"Supplied assets\",\"K05qZY\":\"Retrait et échange\",\"KAz/NV\":\"Le plafond d’endettement du protocole est de 100% pour cet actif. Il n’est pas possible d’emprunter davantage sur cet actif.\",\"KLXVqE\":[\"Les tokens stETH seront migrés vers Wrapped stETH à l’aide du wrapper Lido Protocol, ce qui entraîne une modification de l’équilibre de l’offre après la migration : \",[\"0\"]],\"KLd6ky\":\"Use connected account\",\"KRpokz\":\"VOIR TX\",\"KSlpka\":\"Cela représente le seuil auquel une position d'emprunt sera considérée comme sous-garantie et sujette à liquidation pour chaque garantie. Par exemple, si une garantie a un seuil de liquidation de 80\xA0%, cela signifie que la position sera liquidée lorsque la valeur de la dette vaut 80 % de la valeur de la garantie.\",\"KYAjf3\":\"Isolé\",\"KZwRuD\":[[\"notifyText\"]],\"KkPgim\":\"Changement de mode E\",\"KnN1Tu\":\"Expire\",\"KoOBI2\":\"En raison de la mécanique interne de stETH requise pour le rebasage de la prise en charge, il n’est pas possible d’effectuer un changement de garantie où stETH est le jeton source.\",\"KojyJ4\":\"Mauvais réseau\",\"KsqhWn\":\"Staking\",\"KuBTQq\":\"Entrez l'adresse ETH\",\"KvG1xW\":\"Réclamer\",\"L+8Lzs\":\"LTV actuelle\",\"L+qiq+\":\"Marché\",\"LDzfVJ\":\"Send Feedback\",\"LIrMcF\":\"Pas de pouvoir de vote\",\"LL0zks\":\"Peut être collatéral\",\"LLdJWu\":\"AAVE Réclamable\",\"LSIpNK\":\"Emprunter et rembourser dans le même bloc n'est pas autorisé\",\"LVt3TI\":[\"<0>Tolérance de glissement <1>\",[\"selectedSlippage\"],\"% <2>\",[\"0\"],\"\"],\"LjafV8\":\"Maximum collateral amount to use\",\"LtpQew\":\"Let us know how we can make the app better for you. For user support related inquiries please reach out on\",\"LvVpD/\":\"Emode\",\"M2sknc\":\"Astuce : Essayez d’augmenter le glissement ou de réduire la quantité d’entrée\",\"M7wPsD\":\"Interrupteur\",\"MFu33y\":\"Staking 00\",\"MIy2RJ\":\"Maximum amount received\",\"MZ/nQf\":\"Adresse du destinataire\",\"Ma/MtY\":\"vue de staking\",\"McHlGl\":\"Changement d’APY\",\"MeCCA+\":\"APY, variable\",\"MghdTe\":\"Si le facteur de santé descend en dessous de 1, la liquidation de votre collatéral peut être déclenchée.\",\"Mm/DVQ\":\"Vous avez annulé la transaction.\",\"MnE2QX\":\"Emprunter des informations\",\"MrmQHg\":\"View Bridge Transactions\",\"MuDFEQ\":\"Valeur de retour invalide de la fonction flashloan executor\",\"N5kUMV\":\"L’actif ne peut être utilisé comme garantie qu’en mode isolé avec un pouvoir d’emprunt limité. Pour passer en mode d’isolation, désactivez toutes les autres garanties.\",\"N6Pxr9\":\"View all\",\"NF0e1Q\":\"En attente...\",\"NK9ikO\":\"Solde du portefeuille\",\"NMt2CB\":\"Montant réclamable\",\"NcFGxG\":\"Contrat de collectionneur\",\"NfpPeS\":\"Rien staké\",\"Nh9DAo\":[[\"m\"],\"m\"],\"O+sCUU\":\"Le plafond de mintage non soutenu est dépassé\",\"O+tyU+\":[\"Le montant maximal disponible pour emprunter sur cet actif est limité car le plafond de la dette est à \",[\"0\"],\"%.\"],\"O3oNi5\":\"Email\",\"OFjZGo\":\"Unstake\",\"OR8cYX\":\"Aperçu de la proposition\",\"OYuJ9K\":\"Le plafond d’endettement du protocole est de 100% pour cet actif. Il n’est pas possible d’emprunter sur cet actif.\",\"OfhWJH\":\"Réinitialisation\",\"Og2SKn\":\"handicapé\",\"On0aF2\":\"Site internet\",\"OsyKSt\":\"Retirer\",\"P1dURE\":\"Révoquer le pouvoir\",\"P2WCD/\":[\"L’actif sous-jacent n’existe pas dans \",[\"marketName\"],\" v3 Market, par conséquent, cette position ne peut pas être migrée.\"],\"P2sL6B\":\"Lorsqu'une liquidation survient, les liquidateurs remboursent jusqu'à 50 % de l'encours emprunté au nom de l'emprunteur. En contrepartie, ils peuvent acheter le collatéral à prix réduit et conserver la différence (pénalité de liquidation) en bonus.\",\"P6sRoL\":\"Mise en jeu ABPT\",\"P72/OW\":\"La moyenne pondérée de l'APY pour tous les actifs empruntés, y compris les incitatifs.\",\"P7e6Ug\":\"Veuillez connecter votre portefeuille pour consulter l’historique des transactions.\",\"PByO0X\":\"Votes\",\"PI+kVe\":\"Disable fork\",\"PJK9u/\":\"Emprunter apy\",\"PLUB/s\":\"Fee\",\"PP5ZA8\":[\"Participating in staking \",[\"symbol\"],\" gives annualized rewards. Your wallet balance is the sum of your aTokens and underlying assets. The breakdown to stake is below\"],\"PcBUgb\":\"Seuil de liquidation\",\"PjU6bu\":\"This asset is eligible for SPK incentive program. Aave Labs does not guarantee the program and accepts no liability.\",\"PpqD5g\":\"L'activation de cet actif comme garantie augmente votre pouvoir d'emprunt et votre facteur de santé. Cependant, il peut être liquidé si votre facteur de santé tombe en dessous de 1.\",\"PsOFSf\":\"Cette action réduira le facteur de santé V2 en dessous du seuil de liquidation. Conservez la garantie ou migrez la position d’emprunt pour continuer.\",\"Pu4bI/\":[[\"currentMethod\"]],\"Q0LzKi\":\"View TX\",\"Q4eNqa\":\"The Aave Balancer Pool Token (ABPT) is a liquidity pool token. You can receive ABPT by depositing a combination of AAVE + wstETH in the Balancer liquidity pool. You can then stake your BPT in the Safety Module to secure the protocol and earn Safety Incentives.\",\"QQYsQ7\":\"Withdrawing\",\"QWYCs/\":\"Stake GHO\",\"R+30X3\":\"Non atteint\",\"RCU5PY\":\"Age\",\"RIfckG\":[\"Désactiver \",[\"symbol\"],\" comme garantie\"],\"RMtxNk\":\"Différentiel\",\"RNK49r\":\"Signature non valide\",\"RS0o7b\":\"État\",\"RU+LqV\":\"Détails de la proposition\",\"RYTgZX\":\"lorem ipsum\",\"RbXH+k\":\"AAVE, GHO, and ABPT holders (Ethereum network only) can stake their assets in the Safety Module to add more security to the protocol and earn Safety Incentives. In the case of a shortfall event, your stake can be slashed to cover the deficit, providing an additional layer of protection for the protocol.\",\"RiSYV4\":\"L'actif n'est pas répertorié\",\"Rj01Fz\":\"Liens\",\"RmWFEe\":\"APR staké\",\"RoafuO\":\"Envoyer des commentaires\",\"RtBLm7\":\"Le facteur santé est inférieur au seuil de liquidation\",\"RxzN1M\":\"Activé\",\"SDav7h\":\"Fonds dans le Safety Module\",\"SENccp\":\"Si l’erreur persiste,<0/> vous pouvez la signaler à ce\",\"SIWumd\":\"Afficher les ressources gelées ou mises en pause\",\"SM58dD\":\"Quantité en temps de recharge\",\"SSMiac\":\"Impossible de charger les votants de proposition. Veuillez rafraîchir la page.\",\"SSQVIz\":\"Seuil de liquidation\",\"SUb8x0\":\"Total disponible\",\"SWIgh4\":\"Fees exceed wallet balance\",\"SY9hVo\":\"Le mode lecture seule permet de voir les positions d’adresses dans Aave, mais vous ne pourrez pas effectuer de transactions.\",\"SZRUQ4\":\"Glissement maximal\",\"Sa1UE/\":\"Le plafond d’emprunt du protocole est de 100 % pour cet actif. Il n’est pas possible d’emprunter davantage.\",\"Sk2zW9\":\"Désactiver le E-mode\",\"SxaD0o\":\"Le fournisseur d'adresses de pool n'est pas enregistré\",\"T/AIqG\":\"Limite d’approvisionnement du protocole à 100 % pour cet actif. D’autres approvisionnements ne sont pas disponibles.\",\"T0xCO9\":\"Can't validate the wallet address. Try again.\",\"T4OhVl\":\"GHO balance\",\"T6uYU2\":\"Emprunter\",\"TFxQlw\":\"Pénalité de liquidation\",\"TQ7WsV\":\"Available to stake\",\"TUI7iB\":\"L'actif ne peut être utilisé comme garantie qu'en mode isolé.\",\"TbjyhA\":\"Docs\",\"TduuS0\":\"L'utilisateur n'a pas de dette à taux stable impayée sur cette réserve\",\"TeCFg/\":\"Modification du taux d’emprunt\",\"Tg1JyO\":\"Bridge history\",\"TskbEN\":\"Les détenteurs de stkAAVE bénéficient d’une réduction sur le taux d’emprunt GHO\",\"TszKts\":\"Emprunter le solde après le changement\",\"TtZL6q\":\"Paramètres du modèle de remise\",\"TwJI9F\":\"Asset has been successfully sent to CCIP contract. You can check the status of the transactions below\",\"Tz0GSZ\":\"Activités bloquées\",\"U/eBjN\":\"Recharger la page\",\"U2r8nY\":\"Choose how much voting/proposition power to give to someone else by delegating some of your AAVE, stkAAVE or aAave balance. Your tokens will remain in your account, but your delegate will be able to vote or propose on your behalf. If your AAVE, stkAAVE or aAave balance changes, your delegate's voting/proposition power will be automatically adjusted.\",\"U8IubP\":\"L’application s’exécute en mode réseau de test. Découvrez comment cela fonctionne dans\",\"U9btTk\":\"L'actif n'est pas empruntable en mode d'isolement\",\"UAOZRe\":\"L’impact sur les prix est l’écart entre la valeur totale des tokens d’entrée échangés et les tokens de destination obtenus (en USD), qui résulte de la liquidité limitée de la paire de trading.\",\"UE3KJZ\":\"L’historique des transactions n’est actuellement pas disponible pour ce marché\",\"URmyfc\":\"Détails\",\"UTTKmT\":\"Temps de recharge de la mise activé\",\"UXeR72\":\"Ces fonds ont été empruntés et ne peuvent pas être retirés pour le moment.\",\"UYb8CM\":\"Learn more about the SPK rewards\",\"UbRrG0\":\"Le ratio LTV maximum représente le pouvoir d'emprunt maximum d'une garantie spécifique. Par exemple, si une garantie a un LTV de 75 %, l'utilisateur peut emprunter jusqu'à 0,75 ETH dans la devise principale pour chaque 1 ETH de garantie.\",\"UpndFj\":\"Aucune récompense à réclamer\",\"V0f2Xv\":\"Facteur de réserve\",\"V1HK43\":\"Risques liés à la migration\",\"VATFH9\":\"Dette couverte\",\"VHOVEJ\":\"Connecter le portefeuille\",\"VMfYUK\":\"Sécurité de votre garantie déposée contre les actifs empruntés et sa valeur sous-jacente.\",\"VOAZJh\":\"Total des emprunts\",\"ViKYxK\":\"YAE\",\"W1SSoD\":\"Examiner les détails de la transaction\",\"W5hVah\":\"Rien fourni pour le moment\",\"W5kTFy\":\"Vote\",\"W8ekPc\":\"Retour au tableau de bord\",\"WMPbRK\":\"Sans support\",\"WNGZwH\":\"E-Mode augmente votre LTV pour une catégorie d'actifs sélectionnée jusqu'à <0/>. <1>En savoir plus\",\"WPWG/y\":\"Statut et configuration de la réserve\",\"WZLQSU\":\"L'utilisateur ne peut pas retirer plus que le solde disponible\",\"WaZyaV\":\"<0>Ampleforth est un actif de rebasage. Consultez la <1>documentation pour en savoir plus.\",\"WfU+XN\":\"Étant donné que cette ressource est suspendue, aucune action ne peut être entreprise jusqu’à nouvel ordre\",\"Wjmqs2\":\"No results found. You can import a custom token with a contract address\",\"WkZ6C6\":\"Pour emprunter, vous devez fournir tout actif à utiliser comme garantie.\",\"WyMiQm\":\"Vous avez réussi à changer de jeton.\",\"X/ITG9\":\"Copier le texte d'erreur\",\"X3Pp6x\":\"Utilisé comme collatéral\",\"X4Zt7j\":\"L'action ne peut pas être effectuée car la réserve est mise en pause\",\"XBdKOj\":\"Representative smart contract wallet (ie. Safe) addresses on other chains.\",\"XZzneG\":\"Vous quitterez le mode d'isolement et d'autres jetons peuvent désormais être utilisés comme collatéral\",\"Xg5y9S\":\"Amount to Bridge\",\"Xn4hUi\":\"Veuillez toujours tenir compte de votre <0>facteur de santé (HF) lors de la migration partielle d’une position et que vos tarifs seront mis à jour vers les taux V3.\",\"Xy71ST\":\"Umbrella\",\"Y5kGkc\":\"VOTER NON\",\"YDIOks\":\"Activation du E-Mode\",\"YSodyW\":\"Cette action réduira votre facteur de santé. Veuillez garder à l’esprit le risque accru de liquidation des garanties.\",\"YXOWXM\":\"The total amount bridged minus CCIP fees. Paying in network token does not impact gho amount.\",\"YirHq7\":\"Feedback\",\"YogbCJ\":\"Le mode réseau de test est activé\",\"YrDxdO\":\"Si votre prêt à la valeur dépasse le seuil de liquidation, votre garantie fournie peut être liquidée.\",\"YyIM65\":\"Les conditions de rééquilibrage des taux d'intérêt n'ont pas été remplies\",\"YyydIq\":[\"Ajouter \",[\"0\"],\" à Wallet pour suivre votre solde.\"],\"ZBvhI+\":\"Gouvernance Aave\",\"ZIIRAd\":\"Raw-Ipfs\",\"ZRq4tX\":\"Mode efficacité (E-Mode)\",\"ZSqEW+\":\"Manage E-Mode\",\"ZUFYFE\":\"Désactiver le réseau de test\",\"Zbyywy\":\"Coupure maximale\",\"ZfUGFb\":\"Avant de déposer\",\"ZiXN+B\":\"Assets to stake\",\"ZlsSDH\":\"Valeur de liquidation\",\"ZrEc8j\":\"Nous n’avons trouvé aucun élément lié à votre recherche. Réessayez avec un autre nom, symbole ou adresse de ressource.\",\"ZsLF7e\":\"Activé\",\"a0YQoQ\":\"Enter a valid address\",\"a2fBZn\":\"Temps restant pour dépiquer\",\"a5RYZd\":\"La désactivation de cet actif en tant que garantie affecte votre pouvoir d'emprunt et votre facteur de santé.\",\"a7u1N9\":\"Prix\",\"a9D+6D\":\"Non jalonné\",\"aEtiwq\":\"Vote NAY\",\"aMmFE1\":\"Acheter des crypto-monnaies avec des monnaies fiduciaires\",\"aOKIms\":\"Les paramètres de tableau devraient être de même longueur ne sont pas\",\"aX31hk\":\"Votre solde est inférieur au montant sélectionné.\",\"adUsDd\":\"An error has occurred fetching the proposal.\",\"al6Pyz\":\"Dépasse la remise\",\"aoXTT7\":\"Prêt APY, variable\",\"aqX1Yp\":\"This asset is eligible for rewards through SuperFest. Aave Labs does not guarantee the program and accepts no liability.\",\"avgETN\":\"Eligible for the Merit program.\",\"b4NS3e\":\"Avertissement de période de refroidissement\",\"bNEQeI\":\"Cooldown\",\"bSruit\":\"ZKSync Ignite Program rewards are claimed through the\",\"bUUVED\":\"Actif\",\"bXQ/Og\":\"Partager sur Twitter\",\"bXr0ee\":\"Les actifs isolés ont un pouvoir d'emprunt limité et les autres actifs ne peuvent pas être utilisés comme garantie.\",\"bYmAV1\":\"Adresses\",\"bguKoJ\":\"Le montant demandé est supérieur au montant maximum du prêt en mode taux stable\",\"bwSQI0\":\"Fournir\",\"bxN6EM\":\"Impossible de désactiver le mode E\",\"bxmzSh\":\"Pas assez de collatéral pour rembourser ce montant de dette avec\",\"c91vuQ\":\"L'adresse n'est pas un contrat\",\"c97os2\":\"Aave aToken\",\"c9b44w\":\"Vous ne pouvez pas retirer ce montant car cela entraînera un appel de garantie\",\"cBc+4A\":\"Il s'agit du montant total que vous pouvez emprunter. Vous pouvez emprunter en fonction de votre garantie et jusqu'à ce que le plafond d'emprunt soit atteint.\",\"cIl5kp\":\"Votre pouvoir de vote est basé sur votre solde AAVE/stkAAVE et les délégations reçues.\",\"cLo09S\":\"Détails des risques\",\"cNT+ij\":\"L'emprunt n'est pas disponible car vous avez activé le mode Efficacité (E-Mode) et le mode Isolation. Pour gérer le mode E et le mode Isolation, rendez-vous sur votre <0>tableau de bord.\",\"cZOeBk\":\"Something went wrong fetching bridge message, please try again later.\",\"ceix5S\":\"Pour soumettre une proposition de modifications mineures du protocole, vous aurez besoin d’une puissance d’au moins 80,00 K. Si vous souhaitez modifier la base de code de base, vous aurez besoin d’une puissance de 320k. <0>Pour en savoir plus.\",\"ciSsYT\":\"Staking APY\",\"ciybUa\":\"Vote YAE\",\"ckf7gX\":[\"Remboursement \",[\"symbole\"]],\"cp1ZDP\":[\"Bridge \",[\"symbol\"]],\"cqnmnD\":\"Taux d’intérêt effectif\",\"cqwIvs\":\"Discussion de forum\",\"csDS2L\":\"Disponible\",\"cu7Stb\":\"Vous n'avez pas participé à cette proposition\",\"dE6BLF\":\"Gouvernance\",\"dEgA5A\":\"Annuler\",\"dIsyWh\":\"Échec de la validation LTV\",\"dMtLDE\":\"À\",\"dOB5nW\":[\"La quantité maximale disponible pour la fourniture est de <0/> \",[\"0\"],\" (<1/>).\"],\"dVfODp\":\"Vous n'avez pas assez de fonds dans votre portefeuille pour rembourser le montant total. Si vous continuez à rembourser avec votre montant actuel de fonds, vous aurez toujours une petite position d'emprunt dans votre tableau de bord.\",\"dXUQFX\":\"Actifs à emprunter\",\"dgr1aY\":\"L’emprunt est désactivé en raison d’une décision de la communauté Aave. <0>Plus d’informations\",\"djsg0o\":\"Usage de collatéral\",\"dpc0qG\":\"Variable\",\"drdV8R\":\"Liquidation\",\"dxW8cS\":\"Jeton de dette Aave\",\"e4V3oW\":\"Top 10 des adresses\",\"eD8WX/\":\"L'action nécessite une réserve active\",\"eJRJ04\":\"Montant à la mise en jeu\",\"eLh0cL\":\"Le slippage est la différence entre les montants cotés et reçus en raison de l’évolution des conditions du marché entre le moment où la transaction est soumise et sa vérification.\",\"ePK91l\":\"Edit\",\"eVpCmf\":\"Récompenses de staking\",\"eVqvtf\":\"Bridge GHO\",\"eYdurp\":\"Aucune transaction n’a encore été effectuée.\",\"ebLGGN\":\"Total emprunté\",\"ecqEvn\":\"Le solde de la garantie est de 0\",\"efdrrk\":\"Disponible sur\",\"enruNF\":\"Commence\",\"eqLYiD\":\"Arrêter de staker maintenant\",\"euScGB\":\"APY avec remise appliquée\",\"evw5ha\":\"Valeur nette\",\"ezcU16\":\"Obtenir le jeton ABP\",\"f3W0Ej\":[\"Vous êtes passé au tarif \",[\"0\"]],\"fH9i8k\":\"Vous avez réussi à changer de position d’emprunt.\",\"fHcELk\":\"APR Net\",\"fMJQZK\":\"Emprunté\",\"fZ5Vnu\":\"Reçu\",\"firl9Q\":\"Votre prêt actuel à la valeur en fonction de votre collatéral fournie.\",\"flRCF/\":\"Remise sur le staking\",\"fldjW9\":\"Prévisualiser tx et migrer\",\"fsBGk0\":\"Solde\",\"fu1Dbh\":[\"Retirer \",[\"symbole\"]],\"fwjWSI\":\"Fourni\",\"fwyTMb\":\"Migrate to stkABPT v2\",\"g0mals\":\"You can not disable E-Mode because that could cause liquidation. To exit E-Mode supply or repay borrowed positions.\",\"g2UNkE\":\"Alimenté par\",\"g8KGoA\":\"Foire aux questions\",\"g9zzqS\":\"A voté NAY\",\"gDd2gk\":\"about SuperFest.\",\"gFFh9h\":\"Tout est fait !\",\"gIMJlW\":\"Mode réseau test\",\"gOzPxe\":\"Cet actif est gelé en raison d’une décision de gouvernance du protocole Aave. <0>Plus d’informations\",\"gTHi2T\":\"L'utilisateur essaie d'emprunter plusieurs actifs, y compris un en silo\",\"gVW59Y\":\"Veuillez connecter votre portefeuille pour obtenir des ressources de réseau de test gratuites.\",\"gcFNxP\":\"Approuver Confirmé\",\"gncRUO\":\"Cette adresse est bloquée sur app.aave.com car elle est associée à un ou plusieurs\",\"goff7V\":\"Adresse zéro non-valide\",\"gp+f1B\":\"Variante 3\",\"gr8mYw\":\"Vous pouvez emprunter jusqu’à GHO à <0/> <1/> (rabais maximum)\",\"gvTM4B\":\"L'APY net est l'effet combiné de toutes les positions d'offre et d'emprunt sur la valeur nette, y compris les incitations. Il est possible d'avoir un APY net négatif si l'APY de la dette est supérieur à l'APY de l'offre.\",\"gzcch9\":\"Frais de protocole de pont invalide\",\"h33MxW\":\"Representing smart contract wallet (ie. Safe) addresses on other chains.\",\"h3ilK+\":\". .CSV\",\"hB23LY\":\"Activer le temps de recharge\",\"hIJzBh\":\"Available to Claim\",\"hIS4N0\":\"APY Net\",\"hRWvpI\":\"Revendiqué\",\"hdmy/o\":\"Le % de votre pouvoir d'emprunt total utilisé. Ceci est basé sur le montant de votre garantie fournie et le montant total que vous pouvez emprunter.\",\"hehnjM\":\"Montant\",\"hjDCQr\":\"Il y a eu une erreur. Veuillez essayer de modifier les paramètres ou <0><1>copier l'erreur\",\"hom7qf\":\"Réclamer\",\"hpHJ4I\":\"Garantie liquidée\",\"hpuVIp\":\"Users who stake AAVE in Safety Module (i.e. stkAAVE holders) receive a discount on GHO borrow interest rate.\",\"huQ6Tz\":[\"Emprunter \",[\"symbole\"]],\"hxi7vE\":\"Emprunter le solde\",\"i/fZ2Z\":\"Staked Balance\",\"i2JTiw\":\"Vous pouvez saisir un montant personnalisé dans le champ.\",\"iB5+/J\":\"À propos de GHO\",\"iChbOF\":\"Paramètres de prêt flash incohérents\",\"iEPVHF\":\"Pas assez de pouvoir de vote pour participer à cette proposition\",\"iEW87X\":\"Délégation de pouvoirs\",\"iEju36\":[\"Vous avez voté \",[\"0\"]],\"iFq2YN\":\"Borrowable\",\"iGxyIA\":\"Safety Module\",\"iMVZk9\":\"Sélectionner la tolérance de glissement\",\"iPMIoT\":\"Entrez un montant\",\"iSLIjg\":\"Connect\",\"iUo5rv\":\"tokens n'est pas la même chose que de les staker . Si vous souhaitez staker votre\",\"iZxa38\":\"Utilisez-le pour voter pour ou contre les propositions actives.\",\"if5PH+\":\"Informations sur le collectionneur\",\"igkfR1\":[\"En mode Isolation, vous ne pouvez pas fournir d’autres actifs en garantie. Un plafond d’endettement global limite le pouvoir d’emprunt de l’actif isolé. Pour quitter le mode d’isolement, désactivez \",[\"0\"],\" en garantie avant d’emprunter un autre actif. Pour en savoir plus, consultez notre <0>FAQ\"],\"il0sEG\":\"L'utilisation du collatéral est limitée en raison du mode d'isolation.\",\"j+K1Xj\":\"Amount After Fee\",\"jA2QeW\":\"Fournir votre\",\"jFi7dz\":\"Interest rate that is determined by Aave Governance. This rate may be changed over time depending on the need for the GHO supply to contract/expand. <0>Learn more\",\"jG3UJ7\":\"Désactiver le E-mode\",\"jKYzR1\":\"Activer le E-Mode\",\"jMam5g\":[[\"0\"],\" Balance\"],\"jSYv+Z\":\"Enabling E-Mode allows you to maximize your borrowing power, however, borrowing is restricted to assets within the selected category. <0>Learn more about how it works and the applied restrictions.\",\"jaKbwW\":[[\"s\"],\"s\"],\"jbFMap\":\"Temps de recharge restant\",\"jeMZNr\":[[\"0\"],\" Le service de rampe d’accès est fourni par le fournisseur externe et, en le sélectionnant, vous acceptez les conditions du fournisseur. Votre accès au service peut dépendre de l’opérationnalité du fournisseur externe.\"],\"jfl9OP\":\"Migré\",\"jmXdoY\":\"En E-Mode, certains actifs ne sont pas empruntables. Quittez le E-mode pour accéder à tous les actifs\",\"jpctdh\":\"Vue\",\"jqzUyM\":\"Non disponible\",\"k/sb6z\":\"Choisir la langue\",\"k3wP3f\":\"<0>Attention: Les changements de paramètres via la gouvernance peuvent modifier le facteur de santé de votre compte et le risque de liquidation. Suivez le <1>forum de gouvernance d’Aave pour les mises à jour.\",\"kACpF3\":[\"Réclamer \",[\"0\"]],\"kH6wUX\":\"Impact sur les prix\",\"kIC28N\":\"Available to claim\",\"kIpSye\":[[\"numSelected\"],\"/\",[\"numAvailable\"],\" Actifs sélectionnés\"],\"kN1Yg5\":\"Pour rembourser au nom d'un utilisateur, un montant explicite à rembourser est nécessaire\",\"kRTD40\":[\"Montant de remboursement à atteindre \",[\"0\"],\"% d’utilisation\"],\"kjN9tT\":\"Le plafond d'approvisionnement est dépassé\",\"knxE+G\":\". JSON (en anglais seulement)\",\"ks2LWT\":\"Le plafond de la dette n'est pas nul\",\"kwwn6i\":\"Les utilisateurs qui misent des AAVE dans le module de sécurité (c’est-à-dire les détenteurs de stkAAVE) bénéficient d’une réduction sur le taux d’intérêt d’emprunt de HO. La réduction s’applique à 100 GHO pour chaque 1 stkAAVE détenu. Utilisez le calculateur ci-dessous pour voir le taux d’emprunt GHO avec le rabais appliqué.\",\"kz3wtK\":\"and about SPK program\",\"kzZyM4\":\"DAI balance will be converted via DSR contracts and then supplied as sDAI. Switching incurs no additional costs and no slippage.\",\"lNVG7i\":\"Sélectionner une ressource\",\"lU2d1/\":[\"L’actif ne peut pas être migré en raison d’une liquidité insuffisante ou d’une limitation du plafond d’emprunt \",[\"marketName\"],\" v3 marché.\"],\"lVhKKI\":\"A voté YAE\",\"lWLqxB\":\"Nous n’avons trouvé aucune transaction liée à votre recherche. Réessayez avec un autre nom de ressource ou réinitialisez les filtres.\",\"lYGfRP\":\"Anglais\",\"lfEjIE\":\"En savoir plus dans notre <0>guide FAQ\",\"lt6bpt\":\"Garantie à rembourser\",\"m/IEhi\":\"Émission totale par jour\",\"m7r7Hh\":\"Sélection d’actifs d’emprunt\",\"mDDK4p\":\"Balancer Pool\",\"mIM0qu\":\"Montant prévu à rembourser\",\"mUAFd6\":\"Variante 2\",\"masO5Z\":\"E-Mode increases your LTV for a selected category of assets. <0>Learn more\",\"mdNjKU\":[\"Votre \",[\"name\"],\" Le portefeuille est vide. Acheter ou transférer des actifs ou utiliser <0>\",[\"0\"],\" pour transférer votre \",[\"network\"],\" actif.\"],\"muiOng\":[\"Acheter \",[\"cryptoSymbol\"],\" avec Fiat\"],\"mvCXBY\":\"Mise en jeu AAVE\",\"mwdzil\":\"D'accord, fermer\",\"mzI/c+\":\"Télécharger\",\"mzdIia\":\"L'actif ne peut pas être utilisé comme collatéral.\",\"n+SX4g\":\"Développeurs\",\"n8Psk4\":\"Nous n’avons pas pu détecter de portefeuille. Connectez un portefeuille pour staker et consulter votre solde.\",\"nJIhzm\":\"Fournir apy\",\"nJgsQu\":\"Avec un pouvoir de vote de <0/>\",\"nLC6tu\":\"Français\",\"nN2T8p\":\"During the cooldown period, you will not earn any merit rewards. However, rewards earned up to this point will remain unaffected.\",\"nNHV0z\":\"La migration simultanée de plusieurs garanties et d’actifs empruntés peut s’avérer coûteuse et peut échouer dans certaines situations. <0>Par conséquent, il n’est pas recommandé de migrer des positions avec plus de 5 actifs (déposés + empruntés) en même temps.\",\"nNbnzu\":\"Proposition\",\"nOy4ob\":\"Nous vous suggérons de revenir au tableau de bord.\",\"nPGNMh\":\"Peut être exécuté\",\"nUK1ou\":[\"Assets with zero LTV (\",[\"0\"],\") must be withdrawn or disabled as collateral to perform this action\"],\"nakd8r\":\"Les détenteurs de stkAAVE bénéficient d’une réduction sur le taux d’emprunt GHO\",\"nh2EJK\":[\"Veuillez passer à \",[\"networkName\"],\".\"],\"njBeMm\":\"Les deux\",\"noN5Xf\":\"We couldn’t detect a wallet. Connect a wallet to view your staking positions and rewards.\",\"ntkAoE\":\"Remise appliquée pour <0/> le staking d’AAVE\",\"ntyFSE\":[[\"h\"],\"h\"],\"nwtY4N\":\"Quelque chose s’est mal passé\",\"nxyWvj\":\"Le retrait de ce montant réduira votre facteur santé et augmentera le risque de liquidation.\",\"o17QVP\":\"Votre facteur de santé et votre prêt à la valeur déterminent l'assurance de votre collatéral. Pour éviter les liquidations, vous pouvez fournir plus de garanties ou rembourser les positions d'emprunt.\",\"o1xc2V\":\"L'approvisionnement en aTokens n'est pas nul\",\"o4tCu3\":\"Emprunter de l’APY\",\"o5ooMr\":\"Dette\",\"o7J4JM\":\"Filtrer\",\"oHFrpj\":\"Temps de recharge pour déstaker\",\"oJ5ZiG\":\"L'utilisateur n'a pas de dette à taux variable impayée sur cette réserve\",\"oRBGin\":\"Veuillez connecter votre portefeuille pour pouvoir échanger vos jetons.\",\"oUwXhx\":\"Ressources de test\",\"oWklJD\":\"Le taux d'intérêt stable <0>restera le même pendant toute la durée de votre prêt. Recommandé pour les périodes de prêt à long terme et pour les utilisateurs qui préfèrent la prévisibilité.\",\"odnIK3\":\"Time remaining until the 48 hour withdraw period starts.\",\"oiK5nY\":\"The current incentives period, decided on by the Aave community, has ended. Governance is in the process on renewing, check for updates. <0>Learn more.\",\"olREoo\":\"All borrow positions outside of this category must be closed to enable this category.\",\"om/XHs\":\"Disponible au dépôt\",\"ov0+mq\":\"Eligible for the ZKSync Ignite program.\",\"ovT1pF\":[\"Per the community, the \",[\"market\"],\" has been frozen.\"],\"ow3fug\":\"Rien n’a été trouvé\",\"owSsI3\":\"Signatures prêtes\",\"p+R52m\":\"Accéder à Balancer Pool\",\"p2A+s1\":[\"La période de recharge est de \",[\"0\"],\". Après \",[\"1\"],\" de temps de recharge, vous entrerez dans la fenêtre de désengagement de \",[\"2\"],\". Vous continuerez à recevoir des récompenses pendant le temps de recharge et la fenêtre de retrait.\"],\"p2S64u\":\"Le ratio prêt/valeur des positions migrées entraînerait la liquidation. Augmenter les garanties migrées ou réduire les emprunts migrés pour continuer.\",\"p2Z2Qi\":\"Cet actif a atteint son plafond d'emprunt. Rien n'est disponible pour être emprunté à ce marché.\",\"p3j+mb\":\"Votre solde de récompenses est de 0\",\"p45alK\":\"Configurer la délégation\",\"p6u2s1\":\"Minimum amount of debt to be repaid\",\"pDgeaz\":[[\"title\"]],\"pdZqBk\":\"Le solde sous-jacent doit être supérieur à 0\",\"pgWG9H\":\"Pas assez de solde staké\",\"piPrJ7\":\"veuillez vérifier que le montant que vous souhaitez fournir n'est pas actuellement utilisé pour le staking. S'il est utilisé pour le staking, votre transaction peut échouer.\",\"pjO/iH\":\"Minimum amount received\",\"pooutM\":\"Voting is on\",\"pqaM5s\":\"Confirming transaction\",\"ptaxX3\":[\"Je comprends comment fonctionnent le temps de recharge (\",[\"0\"],\") et le retrait (\",[\"1\"],\")\"],\"py2iiY\":\"L'appelant de cette fonction doit être un pool\",\"q/51mF\":\"Migrer vers la V3\",\"q3df11\":\"Stratégie de taux d’intérêt\",\"q6lAbz\":\"Staké\",\"qB4kPi\":\"Fournir APY\",\"qENI8q\":\"Paramètres globaux\",\"qGz5zl\":\"Solde de garantie après remboursement\",\"qIW9ZH\":\"Amount staked\",\"qOqbD6\":\"copier l'erreur\",\"qXCkEM\":\"Veuillez connecter votre portefeuille pour voir vos fournitures, vos emprunts et vos positions ouvertes.\",\"qY2jnw\":\"Expiration invalide\",\"qf/fr+\":\"Intérêts courus\",\"quYPUU\":\"Variable interest rate will <0>fluctuate based on the market conditions.\",\"quzIeW\":\"User is in isolation mode or LTV is zero\",\"qvnz3q\":\"Montant non valide à brûler\",\"rHgdb0\":\"Migrate to Aave V3\",\"rOrHHe\":\"Le montant doit être supérieur à 0\",\"rQ+R+0\":\"Sélection d’actifs d’approvisionnement\",\"rSayea\":\"APY\",\"rTBDeu\":[\"L’actif ne peut pas être migré car vous disposez d’une garantie isolée dans \",[\"marketName\"],\" v3 Marché qui limite les actifs empruntables. Vous pouvez gérer vos garanties dans <0>\",[\"marketName\"],\" Tableau de bord V3\"],\"rcT+yy\":\"Afficher les actifs avec 0 solde\",\"rf8POi\":\"Montant de l’actif emprunté\",\"riNWOA\":\"E-Mode\",\"rjGI/Q\":\"Vie privée\",\"rnKPW1\":\"Watch a wallet balance in read-only mode\",\"ruc7X+\":\"Ajoutez stkAAVE pour voir l’APY d’emprunt avec la remise\",\"rvbaFU\":[\"Bridging \",[\"symbol\"]],\"rwVVB7\":\"Réclamez toutes les récompenses\",\"rwyUva\":\"Ces actifs sont temporairement gelés ou suspendus par des décisions de la communauté Aave, ce qui signifie qu’il n’est pas possible d’obtenir / emprunter ou d’échanger des taux de ces actifs. Les retraits et les remboursements de dettes sont autorisés. Suivez le <0>forum de gouvernance d’Aave pour d’autres mises à jour.\",\"rxJW5W\":\"Votre pouvoir de proposition est basé sur votre solde AAVE/stkAAVE et les délégations reçues.\",\"s2jJnW\":\"You don't have any bridge transactions\",\"s5wBAq\":[\"Unstake \",[\"symbol\"]],\"sJbIdI\":\"Enter ETH address or ENS\",\"sK+Nag\":\"Réviser tx\",\"sP2+gB\":\"NON\",\"sQv06Y\":\"pour\",\"sTtO6J\":\"Confirm transaction\",\"sXKb3l\":\"Exchange rate\",\"sb0q4+\":\"Vous unstaké ici\",\"smJNwH\":\"Disponible à emprunter\",\"solypO\":\"Le facteur de santé n'est pas inférieur au seuil\",\"sr0UJD\":\"Retourner\",\"ss5GCK\":\"L'adresse du fournisseur d'adresses du pool n'est pas valide\",\"swEgK4\":\"Vos informations de vote\",\"t+wtgf\":\"Aucun emprunt pour l'instant\",\"t/YqKh\":\"Remove\",\"t81DpC\":[\"Approuver \",[\"symbol\"],\" pour continuer\"],\"tCnbEs\":\"Prix Oracle\",\"tFZLf8\":\"Ce calcul de gaz n'est qu'une estimation. Votre portefeuille fixera le prix de la transaction. Vous pouvez modifier les paramètres de gaz directement depuis votre fournisseur de portefeuille.\",\"tHuvQI\":\"Accéder au tableau de bord V3\",\"tKv7cI\":\"Changer de position d’emprunt\",\"tOcg3N\":\"Étant donné que cet actif est gelé, les seules actions disponibles sont le retrait et le remboursement, accessibles depuis le <0>tableau de bord\",\"tOuXfv\":[\"Emprunter le montant à atteindre \",[\"0\"],\"% d’utilisation\"],\"te9Bfl\":\"S'il vous plaît, connectez votre portefeuille\",\"tt5yma\":\"Vos ressources\",\"ttoh5c\":\"Passer à\",\"u3ZeYl\":\"La transaction a échoué\",\"u706uF\":\"Prime flash non valide\",\"u8Gfu7\":[\"Aucun résultat de recherche\",[\"0\"]],\"uAQUqI\":\"Status\",\"uHMwk8\":\"Aucune ressource n’a été sélectionnée pour la migration.\",\"uJPHuY\":\"Migration\",\"uY8O30\":\"Pour continuer, vous devez autoriser les contrats intelligents Aave à déplacer vos fonds depuis votre portefeuille. En fonction de l’actif et du portefeuille que vous utilisez, cela se fait en signant le message d’autorisation (sans gaz) ou en soumettant une transaction d’approbation (nécessite du gaz). <0>Pour en savoir plus\",\"udFheE\":\"For repayment of a specific type of debt, the user needs to have debt that type\",\"ulNuNq\":\"Exporter des données vers\",\"ulup2p\":\"Acheter des crypto-monnaies avec des monnaies fiduciaires\",\"umICAY\":\"<0><1><2/>Ajoutez stkAAVE pour voir le taux d’emprunt avec escompte\",\"usB84Z\":\"Le montant maximum disponible pour emprunter est limité car le plafond d’emprunt du protocole est presque atteint.\",\"uwAUvj\":\"COPIER L’IMAGE\",\"v8x7Mg\":\"Garantie insuffisante pour couvrir une nouvelle position d’emprunt. Le portefeuille doit avoir une capacité d’emprunt restante pour effectuer le transfert de dette.\",\"vEqxH9\":\"Restauré\",\"vLyv1R\":\"Cacher\",\"vMba49\":\"L'emprunt n'est pas activé\",\"vMpNwt\":\"Approuvez avec\",\"vXIe7J\":\"Language\",\"vesuBJ\":\"Vous permet de décider si vous souhaitez utiliser un actif fourni en tant que collatéral. Un actif utilisé comme collatéral affectera votre pouvoir d'emprunt et votre Health Factor.\",\"w+V9Cx\":\"Stablecoin\",\"w/JtJ3\":\"L'offre de dette stable n'est pas nulle\",\"w4VBY+\":\"Récompenses APR\",\"w9dLMW\":[[\"label\"]],\"wAOL+X\":[\"Vous \",[\"action\"],\" <0/> \",[\"symbole\"]],\"wBIsjb\":\"Canal Discord\",\"wQZbc/\":\"L'appelant de la fonction n'est pas un AToken\",\"wRRqvW\":\"Vous n'avez pas de fournitures dans cette devise\",\"wZFvVU\":\"VOTER OUI\",\"wb/r1O\":[\"Faucet \",[\"0\"]],\"wdxz7K\":\"Source\",\"weH1nG\":\"Le protocole Aave est programmé pour toujours utiliser le prix de 1 GHO = 1 $. C’est différent de l’utilisation des prix du marché via des oracles pour d’autres actifs cryptographiques. Cela crée des opportunités d’arbitrage stabilisatrices lorsque le prix du GHO fluctue.\",\"wh7Ezv\":\"You have no AAVE/stkAAVE/aAave balance to delegate.\",\"wlsIx7\":\"Avec testnet Faucet, vous pouvez obtenir des ressources gratuites pour tester le protocole Aave. Assurez-vous de changer votre fournisseur de portefeuille pour le réseau de test approprié, sélectionnez l’actif souhaité et cliquez sur «\xA0Faucet\xA0» pour obtenir des jetons transférés vers votre portefeuille. Les actifs d’un réseau de test ne sont pas « réels », ce qui signifie qu’ils n’ont aucune valeur monétaire. <0>Pour en savoir plus\",\"wmE285\":\"Get ABP v2 Token\",\"wyRrcJ\":\"As a result of governance decisions, this ABPT staking pool is now deprecated. You have the flexibility to either migrate all of your tokens to v2 or unstake them without any cooldown period.\",\"x5KiLL\":\"Les ressources sélectionnées ont été migrées avec succès. Rendez-vous sur le tableau de bord du marché pour les voir.\",\"x7F2p6\":\"Différentiel de courant\",\"x7K5ib\":[\"Votre \",[\"networkName\"],\" Le portefeuille est vide. Obtenir un test gratuit \",[\"0\"],\" à\"],\"x9iLRD\":\"tokens, veuillez vous rendre sur\",\"xNy/UG\":\"Rembourser avec\",\"xPm8wv\":\"En savoir plus sur les risques encourus\",\"xXYpZl\":[[\"0\"],\" Faucet\"],\"xaVBSS\":\"Vos informations\",\"xaWZ6f\":\"Changement de type APY\",\"xh6k71\":\"L’utilisation des garanties est limitée en raison du mode d’isolation.\",\"xvIklc\":\"Flashloan est désactivé pour cet actif, cette position ne peut donc pas être migrée.\",\"y5rS9U\":\"Émigrer\",\"y66tBm\":[\"Activer \",[\"symbol\"],\" comme collatéral\"],\"yB1YpA\":\"Mode Sombre\",\"yCrG6m\":\"Taille totale du marché\",\"yJUUbn\":\"Aperçu des transactions\",\"yLGmLX\":[\"Remise en jeu \",[\"symbol\"]],\"yW1oWB\":\"APY type\",\"yYHqJe\":\"Pas une adresse valide\",\"yZwLw6\":\"Suivre le portefeuille\",\"yh2sjd\":[\"Impact sur les prix \",[\"0\"],\"%\"],\"yhvj6d\":\"Vous ne pouvez pas changer d'utilisation en tant que mode de garantie pour cette devise, car cela entraînera un appel de garantie\",\"ylmtBZ\":\"The app is running in fork mode.\",\"ymNY32\":[\"Il n'y a pas assez de fonds dans la \",[\"0\"],\" réserve pour emprunter\"],\"yz7wBu\":\"Fermer\",\"z4uGQg\":\"Le plafond de la dette est dépassé\",\"z5UQOM\":\"La garantie choisie ne peut être liquidée\",\"z5Y+p6\":[\"Fournir \",[\"symbole\"]],\"zCjNKs\":\"L'action ne peut pas être effectuée car la réserve est gelée\",\"zRHytX\":\"Plafond de la dette isolée\",\"zTOjMP\":\"La limite d’approvisionnement du protocole est de 100 % pour cet actif. D’autres approvisionnements ne sont pas disponibles.\",\"zVdRUG\":\"Submission did not work, please try again later or contact wecare@avara.xyz\",\"zevmS2\":\"<0><1><2/>Ajoutez <3/> stkAAVE pour emprunter à <4/> (remise maximale)\",\"zgtIDV\":\"Dette restante\",\"zmTPiV\":\"Bilan d'approvisionnement\",\"zpPbZl\":\"Paramètres du risque de liquidation\",\"zucql+\":\"Menu\",\"zwWKhA\":\"Apprendre encore plus\",\"zy9fXn\":[\"L’actif est gelé \",[\"marketName\"],\" v3, donc cette position ne peut pas être migrée.\"],\"zys+R6\":\"Faites attention à la congestion du réseau et aux prix de l’essence.\",\"zzzTXS\":\"Merit Program rewards are claimed through the\"}")}; \ No newline at end of file +/*eslint-disable*/module.exports={messages:JSON.parse("{\"+0xecS\":[\"Si vous NE vous désengagez PAS dans les \",[\"0\"],\" de la fenêtre de désengagement, vous devrez réactiver le processus de refroidissement.\"],\"+EGVI0\":\"Recevoir (est.)\",\"+VR63W\":[\"Participer à cette réserve \",[\"symbol\"],\" donne des récompenses annualisées.\"],\"+bmKdK\":\"Use your AAVE, stkAAVE, or aAave balance to delegate your voting and proposition powers. You will not be sending any tokens, only the rights to vote and propose changes to the protocol. You can re-delegate or revoke power to self at any time.\",\"+eOPG+\":\"On dirait que nous ne pouvons pas changer de réseau automatiquement. Veuillez vérifier si vous pouvez le changer depuis le portefeuille.\",\"+i3Pd2\":\"Limite d'emprunt\",\"+kLZGu\":\"Montant de l’actif fourni\",\"+nuEh/\":\"Estimated time\",\"+xMFF8\":\"Remind me\",\"/57U31\":\"Amount to migrate\",\"/7ykiW\":\"Emprunter ce montant réduira votre facteur santé et augmentera le risque de liquidation.\",\"/YA5pU\":\"E-Mode increases your LTV for a selected category of assets, meaning that when E-mode is enabled, you will have higher borrowing power over assets of the same E-mode category which are defined by Aave Governance. You can enter E-Mode from your <0>Dashboard. To learn more about E-Mode and applied restrictionn, see the <1>help guide or the <2>Aave V3 Technical Paper.\",\"/izjs/\":\"Montant minimum d’Aave mis en jeu\",\"/jQctM\":\"To\",\"/lDBHm\":\"FAQ\",\"/yNlZf\":\"L'emprunt stable n'est pas activé\",\"/yQcJM\":\"Valeur totale\",\"00AB2i\":\"L'utilisateur n'a pas emprunté la devise spécifiée\",\"00OflG\":\"Il n’y a pas assez de liquidités pour que l’actif cible puisse effectuer le changement. Essayez de réduire le montant.\",\"08/rZ9\":\"La période de recharge est le temps nécessaire avant de retirer vos jetons (20 jours). Vous ne pouvez retirer vos actifs du module de sécurité qu’après la période de recharge et pendant la période de désenjeu. <0>Pour en savoir plus\",\"0AmQcW\":\"Changement de taux\",\"0BF3yK\":\"Désolé, nous n’avons pas trouvé la page que vous cherchiez.\",\"0TAbjq\":\"Recent Transactions\",\"0jhlyw\":\"Risque de liquidation\",\"0ojY+Y\":\"Solde actuel v2\",\"0thX3P\":\"Modification des garanties\",\"0wGCWc\":\"Il s'agit du montant total que vous pouvez emprunter. Vous pouvez emprunter en fonction de votre garantie et jusqu'à ce que le plafond d'emprunt soit atteint.\",\"1AsVfF\":\"À l’heure actuelle, les données sur les prix ne sont pas disponibles pour cette réserve dans le sous-graphe du protocole\",\"1LjK22\":\"Historique des transactions\",\"1Onqx8\":[\"Approuver \",[\"symbol\"],\"...\"],\"1Ue8sX\":\"Veuillez connecter un portefeuille pour afficher vos informations personnelles ici.\",\"1bpx9A\":\"...\",\"1kWUB+\":\"Seuil de liquidation <0/>\",\"1m9Qqc\":\"Retrait et changement\",\"1oyh4g\":\"Borrow rate\",\"1t7rez\":\"L’offre d’actifs est limitée à un certain montant afin de réduire l’exposition du protocole à l’actif et d’aider à gérer les risques encourus.\",\"2CAPu2\":\"Vous avez retiré et échangé des jetons avec succès.\",\"2Eoi/a\":\"Voir détails\",\"2FYpfJ\":\"Plus\",\"2O3qp5\":\"Liquidités disponibles\",\"2OM8/D\":[\"L’actif ne peut pas être migré en raison d’une restriction de plafond d’approvisionnement dans \",[\"marketName\"],\" v3 marché.\"],\"2Q4GU4\":\"Adresse bloquée\",\"2ZGocC\":\"Aave est un protocole entièrement décentralisé et régi par la communauté par les détenteurs de jetons AAVE. Les détenteurs de jetons AAVE discutent, proposent et votent collectivement sur les mises à niveau du protocole. Les détenteurs de jetons AAVE (réseau Ethereum uniquement) peuvent soit voter eux-mêmes sur de nouvelles propositions, soit choisir l’adresse de leur choix. Pour en savoir plus, consultez la page Gouvernance\",\"2a6G7d\":\"Veuillez saisir une adresse de portefeuille valide.\",\"2bAhR7\":\"Rencontrez GHO\",\"2eBWE6\":\"Je reconnais les risques encourus.\",\"2o/xRt\":\"Plafond d'approvisionnement sur la réserve cible atteint. Essayez de réduire le montant.\",\"2uJToh\":[[\"0\"],[\"name\"]],\"2x58bP\":\"L'emprunt stable est activé\",\"34Qfwy\":\"Le plafond d'emprunt est dépassé\",\"39eQRj\":[\"Emprunter \",[\"symbole\"]],\"3BL1xB\":\"Total fourni\",\"3BnIWi\":\"Commuté\",\"3K0oMo\":\"Offre restante\",\"3MoZhl\":\"Il n'y a pas assez de collatéral pour couvrir un nouvel emprunt\",\"3Np5O8\":[\"Fournir \",[\"symbole\"]],\"3O8YTV\":\"Total des intérêts courus\",\"3mXg0z\":\"Max LTV\",\"3q3mFy\":\"Rembourser\",\"3qsjtp\":\"La moyenne pondérée de l'APY pour tous les actifs fournis, y compris les incitations.\",\"3rL+os\":\"Vous ne pouvez retirer vos actifs du module de sécurité qu'après la fin de la période de refroidissement et que la fenêtre de retrait est active.\",\"42UgDM\":[\"Migrer vers \",[\"0\"],\" Marché v3\"],\"49UFQA\":\"Résultats du vote\",\"4DMZUI\":\"Afficher les transactions\",\"4HtGBb\":\"MAX\",\"4Y5H+g\":\"Petits caractères\",\"4YYh4d\":\"Maximum available to borrow\",\"4iPAI3\":\"Montant minimum d’emprunt GHO\",\"4lDFps\":\"Signez pour continuer\",\"4wyw8H\":\"Transactions\",\"5JSSxX\":[\"Votre \",[\"networkName\"],\" Le portefeuille est vide. Obtenez des ressources de test gratuites à l’adresse suivante :\"],\"5K7kGO\":\"documentation\",\"5NOSGa\":\"Le plafond de la dette limite le montant que les utilisateurs du protocole peuvent emprunter sur cet actif. Le plafond de la dette est spécifique aux actifs isolés et est indiqué en USD.\",\"5Ncc6j\":[\"Cet actif a presque atteint son plafond d'offre. Il ne peut y avoir que \",[\"messageValue\"],\" fourni à ce marché.\"],\"5cZ/KX\":\"L'offre de dette variable n'est pas nulle\",\"5che++\":\"Pour demander l'accès à ce marché autorisé, veuillez consulter\xA0: <0>Nom du fournisseur d'accès\",\"5ctNdV\":[\"Minimum \",[\"0\"],\" reçu\"],\"5hDe9v\":\"Allocation action requise\",\"5rsnKT\":\"Récompenses disponibles\",\"5yC5m5\":\"Voir tous les votes\",\"6/dCYd\":\"Aperçu\",\"60crCe\":\"Toutes les transactions\",\"62Xcjh\":\"Collatérale\",\"65A04M\":\"Espagnol\",\"6G8s+q\":\"Signature\",\"6Jrv+z\":[\"Rembourser \",[\"symbole\"]],\"6NGLTR\":\"Montant actualisable\",\"6Xr0UU\":\"Refroidissement...\",\"6bxci/\":\"Pouvoir de vote\",\"6f8S68\":\"Marchés\",\"6g1gi0\":\"Les propositions\",\"6gvoHP\":\"Copier le message d’erreur\",\"6h3Q5G\":\"Remboursé\",\"6lFSyT\":\"Available to Stake\",\"6s8L6f\":\"Changer de réseau\",\"6yAAbq\":\"APY, borrow rate\",\"70wH1Q\":\"APR\",\"72c5Qo\":\"Total\",\"73Auuq\":\"Les paramètres de remise sont décidés par la communauté Aave et peuvent être modifiés au fil du temps. Consultez la section Gouvernance pour les mises à jour et votez pour participer. <0>Pour en savoir plus\",\"75qcAQ\":[[\"stepName\"]],\"7ITr5L\":\"Facteur de santé\",\"7T/o5R\":\"Atteint\",\"7YlcXu\":\"Fork mode is ON\",\"7Z76Iw\":\"L’emprunt n’est pas disponible car vous utilisez le mode Isolation. Pour gérer le mode d’isolation, rendez-vous sur votre <0>tableau de bord.\",\"7aKlMS\":\"Partager sur Lens\",\"7bdUsR\":\"Redeem as aToken\",\"7er5fP\":\"Réclamer tout\",\"7hb2+s\":\"Time remaining until the withdraw period ends.\",\"7l88b8\":\"Les données n’ont pas pu être récupérées, veuillez recharger le graphique.\",\"7p5kLi\":\"Tableau de bord\",\"7sofdl\":\"Retrait et échange\",\"8+6BI0\":\"Soyez prudent - Vous êtes très proche de la liquidation. Envisagez de déposer plus de collatéral ou de rembourser certaines de vos positions empruntées\",\"87pUEW\":[\"Votre \",[\"name\"],\" Le portefeuille est vide. Acheter ou transférer des actifs.\"],\"8F1i42\":\"Page introuvable\",\"8G8M0u\":\"Chargement des données...\",\"8Iu1QS\":\"Retiré\",\"8JL93T\":\"Toutes les propositions\",\"8Q51DU\":\"Ajouter au portefeuille\",\"8X/oyn\":\"Montant invalide à frapper\",\"8Z5FPv\":\"Déconnecter le portefeuille\",\"8Zz7s5\":\"actifs\",\"8aLW8H\":\"Solde à révoquer\",\"8bOT3H\":\"Taux d'utilisation\",\"8sLe4/\":\"Voir le contrat\",\"8t/M0y\":\"Please connect your wallet to be able to bridge your tokens.\",\"8vETh9\":\"Montrer\",\"94OHPx\":\"Vous entrez en mode Isolation\",\"9CDK3/\":[\"L'emprunt n'est actuellement pas disponible pour \",[\"0\"],\".\"],\"9GIj3z\":\"Taille de réserve\",\"9Knqb4\":\"Solde de mise en jeu\",\"9OBKm7\":\"Quorum\",\"9QHoGr\":\"Votes actuels\",\"9Rw96f\":[\"Cet actif a presque atteint son plafond d'emprunt. Il n'y a que \",[\"messageValue\"],\" disponible pour être emprunté sur ce marché.\"],\"9Xj/qR\":[\"Certaines ressources migrées ne seront pas utilisées comme garantie en raison de l’activation du mode d’isolement dans \",[\"marketName\"],\" Marché V3. Visite <0>\",[\"marketName\"],\" Tableau de bord V3 pour gérer le mode d’isolation.\"],\"9c6vDV\":\"Cet actif a atteint son plafond d'offre. Rien n'est disponible pour être fourni à partir de ce marché.\",\"9kTWHA\":\"L’AMI a été suspendu en raison d’une décision de la communauté. L’offre, les emprunts et les remboursements sont impactés. <0>Plus d’informations\",\"9lXchd\":\"Jeton sous-jacent\",\"9rWaKF\":\"Bridged Via CCIP\",\"9xSooW\":\"Comme il s'agit d'un réseau de test, vous pouvez obtenir n'importe lequel des actifs si vous avez ETH dans votre portefeuille\",\"A/lwoe\":\"Choisissez l’un des services de rampe d’accès\",\"A6dCI6\":[\"Le montant maximal disponible pour emprunter est de <0/> \",[\"0\"],\" (<1/>).\"],\"AReoaV\":\"Vos emprunts\",\"ARu1L4\":\"Remboursé\",\"AV7cGz\":\"Examiner les détails de la taxe d'approbation\",\"AZOjB8\":\"Récupération de données...\",\"Ai0jas\":\"Rejoignez la discussion de la communauté\",\"Ajl2rq\":\"Le pouvoir d'emprunt et les actifs sont limités en raison du mode d'isolement.\",\"AqgYNC\":\"Plafond d’emprunt du protocole à 100% pour cet actif. Il n’est pas possible d’emprunter davantage.\",\"B3EcQR\":\"Merci d’avoir voté\xA0!!\",\"B6aXGH\":\"Stable\",\"B9Gqbz\":\"Taux variable\",\"BDFEd+\":\"Les stETH fournis en garantie continueront d’accumuler des récompenses de staking fournies par les rebasages quotidiens.\",\"BE2mP0\":\"Borrowed assets\",\"BJyN77\":\"Due to health factor impact, a flashloan is required to perform this transaction, but Aave Governance has disabled flashloan availability for this asset. Try lowering the amount or supplying additional collateral.\",\"BNL4Ep\":\"L'utilisation de la garantie est limitée en raison du mode d'isolement. <0>En savoir plus\",\"BQ/wCO\":\"Migrate your assets\",\"BjLdl1\":\"À prix réduit\",\"BnhYo8\":\"Catégorie d'actifs\",\"Bq9Y7e\":\"Cet actif est gelé en raison d’une décision de la communauté Aave. <0>Plus d’informations\",\"BqWMDJ\":\"Faucet\",\"BqynZO\":\"Optimized for efficiency and risk by supporting blue-chip collateral assets\",\"Bsu7zX\":\"The fee includes the gas cost to complete the transaction on the destination chain and the fee paid to Chainlink CCIP service providers. You can chose to pay in the network token or GHO. <0>Learn more\",\"BwJKBw\":\"de\",\"CDrsH+\":\"Fiche technique\",\"CK1KXz\":\"Max\",\"CMHmbm\":\"Glissement\",\"CZXzs4\":\"Grec\",\"CcRNG6\":\"Transistor\",\"CkTRmy\":[\"Revendication \",[\"symbol\"]],\"CsqtLm\":\"Veuillez connecter votre portefeuille pour voir l’outil de migration.\",\"CtGlFb\":[[\"networkName\"],\" Robinet\"],\"Cxt2YY\":\"Watch wallet\",\"D33VQU\":\"Cette action réduira le facteur de santé de V3 en dessous du seuil de liquidation. Augmenter les garanties migrées ou réduire les emprunts migrés pour continuer.\",\"D8sc3k\":\"Stake balance\",\"D9BLRG\":\"This asset has been paused due to a community decision. Supply, withdraw, borrows and repays are impacted.\",\"DAma/S\":\"La garantie est (principalement) la même devise que celle qui est empruntée\",\"DCnFg0\":[\"Adresses (\",[\"0\"],\")\"],\"DG3Lv1\":\"Je comprends parfaitement les risques liés à la migration.\",\"DONJcV\":\"L'actif sous-jacent ne peut pas être sauvé\",\"DR+4uL\":\"Bilan de l’alimentation après le changement\",\"DWjrck\":[\"La ressource ne peut pas être migrée vers \",[\"marketName\"],\" V3 Market en raison des restrictions du mode E. Vous pouvez désactiver ou gérer les catégories du mode E dans votre <0>tableau de bord V3\"],\"Dj+3wB\":\"Aave par mois\",\"DptNvx\":\"Amount Staked\",\"DuEq2K\":\"Collatéralisation\",\"DxfsGs\":\"Vous pouvez signaler un incident sur notre <0>Discord ou<1>Github.\",\"Dzma+E\":\"Main Ethereum market with the largest selection of assets and yield options\",\"E/QGRL\":\"Désactivé\",\"EBL9Gz\":\"COPIÉ!\",\"ES8dkb\":\"Taux fixe\",\"EZd3Dk\":[\"Reprise \",[\"symbol\"]],\"Ebgc76\":[\"Retrait \",[\"symbole\"]],\"EdQY6l\":\"Aucun/Aucune\",\"EjvKQ+\":\"Valeur minimale en USD reçue\",\"Enslfm\":\"Destination\",\"EvE9nO\":[\"Réactiver la période de recharge pour annuler le pieu \",[\"0\"],\" \",[\"stakedToken\"]],\"EvECnL\":\"Migrer vers la v3\",\"EzMQbh\":\"The source chain time to finality is the main factor that determines the time to destination. <0>Learn more\",\"F40cwT\":\"Legacy Markets\",\"F6TdXL\":\"Pour en savoir plus.\",\"FDDPeZ\":\"Users can stake their assets in the protocol and earn incentives. In the case of a shortfall event, your stake can be slashed to cover the deficit, providing an additional layer of protection for the protocol.\",\"FHlMf/\":\"Solde actuel de la v2\",\"FHpxjF\":[\"Le facteur de réserve est un pourcentage de l’intérêt qui va à un \",[\"0\"],\" qui est contrôlé par la gouvernance Aave pour promouvoir la croissance de l’écosystème.\"],\"FOBZa6\":\"Puissance d'emprunt utilisée\",\"FPKEug\":\"Opération non prise en charge\",\"FbmMe7\":\"Linked addresses\",\"Fdp03t\":\"sur\",\"Fjw9N+\":\"Actifs à déposer\",\"FmN0fk\":\"Remise en jeu\",\"GDGLIs\":\"GHO est un actif numérique natif décentralisé et adossé à des garanties, indexé sur le dollar américain. Il est créé par les utilisateurs en empruntant contre plusieurs garanties. Lorsque l’utilisateur rembourse sa position d’emprunt de HO, le protocole brûle le GHO de cet utilisateur. Tous les paiements d’intérêts accumulés par les minters de GHO seraient directement transférés à la trésorerie d’AaveDAO.\",\"GQrBTq\":\"Changer de mode E\",\"GWswcZ\":\"Cet actif est gelé en raison d’une décision de gouvernance du protocole Aave. Le 20 décembre 2022, renFIL ne sera plus pris en charge et ne pourra plus être reconnecté à son réseau natif. Il est recommandé de retirer les positions d’offre et de rembourser les positions d’emprunt afin que renFIL puisse être relié à FIL avant la date limite. Après cette date, il ne sera plus possible de convertir renFIL en FIL. <0>Plus d’informations\",\"GX8GKD\":\"Actifs\",\"GgEj+0\":\"Mode lecture seule. Connectez-vous à un portefeuille pour effectuer des transactions.\",\"GjkIKV\":\"Prend fin\",\"GoK/QN\":\"Thank you for submitting feedback!\",\"GtP2hp\":[\"L'emprunt n'est pas disponible, car vous avez activé le mode d'efficacité (E-Mode) pour la catégorie \",[\"0\"],\". Pour gérer les catégories E-Mode, visitez votre <0>tableau de bord.\"],\"H6Ma8Z\":\"Rabais\",\"HB/wfS\":[[\"tooltipText\"]],\"HKDsQN\":\"Rewards can be claimed through\",\"Ha/U5f\":\"This is a program initiated and implemented by the decentralised ZKSync community. Aave Labs does not guarantee the program and accepts no liability.\",\"HciqKU\":\"This is a program initiated and implemented by the decentralised Aave community. Aave Labs does not guarantee the program and accepts no liability.\",\"Hi6Ttn\":\"Désolé, une erreur inattendue s’est produite. En attendant, vous pouvez essayer de recharger la page, ou revenir plus tard.\",\"HkEDbS\":[[\"d\"],\"d\"],\"HmkYqM\":\"Fenêtre d'arrêt de staking\",\"HpK/8d\":\"Recharger\",\"HrnC47\":\"Enregistrer et partager\",\"HuVZMK\":\"Days\",\"HvJKMU\":[\"La ressource ne peut pas être migrée vers \",[\"marketName\"],\" v3 Marché puisque l’actif collatéral activera le mode d’isolation.\"],\"Hvwnm9\":[\"La quantité maximale disponible pour l’approvisionnement est limitée parce que le plafond d’approvisionnement du protocole est à \",[\"0\"],\"%.\"],\"I8CX2c\":\"Le montant total de vos actifs libellés en USD qui peut être utilisé comme garantie pour emprunter des actifs.\",\"IAD2SB\":[\"Prétendant \",[\"symbol\"]],\"IG9X9/\":\"L’emprunt de cet actif est limité à un certain montant afin de minimiser l’insolvabilité du pool de liquidités.\",\"IOIx8L\":\"Il est prévu que cet actif soit désactivé en raison d’une décision de gouvernance du protocole Aave. <0>Plus d’informations\",\"IP+I/j\":\"Période de recharge\",\"IaA40H\":\"Liquidation à\",\"J/hVSQ\":[[\"0\"]],\"JCoxL6\":\"Gérer l’analytique\",\"JK9zf1\":[\"Intérêts composés estimés, y compris l’escompte pour le jalonnement \",[\"0\"],\"AAVE dans le module de sécurité.\"],\"JOqFba\":[\"Déjalonnement \",[\"symbol\"]],\"JPrLjO\":\"Vous ne pouvez pas utiliser cette devise comme garantie\",\"JU6q+W\":\"Récompense(s) à réclamer\",\"JYKRJS\":\"Stake\",\"JZMxX0\":\"Pas assez de solde sur votre portefeuille\",\"Jgflkm\":\"Get GHO\",\"JoMQnI\":\"Solde du portefeuille\",\"JtwD8u\":\"Emprunter le solde après le remboursement\",\"JumYTK\":\"Supplied assets\",\"K05qZY\":\"Retrait et échange\",\"KAz/NV\":\"Le plafond d’endettement du protocole est de 100% pour cet actif. Il n’est pas possible d’emprunter davantage sur cet actif.\",\"KLXVqE\":[\"Les tokens stETH seront migrés vers Wrapped stETH à l’aide du wrapper Lido Protocol, ce qui entraîne une modification de l’équilibre de l’offre après la migration : \",[\"0\"]],\"KLd6ky\":\"Use connected account\",\"KRpokz\":\"VOIR TX\",\"KSlpka\":\"Cela représente le seuil auquel une position d'emprunt sera considérée comme sous-garantie et sujette à liquidation pour chaque garantie. Par exemple, si une garantie a un seuil de liquidation de 80\xA0%, cela signifie que la position sera liquidée lorsque la valeur de la dette vaut 80 % de la valeur de la garantie.\",\"KYAjf3\":\"Isolé\",\"KZwRuD\":[[\"notifyText\"]],\"KkPgim\":\"Changement de mode E\",\"KnN1Tu\":\"Expire\",\"KoOBI2\":\"En raison de la mécanique interne de stETH requise pour le rebasage de la prise en charge, il n’est pas possible d’effectuer un changement de garantie où stETH est le jeton source.\",\"KojyJ4\":\"Mauvais réseau\",\"KsqhWn\":\"Staking\",\"KuBTQq\":\"Entrez l'adresse ETH\",\"KvG1xW\":\"Réclamer\",\"L+8Lzs\":\"LTV actuelle\",\"L+qiq+\":\"Marché\",\"LDzfVJ\":\"Send Feedback\",\"LIrMcF\":\"Pas de pouvoir de vote\",\"LL0zks\":\"Peut être collatéral\",\"LLdJWu\":\"AAVE Réclamable\",\"LSIpNK\":\"Emprunter et rembourser dans le même bloc n'est pas autorisé\",\"LVt3TI\":[\"<0>Tolérance de glissement <1>\",[\"selectedSlippage\"],\"% <2>\",[\"0\"],\"\"],\"LjafV8\":\"Maximum collateral amount to use\",\"LtpQew\":\"Let us know how we can make the app better for you. For user support related inquiries please reach out on\",\"LvVpD/\":\"Emode\",\"M2sknc\":\"Astuce : Essayez d’augmenter le glissement ou de réduire la quantité d’entrée\",\"M7wPsD\":\"Interrupteur\",\"MFu33y\":\"Staking 00\",\"MIy2RJ\":\"Maximum amount received\",\"MZ/nQf\":\"Adresse du destinataire\",\"Ma/MtY\":\"vue de staking\",\"McHlGl\":\"Changement d’APY\",\"MeCCA+\":\"APY, variable\",\"MghdTe\":\"Si le facteur de santé descend en dessous de 1, la liquidation de votre collatéral peut être déclenchée.\",\"Mm/DVQ\":\"Vous avez annulé la transaction.\",\"MnE2QX\":\"Emprunter des informations\",\"MrmQHg\":\"View Bridge Transactions\",\"MuDFEQ\":\"Valeur de retour invalide de la fonction flashloan executor\",\"N5kUMV\":\"L’actif ne peut être utilisé comme garantie qu’en mode isolé avec un pouvoir d’emprunt limité. Pour passer en mode d’isolation, désactivez toutes les autres garanties.\",\"N6Pxr9\":\"View all\",\"NF0e1Q\":\"En attente...\",\"NK9ikO\":\"Solde du portefeuille\",\"NMt2CB\":\"Montant réclamable\",\"NcFGxG\":\"Contrat de collectionneur\",\"NfpPeS\":\"Rien staké\",\"Nh9DAo\":[[\"m\"],\"m\"],\"O+sCUU\":\"Le plafond de mintage non soutenu est dépassé\",\"O+tyU+\":[\"Le montant maximal disponible pour emprunter sur cet actif est limité car le plafond de la dette est à \",[\"0\"],\"%.\"],\"O3oNi5\":\"Email\",\"OFjZGo\":\"Unstake\",\"OR8cYX\":\"Aperçu de la proposition\",\"OYuJ9K\":\"Le plafond d’endettement du protocole est de 100% pour cet actif. Il n’est pas possible d’emprunter sur cet actif.\",\"OfhWJH\":\"Réinitialisation\",\"Og2SKn\":\"handicapé\",\"On0aF2\":\"Site internet\",\"OsyKSt\":\"Retirer\",\"P1dURE\":\"Révoquer le pouvoir\",\"P2WCD/\":[\"L’actif sous-jacent n’existe pas dans \",[\"marketName\"],\" v3 Market, par conséquent, cette position ne peut pas être migrée.\"],\"P2sL6B\":\"Lorsqu'une liquidation survient, les liquidateurs remboursent jusqu'à 50 % de l'encours emprunté au nom de l'emprunteur. En contrepartie, ils peuvent acheter le collatéral à prix réduit et conserver la différence (pénalité de liquidation) en bonus.\",\"P6sRoL\":\"Mise en jeu ABPT\",\"P72/OW\":\"La moyenne pondérée de l'APY pour tous les actifs empruntés, y compris les incitatifs.\",\"P7e6Ug\":\"Veuillez connecter votre portefeuille pour consulter l’historique des transactions.\",\"PByO0X\":\"Votes\",\"PI+kVe\":\"Disable fork\",\"PJK9u/\":\"Emprunter apy\",\"PLUB/s\":\"Fee\",\"PP5ZA8\":[\"Participating in staking \",[\"symbol\"],\" gives annualized rewards. Your wallet balance is the sum of your aTokens and underlying assets. The breakdown to stake is below\"],\"PcBUgb\":\"Seuil de liquidation\",\"PjU6bu\":\"This asset is eligible for SPK incentive program. Aave Labs does not guarantee the program and accepts no liability.\",\"PpqD5g\":\"L'activation de cet actif comme garantie augmente votre pouvoir d'emprunt et votre facteur de santé. Cependant, il peut être liquidé si votre facteur de santé tombe en dessous de 1.\",\"PsOFSf\":\"Cette action réduira le facteur de santé V2 en dessous du seuil de liquidation. Conservez la garantie ou migrez la position d’emprunt pour continuer.\",\"Pu4bI/\":[[\"currentMethod\"]],\"Q0LzKi\":\"View TX\",\"Q4eNqa\":\"The Aave Balancer Pool Token (ABPT) is a liquidity pool token. You can receive ABPT by depositing a combination of AAVE + wstETH in the Balancer liquidity pool. You can then stake your BPT in the Safety Module to secure the protocol and earn Safety Incentives.\",\"QQYsQ7\":\"Withdrawing\",\"QWYCs/\":\"Stake GHO\",\"R+30X3\":\"Non atteint\",\"RCU5PY\":\"Age\",\"RIfckG\":[\"Désactiver \",[\"symbol\"],\" comme garantie\"],\"RMtxNk\":\"Différentiel\",\"RNK49r\":\"Signature non valide\",\"RS0o7b\":\"État\",\"RU+LqV\":\"Détails de la proposition\",\"RYTgZX\":\"lorem ipsum\",\"RbXH+k\":\"AAVE, GHO, and ABPT holders (Ethereum network only) can stake their assets in the Safety Module to add more security to the protocol and earn Safety Incentives. In the case of a shortfall event, your stake can be slashed to cover the deficit, providing an additional layer of protection for the protocol.\",\"RiSYV4\":\"L'actif n'est pas répertorié\",\"Rj01Fz\":\"Liens\",\"RmWFEe\":\"APR staké\",\"RoafuO\":\"Envoyer des commentaires\",\"RtBLm7\":\"Le facteur santé est inférieur au seuil de liquidation\",\"RxzN1M\":\"Activé\",\"SDav7h\":\"Fonds dans le Safety Module\",\"SENccp\":\"Si l’erreur persiste,<0/> vous pouvez la signaler à ce\",\"SIWumd\":\"Afficher les ressources gelées ou mises en pause\",\"SM58dD\":\"Quantité en temps de recharge\",\"SSMiac\":\"Impossible de charger les votants de proposition. Veuillez rafraîchir la page.\",\"SSQVIz\":\"Seuil de liquidation\",\"SUb8x0\":\"Total disponible\",\"SWIgh4\":\"Fees exceed wallet balance\",\"SY9hVo\":\"Le mode lecture seule permet de voir les positions d’adresses dans Aave, mais vous ne pourrez pas effectuer de transactions.\",\"SZRUQ4\":\"Glissement maximal\",\"Sa1UE/\":\"Le plafond d’emprunt du protocole est de 100 % pour cet actif. Il n’est pas possible d’emprunter davantage.\",\"Sk2zW9\":\"Désactiver le E-mode\",\"SxaD0o\":\"Le fournisseur d'adresses de pool n'est pas enregistré\",\"T/AIqG\":\"Limite d’approvisionnement du protocole à 100 % pour cet actif. D’autres approvisionnements ne sont pas disponibles.\",\"T0xCO9\":\"Can't validate the wallet address. Try again.\",\"T4OhVl\":\"GHO balance\",\"T6uYU2\":\"Emprunter\",\"TFxQlw\":\"Pénalité de liquidation\",\"TQ7WsV\":\"Available to stake\",\"TUI7iB\":\"L'actif ne peut être utilisé comme garantie qu'en mode isolé.\",\"TbjyhA\":\"Docs\",\"TduuS0\":\"L'utilisateur n'a pas de dette à taux stable impayée sur cette réserve\",\"TeCFg/\":\"Modification du taux d’emprunt\",\"Tg1JyO\":\"Bridge history\",\"TskbEN\":\"Les détenteurs de stkAAVE bénéficient d’une réduction sur le taux d’emprunt GHO\",\"TszKts\":\"Emprunter le solde après le changement\",\"TtZL6q\":\"Paramètres du modèle de remise\",\"TwJI9F\":\"Asset has been successfully sent to CCIP contract. You can check the status of the transactions below\",\"Tz0GSZ\":\"Activités bloquées\",\"U/eBjN\":\"Recharger la page\",\"U2r8nY\":\"Choose how much voting/proposition power to give to someone else by delegating some of your AAVE, stkAAVE or aAave balance. Your tokens will remain in your account, but your delegate will be able to vote or propose on your behalf. If your AAVE, stkAAVE or aAave balance changes, your delegate's voting/proposition power will be automatically adjusted.\",\"U8IubP\":\"L’application s’exécute en mode réseau de test. Découvrez comment cela fonctionne dans\",\"U9btTk\":\"L'actif n'est pas empruntable en mode d'isolement\",\"UAOZRe\":\"L’impact sur les prix est l’écart entre la valeur totale des tokens d’entrée échangés et les tokens de destination obtenus (en USD), qui résulte de la liquidité limitée de la paire de trading.\",\"UE3KJZ\":\"L’historique des transactions n’est actuellement pas disponible pour ce marché\",\"URmyfc\":\"Détails\",\"UTTKmT\":\"Temps de recharge de la mise activé\",\"UXeR72\":\"Ces fonds ont été empruntés et ne peuvent pas être retirés pour le moment.\",\"UYb8CM\":\"Learn more about the SPK rewards\",\"UbRrG0\":\"Le ratio LTV maximum représente le pouvoir d'emprunt maximum d'une garantie spécifique. Par exemple, si une garantie a un LTV de 75 %, l'utilisateur peut emprunter jusqu'à 0,75 ETH dans la devise principale pour chaque 1 ETH de garantie.\",\"UpndFj\":\"Aucune récompense à réclamer\",\"V0f2Xv\":\"Facteur de réserve\",\"V1HK43\":\"Risques liés à la migration\",\"VATFH9\":\"Dette couverte\",\"VHOVEJ\":\"Connecter le portefeuille\",\"VMfYUK\":\"Sécurité de votre garantie déposée contre les actifs empruntés et sa valeur sous-jacente.\",\"VOAZJh\":\"Total des emprunts\",\"ViKYxK\":\"YAE\",\"W1SSoD\":\"Examiner les détails de la transaction\",\"W5hVah\":\"Rien fourni pour le moment\",\"W5kTFy\":\"Vote\",\"W8ekPc\":\"Retour au tableau de bord\",\"WMPbRK\":\"Sans support\",\"WNGZwH\":\"E-Mode augmente votre LTV pour une catégorie d'actifs sélectionnée jusqu'à <0/>. <1>En savoir plus\",\"WPWG/y\":\"Statut et configuration de la réserve\",\"WZLQSU\":\"L'utilisateur ne peut pas retirer plus que le solde disponible\",\"WaZyaV\":\"<0>Ampleforth est un actif de rebasage. Consultez la <1>documentation pour en savoir plus.\",\"WfU+XN\":\"Étant donné que cette ressource est suspendue, aucune action ne peut être entreprise jusqu’à nouvel ordre\",\"Wjmqs2\":\"No results found. You can import a custom token with a contract address\",\"WkZ6C6\":\"Pour emprunter, vous devez fournir tout actif à utiliser comme garantie.\",\"WyMiQm\":\"Vous avez réussi à changer de jeton.\",\"X/ITG9\":\"Copier le texte d'erreur\",\"X3Pp6x\":\"Utilisé comme collatéral\",\"X4Zt7j\":\"L'action ne peut pas être effectuée car la réserve est mise en pause\",\"XBdKOj\":\"Representative smart contract wallet (ie. Safe) addresses on other chains.\",\"XZzneG\":\"Vous quitterez le mode d'isolement et d'autres jetons peuvent désormais être utilisés comme collatéral\",\"Xg5y9S\":\"Amount to Bridge\",\"Xn4hUi\":\"Veuillez toujours tenir compte de votre <0>facteur de santé (HF) lors de la migration partielle d’une position et que vos tarifs seront mis à jour vers les taux V3.\",\"Xy71ST\":\"Umbrella\",\"Y5kGkc\":\"VOTER NON\",\"YDIOks\":\"Activation du E-Mode\",\"YSodyW\":\"Cette action réduira votre facteur de santé. Veuillez garder à l’esprit le risque accru de liquidation des garanties.\",\"YXOWXM\":\"The total amount bridged minus CCIP fees. Paying in network token does not impact gho amount.\",\"YirHq7\":\"Feedback\",\"YogbCJ\":\"Le mode réseau de test est activé\",\"YrDxdO\":\"Si votre prêt à la valeur dépasse le seuil de liquidation, votre garantie fournie peut être liquidée.\",\"YyIM65\":\"Les conditions de rééquilibrage des taux d'intérêt n'ont pas été remplies\",\"YyydIq\":[\"Ajouter \",[\"0\"],\" à Wallet pour suivre votre solde.\"],\"ZBvhI+\":\"Gouvernance Aave\",\"ZIIRAd\":\"Raw-Ipfs\",\"ZRq4tX\":\"Mode efficacité (E-Mode)\",\"ZSqEW+\":\"Manage E-Mode\",\"ZUFYFE\":\"Désactiver le réseau de test\",\"Zbyywy\":\"Coupure maximale\",\"ZfUGFb\":\"Avant de déposer\",\"ZiXN+B\":\"Assets to stake\",\"ZlsSDH\":\"Valeur de liquidation\",\"ZrEc8j\":\"Nous n’avons trouvé aucun élément lié à votre recherche. Réessayez avec un autre nom, symbole ou adresse de ressource.\",\"ZsLF7e\":\"Activé\",\"a0YQoQ\":\"Enter a valid address\",\"a2fBZn\":\"Temps restant pour dépiquer\",\"a5RYZd\":\"La désactivation de cet actif en tant que garantie affecte votre pouvoir d'emprunt et votre facteur de santé.\",\"a7u1N9\":\"Prix\",\"a9D+6D\":\"Non jalonné\",\"aEtiwq\":\"Vote NAY\",\"aMmFE1\":\"Acheter des crypto-monnaies avec des monnaies fiduciaires\",\"aOKIms\":\"Les paramètres de tableau devraient être de même longueur ne sont pas\",\"aX31hk\":\"Votre solde est inférieur au montant sélectionné.\",\"adUsDd\":\"An error has occurred fetching the proposal.\",\"al6Pyz\":\"Dépasse la remise\",\"aoXTT7\":\"Prêt APY, variable\",\"aqX1Yp\":\"This asset is eligible for rewards through SuperFest. Aave Labs does not guarantee the program and accepts no liability.\",\"avgETN\":\"Eligible for the Merit program.\",\"b4NS3e\":\"Avertissement de période de refroidissement\",\"bNEQeI\":\"Cooldown\",\"bSruit\":\"ZKSync Ignite Program rewards are claimed through the\",\"bUUVED\":\"Actif\",\"bXQ/Og\":\"Partager sur Twitter\",\"bXr0ee\":\"Les actifs isolés ont un pouvoir d'emprunt limité et les autres actifs ne peuvent pas être utilisés comme garantie.\",\"bYmAV1\":\"Adresses\",\"bguKoJ\":\"Le montant demandé est supérieur au montant maximum du prêt en mode taux stable\",\"bwSQI0\":\"Fournir\",\"bxN6EM\":\"Impossible de désactiver le mode E\",\"bxmzSh\":\"Pas assez de collatéral pour rembourser ce montant de dette avec\",\"c91vuQ\":\"L'adresse n'est pas un contrat\",\"c97os2\":\"Aave aToken\",\"c9b44w\":\"Vous ne pouvez pas retirer ce montant car cela entraînera un appel de garantie\",\"cBc+4A\":\"Il s'agit du montant total que vous pouvez emprunter. Vous pouvez emprunter en fonction de votre garantie et jusqu'à ce que le plafond d'emprunt soit atteint.\",\"cIl5kp\":\"Votre pouvoir de vote est basé sur votre solde AAVE/stkAAVE et les délégations reçues.\",\"cLo09S\":\"Détails des risques\",\"cNT+ij\":\"L'emprunt n'est pas disponible car vous avez activé le mode Efficacité (E-Mode) et le mode Isolation. Pour gérer le mode E et le mode Isolation, rendez-vous sur votre <0>tableau de bord.\",\"cZOeBk\":\"Something went wrong fetching bridge message, please try again later.\",\"ceix5S\":\"Pour soumettre une proposition de modifications mineures du protocole, vous aurez besoin d’une puissance d’au moins 80,00 K. Si vous souhaitez modifier la base de code de base, vous aurez besoin d’une puissance de 320k. <0>Pour en savoir plus.\",\"ciSsYT\":\"Staking APY\",\"ciybUa\":\"Vote YAE\",\"ckf7gX\":[\"Remboursement \",[\"symbole\"]],\"cp1ZDP\":[\"Bridge \",[\"symbol\"]],\"cqnmnD\":\"Taux d’intérêt effectif\",\"cqwIvs\":\"Discussion de forum\",\"csDS2L\":\"Disponible\",\"cu7Stb\":\"Vous n'avez pas participé à cette proposition\",\"dE6BLF\":\"Gouvernance\",\"dEgA5A\":\"Annuler\",\"dIsyWh\":\"Échec de la validation LTV\",\"dMtLDE\":\"À\",\"dOB5nW\":[\"La quantité maximale disponible pour la fourniture est de <0/> \",[\"0\"],\" (<1/>).\"],\"dVfODp\":\"Vous n'avez pas assez de fonds dans votre portefeuille pour rembourser le montant total. Si vous continuez à rembourser avec votre montant actuel de fonds, vous aurez toujours une petite position d'emprunt dans votre tableau de bord.\",\"dXUQFX\":\"Actifs à emprunter\",\"dgr1aY\":\"L’emprunt est désactivé en raison d’une décision de la communauté Aave. <0>Plus d’informations\",\"djsg0o\":\"Usage de collatéral\",\"dpc0qG\":\"Variable\",\"drdV8R\":\"Liquidation\",\"dxW8cS\":\"Jeton de dette Aave\",\"e4V3oW\":\"Top 10 des adresses\",\"eD8WX/\":\"L'action nécessite une réserve active\",\"eJRJ04\":\"Montant à la mise en jeu\",\"eLh0cL\":\"Le slippage est la différence entre les montants cotés et reçus en raison de l’évolution des conditions du marché entre le moment où la transaction est soumise et sa vérification.\",\"ePK91l\":\"Edit\",\"eVpCmf\":\"Récompenses de staking\",\"eVqvtf\":\"Bridge GHO\",\"eYdurp\":\"Aucune transaction n’a encore été effectuée.\",\"ebLGGN\":\"Total emprunté\",\"ecqEvn\":\"Le solde de la garantie est de 0\",\"efdrrk\":\"Disponible sur\",\"enruNF\":\"Commence\",\"eqLYiD\":\"Arrêter de staker maintenant\",\"euScGB\":\"APY avec remise appliquée\",\"evw5ha\":\"Valeur nette\",\"ezcU16\":\"Obtenir le jeton ABP\",\"f3W0Ej\":[\"Vous êtes passé au tarif \",[\"0\"]],\"fH9i8k\":\"Vous avez réussi à changer de position d’emprunt.\",\"fHcELk\":\"APR Net\",\"fMJQZK\":\"Emprunté\",\"fZ5Vnu\":\"Reçu\",\"firl9Q\":\"Votre prêt actuel à la valeur en fonction de votre collatéral fournie.\",\"flRCF/\":\"Remise sur le staking\",\"fldjW9\":\"Prévisualiser tx et migrer\",\"fsBGk0\":\"Solde\",\"fu1Dbh\":[\"Retirer \",[\"symbole\"]],\"fwjWSI\":\"Fourni\",\"fwyTMb\":\"Migrate to stkABPT v2\",\"g0mals\":\"You can not disable E-Mode because that could cause liquidation. To exit E-Mode supply or repay borrowed positions.\",\"g2UNkE\":\"Alimenté par\",\"g8KGoA\":\"Foire aux questions\",\"g9zzqS\":\"A voté NAY\",\"gDd2gk\":\"about SuperFest.\",\"gFFh9h\":\"Tout est fait !\",\"gIMJlW\":\"Mode réseau test\",\"gOzPxe\":\"Cet actif est gelé en raison d’une décision de gouvernance du protocole Aave. <0>Plus d’informations\",\"gTHi2T\":\"L'utilisateur essaie d'emprunter plusieurs actifs, y compris un en silo\",\"gVW59Y\":\"Veuillez connecter votre portefeuille pour obtenir des ressources de réseau de test gratuites.\",\"gcFNxP\":\"Approuver Confirmé\",\"gncRUO\":\"Cette adresse est bloquée sur app.aave.com car elle est associée à un ou plusieurs\",\"goff7V\":\"Adresse zéro non-valide\",\"gp+f1B\":\"Variante 3\",\"gr8mYw\":\"Vous pouvez emprunter jusqu’à GHO à <0/> <1/> (rabais maximum)\",\"gvTM4B\":\"L'APY net est l'effet combiné de toutes les positions d'offre et d'emprunt sur la valeur nette, y compris les incitations. Il est possible d'avoir un APY net négatif si l'APY de la dette est supérieur à l'APY de l'offre.\",\"gzcch9\":\"Frais de protocole de pont invalide\",\"h33MxW\":\"Representing smart contract wallet (ie. Safe) addresses on other chains.\",\"h3ilK+\":\". .CSV\",\"hB23LY\":\"Activer le temps de recharge\",\"hIJzBh\":\"Available to Claim\",\"hIS4N0\":\"APY Net\",\"hRWvpI\":\"Revendiqué\",\"hdmy/o\":\"Le % de votre pouvoir d'emprunt total utilisé. Ceci est basé sur le montant de votre garantie fournie et le montant total que vous pouvez emprunter.\",\"hehnjM\":\"Montant\",\"hjDCQr\":\"Il y a eu une erreur. Veuillez essayer de modifier les paramètres ou <0><1>copier l'erreur\",\"hom7qf\":\"Réclamer\",\"hpHJ4I\":\"Garantie liquidée\",\"hpuVIp\":\"Users who stake AAVE in Safety Module (i.e. stkAAVE holders) receive a discount on GHO borrow interest rate.\",\"huQ6Tz\":[\"Emprunter \",[\"symbole\"]],\"hxi7vE\":\"Emprunter le solde\",\"i/fZ2Z\":\"Staked Balance\",\"i2JTiw\":\"Vous pouvez saisir un montant personnalisé dans le champ.\",\"iB5+/J\":\"À propos de GHO\",\"iChbOF\":\"Paramètres de prêt flash incohérents\",\"iEPVHF\":\"Pas assez de pouvoir de vote pour participer à cette proposition\",\"iEW87X\":\"Délégation de pouvoirs\",\"iEju36\":[\"Vous avez voté \",[\"0\"]],\"iFq2YN\":\"Borrowable\",\"iGxyIA\":\"Safety Module\",\"iMVZk9\":\"Sélectionner la tolérance de glissement\",\"iPMIoT\":\"Entrez un montant\",\"iSLIjg\":\"Connect\",\"iUo5rv\":\"tokens n'est pas la même chose que de les staker . Si vous souhaitez staker votre\",\"iZxa38\":\"Utilisez-le pour voter pour ou contre les propositions actives.\",\"if5PH+\":\"Informations sur le collectionneur\",\"igkfR1\":[\"En mode Isolation, vous ne pouvez pas fournir d’autres actifs en garantie. Un plafond d’endettement global limite le pouvoir d’emprunt de l’actif isolé. Pour quitter le mode d’isolement, désactivez \",[\"0\"],\" en garantie avant d’emprunter un autre actif. Pour en savoir plus, consultez notre <0>FAQ\"],\"il0sEG\":\"L'utilisation du collatéral est limitée en raison du mode d'isolation.\",\"j+K1Xj\":\"Amount After Fee\",\"jA2QeW\":\"Fournir votre\",\"jFi7dz\":\"Interest rate that is determined by Aave Governance. This rate may be changed over time depending on the need for the GHO supply to contract/expand. <0>Learn more\",\"jG3UJ7\":\"Désactiver le E-mode\",\"jKYzR1\":\"Activer le E-Mode\",\"jMam5g\":[[\"0\"],\" Balance\"],\"jSYv+Z\":\"Enabling E-Mode allows you to maximize your borrowing power, however, borrowing is restricted to assets within the selected category. <0>Learn more about how it works and the applied restrictions.\",\"jaKbwW\":[[\"s\"],\"s\"],\"jbFMap\":\"Temps de recharge restant\",\"jeMZNr\":[[\"0\"],\" Le service de rampe d’accès est fourni par le fournisseur externe et, en le sélectionnant, vous acceptez les conditions du fournisseur. Votre accès au service peut dépendre de l’opérationnalité du fournisseur externe.\"],\"jfl9OP\":\"Migré\",\"jmXdoY\":\"En E-Mode, certains actifs ne sont pas empruntables. Quittez le E-mode pour accéder à tous les actifs\",\"jpctdh\":\"Vue\",\"jqzUyM\":\"Non disponible\",\"k/sb6z\":\"Choisir la langue\",\"k3wP3f\":\"<0>Attention: Les changements de paramètres via la gouvernance peuvent modifier le facteur de santé de votre compte et le risque de liquidation. Suivez le <1>forum de gouvernance d’Aave pour les mises à jour.\",\"kACpF3\":[\"Réclamer \",[\"0\"]],\"kH6wUX\":\"Impact sur les prix\",\"kIC28N\":\"Available to claim\",\"kIpSye\":[[\"numSelected\"],\"/\",[\"numAvailable\"],\" Actifs sélectionnés\"],\"kN1Yg5\":\"Pour rembourser au nom d'un utilisateur, un montant explicite à rembourser est nécessaire\",\"kRTD40\":[\"Montant de remboursement à atteindre \",[\"0\"],\"% d’utilisation\"],\"kjN9tT\":\"Le plafond d'approvisionnement est dépassé\",\"knxE+G\":\". JSON (en anglais seulement)\",\"ks2LWT\":\"Le plafond de la dette n'est pas nul\",\"kwwn6i\":\"Les utilisateurs qui misent des AAVE dans le module de sécurité (c’est-à-dire les détenteurs de stkAAVE) bénéficient d’une réduction sur le taux d’intérêt d’emprunt de HO. La réduction s’applique à 100 GHO pour chaque 1 stkAAVE détenu. Utilisez le calculateur ci-dessous pour voir le taux d’emprunt GHO avec le rabais appliqué.\",\"kz3wtK\":\"and about SPK program\",\"kzZyM4\":\"DAI balance will be converted via DSR contracts and then supplied as sDAI. Switching incurs no additional costs and no slippage.\",\"lNVG7i\":\"Sélectionner une ressource\",\"lU2d1/\":[\"L’actif ne peut pas être migré en raison d’une liquidité insuffisante ou d’une limitation du plafond d’emprunt \",[\"marketName\"],\" v3 marché.\"],\"lVhKKI\":\"A voté YAE\",\"lWLqxB\":\"Nous n’avons trouvé aucune transaction liée à votre recherche. Réessayez avec un autre nom de ressource ou réinitialisez les filtres.\",\"lYGfRP\":\"Anglais\",\"lfEjIE\":\"En savoir plus dans notre <0>guide FAQ\",\"lt6bpt\":\"Garantie à rembourser\",\"m/IEhi\":\"Émission totale par jour\",\"m7r7Hh\":\"Sélection d’actifs d’emprunt\",\"mDDK4p\":\"Balancer Pool\",\"mIM0qu\":\"Montant prévu à rembourser\",\"mUAFd6\":\"Variante 2\",\"masO5Z\":\"E-Mode increases your LTV for a selected category of assets. <0>Learn more\",\"mdNjKU\":[\"Votre \",[\"name\"],\" Le portefeuille est vide. Acheter ou transférer des actifs ou utiliser <0>\",[\"0\"],\" pour transférer votre \",[\"network\"],\" actif.\"],\"muiOng\":[\"Acheter \",[\"cryptoSymbol\"],\" avec Fiat\"],\"mvCXBY\":\"Mise en jeu AAVE\",\"mwdzil\":\"D'accord, fermer\",\"mzI/c+\":\"Télécharger\",\"mzdIia\":\"L'actif ne peut pas être utilisé comme collatéral.\",\"n+SX4g\":\"Développeurs\",\"n8Psk4\":\"Nous n’avons pas pu détecter de portefeuille. Connectez un portefeuille pour staker et consulter votre solde.\",\"nJIhzm\":\"Fournir apy\",\"nJgsQu\":\"Avec un pouvoir de vote de <0/>\",\"nLC6tu\":\"Français\",\"nN2T8p\":\"During the cooldown period, you will not earn any merit rewards. However, rewards earned up to this point will remain unaffected.\",\"nNHV0z\":\"La migration simultanée de plusieurs garanties et d’actifs empruntés peut s’avérer coûteuse et peut échouer dans certaines situations. <0>Par conséquent, il n’est pas recommandé de migrer des positions avec plus de 5 actifs (déposés + empruntés) en même temps.\",\"nNbnzu\":\"Proposition\",\"nOy4ob\":\"Nous vous suggérons de revenir au tableau de bord.\",\"nPGNMh\":\"Peut être exécuté\",\"nUK1ou\":[\"Assets with zero LTV (\",[\"0\"],\") must be withdrawn or disabled as collateral to perform this action\"],\"nakd8r\":\"Les détenteurs de stkAAVE bénéficient d’une réduction sur le taux d’emprunt GHO\",\"nh2EJK\":[\"Veuillez passer à \",[\"networkName\"],\".\"],\"njBeMm\":\"Les deux\",\"noN5Xf\":\"We couldn’t detect a wallet. Connect a wallet to view your staking positions and rewards.\",\"ntkAoE\":\"Remise appliquée pour <0/> le staking d’AAVE\",\"ntyFSE\":[[\"h\"],\"h\"],\"nwtY4N\":\"Quelque chose s’est mal passé\",\"nxyWvj\":\"Le retrait de ce montant réduira votre facteur santé et augmentera le risque de liquidation.\",\"o17QVP\":\"Votre facteur de santé et votre prêt à la valeur déterminent l'assurance de votre collatéral. Pour éviter les liquidations, vous pouvez fournir plus de garanties ou rembourser les positions d'emprunt.\",\"o1xc2V\":\"L'approvisionnement en aTokens n'est pas nul\",\"o4tCu3\":\"Emprunter de l’APY\",\"o5ooMr\":\"Dette\",\"o7J4JM\":\"Filtrer\",\"oHFrpj\":\"Temps de recharge pour déstaker\",\"oJ5ZiG\":\"L'utilisateur n'a pas de dette à taux variable impayée sur cette réserve\",\"oRBGin\":\"Veuillez connecter votre portefeuille pour pouvoir échanger vos jetons.\",\"oUwXhx\":\"Ressources de test\",\"oWklJD\":\"Le taux d'intérêt stable <0>restera le même pendant toute la durée de votre prêt. Recommandé pour les périodes de prêt à long terme et pour les utilisateurs qui préfèrent la prévisibilité.\",\"odnIK3\":\"Time remaining until the 48 hour withdraw period starts.\",\"oiK5nY\":\"The current incentives period, decided on by the Aave community, has ended. Governance is in the process on renewing, check for updates. <0>Learn more.\",\"olREoo\":\"All borrow positions outside of this category must be closed to enable this category.\",\"om/XHs\":\"Disponible au dépôt\",\"ov0+mq\":\"Eligible for the ZKSync Ignite program.\",\"ovT1pF\":[\"Per the community, the \",[\"market\"],\" has been frozen.\"],\"ow3fug\":\"Rien n’a été trouvé\",\"owSsI3\":\"Signatures prêtes\",\"p+R52m\":\"Accéder à Balancer Pool\",\"p2A+s1\":[\"La période de recharge est de \",[\"0\"],\". Après \",[\"1\"],\" de temps de recharge, vous entrerez dans la fenêtre de désengagement de \",[\"2\"],\". Vous continuerez à recevoir des récompenses pendant le temps de recharge et la fenêtre de retrait.\"],\"p2S64u\":\"Le ratio prêt/valeur des positions migrées entraînerait la liquidation. Augmenter les garanties migrées ou réduire les emprunts migrés pour continuer.\",\"p2Z2Qi\":\"Cet actif a atteint son plafond d'emprunt. Rien n'est disponible pour être emprunté à ce marché.\",\"p3j+mb\":\"Votre solde de récompenses est de 0\",\"p45alK\":\"Configurer la délégation\",\"p6u2s1\":\"Minimum amount of debt to be repaid\",\"pDgeaz\":[[\"title\"]],\"pdZqBk\":\"Le solde sous-jacent doit être supérieur à 0\",\"pgWG9H\":\"Pas assez de solde staké\",\"piPrJ7\":\"veuillez vérifier que le montant que vous souhaitez fournir n'est pas actuellement utilisé pour le staking. S'il est utilisé pour le staking, votre transaction peut échouer.\",\"pjO/iH\":\"Minimum amount received\",\"pooutM\":\"Voting is on\",\"pqaM5s\":\"Confirming transaction\",\"ptaxX3\":[\"Je comprends comment fonctionnent le temps de recharge (\",[\"0\"],\") et le retrait (\",[\"1\"],\")\"],\"py2iiY\":\"L'appelant de cette fonction doit être un pool\",\"q/51mF\":\"Migrer vers la V3\",\"q3df11\":\"Stratégie de taux d’intérêt\",\"q6lAbz\":\"Staké\",\"qB4kPi\":\"Fournir APY\",\"qENI8q\":\"Paramètres globaux\",\"qGz5zl\":\"Solde de garantie après remboursement\",\"qIW9ZH\":\"Amount staked\",\"qOqbD6\":\"copier l'erreur\",\"qXCkEM\":\"Veuillez connecter votre portefeuille pour voir vos fournitures, vos emprunts et vos positions ouvertes.\",\"qY2jnw\":\"Expiration invalide\",\"qf/fr+\":\"Intérêts courus\",\"quYPUU\":\"Variable interest rate will <0>fluctuate based on the market conditions.\",\"quzIeW\":\"User is in isolation mode or LTV is zero\",\"qvnz3q\":\"Montant non valide à brûler\",\"rHgdb0\":\"Migrate to Aave V3\",\"rOrHHe\":\"Le montant doit être supérieur à 0\",\"rQ+R+0\":\"Sélection d’actifs d’approvisionnement\",\"rSayea\":\"APY\",\"rTBDeu\":[\"L’actif ne peut pas être migré car vous disposez d’une garantie isolée dans \",[\"marketName\"],\" v3 Marché qui limite les actifs empruntables. Vous pouvez gérer vos garanties dans <0>\",[\"marketName\"],\" Tableau de bord V3\"],\"rcT+yy\":\"Afficher les actifs avec 0 solde\",\"rf8POi\":\"Montant de l’actif emprunté\",\"riNWOA\":\"E-Mode\",\"rjGI/Q\":\"Vie privée\",\"rnKPW1\":\"Watch a wallet balance in read-only mode\",\"ruc7X+\":\"Ajoutez stkAAVE pour voir l’APY d’emprunt avec la remise\",\"rvbaFU\":[\"Bridging \",[\"symbol\"]],\"rwVVB7\":\"Réclamez toutes les récompenses\",\"rwyUva\":\"Ces actifs sont temporairement gelés ou suspendus par des décisions de la communauté Aave, ce qui signifie qu’il n’est pas possible d’obtenir / emprunter ou d’échanger des taux de ces actifs. Les retraits et les remboursements de dettes sont autorisés. Suivez le <0>forum de gouvernance d’Aave pour d’autres mises à jour.\",\"rxJW5W\":\"Votre pouvoir de proposition est basé sur votre solde AAVE/stkAAVE et les délégations reçues.\",\"s2jJnW\":\"You don't have any bridge transactions\",\"s5wBAq\":[\"Unstake \",[\"symbol\"]],\"sJbIdI\":\"Enter ETH address or ENS\",\"sK+Nag\":\"Réviser tx\",\"sP2+gB\":\"NON\",\"sQv06Y\":\"pour\",\"sTtO6J\":\"Confirm transaction\",\"sXKb3l\":\"Exchange rate\",\"sb0q4+\":\"Vous unstaké ici\",\"smJNwH\":\"Disponible à emprunter\",\"solypO\":\"Le facteur de santé n'est pas inférieur au seuil\",\"sr0UJD\":\"Retourner\",\"ss5GCK\":\"L'adresse du fournisseur d'adresses du pool n'est pas valide\",\"swEgK4\":\"Vos informations de vote\",\"t+wtgf\":\"Aucun emprunt pour l'instant\",\"t/YqKh\":\"Remove\",\"t81DpC\":[\"Approuver \",[\"symbol\"],\" pour continuer\"],\"tCnbEs\":\"Prix Oracle\",\"tFZLf8\":\"Ce calcul de gaz n'est qu'une estimation. Votre portefeuille fixera le prix de la transaction. Vous pouvez modifier les paramètres de gaz directement depuis votre fournisseur de portefeuille.\",\"tHuvQI\":\"Accéder au tableau de bord V3\",\"tKv7cI\":\"Changer de position d’emprunt\",\"tOcg3N\":\"Étant donné que cet actif est gelé, les seules actions disponibles sont le retrait et le remboursement, accessibles depuis le <0>tableau de bord\",\"tOuXfv\":[\"Emprunter le montant à atteindre \",[\"0\"],\"% d’utilisation\"],\"te9Bfl\":\"S'il vous plaît, connectez votre portefeuille\",\"tt5yma\":\"Vos ressources\",\"ttoh5c\":\"Passer à\",\"u3ZeYl\":\"La transaction a échoué\",\"u706uF\":\"Prime flash non valide\",\"u8Gfu7\":[\"Aucun résultat de recherche\",[\"0\"]],\"uAQUqI\":\"Status\",\"uHMwk8\":\"Aucune ressource n’a été sélectionnée pour la migration.\",\"uJPHuY\":\"Migration\",\"uY8O30\":\"Pour continuer, vous devez autoriser les contrats intelligents Aave à déplacer vos fonds depuis votre portefeuille. En fonction de l’actif et du portefeuille que vous utilisez, cela se fait en signant le message d’autorisation (sans gaz) ou en soumettant une transaction d’approbation (nécessite du gaz). <0>Pour en savoir plus\",\"udFheE\":\"For repayment of a specific type of debt, the user needs to have debt that type\",\"ulNuNq\":\"Exporter des données vers\",\"ulup2p\":\"Acheter des crypto-monnaies avec des monnaies fiduciaires\",\"umICAY\":\"<0><1><2/>Ajoutez stkAAVE pour voir le taux d’emprunt avec escompte\",\"usB84Z\":\"Le montant maximum disponible pour emprunter est limité car le plafond d’emprunt du protocole est presque atteint.\",\"uwAUvj\":\"COPIER L’IMAGE\",\"v8x7Mg\":\"Garantie insuffisante pour couvrir une nouvelle position d’emprunt. Le portefeuille doit avoir une capacité d’emprunt restante pour effectuer le transfert de dette.\",\"vEqxH9\":\"Restauré\",\"vLyv1R\":\"Cacher\",\"vMba49\":\"L'emprunt n'est pas activé\",\"vMpNwt\":\"Approuvez avec\",\"vXIe7J\":\"Language\",\"vesuBJ\":\"Vous permet de décider si vous souhaitez utiliser un actif fourni en tant que collatéral. Un actif utilisé comme collatéral affectera votre pouvoir d'emprunt et votre Health Factor.\",\"w+V9Cx\":\"Stablecoin\",\"w/JtJ3\":\"L'offre de dette stable n'est pas nulle\",\"w4VBY+\":\"Récompenses APR\",\"w9dLMW\":[[\"label\"]],\"wAOL+X\":[\"Vous \",[\"action\"],\" <0/> \",[\"symbole\"]],\"wBIsjb\":\"Canal Discord\",\"wQZbc/\":\"L'appelant de la fonction n'est pas un AToken\",\"wRRqvW\":\"Vous n'avez pas de fournitures dans cette devise\",\"wZFvVU\":\"VOTER OUI\",\"wb/r1O\":[\"Faucet \",[\"0\"]],\"wdxz7K\":\"Source\",\"weH1nG\":\"Le protocole Aave est programmé pour toujours utiliser le prix de 1 GHO = 1 $. C’est différent de l’utilisation des prix du marché via des oracles pour d’autres actifs cryptographiques. Cela crée des opportunités d’arbitrage stabilisatrices lorsque le prix du GHO fluctue.\",\"wh7Ezv\":\"You have no AAVE/stkAAVE/aAave balance to delegate.\",\"wlsIx7\":\"Avec testnet Faucet, vous pouvez obtenir des ressources gratuites pour tester le protocole Aave. Assurez-vous de changer votre fournisseur de portefeuille pour le réseau de test approprié, sélectionnez l’actif souhaité et cliquez sur «\xA0Faucet\xA0» pour obtenir des jetons transférés vers votre portefeuille. Les actifs d’un réseau de test ne sont pas « réels », ce qui signifie qu’ils n’ont aucune valeur monétaire. <0>Pour en savoir plus\",\"wmE285\":\"Get ABP v2 Token\",\"wyRrcJ\":\"As a result of governance decisions, this ABPT staking pool is now deprecated. You have the flexibility to either migrate all of your tokens to v2 or unstake them without any cooldown period.\",\"x5KiLL\":\"Les ressources sélectionnées ont été migrées avec succès. Rendez-vous sur le tableau de bord du marché pour les voir.\",\"x7F2p6\":\"Différentiel de courant\",\"x7K5ib\":[\"Votre \",[\"networkName\"],\" Le portefeuille est vide. Obtenir un test gratuit \",[\"0\"],\" à\"],\"x9iLRD\":\"tokens, veuillez vous rendre sur\",\"xNy/UG\":\"Rembourser avec\",\"xPm8wv\":\"En savoir plus sur les risques encourus\",\"xXYpZl\":[[\"0\"],\" Faucet\"],\"xaVBSS\":\"Vos informations\",\"xaWZ6f\":\"Changement de type APY\",\"xh6k71\":\"L’utilisation des garanties est limitée en raison du mode d’isolation.\",\"xvIklc\":\"Flashloan est désactivé pour cet actif, cette position ne peut donc pas être migrée.\",\"y5rS9U\":\"Émigrer\",\"y66tBm\":[\"Activer \",[\"symbol\"],\" comme collatéral\"],\"yB1YpA\":\"Mode Sombre\",\"yCrG6m\":\"Taille totale du marché\",\"yJUUbn\":\"Aperçu des transactions\",\"yLGmLX\":[\"Remise en jeu \",[\"symbol\"]],\"yW1oWB\":\"APY type\",\"yYHqJe\":\"Pas une adresse valide\",\"yZwLw6\":\"Suivre le portefeuille\",\"yh2sjd\":[\"Impact sur les prix \",[\"0\"],\"%\"],\"yhvj6d\":\"Vous ne pouvez pas changer d'utilisation en tant que mode de garantie pour cette devise, car cela entraînera un appel de garantie\",\"ylmtBZ\":\"The app is running in fork mode.\",\"ymNY32\":[\"Il n'y a pas assez de fonds dans la \",[\"0\"],\" réserve pour emprunter\"],\"yz7wBu\":\"Fermer\",\"z4uGQg\":\"Le plafond de la dette est dépassé\",\"z5UQOM\":\"La garantie choisie ne peut être liquidée\",\"z5Y+p6\":[\"Fournir \",[\"symbole\"]],\"zCjNKs\":\"L'action ne peut pas être effectuée car la réserve est gelée\",\"zRHytX\":\"Plafond de la dette isolée\",\"zTOjMP\":\"La limite d’approvisionnement du protocole est de 100 % pour cet actif. D’autres approvisionnements ne sont pas disponibles.\",\"zVdRUG\":\"Submission did not work, please try again later or contact wecare@avara.xyz\",\"zevmS2\":\"<0><1><2/>Ajoutez <3/> stkAAVE pour emprunter à <4/> (remise maximale)\",\"zgtIDV\":\"Dette restante\",\"zmTPiV\":\"Bilan d'approvisionnement\",\"zpPbZl\":\"Paramètres du risque de liquidation\",\"zucql+\":\"Menu\",\"zwWKhA\":\"Apprendre encore plus\",\"zy9fXn\":[\"L’actif est gelé \",[\"marketName\"],\" v3, donc cette position ne peut pas être migrée.\"],\"zys+R6\":\"Faites attention à la congestion du réseau et aux prix de l’essence.\",\"zzzTXS\":\"Merit Program rewards are claimed through the\"}")}; \ No newline at end of file diff --git a/src/modules/umbrella/StakeAssets/UmbrellaAssetsListContainer.tsx b/src/modules/umbrella/StakeAssets/UmbrellaAssetsListContainer.tsx index 55ee18ef45..f502054568 100644 --- a/src/modules/umbrella/StakeAssets/UmbrellaAssetsListContainer.tsx +++ b/src/modules/umbrella/StakeAssets/UmbrellaAssetsListContainer.tsx @@ -65,6 +65,7 @@ export const UmbrellaAssetsListContainer = () => { .filter((res) => { if (!searchTerm) return true; const term = searchTerm.toLowerCase().trim(); + return ( res.symbol.toLowerCase().includes(term) || res.name.toLowerCase().includes(term) || @@ -82,6 +83,15 @@ export const UmbrellaAssetsListContainer = () => { : {}), })); + const filteredStakedData = + stakedDataWithTokenBalances?.filter((stakedAsset) => + filteredData.some( + (reserve) => + reserve.underlyingAsset.toLowerCase() === + stakedAsset.waTokenData.waTokenUnderlying.toLowerCase() + ) + ) ?? []; + return ( { reserves={filteredData} loading={loading} isLoadingStakedDataWithTokenBalances={isLoadingStakedDataWithTokenBalances} - stakedDataWithTokenBalances={stakedDataWithTokenBalances ?? []} + stakedDataWithTokenBalances={filteredStakedData ?? []} /> {!loading && !isLoadingStakedDataWithTokenBalances && - (filteredData.length === 0 || !stakedDataWithTokenBalances) && ( + (filteredData.length === 0 || !filteredStakedData) && ( { const { type, close, args } = useModalContext(); const currentMarketData = useRootStore((store) => store.currentMarketData); diff --git a/src/modules/umbrella/UnstakeModalActions.tsx b/src/modules/umbrella/UnstakeModalActions.tsx index aa7728d19c..9206c382f1 100644 --- a/src/modules/umbrella/UnstakeModalActions.tsx +++ b/src/modules/umbrella/UnstakeModalActions.tsx @@ -1,5 +1,7 @@ import { Trans } from '@lingui/macro'; import { BoxProps } from '@mui/material'; +import { useQueryClient } from '@tanstack/react-query'; +import { PopulatedTransaction } from 'ethers'; import { parseUnits } from 'ethers/lib/utils'; import { TxActionsWrapper } from 'src/components/transactions/TxActionsWrapper'; import { checkRequiresApproval } from 'src/components/transactions/utils'; @@ -7,15 +9,14 @@ import { MergedStakeData } from 'src/hooks/stake/useUmbrellaSummary'; import { useApprovalTx } from 'src/hooks/useApprovalTx'; import { useApprovedAmount } from 'src/hooks/useApprovedAmount'; import { useModalContext } from 'src/hooks/useModal'; -import { useRootStore } from 'src/store/root'; -import { StakeGatewayService } from './services/StakeGatewayService'; -import { PopulatedTransaction } from 'ethers'; -import { StakeTokenService } from './services/StakeTokenService'; -import { useShallow } from 'zustand/shallow'; import { useWeb3Context } from 'src/libs/hooks/useWeb3Context'; -import { useQueryClient } from '@tanstack/react-query'; +import { useRootStore } from 'src/store/root'; import { getErrorTextFromError, TxAction } from 'src/ui-config/errorMapping'; import { queryKeysFactory } from 'src/ui-config/queries'; +import { useShallow } from 'zustand/shallow'; + +import { StakeGatewayService } from './services/StakeGatewayService'; +import { StakeTokenService } from './services/StakeTokenService'; export interface UnStakeActionProps extends BoxProps { amountToUnStake: string; @@ -37,7 +38,6 @@ export const UnStakeActions = ({ blocked, stakeData, redeemATokens, - ...props }: UnStakeActionProps) => { const queryClient = useQueryClient(); const [currentChainId, user, estimateGasLimit] = useRootStore( diff --git a/src/modules/umbrella/UnstakeModalContent.tsx b/src/modules/umbrella/UnstakeModalContent.tsx index 49dc39ea93..7b990e9000 100644 --- a/src/modules/umbrella/UnstakeModalContent.tsx +++ b/src/modules/umbrella/UnstakeModalContent.tsx @@ -8,16 +8,17 @@ import { AssetInput } from 'src/components/transactions/AssetInput'; import { TxErrorView } from 'src/components/transactions/FlowCommons/Error'; import { GasEstimationError } from 'src/components/transactions/FlowCommons/GasEstimationError'; import { TxSuccessView } from 'src/components/transactions/FlowCommons/Success'; +import { DetailsUnwrapSwitch } from 'src/components/transactions/FlowCommons/TxModalDetails'; import { TxModalTitle } from 'src/components/transactions/FlowCommons/TxModalTitle'; import { GasStation } from 'src/components/transactions/GasStation/GasStation'; import { ChangeNetworkWarning } from 'src/components/transactions/Warnings/ChangeNetworkWarning'; +import { MergedStakeData } from 'src/hooks/stake/useUmbrellaSummary'; import { useModalContext } from 'src/hooks/useModal'; import { useWeb3Context } from 'src/libs/hooks/useWeb3Context'; import { useRootStore } from 'src/store/root'; -import { UnStakeActions } from './UnstakeModalActions'; -import { MergedStakeData } from 'src/hooks/stake/useUmbrellaSummary'; import { useShallow } from 'zustand/shallow'; -import { DetailsUnwrapSwitch } from 'src/components/transactions/FlowCommons/TxModalDetails'; + +import { UnStakeActions } from './UnstakeModalActions'; // export type UnStakeProps = { // stakeToken: string; @@ -43,7 +44,7 @@ export const UnStakeModalContent = ({ stakeData }: { stakeData: MergedStakeData const [_amount, setAmount] = useState(''); const amountRef = useRef(); - let balance = stakeData?.formattedBalances.stakeTokenRedeemableAmount || '0'; + const balance = stakeData?.formattedBalances.stakeTokenRedeemableAmount || '0'; console.log('amountToUnstake', balance); // TODOD // if (stakeData?.inPostSlashingPeriod) { diff --git a/src/modules/umbrella/helpers/StakingDropdown.tsx b/src/modules/umbrella/helpers/StakingDropdown.tsx index 9b85710254..eacc7b83e6 100644 --- a/src/modules/umbrella/helpers/StakingDropdown.tsx +++ b/src/modules/umbrella/helpers/StakingDropdown.tsx @@ -1,5 +1,4 @@ import { Trans } from '@lingui/macro'; - import AddIcon from '@mui/icons-material/Add'; import AddOutlinedIcon from '@mui/icons-material/AddOutlined'; import ArrowForwardIcon from '@mui/icons-material/ArrowForward'; diff --git a/src/modules/umbrella/services/StakeTokenService.ts b/src/modules/umbrella/services/StakeTokenService.ts index ce8cd4a191..ba61a62790 100644 --- a/src/modules/umbrella/services/StakeTokenService.ts +++ b/src/modules/umbrella/services/StakeTokenService.ts @@ -1,8 +1,8 @@ +import { SignatureLike, splitSignature } from '@ethersproject/bytes'; import { BigNumber, PopulatedTransaction } from 'ethers'; import { IERC4626StakeTokenInterface } from './types/StakeToken'; import { IERC4626StakeToken__factory } from './types/StakeToken__factory'; -import { SignatureLike, splitSignature } from '@ethersproject/bytes'; export class StakeTokenService { private readonly interface: IERC4626StakeTokenInterface; From 8d4cf4e6a296ef1e3e9a469ccd7e1b9571875a13 Mon Sep 17 00:00:00 2001 From: Mark Grothe Date: Mon, 27 Jan 2025 21:25:30 -0600 Subject: [PATCH 051/110] feat: cooldown and unstake time --- src/modules/umbrella/AmountStakedItem.tsx | 86 +++++++++++++++-------- 1 file changed, 58 insertions(+), 28 deletions(-) diff --git a/src/modules/umbrella/AmountStakedItem.tsx b/src/modules/umbrella/AmountStakedItem.tsx index 08d1be9ef7..5e8a03adf7 100644 --- a/src/modules/umbrella/AmountStakedItem.tsx +++ b/src/modules/umbrella/AmountStakedItem.tsx @@ -1,23 +1,22 @@ -import { Stack } from '@mui/material'; -import { FormattedNumber } from 'src/components/primitives/FormattedNumber'; -import { ReserveSubheader } from 'src/components/ReserveSubheader'; +import { Trans } from '@lingui/macro'; +import { Stack, Typography } from '@mui/material'; import { MergedStakeData } from 'src/hooks/stake/useUmbrellaSummary'; -// import { BigNumber } from 'ethers'; +import { useCurrentTimestamp } from 'src/hooks/useCurrentTimestamp'; -// import { SecondsToString } from '../staking/StakingPanel'; +import { ListValueColumn } from '../dashboard/lists/ListValueColumn'; +import { SecondsToString } from '../staking/StakingPanel'; export const AmountStakedItem = ({ stakeData }: { stakeData: MergedStakeData }) => { - // const now = useCurrentTimestamp(1); + const now = useCurrentTimestamp(1); const { stakeTokenBalance, stakeTokenBalanceUSD } = stakeData.formattedBalances; - // const cooldownSeconds = stakeData?.cooldownSeconds || 0; - // const endOfCooldown = stakeData?.cooldownData.endOfCooldown || 0; - // const unstakeWindow = stakeData?.cooldownData.withdrawalWindow || 0; - // const cooldownTimeRemaining = endOfCooldown - now; - // const unstakeTimeRemaining = endOfCooldown + unstakeWindow - now; + const endOfCooldown = stakeData?.cooldownData.endOfCooldown || 0; + const unstakeWindow = stakeData?.cooldownData.withdrawalWindow || 0; + const cooldownTimeRemaining = endOfCooldown - now; - // const isCooldownActive = cooldownTimeRemaining > 0; - // const isUnstakeWindowActive = endOfCooldown < now && now < endOfCooldown + unstakeWindow; + const isCooldownActive = cooldownTimeRemaining > 0; + const isUnstakeWindowActive = endOfCooldown < now && now < endOfCooldown + unstakeWindow; + const unstakeTimeRemaining = endOfCooldown + unstakeWindow - now; // const availableToReactivateCooldown = // isCooldownActive && @@ -28,21 +27,52 @@ export const AmountStakedItem = ({ stakeData }: { stakeData: MergedStakeData }) // console.log('TODO: availableToReactivateCooldown', availableToReactivateCooldown); return ( - - - {/* - - - - Cooldown period - - - - - - */} + + {isCooldownActive && } + {isUnstakeWindowActive && } + + ); +}; + +const Cooldown = ({ cooldownTimeRemaining }: { cooldownTimeRemaining: number }) => { + return ( + + + Remaining cooldown + + + + + + ); +}; + +const UnstakeWindow = ({ unstakeTimeRemaining }: { unstakeTimeRemaining: number }) => { + return ( + + + Remaining time to unstake + + + + ); }; From e7ff5e68bbad3169f082754d5e6c5402f8e32125 Mon Sep 17 00:00:00 2001 From: Mark Grothe Date: Tue, 28 Jan 2025 12:45:30 -0600 Subject: [PATCH 052/110] fix: cooldown timers --- src/modules/umbrella/AmountStakedItem.tsx | 126 ++++++++++++++++------ 1 file changed, 95 insertions(+), 31 deletions(-) diff --git a/src/modules/umbrella/AmountStakedItem.tsx b/src/modules/umbrella/AmountStakedItem.tsx index 5e8a03adf7..da5110a2d0 100644 --- a/src/modules/umbrella/AmountStakedItem.tsx +++ b/src/modules/umbrella/AmountStakedItem.tsx @@ -1,17 +1,32 @@ +import { ClockIcon } from '@heroicons/react/outline'; import { Trans } from '@lingui/macro'; -import { Stack, Typography } from '@mui/material'; +import { keyframes, Stack, SvgIcon, Typography } from '@mui/material'; +import { formatUnits } from 'ethers/lib/utils'; +import { ReactElement } from 'react'; +import { ContentWithTooltip } from 'src/components/ContentWithTooltip'; +import { FormattedNumber } from 'src/components/primitives/FormattedNumber'; +import { formattedTime, timeText } from 'src/helpers/timeHelper'; import { MergedStakeData } from 'src/hooks/stake/useUmbrellaSummary'; import { useCurrentTimestamp } from 'src/hooks/useCurrentTimestamp'; import { ListValueColumn } from '../dashboard/lists/ListValueColumn'; import { SecondsToString } from '../staking/StakingPanel'; +// TODO: move to helpers +const timeMessage = (time: number) => { + return `${formattedTime(time)} ${timeText(time)}`; +}; + export const AmountStakedItem = ({ stakeData }: { stakeData: MergedStakeData }) => { const now = useCurrentTimestamp(1); const { stakeTokenBalance, stakeTokenBalanceUSD } = stakeData.formattedBalances; const endOfCooldown = stakeData?.cooldownData.endOfCooldown || 0; const unstakeWindow = stakeData?.cooldownData.withdrawalWindow || 0; + const cooldownAmount = formatUnits( + stakeData?.cooldownData.cooldownAmount || '0', + stakeData.decimals + ); const cooldownTimeRemaining = endOfCooldown - now; const isCooldownActive = cooldownTimeRemaining > 0; @@ -33,46 +48,95 @@ export const AmountStakedItem = ({ stakeData }: { stakeData: MergedStakeData }) withTooltip disabled={stakeTokenBalance === '0'} /> - {isCooldownActive && } - {isUnstakeWindowActive && } + {isCooldownActive && ( + + } + /> + )} + {isUnstakeWindowActive && ( + } + /> + )} ); }; -const Cooldown = ({ cooldownTimeRemaining }: { cooldownTimeRemaining: number }) => { +const pulse = keyframes` + 0% { + opacity: 1; + } + 50% { + opacity: 0.35; + } + 100% { + opacity: 1; + } +`; + +const Countdown = ({ + timeRemaining, + tooltipContent, + animate, +}: { + timeRemaining: number; + tooltipContent: ReactElement; + animate?: boolean; +}) => { + return ( + + + + + + + + + + + ); +}; + +const CooldownTooltip = ({ + cooldownAmount, + unstakeWindow, +}: { + cooldownAmount: string; + unstakeWindow: number; +}) => { return ( - - - Remaining cooldown - - - - + + + After the cooldown period ends, you will enter the unstake window of{' '} + {timeMessage(unstakeWindow)}. You will continue receiving rewards during cooldown and the + unstake period. + + + Amount in cooldown + + ); }; -const UnstakeWindow = ({ unstakeTimeRemaining }: { unstakeTimeRemaining: number }) => { +const UnstakeTooltip = ({ cooldownAmount }: { cooldownAmount: string }) => { return ( - - - Remaining time to unstake - - - - + + Time remaining until the withdraw period ends. + + Available to withdraw + + ); }; From 3a4a24f79bf9976fb5ff0cd04259ccb3fc0bd3be Mon Sep 17 00:00:00 2001 From: Mark Grothe Date: Tue, 28 Jan 2025 12:45:48 -0600 Subject: [PATCH 053/110] fix: apy tooltips --- src/modules/umbrella/StakingApyItem.tsx | 131 +++++++++++---------- src/modules/umbrella/helpers/MultiIcon.tsx | 2 +- 2 files changed, 73 insertions(+), 60 deletions(-) diff --git a/src/modules/umbrella/StakingApyItem.tsx b/src/modules/umbrella/StakingApyItem.tsx index 666de2ffa2..04377c5e18 100644 --- a/src/modules/umbrella/StakingApyItem.tsx +++ b/src/modules/umbrella/StakingApyItem.tsx @@ -1,28 +1,35 @@ import { Trans } from '@lingui/macro'; import { Box, Stack, Typography, useMediaQuery, useTheme } from '@mui/material'; +import { ReactElement } from 'react'; import { FormattedNumber } from 'src/components/primitives/FormattedNumber'; import { Row } from 'src/components/primitives/Row'; import { TokenIcon } from 'src/components/primitives/TokenIcon'; import { useAppDataContext } from 'src/hooks/app-data-provider/useAppDataProvider'; import { MergedStakeData } from 'src/hooks/stake/useUmbrellaSummary'; -import { MultiIconWithTooltip } from './helpers/MultiIcon'; -import { Rewards } from './services/StakeDataProviderService'; +import { IconData, MultiIconWithTooltip } from './helpers/MultiIcon'; export const StakingApyItem = ({ stakeData }: { stakeData: MergedStakeData }) => { const { reserves } = useAppDataContext(); - const rewards = stakeData.rewards; - const { breakpoints } = useTheme(); const isMobile = useMediaQuery(breakpoints.down('lg')); - // TODO: do we need to handle the case where aTokens are configured as a reward? - const icons = rewards.map((reward) => ({ src: reward.rewardSymbol, aToken: false })); - let netAPY = rewards.reduce((acc, reward) => { - return acc + +reward.apy; - }, 0); + let netAPY = 0; + const icons: IconData[] = []; + const stakeRewards: StakingReward[] = []; + for (const reward of stakeData.rewards) { + netAPY += +reward.apy; + icons.push({ src: reward.rewardSymbol, aToken: false }); + stakeRewards.push({ + address: reward.rewardAddress, + symbol: reward.rewardSymbol, + name: reward.rewardSymbol, + aToken: false, + apy: reward.apy, + }); + } if (stakeData.underlyingIsWaToken) { const underlyingReserve = reserves.find( @@ -37,6 +44,13 @@ export const StakingApyItem = ({ stakeData }: { stakeData: MergedStakeData }) => netAPY += +underlyingReserve.supplyAPY; icons.push({ src: underlyingReserve.symbol, aToken: true }); + stakeRewards.push({ + address: stakeData.waTokenData.waTokenUnderlying, + symbol: underlyingReserve.symbol, + name: `a${underlyingReserve.symbol}`, + aToken: true, + apy: underlyingReserve.supplyAPY, + }); } return ( @@ -49,37 +63,43 @@ export const StakingApyItem = ({ stakeData }: { stakeData: MergedStakeData }) => } + tooltipContent={ + + {stakeData.underlyingIsWaToken ? ( + + Staking this asset will earn the underlying asset supply yield in additon to + other configured rewards. + + ) : ( + Staking Rewards + )} + + } + rewards={stakeRewards} + /> + } /> ); }; -export const StakingApyTooltipcontent = ({ rewards, apr }: { rewards: Rewards[]; apr: string }) => { - const typographyVariant = 'secondary12'; - - const Number = ({ incentiveAPR }: { incentiveAPR: 'Infinity' | number | string }) => { - return ( - - {incentiveAPR !== 'Infinity' ? ( - <> - - - APR - - - ) : ( - <> - ∞ % - - APR - - - )} - - ); - }; +interface StakingReward { + symbol: string; + name: string; + address: string; + aToken: boolean; + apy: string; +} +export const StakingApyTooltipcontent = ({ + description, + rewards, +}: { + description: ReactElement; + rewards: StakingReward[]; +}) => { return ( - - lorem ipsum - + {description} - + {rewards.map((reward) => { return ( 1 ? 2 : 0, - }} - > - - {reward.rewardSymbol} - + + + {reward.name} + } - key={reward.rewardAddress} + key={reward.address} width="100%" > - + + + + APR + + ); })} - - {rewards.length > 1 && ( - ({ pt: 1, mt: 1 })}> - Net APR} height={32}> - - - - )} ); diff --git a/src/modules/umbrella/helpers/MultiIcon.tsx b/src/modules/umbrella/helpers/MultiIcon.tsx index 816934bc81..88864495ed 100644 --- a/src/modules/umbrella/helpers/MultiIcon.tsx +++ b/src/modules/umbrella/helpers/MultiIcon.tsx @@ -13,7 +13,7 @@ interface MultiIconWithTooltipProps extends MultiIconProps { tooltipContent: ReactElement>; } -interface IconData { +export interface IconData { src: string; aToken: boolean; } From ec99536816eb659e9fb2eb87c8562abec39eb55d Mon Sep 17 00:00:00 2001 From: Joaquin Battilana Date: Tue, 28 Jan 2025 17:33:32 -0300 Subject: [PATCH 054/110] feat: claim txs --- .../ClaimRewards/RewardsSelect.tsx | 4 +- src/modules/umbrella/UmbrellaClaimActions.tsx | 74 +++ .../umbrella/UmbrellaClaimModalContent.tsx | 145 ++--- .../umbrella/helpers/StakingDropdown.tsx | 9 +- .../services/RewardsDistributorService.ts | 39 ++ .../services/types/IRewardsDistributor.ts | 517 ++++++++++++++++++ .../types/IRewardsDistributor__factory.ts | 383 +++++++++++++ 7 files changed, 1063 insertions(+), 108 deletions(-) create mode 100644 src/modules/umbrella/UmbrellaClaimActions.tsx create mode 100644 src/modules/umbrella/services/RewardsDistributorService.ts create mode 100644 src/modules/umbrella/services/types/IRewardsDistributor.ts create mode 100644 src/modules/umbrella/services/types/IRewardsDistributor__factory.ts diff --git a/src/components/transactions/ClaimRewards/RewardsSelect.tsx b/src/components/transactions/ClaimRewards/RewardsSelect.tsx index d7fa24810c..ed10d1fc52 100644 --- a/src/components/transactions/ClaimRewards/RewardsSelect.tsx +++ b/src/components/transactions/ClaimRewards/RewardsSelect.tsx @@ -9,8 +9,10 @@ import { Reward } from 'src/helpers/types'; import { FormattedNumber } from '../../primitives/FormattedNumber'; import { TokenIcon } from '../../primitives/TokenIcon'; +export type RewardSelect = Pick; + export type RewardsSelectProps = { - rewards: Reward[]; + rewards: RewardSelect[]; setSelectedReward: (key: string) => void; selectedReward: string; }; diff --git a/src/modules/umbrella/UmbrellaClaimActions.tsx b/src/modules/umbrella/UmbrellaClaimActions.tsx new file mode 100644 index 0000000000..c45b937314 --- /dev/null +++ b/src/modules/umbrella/UmbrellaClaimActions.tsx @@ -0,0 +1,74 @@ +import { Trans } from '@lingui/macro'; +import { BoxProps } from '@mui/material'; +import { TxActionsWrapper } from 'src/components/transactions/TxActionsWrapper'; +import { UmbrellaRewards } from './UmbrellaClaimModalContent'; +import { useModalContext } from 'src/hooks/useModal'; +import { useRootStore } from 'src/store/root'; +import { RewardsDistributorService } from './services/RewardsDistributorService'; +import { MergedStakeData } from 'src/hooks/stake/useUmbrellaSummary'; +import { PopulatedTransaction } from 'ethers'; +import { useWeb3Context } from 'src/libs/hooks/useWeb3Context'; +import { getErrorTextFromError, TxAction } from 'src/ui-config/errorMapping'; + +export interface StakeRewardClaimActionProps extends BoxProps { + stakeData: MergedStakeData; + rewardsToClaim: UmbrellaRewards[]; + isWrongNetwork: boolean; +} +const REWARDS_CONTROLLER = '0xD1eC142cc2fA5ABf78Be9868F564aC0AAdD6aAB6'; + +export const UmbrellaClaimActions = ({ + stakeData, + rewardsToClaim, + isWrongNetwork, + ...props +}: StakeRewardClaimActionProps) => { + + const { loadingTxns, mainTxState, setMainTxState, setTxError } = useModalContext(); + + const user = useRootStore((store) => store.account); + const estimateGasLimit = useRootStore((store) => store.estimateGasLimit); + const { sendTx } = useWeb3Context(); + + const action = async () => { + try { + setMainTxState({ ...mainTxState, loading: true }); + const rewardsDistributorService = new RewardsDistributorService(REWARDS_CONTROLLER); + let claimTx: PopulatedTransaction = {}; + if(rewardsToClaim.length > 1) { + claimTx = rewardsDistributorService.claimAllRewards(user, stakeData.stakeToken); + } else { + claimTx = rewardsDistributorService.claimSelectedRewards(user, stakeData.stakeToken, rewardsToClaim.map(reward => reward.address)); + } + claimTx = await estimateGasLimit(claimTx); + const claimTxReceipt = await sendTx(claimTx); + await claimTxReceipt.wait(1); + setMainTxState({ + txHash: claimTxReceipt.hash, + loading: false, + success: true, + }); + } catch (error) { + const parsedError = getErrorTextFromError(error, TxAction.GAS_ESTIMATION, false); + setTxError(parsedError); + setMainTxState({ + txHash: undefined, + loading: false, + }); + } + }; + + + return ( + Claim} + actionInProgressText={Claiming} + mainTxState={mainTxState} + isWrongNetwork={isWrongNetwork} + {...props} + /> + ); +}; diff --git a/src/modules/umbrella/UmbrellaClaimModalContent.tsx b/src/modules/umbrella/UmbrellaClaimModalContent.tsx index 3f6af89ca4..f88daf04d1 100644 --- a/src/modules/umbrella/UmbrellaClaimModalContent.tsx +++ b/src/modules/umbrella/UmbrellaClaimModalContent.tsx @@ -1,24 +1,24 @@ import { Trans } from "@lingui/macro"; import { Box, Typography } from "@mui/material"; +import { BigNumber } from "ethers"; import { useState } from "react"; import { FormattedNumber } from "src/components/primitives/FormattedNumber"; import { Row } from "src/components/primitives/Row"; import { TokenIcon } from "src/components/primitives/TokenIcon"; -import { RewardsSelect } from "src/components/transactions/ClaimRewards/RewardsSelect"; +import { RewardSelect, RewardsSelect } from "src/components/transactions/ClaimRewards/RewardsSelect"; import { TxErrorView } from "src/components/transactions/FlowCommons/Error"; import { GasEstimationError } from "src/components/transactions/FlowCommons/GasEstimationError"; import { TxSuccessView } from "src/components/transactions/FlowCommons/Success"; -import { DetailsNumberLine, DetailsNumberLineWithSub, TxModalDetails } from "src/components/transactions/FlowCommons/TxModalDetails"; +import { DetailsNumberLine, TxModalDetails } from "src/components/transactions/FlowCommons/TxModalDetails"; import { TxModalTitle } from "src/components/transactions/FlowCommons/TxModalTitle"; import { ChangeNetworkWarning } from "src/components/transactions/Warnings/ChangeNetworkWarning"; -import { Reward } from "src/helpers/types"; import { ExtendedFormattedUser } from "src/hooks/pool/useExtendedUserSummaryAndIncentives"; import { MergedStakeData } from "src/hooks/stake/useUmbrellaSummary"; +import { useIsWrongNetwork } from "src/hooks/useIsWrongNetwork"; import { useModalContext } from "src/hooks/useModal"; import { useWeb3Context } from "src/libs/hooks/useWeb3Context"; -import { useRootStore } from "src/store/root"; import { getNetworkConfig } from "src/utils/marketsAndNetworksConfig"; -import { useShallow } from "zustand/shallow"; +import { UmbrellaClaimActions } from "./UmbrellaClaimActions"; export enum ErrorType { NOT_ENOUGH_BALANCE, @@ -29,125 +29,71 @@ interface UmbrellaClaimModalContentProps { stakeData: MergedStakeData; } +export interface UmbrellaRewards extends RewardSelect { + balance: string; + address: string; +} + +const stakeDataToRewards = (stakeData: MergedStakeData): UmbrellaRewards[] => { + return stakeData.formattedRewards.map((reward) => { + return { + symbol: reward.rewardTokenSymbol, + balanceUsd: '1', + balance: reward.accrued, + address: reward.rewardToken, + } + }); +}; + export const UmbrellaClaimModalContent = ({ user, stakeData }: UmbrellaClaimModalContentProps) => { const { gasLimit, mainTxState: claimRewardsTxState, txError } = useModalContext(); - const [currentChainId, currentMarketData] = useRootStore( - useShallow((store) => [store.currentChainId, store.currentMarketData]) - ); - const { chainId: connectedChainId, readOnlyModeAddress } = useWeb3Context(); + const { readOnlyModeAddress } = useWeb3Context(); const [selectedRewardSymbol, setSelectedRewardSymbol] = useState('all'); - const [rewards, setRewards] = useState([]); - const [allReward, setAllReward] = useState(); - - const networkConfig = getNetworkConfig(currentChainId); - // // get all rewards - // useEffect(() => { - // const userIncentives: Reward[] = []; - // let totalClaimableUsd = Number(claimableUsd); - // const allAssets: string[] = []; - // Object.keys(user.calculatedUserIncentives).forEach((rewardTokenAddress) => { - // const incentive: UserIncentiveData = user.calculatedUserIncentives[rewardTokenAddress]; - // const rewardBalance = normalize(incentive.claimableRewards, incentive.rewardTokenDecimals); + const rewards = stakeDataToRewards(stakeData); - // let tokenPrice = 0; - // // getting price from reserves for the native rewards for v2 markets - // if (!currentMarketData.v3 && Number(rewardBalance) > 0) { - // if (currentMarketData.chainId === ChainId.mainnet) { - // const aave = reserves.find((reserve) => reserve.symbol === 'AAVE'); - // tokenPrice = aave ? Number(aave.priceInUSD) : 0; - // } else { - // reserves.forEach((reserve) => { - // if (reserve.isWrappedBaseAsset) { - // tokenPrice = Number(reserve.priceInUSD); - // } - // }); - // } - // } else { - // tokenPrice = Number(incentive.rewardPriceFeed); - // } + const isMultiReward = rewards.length > 1; - // const rewardBalanceUsd = Number(rewardBalance) * tokenPrice; + const { isWrongNetwork, requiredChainId } = useIsWrongNetwork(); - // if (rewardBalanceUsd > 0) { - // incentive.assets.forEach((asset) => { - // if (allAssets.indexOf(asset) === -1) { - // allAssets.push(asset); - // } - // }); + const networkConfig = getNetworkConfig(requiredChainId); - // userIncentives.push({ - // assets: incentive.assets, - // incentiveControllerAddress: incentive.incentiveControllerAddress, - // symbol: incentive.rewardTokenSymbol, - // balance: rewardBalance, - // balanceUsd: rewardBalanceUsd.toString(), - // rewardTokenAddress, - // }); - - // totalClaimableUsd = totalClaimableUsd + Number(rewardBalanceUsd); - // } - // }); - - // if (userIncentives.length === 1) { - // setSelectedRewardSymbol(userIncentives[0].symbol); - // } else if (userIncentives.length > 1 && !selectedReward) { - // const allRewards = { - // assets: allAssets, - // incentiveControllerAddress: userIncentives[0].incentiveControllerAddress, - // symbol: 'all', - // balance: '0', - // balanceUsd: totalClaimableUsd.toString(), - // rewardTokenAddress: '', - // }; - // setSelectedRewardSymbol('all'); - // setAllReward(allRewards); - // } - - // setRewards(userIncentives); - // setClaimableUsd(totalClaimableUsd.toString()); - // }, []); - - // is Network mismatched - const isWrongNetwork = currentChainId !== connectedChainId; const selectedReward = selectedRewardSymbol === 'all' - ? allReward - : rewards.find((r) => r.symbol === selectedRewardSymbol); + ? rewards + : rewards.filter((r) => r.symbol === selectedRewardSymbol); + + const selectedRewardClaimableBalance = selectedReward.reduce((acc, reward) => acc.add(BigNumber.from(reward.balanceUsd)), BigNumber.from('0')); if (txError && txError.blocking) { return ; } if (claimRewardsTxState.success) - return Claimed} amount={selectedReward?.balanceUsd} />; + return Claimed} amount={selectedRewardClaimableBalance.toString()} />; return ( <> {isWrongNetwork && !readOnlyModeAddress && ( - + )} - {rewards.length > 1 && ( + {isMultiReward && ( )} - - {/* {selectedReward && ( - {selectedRewardSymbol === 'all' && ( - <> Balance} captionVariant="description" align="flex-start" - mb={selectedReward.symbol !== 'all' ? 0 : 4} + mb={4} > - {rewards.map((reward) => ( + {selectedReward.map((reward) => ( - Total worth} value={claimableUsd} /> - - )} - {selectedRewardSymbol !== 'all' && ( - } - futureValue={selectedReward.balance} - futureValueUSD={selectedReward.balanceUsd} - description={{selectedReward.symbol} Balance} - /> - )} + Total worth} value={selectedRewardClaimableBalance.toString()} /> - )} */} {txError && } - {/* */} + rewardsToClaim={selectedReward} + /> ); }; diff --git a/src/modules/umbrella/helpers/StakingDropdown.tsx b/src/modules/umbrella/helpers/StakingDropdown.tsx index 04754894c7..ea15c4cdb2 100644 --- a/src/modules/umbrella/helpers/StakingDropdown.tsx +++ b/src/modules/umbrella/helpers/StakingDropdown.tsx @@ -34,7 +34,7 @@ const StyledMenuItem = styled(MenuItem)({ }); export const StakingDropdown = ({ stakeData }: { stakeData: MergedStakeData }) => { - const { openUmbrella, openUmbrellaStakeCooldown } = useModalContext(); + const { openUmbrella, openUmbrellaStakeCooldown, openUmbrellaClaim } = useModalContext(); const now = useCurrentTimestamp(1); const { breakpoints } = useTheme(); @@ -140,7 +140,12 @@ export const StakingDropdown = ({ stakeData }: { stakeData: MergedStakeData }) = Stake more... - + { + handleClose(); + openUmbrellaClaim(stakeData.stakeToken); + }} + > Claim... diff --git a/src/modules/umbrella/services/RewardsDistributorService.ts b/src/modules/umbrella/services/RewardsDistributorService.ts new file mode 100644 index 0000000000..fc8744b170 --- /dev/null +++ b/src/modules/umbrella/services/RewardsDistributorService.ts @@ -0,0 +1,39 @@ +import { IRewardsDistributor__factory } from "./types/IRewardsDistributor__factory"; +import { IRewardsDistributorInterface } from "./types/IRewardsDistributor"; +import { BigNumber, PopulatedTransaction } from "ethers"; +import { gasLimitRecommendations, ProtocolAction } from "@aave/contract-helpers"; + +export class RewardsDistributorService { + private readonly interface: IRewardsDistributorInterface; + + constructor(private readonly rewardsDistributorAddress: string) { + this.interface = IRewardsDistributor__factory.createInterface(); + } + + claimAllRewards(user: string, stakeToken: string) { + const tx: PopulatedTransaction = {}; + const txData = this.interface.encodeFunctionData('claimAllRewards', [ + stakeToken, + user, + ]); + tx.data = txData; + tx.from = user; + tx.to = this.rewardsDistributorAddress; + // TODO: change properly + tx.gasLimit = BigNumber.from(gasLimitRecommendations[ProtocolAction.supply].recommended); + return tx; + } + + claimSelectedRewards(user: string, stakeToken: string, rewards: string[]) { + const tx: PopulatedTransaction = {}; + const txData = this.interface.encodeFunctionData('claimSelectedRewards', [ + stakeToken, + rewards, + user, + ]); + tx.data = txData; + tx.from = user; + tx.to = this.rewardsDistributorAddress; + return tx; + } +} \ No newline at end of file diff --git a/src/modules/umbrella/services/types/IRewardsDistributor.ts b/src/modules/umbrella/services/types/IRewardsDistributor.ts new file mode 100644 index 0000000000..1bcec5357f --- /dev/null +++ b/src/modules/umbrella/services/types/IRewardsDistributor.ts @@ -0,0 +1,517 @@ +/* Autogenerated file. Do not edit manually. */ +/* tslint:disable */ +/* eslint-disable */ +import type { + BaseContract, + BigNumber, + BigNumberish, + BytesLike, + CallOverrides, + ContractTransaction, + Overrides, + PopulatedTransaction, + Signer, + utils, +} from "ethers"; +import type { + FunctionFragment, + Result, + EventFragment, +} from "@ethersproject/abi"; +import type { Listener, Provider } from "@ethersproject/providers"; +import type { + TypedEventFilter, + TypedEvent, + TypedListener, + OnEvent, +} from "./common"; + +export declare namespace IRewardsStructs { + export type SignatureParamsStruct = { + v: BigNumberish; + r: BytesLike; + s: BytesLike; + }; + + export type SignatureParamsStructOutput = [number, string, string] & { + v: number; + r: string; + s: string; + }; +} + +export interface IRewardsDistributorInterface extends utils.Interface { + functions: { + "claimAllRewards(address,address)": FunctionFragment; + "claimAllRewardsOnBehalf(address,address,address)": FunctionFragment; + "claimAllRewardsPermit(address,address,address,uint256,(uint8,bytes32,bytes32))": FunctionFragment; + "claimSelectedRewards(address,address[],address)": FunctionFragment; + "claimSelectedRewardsOnBehalf(address,address[],address,address)": FunctionFragment; + "claimSelectedRewardsPermit(address,address[],address,address,uint256,(uint8,bytes32,bytes32))": FunctionFragment; + "setClaimer(address,bool)": FunctionFragment; + "setClaimer(address,address,bool)": FunctionFragment; + }; + + getFunction( + nameOrSignatureOrTopic: + | "claimAllRewards" + | "claimAllRewardsOnBehalf" + | "claimAllRewardsPermit" + | "claimSelectedRewards" + | "claimSelectedRewardsOnBehalf" + | "claimSelectedRewardsPermit" + | "setClaimer(address,bool)" + | "setClaimer(address,address,bool)" + ): FunctionFragment; + + encodeFunctionData( + functionFragment: "claimAllRewards", + values: [string, string] + ): string; + encodeFunctionData( + functionFragment: "claimAllRewardsOnBehalf", + values: [string, string, string] + ): string; + encodeFunctionData( + functionFragment: "claimAllRewardsPermit", + values: [ + string, + string, + string, + BigNumberish, + IRewardsStructs.SignatureParamsStruct + ] + ): string; + encodeFunctionData( + functionFragment: "claimSelectedRewards", + values: [string, string[], string] + ): string; + encodeFunctionData( + functionFragment: "claimSelectedRewardsOnBehalf", + values: [string, string[], string, string] + ): string; + encodeFunctionData( + functionFragment: "claimSelectedRewardsPermit", + values: [ + string, + string[], + string, + string, + BigNumberish, + IRewardsStructs.SignatureParamsStruct + ] + ): string; + encodeFunctionData( + functionFragment: "setClaimer(address,bool)", + values: [string, boolean] + ): string; + encodeFunctionData( + functionFragment: "setClaimer(address,address,bool)", + values: [string, string, boolean] + ): string; + + decodeFunctionResult( + functionFragment: "claimAllRewards", + data: BytesLike + ): Result; + decodeFunctionResult( + functionFragment: "claimAllRewardsOnBehalf", + data: BytesLike + ): Result; + decodeFunctionResult( + functionFragment: "claimAllRewardsPermit", + data: BytesLike + ): Result; + decodeFunctionResult( + functionFragment: "claimSelectedRewards", + data: BytesLike + ): Result; + decodeFunctionResult( + functionFragment: "claimSelectedRewardsOnBehalf", + data: BytesLike + ): Result; + decodeFunctionResult( + functionFragment: "claimSelectedRewardsPermit", + data: BytesLike + ): Result; + decodeFunctionResult( + functionFragment: "setClaimer(address,bool)", + data: BytesLike + ): Result; + decodeFunctionResult( + functionFragment: "setClaimer(address,address,bool)", + data: BytesLike + ): Result; + + events: { + "ClaimerSet(address,address,bool)": EventFragment; + }; + + getEvent(nameOrSignatureOrTopic: "ClaimerSet"): EventFragment; +} + +export interface ClaimerSetEventObject { + user: string; + claimer: string; + flag: boolean; +} +export type ClaimerSetEvent = TypedEvent< + [string, string, boolean], + ClaimerSetEventObject +>; + +export type ClaimerSetEventFilter = TypedEventFilter; + +export interface IRewardsDistributor extends BaseContract { + connect(signerOrProvider: Signer | Provider | string): this; + attach(addressOrName: string): this; + deployed(): Promise; + + interface: IRewardsDistributorInterface; + + queryFilter( + event: TypedEventFilter, + fromBlockOrBlockhash?: string | number | undefined, + toBlock?: string | number | undefined + ): Promise>; + + listeners( + eventFilter?: TypedEventFilter + ): Array>; + listeners(eventName?: string): Array; + removeAllListeners( + eventFilter: TypedEventFilter + ): this; + removeAllListeners(eventName?: string): this; + off: OnEvent; + on: OnEvent; + once: OnEvent; + removeListener: OnEvent; + + functions: { + claimAllRewards( + asset: string, + receiver: string, + overrides?: Overrides & { from?: string } + ): Promise; + + claimAllRewardsOnBehalf( + asset: string, + user: string, + receiver: string, + overrides?: Overrides & { from?: string } + ): Promise; + + claimAllRewardsPermit( + asset: string, + user: string, + receiver: string, + deadline: BigNumberish, + sig: IRewardsStructs.SignatureParamsStruct, + overrides?: Overrides & { from?: string } + ): Promise; + + claimSelectedRewards( + asset: string, + rewards: string[], + receiver: string, + overrides?: Overrides & { from?: string } + ): Promise; + + claimSelectedRewardsOnBehalf( + asset: string, + rewards: string[], + user: string, + receiver: string, + overrides?: Overrides & { from?: string } + ): Promise; + + claimSelectedRewardsPermit( + asset: string, + rewards: string[], + user: string, + receiver: string, + deadline: BigNumberish, + sig: IRewardsStructs.SignatureParamsStruct, + overrides?: Overrides & { from?: string } + ): Promise; + + "setClaimer(address,bool)"( + claimer: string, + flag: boolean, + overrides?: Overrides & { from?: string } + ): Promise; + + "setClaimer(address,address,bool)"( + user: string, + claimer: string, + flag: boolean, + overrides?: Overrides & { from?: string } + ): Promise; + }; + + claimAllRewards( + asset: string, + receiver: string, + overrides?: Overrides & { from?: string } + ): Promise; + + claimAllRewardsOnBehalf( + asset: string, + user: string, + receiver: string, + overrides?: Overrides & { from?: string } + ): Promise; + + claimAllRewardsPermit( + asset: string, + user: string, + receiver: string, + deadline: BigNumberish, + sig: IRewardsStructs.SignatureParamsStruct, + overrides?: Overrides & { from?: string } + ): Promise; + + claimSelectedRewards( + asset: string, + rewards: string[], + receiver: string, + overrides?: Overrides & { from?: string } + ): Promise; + + claimSelectedRewardsOnBehalf( + asset: string, + rewards: string[], + user: string, + receiver: string, + overrides?: Overrides & { from?: string } + ): Promise; + + claimSelectedRewardsPermit( + asset: string, + rewards: string[], + user: string, + receiver: string, + deadline: BigNumberish, + sig: IRewardsStructs.SignatureParamsStruct, + overrides?: Overrides & { from?: string } + ): Promise; + + "setClaimer(address,bool)"( + claimer: string, + flag: boolean, + overrides?: Overrides & { from?: string } + ): Promise; + + "setClaimer(address,address,bool)"( + user: string, + claimer: string, + flag: boolean, + overrides?: Overrides & { from?: string } + ): Promise; + + callStatic: { + claimAllRewards( + asset: string, + receiver: string, + overrides?: CallOverrides + ): Promise< + [string[], BigNumber[]] & { rewards: string[]; amounts: BigNumber[] } + >; + + claimAllRewardsOnBehalf( + asset: string, + user: string, + receiver: string, + overrides?: CallOverrides + ): Promise< + [string[], BigNumber[]] & { rewards: string[]; amounts: BigNumber[] } + >; + + claimAllRewardsPermit( + asset: string, + user: string, + receiver: string, + deadline: BigNumberish, + sig: IRewardsStructs.SignatureParamsStruct, + overrides?: CallOverrides + ): Promise< + [string[], BigNumber[]] & { rewards: string[]; amounts: BigNumber[] } + >; + + claimSelectedRewards( + asset: string, + rewards: string[], + receiver: string, + overrides?: CallOverrides + ): Promise; + + claimSelectedRewardsOnBehalf( + asset: string, + rewards: string[], + user: string, + receiver: string, + overrides?: CallOverrides + ): Promise; + + claimSelectedRewardsPermit( + asset: string, + rewards: string[], + user: string, + receiver: string, + deadline: BigNumberish, + sig: IRewardsStructs.SignatureParamsStruct, + overrides?: CallOverrides + ): Promise; + + "setClaimer(address,bool)"( + claimer: string, + flag: boolean, + overrides?: CallOverrides + ): Promise; + + "setClaimer(address,address,bool)"( + user: string, + claimer: string, + flag: boolean, + overrides?: CallOverrides + ): Promise; + }; + + filters: { + "ClaimerSet(address,address,bool)"( + user?: string | null, + claimer?: string | null, + flag?: null + ): ClaimerSetEventFilter; + ClaimerSet( + user?: string | null, + claimer?: string | null, + flag?: null + ): ClaimerSetEventFilter; + }; + + estimateGas: { + claimAllRewards( + asset: string, + receiver: string, + overrides?: Overrides & { from?: string } + ): Promise; + + claimAllRewardsOnBehalf( + asset: string, + user: string, + receiver: string, + overrides?: Overrides & { from?: string } + ): Promise; + + claimAllRewardsPermit( + asset: string, + user: string, + receiver: string, + deadline: BigNumberish, + sig: IRewardsStructs.SignatureParamsStruct, + overrides?: Overrides & { from?: string } + ): Promise; + + claimSelectedRewards( + asset: string, + rewards: string[], + receiver: string, + overrides?: Overrides & { from?: string } + ): Promise; + + claimSelectedRewardsOnBehalf( + asset: string, + rewards: string[], + user: string, + receiver: string, + overrides?: Overrides & { from?: string } + ): Promise; + + claimSelectedRewardsPermit( + asset: string, + rewards: string[], + user: string, + receiver: string, + deadline: BigNumberish, + sig: IRewardsStructs.SignatureParamsStruct, + overrides?: Overrides & { from?: string } + ): Promise; + + "setClaimer(address,bool)"( + claimer: string, + flag: boolean, + overrides?: Overrides & { from?: string } + ): Promise; + + "setClaimer(address,address,bool)"( + user: string, + claimer: string, + flag: boolean, + overrides?: Overrides & { from?: string } + ): Promise; + }; + + populateTransaction: { + claimAllRewards( + asset: string, + receiver: string, + overrides?: Overrides & { from?: string } + ): Promise; + + claimAllRewardsOnBehalf( + asset: string, + user: string, + receiver: string, + overrides?: Overrides & { from?: string } + ): Promise; + + claimAllRewardsPermit( + asset: string, + user: string, + receiver: string, + deadline: BigNumberish, + sig: IRewardsStructs.SignatureParamsStruct, + overrides?: Overrides & { from?: string } + ): Promise; + + claimSelectedRewards( + asset: string, + rewards: string[], + receiver: string, + overrides?: Overrides & { from?: string } + ): Promise; + + claimSelectedRewardsOnBehalf( + asset: string, + rewards: string[], + user: string, + receiver: string, + overrides?: Overrides & { from?: string } + ): Promise; + + claimSelectedRewardsPermit( + asset: string, + rewards: string[], + user: string, + receiver: string, + deadline: BigNumberish, + sig: IRewardsStructs.SignatureParamsStruct, + overrides?: Overrides & { from?: string } + ): Promise; + + "setClaimer(address,bool)"( + claimer: string, + flag: boolean, + overrides?: Overrides & { from?: string } + ): Promise; + + "setClaimer(address,address,bool)"( + user: string, + claimer: string, + flag: boolean, + overrides?: Overrides & { from?: string } + ): Promise; + }; +} diff --git a/src/modules/umbrella/services/types/IRewardsDistributor__factory.ts b/src/modules/umbrella/services/types/IRewardsDistributor__factory.ts new file mode 100644 index 0000000000..d424c43196 --- /dev/null +++ b/src/modules/umbrella/services/types/IRewardsDistributor__factory.ts @@ -0,0 +1,383 @@ +/* Autogenerated file. Do not edit manually. */ +/* tslint:disable */ +/* eslint-disable */ + +import { Contract, Signer, utils } from "ethers"; +import type { Provider } from "@ethersproject/providers"; +import type { + IRewardsDistributor, + IRewardsDistributorInterface, +} from "./IRewardsDistributor"; + +const _abi = [ + { + type: "function", + name: "claimAllRewards", + inputs: [ + { + name: "asset", + type: "address", + internalType: "address", + }, + { + name: "receiver", + type: "address", + internalType: "address", + }, + ], + outputs: [ + { + name: "rewards", + type: "address[]", + internalType: "address[]", + }, + { + name: "amounts", + type: "uint256[]", + internalType: "uint256[]", + }, + ], + stateMutability: "nonpayable", + }, + { + type: "function", + name: "claimAllRewardsOnBehalf", + inputs: [ + { + name: "asset", + type: "address", + internalType: "address", + }, + { + name: "user", + type: "address", + internalType: "address", + }, + { + name: "receiver", + type: "address", + internalType: "address", + }, + ], + outputs: [ + { + name: "rewards", + type: "address[]", + internalType: "address[]", + }, + { + name: "amounts", + type: "uint256[]", + internalType: "uint256[]", + }, + ], + stateMutability: "nonpayable", + }, + { + type: "function", + name: "claimAllRewardsPermit", + inputs: [ + { + name: "asset", + type: "address", + internalType: "address", + }, + { + name: "user", + type: "address", + internalType: "address", + }, + { + name: "receiver", + type: "address", + internalType: "address", + }, + { + name: "deadline", + type: "uint256", + internalType: "uint256", + }, + { + name: "sig", + type: "tuple", + internalType: "struct IRewardsStructs.SignatureParams", + components: [ + { + name: "v", + type: "uint8", + internalType: "uint8", + }, + { + name: "r", + type: "bytes32", + internalType: "bytes32", + }, + { + name: "s", + type: "bytes32", + internalType: "bytes32", + }, + ], + }, + ], + outputs: [ + { + name: "rewards", + type: "address[]", + internalType: "address[]", + }, + { + name: "amounts", + type: "uint256[]", + internalType: "uint256[]", + }, + ], + stateMutability: "nonpayable", + }, + { + type: "function", + name: "claimSelectedRewards", + inputs: [ + { + name: "asset", + type: "address", + internalType: "address", + }, + { + name: "rewards", + type: "address[]", + internalType: "address[]", + }, + { + name: "receiver", + type: "address", + internalType: "address", + }, + ], + outputs: [ + { + name: "amounts", + type: "uint256[]", + internalType: "uint256[]", + }, + ], + stateMutability: "nonpayable", + }, + { + type: "function", + name: "claimSelectedRewardsOnBehalf", + inputs: [ + { + name: "asset", + type: "address", + internalType: "address", + }, + { + name: "rewards", + type: "address[]", + internalType: "address[]", + }, + { + name: "user", + type: "address", + internalType: "address", + }, + { + name: "receiver", + type: "address", + internalType: "address", + }, + ], + outputs: [ + { + name: "amounts", + type: "uint256[]", + internalType: "uint256[]", + }, + ], + stateMutability: "nonpayable", + }, + { + type: "function", + name: "claimSelectedRewardsPermit", + inputs: [ + { + name: "asset", + type: "address", + internalType: "address", + }, + { + name: "rewards", + type: "address[]", + internalType: "address[]", + }, + { + name: "user", + type: "address", + internalType: "address", + }, + { + name: "receiver", + type: "address", + internalType: "address", + }, + { + name: "deadline", + type: "uint256", + internalType: "uint256", + }, + { + name: "sig", + type: "tuple", + internalType: "struct IRewardsStructs.SignatureParams", + components: [ + { + name: "v", + type: "uint8", + internalType: "uint8", + }, + { + name: "r", + type: "bytes32", + internalType: "bytes32", + }, + { + name: "s", + type: "bytes32", + internalType: "bytes32", + }, + ], + }, + ], + outputs: [ + { + name: "amounts", + type: "uint256[]", + internalType: "uint256[]", + }, + ], + stateMutability: "nonpayable", + }, + { + type: "function", + name: "setClaimer", + inputs: [ + { + name: "claimer", + type: "address", + internalType: "address", + }, + { + name: "flag", + type: "bool", + internalType: "bool", + }, + ], + outputs: [], + stateMutability: "nonpayable", + }, + { + type: "function", + name: "setClaimer", + inputs: [ + { + name: "user", + type: "address", + internalType: "address", + }, + { + name: "claimer", + type: "address", + internalType: "address", + }, + { + name: "flag", + type: "bool", + internalType: "bool", + }, + ], + outputs: [], + stateMutability: "nonpayable", + }, + { + type: "event", + name: "ClaimerSet", + inputs: [ + { + name: "user", + type: "address", + indexed: true, + internalType: "address", + }, + { + name: "claimer", + type: "address", + indexed: true, + internalType: "address", + }, + { + name: "flag", + type: "bool", + indexed: false, + internalType: "bool", + }, + ], + anonymous: false, + }, + { + type: "error", + name: "ClaimerNotAuthorized", + inputs: [ + { + name: "claimer", + type: "address", + internalType: "address", + }, + { + name: "user", + type: "address", + internalType: "address", + }, + ], + }, + { + type: "error", + name: "ExpiredSignature", + inputs: [ + { + name: "deadline", + type: "uint256", + internalType: "uint256", + }, + ], + }, + { + type: "error", + name: "InvalidSigner", + inputs: [ + { + name: "signer", + type: "address", + internalType: "address", + }, + { + name: "owner", + type: "address", + internalType: "address", + }, + ], + }, +] as const; + +export class IRewardsDistributor__factory { + static readonly abi = _abi; + static createInterface(): IRewardsDistributorInterface { + return new utils.Interface(_abi) as IRewardsDistributorInterface; + } + static connect( + address: string, + signerOrProvider: Signer | Provider + ): IRewardsDistributor { + return new Contract(address, _abi, signerOrProvider) as IRewardsDistributor; + } +} From 698dfdb74bb378802f9d9276529480df855a655b Mon Sep 17 00:00:00 2001 From: Joaquin Battilana Date: Tue, 28 Jan 2025 17:37:06 -0300 Subject: [PATCH 055/110] feat: lint fix --- src/modules/umbrella/UmbrellaClaimActions.tsx | 21 +-- src/modules/umbrella/UmbrellaClaimModal.tsx | 7 +- .../umbrella/UmbrellaClaimModalContent.tsx | 140 ++++++++++-------- .../umbrella/helpers/StakingDropdown.tsx | 3 +- .../services/RewardsDistributorService.ts | 16 +- 5 files changed, 104 insertions(+), 83 deletions(-) diff --git a/src/modules/umbrella/UmbrellaClaimActions.tsx b/src/modules/umbrella/UmbrellaClaimActions.tsx index c45b937314..c00fddc7d2 100644 --- a/src/modules/umbrella/UmbrellaClaimActions.tsx +++ b/src/modules/umbrella/UmbrellaClaimActions.tsx @@ -1,15 +1,16 @@ import { Trans } from '@lingui/macro'; import { BoxProps } from '@mui/material'; +import { PopulatedTransaction } from 'ethers'; import { TxActionsWrapper } from 'src/components/transactions/TxActionsWrapper'; -import { UmbrellaRewards } from './UmbrellaClaimModalContent'; -import { useModalContext } from 'src/hooks/useModal'; -import { useRootStore } from 'src/store/root'; -import { RewardsDistributorService } from './services/RewardsDistributorService'; import { MergedStakeData } from 'src/hooks/stake/useUmbrellaSummary'; -import { PopulatedTransaction } from 'ethers'; +import { useModalContext } from 'src/hooks/useModal'; import { useWeb3Context } from 'src/libs/hooks/useWeb3Context'; +import { useRootStore } from 'src/store/root'; import { getErrorTextFromError, TxAction } from 'src/ui-config/errorMapping'; +import { RewardsDistributorService } from './services/RewardsDistributorService'; +import { UmbrellaRewards } from './UmbrellaClaimModalContent'; + export interface StakeRewardClaimActionProps extends BoxProps { stakeData: MergedStakeData; rewardsToClaim: UmbrellaRewards[]; @@ -23,7 +24,6 @@ export const UmbrellaClaimActions = ({ isWrongNetwork, ...props }: StakeRewardClaimActionProps) => { - const { loadingTxns, mainTxState, setMainTxState, setTxError } = useModalContext(); const user = useRootStore((store) => store.account); @@ -35,10 +35,14 @@ export const UmbrellaClaimActions = ({ setMainTxState({ ...mainTxState, loading: true }); const rewardsDistributorService = new RewardsDistributorService(REWARDS_CONTROLLER); let claimTx: PopulatedTransaction = {}; - if(rewardsToClaim.length > 1) { + if (rewardsToClaim.length > 1) { claimTx = rewardsDistributorService.claimAllRewards(user, stakeData.stakeToken); } else { - claimTx = rewardsDistributorService.claimSelectedRewards(user, stakeData.stakeToken, rewardsToClaim.map(reward => reward.address)); + claimTx = rewardsDistributorService.claimSelectedRewards( + user, + stakeData.stakeToken, + rewardsToClaim.map((reward) => reward.address) + ); } claimTx = await estimateGasLimit(claimTx); const claimTxReceipt = await sendTx(claimTx); @@ -57,7 +61,6 @@ export const UmbrellaClaimActions = ({ }); } }; - return ( { const { type, close, args } = useModalContext(); const currentMarketData = useRootStore((store) => store.currentMarketData); @@ -19,7 +20,7 @@ export const UmbrellaClaimModal = () => { return ( - {(user) => stakeData && } + {(user) => stakeData && } ); diff --git a/src/modules/umbrella/UmbrellaClaimModalContent.tsx b/src/modules/umbrella/UmbrellaClaimModalContent.tsx index f88daf04d1..74b039f824 100644 --- a/src/modules/umbrella/UmbrellaClaimModalContent.tsx +++ b/src/modules/umbrella/UmbrellaClaimModalContent.tsx @@ -1,24 +1,31 @@ -import { Trans } from "@lingui/macro"; -import { Box, Typography } from "@mui/material"; -import { BigNumber } from "ethers"; -import { useState } from "react"; -import { FormattedNumber } from "src/components/primitives/FormattedNumber"; -import { Row } from "src/components/primitives/Row"; -import { TokenIcon } from "src/components/primitives/TokenIcon"; -import { RewardSelect, RewardsSelect } from "src/components/transactions/ClaimRewards/RewardsSelect"; -import { TxErrorView } from "src/components/transactions/FlowCommons/Error"; -import { GasEstimationError } from "src/components/transactions/FlowCommons/GasEstimationError"; -import { TxSuccessView } from "src/components/transactions/FlowCommons/Success"; -import { DetailsNumberLine, TxModalDetails } from "src/components/transactions/FlowCommons/TxModalDetails"; -import { TxModalTitle } from "src/components/transactions/FlowCommons/TxModalTitle"; -import { ChangeNetworkWarning } from "src/components/transactions/Warnings/ChangeNetworkWarning"; -import { ExtendedFormattedUser } from "src/hooks/pool/useExtendedUserSummaryAndIncentives"; -import { MergedStakeData } from "src/hooks/stake/useUmbrellaSummary"; -import { useIsWrongNetwork } from "src/hooks/useIsWrongNetwork"; -import { useModalContext } from "src/hooks/useModal"; -import { useWeb3Context } from "src/libs/hooks/useWeb3Context"; -import { getNetworkConfig } from "src/utils/marketsAndNetworksConfig"; -import { UmbrellaClaimActions } from "./UmbrellaClaimActions"; +import { Trans } from '@lingui/macro'; +import { Box, Typography } from '@mui/material'; +import { BigNumber } from 'ethers'; +import { useState } from 'react'; +import { FormattedNumber } from 'src/components/primitives/FormattedNumber'; +import { Row } from 'src/components/primitives/Row'; +import { TokenIcon } from 'src/components/primitives/TokenIcon'; +import { + RewardSelect, + RewardsSelect, +} from 'src/components/transactions/ClaimRewards/RewardsSelect'; +import { TxErrorView } from 'src/components/transactions/FlowCommons/Error'; +import { GasEstimationError } from 'src/components/transactions/FlowCommons/GasEstimationError'; +import { TxSuccessView } from 'src/components/transactions/FlowCommons/Success'; +import { + DetailsNumberLine, + TxModalDetails, +} from 'src/components/transactions/FlowCommons/TxModalDetails'; +import { TxModalTitle } from 'src/components/transactions/FlowCommons/TxModalTitle'; +import { ChangeNetworkWarning } from 'src/components/transactions/Warnings/ChangeNetworkWarning'; +import { ExtendedFormattedUser } from 'src/hooks/pool/useExtendedUserSummaryAndIncentives'; +import { MergedStakeData } from 'src/hooks/stake/useUmbrellaSummary'; +import { useIsWrongNetwork } from 'src/hooks/useIsWrongNetwork'; +import { useModalContext } from 'src/hooks/useModal'; +import { useWeb3Context } from 'src/libs/hooks/useWeb3Context'; +import { getNetworkConfig } from 'src/utils/marketsAndNetworksConfig'; + +import { UmbrellaClaimActions } from './UmbrellaClaimActions'; export enum ErrorType { NOT_ENOUGH_BALANCE, @@ -41,7 +48,7 @@ const stakeDataToRewards = (stakeData: MergedStakeData): UmbrellaRewards[] => { balanceUsd: '1', balance: reward.accrued, address: reward.rewardToken, - } + }; }); }; @@ -62,14 +69,22 @@ export const UmbrellaClaimModalContent = ({ user, stakeData }: UmbrellaClaimModa selectedRewardSymbol === 'all' ? rewards : rewards.filter((r) => r.symbol === selectedRewardSymbol); - - const selectedRewardClaimableBalance = selectedReward.reduce((acc, reward) => acc.add(BigNumber.from(reward.balanceUsd)), BigNumber.from('0')); + + const selectedRewardClaimableBalance = selectedReward.reduce( + (acc, reward) => acc.add(BigNumber.from(reward.balanceUsd)), + BigNumber.from('0') + ); if (txError && txError.blocking) { return ; } if (claimRewardsTxState.success) - return Claimed} amount={selectedRewardClaimableBalance.toString()} />; + return ( + Claimed} + amount={selectedRewardClaimableBalance.toString()} + /> + ); return ( <> @@ -85,44 +100,47 @@ export const UmbrellaClaimModalContent = ({ user, stakeData }: UmbrellaClaimModa setSelectedReward={setSelectedRewardSymbol} /> )} - - Balance} - captionVariant="description" - align="flex-start" - mb={4} + + Balance} + captionVariant="description" + align="flex-start" + mb={4} + > + + {selectedReward.map((reward) => ( + - - {selectedReward.map((reward) => ( - - - - - - {reward.symbol} - - - - - ))} + + + + + {reward.symbol} + - - Total worth} value={selectedRewardClaimableBalance.toString()} /> - + +
+ ))} + + + Total worth} + value={selectedRewardClaimableBalance.toString()} + /> + {txError && } diff --git a/src/modules/umbrella/helpers/StakingDropdown.tsx b/src/modules/umbrella/helpers/StakingDropdown.tsx index 4e35f93c52..0548254961 100644 --- a/src/modules/umbrella/helpers/StakingDropdown.tsx +++ b/src/modules/umbrella/helpers/StakingDropdown.tsx @@ -34,7 +34,8 @@ const StyledMenuItem = styled(MenuItem)({ }); export const StakingDropdown = ({ stakeData }: { stakeData: MergedStakeData }) => { - const { openUmbrella, openUmbrellaStakeCooldown, openUmbrellaUnstake, openUmbrellaClaim } = useModalContext(); + const { openUmbrella, openUmbrellaStakeCooldown, openUmbrellaUnstake, openUmbrellaClaim } = + useModalContext(); const now = useCurrentTimestamp(1); const { breakpoints } = useTheme(); diff --git a/src/modules/umbrella/services/RewardsDistributorService.ts b/src/modules/umbrella/services/RewardsDistributorService.ts index fc8744b170..6c929b3679 100644 --- a/src/modules/umbrella/services/RewardsDistributorService.ts +++ b/src/modules/umbrella/services/RewardsDistributorService.ts @@ -1,7 +1,8 @@ -import { IRewardsDistributor__factory } from "./types/IRewardsDistributor__factory"; -import { IRewardsDistributorInterface } from "./types/IRewardsDistributor"; -import { BigNumber, PopulatedTransaction } from "ethers"; -import { gasLimitRecommendations, ProtocolAction } from "@aave/contract-helpers"; +import { gasLimitRecommendations, ProtocolAction } from '@aave/contract-helpers'; +import { BigNumber, PopulatedTransaction } from 'ethers'; + +import { IRewardsDistributorInterface } from './types/IRewardsDistributor'; +import { IRewardsDistributor__factory } from './types/IRewardsDistributor__factory'; export class RewardsDistributorService { private readonly interface: IRewardsDistributorInterface; @@ -12,10 +13,7 @@ export class RewardsDistributorService { claimAllRewards(user: string, stakeToken: string) { const tx: PopulatedTransaction = {}; - const txData = this.interface.encodeFunctionData('claimAllRewards', [ - stakeToken, - user, - ]); + const txData = this.interface.encodeFunctionData('claimAllRewards', [stakeToken, user]); tx.data = txData; tx.from = user; tx.to = this.rewardsDistributorAddress; @@ -36,4 +34,4 @@ export class RewardsDistributorService { tx.to = this.rewardsDistributorAddress; return tx; } -} \ No newline at end of file +} From ef77f3b31844f5995558d532c65c2139135f3328 Mon Sep 17 00:00:00 2001 From: Mark Grothe Date: Tue, 28 Jan 2025 15:02:26 -0600 Subject: [PATCH 056/110] fix: claim tooltip --- src/modules/umbrella/AvailableToClaimItem.tsx | 42 ++------------- src/modules/umbrella/AvailableToStakeItem.tsx | 52 +++++-------------- src/modules/umbrella/StakingApyItem.tsx | 2 +- .../umbrella/helpers/AmountAvailableItem.tsx | 31 +++++++++++ 4 files changed, 48 insertions(+), 79 deletions(-) create mode 100644 src/modules/umbrella/helpers/AmountAvailableItem.tsx diff --git a/src/modules/umbrella/AvailableToClaimItem.tsx b/src/modules/umbrella/AvailableToClaimItem.tsx index 03500748b2..1124de3a9a 100644 --- a/src/modules/umbrella/AvailableToClaimItem.tsx +++ b/src/modules/umbrella/AvailableToClaimItem.tsx @@ -1,10 +1,10 @@ import { Trans } from '@lingui/macro'; import { Box, Stack, Typography, useMediaQuery, useTheme } from '@mui/material'; import { FormattedNumber } from 'src/components/primitives/FormattedNumber'; -import { Row } from 'src/components/primitives/Row'; import { TokenIcon } from 'src/components/primitives/TokenIcon'; import { MergedStakeData } from 'src/hooks/stake/useUmbrellaSummary'; +import { AmountAvailableItem } from './helpers/AmountAvailableItem'; import { MultiIconWithTooltip } from './helpers/MultiIcon'; export const AvailableToClaimItem = ({ stakeData }: { stakeData: MergedStakeData }) => { @@ -46,13 +46,13 @@ export const AvailableToClaimItem = ({ stakeData }: { stakeData: MergedStakeData export const AvailableToClaimTooltipContent = ({ stakeData }: { stakeData: MergedStakeData }) => { return ( - + - lorem ipsum + Rewards available to claim {stakeData.formattedRewards.map((reward, index) => ( - ); }; - -// TODO: could probably be moved to a shared component, currently copied from AvailableToStakeItem -const AssetRow = ({ - symbol, - name, - value, - aToken, -}: { - symbol: string; - name: string; - value: string; - aToken?: boolean; -}) => { - return ( - - - {name} - - } - width="100%" - > - - - ); -}; diff --git a/src/modules/umbrella/AvailableToStakeItem.tsx b/src/modules/umbrella/AvailableToStakeItem.tsx index 61fb19ac0f..0a221f1114 100644 --- a/src/modules/umbrella/AvailableToStakeItem.tsx +++ b/src/modules/umbrella/AvailableToStakeItem.tsx @@ -1,10 +1,10 @@ import { Trans } from '@lingui/macro'; import { Box, Stack, Typography, useMediaQuery, useTheme } from '@mui/material'; import { FormattedNumber } from 'src/components/primitives/FormattedNumber'; -import { Row } from 'src/components/primitives/Row'; import { TokenIcon } from 'src/components/primitives/TokenIcon'; import { MergedStakeData } from 'src/hooks/stake/useUmbrellaSummary'; +import { AmountAvailableItem } from './helpers/AmountAvailableItem'; import { MultiIconWithTooltip } from './helpers/MultiIcon'; export const AvailableToStakeItem = ({ stakeData }: { stakeData: MergedStakeData }) => { @@ -47,7 +47,12 @@ export const AvailableToStakeItem = ({ stakeData }: { stakeData: MergedStakeData justifyContent="center" gap={2} > - + {stakeData.underlyingIsWaToken ? ( + - lorem ipsum + Your balance of assets that are available to stake {underlyingWaTokenBalance && ( - )} {underlyingWaTokenATokenBalance && ( - )} {underlyingTokenBalance && ( - ); }; - -const AssetRow = ({ - symbol, - name, - value, - aToken, -}: { - symbol: string; - name: string; - value: string; - aToken?: boolean; -}) => { - return ( - - - {name} - - } - width="100%" - > - - - ); -}; diff --git a/src/modules/umbrella/StakingApyItem.tsx b/src/modules/umbrella/StakingApyItem.tsx index 04377c5e18..5195b064ec 100644 --- a/src/modules/umbrella/StakingApyItem.tsx +++ b/src/modules/umbrella/StakingApyItem.tsx @@ -111,7 +111,7 @@ export const StakingApyTooltipcontent = ({ > {description} - + {rewards.map((reward) => { return ( { + return ( + + + {name} + + } + width="100%" + > + + + ); +}; From dabc5be1ae0fb007fa7b3a718bc15adf66defd2d Mon Sep 17 00:00:00 2001 From: Mark Grothe Date: Tue, 28 Jan 2025 15:46:12 -0600 Subject: [PATCH 057/110] fix: cooldown buttons --- .../StakeCooldownModalContent.tsx | 6 +- src/helpers/timeHelper.tsx | 4 + src/modules/umbrella/AmountStakedItem.tsx | 22 +-- .../umbrella/StakeCooldownModalContent.tsx | 6 +- .../umbrella/helpers/StakingDropdown.tsx | 127 ++++++------------ 5 files changed, 48 insertions(+), 117 deletions(-) diff --git a/src/components/transactions/StakeCooldown/StakeCooldownModalContent.tsx b/src/components/transactions/StakeCooldown/StakeCooldownModalContent.tsx index e5d6e0502b..b96db0996a 100644 --- a/src/components/transactions/StakeCooldown/StakeCooldownModalContent.tsx +++ b/src/components/transactions/StakeCooldown/StakeCooldownModalContent.tsx @@ -20,7 +20,7 @@ import { stakeConfig } from 'src/ui-config/stakeConfig'; import { CustomMarket, getNetworkConfig } from 'src/utils/marketsAndNetworksConfig'; import { GENERAL } from 'src/utils/mixPanelEvents'; -import { formattedTime, timeText } from '../../../helpers/timeHelper'; +import { timeMessage } from '../../../helpers/timeHelper'; import { Link } from '../../primitives/Link'; import { TxErrorView } from '../FlowCommons/Error'; import { GasEstimationError } from '../FlowCommons/GasEstimationError'; @@ -118,10 +118,6 @@ export const StakeCooldownModalContent = ({ stakeAssetName, icon }: StakeCooldow } if (txState.success) return Stake cooldown activated} />; - const timeMessage = (time: number) => { - return `${formattedTime(time)} ${timeText(time)}`; - }; - const handleOnCoolDownCheckBox = () => { trackEvent(GENERAL.ACCEPT_RISK, { asset: stakeAssetName, diff --git a/src/helpers/timeHelper.tsx b/src/helpers/timeHelper.tsx index a86cdb6e3d..50d113c222 100644 --- a/src/helpers/timeHelper.tsx +++ b/src/helpers/timeHelper.tsx @@ -2,6 +2,10 @@ export const daysFromSeconds = (time: number) => time / 60 / 60 / 24; export const hoursFromSeconds = (time: number) => time / 60 / 60; export const minutesFromSeconds = (time: number) => time / 60; +export const timeMessage = (time: number) => { + return `${formattedTime(time)} ${timeText(time)}`; +}; + export const formattedTime = (time: number) => daysFromSeconds(time) < 1 ? hoursFromSeconds(time) < 1 diff --git a/src/modules/umbrella/AmountStakedItem.tsx b/src/modules/umbrella/AmountStakedItem.tsx index da5110a2d0..9433d97534 100644 --- a/src/modules/umbrella/AmountStakedItem.tsx +++ b/src/modules/umbrella/AmountStakedItem.tsx @@ -1,22 +1,17 @@ -import { ClockIcon } from '@heroicons/react/outline'; import { Trans } from '@lingui/macro'; -import { keyframes, Stack, SvgIcon, Typography } from '@mui/material'; +import AccessTimeIcon from '@mui/icons-material/AccessTime'; +import { keyframes, Stack, Typography } from '@mui/material'; import { formatUnits } from 'ethers/lib/utils'; import { ReactElement } from 'react'; import { ContentWithTooltip } from 'src/components/ContentWithTooltip'; import { FormattedNumber } from 'src/components/primitives/FormattedNumber'; -import { formattedTime, timeText } from 'src/helpers/timeHelper'; +import { timeMessage } from 'src/helpers/timeHelper'; import { MergedStakeData } from 'src/hooks/stake/useUmbrellaSummary'; import { useCurrentTimestamp } from 'src/hooks/useCurrentTimestamp'; import { ListValueColumn } from '../dashboard/lists/ListValueColumn'; import { SecondsToString } from '../staking/StakingPanel'; -// TODO: move to helpers -const timeMessage = (time: number) => { - return `${formattedTime(time)} ${timeText(time)}`; -}; - export const AmountStakedItem = ({ stakeData }: { stakeData: MergedStakeData }) => { const now = useCurrentTimestamp(1); const { stakeTokenBalance, stakeTokenBalanceUSD } = stakeData.formattedBalances; @@ -33,13 +28,6 @@ export const AmountStakedItem = ({ stakeData }: { stakeData: MergedStakeData }) const isUnstakeWindowActive = endOfCooldown < now && now < endOfCooldown + unstakeWindow; const unstakeTimeRemaining = endOfCooldown + unstakeWindow - now; - // const availableToReactivateCooldown = - // isCooldownActive && - // BigNumber.from(stakeData?.balances.stakeTokenRedeemableAmount || 0).gt( - // stakeData?.cooldownData.cooldownAmount || 0 - // ); - - // console.log('TODO: availableToReactivateCooldown', availableToReactivateCooldown); return ( - - - + diff --git a/src/modules/umbrella/StakeCooldownModalContent.tsx b/src/modules/umbrella/StakeCooldownModalContent.tsx index e4b21e7d06..f2d89ad800 100644 --- a/src/modules/umbrella/StakeCooldownModalContent.tsx +++ b/src/modules/umbrella/StakeCooldownModalContent.tsx @@ -17,7 +17,7 @@ import { TxSuccessView } from 'src/components/transactions/FlowCommons/Success'; import { TxModalTitle } from 'src/components/transactions/FlowCommons/TxModalTitle'; import { GasStation } from 'src/components/transactions/GasStation/GasStation'; import { ChangeNetworkWarning } from 'src/components/transactions/Warnings/ChangeNetworkWarning'; -import { formattedTime, timeText } from 'src/helpers/timeHelper'; +import { timeMessage } from 'src/helpers/timeHelper'; import { useUmbrellaSummaryFor } from 'src/hooks/stake/useUmbrellaSummary'; import { useModalContext } from 'src/hooks/useModal'; import { useWeb3Context } from 'src/libs/hooks/useWeb3Context'; @@ -96,10 +96,6 @@ export const StakeCooldownModalContent = ({ stakeToken, icon }: StakeCooldownPro } if (txState.success) return Stake cooldown activated} />; - const timeMessage = (time: number) => { - return `${formattedTime(time)} ${timeText(time)}`; - }; - const handleOnCoolDownCheckBox = () => { // trackEvent(GENERAL.ACCEPT_RISK, { // asset: stakeAssetName, diff --git a/src/modules/umbrella/helpers/StakingDropdown.tsx b/src/modules/umbrella/helpers/StakingDropdown.tsx index 0548254961..77ed463929 100644 --- a/src/modules/umbrella/helpers/StakingDropdown.tsx +++ b/src/modules/umbrella/helpers/StakingDropdown.tsx @@ -1,23 +1,21 @@ import { Trans } from '@lingui/macro'; +import AccessTimeIcon from '@mui/icons-material/AccessTime'; import AddIcon from '@mui/icons-material/Add'; import AddOutlinedIcon from '@mui/icons-material/AddOutlined'; -import ArrowForwardIcon from '@mui/icons-material/ArrowForward'; import MoreHorizIcon from '@mui/icons-material/MoreHoriz'; -import TimerOutlinedIcon from '@mui/icons-material/TimerOutlined'; +import StartIcon from '@mui/icons-material/Start'; import { useMediaQuery, useTheme } from '@mui/material'; import IconButton from '@mui/material/IconButton'; import Menu from '@mui/material/Menu'; import MenuItem from '@mui/material/MenuItem'; import { styled } from '@mui/material/styles'; import Typography from '@mui/material/Typography'; -// import { BigNumber } from 'ethers'; +import { BigNumber } from 'ethers'; import { useState } from 'react'; import { MergedStakeData } from 'src/hooks/stake/useUmbrellaSummary'; import { useCurrentTimestamp } from 'src/hooks/useCurrentTimestamp'; import { useModalContext } from 'src/hooks/useModal'; -import { SecondsToString } from '../../staking/StakingPanel'; - // Styled component for the menu items to add gap between icon and text const StyledMenuItem = styled(MenuItem)({ display: 'flex', @@ -40,22 +38,19 @@ export const StakingDropdown = ({ stakeData }: { stakeData: MergedStakeData }) = const { breakpoints } = useTheme(); const isMobile = useMediaQuery(breakpoints.down('lg')); - const cooldownSeconds = stakeData?.cooldownSeconds || 0; + const endOfCooldown = stakeData?.cooldownData.endOfCooldown || 0; const unstakeWindow = stakeData?.cooldownData.withdrawalWindow || 0; const cooldownTimeRemaining = endOfCooldown - now; - const unstakeTimeRemaining = endOfCooldown + unstakeWindow - now; const isCooldownActive = cooldownTimeRemaining > 0; const isUnstakeWindowActive = endOfCooldown < now && now < endOfCooldown + unstakeWindow; - // const availableToReactivateCooldown = - // isCooldownActive && - // BigNumber.from(stakeData?.balances.stakeTokenRedeemableAmount || 0).gt( - // stakeData?.cooldownData.cooldownAmount || 0 - // ); - - // console.log('stakeData', stakeData); + const availableToReactivateCooldown = + isCooldownActive && + BigNumber.from(stakeData?.balances.stakeTokenRedeemableAmount || 0).gt( + stakeData?.cooldownData.cooldownAmount || 0 + ); const [anchorEl, setAnchorEl] = useState(null); const open = Boolean(anchorEl); @@ -113,25 +108,34 @@ export const StakingDropdown = ({ stakeData }: { stakeData: MergedStakeData }) = transformOrigin={{ horizontal: 'right', vertical: 'top' }} anchorOrigin={{ horizontal: 'right', vertical: 'bottom' }} > - { - handleClose(); - openUmbrellaStakeCooldown(stakeData.stakeToken, stakeData.stakeTokenSymbol); - }} - > - - - - + {!isUnstakeWindowActive ? ( + { + handleClose(); + openUmbrellaStakeCooldown(stakeData.stakeToken, stakeData.stakeTokenSymbol); + }} + disabled={ + isUnstakeWindowActive || (isCooldownActive && !availableToReactivateCooldown) + } + > + + + Cooldown + + + ) : ( + { + handleClose(); + openUmbrellaUnstake(stakeData.stakeToken, stakeData.stakeTokenSymbol); + }} + disabled={!isUnstakeWindowActive} + > + + Withdraw + + )} - {/* 1d */} - { handleClose(); @@ -141,22 +145,14 @@ export const StakingDropdown = ({ stakeData }: { stakeData: MergedStakeData }) = Stake more... - { - handleClose(); - openUmbrellaUnstake(stakeData.stakeToken, stakeData.stakeTokenSymbol); - }} - > - - Unstake - + { handleClose(); openUmbrellaClaim(stakeData.stakeToken); }} > - + Claim... @@ -165,50 +161,3 @@ export const StakingDropdown = ({ stakeData }: { stakeData: MergedStakeData }) = ); }; - -const CooldownLabel = ({ - isCooldownActive, - isUnstakeWindowActive, - unstakeTimeRemaining, - cooldownTimeRemaining, - cooldownSeconds, -}: { - isCooldownActive: boolean; - isUnstakeWindowActive: boolean; - unstakeTimeRemaining: number; - cooldownTimeRemaining: number; - cooldownSeconds: number; -}) => { - if (!isCooldownActive) return Cooldown; - - if (isUnstakeWindowActive) { - return ( - <> - Time left to unstake - - - - - ); - } - - if (isCooldownActive) { - return ( - <> - Cooldown time left - - - - - ); - } - - return ( - <> - Cooldown period - - - - - ); -}; From 970e91d57f7043093d2ae352b457bd2ec76d7ba1 Mon Sep 17 00:00:00 2001 From: Mark Grothe Date: Tue, 28 Jan 2025 21:33:56 -0600 Subject: [PATCH 058/110] feat: ui cleanup --- src/hooks/stake/useUmbrellaSummary.ts | 17 +++++ src/modules/umbrella/AvailableToClaimItem.tsx | 7 +- .../StakeAssets/UmbrellaAssetsList.tsx | 2 +- .../UmbrellaStakeAssetsListItem.tsx | 67 +++++++++++++------ .../umbrella/helpers/StakingDropdown.tsx | 22 +++++- 5 files changed, 90 insertions(+), 25 deletions(-) diff --git a/src/hooks/stake/useUmbrellaSummary.ts b/src/hooks/stake/useUmbrellaSummary.ts index 1c8fa4cb0a..b46905d411 100644 --- a/src/hooks/stake/useUmbrellaSummary.ts +++ b/src/hooks/stake/useUmbrellaSummary.ts @@ -28,10 +28,16 @@ interface FormattedReward { rewardTokenSymbol: string; } +interface FormattedStakeTokenData { + totalAmountStaked: string; + totalAmountStakedUSD: string; +} + export interface MergedStakeData extends StakeData { balances: StakeUserBalances; formattedBalances: FormattedBalance; formattedRewards: FormattedReward[]; + formattedStakeTokenData: FormattedStakeTokenData; cooldownData: StakeUserCooldown; name: string; symbol: string; @@ -102,6 +108,11 @@ const formatUmbrellaSummary = (stakeData: StakeData[], userStakeData: StakeUserD .shiftedBy(-8) .toString(); + const stakeTokenTotalSupply = normalize( + stakeItem.stakeTokenTotalSupply, + stakeItem.underlyingTokenDecimals + ); + acc.push({ ...stakeItem, balances: matchingBalance.balances, @@ -139,6 +150,12 @@ const formatUmbrellaSummary = (stakeData: StakeData[], userStakeData: StakeUserD rewardTokenName: rewardData.rewardName, }; }), + formattedStakeTokenData: { + totalAmountStaked: stakeTokenTotalSupply, + totalAmountStakedUSD: BigNumber(stakeTokenTotalSupply) + .multipliedBy(normalize(stakeItem.stakeTokenPrice, 8)) + .toString(), + }, cooldownData: matchingBalance.cooldown, name: stakeItem.underlyingIsWaToken ? stakeItem.waTokenData.waTokenUnderlyingName diff --git a/src/modules/umbrella/AvailableToClaimItem.tsx b/src/modules/umbrella/AvailableToClaimItem.tsx index 1124de3a9a..a5c481559e 100644 --- a/src/modules/umbrella/AvailableToClaimItem.tsx +++ b/src/modules/umbrella/AvailableToClaimItem.tsx @@ -30,7 +30,12 @@ export const AvailableToClaimItem = ({ stakeData }: { stakeData: MergedStakeData gap={2} width="100%" > - + {stakeData.formattedRewards.length > 1 && ( ( { - // const theme = useTheme(); + const [currentNetworkConfig] = useRootStore(useShallow((store) => [store.currentNetworkConfig])); - // const [trackEvent, currentMarket] = useRootStore( - // useShallow((store) => [store.trackEvent, store.currentMarket]) - // ); - - // const APY = useRewardsApy(umbrellaStakeAsset.rewards); + const TokenContractTooltip = ( + + + + + + + + ); return ( - + - - - {umbrellaStakeAsset.name} - + + + + Stake {umbrellaStakeAsset.symbol} + + {TokenContractTooltip} + - - - {umbrellaStakeAsset.symbol} + + + Total staked:{' '} + + {' ('} + + {')'} - - + +
diff --git a/src/modules/umbrella/helpers/StakingDropdown.tsx b/src/modules/umbrella/helpers/StakingDropdown.tsx index 77ed463929..4822680ed0 100644 --- a/src/modules/umbrella/helpers/StakingDropdown.tsx +++ b/src/modules/umbrella/helpers/StakingDropdown.tsx @@ -12,9 +12,11 @@ import { styled } from '@mui/material/styles'; import Typography from '@mui/material/Typography'; import { BigNumber } from 'ethers'; import { useState } from 'react'; +import { WalletIcon } from 'src/components/icons/WalletIcon'; import { MergedStakeData } from 'src/hooks/stake/useUmbrellaSummary'; import { useCurrentTimestamp } from 'src/hooks/useCurrentTimestamp'; import { useModalContext } from 'src/hooks/useModal'; +import { useWeb3Context } from 'src/libs/hooks/useWeb3Context'; // Styled component for the menu items to add gap between icon and text const StyledMenuItem = styled(MenuItem)({ @@ -36,6 +38,7 @@ export const StakingDropdown = ({ stakeData }: { stakeData: MergedStakeData }) = useModalContext(); const now = useCurrentTimestamp(1); const { breakpoints } = useTheme(); + const { addERC20Token } = useWeb3Context(); const isMobile = useMediaQuery(breakpoints.down('lg')); @@ -143,7 +146,7 @@ export const StakingDropdown = ({ stakeData }: { stakeData: MergedStakeData }) = }} > - Stake more... + Stake more - Claim... + Claim + + + { + addERC20Token({ + address: stakeData.stakeToken, + decimals: stakeData.decimals, + symbol: stakeData.stakeTokenSymbol, + }); + }} + > + + Add token to wallet From d60ef98e415c69278ce6e77c3971dfb00187a1d0 Mon Sep 17 00:00:00 2001 From: Mark Hinschberger Date: Wed, 29 Jan 2025 17:46:02 +0000 Subject: [PATCH 059/110] fix: sorting --- src/locales/el/messages.js | 2 +- src/locales/en/messages.js | 2 +- src/locales/en/messages.po | 39 +++++++++++++------ src/locales/es/messages.js | 2 +- src/locales/fr/messages.js | 2 +- .../StakeAssets/UmbrellaAssetsList.tsx | 32 ++++++++++++--- .../umbrella/UmbrellaClaimModalContent.tsx | 2 +- 7 files changed, 59 insertions(+), 22 deletions(-) diff --git a/src/locales/el/messages.js b/src/locales/el/messages.js index cb6a448631..41d2c3c89e 100644 --- a/src/locales/el/messages.js +++ b/src/locales/el/messages.js @@ -1 +1 @@ -/*eslint-disable*/module.exports={messages:JSON.parse("{\"+0xecS\":[\"Εάν ΔΕΝ ξεκλειδώσετε εντός \",[\"0\"],\" του παραθύρου ξεκλειδώματος, θα πρέπει να ενεργοποιήσετε ξανά τη διαδικασία ψύξης.\"],\"+EGVI0\":\"Receive (est.)\",\"+VR63W\":[\"Η συμμετοχή σε αυτό το αποθεματικό \",[\"symbol\"],\" δίνει ετήσιες ανταμοιβές.\"],\"+bmKdK\":\"Use your AAVE, stkAAVE, or aAave balance to delegate your voting and proposition powers. You will not be sending any tokens, only the rights to vote and propose changes to the protocol. You can re-delegate or revoke power to self at any time.\",\"+eOPG+\":\"Φαίνεται ότι δεν μπορούμε να αλλάξουμε το δίκτυο αυτόματα. Ελέγξτε αν μπορείτε να το αλλάξετε από το πορτοφόλι.\",\"+i3Pd2\":\"Ανώτατο όριο δανεισμού\",\"+kLZGu\":\"Supplied asset amount\",\"+nuEh/\":\"Estimated time\",\"+xMFF8\":\"Remind me\",\"/57U31\":\"Amount to migrate\",\"/7ykiW\":\"Borrowing this amount will reduce your health factor and increase risk of liquidation.\",\"/YA5pU\":\"E-Mode increases your LTV for a selected category of assets, meaning that when E-mode is enabled, you will have higher borrowing power over assets of the same E-mode category which are defined by Aave Governance. You can enter E-Mode from your <0>Dashboard. To learn more about E-Mode and applied restrictionn, see the <1>help guide or the <2>Aave V3 Technical Paper.\",\"/izjs/\":\"Minimum staked Aave amount\",\"/jQctM\":\"To\",\"/lDBHm\":\"ΣΥΧΝΕΣ ΕΡΩΤΗΣΕΙΣ\",\"/yNlZf\":\"Ο σταθερός δανεισμός δεν είναι ενεργοποιημένος\",\"/yQcJM\":\"Συνολική αξία\",\"00AB2i\":\"Ο χρήστης δεν δανείστηκε το καθορισμένο νόμισμα\",\"00OflG\":\"There is not enough liquidity for the target asset to perform the switch. Try lowering the amount.\",\"08/rZ9\":\"The cooldown period is the time required prior to unstaking your tokens (20 days). You can only withdraw your assets from the Security Module after the cooldown period and within the unstake window.<0>Learn more\",\"0AmQcW\":\"Rate change\",\"0BF3yK\":\"Sorry, we couldn't find the page you were looking for.\",\"0TAbjq\":\"Recent Transactions\",\"0jhlyw\":\"Liquidation risk\",\"0ojY+Y\":\"Current v2 Balance\",\"0thX3P\":\"Collateral change\",\"0wGCWc\":\"Αυτό είναι το συνολικό ποσό που μπορείτε να προμηθεύσετε σε αυτό το αποθεματικό. Μπορείτε να προμηθεύσετε το υπόλοιπο του πορτοφολιού σας μέχρι να επιτευχθεί το ανώτατο όριο προμηθειών.\",\"1AsVfF\":\"Price data is not currently available for this reserve on the protocol subgraph\",\"1LjK22\":\"Transaction history\",\"1Onqx8\":[\"Έγκριση του \",[\"symbol\"],\"...\"],\"1Ue8sX\":\"Παρακαλούμε συνδέστε ένα πορτοφόλι για να δείτε τις προσωπικές σας πληροφορίες εδώ.\",\"1bpx9A\":\"...\",\"1kWUB+\":\"Ρευστοποίηση <0/> κατώτατο όριο\",\"1m9Qqc\":\"Withdrawing and Switching\",\"1oyh4g\":\"Borrow rate\",\"1t7rez\":\"Asset supply is limited to a certain amount to reduce protocol exposure to the asset and to help manage risks involved.\",\"2CAPu2\":\"You've successfully withdrew & switched tokens.\",\"2Eoi/a\":\"Προβολή λεπτομερειών\",\"2FYpfJ\":\"Περισσότερα\",\"2O3qp5\":\"Διαθέσιμη ρευστότητα\",\"2OM8/D\":[\"Asset cannot be migrated due to supply cap restriction in \",[\"marketName\"],\" v3 market.\"],\"2Q4GU4\":\"Blocked Address\",\"2ZGocC\":\"Aave is a fully decentralized, community governed protocol by the AAVE token-holders. AAVE token-holders collectively discuss, propose, and vote on upgrades to the protocol. AAVE token-holders (Ethereum network only) can either vote themselves on new proposals or delagate to an address of choice. To learn more check out the Governance\",\"2a6G7d\":\"Please enter a valid wallet address.\",\"2bAhR7\":\"Meet GHO\",\"2eBWE6\":\"I acknowledge the risks involved.\",\"2o/xRt\":\"Επίτευξη του ανώτατου ορίου εφοδιασμού στο αποθεματικό-στόχο. Δοκιμάστε να \\nμειώσετε την ποσότητα.\",\"2uJToh\":[[\"0\"],[\"name\"]],\"2x58bP\":\"Ο σταθερός δανεισμός είναι ενεργοποιημένος\",\"34Qfwy\":\"Υπέρβαση του ανώτατου ορίου δανεισμού\",\"39eQRj\":[\"Δανεισμός \",[\"symbol\"]],\"3BL1xB\":\"Σύνολο παρεχόμενων\",\"3BnIWi\":\"Switched\",\"3K0oMo\":\"Υπολειπόμενη προσφορά\",\"3MoZhl\":\"Δεν υπάρχουν επαρκείς εξασφαλίσεις για την κάλυψη ενός νέου δανείου\",\"3Np5O8\":[\"Προσφορά \",[\"symbol\"]],\"3O8YTV\":\"Total interest accrued\",\"3mXg0z\":\"Μέγιστο LTV\",\"3q3mFy\":\"Αποπληρωμή\",\"3qsjtp\":\"Ο σταθμισμένος μέσος όρος του APY για όλα τα παρεχόμενα περιουσιακά στοιχεία, συμπεριλαμβανομένων των κινήτρων.\",\"3rL+os\":\"Μπορείτε να αποσύρετε τα περιουσιακά σας στοιχεία από τη Μονάδα Ασφαλείας μόνο αφού λήξει η περίοδος αναμονής και το παράθυρο ξεκλειδώματος είναι ενεργό.\",\"42UgDM\":[\"Migrate to \",[\"0\"],\" v3 Market\"],\"49UFQA\":\"Αποτελέσματα ψηφοφορίας\",\"4DMZUI\":\"View Transactions\",\"4HtGBb\":\"ΜΕΓΙΣΤΟ\",\"4Y5H+g\":\"Terms\",\"4YYh4d\":\"Maximum available to borrow\",\"4iPAI3\":\"Minimum GHO borrow amount\",\"4lDFps\":\"Sign to continue\",\"4wyw8H\":\"Transactions\",\"5JSSxX\":[\"Your \",[\"networkName\"],\" wallet is empty. Get free test assets at\"],\"5K7kGO\":\"τεκμηρίωση\",\"5NOSGa\":\"Debt ceiling limits the amount possible to borrow against this asset by protocol users. Debt ceiling is specific to assets in isolation mode and is denoted in USD.\",\"5Ncc6j\":[\"Αυτό το περιουσιακό στοιχείο έχει σχεδόν φτάσει στο όριο της προσφοράς του. Μόνο \",[\"messageValue\"],\" μπορεί να παρασχεθεί σε αυτή την αγορά.\"],\"5cZ/KX\":\"Η προσφορά μεταβλητού χρέους δεν είναι μηδενική\",\"5che++\":\"Για να ζητήσετε πρόσβαση σε αυτή την αδειοδοτημένη αγορά, επισκεφθείτε την ιστοσελίδα: <0>Όνομα Παρόχου Πρόσβασης\",\"5ctNdV\":[\"Minimum \",[\"0\"],\" received\"],\"5hDe9v\":\"Απαιτούμενη δράση επιδότησης\",\"5rsnKT\":\"Διαθέσιμες ανταμοιβές\",\"5yC5m5\":\"View all votes\",\"6/dCYd\":\"Επισκόπηση\",\"60crCe\":\"All transactions\",\"62Xcjh\":\"Εγγύηση\",\"65A04M\":\"Ισπανικά\",\"6G8s+q\":\"Signing\",\"6Jrv+z\":[\"Αποπληρωμή \",[\"symbol\"]],\"6NGLTR\":\"Discountable amount\",\"6Xr0UU\":\"Ψύξη...\",\"6bxci/\":\"Δύναμη ψήφου\",\"6f8S68\":\"Αγορές\",\"6g1gi0\":\"Προτάσεις\",\"6gvoHP\":\"Copy error message\",\"6h3Q5G\":\"repaid\",\"6lFSyT\":\"Available to Stake\",\"6s8L6f\":\"Αλλαγή Δικτύου\",\"6yAAbq\":\"APY, borrow rate\",\"70wH1Q\":\"APR\",\"72c5Qo\":\"Total\",\"73Auuq\":\"Discount parameters are decided by the Aave community and may be changed over time. Check Governance for updates and vote to participate. <0>Learn more\",\"75qcAQ\":[[\"stepName\"]],\"7ITr5L\":\"Συντελεστής υγείας\",\"7T/o5R\":\"Επιτεύχθηκε\",\"7YlcXu\":\"Fork mode is ON\",\"7Z76Iw\":\"Borrowing is unavailable because you’re using Isolation mode. To manage Isolation mode visit your <0>Dashboard.\",\"7aKlMS\":\"Share on Lens\",\"7bdUsR\":\"Redeem as aToken\",\"7er5fP\":\"Διεκδικήστε τα όλα\",\"7hb2+s\":\"Time remaining until the withdraw period ends.\",\"7l88b8\":\"Data couldn't be fetched, please reload graph.\",\"7p5kLi\":\"Ταμπλό\",\"7sofdl\":\"Withdraw and Switch\",\"8+6BI0\":\"Προσοχή - Είστε πολύ κοντά στην ρευστοποίηση. Εξετάστε το ενδεχόμενο να καταθέσετε περισσότερες εγγυήσεις ή να εξοφλήσετε κάποιες από τις δανειακές σας θέσεις\",\"87pUEW\":[\"Το πορτοφόλι σας \",[\"name\"],\" είναι άδειο. Αγοράστε ή μεταφέρετε περιουσιακά στοιχεία.\"],\"8F1i42\":\"Page not found\",\"8G8M0u\":\"Loading data...\",\"8Iu1QS\":\"withdrew\",\"8JL93T\":\"Όλες οι προτάσεις\",\"8Q51DU\":\"Add to wallet\",\"8X/oyn\":\"Μη έγκυρο ποσό για νομισματοκοπία\",\"8Z5FPv\":\"Αποσυνδέστε το πορτοφόλι\",\"8Zz7s5\":\"περιουσιακά στοιχεία\",\"8aLW8H\":\"Balance to revoke\",\"8bOT3H\":\"Ποσοστό χρησιμοποίησης\",\"8sLe4/\":\"View contract\",\"8t/M0y\":\"Please connect your wallet to be able to bridge your tokens.\",\"8vETh9\":\"Εμφάνιση\",\"94OHPx\":\"Εισέρχεστε σε λειτουργία απομόνωσης\",\"9CDK3/\":[\"Ο δανεισμός δεν είναι επί του παρόντος διαθέσιμος για \",[\"0\"],\".\"],\"9GIj3z\":\"Μέγεθος Αποθεματικού\",\"9Knqb4\":\"Staking balance\",\"9OBKm7\":\"Απαρτία\",\"9QHoGr\":\"Τρέχουσες ψήφοι\",\"9Rw96f\":[\"Αυτό το περιουσιακό στοιχείο έχει σχεδόν φτάσει στο όριο δανεισμού του. Υπάρχει μόνο \",[\"messageValue\"],\" διαθέσιμο για δανεισμό από αυτή την αγορά.\"],\"9Xj/qR\":[\"Some migrated assets will not be used as collateral due to enabled isolation mode in \",[\"marketName\"],\" V3 Market. Visit <0>\",[\"marketName\"],\" V3 Dashboard to manage isolation mode.\"],\"9c6vDV\":\"Αυτό το περιουσιακό στοιχείο έχει φτάσει στο όριο της προσφοράς του. Τίποτα δεν είναι διαθέσιμο για προμήθεια από αυτή την αγορά.\",\"9kTWHA\":\"MAI has been paused due to a community decision. Supply, borrows and repays are impacted. <0>More details\",\"9lXchd\":\"Underlying token\",\"9rWaKF\":\"Bridged Via CCIP\",\"9xSooW\":\"Δεδομένου ότι πρόκειται για ένα δοκιμαστικό δίκτυο, μπορείτε να αποκτήσετε οποιοδήποτε από τα περιουσιακά στοιχεία αν έχετε ETH στο πορτοφόλι σας\",\"A/lwoe\":\"Choose one of the on-ramp services\",\"A6dCI6\":[\"Maximum amount available to borrow is <0/> \",[\"0\"],\" (<1/>).\"],\"AReoaV\":\"Τα δάνεια σας\",\"ARu1L4\":\"Repaid\",\"AV7cGz\":\"Αναθεώρηση λεπτομερειών έγκρισης συναλλαγής\",\"AZOjB8\":\"Fetching data...\",\"Ai0jas\":\"Join the community discussion\",\"Ajl2rq\":\"Η δύναμη δανεισμού και τα περιουσιακά στοιχεία είναι περιορισμένα λόγω της λειτουργίας απομόνωσης.\",\"AqgYNC\":\"Protocol borrow cap at 100% for this asset. Further borrowing unavailable.\",\"B3EcQR\":\"Thank you for voting!!\",\"B6aXGH\":\"Σταθερό\",\"B9Gqbz\":\"Variable rate\",\"BDFEd+\":\"stETH supplied as collateral will continue to accrue staking rewards provided by daily rebases.\",\"BE2mP0\":\"Borrowed assets\",\"BJyN77\":\"Due to health factor impact, a flashloan is required to perform this transaction, but Aave Governance has disabled flashloan availability for this asset. Try lowering the amount or supplying additional collateral.\",\"BNL4Ep\":\"Η χρήση εγγύησης είναι περιορισμένη λόγω της λειτουργίας απομόνωσης. <0>Μάθετε περισσότερα\",\"BQ/wCO\":\"Migrate your assets\",\"BjLdl1\":\"At a discount\",\"BnhYo8\":\"Κατηγορία περιουσιακών στοιχείων\",\"Bq9Y7e\":\"This asset is frozen due to an Aave community decision. <0>More details\",\"BqWMDJ\":\"Βρύση\",\"BqynZO\":\"Optimized for efficiency and risk by supporting blue-chip collateral assets\",\"Bsu7zX\":\"The fee includes the gas cost to complete the transaction on the destination chain and the fee paid to Chainlink CCIP service providers. You can chose to pay in the network token or GHO. <0>Learn more\",\"BwJKBw\":\"of\",\"CDrsH+\":\"Techpaper\",\"CK1KXz\":\"Μεγιστο\",\"CMHmbm\":\"Slippage\",\"CZXzs4\":\"Greek\",\"CcRNG6\":\"Switching\",\"CkTRmy\":[\"Διεκδίκηση \",[\"symbol\"]],\"CsqtLm\":\"Please connect your wallet to see migration tool.\",\"CtGlFb\":[[\"networkName\"],\" Βρύση\"],\"Cxt2YY\":\"Watch wallet\",\"D33VQU\":\"This action will reduce health factor of V3 below liquidation threshold. Increase migrated collateral or reduce migrated borrow to continue.\",\"D8sc3k\":\"Stake balance\",\"D9BLRG\":\"This asset has been paused due to a community decision. Supply, withdraw, borrows and repays are impacted.\",\"DAma/S\":\"Η εγγύηση είναι (ως επί το πλείστον) το ίδιο νόμισμα που δανείζεται\",\"DCnFg0\":[\"Addresses (\",[\"0\"],\")\"],\"DG3Lv1\":\"I fully understand the risks of migrating.\",\"DONJcV\":\"Το υποκείμενο περιουσιακό στοιχείο δεν μπορεί να διασωθεί\",\"DR+4uL\":\"Supply balance after switch\",\"DWjrck\":[\"Asset cannot be migrated to \",[\"marketName\"],\" V3 Market due to E-mode restrictions. You can disable or manage E-mode categories in your <0>V3 Dashboard\"],\"Dj+3wB\":\"Aave ανά μήνα\",\"DptNvx\":\"Amount Staked\",\"DuEq2K\":\"Εξασφάλιση\",\"DxfsGs\":\"You can report incident to our <0>Discord or<1>Github.\",\"Dzma+E\":\"Main Ethereum market with the largest selection of assets and yield options\",\"E/QGRL\":\"Απενεργοποιημένο\",\"EBL9Gz\":\"COPIED!\",\"ES8dkb\":\"Fixed rate\",\"EZd3Dk\":[\"Restaking \",[\"symbol\"]],\"Ebgc76\":[\"Ανάληψη \",[\"symbol\"]],\"EdQY6l\":\"Κανένα\",\"EjvKQ+\":\"Minimum USD value received\",\"Enslfm\":\"Destination\",\"EvE9nO\":[\"Reactivate cooldown period to unstake \",[\"0\"],\" \",[\"stakedToken\"]],\"EvECnL\":\"Migrate to v3\",\"EzMQbh\":\"The source chain time to finality is the main factor that determines the time to destination. <0>Learn more\",\"F40cwT\":\"Legacy Markets\",\"F6TdXL\":\"Μάθετε περισσότερα.\",\"FDDPeZ\":\"Users can stake their assets in the protocol and earn incentives. In the case of a shortfall event, your stake can be slashed to cover the deficit, providing an additional layer of protection for the protocol.\",\"FHlMf/\":\"Current v2 balance\",\"FHpxjF\":[\"Reserve factor is a percentage of interest which goes to a \",[\"0\"],\" that is controlled by Aave governance to promote ecosystem growth.\"],\"FOBZa6\":\"Δανεισμός χρησιμοποιημένης ισχύος\",\"FPKEug\":\"Η λειτουργία δεν υποστηρίζεται\",\"FbmMe7\":\"Linked addresses\",\"Fdp03t\":\"ενεργοποίηση\",\"Fjw9N+\":\"Περιουσιακά στοιχεία προς προμήθεια\",\"FmN0fk\":\"Restake\",\"GDGLIs\":\"GHO is a native decentralized, collateral-backed digital asset pegged to USD. It is created by users via borrowing against multiple collateral. When user repays their GHO borrow position, the protocol burns that user's GHO. All the interest payments accrued by minters of GHO would be directly transferred to the AaveDAO treasury.\",\"GQrBTq\":\"Switch E-Mode\",\"GWswcZ\":\"This asset is frozen due to an Aave Protocol Governance decision. On the 20th of December 2022, renFIL will no longer be supported and cannot be bridged back to its native network. It is recommended to withdraw supply positions and repay borrow positions so that renFIL can be bridged back to FIL before the deadline. After this date, it will no longer be possible to convert renFIL to FIL. <0>More details\",\"GX8GKD\":\"Περιουσιακά Στοιχεία\",\"GgEj+0\":\"Read-only mode. Connect to a wallet to perform transactions.\",\"GjkIKV\":\"τελειώνει\",\"GoK/QN\":\"Thank you for submitting feedback!\",\"GtP2hp\":[\"Ο δανεισμός δεν είναι διαθέσιμος επειδή έχετε ενεργοποιήσει τη λειτουργία Αποδοτικότητας (E-Mode) για την κατηγορία \",[\"0\"],\". Για να διαχειριστείτε τις κατηγορίες E-Mode επισκεφθείτε τον <0>Πίνακα ελέγχου.\"],\"H6Ma8Z\":\"Discount\",\"HB/wfS\":[[\"tooltipText\"]],\"HKDsQN\":\"Rewards can be claimed through\",\"Ha/U5f\":\"This is a program initiated and implemented by the decentralised ZKSync community. Aave Labs does not guarantee the program and accepts no liability.\",\"HciqKU\":\"This is a program initiated and implemented by the decentralised Aave community. Aave Labs does not guarantee the program and accepts no liability.\",\"Hi6Ttn\":\"Sorry, an unexpected error happened. In the meantime you may try reloading the page, or come back later.\",\"HkEDbS\":[[\"d\"],\"η\"],\"HmkYqM\":\"Παράθυρο ξεκλειδώματος\",\"HpK/8d\":\"Reload\",\"HrnC47\":\"Save and share\",\"HuVZMK\":\"Days\",\"HvJKMU\":[\"Asset cannot be migrated to \",[\"marketName\"],\" v3 Market since collateral asset will enable isolation mode.\"],\"Hvwnm9\":[\"Maximum amount available to supply is limited because protocol supply cap is at \",[\"0\"],\"%.\"],\"I8CX2c\":\"Το συνολικό ποσό των περιουσιακών σας στοιχείων σε δολάρια ΗΠΑ που μπορούν να χρησιμοποιηθούν ως εγγύηση για δανεισμό περιουσιακών στοιχείων.\",\"IAD2SB\":[\"Claiming \",[\"symbol\"]],\"IG9X9/\":\"Borrowing of this asset is limited to a certain amount to minimize liquidity pool insolvency.\",\"IOIx8L\":\"This asset is planned to be offboarded due to an Aave Protocol Governance decision. <0>More details\",\"IP+I/j\":\"Περίοδος ψύξης\",\"IaA40H\":\"Ρευστοποίηση στο\",\"J/hVSQ\":[[\"0\"]],\"JCoxL6\":\"Manage analytics\",\"JK9zf1\":[\"Estimated compounding interest, including discount for Staking \",[\"0\"],\"AAVE in Safety Module.\"],\"JOqFba\":[\"Unstaking \",[\"symbol\"]],\"JPrLjO\":\"Δεν μπορείτε να χρησιμοποιήσετε αυτό το νόμισμα ως εγγύηση\",\"JU6q+W\":\"Ανταμοιβή(ες) προς διεκδίκηση\",\"JYKRJS\":\"Κλειδώστε\",\"JZMxX0\":\"Δεν υπάρχει αρκετό υπόλοιπο στο πορτοφόλι σας\",\"Jgflkm\":\"Get GHO\",\"JoMQnI\":\"Υπόλοιπο πορτοφολιού\",\"JtwD8u\":\"Borrow balance after repay\",\"JumYTK\":\"Supplied assets\",\"K05qZY\":\"Withdraw & Switch\",\"KAz/NV\":\"Protocol debt ceiling is at 100% for this asset. Further borrowing against this asset is unavailable.\",\"KLXVqE\":[\"stETH tokens will be migrated to Wrapped stETH using Lido Protocol wrapper which leads to supply balance change after migration: \",[\"0\"]],\"KLd6ky\":\"Use connected account\",\"KRpokz\":\"VIEW TX\",\"KSlpka\":\"Αυτό αντιπροσωπεύει το κατώτατο όριο στο οποίο μια θέση δανεισμού θα θεωρηθεί υποεγγυημένη και θα υπόκειται σε ρευστοποίηση για κάθε εγγύηση. Για παράδειγμα, εάν μια εγγύηση έχει κατώτατο όριο ρευστοποίησης 80%, αυτό σημαίνει ότι η θέση θα ρευστοποιηθεί όταν η αξία του χρέους ανέρχεται στο 80% της αξίας της εγγύησης.\",\"KYAjf3\":\"Απομονωμένο\",\"KZwRuD\":[[\"notifyText\"]],\"KkPgim\":\"Switching E-Mode\",\"KnN1Tu\":\"Λήγει\",\"KoOBI2\":\"Due to internal stETH mechanics required for rebasing support, it is not possible to perform a collateral switch where stETH is the source token.\",\"KojyJ4\":\"Λάθος δίκτυο\",\"KsqhWn\":\"Κλείδωμα\",\"KuBTQq\":\"Εισάγετε διεύθυνση ETH\",\"KvG1xW\":\"Διεκδίκηση\",\"L+8Lzs\":\"Τρέχον LTV\",\"L+qiq+\":\"Αγορά\",\"LDzfVJ\":\"Send Feedback\",\"LIrMcF\":\"Δεν υπάρχει δικαίωμα ψήφου\",\"LL0zks\":\"Μπορεί να αποτελέσει εγγύηση\",\"LLdJWu\":\"Διεκδικήσιμο AAVE\",\"LSIpNK\":\"Δεν επιτρέπεται ο δανεισμός και η αποπληρωμή στο ίδιο block\",\"LVt3TI\":[\"<0>Slippage tolerance <1>\",[\"selectedSlippage\"],\"% <2>\",[\"0\"],\"\"],\"LjafV8\":\"Maximum collateral amount to use\",\"LtpQew\":\"Let us know how we can make the app better for you. For user support related inquiries please reach out on\",\"LvVpD/\":\"Emode\",\"M2sknc\":\"Tip: Try increasing slippage or reduce input amount\",\"M7wPsD\":\"Switch\",\"MFu33y\":\"Staking 00\",\"MIy2RJ\":\"Maximum amount received\",\"MZ/nQf\":\"Διεύθυνση παραλήπτη\",\"Ma/MtY\":\"προβολή κλειδώματος\",\"McHlGl\":\"APY change\",\"MeCCA+\":\"APY, μεταβλητό\",\"MghdTe\":\"Εάν ο συντελεστής υγείας πέσει κάτω από το 1, ενδέχεται να ενεργοποιηθεί η ρευστοποίηση των εγγυήσεών σας.\",\"Mm/DVQ\":\"Ακυρώσατε τη συναλλαγή.\",\"MnE2QX\":\"Borrow info\",\"MrmQHg\":\"View Bridge Transactions\",\"MuDFEQ\":\"Μη έγκυρη τιμή επιστροφής της συνάρτησης εκτελεστή flashloan\",\"N5kUMV\":\"Asset can be only used as collateral in isolation mode with limited borrowing power. To enter isolation mode, disable all other collateral.\",\"N6Pxr9\":\"View all\",\"NF0e1Q\":\"Εκκρεμεί...\",\"NK9ikO\":\"Wallet Balance\",\"NMt2CB\":\"Amount claimable\",\"NcFGxG\":\"Collector Contract\",\"NfpPeS\":\"Τίποτα κλειδωμένο\",\"Nh9DAo\":[[\"m\"],\"λ\"],\"O+sCUU\":\"Υπέρβαση του ανώτατου ορίου νομισματοκοπείου χωρίς αντίκρισμα\",\"O+tyU+\":[\"Maximum amount available to borrow against this asset is limited because debt ceiling is at \",[\"0\"],\"%.\"],\"O3oNi5\":\"Email\",\"OFjZGo\":\"Unstake\",\"OR8cYX\":\"Επισκόπηση πρότασης\",\"OYuJ9K\":\"Protocol debt ceiling is at 100% for this asset. Futher borrowing against this asset is unavailable.\",\"OfhWJH\":\"Reset\",\"Og2SKn\":\"απενεργοποιημένο\",\"On0aF2\":\"Website\",\"OsyKSt\":\"Ανάληψη\",\"P1dURE\":\"Revoke power\",\"P2WCD/\":[\"Underlying asset does not exist in \",[\"marketName\"],\" v3 Market, hence this position cannot be migrated.\"],\"P2sL6B\":\"Όταν πραγματοποιείται ρευστοποίηση, οι ρευστοποιητές επιστρέφουν έως και το 50% του ανεξόφλητου δανεισμένου ποσού για λογαριασμό του δανειολήπτη. Σε αντάλλαγμα, μπορούν να αγοράσουν τις εξασφαλίσεις με έκπτωση και να κρατήσουν τη διαφορά (ποινή ρευστοποίησης) ως μπόνους.\",\"P6sRoL\":\"Stake ABPT\",\"P72/OW\":\"Ο σταθμισμένος μέσος όρος του APY για όλα τα δανειακά περιουσιακά στοιχεία, συμπεριλαμβανομένων των κινήτρων.\",\"P7e6Ug\":\"Please connect your wallet to view transaction history.\",\"PByO0X\":\"Votes\",\"PI+kVe\":\"Disable fork\",\"PJK9u/\":\"Borrow apy\",\"PLUB/s\":\"Fee\",\"PP5ZA8\":[\"Participating in staking \",[\"symbol\"],\" gives annualized rewards. Your wallet balance is the sum of your aTokens and underlying assets. The breakdown to stake is below\"],\"PcBUgb\":\"Κατώτατο όριο ρευστοποίησης\",\"PjU6bu\":\"This asset is eligible for SPK incentive program. Aave Labs does not guarantee the program and accepts no liability.\",\"PpqD5g\":\"Η ενεργοποίηση αυτού του περιουσιακού στοιχείου ως εγγύηση αυξάνει τη δανειοληπτική σας ικανότητα και τον Συντελεστή Υγείας. Ωστόσο, μπορεί να ρευστοποιηθεί εάν ο συντελεστής υγείας σας πέσει κάτω από το 1.\",\"PsOFSf\":\"This action will reduce V2 health factor below liquidation threshold. retain collateral or migrate borrow position to continue.\",\"Pu4bI/\":[[\"currentMethod\"]],\"Q0LzKi\":\"View TX\",\"Q4eNqa\":\"The Aave Balancer Pool Token (ABPT) is a liquidity pool token. You can receive ABPT by depositing a combination of AAVE + wstETH in the Balancer liquidity pool. You can then stake your BPT in the Safety Module to secure the protocol and earn Safety Incentives.\",\"QQYsQ7\":\"Withdrawing\",\"QWYCs/\":\"Stake GHO\",\"R+30X3\":\"Δεν έχει επιτευχθεί\",\"RCU5PY\":\"Age\",\"RIfckG\":[\"Απενεργοποίηση \",[\"symbol\"],\" ως εγγύηση\"],\"RMtxNk\":\"Διαφορικό\",\"RNK49r\":\"Μη έγκυρη υπογραφή\",\"RS0o7b\":\"Κατάσταση\",\"RU+LqV\":\"Λεπτομέρειες πρότασης\",\"RYTgZX\":\"lorem ipsum\",\"RbXH+k\":\"AAVE, GHO, and ABPT holders (Ethereum network only) can stake their assets in the Safety Module to add more security to the protocol and earn Safety Incentives. In the case of a shortfall event, your stake can be slashed to cover the deficit, providing an additional layer of protection for the protocol.\",\"RiSYV4\":\"Το περιουσιακό στοιχείο δεν περιλαμβάνεται στον κατάλογο\",\"Rj01Fz\":\"Σύνδεσμοι\",\"RmWFEe\":\"Κλείδωμα APR\",\"RoafuO\":\"Send feedback\",\"RtBLm7\":\"Ο συντελεστής υγείας είναι μικρότερος από το όριο ρευστοποίησης\",\"RxzN1M\":\"Ενεργοποιημένο\",\"SDav7h\":\"Κεφάλαια στην Μονάδα Ασφάλειας\",\"SENccp\":\"If the error continues to happen,<0/> you may report it to this\",\"SIWumd\":\"Show Frozen or paused assets\",\"SM58dD\":\"Amount in cooldown\",\"SSMiac\":\"Failed to load proposal voters. Please refresh the page.\",\"SSQVIz\":\"Liquidation Threshold\",\"SUb8x0\":\"Σύνολο διαθέσιμων\",\"SWIgh4\":\"Fees exceed wallet balance\",\"SY9hVo\":\"Read-only mode allows to see address positions in Aave, but you won't be able to perform transactions.\",\"SZRUQ4\":\"Max slippage\",\"Sa1UE/\":\"Protocol borrow cap is at 100% for this asset. Further borrowing unavailable.\",\"Sk2zW9\":\"Απενεργοποίηση E-Mode\",\"SxaD0o\":\"Ο πάροχος διευθύνσεων κοινόχρηστων ταμείων δεν είναι εγγεγραμμένος\",\"T/AIqG\":\"Protocol supply cap at 100% for this asset. Further supply unavailable.\",\"T0xCO9\":\"Can't validate the wallet address. Try again.\",\"T4OhVl\":\"GHO balance\",\"T6uYU2\":\"Δανεισμός\",\"TFxQlw\":\"Ποινή ρευστοποίησης\",\"TQ7WsV\":\"Available to stake\",\"TUI7iB\":\"To περιουσιακό στοιχείο μπορεί να χρησιμοποιηθεί ως εγγύηση μόνο σε λειτουργία απομόνωσης.\",\"TbjyhA\":\"Docs\",\"TduuS0\":\"Ο χρήστης δεν έχει ανεξόφλητο χρέος σταθερού επιτοκίου σε αυτό το αποθεματικό\",\"TeCFg/\":\"Borrow rate change\",\"Tg1JyO\":\"Bridge history\",\"TskbEN\":\"Holders of stkAAVE receive a discount on the GHO borrowing rate\",\"TszKts\":\"Borrow balance after switch\",\"TtZL6q\":\"Discount model parameters\",\"TwJI9F\":\"Asset has been successfully sent to CCIP contract. You can check the status of the transactions below\",\"Tz0GSZ\":\"blocked activities\",\"U/eBjN\":\"Reload the page\",\"U2r8nY\":\"Choose how much voting/proposition power to give to someone else by delegating some of your AAVE, stkAAVE or aAave balance. Your tokens will remain in your account, but your delegate will be able to vote or propose on your behalf. If your AAVE, stkAAVE or aAave balance changes, your delegate's voting/proposition power will be automatically adjusted.\",\"U8IubP\":\"The app is running in testnet mode. Learn how it works in\",\"U9btTk\":\"Το περιουσιακό στοιχείο δεν είναι δανείσιμο σε λειτουργία απομόνωσης\",\"UAOZRe\":\"Price impact is the spread between the total value of the entry tokens switched and the destination tokens obtained (in USD), which results from the limited liquidity of the trading pair.\",\"UE3KJZ\":\"Transaction history is not currently available for this market\",\"URmyfc\":\"Λεπτομέρειες\",\"UTTKmT\":\"Stake cooldown activated\",\"UXeR72\":\"Τα κεφάλαια αυτά έχουν δανειστεί και δεν είναι διαθέσιμα για ανάληψη αυτή τη στιγμή.\",\"UYb8CM\":\"Learn more about the SPK rewards\",\"UbRrG0\":\"Ο δείκτης μέγιστου LTV αντιπροσωπεύει τη μέγιστη δανειοληπτική ικανότητα μιας συγκεκριμένης εγγύησης. Για παράδειγμα, εάν μια εγγύηση έχει LTV 75%, ο χρήστης μπορεί να δανειστεί έως και 0,75 ETH στο κύριο νόμισμα για κάθε 1 ETH αξίας εγγύησης.\",\"UpndFj\":\"Δεν υπάρχουν ανταμοιβές για διεκδίκηση\",\"V0f2Xv\":\"Reserve factor\",\"V1HK43\":\"Migration risks\",\"VATFH9\":\"Covered debt\",\"VHOVEJ\":\"Συνδέστε το πορτοφόλι\",\"VMfYUK\":\"Ασφάλεια των κατατεθειμένων εξασφαλίσεών σας έναντι των δανειζόμενων περιουσιακών στοιχείων και της υποκείμενης αξίας τους.\",\"VOAZJh\":\"Σύνολο δανείων\",\"ViKYxK\":\"ΥΠΕΡ\",\"W1SSoD\":\"Αναθεώρηση λεπτομερειών συναλλαγής\",\"W5hVah\":\"Τίποτα δεν έχει παρασχεθεί ακόμη\",\"W5kTFy\":\"Voting\",\"W8ekPc\":\"Back to Dashboard\",\"WMPbRK\":\"Μη υποστηριζόμενο\",\"WNGZwH\":\"Το E-Mode αυξάνει το LTV σας για μια επιλεγμένη κατηγορία περιουσιακών στοιχείων έως και <0/>. <1>Μάθετε περισσότερα\",\"WPWG/y\":\"Κατάσταση & διαμόρφωση αποθεματικού\",\"WZLQSU\":\"Ο χρήστης δεν μπορεί να κάνει ανάληψη μεγαλύτερη από το διαθέσιμο υπόλοιπο\",\"WaZyaV\":\"<0>Ampleforth is a rebasing asset. Visit the <1>documentation to learn more.\",\"WfU+XN\":\"Because this asset is paused, no actions can be taken until further notice\",\"Wjmqs2\":\"No results found. You can import a custom token with a contract address\",\"WkZ6C6\":\"Για να δανειστείτε πρέπει να προσκομίσετε οποιοδήποτε περιουσιακό στοιχείο που θα χρησιμοποιηθεί ως εγγύηση.\",\"WyMiQm\":\"You've successfully switched tokens.\",\"X/ITG9\":\"Κείμενο σφάλματος αντιγραφής\",\"X3Pp6x\":\"Χρησιμοποιείται ως εγγύηση\",\"X4Zt7j\":\"Η ενέργεια δεν μπορεί να εκτελεστεί επειδή η εφεδρεία βρίσκεται σε παύση\",\"XBdKOj\":\"Representative smart contract wallet (ie. Safe) addresses on other chains.\",\"XZzneG\":\"Θα βγείτε από τη λειτουργία απομόνωσης και άλλα tokens μπορούν πλέον να χρησιμοποιηθούν ως εγγύηση\",\"Xg5y9S\":\"Amount to Bridge\",\"Xn4hUi\":\"Please always be aware of your <0>Health Factor (HF) when partially migrating a position and that your rates will be updated to V3 rates.\",\"Xy71ST\":\"Umbrella\",\"Y5kGkc\":\"ΨΗΦΙΣΤΕ ΚΑΤΑ\",\"YDIOks\":\"Ενεργοποίηση E-Mode\",\"YSodyW\":\"This action will reduce your health factor. Please be mindful of the increased risk of collateral liquidation.\",\"YXOWXM\":\"The total amount bridged minus CCIP fees. Paying in network token does not impact gho amount.\",\"YirHq7\":\"Feedback\",\"YogbCJ\":\"Testnet mode is ON\",\"YrDxdO\":\"Εάν το δάνειο προς αξία υπερβεί το όριο ρευστοποίησης, η παρεχόμενη εγγύηση σας μπορεί να ρευστοποιηθεί.\",\"YyIM65\":\"Δεν τηρήθηκαν οι όροι επανεξισορρόπησης των επιτοκίων\",\"YyydIq\":[\"Add \",[\"0\"],\" to wallet to track your balance.\"],\"ZBvhI+\":\"Διακυβέρνηση Aave\",\"ZIIRAd\":\"Raw-Ipfs\",\"ZRq4tX\":\"Λειτουργία αποδοτικότητας (E-Mode)\",\"ZSqEW+\":\"Manage E-Mode\",\"ZUFYFE\":\"Disable testnet\",\"Zbyywy\":\"Μέγιστη περικοπή\",\"ZfUGFb\":\"Πριν από την προμήθεια\",\"ZiXN+B\":\"Assets to stake\",\"ZlsSDH\":\"Αξία ρευστοποίησης\",\"ZrEc8j\":\"We couldn't find any assets related to your search. Try again with a different asset name, symbol, or address.\",\"ZsLF7e\":\"ενεργοποιημένο\",\"a0YQoQ\":\"Enter a valid address\",\"a2fBZn\":\"Χρόνος που απομένει για το ξεκλείδωμα\",\"a5RYZd\":\"Η απενεργοποίηση αυτού του περιουσιακού στοιχείου ως εγγύηση επηρεάζει τη δανειοληπτική σας ικανότητα και τον Συντελεστή Υγείας.\",\"a7u1N9\":\"Price\",\"a9D+6D\":\"Unstaked\",\"aEtiwq\":\"Ψηφίστε ΚΑΤΑ\",\"aMmFE1\":\"Buy Crypto With Fiat\",\"aOKIms\":\"Οι παράμετροι της συστοιχίας που θα έπρεπε να είναι ίσου μήκους δεν είναι\",\"aX31hk\":\"Your balance is lower than the selected amount.\",\"adUsDd\":\"An error has occurred fetching the proposal.\",\"al6Pyz\":\"Exceeds the discount\",\"aoXTT7\":\"Δανεισμός APY, μεταβλητό\",\"aqX1Yp\":\"This asset is eligible for rewards through SuperFest. Aave Labs does not guarantee the program and accepts no liability.\",\"avgETN\":\"Eligible for the Merit program.\",\"b4NS3e\":\"Προειδοποίηση περιόδου ψύξης\",\"bNEQeI\":\"Cooldown\",\"bSruit\":\"ZKSync Ignite Program rewards are claimed through the\",\"bUUVED\":\"Περιουσιακό στοιχείο\",\"bXQ/Og\":\"Μοιραστείτε το στο twitter\",\"bXr0ee\":\"Τα απομονωμένα περιουσιακά στοιχεία έχουν περιορισμένη δανειοληπτική ικανότητα και άλλα περιουσιακά στοιχεία δεν μπορούν να χρησιμοποιηθούν ως εγγύηση.\",\"bYmAV1\":\"Addresses\",\"bguKoJ\":\"Το αιτούμενο ποσό είναι μεγαλύτερο από το μέγιστο μέγεθος δανείου στη λειτουργία σταθερού επιτοκίου\",\"bwSQI0\":\"Προσφορά\",\"bxN6EM\":\"Cannot disable E-Mode\",\"bxmzSh\":\"Δεν υπάρχουν επαρκείς εγγυήσεις για την αποπληρωμή αυτού του ποσού χρέους με\",\"c91vuQ\":\"Η διεύθυνση δεν είναι συμβόλαιο\",\"c97os2\":\"Aave aToken\",\"c9b44w\":\"Δεν μπορείτε να αποσύρετε αυτό το ποσό, διότι θα προκληθεί κλήση εγγύησης\",\"cBc+4A\":\"Αυτό είναι το συνολικό ποσό που μπορείτε να δανειστείτε. Μπορείτε να δανειστείτε με βάση την εξασφάλισή σας και μέχρι να επιτευχθεί το ανώτατο όριο δανεισμού.\",\"cIl5kp\":\"Your voting power is based on your AAVE/stkAAVE balance and received delegations.\",\"cLo09S\":\"Λεπτομέρειες κινδύνου\",\"cNT+ij\":\"Ο δανεισμός δεν είναι διαθέσιμος επειδή έχετε ενεργοποιήσει τη Λειτουργία Αποδοτικότητας (E-Mode) και τη λειτουργία Απομόνωσης. Για να διαχειριστείτε τη λειτουργία E-Mode και τη λειτουργία Απομόνωσης, επισκεφθείτε τον <0>Πίνακα ελέγχου.\",\"cZOeBk\":\"Something went wrong fetching bridge message, please try again later.\",\"ceix5S\":\"To submit a proposal for minor changes to the protocol, you'll need at least 80.00K power. If you want to change the core code base, you'll need 320k power.<0>Learn more.\",\"ciSsYT\":\"Staking APY\",\"ciybUa\":\"Ψηφίστε ΥΠΕΡ\",\"ckf7gX\":[\"Αποπληρώνοντας \",[\"symbol\"]],\"cp1ZDP\":[\"Bridge \",[\"symbol\"]],\"cqnmnD\":\"Effective interest rate\",\"cqwIvs\":\"Συζήτηση φόρουμ\",\"csDS2L\":\"Διαθέσιμο\",\"cu7Stb\":\"Δεν συμμετείχατε στην παρούσα πρόταση\",\"dE6BLF\":\"Διακυβέρνηση\",\"dEgA5A\":\"Cancel\",\"dIsyWh\":\"Η επικύρωση του Ltv απέτυχε\",\"dMtLDE\":\"to\",\"dOB5nW\":[\"Maximum amount available to supply is <0/> \",[\"0\"],\" (<1/>).\"],\"dVfODp\":\"Δεν έχετε αρκετά χρήματα στο πορτοφόλι σας για να αποπληρώσετε ολόκληρο το ποσό. Εάν προχωρήσετε στην αποπληρωμή με το τρέχον ποσό των χρημάτων σας, θα εξακολουθείτε να έχετε μια μικρή θέση δανεισμού στο ταμπλό σας.\",\"dXUQFX\":\"Περιουσιακά στοιχεία προς δανεισμό\",\"dgr1aY\":\"Borrowing is disabled due to an Aave community decision. <0>More details\",\"djsg0o\":\"Χρησιμοποίηση εγγυήσεων\",\"dpc0qG\":\"Μεταβλητό\",\"drdV8R\":\"Liquidation\",\"dxW8cS\":\"Aave debt token\",\"e4V3oW\":\"Top 10 addresses\",\"eD8WX/\":\"Η δράση απαιτεί ενεργό απόθεμα\",\"eJRJ04\":\"Amount to unstake\",\"eLh0cL\":\"Slippage is the difference between the quoted and received amounts from changing market conditions between the moment the transaction is submitted and its verification.\",\"ePK91l\":\"Edit\",\"eVpCmf\":\"Staking Rewards\",\"eVqvtf\":\"Bridge GHO\",\"eYdurp\":\"No transactions yet.\",\"ebLGGN\":\"Σύνολο δανεικών\",\"ecqEvn\":\"Το υπόλοιπο των εγγυήσεων είναι 0\",\"efdrrk\":\"Available on\",\"enruNF\":\"starts\",\"eqLYiD\":\"Ξεκλειδώστε τώρα\",\"euScGB\":\"APY with discount applied\",\"evw5ha\":\"Καθαρή αξία\",\"ezcU16\":\"Get ABP Token\",\"f3W0Ej\":[\"Αλλάξατε σε ποσοστό \",[\"0\"]],\"fH9i8k\":\"You've successfully switched borrow position.\",\"fHcELk\":\"Καθαρό APR\",\"fMJQZK\":\"Borrowed\",\"fZ5Vnu\":\"Received\",\"firl9Q\":\"Το τρέχον δάνειο προς αξία με βάση τις παρεχόμενες εξασφαλίσεις σας.\",\"flRCF/\":\"Staking discount\",\"fldjW9\":\"Preview tx and migrate\",\"fsBGk0\":\"Υπόλοιπο\",\"fu1Dbh\":[\"Ανάληψη \",[\"symbol\"]],\"fwjWSI\":\"Supplied\",\"fwyTMb\":\"Migrate to stkABPT v2\",\"g0mals\":\"You can not disable E-Mode because that could cause liquidation. To exit E-Mode supply or repay borrowed positions.\",\"g2UNkE\":\"Powered by\",\"g8KGoA\":\"FAQS\",\"g9zzqS\":\"Voted NAY\",\"gDd2gk\":\"about SuperFest.\",\"gFFh9h\":\"Όλα έτοιμα!\",\"gIMJlW\":\"Λειτουργία Testnet\",\"gOzPxe\":\"This asset is frozen due to an Aave Protocol Governance decision. <0>More details\",\"gTHi2T\":\"Ο χρήστης προσπαθεί να δανειστεί πολλαπλά περιουσιακά στοιχεία, συμπεριλαμβανομένου ενός απομονωμένου περιουσιακού στοιχείου\",\"gVW59Y\":\"Please connect your wallet to get free testnet assets.\",\"gcFNxP\":\"Approve Confirmed\",\"gncRUO\":\"This address is blocked on app.aave.com because it is associated with one or more\",\"goff7V\":\"Η μηδενική διεύθυνση δεν είναι έγκυρη\",\"gp+f1B\":\"Version 3\",\"gr8mYw\":\"You may borrow up to <0/> GHO at <1/> (max discount)\",\"gvTM4B\":\"Το καθαρό ΑΡΥ είναι η συνδυασμένη επίδραση όλων των θέσεων προσφοράς και δανεισμού στην καθαρή αξία, συμπεριλαμβανομένων των κινήτρων. Είναι δυνατόν να υπάρχει αρνητικό καθαρό APY εάν το χρεωστικό APY είναι υψηλότερο από το προσφερόμενο APY.\",\"gzcch9\":\"Μη έγκυρη αμοιβή πρωτοκόλλου γέφυρας\",\"h33MxW\":\"Representing smart contract wallet (ie. Safe) addresses on other chains.\",\"h3ilK+\":\".CSV\",\"hB23LY\":\"Activate Cooldown\",\"hIJzBh\":\"Available to Claim\",\"hIS4N0\":\"Καθαρό APY\",\"hRWvpI\":\"Claimed\",\"hdmy/o\":\"Το % της συνολικής δανειοληπτικής σας δύναμης που χρησιμοποιείται. Αυτό βασίζεται στο ποσό της παρεχόμενης εξασφάλισής σας και στο συνολικό ποσό που μπορείτε να δανειστείτε.\",\"hehnjM\":\"Ποσό\",\"hjDCQr\":\"Υπήρξε κάποιο σφάλμα. Προσπαθήστε να αλλάξετε τις παραμέτρους ή <0><1>αντιγράψτε το σφάλμα\",\"hom7qf\":\"Διεκδίκηση\",\"hpHJ4I\":\"Liquidated collateral\",\"hpuVIp\":\"Users who stake AAVE in Safety Module (i.e. stkAAVE holders) receive a discount on GHO borrow interest rate.\",\"huQ6Tz\":[\"Δανεισμός \",[\"symbol\"]],\"hxi7vE\":\"Borrow balance\",\"i/fZ2Z\":\"Staked Balance\",\"i2JTiw\":\"You may enter a custom amount in the field.\",\"iB5+/J\":\"About GHO\",\"iChbOF\":\"Ασυνεπείς παράμετροι flashloan\",\"iEPVHF\":\"Δεν έχει αρκετή δύναμη ψήφου για να συμμετάσχει στην παρούσα πρόταση\",\"iEW87X\":\"Delegated power\",\"iEju36\":[\"Ψηφίσατε \",[\"0\"]],\"iFq2YN\":\"Borrowable\",\"iGxyIA\":\"Safety Module\",\"iMVZk9\":\"Select slippage tolerance\",\"iPMIoT\":\"Εισάγετε ένα ποσό\",\"iSLIjg\":\"Connect\",\"iUo5rv\":\"tokens δεν είναι το ίδιο με το να τα κλειδώνετε. Εάν επιθυμείτε να κλειδώσετε τα\",\"iZxa38\":\"Use it to vote for or against active proposals.\",\"if5PH+\":\"Collector Info\",\"igkfR1\":[\"In Isolation mode, you cannot supply other assets as collateral. A global debt ceiling limits the borrowing power of the isolated asset. To exit isolation mode disable \",[\"0\"],\" as collateral before borrowing another asset. Read more in our <0>FAQ\"],\"il0sEG\":\"H χρήση εγγυήσεων είναι περιορισμένη λόγω της λειτουργίας Απομόνωσης.\",\"j+K1Xj\":\"Amount After Fee\",\"jA2QeW\":\"Προμηθεύοντας το\",\"jFi7dz\":\"Interest rate that is determined by Aave Governance. This rate may be changed over time depending on the need for the GHO supply to contract/expand. <0>Learn more\",\"jG3UJ7\":\"Απενεργοποίηση E-Mode\",\"jKYzR1\":\"Ενεργοποίηση E-Mode\",\"jMam5g\":[[\"0\"],\" Υπόλοιπο\"],\"jSYv+Z\":\"Enabling E-Mode allows you to maximize your borrowing power, however, borrowing is restricted to assets within the selected category. <0>Learn more about how it works and the applied restrictions.\",\"jaKbwW\":[[\"s\"],\"δ\"],\"jbFMap\":\"Χρόνος ψύξης που έχει απομείνει\",\"jeMZNr\":[[\"0\"],\" on-ramp service is provided by External Provider and by selecting you agree to Terms of the Provider. Your access to the service might be reliant on the External Provider being operational.\"],\"jfl9OP\":\"Migrated\",\"jmXdoY\":\"Στο E-Mode ορισμένα περιουσιακά στοιχεία δεν είναι δανείσιμα. Βγείτε από το E-Mode για να αποκτήσετε πρόσβαση σε όλα τα περιουσιακά στοιχεία\",\"jpctdh\":\"View\",\"jqzUyM\":\"Μη διαθέσιμο\",\"k/sb6z\":\"Επιλέξτε γλώσσα\",\"k3wP3f\":\"<0>Attention: Parameter changes via governance can alter your account health factor and risk of liquidation. Follow the <1>Aave governance forum for updates.\",\"kACpF3\":[\"Διεκδίκηση \",[\"0\"]],\"kH6wUX\":\"Επίδραση στην τιμή\",\"kIC28N\":\"Available to claim\",\"kIpSye\":[[\"numSelected\"],\"/\",[\"numAvailable\"],\" assets selected\"],\"kN1Yg5\":\"Για την εξόφληση εκ μέρους ενός χρήστη απαιτείται ένα ρητό ποσό προς εξόφληση\",\"kRTD40\":[\"Repayment amount to reach \",[\"0\"],\"% utilization\"],\"kjN9tT\":\"Υπέρβαση του ανώτατου ορίου προσφοράς\",\"knxE+G\":\".JSON\",\"ks2LWT\":\"Το ανώτατο όριο χρέους δεν είναι μηδενικό\",\"kwwn6i\":\"Users who stake AAVE in Safety Module (i.e. stkAAVE holders) receive a discount on GHO borrow interest rate. The discount applies to 100 GHO for every 1 stkAAVE held. Use the calculator below to see GHO borrow rate with the discount applied.\",\"kz3wtK\":\"and about SPK program\",\"kzZyM4\":\"DAI balance will be converted via DSR contracts and then supplied as sDAI. Switching incurs no additional costs and no slippage.\",\"lNVG7i\":\"Select an asset\",\"lU2d1/\":[\"Asset cannot be migrated due to insufficient liquidity or borrow cap limitation in \",[\"marketName\"],\" v3 market.\"],\"lVhKKI\":\"Voted YAE\",\"lWLqxB\":\"We couldn't find any transactions related to your search. Try again with a different asset name, or reset filters.\",\"lYGfRP\":\"Αγγλικά\",\"lfEjIE\":\"Μάθετε περισσότερα στον οδηγό <0>Συχνών Ερωτήσεων\",\"lt6bpt\":\"Collateral to repay with\",\"m/IEhi\":\"Συνολικές εκπομπές ανά ημέρα\",\"m7r7Hh\":\"Selected borrow assets\",\"mDDK4p\":\"Balancer Pool\",\"mIM0qu\":\"Expected amount to repay\",\"mUAFd6\":\"Version 2\",\"masO5Z\":\"E-Mode increases your LTV for a selected category of assets. <0>Learn more\",\"mdNjKU\":[\"Your \",[\"name\"],\" wallet is empty. Purchase or transfer assets or use <0>\",[\"0\"],\" to transfer your \",[\"network\"],\" assets.\"],\"muiOng\":[\"Buy \",[\"cryptoSymbol\"],\" with Fiat\"],\"mvCXBY\":\"Stake AAVE\",\"mwdzil\":\"Εντάξει, Κλείσιμο\",\"mzI/c+\":\"Download\",\"mzdIia\":\"Το περιουσιακό στοιχείο δεν μπορεί να χρησιμοποιηθεί ως εγγύηση.\",\"n+SX4g\":\"Προγραμματιστές\",\"n8Psk4\":\"We couldn’t detect a wallet. Connect a wallet to stake and view your balance.\",\"nJIhzm\":\"Προσφορά apy\",\"nJgsQu\":\"Με δύναμη ψήφου <0/>\",\"nLC6tu\":\"Γαλλικά\",\"nN2T8p\":\"During the cooldown period, you will not earn any merit rewards. However, rewards earned up to this point will remain unaffected.\",\"nNHV0z\":\"Migrating multiple collaterals and borrowed assets at the same time can be an expensive operation and might fail in certain situations.<0>Therefore it’s not recommended to migrate positions with more than 5 assets (deposited + borrowed) at the same time.\",\"nNbnzu\":\"Proposition\",\"nOy4ob\":\"We suggest you go back to the Dashboard.\",\"nPGNMh\":\"Μπορεί να εκτελεστεί\",\"nUK1ou\":[\"Assets with zero LTV (\",[\"0\"],\") must be withdrawn or disabled as collateral to perform this action\"],\"nakd8r\":\"stkAAVE holders get a discount on GHO borrow rate\",\"nh2EJK\":[\"Παρακαλώ μεταβείτε στο \",[\"networkName\"],\".\"],\"njBeMm\":\"Both\",\"noN5Xf\":\"We couldn’t detect a wallet. Connect a wallet to view your staking positions and rewards.\",\"ntkAoE\":\"Discount applied for <0/> staking AAVE\",\"ntyFSE\":[[\"h\"],\"ω\"],\"nwtY4N\":\"Something went wrong\",\"nxyWvj\":\"Withdrawing this amount will reduce your health factor and increase risk of liquidation.\",\"o17QVP\":\"Ο συντελεστής υγείας και το δάνειο προς αξία καθορίζουν τη διασφάλιση των εξασφαλίσεών σας. Για να αποφύγετε τις ρευστοποιήσεις μπορείτε να παράσχετε περισσότερες εξασφαλίσεις ή να εξοφλήσετε δανειακές θέσεις.\",\"o1xc2V\":\"Η προσφορά AToken δεν είναι μηδενική\",\"o4tCu3\":\"Borrow APY\",\"o5ooMr\":\"Χρέος\",\"o7J4JM\":\"Φίλτρο\",\"oHFrpj\":\"Ψύξτε για ξεκλείδωμα\",\"oJ5ZiG\":\"Ο χρήστης δεν έχει ανεξόφλητο χρέος μεταβλητού επιτοκίου σε αυτό το αποθεματικό\",\"oRBGin\":\"Please connect your wallet to be able to switch your tokens.\",\"oUwXhx\":\"Test Assets\",\"oWklJD\":\"Το σταθερό επιτόκιο θα <0>μείνει το ίδιο για όλη τη διάρκεια του δανείου σας. Συνιστάται για μακροχρόνιες περιόδους δανεισμού και για χρήστες που προτιμούν την προβλεψιμότητα.\",\"odnIK3\":\"Time remaining until the 48 hour withdraw period starts.\",\"oiK5nY\":\"The current incentives period, decided on by the Aave community, has ended. Governance is in the process on renewing, check for updates. <0>Learn more.\",\"olREoo\":\"All borrow positions outside of this category must be closed to enable this category.\",\"om/XHs\":\"Διαθέσιμο για προμήθεια\",\"ov0+mq\":\"Eligible for the ZKSync Ignite program.\",\"ovT1pF\":[\"Per the community, the \",[\"market\"],\" has been frozen.\"],\"ow3fug\":\"Nothing found\",\"owSsI3\":\"Signatures ready\",\"p+R52m\":\"Go to Balancer Pool\",\"p2A+s1\":[\"Η περίοδος ψύξης είναι \",[\"0\"],\". Μετά την \",[\"1\"],\" περίοδο ψύξης, θα εισέλθετε στο παράθυρο ξεκλειδώματος \",[\"2\"],\". Θα συνεχίσετε να λαμβάνετε ανταμοιβές κατά τη διάρκεια της ψύξης και του παραθύρου ξεκλειδώματος.\"],\"p2S64u\":\"The loan to value of the migrated positions would cause liquidation. Increase migrated collateral or reduce migrated borrow to continue.\",\"p2Z2Qi\":\"Αυτό το περιουσιακό στοιχείο έχει φθάσει στο ανώτατο όριο δανεισμού του. Τίποτα δεν είναι διαθέσιμο για δανεισμό από αυτή την αγορά.\",\"p3j+mb\":\"Το υπόλοιπο της ανταμοιβής σας είναι 0\",\"p45alK\":\"Set up delegation\",\"p6u2s1\":\"Minimum amount of debt to be repaid\",\"pDgeaz\":[[\"title\"]],\"pdZqBk\":\"Το υποκείμενο υπόλοιπο πρέπει να είναι μεγαλύτερο από 0\",\"pgWG9H\":\"Δεν υπάρχει αρκετό κλειδωμένο υπόλοιπο\",\"piPrJ7\":\"παρακαλούμε ελέγξτε ότι το ποσό που θέλετε να παρέχετε δεν χρησιμοποιείται επί του παρόντος για κλείδωμα. Εάν χρησιμοποιείται για κλείδωμα, η συναλλαγή σας ενδέχεται να αποτύχει.\",\"pjO/iH\":\"Minimum amount received\",\"pooutM\":\"Voting is on\",\"pqaM5s\":\"Confirming transaction\",\"ptaxX3\":[\"Καταλαβαίνω πώς λειτουργεί η ψύξη (\",[\"0\"],\") και το ξεκλείδωμα (\",[\"1\"],\")\"],\"py2iiY\":\"Ο καλών αυτής της συνάρτησης πρέπει να είναι ένα κοινόχρηστο ταμείο\",\"q/51mF\":\"Migrate to V3\",\"q3df11\":\"Interest rate strategy\",\"q6lAbz\":\"Κλειδωμένο\",\"qB4kPi\":\"Προσφορά APY\",\"qENI8q\":\"Γενικές ρυθμίσεις\",\"qGz5zl\":\"Collateral balance after repay\",\"qIW9ZH\":\"Amount staked\",\"qOqbD6\":\"αντιγράψτε το σφάλμα\",\"qXCkEM\":\"Συνδέστε το πορτοφόλι σας για να δείτε τις προμήθειες, τα δάνεια και τις ανοιχτές θέσεις σας.\",\"qY2jnw\":\"Μη έγκυρη λήξη\",\"qf/fr+\":\"Interest accrued\",\"quYPUU\":\"Variable interest rate will <0>fluctuate based on the market conditions.\",\"quzIeW\":\"User is in isolation mode or LTV is zero\",\"qvnz3q\":\"Μη έγκυρη ποσότητα προς καύση\",\"rHgdb0\":\"Migrate to Aave V3\",\"rOrHHe\":\"Το ποσό πρέπει να είναι μεγαλύτερο από 0\",\"rQ+R+0\":\"Selected supply assets\",\"rSayea\":\"APY\",\"rTBDeu\":[\"Asset cannot be migrated because you have isolated collateral in \",[\"marketName\"],\" v3 Market which limits borrowable assets. You can manage your collateral in <0>\",[\"marketName\"],\" V3 Dashboard\"],\"rcT+yy\":\"Εμφάνιση περιουσιακών στοιχείων με υπόλοιπο 0\",\"rf8POi\":\"Borrowed asset amount\",\"riNWOA\":\"E-Mode\",\"rjGI/Q\":\"Privacy\",\"rnKPW1\":\"Watch a wallet balance in read-only mode\",\"ruc7X+\":\"Add stkAAVE to see borrow APY with the discount\",\"rvbaFU\":[\"Bridging \",[\"symbol\"]],\"rwVVB7\":\"Διεκδικήστε όλες τις ανταμοιβές\",\"rwyUva\":\"These assets are temporarily frozen or paused by Aave community decisions, meaning that further supply / borrow, or rate swap of these assets are unavailable. Withdrawals and debt repayments are allowed. Follow the <0>Aave governance forum for further updates.\",\"rxJW5W\":\"Your proposition power is based on your AAVE/stkAAVE balance and received delegations.\",\"s2jJnW\":\"You don't have any bridge transactions\",\"s5wBAq\":[\"Unstake \",[\"symbol\"]],\"sJbIdI\":\"Enter ETH address or ENS\",\"sK+Nag\":\"Αναθεώρηση συναλλαγής\",\"sP2+gB\":\"ΚΑΤΑ\",\"sQv06Y\":\"for\",\"sTtO6J\":\"Confirm transaction\",\"sXKb3l\":\"Exchange rate\",\"sb0q4+\":\"Μπορείτε να ξεκλειδώσετε εδώ\",\"smJNwH\":\"Διαθέσιμο για δανεισμό\",\"solypO\":\"Ο παράγοντας υγείας δεν είναι κάτω από το όριο\",\"sr0UJD\":\"Πηγαίνετε Πίσω\",\"ss5GCK\":\"Η διεύθυνση του παρόχου διευθύνσεων κοινόχρηστου ταμείου είναι άκυρη\",\"swEgK4\":\"Οι πληροφορίες ψήφου σας\",\"t+wtgf\":\"Τίποτα δανεισμένο ακόμα\",\"t/YqKh\":\"Remove\",\"t81DpC\":[\"Approve \",[\"symbol\"],\" to continue\"],\"tCnbEs\":\"Τιμή Oracle\",\"tFZLf8\":\"Αυτός ο υπολογισμός gas είναι μόνο μια εκτίμηση. Το πορτοφόλι σας θα καθορίσει την τιμή της συναλλαγής. Μπορείτε να τροποποιήσετε τις ρυθμίσεις gas απευθείας από τον πάροχο του πορτοφολιού σας.\",\"tHuvQI\":\"Go to V3 Dashboard\",\"tKv7cI\":\"Switch borrow position\",\"tOcg3N\":\"Since this asset is frozen, the only available actions are withdraw and repay which can be accessed from the <0>Dashboard\",\"tOuXfv\":[\"Borrow amount to reach \",[\"0\"],\"% utilization\"],\"te9Bfl\":\"Παρακαλώ, συνδέστε το πορτοφόλι σας\",\"tt5yma\":\"Οι προμήθειές σας\",\"ttoh5c\":\"Switch to\",\"u3ZeYl\":\"Η συναλλαγή απέτυχε\",\"u706uF\":\"Άκυρη πριμοδότηση flashloan\",\"u8Gfu7\":[\"No search results\",[\"0\"]],\"uAQUqI\":\"Status\",\"uHMwk8\":\"No assets selected to migrate.\",\"uJPHuY\":\"Migrating\",\"uY8O30\":\"To continue, you need to grant Aave smart contracts permission to move your funds from your wallet. Depending on the asset and wallet you use, it is done by signing the permission message (gas free), or by submitting an approval transaction (requires gas). <0>Learn more\",\"udFheE\":\"Για την αποπληρωμή ενός συγκεκριμένου τύπου χρέους, ο χρήστης πρέπει να έχει χρέος αυτού του τύπου\",\"ulNuNq\":\"Export data to\",\"ulup2p\":\"Buy Crypto with Fiat\",\"umICAY\":\"<0><1><2/>Add stkAAVE to see borrow rate with discount\",\"usB84Z\":\"Maximum amount available to borrow is limited because protocol borrow cap is nearly reached.\",\"uwAUvj\":\"COPY IMAGE\",\"v8x7Mg\":\"Insufficient collateral to cover new borrow position. Wallet must have borrowing power remaining to perform debt switch.\",\"vEqxH9\":\"Restaked\",\"vLyv1R\":\"Απόκρυψη\",\"vMba49\":\"Ο δανεισμός δεν είναι ενεργοποιημένος\",\"vMpNwt\":\"Approve with\",\"vXIe7J\":\"Γλώσσα\",\"vesuBJ\":\"Σας επιτρέπει να αποφασίσετε αν θα χρησιμοποιήσετε ένα παρεχόμενο περιουσιακό στοιχείο ως εγγύηση. Ένα περιουσιακό στοιχείο που χρησιμοποιείται ως εγγύηση θα επηρεάσει τη δανειοληπτική σας ικανότητα και τον συντελεστή υγείας.\",\"w+V9Cx\":\"Σταθερό νόμισμα\",\"w/JtJ3\":\"Η σταθερή προσφορά χρέους δεν είναι μηδενική\",\"w4VBY+\":\"Ανταμοιβές APR\",\"w9dLMW\":[[\"label\"]],\"wAOL+X\":[\"Εσείς \",[\"action\"],\" <0/> \",[\"symbol\"]],\"wBIsjb\":\"Discord channel\",\"wQZbc/\":\"Ο καλών της συνάρτησης δεν είναι AToken\",\"wRRqvW\":\"Δεν έχετε προμήθειες σε αυτό το νόμισμα\",\"wZFvVU\":\"ΨΗΦΙΣΤΕ ΥΠΕΡ\",\"wb/r1O\":[\"Βρύση \",[\"0\"]],\"wdxz7K\":\"Source\",\"weH1nG\":\"The Aave Protocol is programmed to always use the price of 1 GHO = $1. This is different from using market pricing via oracles for other crypto assets. This creates stabilizing arbitrage opportunities when the price of GHO fluctuates.\",\"wh7Ezv\":\"You have no AAVE/stkAAVE/aAave balance to delegate.\",\"wlsIx7\":\"With testnet Faucet you can get free assets to test the Aave Protocol. Make sure to switch your wallet provider to the appropriate testnet network, select desired asset, and click ‘Faucet’ to get tokens transferred to your wallet. The assets on a testnet are not “real,” meaning they have no monetary value. <0>Learn more\",\"wmE285\":\"Get ABP v2 Token\",\"wyRrcJ\":\"As a result of governance decisions, this ABPT staking pool is now deprecated. You have the flexibility to either migrate all of your tokens to v2 or unstake them without any cooldown period.\",\"x5KiLL\":\"Selected assets have successfully migrated. Visit the Market Dashboard to see them.\",\"x7F2p6\":\"Τρέχον διαφορικό\",\"x7K5ib\":[\"Your \",[\"networkName\"],\" wallet is empty. Get free test \",[\"0\"],\" at\"],\"x9iLRD\":\"tokens, παρακαλούμε μεταβείτε στο\",\"xNy/UG\":\"Αποπληρωμή με\",\"xPm8wv\":\"Μάθετε περισσότερα για τους κινδύνους\",\"xXYpZl\":[[\"0\"],\" Βρύση\"],\"xaVBSS\":\"Οι πληροφορίες σας\",\"xaWZ6f\":\"APY type change\",\"xh6k71\":\"Collateral usage is limited because of isolation mode.\",\"xvIklc\":\"Flashloan is disabled for this asset, hence this position cannot be migrated.\",\"y5rS9U\":\"Migrate\",\"y66tBm\":[\"Ενεργοποίηση \",[\"symbol\"],\" ως εγγύηση\"],\"yB1YpA\":\"Σκοτεινή λειτουργία\",\"yCrG6m\":\"Συνολικό μέγεθος της αγοράς\",\"yJUUbn\":\"Επισκόπηση συναλλαγής\",\"yLGmLX\":[\"Restake \",[\"symbol\"]],\"yW1oWB\":\"Τύπος APY\",\"yYHqJe\":\"Μη έγκυρη διεύθυνση\",\"yZwLw6\":\"Track wallet\",\"yh2sjd\":[\"Price impact \",[\"0\"],\"%\"],\"yhvj6d\":\"Δεν μπορείτε να αλλάξετε τη χρήση ως λειτουργία εγγύησης για αυτό το νόμισμα, διότι θα προκαλέσει κλήση εγγύησης\",\"ylmtBZ\":\"The app is running in fork mode.\",\"ymNY32\":[\"Δεν υπάρχουν αρκετά κεφάλαια στο\",[\"0\"],\"αποθεματικό για δανεισμό\"],\"yz7wBu\":\"Κλείσιμο\",\"z4uGQg\":\"Υπέρβαση του ανώτατου ορίου χρέους\",\"z5UQOM\":\"Η εγγύηση που έχει επιλεγεί δεν μπορεί να ρευστοποιηθεί\",\"z5Y+p6\":[\"Παροχή \",[\"symbol\"]],\"zCjNKs\":\"Η ενέργεια δεν μπορεί να εκτελεστεί επειδή το αποθεματικό έχει παγώσει\",\"zRHytX\":\"Isolated Debt Ceiling\",\"zTOjMP\":\"Protocol supply cap is at 100% for this asset. Further supply unavailable.\",\"zVdRUG\":\"Submission did not work, please try again later or contact wecare@avara.xyz\",\"zevmS2\":\"<0><1><2/>Add <3/> stkAAVE to borrow at <4/> (max discount)\",\"zgtIDV\":\"Υπολειπόμενο χρέος\",\"zmTPiV\":\"Υπόλοιπο προσφοράς\",\"zpPbZl\":\"Liquidation risk parameters\",\"zucql+\":\"Μενού\",\"zwWKhA\":\"Μάθετε περισσότερα\",\"zy9fXn\":[\"Asset is frozen in \",[\"marketName\"],\" v3 market, hence this position cannot be migrated.\"],\"zys+R6\":\"Be mindful of the network congestion and gas prices.\",\"zzzTXS\":\"Merit Program rewards are claimed through the\"}")}; \ No newline at end of file +/*eslint-disable*/module.exports={messages:JSON.parse("{\"+0xecS\":[\"Εάν ΔΕΝ ξεκλειδώσετε εντός \",[\"0\"],\" του παραθύρου ξεκλειδώματος, θα πρέπει να ενεργοποιήσετε ξανά τη διαδικασία ψύξης.\"],\"+EGVI0\":\"Receive (est.)\",\"+VR63W\":[\"Η συμμετοχή σε αυτό το αποθεματικό \",[\"symbol\"],\" δίνει ετήσιες ανταμοιβές.\"],\"+bmKdK\":\"Use your AAVE, stkAAVE, or aAave balance to delegate your voting and proposition powers. You will not be sending any tokens, only the rights to vote and propose changes to the protocol. You can re-delegate or revoke power to self at any time.\",\"+eOPG+\":\"Φαίνεται ότι δεν μπορούμε να αλλάξουμε το δίκτυο αυτόματα. Ελέγξτε αν μπορείτε να το αλλάξετε από το πορτοφόλι.\",\"+i3Pd2\":\"Ανώτατο όριο δανεισμού\",\"+kLZGu\":\"Supplied asset amount\",\"+nuEh/\":\"Estimated time\",\"+xMFF8\":\"Remind me\",\"/57U31\":\"Amount to migrate\",\"/7ykiW\":\"Borrowing this amount will reduce your health factor and increase risk of liquidation.\",\"/YA5pU\":\"E-Mode increases your LTV for a selected category of assets, meaning that when E-mode is enabled, you will have higher borrowing power over assets of the same E-mode category which are defined by Aave Governance. You can enter E-Mode from your <0>Dashboard. To learn more about E-Mode and applied restrictionn, see the <1>help guide or the <2>Aave V3 Technical Paper.\",\"/izjs/\":\"Minimum staked Aave amount\",\"/jQctM\":\"To\",\"/lDBHm\":\"ΣΥΧΝΕΣ ΕΡΩΤΗΣΕΙΣ\",\"/yNlZf\":\"Ο σταθερός δανεισμός δεν είναι ενεργοποιημένος\",\"/yQcJM\":\"Συνολική αξία\",\"00AB2i\":\"Ο χρήστης δεν δανείστηκε το καθορισμένο νόμισμα\",\"00OflG\":\"There is not enough liquidity for the target asset to perform the switch. Try lowering the amount.\",\"08/rZ9\":\"The cooldown period is the time required prior to unstaking your tokens (20 days). You can only withdraw your assets from the Security Module after the cooldown period and within the unstake window.<0>Learn more\",\"0AmQcW\":\"Rate change\",\"0BF3yK\":\"Sorry, we couldn't find the page you were looking for.\",\"0TAbjq\":\"Recent Transactions\",\"0jhlyw\":\"Liquidation risk\",\"0ojY+Y\":\"Current v2 Balance\",\"0thX3P\":\"Collateral change\",\"0wGCWc\":\"Αυτό είναι το συνολικό ποσό που μπορείτε να προμηθεύσετε σε αυτό το αποθεματικό. Μπορείτε να προμηθεύσετε το υπόλοιπο του πορτοφολιού σας μέχρι να επιτευχθεί το ανώτατο όριο προμηθειών.\",\"1AsVfF\":\"Price data is not currently available for this reserve on the protocol subgraph\",\"1LjK22\":\"Transaction history\",\"1Onqx8\":[\"Έγκριση του \",[\"symbol\"],\"...\"],\"1Ue8sX\":\"Παρακαλούμε συνδέστε ένα πορτοφόλι για να δείτε τις προσωπικές σας πληροφορίες εδώ.\",\"1YH41K\":[\"After the cooldown period ends, you will enter the unstake window of \",[\"0\"],\". You will continue receiving rewards during cooldown and the unstake period.\"],\"1bpx9A\":\"...\",\"1kWUB+\":\"Ρευστοποίηση <0/> κατώτατο όριο\",\"1m9Qqc\":\"Withdrawing and Switching\",\"1oyh4g\":\"Borrow rate\",\"1t7rez\":\"Asset supply is limited to a certain amount to reduce protocol exposure to the asset and to help manage risks involved.\",\"2CAPu2\":\"You've successfully withdrew & switched tokens.\",\"2Eoi/a\":\"Προβολή λεπτομερειών\",\"2FYpfJ\":\"Περισσότερα\",\"2O3qp5\":\"Διαθέσιμη ρευστότητα\",\"2OM8/D\":[\"Asset cannot be migrated due to supply cap restriction in \",[\"marketName\"],\" v3 market.\"],\"2Q4GU4\":\"Blocked Address\",\"2ZGocC\":\"Aave is a fully decentralized, community governed protocol by the AAVE token-holders. AAVE token-holders collectively discuss, propose, and vote on upgrades to the protocol. AAVE token-holders (Ethereum network only) can either vote themselves on new proposals or delagate to an address of choice. To learn more check out the Governance\",\"2a6G7d\":\"Please enter a valid wallet address.\",\"2bAhR7\":\"Meet GHO\",\"2eBWE6\":\"I acknowledge the risks involved.\",\"2o/xRt\":\"Επίτευξη του ανώτατου ορίου εφοδιασμού στο αποθεματικό-στόχο. Δοκιμάστε να \\nμειώσετε την ποσότητα.\",\"2uJToh\":[[\"0\"],[\"name\"]],\"2x58bP\":\"Ο σταθερός δανεισμός είναι ενεργοποιημένος\",\"34Qfwy\":\"Υπέρβαση του ανώτατου ορίου δανεισμού\",\"39eQRj\":[\"Δανεισμός \",[\"symbol\"]],\"3BL1xB\":\"Σύνολο παρεχόμενων\",\"3BnIWi\":\"Switched\",\"3K0oMo\":\"Υπολειπόμενη προσφορά\",\"3MoZhl\":\"Δεν υπάρχουν επαρκείς εξασφαλίσεις για την κάλυψη ενός νέου δανείου\",\"3Np5O8\":[\"Προσφορά \",[\"symbol\"]],\"3O8YTV\":\"Total interest accrued\",\"3mXg0z\":\"Μέγιστο LTV\",\"3q3mFy\":\"Αποπληρωμή\",\"3qsjtp\":\"Ο σταθμισμένος μέσος όρος του APY για όλα τα παρεχόμενα περιουσιακά στοιχεία, συμπεριλαμβανομένων των κινήτρων.\",\"3rL+os\":\"Μπορείτε να αποσύρετε τα περιουσιακά σας στοιχεία από τη Μονάδα Ασφαλείας μόνο αφού λήξει η περίοδος αναμονής και το παράθυρο ξεκλειδώματος είναι ενεργό.\",\"42UgDM\":[\"Migrate to \",[\"0\"],\" v3 Market\"],\"49UFQA\":\"Αποτελέσματα ψηφοφορίας\",\"4DMZUI\":\"View Transactions\",\"4HtGBb\":\"ΜΕΓΙΣΤΟ\",\"4Y5H+g\":\"Terms\",\"4YYh4d\":\"Maximum available to borrow\",\"4iPAI3\":\"Minimum GHO borrow amount\",\"4lDFps\":\"Sign to continue\",\"4wyw8H\":\"Transactions\",\"5JSSxX\":[\"Your \",[\"networkName\"],\" wallet is empty. Get free test assets at\"],\"5K7kGO\":\"τεκμηρίωση\",\"5NOSGa\":\"Debt ceiling limits the amount possible to borrow against this asset by protocol users. Debt ceiling is specific to assets in isolation mode and is denoted in USD.\",\"5Ncc6j\":[\"Αυτό το περιουσιακό στοιχείο έχει σχεδόν φτάσει στο όριο της προσφοράς του. Μόνο \",[\"messageValue\"],\" μπορεί να παρασχεθεί σε αυτή την αγορά.\"],\"5cZ/KX\":\"Η προσφορά μεταβλητού χρέους δεν είναι μηδενική\",\"5che++\":\"Για να ζητήσετε πρόσβαση σε αυτή την αδειοδοτημένη αγορά, επισκεφθείτε την ιστοσελίδα: <0>Όνομα Παρόχου Πρόσβασης\",\"5ctNdV\":[\"Minimum \",[\"0\"],\" received\"],\"5hDe9v\":\"Απαιτούμενη δράση επιδότησης\",\"5rsnKT\":\"Διαθέσιμες ανταμοιβές\",\"5yC5m5\":\"View all votes\",\"6/dCYd\":\"Επισκόπηση\",\"60crCe\":\"All transactions\",\"62Xcjh\":\"Εγγύηση\",\"65A04M\":\"Ισπανικά\",\"6G8s+q\":\"Signing\",\"6Jrv+z\":[\"Αποπληρωμή \",[\"symbol\"]],\"6NGLTR\":\"Discountable amount\",\"6Xr0UU\":\"Ψύξη...\",\"6bxci/\":\"Δύναμη ψήφου\",\"6f8S68\":\"Αγορές\",\"6g1gi0\":\"Προτάσεις\",\"6gvoHP\":\"Copy error message\",\"6h3Q5G\":\"repaid\",\"6lFSyT\":\"Available to Stake\",\"6s8L6f\":\"Αλλαγή Δικτύου\",\"6yAAbq\":\"APY, borrow rate\",\"70wH1Q\":\"APR\",\"72c5Qo\":\"Total\",\"73Auuq\":\"Discount parameters are decided by the Aave community and may be changed over time. Check Governance for updates and vote to participate. <0>Learn more\",\"75qcAQ\":[[\"stepName\"]],\"7ITr5L\":\"Συντελεστής υγείας\",\"7T/o5R\":\"Επιτεύχθηκε\",\"7YlcXu\":\"Fork mode is ON\",\"7Z76Iw\":\"Borrowing is unavailable because you’re using Isolation mode. To manage Isolation mode visit your <0>Dashboard.\",\"7aKlMS\":\"Share on Lens\",\"7bdUsR\":\"Redeem as aToken\",\"7er5fP\":\"Διεκδικήστε τα όλα\",\"7hb2+s\":\"Time remaining until the withdraw period ends.\",\"7l88b8\":\"Data couldn't be fetched, please reload graph.\",\"7p5kLi\":\"Ταμπλό\",\"7sofdl\":\"Withdraw and Switch\",\"8+6BI0\":\"Προσοχή - Είστε πολύ κοντά στην ρευστοποίηση. Εξετάστε το ενδεχόμενο να καταθέσετε περισσότερες εγγυήσεις ή να εξοφλήσετε κάποιες από τις δανειακές σας θέσεις\",\"87pUEW\":[\"Το πορτοφόλι σας \",[\"name\"],\" είναι άδειο. Αγοράστε ή μεταφέρετε περιουσιακά στοιχεία.\"],\"8F1i42\":\"Page not found\",\"8G8M0u\":\"Loading data...\",\"8Iu1QS\":\"withdrew\",\"8JL93T\":\"Όλες οι προτάσεις\",\"8Q51DU\":\"Add to wallet\",\"8X/oyn\":\"Μη έγκυρο ποσό για νομισματοκοπία\",\"8Z5FPv\":\"Αποσυνδέστε το πορτοφόλι\",\"8Zz7s5\":\"περιουσιακά στοιχεία\",\"8aLW8H\":\"Balance to revoke\",\"8bOT3H\":\"Ποσοστό χρησιμοποίησης\",\"8sLe4/\":\"View contract\",\"8t/M0y\":\"Please connect your wallet to be able to bridge your tokens.\",\"8vETh9\":\"Εμφάνιση\",\"94OHPx\":\"Εισέρχεστε σε λειτουργία απομόνωσης\",\"9CDK3/\":[\"Ο δανεισμός δεν είναι επί του παρόντος διαθέσιμος για \",[\"0\"],\".\"],\"9GIj3z\":\"Μέγεθος Αποθεματικού\",\"9Knqb4\":\"Staking balance\",\"9OBKm7\":\"Απαρτία\",\"9QHoGr\":\"Τρέχουσες ψήφοι\",\"9Rw96f\":[\"Αυτό το περιουσιακό στοιχείο έχει σχεδόν φτάσει στο όριο δανεισμού του. Υπάρχει μόνο \",[\"messageValue\"],\" διαθέσιμο για δανεισμό από αυτή την αγορά.\"],\"9Xj/qR\":[\"Some migrated assets will not be used as collateral due to enabled isolation mode in \",[\"marketName\"],\" V3 Market. Visit <0>\",[\"marketName\"],\" V3 Dashboard to manage isolation mode.\"],\"9c6vDV\":\"Αυτό το περιουσιακό στοιχείο έχει φτάσει στο όριο της προσφοράς του. Τίποτα δεν είναι διαθέσιμο για προμήθεια από αυτή την αγορά.\",\"9kTWHA\":\"MAI has been paused due to a community decision. Supply, borrows and repays are impacted. <0>More details\",\"9lXchd\":\"Underlying token\",\"9rWaKF\":\"Bridged Via CCIP\",\"9xSooW\":\"Δεδομένου ότι πρόκειται για ένα δοκιμαστικό δίκτυο, μπορείτε να αποκτήσετε οποιοδήποτε από τα περιουσιακά στοιχεία αν έχετε ETH στο πορτοφόλι σας\",\"A/lwoe\":\"Choose one of the on-ramp services\",\"A6dCI6\":[\"Maximum amount available to borrow is <0/> \",[\"0\"],\" (<1/>).\"],\"AReoaV\":\"Τα δάνεια σας\",\"ARu1L4\":\"Repaid\",\"AV7cGz\":\"Αναθεώρηση λεπτομερειών έγκρισης συναλλαγής\",\"AZOjB8\":\"Fetching data...\",\"Ai0jas\":\"Join the community discussion\",\"Ajl2rq\":\"Η δύναμη δανεισμού και τα περιουσιακά στοιχεία είναι περιορισμένα λόγω της λειτουργίας απομόνωσης.\",\"AqgYNC\":\"Protocol borrow cap at 100% for this asset. Further borrowing unavailable.\",\"B3EcQR\":\"Thank you for voting!!\",\"B6aXGH\":\"Σταθερό\",\"B9Gqbz\":\"Variable rate\",\"BDFEd+\":\"stETH supplied as collateral will continue to accrue staking rewards provided by daily rebases.\",\"BE2mP0\":\"Borrowed assets\",\"BJyN77\":\"Due to health factor impact, a flashloan is required to perform this transaction, but Aave Governance has disabled flashloan availability for this asset. Try lowering the amount or supplying additional collateral.\",\"BNL4Ep\":\"Η χρήση εγγύησης είναι περιορισμένη λόγω της λειτουργίας απομόνωσης. <0>Μάθετε περισσότερα\",\"BQ/wCO\":\"Migrate your assets\",\"BjLdl1\":\"At a discount\",\"BnhYo8\":\"Κατηγορία περιουσιακών στοιχείων\",\"Bq9Y7e\":\"This asset is frozen due to an Aave community decision. <0>More details\",\"BqWMDJ\":\"Βρύση\",\"BqynZO\":\"Optimized for efficiency and risk by supporting blue-chip collateral assets\",\"Bsu7zX\":\"The fee includes the gas cost to complete the transaction on the destination chain and the fee paid to Chainlink CCIP service providers. You can chose to pay in the network token or GHO. <0>Learn more\",\"BwJKBw\":\"of\",\"C4/GSi\":\"Your balance of assets that are available to stake\",\"CDrsH+\":\"Techpaper\",\"CK1KXz\":\"Μεγιστο\",\"CMHmbm\":\"Slippage\",\"CZXzs4\":\"Greek\",\"CcRNG6\":\"Switching\",\"CkTRmy\":[\"Διεκδίκηση \",[\"symbol\"]],\"CsqtLm\":\"Please connect your wallet to see migration tool.\",\"CtGlFb\":[[\"networkName\"],\" Βρύση\"],\"Cxt2YY\":\"Watch wallet\",\"D33VQU\":\"This action will reduce health factor of V3 below liquidation threshold. Increase migrated collateral or reduce migrated borrow to continue.\",\"D8sc3k\":\"Stake balance\",\"D9BLRG\":\"This asset has been paused due to a community decision. Supply, withdraw, borrows and repays are impacted.\",\"DAma/S\":\"Η εγγύηση είναι (ως επί το πλείστον) το ίδιο νόμισμα που δανείζεται\",\"DCnFg0\":[\"Addresses (\",[\"0\"],\")\"],\"DG3Lv1\":\"I fully understand the risks of migrating.\",\"DONJcV\":\"Το υποκείμενο περιουσιακό στοιχείο δεν μπορεί να διασωθεί\",\"DR+4uL\":\"Supply balance after switch\",\"DWjrck\":[\"Asset cannot be migrated to \",[\"marketName\"],\" V3 Market due to E-mode restrictions. You can disable or manage E-mode categories in your <0>V3 Dashboard\"],\"Dj+3wB\":\"Aave ανά μήνα\",\"DptNvx\":\"Amount Staked\",\"DuEq2K\":\"Εξασφάλιση\",\"DxfsGs\":\"You can report incident to our <0>Discord or<1>Github.\",\"Dzma+E\":\"Main Ethereum market with the largest selection of assets and yield options\",\"E/QGRL\":\"Απενεργοποιημένο\",\"EBL9Gz\":\"COPIED!\",\"ES8dkb\":\"Fixed rate\",\"EZd3Dk\":[\"Restaking \",[\"symbol\"]],\"EZqFZ+\":\"Staking this asset will earn the underlying asset supply yield in additon to other configured rewards.\",\"Ebgc76\":[\"Ανάληψη \",[\"symbol\"]],\"EdQY6l\":\"Κανένα\",\"EjvKQ+\":\"Minimum USD value received\",\"Enslfm\":\"Destination\",\"EvE9nO\":[\"Reactivate cooldown period to unstake \",[\"0\"],\" \",[\"stakedToken\"]],\"EvECnL\":\"Migrate to v3\",\"EzMQbh\":\"The source chain time to finality is the main factor that determines the time to destination. <0>Learn more\",\"F40cwT\":\"Legacy Markets\",\"F6TdXL\":\"Μάθετε περισσότερα.\",\"FDDPeZ\":\"Users can stake their assets in the protocol and earn incentives. In the case of a shortfall event, your stake can be slashed to cover the deficit, providing an additional layer of protection for the protocol.\",\"FHlMf/\":\"Current v2 balance\",\"FHpxjF\":[\"Reserve factor is a percentage of interest which goes to a \",[\"0\"],\" that is controlled by Aave governance to promote ecosystem growth.\"],\"FOBZa6\":\"Δανεισμός χρησιμοποιημένης ισχύος\",\"FPKEug\":\"Η λειτουργία δεν υποστηρίζεται\",\"FbmMe7\":\"Linked addresses\",\"Fdp03t\":\"ενεργοποίηση\",\"Fjw9N+\":\"Περιουσιακά στοιχεία προς προμήθεια\",\"FmN0fk\":\"Restake\",\"GDGLIs\":\"GHO is a native decentralized, collateral-backed digital asset pegged to USD. It is created by users via borrowing against multiple collateral. When user repays their GHO borrow position, the protocol burns that user's GHO. All the interest payments accrued by minters of GHO would be directly transferred to the AaveDAO treasury.\",\"GQrBTq\":\"Switch E-Mode\",\"GWswcZ\":\"This asset is frozen due to an Aave Protocol Governance decision. On the 20th of December 2022, renFIL will no longer be supported and cannot be bridged back to its native network. It is recommended to withdraw supply positions and repay borrow positions so that renFIL can be bridged back to FIL before the deadline. After this date, it will no longer be possible to convert renFIL to FIL. <0>More details\",\"GX8GKD\":\"Περιουσιακά Στοιχεία\",\"GgEj+0\":\"Read-only mode. Connect to a wallet to perform transactions.\",\"GjkIKV\":\"τελειώνει\",\"GoK/QN\":\"Thank you for submitting feedback!\",\"GtP2hp\":[\"Ο δανεισμός δεν είναι διαθέσιμος επειδή έχετε ενεργοποιήσει τη λειτουργία Αποδοτικότητας (E-Mode) για την κατηγορία \",[\"0\"],\". Για να διαχειριστείτε τις κατηγορίες E-Mode επισκεφθείτε τον <0>Πίνακα ελέγχου.\"],\"H6Ma8Z\":\"Discount\",\"HB/wfS\":[[\"tooltipText\"]],\"HKDsQN\":\"Rewards can be claimed through\",\"Ha/U5f\":\"This is a program initiated and implemented by the decentralised ZKSync community. Aave Labs does not guarantee the program and accepts no liability.\",\"HciqKU\":\"This is a program initiated and implemented by the decentralised Aave community. Aave Labs does not guarantee the program and accepts no liability.\",\"Hi6Ttn\":\"Sorry, an unexpected error happened. In the meantime you may try reloading the page, or come back later.\",\"HkEDbS\":[[\"d\"],\"η\"],\"HmkYqM\":\"Παράθυρο ξεκλειδώματος\",\"HpK/8d\":\"Reload\",\"HrnC47\":\"Save and share\",\"HuVZMK\":\"Days\",\"HvJKMU\":[\"Asset cannot be migrated to \",[\"marketName\"],\" v3 Market since collateral asset will enable isolation mode.\"],\"Hvwnm9\":[\"Maximum amount available to supply is limited because protocol supply cap is at \",[\"0\"],\"%.\"],\"I8CX2c\":\"Το συνολικό ποσό των περιουσιακών σας στοιχείων σε δολάρια ΗΠΑ που μπορούν να χρησιμοποιηθούν ως εγγύηση για δανεισμό περιουσιακών στοιχείων.\",\"IAD2SB\":[\"Claiming \",[\"symbol\"]],\"IG9X9/\":\"Borrowing of this asset is limited to a certain amount to minimize liquidity pool insolvency.\",\"IOIx8L\":\"This asset is planned to be offboarded due to an Aave Protocol Governance decision. <0>More details\",\"IP+I/j\":\"Περίοδος ψύξης\",\"IaA40H\":\"Ρευστοποίηση στο\",\"J/hVSQ\":[[\"0\"]],\"JCoxL6\":\"Manage analytics\",\"JK9zf1\":[\"Estimated compounding interest, including discount for Staking \",[\"0\"],\"AAVE in Safety Module.\"],\"JOqFba\":[\"Unstaking \",[\"symbol\"]],\"JPrLjO\":\"Δεν μπορείτε να χρησιμοποιήσετε αυτό το νόμισμα ως εγγύηση\",\"JU6q+W\":\"Ανταμοιβή(ες) προς διεκδίκηση\",\"JYKRJS\":\"Κλειδώστε\",\"JZMxX0\":\"Δεν υπάρχει αρκετό υπόλοιπο στο πορτοφόλι σας\",\"Jgflkm\":\"Get GHO\",\"JoMQnI\":\"Υπόλοιπο πορτοφολιού\",\"JtwD8u\":\"Borrow balance after repay\",\"JumYTK\":\"Supplied assets\",\"K05qZY\":\"Withdraw & Switch\",\"KAz/NV\":\"Protocol debt ceiling is at 100% for this asset. Further borrowing against this asset is unavailable.\",\"KLXVqE\":[\"stETH tokens will be migrated to Wrapped stETH using Lido Protocol wrapper which leads to supply balance change after migration: \",[\"0\"]],\"KLd6ky\":\"Use connected account\",\"KRpokz\":\"VIEW TX\",\"KSlpka\":\"Αυτό αντιπροσωπεύει το κατώτατο όριο στο οποίο μια θέση δανεισμού θα θεωρηθεί υποεγγυημένη και θα υπόκειται σε ρευστοποίηση για κάθε εγγύηση. Για παράδειγμα, εάν μια εγγύηση έχει κατώτατο όριο ρευστοποίησης 80%, αυτό σημαίνει ότι η θέση θα ρευστοποιηθεί όταν η αξία του χρέους ανέρχεται στο 80% της αξίας της εγγύησης.\",\"KYAjf3\":\"Απομονωμένο\",\"KZwRuD\":[[\"notifyText\"]],\"KkPgim\":\"Switching E-Mode\",\"KnN1Tu\":\"Λήγει\",\"KoOBI2\":\"Due to internal stETH mechanics required for rebasing support, it is not possible to perform a collateral switch where stETH is the source token.\",\"KojyJ4\":\"Λάθος δίκτυο\",\"KsqhWn\":\"Κλείδωμα\",\"KuBTQq\":\"Εισάγετε διεύθυνση ETH\",\"KvG1xW\":\"Διεκδίκηση\",\"L+8Lzs\":\"Τρέχον LTV\",\"L+qiq+\":\"Αγορά\",\"LDzfVJ\":\"Send Feedback\",\"LIrMcF\":\"Δεν υπάρχει δικαίωμα ψήφου\",\"LL0zks\":\"Μπορεί να αποτελέσει εγγύηση\",\"LLdJWu\":\"Διεκδικήσιμο AAVE\",\"LSIpNK\":\"Δεν επιτρέπεται ο δανεισμός και η αποπληρωμή στο ίδιο block\",\"LVt3TI\":[\"<0>Slippage tolerance <1>\",[\"selectedSlippage\"],\"% <2>\",[\"0\"],\"\"],\"LjafV8\":\"Maximum collateral amount to use\",\"LtpQew\":\"Let us know how we can make the app better for you. For user support related inquiries please reach out on\",\"LvVpD/\":\"Emode\",\"M2sknc\":\"Tip: Try increasing slippage or reduce input amount\",\"M7wPsD\":\"Switch\",\"MFu33y\":\"Staking 00\",\"MIy2RJ\":\"Maximum amount received\",\"MZ/nQf\":\"Διεύθυνση παραλήπτη\",\"Ma/MtY\":\"προβολή κλειδώματος\",\"McHlGl\":\"APY change\",\"MeCCA+\":\"APY, μεταβλητό\",\"MghdTe\":\"Εάν ο συντελεστής υγείας πέσει κάτω από το 1, ενδέχεται να ενεργοποιηθεί η ρευστοποίηση των εγγυήσεών σας.\",\"Mm/DVQ\":\"Ακυρώσατε τη συναλλαγή.\",\"MnE2QX\":\"Borrow info\",\"MrmQHg\":\"View Bridge Transactions\",\"MuDFEQ\":\"Μη έγκυρη τιμή επιστροφής της συνάρτησης εκτελεστή flashloan\",\"N5kUMV\":\"Asset can be only used as collateral in isolation mode with limited borrowing power. To enter isolation mode, disable all other collateral.\",\"N6Pxr9\":\"View all\",\"NF0e1Q\":\"Εκκρεμεί...\",\"NK9ikO\":\"Wallet Balance\",\"NMt2CB\":\"Amount claimable\",\"NcFGxG\":\"Collector Contract\",\"NfpPeS\":\"Τίποτα κλειδωμένο\",\"Nh9DAo\":[[\"m\"],\"λ\"],\"O+sCUU\":\"Υπέρβαση του ανώτατου ορίου νομισματοκοπείου χωρίς αντίκρισμα\",\"O+tyU+\":[\"Maximum amount available to borrow against this asset is limited because debt ceiling is at \",[\"0\"],\"%.\"],\"O3oNi5\":\"Email\",\"OFjZGo\":\"Unstake\",\"OR8cYX\":\"Επισκόπηση πρότασης\",\"OYuJ9K\":\"Protocol debt ceiling is at 100% for this asset. Futher borrowing against this asset is unavailable.\",\"OfhWJH\":\"Reset\",\"Og2SKn\":\"απενεργοποιημένο\",\"On0aF2\":\"Website\",\"OsyKSt\":\"Ανάληψη\",\"P1dURE\":\"Revoke power\",\"P2WCD/\":[\"Underlying asset does not exist in \",[\"marketName\"],\" v3 Market, hence this position cannot be migrated.\"],\"P2sL6B\":\"Όταν πραγματοποιείται ρευστοποίηση, οι ρευστοποιητές επιστρέφουν έως και το 50% του ανεξόφλητου δανεισμένου ποσού για λογαριασμό του δανειολήπτη. Σε αντάλλαγμα, μπορούν να αγοράσουν τις εξασφαλίσεις με έκπτωση και να κρατήσουν τη διαφορά (ποινή ρευστοποίησης) ως μπόνους.\",\"P6sRoL\":\"Stake ABPT\",\"P72/OW\":\"Ο σταθμισμένος μέσος όρος του APY για όλα τα δανειακά περιουσιακά στοιχεία, συμπεριλαμβανομένων των κινήτρων.\",\"P7e6Ug\":\"Please connect your wallet to view transaction history.\",\"PByO0X\":\"Votes\",\"PI+kVe\":\"Disable fork\",\"PJK9u/\":\"Borrow apy\",\"PLUB/s\":\"Fee\",\"PP5ZA8\":[\"Participating in staking \",[\"symbol\"],\" gives annualized rewards. Your wallet balance is the sum of your aTokens and underlying assets. The breakdown to stake is below\"],\"PcBUgb\":\"Κατώτατο όριο ρευστοποίησης\",\"PjU6bu\":\"This asset is eligible for SPK incentive program. Aave Labs does not guarantee the program and accepts no liability.\",\"PpqD5g\":\"Η ενεργοποίηση αυτού του περιουσιακού στοιχείου ως εγγύηση αυξάνει τη δανειοληπτική σας ικανότητα και τον Συντελεστή Υγείας. Ωστόσο, μπορεί να ρευστοποιηθεί εάν ο συντελεστής υγείας σας πέσει κάτω από το 1.\",\"PsOFSf\":\"This action will reduce V2 health factor below liquidation threshold. retain collateral or migrate borrow position to continue.\",\"Pu4bI/\":[[\"currentMethod\"]],\"Q0LzKi\":\"View TX\",\"Q4eNqa\":\"The Aave Balancer Pool Token (ABPT) is a liquidity pool token. You can receive ABPT by depositing a combination of AAVE + wstETH in the Balancer liquidity pool. You can then stake your BPT in the Safety Module to secure the protocol and earn Safety Incentives.\",\"QQYsQ7\":\"Withdrawing\",\"QWYCs/\":\"Stake GHO\",\"R+30X3\":\"Δεν έχει επιτευχθεί\",\"RCU5PY\":\"Age\",\"RIfckG\":[\"Απενεργοποίηση \",[\"symbol\"],\" ως εγγύηση\"],\"RMtxNk\":\"Διαφορικό\",\"RNK49r\":\"Μη έγκυρη υπογραφή\",\"RS0o7b\":\"Κατάσταση\",\"RU+LqV\":\"Λεπτομέρειες πρότασης\",\"RbXH+k\":\"AAVE, GHO, and ABPT holders (Ethereum network only) can stake their assets in the Safety Module to add more security to the protocol and earn Safety Incentives. In the case of a shortfall event, your stake can be slashed to cover the deficit, providing an additional layer of protection for the protocol.\",\"RiSYV4\":\"Το περιουσιακό στοιχείο δεν περιλαμβάνεται στον κατάλογο\",\"Rj01Fz\":\"Σύνδεσμοι\",\"RmWFEe\":\"Κλείδωμα APR\",\"RoafuO\":\"Send feedback\",\"RtBLm7\":\"Ο συντελεστής υγείας είναι μικρότερος από το όριο ρευστοποίησης\",\"RxzN1M\":\"Ενεργοποιημένο\",\"SDav7h\":\"Κεφάλαια στην Μονάδα Ασφάλειας\",\"SENccp\":\"If the error continues to happen,<0/> you may report it to this\",\"SIWumd\":\"Show Frozen or paused assets\",\"SM58dD\":\"Amount in cooldown\",\"SSMiac\":\"Failed to load proposal voters. Please refresh the page.\",\"SSQVIz\":\"Liquidation Threshold\",\"SUb8x0\":\"Σύνολο διαθέσιμων\",\"SWIgh4\":\"Fees exceed wallet balance\",\"SY9hVo\":\"Read-only mode allows to see address positions in Aave, but you won't be able to perform transactions.\",\"SZRUQ4\":\"Max slippage\",\"Sa1UE/\":\"Protocol borrow cap is at 100% for this asset. Further borrowing unavailable.\",\"Sk2zW9\":\"Απενεργοποίηση E-Mode\",\"SxaD0o\":\"Ο πάροχος διευθύνσεων κοινόχρηστων ταμείων δεν είναι εγγεγραμμένος\",\"T/AIqG\":\"Protocol supply cap at 100% for this asset. Further supply unavailable.\",\"T0xCO9\":\"Can't validate the wallet address. Try again.\",\"T4OhVl\":\"GHO balance\",\"T6uYU2\":\"Δανεισμός\",\"TFxQlw\":\"Ποινή ρευστοποίησης\",\"TQ7WsV\":\"Available to stake\",\"TUI7iB\":\"To περιουσιακό στοιχείο μπορεί να χρησιμοποιηθεί ως εγγύηση μόνο σε λειτουργία απομόνωσης.\",\"TbjyhA\":\"Docs\",\"TduuS0\":\"Ο χρήστης δεν έχει ανεξόφλητο χρέος σταθερού επιτοκίου σε αυτό το αποθεματικό\",\"TeCFg/\":\"Borrow rate change\",\"Tg1JyO\":\"Bridge history\",\"TskbEN\":\"Holders of stkAAVE receive a discount on the GHO borrowing rate\",\"TszKts\":\"Borrow balance after switch\",\"TtZL6q\":\"Discount model parameters\",\"TwJI9F\":\"Asset has been successfully sent to CCIP contract. You can check the status of the transactions below\",\"Tz0GSZ\":\"blocked activities\",\"U/eBjN\":\"Reload the page\",\"U2r8nY\":\"Choose how much voting/proposition power to give to someone else by delegating some of your AAVE, stkAAVE or aAave balance. Your tokens will remain in your account, but your delegate will be able to vote or propose on your behalf. If your AAVE, stkAAVE or aAave balance changes, your delegate's voting/proposition power will be automatically adjusted.\",\"U8IubP\":\"The app is running in testnet mode. Learn how it works in\",\"U9btTk\":\"Το περιουσιακό στοιχείο δεν είναι δανείσιμο σε λειτουργία απομόνωσης\",\"UAOZRe\":\"Price impact is the spread between the total value of the entry tokens switched and the destination tokens obtained (in USD), which results from the limited liquidity of the trading pair.\",\"UE3KJZ\":\"Transaction history is not currently available for this market\",\"URmyfc\":\"Λεπτομέρειες\",\"UTTKmT\":\"Stake cooldown activated\",\"UXeR72\":\"Τα κεφάλαια αυτά έχουν δανειστεί και δεν είναι διαθέσιμα για ανάληψη αυτή τη στιγμή.\",\"UYb8CM\":\"Learn more about the SPK rewards\",\"UbRrG0\":\"Ο δείκτης μέγιστου LTV αντιπροσωπεύει τη μέγιστη δανειοληπτική ικανότητα μιας συγκεκριμένης εγγύησης. Για παράδειγμα, εάν μια εγγύηση έχει LTV 75%, ο χρήστης μπορεί να δανειστεί έως και 0,75 ETH στο κύριο νόμισμα για κάθε 1 ETH αξίας εγγύησης.\",\"UpndFj\":\"Δεν υπάρχουν ανταμοιβές για διεκδίκηση\",\"V0f2Xv\":\"Reserve factor\",\"V1HK43\":\"Migration risks\",\"VATFH9\":\"Covered debt\",\"VHOVEJ\":\"Συνδέστε το πορτοφόλι\",\"VMfYUK\":\"Ασφάλεια των κατατεθειμένων εξασφαλίσεών σας έναντι των δανειζόμενων περιουσιακών στοιχείων και της υποκείμενης αξίας τους.\",\"VOAZJh\":\"Σύνολο δανείων\",\"ViKYxK\":\"ΥΠΕΡ\",\"W1SSoD\":\"Αναθεώρηση λεπτομερειών συναλλαγής\",\"W5hVah\":\"Τίποτα δεν έχει παρασχεθεί ακόμη\",\"W5kTFy\":\"Voting\",\"W8ekPc\":\"Back to Dashboard\",\"WMPbRK\":\"Μη υποστηριζόμενο\",\"WNGZwH\":\"Το E-Mode αυξάνει το LTV σας για μια επιλεγμένη κατηγορία περιουσιακών στοιχείων έως και <0/>. <1>Μάθετε περισσότερα\",\"WPWG/y\":\"Κατάσταση & διαμόρφωση αποθεματικού\",\"WZLQSU\":\"Ο χρήστης δεν μπορεί να κάνει ανάληψη μεγαλύτερη από το διαθέσιμο υπόλοιπο\",\"WaZyaV\":\"<0>Ampleforth is a rebasing asset. Visit the <1>documentation to learn more.\",\"WfU+XN\":\"Because this asset is paused, no actions can be taken until further notice\",\"Wjmqs2\":\"No results found. You can import a custom token with a contract address\",\"WkZ6C6\":\"Για να δανειστείτε πρέπει να προσκομίσετε οποιοδήποτε περιουσιακό στοιχείο που θα χρησιμοποιηθεί ως εγγύηση.\",\"WyMiQm\":\"You've successfully switched tokens.\",\"X/ITG9\":\"Κείμενο σφάλματος αντιγραφής\",\"X3Pp6x\":\"Χρησιμοποιείται ως εγγύηση\",\"X4Zt7j\":\"Η ενέργεια δεν μπορεί να εκτελεστεί επειδή η εφεδρεία βρίσκεται σε παύση\",\"XBdKOj\":\"Representative smart contract wallet (ie. Safe) addresses on other chains.\",\"XZzneG\":\"Θα βγείτε από τη λειτουργία απομόνωσης και άλλα tokens μπορούν πλέον να χρησιμοποιηθούν ως εγγύηση\",\"Xg5y9S\":\"Amount to Bridge\",\"Xn4hUi\":\"Please always be aware of your <0>Health Factor (HF) when partially migrating a position and that your rates will be updated to V3 rates.\",\"Xy71ST\":\"Umbrella\",\"Y5kGkc\":\"ΨΗΦΙΣΤΕ ΚΑΤΑ\",\"YDIOks\":\"Ενεργοποίηση E-Mode\",\"YSodyW\":\"This action will reduce your health factor. Please be mindful of the increased risk of collateral liquidation.\",\"YXOWXM\":\"The total amount bridged minus CCIP fees. Paying in network token does not impact gho amount.\",\"YirHq7\":\"Feedback\",\"YogbCJ\":\"Testnet mode is ON\",\"YrDxdO\":\"Εάν το δάνειο προς αξία υπερβεί το όριο ρευστοποίησης, η παρεχόμενη εγγύηση σας μπορεί να ρευστοποιηθεί.\",\"YyIM65\":\"Δεν τηρήθηκαν οι όροι επανεξισορρόπησης των επιτοκίων\",\"YyydIq\":[\"Add \",[\"0\"],\" to wallet to track your balance.\"],\"ZBvhI+\":\"Διακυβέρνηση Aave\",\"ZIIRAd\":\"Raw-Ipfs\",\"ZRq4tX\":\"Λειτουργία αποδοτικότητας (E-Mode)\",\"ZSqEW+\":\"Manage E-Mode\",\"ZUFYFE\":\"Disable testnet\",\"Zbyywy\":\"Μέγιστη περικοπή\",\"ZfUGFb\":\"Πριν από την προμήθεια\",\"ZiXN+B\":\"Assets to stake\",\"ZlsSDH\":\"Αξία ρευστοποίησης\",\"ZrEc8j\":\"We couldn't find any assets related to your search. Try again with a different asset name, symbol, or address.\",\"ZsLF7e\":\"ενεργοποιημένο\",\"a0YQoQ\":\"Enter a valid address\",\"a2fBZn\":\"Χρόνος που απομένει για το ξεκλείδωμα\",\"a5RYZd\":\"Η απενεργοποίηση αυτού του περιουσιακού στοιχείου ως εγγύηση επηρεάζει τη δανειοληπτική σας ικανότητα και τον Συντελεστή Υγείας.\",\"a7u1N9\":\"Price\",\"a9D+6D\":\"Unstaked\",\"aEtiwq\":\"Ψηφίστε ΚΑΤΑ\",\"aMmFE1\":\"Buy Crypto With Fiat\",\"aOKIms\":\"Οι παράμετροι της συστοιχίας που θα έπρεπε να είναι ίσου μήκους δεν είναι\",\"aX31hk\":\"Your balance is lower than the selected amount.\",\"adUsDd\":\"An error has occurred fetching the proposal.\",\"al6Pyz\":\"Exceeds the discount\",\"aoXTT7\":\"Δανεισμός APY, μεταβλητό\",\"aqX1Yp\":\"This asset is eligible for rewards through SuperFest. Aave Labs does not guarantee the program and accepts no liability.\",\"avgETN\":\"Eligible for the Merit program.\",\"b4NS3e\":\"Προειδοποίηση περιόδου ψύξης\",\"bBHmeP\":\"Available to withdraw\",\"bNEQeI\":\"Cooldown\",\"bSruit\":\"ZKSync Ignite Program rewards are claimed through the\",\"bUUVED\":\"Περιουσιακό στοιχείο\",\"bXQ/Og\":\"Μοιραστείτε το στο twitter\",\"bXr0ee\":\"Τα απομονωμένα περιουσιακά στοιχεία έχουν περιορισμένη δανειοληπτική ικανότητα και άλλα περιουσιακά στοιχεία δεν μπορούν να χρησιμοποιηθούν ως εγγύηση.\",\"bYmAV1\":\"Addresses\",\"bguKoJ\":\"Το αιτούμενο ποσό είναι μεγαλύτερο από το μέγιστο μέγεθος δανείου στη λειτουργία σταθερού επιτοκίου\",\"bwSQI0\":\"Προσφορά\",\"bxN6EM\":\"Cannot disable E-Mode\",\"bxmzSh\":\"Δεν υπάρχουν επαρκείς εγγυήσεις για την αποπληρωμή αυτού του ποσού χρέους με\",\"c91vuQ\":\"Η διεύθυνση δεν είναι συμβόλαιο\",\"c97os2\":\"Aave aToken\",\"c9b44w\":\"Δεν μπορείτε να αποσύρετε αυτό το ποσό, διότι θα προκληθεί κλήση εγγύησης\",\"cBc+4A\":\"Αυτό είναι το συνολικό ποσό που μπορείτε να δανειστείτε. Μπορείτε να δανειστείτε με βάση την εξασφάλισή σας και μέχρι να επιτευχθεί το ανώτατο όριο δανεισμού.\",\"cIl5kp\":\"Your voting power is based on your AAVE/stkAAVE balance and received delegations.\",\"cLo09S\":\"Λεπτομέρειες κινδύνου\",\"cNT+ij\":\"Ο δανεισμός δεν είναι διαθέσιμος επειδή έχετε ενεργοποιήσει τη Λειτουργία Αποδοτικότητας (E-Mode) και τη λειτουργία Απομόνωσης. Για να διαχειριστείτε τη λειτουργία E-Mode και τη λειτουργία Απομόνωσης, επισκεφθείτε τον <0>Πίνακα ελέγχου.\",\"cZOeBk\":\"Something went wrong fetching bridge message, please try again later.\",\"ceix5S\":\"To submit a proposal for minor changes to the protocol, you'll need at least 80.00K power. If you want to change the core code base, you'll need 320k power.<0>Learn more.\",\"ciSsYT\":\"Staking APY\",\"ciybUa\":\"Ψηφίστε ΥΠΕΡ\",\"ckf7gX\":[\"Αποπληρώνοντας \",[\"symbol\"]],\"cp1ZDP\":[\"Bridge \",[\"symbol\"]],\"cqnmnD\":\"Effective interest rate\",\"cqwIvs\":\"Συζήτηση φόρουμ\",\"csDS2L\":\"Διαθέσιμο\",\"cu7Stb\":\"Δεν συμμετείχατε στην παρούσα πρόταση\",\"dE6BLF\":\"Διακυβέρνηση\",\"dEgA5A\":\"Cancel\",\"dIsyWh\":\"Η επικύρωση του Ltv απέτυχε\",\"dMtLDE\":\"to\",\"dOB5nW\":[\"Maximum amount available to supply is <0/> \",[\"0\"],\" (<1/>).\"],\"dVfODp\":\"Δεν έχετε αρκετά χρήματα στο πορτοφόλι σας για να αποπληρώσετε ολόκληρο το ποσό. Εάν προχωρήσετε στην αποπληρωμή με το τρέχον ποσό των χρημάτων σας, θα εξακολουθείτε να έχετε μια μικρή θέση δανεισμού στο ταμπλό σας.\",\"dXUQFX\":\"Περιουσιακά στοιχεία προς δανεισμό\",\"dgr1aY\":\"Borrowing is disabled due to an Aave community decision. <0>More details\",\"djsg0o\":\"Χρησιμοποίηση εγγυήσεων\",\"dpc0qG\":\"Μεταβλητό\",\"drdV8R\":\"Liquidation\",\"dxW8cS\":\"Aave debt token\",\"e4V3oW\":\"Top 10 addresses\",\"eD8WX/\":\"Η δράση απαιτεί ενεργό απόθεμα\",\"eJRJ04\":\"Amount to unstake\",\"eLh0cL\":\"Slippage is the difference between the quoted and received amounts from changing market conditions between the moment the transaction is submitted and its verification.\",\"ePK91l\":\"Edit\",\"eVpCmf\":\"Staking Rewards\",\"eVqvtf\":\"Bridge GHO\",\"eYdurp\":\"No transactions yet.\",\"ebLGGN\":\"Σύνολο δανεικών\",\"ecqEvn\":\"Το υπόλοιπο των εγγυήσεων είναι 0\",\"efdrrk\":\"Available on\",\"enruNF\":\"starts\",\"eqLYiD\":\"Ξεκλειδώστε τώρα\",\"euScGB\":\"APY with discount applied\",\"evw5ha\":\"Καθαρή αξία\",\"ezcU16\":\"Get ABP Token\",\"f3W0Ej\":[\"Αλλάξατε σε ποσοστό \",[\"0\"]],\"fH9i8k\":\"You've successfully switched borrow position.\",\"fHcELk\":\"Καθαρό APR\",\"fMJQZK\":\"Borrowed\",\"fZ5Vnu\":\"Received\",\"firl9Q\":\"Το τρέχον δάνειο προς αξία με βάση τις παρεχόμενες εξασφαλίσεις σας.\",\"flRCF/\":\"Staking discount\",\"fldjW9\":\"Preview tx and migrate\",\"fsBGk0\":\"Υπόλοιπο\",\"fu1Dbh\":[\"Ανάληψη \",[\"symbol\"]],\"fwjWSI\":\"Supplied\",\"fwyTMb\":\"Migrate to stkABPT v2\",\"g0mals\":\"You can not disable E-Mode because that could cause liquidation. To exit E-Mode supply or repay borrowed positions.\",\"g2UNkE\":\"Powered by\",\"g8KGoA\":\"FAQS\",\"g9zzqS\":\"Voted NAY\",\"gDd2gk\":\"about SuperFest.\",\"gFFh9h\":\"Όλα έτοιμα!\",\"gIMJlW\":\"Λειτουργία Testnet\",\"gOzPxe\":\"This asset is frozen due to an Aave Protocol Governance decision. <0>More details\",\"gTHi2T\":\"Ο χρήστης προσπαθεί να δανειστεί πολλαπλά περιουσιακά στοιχεία, συμπεριλαμβανομένου ενός απομονωμένου περιουσιακού στοιχείου\",\"gVW59Y\":\"Please connect your wallet to get free testnet assets.\",\"gcFNxP\":\"Approve Confirmed\",\"gncRUO\":\"This address is blocked on app.aave.com because it is associated with one or more\",\"goff7V\":\"Η μηδενική διεύθυνση δεν είναι έγκυρη\",\"gp+f1B\":\"Version 3\",\"gr8mYw\":\"You may borrow up to <0/> GHO at <1/> (max discount)\",\"gvTM4B\":\"Το καθαρό ΑΡΥ είναι η συνδυασμένη επίδραση όλων των θέσεων προσφοράς και δανεισμού στην καθαρή αξία, συμπεριλαμβανομένων των κινήτρων. Είναι δυνατόν να υπάρχει αρνητικό καθαρό APY εάν το χρεωστικό APY είναι υψηλότερο από το προσφερόμενο APY.\",\"gzcch9\":\"Μη έγκυρη αμοιβή πρωτοκόλλου γέφυρας\",\"h33MxW\":\"Representing smart contract wallet (ie. Safe) addresses on other chains.\",\"h3ilK+\":\".CSV\",\"hB23LY\":\"Activate Cooldown\",\"hIJzBh\":\"Available to Claim\",\"hIS4N0\":\"Καθαρό APY\",\"hRWvpI\":\"Claimed\",\"hdmy/o\":\"Το % της συνολικής δανειοληπτικής σας δύναμης που χρησιμοποιείται. Αυτό βασίζεται στο ποσό της παρεχόμενης εξασφάλισής σας και στο συνολικό ποσό που μπορείτε να δανειστείτε.\",\"hehnjM\":\"Ποσό\",\"hjDCQr\":\"Υπήρξε κάποιο σφάλμα. Προσπαθήστε να αλλάξετε τις παραμέτρους ή <0><1>αντιγράψτε το σφάλμα\",\"hom7qf\":\"Διεκδίκηση\",\"hpHJ4I\":\"Liquidated collateral\",\"hpuVIp\":\"Users who stake AAVE in Safety Module (i.e. stkAAVE holders) receive a discount on GHO borrow interest rate.\",\"huQ6Tz\":[\"Δανεισμός \",[\"symbol\"]],\"hxi7vE\":\"Borrow balance\",\"i/fZ2Z\":\"Staked Balance\",\"i2JTiw\":\"You may enter a custom amount in the field.\",\"iB5+/J\":\"About GHO\",\"iChbOF\":\"Ασυνεπείς παράμετροι flashloan\",\"iEPVHF\":\"Δεν έχει αρκετή δύναμη ψήφου για να συμμετάσχει στην παρούσα πρόταση\",\"iEW87X\":\"Delegated power\",\"iEju36\":[\"Ψηφίσατε \",[\"0\"]],\"iFq2YN\":\"Borrowable\",\"iGxyIA\":\"Safety Module\",\"iMVZk9\":\"Select slippage tolerance\",\"iPMIoT\":\"Εισάγετε ένα ποσό\",\"iSLIjg\":\"Connect\",\"iUo5rv\":\"tokens δεν είναι το ίδιο με το να τα κλειδώνετε. Εάν επιθυμείτε να κλειδώσετε τα\",\"iZxa38\":\"Use it to vote for or against active proposals.\",\"if5PH+\":\"Collector Info\",\"igkfR1\":[\"In Isolation mode, you cannot supply other assets as collateral. A global debt ceiling limits the borrowing power of the isolated asset. To exit isolation mode disable \",[\"0\"],\" as collateral before borrowing another asset. Read more in our <0>FAQ\"],\"il0sEG\":\"H χρήση εγγυήσεων είναι περιορισμένη λόγω της λειτουργίας Απομόνωσης.\",\"j+K1Xj\":\"Amount After Fee\",\"jA2QeW\":\"Προμηθεύοντας το\",\"jFi7dz\":\"Interest rate that is determined by Aave Governance. This rate may be changed over time depending on the need for the GHO supply to contract/expand. <0>Learn more\",\"jG3UJ7\":\"Απενεργοποίηση E-Mode\",\"jKYzR1\":\"Ενεργοποίηση E-Mode\",\"jMam5g\":[[\"0\"],\" Υπόλοιπο\"],\"jSYv+Z\":\"Enabling E-Mode allows you to maximize your borrowing power, however, borrowing is restricted to assets within the selected category. <0>Learn more about how it works and the applied restrictions.\",\"jaKbwW\":[[\"s\"],\"δ\"],\"jbFMap\":\"Χρόνος ψύξης που έχει απομείνει\",\"jeMZNr\":[[\"0\"],\" on-ramp service is provided by External Provider and by selecting you agree to Terms of the Provider. Your access to the service might be reliant on the External Provider being operational.\"],\"jfl9OP\":\"Migrated\",\"jmXdoY\":\"Στο E-Mode ορισμένα περιουσιακά στοιχεία δεν είναι δανείσιμα. Βγείτε από το E-Mode για να αποκτήσετε πρόσβαση σε όλα τα περιουσιακά στοιχεία\",\"jpctdh\":\"View\",\"jqzUyM\":\"Μη διαθέσιμο\",\"k/sb6z\":\"Επιλέξτε γλώσσα\",\"k3wP3f\":\"<0>Attention: Parameter changes via governance can alter your account health factor and risk of liquidation. Follow the <1>Aave governance forum for updates.\",\"kACpF3\":[\"Διεκδίκηση \",[\"0\"]],\"kH6wUX\":\"Επίδραση στην τιμή\",\"kIC28N\":\"Available to claim\",\"kIpSye\":[[\"numSelected\"],\"/\",[\"numAvailable\"],\" assets selected\"],\"kN1Yg5\":\"Για την εξόφληση εκ μέρους ενός χρήστη απαιτείται ένα ρητό ποσό προς εξόφληση\",\"kRTD40\":[\"Repayment amount to reach \",[\"0\"],\"% utilization\"],\"kjN9tT\":\"Υπέρβαση του ανώτατου ορίου προσφοράς\",\"knxE+G\":\".JSON\",\"ks2LWT\":\"Το ανώτατο όριο χρέους δεν είναι μηδενικό\",\"kwwn6i\":\"Users who stake AAVE in Safety Module (i.e. stkAAVE holders) receive a discount on GHO borrow interest rate. The discount applies to 100 GHO for every 1 stkAAVE held. Use the calculator below to see GHO borrow rate with the discount applied.\",\"kz3wtK\":\"and about SPK program\",\"kzZyM4\":\"DAI balance will be converted via DSR contracts and then supplied as sDAI. Switching incurs no additional costs and no slippage.\",\"lNVG7i\":\"Select an asset\",\"lU2d1/\":[\"Asset cannot be migrated due to insufficient liquidity or borrow cap limitation in \",[\"marketName\"],\" v3 market.\"],\"lVhKKI\":\"Voted YAE\",\"lWLqxB\":\"We couldn't find any transactions related to your search. Try again with a different asset name, or reset filters.\",\"lYGfRP\":\"Αγγλικά\",\"lfEjIE\":\"Μάθετε περισσότερα στον οδηγό <0>Συχνών Ερωτήσεων\",\"lt6bpt\":\"Collateral to repay with\",\"m/IEhi\":\"Συνολικές εκπομπές ανά ημέρα\",\"m7r7Hh\":\"Selected borrow assets\",\"mDDK4p\":\"Balancer Pool\",\"mIM0qu\":\"Expected amount to repay\",\"mUAFd6\":\"Version 2\",\"masO5Z\":\"E-Mode increases your LTV for a selected category of assets. <0>Learn more\",\"mdNjKU\":[\"Your \",[\"name\"],\" wallet is empty. Purchase or transfer assets or use <0>\",[\"0\"],\" to transfer your \",[\"network\"],\" assets.\"],\"muiOng\":[\"Buy \",[\"cryptoSymbol\"],\" with Fiat\"],\"mvCXBY\":\"Stake AAVE\",\"mwdzil\":\"Εντάξει, Κλείσιμο\",\"mzI/c+\":\"Download\",\"mzdIia\":\"Το περιουσιακό στοιχείο δεν μπορεί να χρησιμοποιηθεί ως εγγύηση.\",\"n+SX4g\":\"Προγραμματιστές\",\"n8Psk4\":\"We couldn’t detect a wallet. Connect a wallet to stake and view your balance.\",\"nJIhzm\":\"Προσφορά apy\",\"nJgsQu\":\"Με δύναμη ψήφου <0/>\",\"nLC6tu\":\"Γαλλικά\",\"nN2T8p\":\"During the cooldown period, you will not earn any merit rewards. However, rewards earned up to this point will remain unaffected.\",\"nNHV0z\":\"Migrating multiple collaterals and borrowed assets at the same time can be an expensive operation and might fail in certain situations.<0>Therefore it’s not recommended to migrate positions with more than 5 assets (deposited + borrowed) at the same time.\",\"nNbnzu\":\"Proposition\",\"nOy4ob\":\"We suggest you go back to the Dashboard.\",\"nPGNMh\":\"Μπορεί να εκτελεστεί\",\"nUK1ou\":[\"Assets with zero LTV (\",[\"0\"],\") must be withdrawn or disabled as collateral to perform this action\"],\"nakd8r\":\"stkAAVE holders get a discount on GHO borrow rate\",\"nh2EJK\":[\"Παρακαλώ μεταβείτε στο \",[\"networkName\"],\".\"],\"njBeMm\":\"Both\",\"noN5Xf\":\"We couldn’t detect a wallet. Connect a wallet to view your staking positions and rewards.\",\"ntkAoE\":\"Discount applied for <0/> staking AAVE\",\"ntyFSE\":[[\"h\"],\"ω\"],\"nwtY4N\":\"Something went wrong\",\"nxyWvj\":\"Withdrawing this amount will reduce your health factor and increase risk of liquidation.\",\"o17QVP\":\"Ο συντελεστής υγείας και το δάνειο προς αξία καθορίζουν τη διασφάλιση των εξασφαλίσεών σας. Για να αποφύγετε τις ρευστοποιήσεις μπορείτε να παράσχετε περισσότερες εξασφαλίσεις ή να εξοφλήσετε δανειακές θέσεις.\",\"o1xc2V\":\"Η προσφορά AToken δεν είναι μηδενική\",\"o4tCu3\":\"Borrow APY\",\"o5ooMr\":\"Χρέος\",\"o7J4JM\":\"Φίλτρο\",\"oHFrpj\":\"Ψύξτε για ξεκλείδωμα\",\"oJ5ZiG\":\"Ο χρήστης δεν έχει ανεξόφλητο χρέος μεταβλητού επιτοκίου σε αυτό το αποθεματικό\",\"oRBGin\":\"Please connect your wallet to be able to switch your tokens.\",\"oUwXhx\":\"Test Assets\",\"oWklJD\":\"Το σταθερό επιτόκιο θα <0>μείνει το ίδιο για όλη τη διάρκεια του δανείου σας. Συνιστάται για μακροχρόνιες περιόδους δανεισμού και για χρήστες που προτιμούν την προβλεψιμότητα.\",\"odnIK3\":\"Time remaining until the 48 hour withdraw period starts.\",\"oiK5nY\":\"The current incentives period, decided on by the Aave community, has ended. Governance is in the process on renewing, check for updates. <0>Learn more.\",\"olREoo\":\"All borrow positions outside of this category must be closed to enable this category.\",\"om/XHs\":\"Διαθέσιμο για προμήθεια\",\"ov0+mq\":\"Eligible for the ZKSync Ignite program.\",\"ovT1pF\":[\"Per the community, the \",[\"market\"],\" has been frozen.\"],\"ow3fug\":\"Nothing found\",\"owSsI3\":\"Signatures ready\",\"p+R52m\":\"Go to Balancer Pool\",\"p2A+s1\":[\"Η περίοδος ψύξης είναι \",[\"0\"],\". Μετά την \",[\"1\"],\" περίοδο ψύξης, θα εισέλθετε στο παράθυρο ξεκλειδώματος \",[\"2\"],\". Θα συνεχίσετε να λαμβάνετε ανταμοιβές κατά τη διάρκεια της ψύξης και του παραθύρου ξεκλειδώματος.\"],\"p2S64u\":\"The loan to value of the migrated positions would cause liquidation. Increase migrated collateral or reduce migrated borrow to continue.\",\"p2Z2Qi\":\"Αυτό το περιουσιακό στοιχείο έχει φθάσει στο ανώτατο όριο δανεισμού του. Τίποτα δεν είναι διαθέσιμο για δανεισμό από αυτή την αγορά.\",\"p3j+mb\":\"Το υπόλοιπο της ανταμοιβής σας είναι 0\",\"p45alK\":\"Set up delegation\",\"p6u2s1\":\"Minimum amount of debt to be repaid\",\"pDgeaz\":[[\"title\"]],\"pdZqBk\":\"Το υποκείμενο υπόλοιπο πρέπει να είναι μεγαλύτερο από 0\",\"pgWG9H\":\"Δεν υπάρχει αρκετό κλειδωμένο υπόλοιπο\",\"piPrJ7\":\"παρακαλούμε ελέγξτε ότι το ποσό που θέλετε να παρέχετε δεν χρησιμοποιείται επί του παρόντος για κλείδωμα. Εάν χρησιμοποιείται για κλείδωμα, η συναλλαγή σας ενδέχεται να αποτύχει.\",\"pjO/iH\":\"Minimum amount received\",\"pooutM\":\"Voting is on\",\"pqaM5s\":\"Confirming transaction\",\"ptaxX3\":[\"Καταλαβαίνω πώς λειτουργεί η ψύξη (\",[\"0\"],\") και το ξεκλείδωμα (\",[\"1\"],\")\"],\"py2iiY\":\"Ο καλών αυτής της συνάρτησης πρέπει να είναι ένα κοινόχρηστο ταμείο\",\"q/51mF\":\"Migrate to V3\",\"q3df11\":\"Interest rate strategy\",\"q6lAbz\":\"Κλειδωμένο\",\"qB4kPi\":\"Προσφορά APY\",\"qENI8q\":\"Γενικές ρυθμίσεις\",\"qGz5zl\":\"Collateral balance after repay\",\"qIW9ZH\":\"Amount staked\",\"qOqbD6\":\"αντιγράψτε το σφάλμα\",\"qXCkEM\":\"Συνδέστε το πορτοφόλι σας για να δείτε τις προμήθειες, τα δάνεια και τις ανοιχτές θέσεις σας.\",\"qY2jnw\":\"Μη έγκυρη λήξη\",\"qf/fr+\":\"Interest accrued\",\"qhhf9L\":\"Rewards available to claim\",\"quYPUU\":\"Variable interest rate will <0>fluctuate based on the market conditions.\",\"quzIeW\":\"User is in isolation mode or LTV is zero\",\"qvnz3q\":\"Μη έγκυρη ποσότητα προς καύση\",\"rHgdb0\":\"Migrate to Aave V3\",\"rOrHHe\":\"Το ποσό πρέπει να είναι μεγαλύτερο από 0\",\"rQ+R+0\":\"Selected supply assets\",\"rSayea\":\"APY\",\"rTBDeu\":[\"Asset cannot be migrated because you have isolated collateral in \",[\"marketName\"],\" v3 Market which limits borrowable assets. You can manage your collateral in <0>\",[\"marketName\"],\" V3 Dashboard\"],\"rcT+yy\":\"Εμφάνιση περιουσιακών στοιχείων με υπόλοιπο 0\",\"rf8POi\":\"Borrowed asset amount\",\"riNWOA\":\"E-Mode\",\"rjGI/Q\":\"Privacy\",\"rnKPW1\":\"Watch a wallet balance in read-only mode\",\"ruc7X+\":\"Add stkAAVE to see borrow APY with the discount\",\"rvbaFU\":[\"Bridging \",[\"symbol\"]],\"rwVVB7\":\"Διεκδικήστε όλες τις ανταμοιβές\",\"rwyUva\":\"These assets are temporarily frozen or paused by Aave community decisions, meaning that further supply / borrow, or rate swap of these assets are unavailable. Withdrawals and debt repayments are allowed. Follow the <0>Aave governance forum for further updates.\",\"rxJW5W\":\"Your proposition power is based on your AAVE/stkAAVE balance and received delegations.\",\"s2jJnW\":\"You don't have any bridge transactions\",\"s5wBAq\":[\"Unstake \",[\"symbol\"]],\"sJbIdI\":\"Enter ETH address or ENS\",\"sK+Nag\":\"Αναθεώρηση συναλλαγής\",\"sP2+gB\":\"ΚΑΤΑ\",\"sQv06Y\":\"for\",\"sTtO6J\":\"Confirm transaction\",\"sXKb3l\":\"Exchange rate\",\"sb0q4+\":\"Μπορείτε να ξεκλειδώσετε εδώ\",\"smJNwH\":\"Διαθέσιμο για δανεισμό\",\"solypO\":\"Ο παράγοντας υγείας δεν είναι κάτω από το όριο\",\"sr0UJD\":\"Πηγαίνετε Πίσω\",\"ss5GCK\":\"Η διεύθυνση του παρόχου διευθύνσεων κοινόχρηστου ταμείου είναι άκυρη\",\"swEgK4\":\"Οι πληροφορίες ψήφου σας\",\"t+wtgf\":\"Τίποτα δανεισμένο ακόμα\",\"t/YqKh\":\"Remove\",\"t81DpC\":[\"Approve \",[\"symbol\"],\" to continue\"],\"tCnbEs\":\"Τιμή Oracle\",\"tFZLf8\":\"Αυτός ο υπολογισμός gas είναι μόνο μια εκτίμηση. Το πορτοφόλι σας θα καθορίσει την τιμή της συναλλαγής. Μπορείτε να τροποποιήσετε τις ρυθμίσεις gas απευθείας από τον πάροχο του πορτοφολιού σας.\",\"tHuvQI\":\"Go to V3 Dashboard\",\"tKv7cI\":\"Switch borrow position\",\"tOcg3N\":\"Since this asset is frozen, the only available actions are withdraw and repay which can be accessed from the <0>Dashboard\",\"tOuXfv\":[\"Borrow amount to reach \",[\"0\"],\"% utilization\"],\"te9Bfl\":\"Παρακαλώ, συνδέστε το πορτοφόλι σας\",\"tt5yma\":\"Οι προμήθειές σας\",\"ttoh5c\":\"Switch to\",\"u3ZeYl\":\"Η συναλλαγή απέτυχε\",\"u706uF\":\"Άκυρη πριμοδότηση flashloan\",\"u8Gfu7\":[\"No search results\",[\"0\"]],\"uAQUqI\":\"Status\",\"uHMwk8\":\"No assets selected to migrate.\",\"uJPHuY\":\"Migrating\",\"uY8O30\":\"To continue, you need to grant Aave smart contracts permission to move your funds from your wallet. Depending on the asset and wallet you use, it is done by signing the permission message (gas free), or by submitting an approval transaction (requires gas). <0>Learn more\",\"udFheE\":\"Για την αποπληρωμή ενός συγκεκριμένου τύπου χρέους, ο χρήστης πρέπει να έχει χρέος αυτού του τύπου\",\"ulNuNq\":\"Export data to\",\"ulup2p\":\"Buy Crypto with Fiat\",\"umICAY\":\"<0><1><2/>Add stkAAVE to see borrow rate with discount\",\"usB84Z\":\"Maximum amount available to borrow is limited because protocol borrow cap is nearly reached.\",\"uwAUvj\":\"COPY IMAGE\",\"v8x7Mg\":\"Insufficient collateral to cover new borrow position. Wallet must have borrowing power remaining to perform debt switch.\",\"vEqxH9\":\"Restaked\",\"vLyv1R\":\"Απόκρυψη\",\"vMba49\":\"Ο δανεισμός δεν είναι ενεργοποιημένος\",\"vMpNwt\":\"Approve with\",\"vXIe7J\":\"Γλώσσα\",\"vesuBJ\":\"Σας επιτρέπει να αποφασίσετε αν θα χρησιμοποιήσετε ένα παρεχόμενο περιουσιακό στοιχείο ως εγγύηση. Ένα περιουσιακό στοιχείο που χρησιμοποιείται ως εγγύηση θα επηρεάσει τη δανειοληπτική σας ικανότητα και τον συντελεστή υγείας.\",\"w+V9Cx\":\"Σταθερό νόμισμα\",\"w/JtJ3\":\"Η σταθερή προσφορά χρέους δεν είναι μηδενική\",\"w4VBY+\":\"Ανταμοιβές APR\",\"w9dLMW\":[[\"label\"]],\"wAOL+X\":[\"Εσείς \",[\"action\"],\" <0/> \",[\"symbol\"]],\"wBIsjb\":\"Discord channel\",\"wQZbc/\":\"Ο καλών της συνάρτησης δεν είναι AToken\",\"wRRqvW\":\"Δεν έχετε προμήθειες σε αυτό το νόμισμα\",\"wZFvVU\":\"ΨΗΦΙΣΤΕ ΥΠΕΡ\",\"wb/r1O\":[\"Βρύση \",[\"0\"]],\"wdxz7K\":\"Source\",\"weH1nG\":\"The Aave Protocol is programmed to always use the price of 1 GHO = $1. This is different from using market pricing via oracles for other crypto assets. This creates stabilizing arbitrage opportunities when the price of GHO fluctuates.\",\"wh7Ezv\":\"You have no AAVE/stkAAVE/aAave balance to delegate.\",\"wlsIx7\":\"With testnet Faucet you can get free assets to test the Aave Protocol. Make sure to switch your wallet provider to the appropriate testnet network, select desired asset, and click ‘Faucet’ to get tokens transferred to your wallet. The assets on a testnet are not “real,” meaning they have no monetary value. <0>Learn more\",\"wmE285\":\"Get ABP v2 Token\",\"wyRrcJ\":\"As a result of governance decisions, this ABPT staking pool is now deprecated. You have the flexibility to either migrate all of your tokens to v2 or unstake them without any cooldown period.\",\"x5KiLL\":\"Selected assets have successfully migrated. Visit the Market Dashboard to see them.\",\"x7F2p6\":\"Τρέχον διαφορικό\",\"x7K5ib\":[\"Your \",[\"networkName\"],\" wallet is empty. Get free test \",[\"0\"],\" at\"],\"x9iLRD\":\"tokens, παρακαλούμε μεταβείτε στο\",\"xNy/UG\":\"Αποπληρωμή με\",\"xPm8wv\":\"Μάθετε περισσότερα για τους κινδύνους\",\"xXYpZl\":[[\"0\"],\" Βρύση\"],\"xaVBSS\":\"Οι πληροφορίες σας\",\"xaWZ6f\":\"APY type change\",\"xh6k71\":\"Collateral usage is limited because of isolation mode.\",\"xvIklc\":\"Flashloan is disabled for this asset, hence this position cannot be migrated.\",\"y5rS9U\":\"Migrate\",\"y66tBm\":[\"Ενεργοποίηση \",[\"symbol\"],\" ως εγγύηση\"],\"yB1YpA\":\"Σκοτεινή λειτουργία\",\"yCrG6m\":\"Συνολικό μέγεθος της αγοράς\",\"yJUUbn\":\"Επισκόπηση συναλλαγής\",\"yLGmLX\":[\"Restake \",[\"symbol\"]],\"yW1oWB\":\"Τύπος APY\",\"yYHqJe\":\"Μη έγκυρη διεύθυνση\",\"yZwLw6\":\"Track wallet\",\"yh2sjd\":[\"Price impact \",[\"0\"],\"%\"],\"yhvj6d\":\"Δεν μπορείτε να αλλάξετε τη χρήση ως λειτουργία εγγύησης για αυτό το νόμισμα, διότι θα προκαλέσει κλήση εγγύησης\",\"ylmtBZ\":\"The app is running in fork mode.\",\"ymNY32\":[\"Δεν υπάρχουν αρκετά κεφάλαια στο\",[\"0\"],\"αποθεματικό για δανεισμό\"],\"yz7wBu\":\"Κλείσιμο\",\"z4uGQg\":\"Υπέρβαση του ανώτατου ορίου χρέους\",\"z5UQOM\":\"Η εγγύηση που έχει επιλεγεί δεν μπορεί να ρευστοποιηθεί\",\"z5Y+p6\":[\"Παροχή \",[\"symbol\"]],\"zCjNKs\":\"Η ενέργεια δεν μπορεί να εκτελεστεί επειδή το αποθεματικό έχει παγώσει\",\"zRHytX\":\"Isolated Debt Ceiling\",\"zTOjMP\":\"Protocol supply cap is at 100% for this asset. Further supply unavailable.\",\"zVdRUG\":\"Submission did not work, please try again later or contact wecare@avara.xyz\",\"zevmS2\":\"<0><1><2/>Add <3/> stkAAVE to borrow at <4/> (max discount)\",\"zgtIDV\":\"Υπολειπόμενο χρέος\",\"zmTPiV\":\"Υπόλοιπο προσφοράς\",\"zpPbZl\":\"Liquidation risk parameters\",\"zucql+\":\"Μενού\",\"zwWKhA\":\"Μάθετε περισσότερα\",\"zy9fXn\":[\"Asset is frozen in \",[\"marketName\"],\" v3 market, hence this position cannot be migrated.\"],\"zys+R6\":\"Be mindful of the network congestion and gas prices.\",\"zzzTXS\":\"Merit Program rewards are claimed through the\"}")}; \ No newline at end of file diff --git a/src/locales/en/messages.js b/src/locales/en/messages.js index 568b74a0bb..6885abc920 100644 --- a/src/locales/en/messages.js +++ b/src/locales/en/messages.js @@ -1 +1 @@ -/*eslint-disable*/module.exports={messages:JSON.parse("{\"+0xecS\":[\"If you DO NOT unstake within \",[\"0\"],\" of unstake window, you will need to activate cooldown process again.\"],\"+EGVI0\":\"Receive (est.)\",\"+VR63W\":[\"Participating in this \",[\"symbol\"],\" reserve gives annualized rewards.\"],\"+bmKdK\":\"Use your AAVE, stkAAVE, or aAave balance to delegate your voting and proposition powers. You will not be sending any tokens, only the rights to vote and propose changes to the protocol. You can re-delegate or revoke power to self at any time.\",\"+eOPG+\":\"Seems like we can't switch the network automatically. Please check if you can change it from the wallet.\",\"+i3Pd2\":\"Borrow cap\",\"+kLZGu\":\"Supplied asset amount\",\"+nuEh/\":\"Estimated time\",\"+xMFF8\":\"Remind me\",\"/57U31\":\"Amount to migrate\",\"/7ykiW\":\"Borrowing this amount will reduce your health factor and increase risk of liquidation.\",\"/YA5pU\":\"E-Mode increases your LTV for a selected category of assets, meaning that when E-mode is enabled, you will have higher borrowing power over assets of the same E-mode category which are defined by Aave Governance. You can enter E-Mode from your <0>Dashboard. To learn more about E-Mode and applied restrictionn, see the <1>help guide or the <2>Aave V3 Technical Paper.\",\"/izjs/\":\"Minimum staked Aave amount\",\"/jQctM\":\"To\",\"/lDBHm\":\"FAQ\",\"/yNlZf\":\"Stable borrowing is not enabled\",\"/yQcJM\":\"Total worth\",\"00AB2i\":\"User did not borrow the specified currency\",\"00OflG\":\"There is not enough liquidity for the target asset to perform the switch. Try lowering the amount.\",\"08/rZ9\":\"The cooldown period is the time required prior to unstaking your tokens (20 days). You can only withdraw your assets from the Security Module after the cooldown period and within the unstake window.<0>Learn more\",\"0AmQcW\":\"Rate change\",\"0BF3yK\":\"Sorry, we couldn't find the page you were looking for.\",\"0TAbjq\":\"Recent Transactions\",\"0jhlyw\":\"Liquidation risk\",\"0ojY+Y\":\"Current v2 Balance\",\"0thX3P\":\"Collateral change\",\"0wGCWc\":\"This is the total amount that you are able to supply to in this reserve. You are able to supply your wallet balance up until the supply cap is reached.\",\"1AsVfF\":\"Price data is not currently available for this reserve on the protocol subgraph\",\"1LjK22\":\"Transaction history\",\"1Onqx8\":[\"Approving \",[\"symbol\"],\"...\"],\"1Ue8sX\":\"Please connect a wallet to view your personal information here.\",\"1bpx9A\":\"...\",\"1kWUB+\":\"Liquidation <0/> threshold\",\"1m9Qqc\":\"Withdrawing and Switching\",\"1oyh4g\":\"Borrow rate\",\"1t7rez\":\"Asset supply is limited to a certain amount to reduce protocol exposure to the asset and to help manage risks involved.\",\"2CAPu2\":\"You've successfully withdrew & switched tokens.\",\"2Eoi/a\":\"View details\",\"2FYpfJ\":\"More\",\"2O3qp5\":\"Available liquidity\",\"2OM8/D\":[\"Asset cannot be migrated due to supply cap restriction in \",[\"marketName\"],\" v3 market.\"],\"2Q4GU4\":\"Blocked Address\",\"2ZGocC\":\"Aave is a fully decentralized, community governed protocol by the AAVE token-holders. AAVE token-holders collectively discuss, propose, and vote on upgrades to the protocol. AAVE token-holders (Ethereum network only) can either vote themselves on new proposals or delagate to an address of choice. To learn more check out the Governance\",\"2a6G7d\":\"Please enter a valid wallet address.\",\"2bAhR7\":\"Meet GHO\",\"2eBWE6\":\"I acknowledge the risks involved.\",\"2o/xRt\":\"Supply cap on target reserve reached. Try lowering the amount.\",\"2uJToh\":[[\"0\"],[\"name\"]],\"2x58bP\":\"Stable borrowing is enabled\",\"34Qfwy\":\"Borrow cap is exceeded\",\"39eQRj\":[\"Borrow \",[\"symbol\"]],\"3BL1xB\":\"Total supplied\",\"3BnIWi\":\"Switched\",\"3K0oMo\":\"Remaining supply\",\"3MoZhl\":\"There is not enough collateral to cover a new borrow\",\"3Np5O8\":[\"Supply \",[\"symbol\"]],\"3O8YTV\":\"Total interest accrued\",\"3mXg0z\":\"Max LTV\",\"3q3mFy\":\"Repay\",\"3qsjtp\":\"The weighted average of APY for all supplied assets, including incentives.\",\"3rL+os\":\"You can only withdraw your assets from the Security Module after the cooldown period ends and the unstake window is active.\",\"42UgDM\":[\"Migrate to \",[\"0\"],\" v3 Market\"],\"49UFQA\":\"Voting results\",\"4DMZUI\":\"View Transactions\",\"4HtGBb\":\"MAX\",\"4Y5H+g\":\"Terms\",\"4YYh4d\":\"Maximum available to borrow\",\"4iPAI3\":\"Minimum GHO borrow amount\",\"4lDFps\":\"Sign to continue\",\"4wyw8H\":\"Transactions\",\"5JSSxX\":[\"Your \",[\"networkName\"],\" wallet is empty. Get free test assets at\"],\"5K7kGO\":\"documentation\",\"5NOSGa\":\"Debt ceiling limits the amount possible to borrow against this asset by protocol users. Debt ceiling is specific to assets in isolation mode and is denoted in USD.\",\"5Ncc6j\":[\"This asset has almost reached its supply cap. There can only be \",[\"messageValue\"],\" supplied to this market.\"],\"5cZ/KX\":\"Variable debt supply is not zero\",\"5che++\":\"To request access for this permissioned market, please visit: <0>Acces Provider Name\",\"5ctNdV\":[\"Minimum \",[\"0\"],\" received\"],\"5hDe9v\":\"Allowance required action\",\"5rsnKT\":\"Available rewards\",\"5yC5m5\":\"View all votes\",\"6/dCYd\":\"Overview\",\"60crCe\":\"All transactions\",\"62Xcjh\":\"Collateral\",\"65A04M\":\"Spanish\",\"6G8s+q\":\"Signing\",\"6Jrv+z\":[\"Repay \",[\"symbol\"]],\"6NGLTR\":\"Discountable amount\",\"6Xr0UU\":\"Cooling down...\",\"6bxci/\":\"Voting power\",\"6f8S68\":\"Markets\",\"6g1gi0\":\"Proposals\",\"6gvoHP\":\"Copy error message\",\"6h3Q5G\":\"repaid\",\"6lFSyT\":\"Available to Stake\",\"6s8L6f\":\"Switch Network\",\"6yAAbq\":\"APY, borrow rate\",\"70wH1Q\":\"APR\",\"72c5Qo\":\"Total\",\"73Auuq\":\"Discount parameters are decided by the Aave community and may be changed over time. Check Governance for updates and vote to participate. <0>Learn more\",\"75qcAQ\":[[\"stepName\"]],\"7ITr5L\":\"Health factor\",\"7T/o5R\":\"Reached\",\"7YlcXu\":\"Fork mode is ON\",\"7Z76Iw\":\"Borrowing is unavailable because you’re using Isolation mode. To manage Isolation mode visit your <0>Dashboard.\",\"7aKlMS\":\"Share on Lens\",\"7bdUsR\":\"Redeem as aToken\",\"7er5fP\":\"Claim all\",\"7hb2+s\":\"Time remaining until the withdraw period ends.\",\"7l88b8\":\"Data couldn't be fetched, please reload graph.\",\"7p5kLi\":\"Dashboard\",\"7sofdl\":\"Withdraw and Switch\",\"8+6BI0\":\"Be careful - You are very close to liquidation. Consider depositing more collateral or paying down some of your borrowed positions\",\"87pUEW\":[\"Your \",[\"name\"],\" wallet is empty. Purchase or transfer assets.\"],\"8F1i42\":\"Page not found\",\"8G8M0u\":\"Loading data...\",\"8Iu1QS\":\"withdrew\",\"8JL93T\":\"All proposals\",\"8Q51DU\":\"Add to wallet\",\"8X/oyn\":\"Invalid amount to mint\",\"8Z5FPv\":\"Disconnect Wallet\",\"8Zz7s5\":\"assets\",\"8aLW8H\":\"Balance to revoke\",\"8bOT3H\":\"Utilization Rate\",\"8sLe4/\":\"View contract\",\"8t/M0y\":\"Please connect your wallet to be able to bridge your tokens.\",\"8vETh9\":\"Show\",\"94OHPx\":\"You are entering Isolation mode\",\"9CDK3/\":[\"Borrowing is currently unavailable for \",[\"0\"],\".\"],\"9GIj3z\":\"Reserve Size\",\"9Knqb4\":\"Staking balance\",\"9OBKm7\":\"Quorum\",\"9QHoGr\":\"Current votes\",\"9Rw96f\":[\"This asset has almost reached its borrow cap. There is only \",[\"messageValue\"],\" available to be borrowed from this market.\"],\"9Xj/qR\":[\"Some migrated assets will not be used as collateral due to enabled isolation mode in \",[\"marketName\"],\" V3 Market. Visit <0>\",[\"marketName\"],\" V3 Dashboard to manage isolation mode.\"],\"9c6vDV\":\"This asset has reached its supply cap. Nothing is available to be supplied from this market.\",\"9kTWHA\":\"MAI has been paused due to a community decision. Supply, borrows and repays are impacted. <0>More details\",\"9lXchd\":\"Underlying token\",\"9rWaKF\":\"Bridged Via CCIP\",\"9xSooW\":\"Since this is a test network, you can get any of the assets if you have ETH on your wallet\",\"A/lwoe\":\"Choose one of the on-ramp services\",\"A6dCI6\":[\"Maximum amount available to borrow is <0/> \",[\"0\"],\" (<1/>).\"],\"AReoaV\":\"Your borrows\",\"ARu1L4\":\"Repaid\",\"AV7cGz\":\"Review approval tx details\",\"AZOjB8\":\"Fetching data...\",\"Ai0jas\":\"Join the community discussion\",\"Ajl2rq\":\"Borrowing power and assets are limited due to Isolation mode.\",\"AqgYNC\":\"Protocol borrow cap at 100% for this asset. Further borrowing unavailable.\",\"B3EcQR\":\"Thank you for voting!!\",\"B6aXGH\":\"Stable\",\"B9Gqbz\":\"Variable rate\",\"BDFEd+\":\"stETH supplied as collateral will continue to accrue staking rewards provided by daily rebases.\",\"BE2mP0\":\"Borrowed assets\",\"BJyN77\":\"Due to health factor impact, a flashloan is required to perform this transaction, but Aave Governance has disabled flashloan availability for this asset. Try lowering the amount or supplying additional collateral.\",\"BNL4Ep\":\"Collateral usage is limited because of isolation mode. <0>Learn More\",\"BQ/wCO\":\"Migrate your assets\",\"BjLdl1\":\"At a discount\",\"BnhYo8\":\"Asset category\",\"Bq9Y7e\":\"This asset is frozen due to an Aave community decision. <0>More details\",\"BqWMDJ\":\"Faucet\",\"BqynZO\":\"Optimized for efficiency and risk by supporting blue-chip collateral assets\",\"Bsu7zX\":\"The fee includes the gas cost to complete the transaction on the destination chain and the fee paid to Chainlink CCIP service providers. You can chose to pay in the network token or GHO. <0>Learn more\",\"BwJKBw\":\"of\",\"CDrsH+\":\"Techpaper\",\"CK1KXz\":\"Max\",\"CMHmbm\":\"Slippage\",\"CZXzs4\":\"Greek\",\"CcRNG6\":\"Switching\",\"CkTRmy\":[\"Claim \",[\"symbol\"]],\"CsqtLm\":\"Please connect your wallet to see migration tool.\",\"CtGlFb\":[[\"networkName\"],\" Faucet\"],\"Cxt2YY\":\"Watch wallet\",\"D33VQU\":\"This action will reduce health factor of V3 below liquidation threshold. Increase migrated collateral or reduce migrated borrow to continue.\",\"D8sc3k\":\"Stake balance\",\"D9BLRG\":\"This asset has been paused due to a community decision. Supply, withdraw, borrows and repays are impacted.\",\"DAma/S\":\"Collateral is (mostly) the same currency that is being borrowed\",\"DCnFg0\":[\"Addresses (\",[\"0\"],\")\"],\"DG3Lv1\":\"I fully understand the risks of migrating.\",\"DONJcV\":\"The underlying asset cannot be rescued\",\"DR+4uL\":\"Supply balance after switch\",\"DWjrck\":[\"Asset cannot be migrated to \",[\"marketName\"],\" V3 Market due to E-mode restrictions. You can disable or manage E-mode categories in your <0>V3 Dashboard\"],\"Dj+3wB\":\"Aave per month\",\"DptNvx\":\"Amount Staked\",\"DuEq2K\":\"Collateralization\",\"DxfsGs\":\"You can report incident to our <0>Discord or<1>Github.\",\"Dzma+E\":\"Main Ethereum market with the largest selection of assets and yield options\",\"E/QGRL\":\"Disabled\",\"EBL9Gz\":\"COPIED!\",\"ES8dkb\":\"Fixed rate\",\"EZd3Dk\":[\"Restaking \",[\"symbol\"]],\"Ebgc76\":[\"Withdrawing \",[\"symbol\"]],\"EdQY6l\":\"None\",\"EjvKQ+\":\"Minimum USD value received\",\"Enslfm\":\"Destination\",\"EvE9nO\":[\"Reactivate cooldown period to unstake \",[\"0\"],\" \",[\"stakedToken\"]],\"EvECnL\":\"Migrate to v3\",\"EzMQbh\":\"The source chain time to finality is the main factor that determines the time to destination. <0>Learn more\",\"F40cwT\":\"Legacy Markets\",\"F6TdXL\":\"Learn more.\",\"FDDPeZ\":\"Users can stake their assets in the protocol and earn incentives. In the case of a shortfall event, your stake can be slashed to cover the deficit, providing an additional layer of protection for the protocol.\",\"FHlMf/\":\"Current v2 balance\",\"FHpxjF\":[\"Reserve factor is a percentage of interest which goes to a \",[\"0\"],\" that is controlled by Aave governance to promote ecosystem growth.\"],\"FOBZa6\":\"Borrow power used\",\"FPKEug\":\"Operation not supported\",\"FbmMe7\":\"Linked addresses\",\"Fdp03t\":\"on\",\"Fjw9N+\":\"Assets to supply\",\"FmN0fk\":\"Restake\",\"GDGLIs\":\"GHO is a native decentralized, collateral-backed digital asset pegged to USD. It is created by users via borrowing against multiple collateral. When user repays their GHO borrow position, the protocol burns that user's GHO. All the interest payments accrued by minters of GHO would be directly transferred to the AaveDAO treasury.\",\"GQrBTq\":\"Switch E-Mode\",\"GWswcZ\":\"This asset is frozen due to an Aave Protocol Governance decision. On the 20th of December 2022, renFIL will no longer be supported and cannot be bridged back to its native network. It is recommended to withdraw supply positions and repay borrow positions so that renFIL can be bridged back to FIL before the deadline. After this date, it will no longer be possible to convert renFIL to FIL. <0>More details\",\"GX8GKD\":\"Assets\",\"GgEj+0\":\"Read-only mode. Connect to a wallet to perform transactions.\",\"GjkIKV\":\"ends\",\"GoK/QN\":\"Thank you for submitting feedback!\",\"GtP2hp\":[\"Borrowing is unavailable because you’ve enabled Efficiency Mode (E-Mode) for \",[\"0\"],\" category. To manage E-Mode categories visit your <0>Dashboard.\"],\"H6Ma8Z\":\"Discount\",\"HB/wfS\":[[\"tooltipText\"]],\"HKDsQN\":\"Rewards can be claimed through\",\"Ha/U5f\":\"This is a program initiated and implemented by the decentralised ZKSync community. Aave Labs does not guarantee the program and accepts no liability.\",\"HciqKU\":\"This is a program initiated and implemented by the decentralised Aave community. Aave Labs does not guarantee the program and accepts no liability.\",\"Hi6Ttn\":\"Sorry, an unexpected error happened. In the meantime you may try reloading the page, or come back later.\",\"HkEDbS\":[[\"d\"],\"d\"],\"HmkYqM\":\"Unstake window\",\"HpK/8d\":\"Reload\",\"HrnC47\":\"Save and share\",\"HuVZMK\":\"Days\",\"HvJKMU\":[\"Asset cannot be migrated to \",[\"marketName\"],\" v3 Market since collateral asset will enable isolation mode.\"],\"Hvwnm9\":[\"Maximum amount available to supply is limited because protocol supply cap is at \",[\"0\"],\"%.\"],\"I8CX2c\":\"The total amount of your assets denominated in USD that can be used as collateral for borrowing assets.\",\"IAD2SB\":[\"Claiming \",[\"symbol\"]],\"IG9X9/\":\"Borrowing of this asset is limited to a certain amount to minimize liquidity pool insolvency.\",\"IOIx8L\":\"This asset is planned to be offboarded due to an Aave Protocol Governance decision. <0>More details\",\"IP+I/j\":\"Cooldown period\",\"IaA40H\":\"Liquidation at\",\"J/hVSQ\":[[\"0\"]],\"JCoxL6\":\"Manage analytics\",\"JK9zf1\":[\"Estimated compounding interest, including discount for Staking \",[\"0\"],\"AAVE in Safety Module.\"],\"JOqFba\":[\"Unstaking \",[\"symbol\"]],\"JPrLjO\":\"You can not use this currency as collateral\",\"JU6q+W\":\"Reward(s) to claim\",\"JYKRJS\":\"Stake\",\"JZMxX0\":\"Not enough balance on your wallet\",\"Jgflkm\":\"Get GHO\",\"JoMQnI\":\"Wallet balance\",\"JtwD8u\":\"Borrow balance after repay\",\"JumYTK\":\"Supplied assets\",\"K05qZY\":\"Withdraw & Switch\",\"KAz/NV\":\"Protocol debt ceiling is at 100% for this asset. Further borrowing against this asset is unavailable.\",\"KLXVqE\":[\"stETH tokens will be migrated to Wrapped stETH using Lido Protocol wrapper which leads to supply balance change after migration: \",[\"0\"]],\"KLd6ky\":\"Use connected account\",\"KRpokz\":\"VIEW TX\",\"KSlpka\":\"This represents the threshold at which a borrow position will be considered undercollateralized and subject to liquidation for each collateral. For example, if a collateral has a liquidation threshold of 80%, it means that the position will be liquidated when the debt value is worth 80% of the collateral value.\",\"KYAjf3\":\"Isolated\",\"KZwRuD\":[[\"notifyText\"]],\"KkPgim\":\"Switching E-Mode\",\"KnN1Tu\":\"Expires\",\"KoOBI2\":\"Due to internal stETH mechanics required for rebasing support, it is not possible to perform a collateral switch where stETH is the source token.\",\"KojyJ4\":\"Wrong Network\",\"KsqhWn\":\"Staking\",\"KuBTQq\":\"Enter ETH address\",\"KvG1xW\":\"Claiming\",\"L+8Lzs\":\"Current LTV\",\"L+qiq+\":\"Market\",\"LDzfVJ\":\"Send Feedback\",\"LIrMcF\":\"No voting power\",\"LL0zks\":\"Can be collateral\",\"LLdJWu\":\"Claimable AAVE\",\"LSIpNK\":\"Borrow and repay in same block is not allowed\",\"LVt3TI\":[\"<0>Slippage tolerance <1>\",[\"selectedSlippage\"],\"% <2>\",[\"0\"],\"\"],\"LjafV8\":\"Maximum collateral amount to use\",\"LtpQew\":\"Let us know how we can make the app better for you. For user support related inquiries please reach out on\",\"LvVpD/\":\"Emode\",\"M2sknc\":\"Tip: Try increasing slippage or reduce input amount\",\"M7wPsD\":\"Switch\",\"MFu33y\":\"Staking 00\",\"MIy2RJ\":\"Maximum amount received\",\"MZ/nQf\":\"Recipient address\",\"Ma/MtY\":\"staking view\",\"McHlGl\":\"APY change\",\"MeCCA+\":\"APY, variable\",\"MghdTe\":\"If the health factor goes below 1, the liquidation of your collateral might be triggered.\",\"Mm/DVQ\":\"You cancelled the transaction.\",\"MnE2QX\":\"Borrow info\",\"MrmQHg\":\"View Bridge Transactions\",\"MuDFEQ\":\"Invalid return value of the flashloan executor function\",\"N5kUMV\":\"Asset can be only used as collateral in isolation mode with limited borrowing power. To enter isolation mode, disable all other collateral.\",\"N6Pxr9\":\"View all\",\"NF0e1Q\":\"Pending...\",\"NK9ikO\":\"Wallet Balance\",\"NMt2CB\":\"Amount claimable\",\"NcFGxG\":\"Collector Contract\",\"NfpPeS\":\"Nothing staked\",\"Nh9DAo\":[[\"m\"],\"m\"],\"O+sCUU\":\"Unbacked mint cap is exceeded\",\"O+tyU+\":[\"Maximum amount available to borrow against this asset is limited because debt ceiling is at \",[\"0\"],\"%.\"],\"O3oNi5\":\"Email\",\"OFjZGo\":\"Unstake\",\"OR8cYX\":\"Proposal overview\",\"OYuJ9K\":\"Protocol debt ceiling is at 100% for this asset. Futher borrowing against this asset is unavailable.\",\"OfhWJH\":\"Reset\",\"Og2SKn\":\"disabled\",\"On0aF2\":\"Website\",\"OsyKSt\":\"Withdraw\",\"P1dURE\":\"Revoke power\",\"P2WCD/\":[\"Underlying asset does not exist in \",[\"marketName\"],\" v3 Market, hence this position cannot be migrated.\"],\"P2sL6B\":\"When a liquidation occurs, liquidators repay up to 50% of the outstanding borrowed amount on behalf of the borrower. In return, they can buy the collateral at a discount and keep the difference (liquidation penalty) as a bonus.\",\"P6sRoL\":\"Stake ABPT\",\"P72/OW\":\"The weighted average of APY for all borrowed assets, including incentives.\",\"P7e6Ug\":\"Please connect your wallet to view transaction history.\",\"PByO0X\":\"Votes\",\"PI+kVe\":\"Disable fork\",\"PJK9u/\":\"Borrow apy\",\"PLUB/s\":\"Fee\",\"PP5ZA8\":[\"Participating in staking \",[\"symbol\"],\" gives annualized rewards. Your wallet balance is the sum of your aTokens and underlying assets. The breakdown to stake is below\"],\"PcBUgb\":\"Liquidation threshold\",\"PjU6bu\":\"This asset is eligible for SPK incentive program. Aave Labs does not guarantee the program and accepts no liability.\",\"PpqD5g\":\"Enabling this asset as collateral increases your borrowing power and Health Factor. However, it can get liquidated if your health factor drops below 1.\",\"PsOFSf\":\"This action will reduce V2 health factor below liquidation threshold. retain collateral or migrate borrow position to continue.\",\"Pu4bI/\":[[\"currentMethod\"]],\"Q0LzKi\":\"View TX\",\"Q4eNqa\":\"The Aave Balancer Pool Token (ABPT) is a liquidity pool token. You can receive ABPT by depositing a combination of AAVE + wstETH in the Balancer liquidity pool. You can then stake your BPT in the Safety Module to secure the protocol and earn Safety Incentives.\",\"QQYsQ7\":\"Withdrawing\",\"QWYCs/\":\"Stake GHO\",\"R+30X3\":\"Not reached\",\"RCU5PY\":\"Age\",\"RIfckG\":[\"Disable \",[\"symbol\"],\" as collateral\"],\"RMtxNk\":\"Differential\",\"RNK49r\":\"Invalid signature\",\"RS0o7b\":\"State\",\"RU+LqV\":\"Proposal details\",\"RYTgZX\":\"lorem ipsum\",\"RbXH+k\":\"AAVE, GHO, and ABPT holders (Ethereum network only) can stake their assets in the Safety Module to add more security to the protocol and earn Safety Incentives. In the case of a shortfall event, your stake can be slashed to cover the deficit, providing an additional layer of protection for the protocol.\",\"RiSYV4\":\"Asset is not listed\",\"Rj01Fz\":\"Links\",\"RmWFEe\":\"Staking APR\",\"RoafuO\":\"Send feedback\",\"RtBLm7\":\"Health factor is lesser than the liquidation threshold\",\"RxzN1M\":\"Enabled\",\"SDav7h\":\"Funds in the Safety Module\",\"SENccp\":\"If the error continues to happen,<0/> you may report it to this\",\"SIWumd\":\"Show Frozen or paused assets\",\"SM58dD\":\"Amount in cooldown\",\"SSMiac\":\"Failed to load proposal voters. Please refresh the page.\",\"SSQVIz\":\"Liquidation Threshold\",\"SUb8x0\":\"Total available\",\"SWIgh4\":\"Fees exceed wallet balance\",\"SY9hVo\":\"Read-only mode allows to see address positions in Aave, but you won't be able to perform transactions.\",\"SZRUQ4\":\"Max slippage\",\"Sa1UE/\":\"Protocol borrow cap is at 100% for this asset. Further borrowing unavailable.\",\"Sk2zW9\":\"Disabling E-Mode\",\"SxaD0o\":\"Pool addresses provider is not registered\",\"T/AIqG\":\"Protocol supply cap at 100% for this asset. Further supply unavailable.\",\"T0xCO9\":\"Can't validate the wallet address. Try again.\",\"T4OhVl\":\"GHO balance\",\"T6uYU2\":\"Borrow\",\"TFxQlw\":\"Liquidation penalty\",\"TQ7WsV\":\"Available to stake\",\"TUI7iB\":\"Asset can only be used as collateral in isolation mode only.\",\"TbjyhA\":\"Docs\",\"TduuS0\":\"User does not have outstanding stable rate debt on this reserve\",\"TeCFg/\":\"Borrow rate change\",\"Tg1JyO\":\"Bridge history\",\"TskbEN\":\"Holders of stkAAVE receive a discount on the GHO borrowing rate\",\"TszKts\":\"Borrow balance after switch\",\"TtZL6q\":\"Discount model parameters\",\"TwJI9F\":\"Asset has been successfully sent to CCIP contract. You can check the status of the transactions below\",\"Tz0GSZ\":\"blocked activities\",\"U/eBjN\":\"Reload the page\",\"U2r8nY\":\"Choose how much voting/proposition power to give to someone else by delegating some of your AAVE, stkAAVE or aAave balance. Your tokens will remain in your account, but your delegate will be able to vote or propose on your behalf. If your AAVE, stkAAVE or aAave balance changes, your delegate's voting/proposition power will be automatically adjusted.\",\"U8IubP\":\"The app is running in testnet mode. Learn how it works in\",\"U9btTk\":\"Asset is not borrowable in isolation mode\",\"UAOZRe\":\"Price impact is the spread between the total value of the entry tokens switched and the destination tokens obtained (in USD), which results from the limited liquidity of the trading pair.\",\"UE3KJZ\":\"Transaction history is not currently available for this market\",\"URmyfc\":\"Details\",\"UTTKmT\":\"Stake cooldown activated\",\"UXeR72\":\"These funds have been borrowed and are not available for withdrawal at this time.\",\"UYb8CM\":\"Learn more about the SPK rewards\",\"UbRrG0\":\"The Maximum LTV ratio represents the maximum borrowing power of a specific collateral. For example, if a collateral has an LTV of 75%, the user can borrow up to 0.75 worth of ETH in the principal currency for every 1 ETH worth of collateral.\",\"UpndFj\":\"No rewards to claim\",\"V0f2Xv\":\"Reserve factor\",\"V1HK43\":\"Migration risks\",\"VATFH9\":\"Covered debt\",\"VHOVEJ\":\"Connect wallet\",\"VMfYUK\":\"Safety of your deposited collateral against the borrowed assets and its underlying value.\",\"VOAZJh\":\"Total borrows\",\"ViKYxK\":\"YAE\",\"W1SSoD\":\"Review tx details\",\"W5hVah\":\"Nothing supplied yet\",\"W5kTFy\":\"Voting\",\"W8ekPc\":\"Back to Dashboard\",\"WMPbRK\":\"Unbacked\",\"WNGZwH\":\"E-Mode increases your LTV for a selected category of assets up to<0/>. <1>Learn more\",\"WPWG/y\":\"Reserve status & configuration\",\"WZLQSU\":\"User cannot withdraw more than the available balance\",\"WaZyaV\":\"<0>Ampleforth is a rebasing asset. Visit the <1>documentation to learn more.\",\"WfU+XN\":\"Because this asset is paused, no actions can be taken until further notice\",\"Wjmqs2\":\"No results found. You can import a custom token with a contract address\",\"WkZ6C6\":\"To borrow you need to supply any asset to be used as collateral.\",\"WyMiQm\":\"You've successfully switched tokens.\",\"X/ITG9\":\"Copy error text\",\"X3Pp6x\":\"Used as collateral\",\"X4Zt7j\":\"Action cannot be performed because the reserve is paused\",\"XBdKOj\":\"Representative smart contract wallet (ie. Safe) addresses on other chains.\",\"XZzneG\":\"You will exit isolation mode and other tokens can now be used as collateral\",\"Xg5y9S\":\"Amount to Bridge\",\"Xn4hUi\":\"Please always be aware of your <0>Health Factor (HF) when partially migrating a position and that your rates will be updated to V3 rates.\",\"Xy71ST\":\"Umbrella\",\"Y5kGkc\":\"VOTE NAY\",\"YDIOks\":\"Enabling E-Mode\",\"YSodyW\":\"This action will reduce your health factor. Please be mindful of the increased risk of collateral liquidation.\",\"YXOWXM\":\"The total amount bridged minus CCIP fees. Paying in network token does not impact gho amount.\",\"YirHq7\":\"Feedback\",\"YogbCJ\":\"Testnet mode is ON\",\"YrDxdO\":\"If your loan to value goes above the liquidation threshold your collateral supplied may be liquidated.\",\"YyIM65\":\"Interest rate rebalance conditions were not met\",\"YyydIq\":[\"Add \",[\"0\"],\" to wallet to track your balance.\"],\"ZBvhI+\":\"Aave Governance\",\"ZIIRAd\":\"Raw-Ipfs\",\"ZRq4tX\":\"Efficiency mode (E-Mode)\",\"ZSqEW+\":\"Manage E-Mode\",\"ZUFYFE\":\"Disable testnet\",\"Zbyywy\":\"Max slashing\",\"ZfUGFb\":\"Before supplying\",\"ZiXN+B\":\"Assets to stake\",\"ZlsSDH\":\"Liquidation value\",\"ZrEc8j\":\"We couldn't find any assets related to your search. Try again with a different asset name, symbol, or address.\",\"ZsLF7e\":\"enabled\",\"a0YQoQ\":\"Enter a valid address\",\"a2fBZn\":\"Time left to unstake\",\"a5RYZd\":\"Disabling this asset as collateral affects your borrowing power and Health Factor.\",\"a7u1N9\":\"Price\",\"a9D+6D\":\"Unstaked\",\"aEtiwq\":\"Vote NAY\",\"aMmFE1\":\"Buy Crypto With Fiat\",\"aOKIms\":\"Array parameters that should be equal length are not\",\"aX31hk\":\"Your balance is lower than the selected amount.\",\"adUsDd\":\"An error has occurred fetching the proposal.\",\"al6Pyz\":\"Exceeds the discount\",\"aoXTT7\":\"Borrow APY, variable\",\"aqX1Yp\":\"This asset is eligible for rewards through SuperFest. Aave Labs does not guarantee the program and accepts no liability.\",\"avgETN\":\"Eligible for the Merit program.\",\"b4NS3e\":\"Cooldown period warning\",\"bNEQeI\":\"Cooldown\",\"bSruit\":\"ZKSync Ignite Program rewards are claimed through the\",\"bUUVED\":\"Asset\",\"bXQ/Og\":\"Share on twitter\",\"bXr0ee\":\"Isolated assets have limited borrowing power and other assets cannot be used as collateral.\",\"bYmAV1\":\"Addresses\",\"bguKoJ\":\"The requested amount is greater than the max loan size in stable rate mode\",\"bwSQI0\":\"Supply\",\"bxN6EM\":\"Cannot disable E-Mode\",\"bxmzSh\":\"Not enough collateral to repay this amount of debt with\",\"c91vuQ\":\"Address is not a contract\",\"c97os2\":\"Aave aToken\",\"c9b44w\":\"You can not withdraw this amount because it will cause collateral call\",\"cBc+4A\":\"This is the total amount available for you to borrow. You can borrow based on your collateral and until the borrow cap is reached.\",\"cIl5kp\":\"Your voting power is based on your AAVE/stkAAVE balance and received delegations.\",\"cLo09S\":\"Risk details\",\"cNT+ij\":\"Borrowing is unavailable because you’ve enabled Efficiency Mode (E-Mode) and Isolation mode. To manage E-Mode and Isolation mode visit your <0>Dashboard.\",\"cZOeBk\":\"Something went wrong fetching bridge message, please try again later.\",\"ceix5S\":\"To submit a proposal for minor changes to the protocol, you'll need at least 80.00K power. If you want to change the core code base, you'll need 320k power.<0>Learn more.\",\"ciSsYT\":\"Staking APY\",\"ciybUa\":\"Vote YAE\",\"ckf7gX\":[\"Repaying \",[\"symbol\"]],\"cp1ZDP\":[\"Bridge \",[\"symbol\"]],\"cqnmnD\":\"Effective interest rate\",\"cqwIvs\":\"Forum discussion\",\"csDS2L\":\"Available\",\"cu7Stb\":\"You did not participate in this proposal\",\"dE6BLF\":\"Governance\",\"dEgA5A\":\"Cancel\",\"dIsyWh\":\"Ltv validation failed\",\"dMtLDE\":\"to\",\"dOB5nW\":[\"Maximum amount available to supply is <0/> \",[\"0\"],\" (<1/>).\"],\"dVfODp\":\"You don’t have enough funds in your wallet to repay the full amount. If you proceed to repay with your current amount of funds, you will still have a small borrowing position in your dashboard.\",\"dXUQFX\":\"Assets to borrow\",\"dgr1aY\":\"Borrowing is disabled due to an Aave community decision. <0>More details\",\"djsg0o\":\"Collateral usage\",\"dpc0qG\":\"Variable\",\"drdV8R\":\"Liquidation\",\"dxW8cS\":\"Aave debt token\",\"e4V3oW\":\"Top 10 addresses\",\"eD8WX/\":\"Action requires an active reserve\",\"eJRJ04\":\"Amount to unstake\",\"eLh0cL\":\"Slippage is the difference between the quoted and received amounts from changing market conditions between the moment the transaction is submitted and its verification.\",\"ePK91l\":\"Edit\",\"eVpCmf\":\"Staking Rewards\",\"eVqvtf\":\"Bridge GHO\",\"eYdurp\":\"No transactions yet.\",\"ebLGGN\":\"Total borrowed\",\"ecqEvn\":\"The collateral balance is 0\",\"efdrrk\":\"Available on\",\"enruNF\":\"starts\",\"eqLYiD\":\"Unstake now\",\"euScGB\":\"APY with discount applied\",\"evw5ha\":\"Net worth\",\"ezcU16\":\"Get ABP Token\",\"f3W0Ej\":[\"You switched to \",[\"0\"],\" rate\"],\"fH9i8k\":\"You've successfully switched borrow position.\",\"fHcELk\":\"Net APR\",\"fMJQZK\":\"Borrowed\",\"fZ5Vnu\":\"Received\",\"firl9Q\":\"Your current loan to value based on your collateral supplied.\",\"flRCF/\":\"Staking discount\",\"fldjW9\":\"Preview tx and migrate\",\"fsBGk0\":\"Balance\",\"fu1Dbh\":[\"Withdraw \",[\"symbol\"]],\"fwjWSI\":\"Supplied\",\"fwyTMb\":\"Migrate to stkABPT v2\",\"g0mals\":\"You can not disable E-Mode because that could cause liquidation. To exit E-Mode supply or repay borrowed positions.\",\"g2UNkE\":\"Powered by\",\"g8KGoA\":\"FAQS\",\"g9zzqS\":\"Voted NAY\",\"gDd2gk\":\"about SuperFest.\",\"gFFh9h\":\"All done!\",\"gIMJlW\":\"Testnet mode\",\"gOzPxe\":\"This asset is frozen due to an Aave Protocol Governance decision. <0>More details\",\"gTHi2T\":\"User is trying to borrow multiple assets including a siloed one\",\"gVW59Y\":\"Please connect your wallet to get free testnet assets.\",\"gcFNxP\":\"Approve Confirmed\",\"gncRUO\":\"This address is blocked on app.aave.com because it is associated with one or more\",\"goff7V\":\"Zero address not valid\",\"gp+f1B\":\"Version 3\",\"gr8mYw\":\"You may borrow up to <0/> GHO at <1/> (max discount)\",\"gvTM4B\":\"Net APY is the combined effect of all supply and borrow positions on net worth, including incentives. It is possible to have a negative net APY if debt APY is higher than supply APY.\",\"gzcch9\":\"Invalid bridge protocol fee\",\"h33MxW\":\"Representing smart contract wallet (ie. Safe) addresses on other chains.\",\"h3ilK+\":\".CSV\",\"hB23LY\":\"Activate Cooldown\",\"hIJzBh\":\"Available to Claim\",\"hIS4N0\":\"Net APY\",\"hRWvpI\":\"Claimed\",\"hdmy/o\":\"The % of your total borrowing power used. This is based on the amount of your collateral supplied and the total amount that you can borrow.\",\"hehnjM\":\"Amount\",\"hjDCQr\":\"There was some error. Please try changing the parameters or <0><1>copy the error\",\"hom7qf\":\"Claim\",\"hpHJ4I\":\"Liquidated collateral\",\"hpuVIp\":\"Users who stake AAVE in Safety Module (i.e. stkAAVE holders) receive a discount on GHO borrow interest rate.\",\"huQ6Tz\":[\"Borrowing \",[\"symbol\"]],\"hxi7vE\":\"Borrow balance\",\"i/fZ2Z\":\"Staked Balance\",\"i2JTiw\":\"You may enter a custom amount in the field.\",\"iB5+/J\":\"About GHO\",\"iChbOF\":\"Inconsistent flashloan parameters\",\"iEPVHF\":\"Not enough voting power to participate in this proposal\",\"iEW87X\":\"Delegated power\",\"iEju36\":[\"You voted \",[\"0\"]],\"iFq2YN\":\"Borrowable\",\"iGxyIA\":\"Safety Module\",\"iMVZk9\":\"Select slippage tolerance\",\"iPMIoT\":\"Enter an amount\",\"iSLIjg\":\"Connect\",\"iUo5rv\":\"tokens is not the same as staking them. If you wish to stake your\",\"iZxa38\":\"Use it to vote for or against active proposals.\",\"if5PH+\":\"Collector Info\",\"igkfR1\":[\"In Isolation mode, you cannot supply other assets as collateral. A global debt ceiling limits the borrowing power of the isolated asset. To exit isolation mode disable \",[\"0\"],\" as collateral before borrowing another asset. Read more in our <0>FAQ\"],\"il0sEG\":\"Collateral usage is limited because of Isolation mode.\",\"j+K1Xj\":\"Amount After Fee\",\"jA2QeW\":\"Supplying your\",\"jFi7dz\":\"Interest rate that is determined by Aave Governance. This rate may be changed over time depending on the need for the GHO supply to contract/expand. <0>Learn more\",\"jG3UJ7\":\"Disable E-Mode\",\"jKYzR1\":\"Enable E-Mode\",\"jMam5g\":[[\"0\"],\" Balance\"],\"jSYv+Z\":\"Enabling E-Mode allows you to maximize your borrowing power, however, borrowing is restricted to assets within the selected category. <0>Learn more about how it works and the applied restrictions.\",\"jaKbwW\":[[\"s\"],\"s\"],\"jbFMap\":\"Cooldown time left\",\"jeMZNr\":[[\"0\"],\" on-ramp service is provided by External Provider and by selecting you agree to Terms of the Provider. Your access to the service might be reliant on the External Provider being operational.\"],\"jfl9OP\":\"Migrated\",\"jmXdoY\":\"In E-Mode some assets are not borrowable. Exit E-Mode to get access to all assets\",\"jpctdh\":\"View\",\"jqzUyM\":\"Unavailable\",\"k/sb6z\":\"Select language\",\"k3wP3f\":\"<0>Attention: Parameter changes via governance can alter your account health factor and risk of liquidation. Follow the <1>Aave governance forum for updates.\",\"kACpF3\":[\"Claim \",[\"0\"]],\"kH6wUX\":\"Price impact\",\"kIC28N\":\"Available to claim\",\"kIpSye\":[[\"numSelected\"],\"/\",[\"numAvailable\"],\" assets selected\"],\"kN1Yg5\":\"To repay on behalf of a user an explicit amount to repay is needed\",\"kRTD40\":[\"Repayment amount to reach \",[\"0\"],\"% utilization\"],\"kjN9tT\":\"Supply cap is exceeded\",\"knxE+G\":\".JSON\",\"ks2LWT\":\"Debt ceiling is not zero\",\"kwwn6i\":\"Users who stake AAVE in Safety Module (i.e. stkAAVE holders) receive a discount on GHO borrow interest rate. The discount applies to 100 GHO for every 1 stkAAVE held. Use the calculator below to see GHO borrow rate with the discount applied.\",\"kz3wtK\":\"and about SPK program\",\"kzZyM4\":\"DAI balance will be converted via DSR contracts and then supplied as sDAI. Switching incurs no additional costs and no slippage.\",\"lNVG7i\":\"Select an asset\",\"lU2d1/\":[\"Asset cannot be migrated due to insufficient liquidity or borrow cap limitation in \",[\"marketName\"],\" v3 market.\"],\"lVhKKI\":\"Voted YAE\",\"lWLqxB\":\"We couldn't find any transactions related to your search. Try again with a different asset name, or reset filters.\",\"lYGfRP\":\"English\",\"lfEjIE\":\"Learn more in our <0>FAQ guide\",\"lt6bpt\":\"Collateral to repay with\",\"m/IEhi\":\"Total emission per day\",\"m7r7Hh\":\"Selected borrow assets\",\"mDDK4p\":\"Balancer Pool\",\"mIM0qu\":\"Expected amount to repay\",\"mUAFd6\":\"Version 2\",\"masO5Z\":\"E-Mode increases your LTV for a selected category of assets. <0>Learn more\",\"mdNjKU\":[\"Your \",[\"name\"],\" wallet is empty. Purchase or transfer assets or use <0>\",[\"0\"],\" to transfer your \",[\"network\"],\" assets.\"],\"muiOng\":[\"Buy \",[\"cryptoSymbol\"],\" with Fiat\"],\"mvCXBY\":\"Stake AAVE\",\"mwdzil\":\"Ok, Close\",\"mzI/c+\":\"Download\",\"mzdIia\":\"Asset cannot be used as collateral.\",\"n+SX4g\":\"Developers\",\"n8Psk4\":\"We couldn’t detect a wallet. Connect a wallet to stake and view your balance.\",\"nJIhzm\":\"Supply apy\",\"nJgsQu\":\"With a voting power of <0/>\",\"nLC6tu\":\"French\",\"nN2T8p\":\"During the cooldown period, you will not earn any merit rewards. However, rewards earned up to this point will remain unaffected.\",\"nNHV0z\":\"Migrating multiple collaterals and borrowed assets at the same time can be an expensive operation and might fail in certain situations.<0>Therefore it’s not recommended to migrate positions with more than 5 assets (deposited + borrowed) at the same time.\",\"nNbnzu\":\"Proposition\",\"nOy4ob\":\"We suggest you go back to the Dashboard.\",\"nPGNMh\":\"Can be executed\",\"nUK1ou\":[\"Assets with zero LTV (\",[\"0\"],\") must be withdrawn or disabled as collateral to perform this action\"],\"nakd8r\":\"stkAAVE holders get a discount on GHO borrow rate\",\"nh2EJK\":[\"Please switch to \",[\"networkName\"],\".\"],\"njBeMm\":\"Both\",\"noN5Xf\":\"We couldn’t detect a wallet. Connect a wallet to view your staking positions and rewards.\",\"ntkAoE\":\"Discount applied for <0/> staking AAVE\",\"ntyFSE\":[[\"h\"],\"h\"],\"nwtY4N\":\"Something went wrong\",\"nxyWvj\":\"Withdrawing this amount will reduce your health factor and increase risk of liquidation.\",\"o17QVP\":\"Your health factor and loan to value determine the assurance of your collateral. To avoid liquidations you can supply more collateral or repay borrow positions.\",\"o1xc2V\":\"AToken supply is not zero\",\"o4tCu3\":\"Borrow APY\",\"o5ooMr\":\"Debt\",\"o7J4JM\":\"Filter\",\"oHFrpj\":\"Cooldown to unstake\",\"oJ5ZiG\":\"User does not have outstanding variable rate debt on this reserve\",\"oRBGin\":\"Please connect your wallet to be able to switch your tokens.\",\"oUwXhx\":\"Test Assets\",\"oWklJD\":\"Stable interest rate will <0>stay the same for the duration of your loan. Recommended for long-term loan periods and for users who prefer predictability.\",\"odnIK3\":\"Time remaining until the 48 hour withdraw period starts.\",\"oiK5nY\":\"The current incentives period, decided on by the Aave community, has ended. Governance is in the process on renewing, check for updates. <0>Learn more.\",\"olREoo\":\"All borrow positions outside of this category must be closed to enable this category.\",\"om/XHs\":\"Available to supply\",\"ov0+mq\":\"Eligible for the ZKSync Ignite program.\",\"ovT1pF\":[\"Per the community, the \",[\"market\"],\" has been frozen.\"],\"ow3fug\":\"Nothing found\",\"owSsI3\":\"Signatures ready\",\"p+R52m\":\"Go to Balancer Pool\",\"p2A+s1\":[\"The cooldown period is \",[\"0\"],\". After \",[\"1\"],\" of cooldown, you will enter unstake window of \",[\"2\"],\". You will continue receiving rewards during cooldown and unstake window.\"],\"p2S64u\":\"The loan to value of the migrated positions would cause liquidation. Increase migrated collateral or reduce migrated borrow to continue.\",\"p2Z2Qi\":\"This asset has reached its borrow cap. Nothing is available to be borrowed from this market.\",\"p3j+mb\":\"Your reward balance is 0\",\"p45alK\":\"Set up delegation\",\"p6u2s1\":\"Minimum amount of debt to be repaid\",\"pDgeaz\":[[\"title\"]],\"pdZqBk\":\"The underlying balance needs to be greater than 0\",\"pgWG9H\":\"Not enough staked balance\",\"piPrJ7\":\"please check that the amount you want to supply is not currently being used for staking. If it is being used for staking, your transaction might fail.\",\"pjO/iH\":\"Minimum amount received\",\"pooutM\":\"Voting is on\",\"pqaM5s\":\"Confirming transaction\",\"ptaxX3\":[\"I understand how cooldown (\",[\"0\"],\") and unstaking (\",[\"1\"],\") work\"],\"py2iiY\":\"The caller of this function must be a pool\",\"q/51mF\":\"Migrate to V3\",\"q3df11\":\"Interest rate strategy\",\"q6lAbz\":\"Staked\",\"qB4kPi\":\"Supply APY\",\"qENI8q\":\"Global settings\",\"qGz5zl\":\"Collateral balance after repay\",\"qIW9ZH\":\"Amount staked\",\"qOqbD6\":\"copy the error\",\"qXCkEM\":\"Please connect your wallet to see your supplies, borrowings, and open positions.\",\"qY2jnw\":\"Invalid expiration\",\"qf/fr+\":\"Interest accrued\",\"quYPUU\":\"Variable interest rate will <0>fluctuate based on the market conditions.\",\"quzIeW\":\"User is in isolation mode or LTV is zero\",\"qvnz3q\":\"Invalid amount to burn\",\"rHgdb0\":\"Migrate to Aave V3\",\"rOrHHe\":\"Amount must be greater than 0\",\"rQ+R+0\":\"Selected supply assets\",\"rSayea\":\"APY\",\"rTBDeu\":[\"Asset cannot be migrated because you have isolated collateral in \",[\"marketName\"],\" v3 Market which limits borrowable assets. You can manage your collateral in <0>\",[\"marketName\"],\" V3 Dashboard\"],\"rcT+yy\":\"Show assets with 0 balance\",\"rf8POi\":\"Borrowed asset amount\",\"riNWOA\":\"E-Mode\",\"rjGI/Q\":\"Privacy\",\"rnKPW1\":\"Watch a wallet balance in read-only mode\",\"ruc7X+\":\"Add stkAAVE to see borrow APY with the discount\",\"rvbaFU\":[\"Bridging \",[\"symbol\"]],\"rwVVB7\":\"Claim all rewards\",\"rwyUva\":\"These assets are temporarily frozen or paused by Aave community decisions, meaning that further supply / borrow, or rate swap of these assets are unavailable. Withdrawals and debt repayments are allowed. Follow the <0>Aave governance forum for further updates.\",\"rxJW5W\":\"Your proposition power is based on your AAVE/stkAAVE balance and received delegations.\",\"s2jJnW\":\"You don't have any bridge transactions\",\"s5wBAq\":[\"Unstake \",[\"symbol\"]],\"sJbIdI\":\"Enter ETH address or ENS\",\"sK+Nag\":\"Review tx\",\"sP2+gB\":\"NAY\",\"sQv06Y\":\"for\",\"sTtO6J\":\"Confirm transaction\",\"sXKb3l\":\"Exchange rate\",\"sb0q4+\":\"You unstake here\",\"smJNwH\":\"Available to borrow\",\"solypO\":\"Health factor is not below the threshold\",\"sr0UJD\":\"Go Back\",\"ss5GCK\":\"The address of the pool addresses provider is invalid\",\"swEgK4\":\"Your voting info\",\"t+wtgf\":\"Nothing borrowed yet\",\"t/YqKh\":\"Remove\",\"t81DpC\":[\"Approve \",[\"symbol\"],\" to continue\"],\"tCnbEs\":\"Oracle price\",\"tFZLf8\":\"This gas calculation is only an estimation. Your wallet will set the price of the transaction. You can modify the gas settings directly from your wallet provider.\",\"tHuvQI\":\"Go to V3 Dashboard\",\"tKv7cI\":\"Switch borrow position\",\"tOcg3N\":\"Since this asset is frozen, the only available actions are withdraw and repay which can be accessed from the <0>Dashboard\",\"tOuXfv\":[\"Borrow amount to reach \",[\"0\"],\"% utilization\"],\"te9Bfl\":\"Please, connect your wallet\",\"tt5yma\":\"Your supplies\",\"ttoh5c\":\"Switch to\",\"u3ZeYl\":\"Transaction failed\",\"u706uF\":\"Invalid flashloan premium\",\"u8Gfu7\":[\"No search results\",[\"0\"]],\"uAQUqI\":\"Status\",\"uHMwk8\":\"No assets selected to migrate.\",\"uJPHuY\":\"Migrating\",\"uY8O30\":\"To continue, you need to grant Aave smart contracts permission to move your funds from your wallet. Depending on the asset and wallet you use, it is done by signing the permission message (gas free), or by submitting an approval transaction (requires gas). <0>Learn more\",\"udFheE\":\"For repayment of a specific type of debt, the user needs to have debt that type\",\"ulNuNq\":\"Export data to\",\"ulup2p\":\"Buy Crypto with Fiat\",\"umICAY\":\"<0><1><2/>Add stkAAVE to see borrow rate with discount\",\"usB84Z\":\"Maximum amount available to borrow is limited because protocol borrow cap is nearly reached.\",\"uwAUvj\":\"COPY IMAGE\",\"v8x7Mg\":\"Insufficient collateral to cover new borrow position. Wallet must have borrowing power remaining to perform debt switch.\",\"vEqxH9\":\"Restaked\",\"vLyv1R\":\"Hide\",\"vMba49\":\"Borrowing is not enabled\",\"vMpNwt\":\"Approve with\",\"vXIe7J\":\"Language\",\"vesuBJ\":\"Allows you to decide whether to use a supplied asset as collateral. An asset used as collateral will affect your borrowing power and health factor.\",\"w+V9Cx\":\"Stablecoin\",\"w/JtJ3\":\"Stable debt supply is not zero\",\"w4VBY+\":\"Rewards APR\",\"w9dLMW\":[[\"label\"]],\"wAOL+X\":[\"You \",[\"action\"],\" <0/> \",[\"symbol\"]],\"wBIsjb\":\"Discord channel\",\"wQZbc/\":\"The caller of the function is not an AToken\",\"wRRqvW\":\"You do not have supplies in this currency\",\"wZFvVU\":\"VOTE YAE\",\"wb/r1O\":[\"Faucet \",[\"0\"]],\"wdxz7K\":\"Source\",\"weH1nG\":\"The Aave Protocol is programmed to always use the price of 1 GHO = $1. This is different from using market pricing via oracles for other crypto assets. This creates stabilizing arbitrage opportunities when the price of GHO fluctuates.\",\"wh7Ezv\":\"You have no AAVE/stkAAVE/aAave balance to delegate.\",\"wlsIx7\":\"With testnet Faucet you can get free assets to test the Aave Protocol. Make sure to switch your wallet provider to the appropriate testnet network, select desired asset, and click ‘Faucet’ to get tokens transferred to your wallet. The assets on a testnet are not “real,” meaning they have no monetary value. <0>Learn more\",\"wmE285\":\"Get ABP v2 Token\",\"wyRrcJ\":\"As a result of governance decisions, this ABPT staking pool is now deprecated. You have the flexibility to either migrate all of your tokens to v2 or unstake them without any cooldown period.\",\"x5KiLL\":\"Selected assets have successfully migrated. Visit the Market Dashboard to see them.\",\"x7F2p6\":\"Current differential\",\"x7K5ib\":[\"Your \",[\"networkName\"],\" wallet is empty. Get free test \",[\"0\"],\" at\"],\"x9iLRD\":\"tokens, please go to the\",\"xNy/UG\":\"Repay with\",\"xPm8wv\":\"Learn more about risks involved\",\"xXYpZl\":[[\"0\"],\" Faucet\"],\"xaVBSS\":\"Your info\",\"xaWZ6f\":\"APY type change\",\"xh6k71\":\"Collateral usage is limited because of isolation mode.\",\"xvIklc\":\"Flashloan is disabled for this asset, hence this position cannot be migrated.\",\"y5rS9U\":\"Migrate\",\"y66tBm\":[\"Enable \",[\"symbol\"],\" as collateral\"],\"yB1YpA\":\"Dark mode\",\"yCrG6m\":\"Total market size\",\"yJUUbn\":\"Transaction overview\",\"yLGmLX\":[\"Restake \",[\"symbol\"]],\"yW1oWB\":\"APY type\",\"yYHqJe\":\"Not a valid address\",\"yZwLw6\":\"Track wallet\",\"yh2sjd\":[\"Price impact \",[\"0\"],\"%\"],\"yhvj6d\":\"You can not switch usage as collateral mode for this currency, because it will cause collateral call\",\"ylmtBZ\":\"The app is running in fork mode.\",\"ymNY32\":[\"There are not enough funds in the\",[\"0\"],\"reserve to borrow\"],\"yz7wBu\":\"Close\",\"z4uGQg\":\"Debt ceiling is exceeded\",\"z5UQOM\":\"The collateral chosen cannot be liquidated\",\"z5Y+p6\":[\"Supplying \",[\"symbol\"]],\"zCjNKs\":\"Action cannot be performed because the reserve is frozen\",\"zRHytX\":\"Isolated Debt Ceiling\",\"zTOjMP\":\"Protocol supply cap is at 100% for this asset. Further supply unavailable.\",\"zVdRUG\":\"Submission did not work, please try again later or contact wecare@avara.xyz\",\"zevmS2\":\"<0><1><2/>Add <3/> stkAAVE to borrow at <4/> (max discount)\",\"zgtIDV\":\"Remaining debt\",\"zmTPiV\":\"Supply balance\",\"zpPbZl\":\"Liquidation risk parameters\",\"zucql+\":\"Menu\",\"zwWKhA\":\"Learn more\",\"zy9fXn\":[\"Asset is frozen in \",[\"marketName\"],\" v3 market, hence this position cannot be migrated.\"],\"zys+R6\":\"Be mindful of the network congestion and gas prices.\",\"zzzTXS\":\"Merit Program rewards are claimed through the\"}")}; \ No newline at end of file +/*eslint-disable*/module.exports={messages:JSON.parse("{\"+0xecS\":[\"If you DO NOT unstake within \",[\"0\"],\" of unstake window, you will need to activate cooldown process again.\"],\"+EGVI0\":\"Receive (est.)\",\"+VR63W\":[\"Participating in this \",[\"symbol\"],\" reserve gives annualized rewards.\"],\"+bmKdK\":\"Use your AAVE, stkAAVE, or aAave balance to delegate your voting and proposition powers. You will not be sending any tokens, only the rights to vote and propose changes to the protocol. You can re-delegate or revoke power to self at any time.\",\"+eOPG+\":\"Seems like we can't switch the network automatically. Please check if you can change it from the wallet.\",\"+i3Pd2\":\"Borrow cap\",\"+kLZGu\":\"Supplied asset amount\",\"+nuEh/\":\"Estimated time\",\"+xMFF8\":\"Remind me\",\"/57U31\":\"Amount to migrate\",\"/7ykiW\":\"Borrowing this amount will reduce your health factor and increase risk of liquidation.\",\"/YA5pU\":\"E-Mode increases your LTV for a selected category of assets, meaning that when E-mode is enabled, you will have higher borrowing power over assets of the same E-mode category which are defined by Aave Governance. You can enter E-Mode from your <0>Dashboard. To learn more about E-Mode and applied restrictionn, see the <1>help guide or the <2>Aave V3 Technical Paper.\",\"/izjs/\":\"Minimum staked Aave amount\",\"/jQctM\":\"To\",\"/lDBHm\":\"FAQ\",\"/yNlZf\":\"Stable borrowing is not enabled\",\"/yQcJM\":\"Total worth\",\"00AB2i\":\"User did not borrow the specified currency\",\"00OflG\":\"There is not enough liquidity for the target asset to perform the switch. Try lowering the amount.\",\"08/rZ9\":\"The cooldown period is the time required prior to unstaking your tokens (20 days). You can only withdraw your assets from the Security Module after the cooldown period and within the unstake window.<0>Learn more\",\"0AmQcW\":\"Rate change\",\"0BF3yK\":\"Sorry, we couldn't find the page you were looking for.\",\"0TAbjq\":\"Recent Transactions\",\"0jhlyw\":\"Liquidation risk\",\"0ojY+Y\":\"Current v2 Balance\",\"0thX3P\":\"Collateral change\",\"0wGCWc\":\"This is the total amount that you are able to supply to in this reserve. You are able to supply your wallet balance up until the supply cap is reached.\",\"1AsVfF\":\"Price data is not currently available for this reserve on the protocol subgraph\",\"1LjK22\":\"Transaction history\",\"1Onqx8\":[\"Approving \",[\"symbol\"],\"...\"],\"1Ue8sX\":\"Please connect a wallet to view your personal information here.\",\"1YH41K\":[\"After the cooldown period ends, you will enter the unstake window of \",[\"0\"],\". You will continue receiving rewards during cooldown and the unstake period.\"],\"1bpx9A\":\"...\",\"1kWUB+\":\"Liquidation <0/> threshold\",\"1m9Qqc\":\"Withdrawing and Switching\",\"1oyh4g\":\"Borrow rate\",\"1t7rez\":\"Asset supply is limited to a certain amount to reduce protocol exposure to the asset and to help manage risks involved.\",\"2CAPu2\":\"You've successfully withdrew & switched tokens.\",\"2Eoi/a\":\"View details\",\"2FYpfJ\":\"More\",\"2O3qp5\":\"Available liquidity\",\"2OM8/D\":[\"Asset cannot be migrated due to supply cap restriction in \",[\"marketName\"],\" v3 market.\"],\"2Q4GU4\":\"Blocked Address\",\"2ZGocC\":\"Aave is a fully decentralized, community governed protocol by the AAVE token-holders. AAVE token-holders collectively discuss, propose, and vote on upgrades to the protocol. AAVE token-holders (Ethereum network only) can either vote themselves on new proposals or delagate to an address of choice. To learn more check out the Governance\",\"2a6G7d\":\"Please enter a valid wallet address.\",\"2bAhR7\":\"Meet GHO\",\"2eBWE6\":\"I acknowledge the risks involved.\",\"2o/xRt\":\"Supply cap on target reserve reached. Try lowering the amount.\",\"2uJToh\":[[\"0\"],[\"name\"]],\"2x58bP\":\"Stable borrowing is enabled\",\"34Qfwy\":\"Borrow cap is exceeded\",\"39eQRj\":[\"Borrow \",[\"symbol\"]],\"3BL1xB\":\"Total supplied\",\"3BnIWi\":\"Switched\",\"3K0oMo\":\"Remaining supply\",\"3MoZhl\":\"There is not enough collateral to cover a new borrow\",\"3Np5O8\":[\"Supply \",[\"symbol\"]],\"3O8YTV\":\"Total interest accrued\",\"3mXg0z\":\"Max LTV\",\"3q3mFy\":\"Repay\",\"3qsjtp\":\"The weighted average of APY for all supplied assets, including incentives.\",\"3rL+os\":\"You can only withdraw your assets from the Security Module after the cooldown period ends and the unstake window is active.\",\"42UgDM\":[\"Migrate to \",[\"0\"],\" v3 Market\"],\"49UFQA\":\"Voting results\",\"4DMZUI\":\"View Transactions\",\"4HtGBb\":\"MAX\",\"4Y5H+g\":\"Terms\",\"4YYh4d\":\"Maximum available to borrow\",\"4iPAI3\":\"Minimum GHO borrow amount\",\"4lDFps\":\"Sign to continue\",\"4wyw8H\":\"Transactions\",\"5JSSxX\":[\"Your \",[\"networkName\"],\" wallet is empty. Get free test assets at\"],\"5K7kGO\":\"documentation\",\"5NOSGa\":\"Debt ceiling limits the amount possible to borrow against this asset by protocol users. Debt ceiling is specific to assets in isolation mode and is denoted in USD.\",\"5Ncc6j\":[\"This asset has almost reached its supply cap. There can only be \",[\"messageValue\"],\" supplied to this market.\"],\"5cZ/KX\":\"Variable debt supply is not zero\",\"5che++\":\"To request access for this permissioned market, please visit: <0>Acces Provider Name\",\"5ctNdV\":[\"Minimum \",[\"0\"],\" received\"],\"5hDe9v\":\"Allowance required action\",\"5rsnKT\":\"Available rewards\",\"5yC5m5\":\"View all votes\",\"6/dCYd\":\"Overview\",\"60crCe\":\"All transactions\",\"62Xcjh\":\"Collateral\",\"65A04M\":\"Spanish\",\"6G8s+q\":\"Signing\",\"6Jrv+z\":[\"Repay \",[\"symbol\"]],\"6NGLTR\":\"Discountable amount\",\"6Xr0UU\":\"Cooling down...\",\"6bxci/\":\"Voting power\",\"6f8S68\":\"Markets\",\"6g1gi0\":\"Proposals\",\"6gvoHP\":\"Copy error message\",\"6h3Q5G\":\"repaid\",\"6lFSyT\":\"Available to Stake\",\"6s8L6f\":\"Switch Network\",\"6yAAbq\":\"APY, borrow rate\",\"70wH1Q\":\"APR\",\"72c5Qo\":\"Total\",\"73Auuq\":\"Discount parameters are decided by the Aave community and may be changed over time. Check Governance for updates and vote to participate. <0>Learn more\",\"75qcAQ\":[[\"stepName\"]],\"7ITr5L\":\"Health factor\",\"7T/o5R\":\"Reached\",\"7YlcXu\":\"Fork mode is ON\",\"7Z76Iw\":\"Borrowing is unavailable because you’re using Isolation mode. To manage Isolation mode visit your <0>Dashboard.\",\"7aKlMS\":\"Share on Lens\",\"7bdUsR\":\"Redeem as aToken\",\"7er5fP\":\"Claim all\",\"7hb2+s\":\"Time remaining until the withdraw period ends.\",\"7l88b8\":\"Data couldn't be fetched, please reload graph.\",\"7p5kLi\":\"Dashboard\",\"7sofdl\":\"Withdraw and Switch\",\"8+6BI0\":\"Be careful - You are very close to liquidation. Consider depositing more collateral or paying down some of your borrowed positions\",\"87pUEW\":[\"Your \",[\"name\"],\" wallet is empty. Purchase or transfer assets.\"],\"8F1i42\":\"Page not found\",\"8G8M0u\":\"Loading data...\",\"8Iu1QS\":\"withdrew\",\"8JL93T\":\"All proposals\",\"8Q51DU\":\"Add to wallet\",\"8X/oyn\":\"Invalid amount to mint\",\"8Z5FPv\":\"Disconnect Wallet\",\"8Zz7s5\":\"assets\",\"8aLW8H\":\"Balance to revoke\",\"8bOT3H\":\"Utilization Rate\",\"8sLe4/\":\"View contract\",\"8t/M0y\":\"Please connect your wallet to be able to bridge your tokens.\",\"8vETh9\":\"Show\",\"94OHPx\":\"You are entering Isolation mode\",\"9CDK3/\":[\"Borrowing is currently unavailable for \",[\"0\"],\".\"],\"9GIj3z\":\"Reserve Size\",\"9Knqb4\":\"Staking balance\",\"9OBKm7\":\"Quorum\",\"9QHoGr\":\"Current votes\",\"9Rw96f\":[\"This asset has almost reached its borrow cap. There is only \",[\"messageValue\"],\" available to be borrowed from this market.\"],\"9Xj/qR\":[\"Some migrated assets will not be used as collateral due to enabled isolation mode in \",[\"marketName\"],\" V3 Market. Visit <0>\",[\"marketName\"],\" V3 Dashboard to manage isolation mode.\"],\"9c6vDV\":\"This asset has reached its supply cap. Nothing is available to be supplied from this market.\",\"9kTWHA\":\"MAI has been paused due to a community decision. Supply, borrows and repays are impacted. <0>More details\",\"9lXchd\":\"Underlying token\",\"9rWaKF\":\"Bridged Via CCIP\",\"9xSooW\":\"Since this is a test network, you can get any of the assets if you have ETH on your wallet\",\"A/lwoe\":\"Choose one of the on-ramp services\",\"A6dCI6\":[\"Maximum amount available to borrow is <0/> \",[\"0\"],\" (<1/>).\"],\"AReoaV\":\"Your borrows\",\"ARu1L4\":\"Repaid\",\"AV7cGz\":\"Review approval tx details\",\"AZOjB8\":\"Fetching data...\",\"Ai0jas\":\"Join the community discussion\",\"Ajl2rq\":\"Borrowing power and assets are limited due to Isolation mode.\",\"AqgYNC\":\"Protocol borrow cap at 100% for this asset. Further borrowing unavailable.\",\"B3EcQR\":\"Thank you for voting!!\",\"B6aXGH\":\"Stable\",\"B9Gqbz\":\"Variable rate\",\"BDFEd+\":\"stETH supplied as collateral will continue to accrue staking rewards provided by daily rebases.\",\"BE2mP0\":\"Borrowed assets\",\"BJyN77\":\"Due to health factor impact, a flashloan is required to perform this transaction, but Aave Governance has disabled flashloan availability for this asset. Try lowering the amount or supplying additional collateral.\",\"BNL4Ep\":\"Collateral usage is limited because of isolation mode. <0>Learn More\",\"BQ/wCO\":\"Migrate your assets\",\"BjLdl1\":\"At a discount\",\"BnhYo8\":\"Asset category\",\"Bq9Y7e\":\"This asset is frozen due to an Aave community decision. <0>More details\",\"BqWMDJ\":\"Faucet\",\"BqynZO\":\"Optimized for efficiency and risk by supporting blue-chip collateral assets\",\"Bsu7zX\":\"The fee includes the gas cost to complete the transaction on the destination chain and the fee paid to Chainlink CCIP service providers. You can chose to pay in the network token or GHO. <0>Learn more\",\"BwJKBw\":\"of\",\"C4/GSi\":\"Your balance of assets that are available to stake\",\"CDrsH+\":\"Techpaper\",\"CK1KXz\":\"Max\",\"CMHmbm\":\"Slippage\",\"CZXzs4\":\"Greek\",\"CcRNG6\":\"Switching\",\"CkTRmy\":[\"Claim \",[\"symbol\"]],\"CsqtLm\":\"Please connect your wallet to see migration tool.\",\"CtGlFb\":[[\"networkName\"],\" Faucet\"],\"Cxt2YY\":\"Watch wallet\",\"D33VQU\":\"This action will reduce health factor of V3 below liquidation threshold. Increase migrated collateral or reduce migrated borrow to continue.\",\"D8sc3k\":\"Stake balance\",\"D9BLRG\":\"This asset has been paused due to a community decision. Supply, withdraw, borrows and repays are impacted.\",\"DAma/S\":\"Collateral is (mostly) the same currency that is being borrowed\",\"DCnFg0\":[\"Addresses (\",[\"0\"],\")\"],\"DG3Lv1\":\"I fully understand the risks of migrating.\",\"DONJcV\":\"The underlying asset cannot be rescued\",\"DR+4uL\":\"Supply balance after switch\",\"DWjrck\":[\"Asset cannot be migrated to \",[\"marketName\"],\" V3 Market due to E-mode restrictions. You can disable or manage E-mode categories in your <0>V3 Dashboard\"],\"Dj+3wB\":\"Aave per month\",\"DptNvx\":\"Amount Staked\",\"DuEq2K\":\"Collateralization\",\"DxfsGs\":\"You can report incident to our <0>Discord or<1>Github.\",\"Dzma+E\":\"Main Ethereum market with the largest selection of assets and yield options\",\"E/QGRL\":\"Disabled\",\"EBL9Gz\":\"COPIED!\",\"ES8dkb\":\"Fixed rate\",\"EZd3Dk\":[\"Restaking \",[\"symbol\"]],\"EZqFZ+\":\"Staking this asset will earn the underlying asset supply yield in additon to other configured rewards.\",\"Ebgc76\":[\"Withdrawing \",[\"symbol\"]],\"EdQY6l\":\"None\",\"EjvKQ+\":\"Minimum USD value received\",\"Enslfm\":\"Destination\",\"EvE9nO\":[\"Reactivate cooldown period to unstake \",[\"0\"],\" \",[\"stakedToken\"]],\"EvECnL\":\"Migrate to v3\",\"EzMQbh\":\"The source chain time to finality is the main factor that determines the time to destination. <0>Learn more\",\"F40cwT\":\"Legacy Markets\",\"F6TdXL\":\"Learn more.\",\"FDDPeZ\":\"Users can stake their assets in the protocol and earn incentives. In the case of a shortfall event, your stake can be slashed to cover the deficit, providing an additional layer of protection for the protocol.\",\"FHlMf/\":\"Current v2 balance\",\"FHpxjF\":[\"Reserve factor is a percentage of interest which goes to a \",[\"0\"],\" that is controlled by Aave governance to promote ecosystem growth.\"],\"FOBZa6\":\"Borrow power used\",\"FPKEug\":\"Operation not supported\",\"FbmMe7\":\"Linked addresses\",\"Fdp03t\":\"on\",\"Fjw9N+\":\"Assets to supply\",\"FmN0fk\":\"Restake\",\"GDGLIs\":\"GHO is a native decentralized, collateral-backed digital asset pegged to USD. It is created by users via borrowing against multiple collateral. When user repays their GHO borrow position, the protocol burns that user's GHO. All the interest payments accrued by minters of GHO would be directly transferred to the AaveDAO treasury.\",\"GQrBTq\":\"Switch E-Mode\",\"GWswcZ\":\"This asset is frozen due to an Aave Protocol Governance decision. On the 20th of December 2022, renFIL will no longer be supported and cannot be bridged back to its native network. It is recommended to withdraw supply positions and repay borrow positions so that renFIL can be bridged back to FIL before the deadline. After this date, it will no longer be possible to convert renFIL to FIL. <0>More details\",\"GX8GKD\":\"Assets\",\"GgEj+0\":\"Read-only mode. Connect to a wallet to perform transactions.\",\"GjkIKV\":\"ends\",\"GoK/QN\":\"Thank you for submitting feedback!\",\"GtP2hp\":[\"Borrowing is unavailable because you’ve enabled Efficiency Mode (E-Mode) for \",[\"0\"],\" category. To manage E-Mode categories visit your <0>Dashboard.\"],\"H6Ma8Z\":\"Discount\",\"HB/wfS\":[[\"tooltipText\"]],\"HKDsQN\":\"Rewards can be claimed through\",\"Ha/U5f\":\"This is a program initiated and implemented by the decentralised ZKSync community. Aave Labs does not guarantee the program and accepts no liability.\",\"HciqKU\":\"This is a program initiated and implemented by the decentralised Aave community. Aave Labs does not guarantee the program and accepts no liability.\",\"Hi6Ttn\":\"Sorry, an unexpected error happened. In the meantime you may try reloading the page, or come back later.\",\"HkEDbS\":[[\"d\"],\"d\"],\"HmkYqM\":\"Unstake window\",\"HpK/8d\":\"Reload\",\"HrnC47\":\"Save and share\",\"HuVZMK\":\"Days\",\"HvJKMU\":[\"Asset cannot be migrated to \",[\"marketName\"],\" v3 Market since collateral asset will enable isolation mode.\"],\"Hvwnm9\":[\"Maximum amount available to supply is limited because protocol supply cap is at \",[\"0\"],\"%.\"],\"I8CX2c\":\"The total amount of your assets denominated in USD that can be used as collateral for borrowing assets.\",\"IAD2SB\":[\"Claiming \",[\"symbol\"]],\"IG9X9/\":\"Borrowing of this asset is limited to a certain amount to minimize liquidity pool insolvency.\",\"IOIx8L\":\"This asset is planned to be offboarded due to an Aave Protocol Governance decision. <0>More details\",\"IP+I/j\":\"Cooldown period\",\"IaA40H\":\"Liquidation at\",\"J/hVSQ\":[[\"0\"]],\"JCoxL6\":\"Manage analytics\",\"JK9zf1\":[\"Estimated compounding interest, including discount for Staking \",[\"0\"],\"AAVE in Safety Module.\"],\"JOqFba\":[\"Unstaking \",[\"symbol\"]],\"JPrLjO\":\"You can not use this currency as collateral\",\"JU6q+W\":\"Reward(s) to claim\",\"JYKRJS\":\"Stake\",\"JZMxX0\":\"Not enough balance on your wallet\",\"Jgflkm\":\"Get GHO\",\"JoMQnI\":\"Wallet balance\",\"JtwD8u\":\"Borrow balance after repay\",\"JumYTK\":\"Supplied assets\",\"K05qZY\":\"Withdraw & Switch\",\"KAz/NV\":\"Protocol debt ceiling is at 100% for this asset. Further borrowing against this asset is unavailable.\",\"KLXVqE\":[\"stETH tokens will be migrated to Wrapped stETH using Lido Protocol wrapper which leads to supply balance change after migration: \",[\"0\"]],\"KLd6ky\":\"Use connected account\",\"KRpokz\":\"VIEW TX\",\"KSlpka\":\"This represents the threshold at which a borrow position will be considered undercollateralized and subject to liquidation for each collateral. For example, if a collateral has a liquidation threshold of 80%, it means that the position will be liquidated when the debt value is worth 80% of the collateral value.\",\"KYAjf3\":\"Isolated\",\"KZwRuD\":[[\"notifyText\"]],\"KkPgim\":\"Switching E-Mode\",\"KnN1Tu\":\"Expires\",\"KoOBI2\":\"Due to internal stETH mechanics required for rebasing support, it is not possible to perform a collateral switch where stETH is the source token.\",\"KojyJ4\":\"Wrong Network\",\"KsqhWn\":\"Staking\",\"KuBTQq\":\"Enter ETH address\",\"KvG1xW\":\"Claiming\",\"L+8Lzs\":\"Current LTV\",\"L+qiq+\":\"Market\",\"LDzfVJ\":\"Send Feedback\",\"LIrMcF\":\"No voting power\",\"LL0zks\":\"Can be collateral\",\"LLdJWu\":\"Claimable AAVE\",\"LSIpNK\":\"Borrow and repay in same block is not allowed\",\"LVt3TI\":[\"<0>Slippage tolerance <1>\",[\"selectedSlippage\"],\"% <2>\",[\"0\"],\"\"],\"LjafV8\":\"Maximum collateral amount to use\",\"LtpQew\":\"Let us know how we can make the app better for you. For user support related inquiries please reach out on\",\"LvVpD/\":\"Emode\",\"M2sknc\":\"Tip: Try increasing slippage or reduce input amount\",\"M7wPsD\":\"Switch\",\"MFu33y\":\"Staking 00\",\"MIy2RJ\":\"Maximum amount received\",\"MZ/nQf\":\"Recipient address\",\"Ma/MtY\":\"staking view\",\"McHlGl\":\"APY change\",\"MeCCA+\":\"APY, variable\",\"MghdTe\":\"If the health factor goes below 1, the liquidation of your collateral might be triggered.\",\"Mm/DVQ\":\"You cancelled the transaction.\",\"MnE2QX\":\"Borrow info\",\"MrmQHg\":\"View Bridge Transactions\",\"MuDFEQ\":\"Invalid return value of the flashloan executor function\",\"N5kUMV\":\"Asset can be only used as collateral in isolation mode with limited borrowing power. To enter isolation mode, disable all other collateral.\",\"N6Pxr9\":\"View all\",\"NF0e1Q\":\"Pending...\",\"NK9ikO\":\"Wallet Balance\",\"NMt2CB\":\"Amount claimable\",\"NcFGxG\":\"Collector Contract\",\"NfpPeS\":\"Nothing staked\",\"Nh9DAo\":[[\"m\"],\"m\"],\"O+sCUU\":\"Unbacked mint cap is exceeded\",\"O+tyU+\":[\"Maximum amount available to borrow against this asset is limited because debt ceiling is at \",[\"0\"],\"%.\"],\"O3oNi5\":\"Email\",\"OFjZGo\":\"Unstake\",\"OR8cYX\":\"Proposal overview\",\"OYuJ9K\":\"Protocol debt ceiling is at 100% for this asset. Futher borrowing against this asset is unavailable.\",\"OfhWJH\":\"Reset\",\"Og2SKn\":\"disabled\",\"On0aF2\":\"Website\",\"OsyKSt\":\"Withdraw\",\"P1dURE\":\"Revoke power\",\"P2WCD/\":[\"Underlying asset does not exist in \",[\"marketName\"],\" v3 Market, hence this position cannot be migrated.\"],\"P2sL6B\":\"When a liquidation occurs, liquidators repay up to 50% of the outstanding borrowed amount on behalf of the borrower. In return, they can buy the collateral at a discount and keep the difference (liquidation penalty) as a bonus.\",\"P6sRoL\":\"Stake ABPT\",\"P72/OW\":\"The weighted average of APY for all borrowed assets, including incentives.\",\"P7e6Ug\":\"Please connect your wallet to view transaction history.\",\"PByO0X\":\"Votes\",\"PI+kVe\":\"Disable fork\",\"PJK9u/\":\"Borrow apy\",\"PLUB/s\":\"Fee\",\"PP5ZA8\":[\"Participating in staking \",[\"symbol\"],\" gives annualized rewards. Your wallet balance is the sum of your aTokens and underlying assets. The breakdown to stake is below\"],\"PcBUgb\":\"Liquidation threshold\",\"PjU6bu\":\"This asset is eligible for SPK incentive program. Aave Labs does not guarantee the program and accepts no liability.\",\"PpqD5g\":\"Enabling this asset as collateral increases your borrowing power and Health Factor. However, it can get liquidated if your health factor drops below 1.\",\"PsOFSf\":\"This action will reduce V2 health factor below liquidation threshold. retain collateral or migrate borrow position to continue.\",\"Pu4bI/\":[[\"currentMethod\"]],\"Q0LzKi\":\"View TX\",\"Q4eNqa\":\"The Aave Balancer Pool Token (ABPT) is a liquidity pool token. You can receive ABPT by depositing a combination of AAVE + wstETH in the Balancer liquidity pool. You can then stake your BPT in the Safety Module to secure the protocol and earn Safety Incentives.\",\"QQYsQ7\":\"Withdrawing\",\"QWYCs/\":\"Stake GHO\",\"R+30X3\":\"Not reached\",\"RCU5PY\":\"Age\",\"RIfckG\":[\"Disable \",[\"symbol\"],\" as collateral\"],\"RMtxNk\":\"Differential\",\"RNK49r\":\"Invalid signature\",\"RS0o7b\":\"State\",\"RU+LqV\":\"Proposal details\",\"RbXH+k\":\"AAVE, GHO, and ABPT holders (Ethereum network only) can stake their assets in the Safety Module to add more security to the protocol and earn Safety Incentives. In the case of a shortfall event, your stake can be slashed to cover the deficit, providing an additional layer of protection for the protocol.\",\"RiSYV4\":\"Asset is not listed\",\"Rj01Fz\":\"Links\",\"RmWFEe\":\"Staking APR\",\"RoafuO\":\"Send feedback\",\"RtBLm7\":\"Health factor is lesser than the liquidation threshold\",\"RxzN1M\":\"Enabled\",\"SDav7h\":\"Funds in the Safety Module\",\"SENccp\":\"If the error continues to happen,<0/> you may report it to this\",\"SIWumd\":\"Show Frozen or paused assets\",\"SM58dD\":\"Amount in cooldown\",\"SSMiac\":\"Failed to load proposal voters. Please refresh the page.\",\"SSQVIz\":\"Liquidation Threshold\",\"SUb8x0\":\"Total available\",\"SWIgh4\":\"Fees exceed wallet balance\",\"SY9hVo\":\"Read-only mode allows to see address positions in Aave, but you won't be able to perform transactions.\",\"SZRUQ4\":\"Max slippage\",\"Sa1UE/\":\"Protocol borrow cap is at 100% for this asset. Further borrowing unavailable.\",\"Sk2zW9\":\"Disabling E-Mode\",\"SxaD0o\":\"Pool addresses provider is not registered\",\"T/AIqG\":\"Protocol supply cap at 100% for this asset. Further supply unavailable.\",\"T0xCO9\":\"Can't validate the wallet address. Try again.\",\"T4OhVl\":\"GHO balance\",\"T6uYU2\":\"Borrow\",\"TFxQlw\":\"Liquidation penalty\",\"TQ7WsV\":\"Available to stake\",\"TUI7iB\":\"Asset can only be used as collateral in isolation mode only.\",\"TbjyhA\":\"Docs\",\"TduuS0\":\"User does not have outstanding stable rate debt on this reserve\",\"TeCFg/\":\"Borrow rate change\",\"Tg1JyO\":\"Bridge history\",\"TskbEN\":\"Holders of stkAAVE receive a discount on the GHO borrowing rate\",\"TszKts\":\"Borrow balance after switch\",\"TtZL6q\":\"Discount model parameters\",\"TwJI9F\":\"Asset has been successfully sent to CCIP contract. You can check the status of the transactions below\",\"Tz0GSZ\":\"blocked activities\",\"U/eBjN\":\"Reload the page\",\"U2r8nY\":\"Choose how much voting/proposition power to give to someone else by delegating some of your AAVE, stkAAVE or aAave balance. Your tokens will remain in your account, but your delegate will be able to vote or propose on your behalf. If your AAVE, stkAAVE or aAave balance changes, your delegate's voting/proposition power will be automatically adjusted.\",\"U8IubP\":\"The app is running in testnet mode. Learn how it works in\",\"U9btTk\":\"Asset is not borrowable in isolation mode\",\"UAOZRe\":\"Price impact is the spread between the total value of the entry tokens switched and the destination tokens obtained (in USD), which results from the limited liquidity of the trading pair.\",\"UE3KJZ\":\"Transaction history is not currently available for this market\",\"URmyfc\":\"Details\",\"UTTKmT\":\"Stake cooldown activated\",\"UXeR72\":\"These funds have been borrowed and are not available for withdrawal at this time.\",\"UYb8CM\":\"Learn more about the SPK rewards\",\"UbRrG0\":\"The Maximum LTV ratio represents the maximum borrowing power of a specific collateral. For example, if a collateral has an LTV of 75%, the user can borrow up to 0.75 worth of ETH in the principal currency for every 1 ETH worth of collateral.\",\"UpndFj\":\"No rewards to claim\",\"V0f2Xv\":\"Reserve factor\",\"V1HK43\":\"Migration risks\",\"VATFH9\":\"Covered debt\",\"VHOVEJ\":\"Connect wallet\",\"VMfYUK\":\"Safety of your deposited collateral against the borrowed assets and its underlying value.\",\"VOAZJh\":\"Total borrows\",\"ViKYxK\":\"YAE\",\"W1SSoD\":\"Review tx details\",\"W5hVah\":\"Nothing supplied yet\",\"W5kTFy\":\"Voting\",\"W8ekPc\":\"Back to Dashboard\",\"WMPbRK\":\"Unbacked\",\"WNGZwH\":\"E-Mode increases your LTV for a selected category of assets up to<0/>. <1>Learn more\",\"WPWG/y\":\"Reserve status & configuration\",\"WZLQSU\":\"User cannot withdraw more than the available balance\",\"WaZyaV\":\"<0>Ampleforth is a rebasing asset. Visit the <1>documentation to learn more.\",\"WfU+XN\":\"Because this asset is paused, no actions can be taken until further notice\",\"Wjmqs2\":\"No results found. You can import a custom token with a contract address\",\"WkZ6C6\":\"To borrow you need to supply any asset to be used as collateral.\",\"WyMiQm\":\"You've successfully switched tokens.\",\"X/ITG9\":\"Copy error text\",\"X3Pp6x\":\"Used as collateral\",\"X4Zt7j\":\"Action cannot be performed because the reserve is paused\",\"XBdKOj\":\"Representative smart contract wallet (ie. Safe) addresses on other chains.\",\"XZzneG\":\"You will exit isolation mode and other tokens can now be used as collateral\",\"Xg5y9S\":\"Amount to Bridge\",\"Xn4hUi\":\"Please always be aware of your <0>Health Factor (HF) when partially migrating a position and that your rates will be updated to V3 rates.\",\"Xy71ST\":\"Umbrella\",\"Y5kGkc\":\"VOTE NAY\",\"YDIOks\":\"Enabling E-Mode\",\"YSodyW\":\"This action will reduce your health factor. Please be mindful of the increased risk of collateral liquidation.\",\"YXOWXM\":\"The total amount bridged minus CCIP fees. Paying in network token does not impact gho amount.\",\"YirHq7\":\"Feedback\",\"YogbCJ\":\"Testnet mode is ON\",\"YrDxdO\":\"If your loan to value goes above the liquidation threshold your collateral supplied may be liquidated.\",\"YyIM65\":\"Interest rate rebalance conditions were not met\",\"YyydIq\":[\"Add \",[\"0\"],\" to wallet to track your balance.\"],\"ZBvhI+\":\"Aave Governance\",\"ZIIRAd\":\"Raw-Ipfs\",\"ZRq4tX\":\"Efficiency mode (E-Mode)\",\"ZSqEW+\":\"Manage E-Mode\",\"ZUFYFE\":\"Disable testnet\",\"Zbyywy\":\"Max slashing\",\"ZfUGFb\":\"Before supplying\",\"ZiXN+B\":\"Assets to stake\",\"ZlsSDH\":\"Liquidation value\",\"ZrEc8j\":\"We couldn't find any assets related to your search. Try again with a different asset name, symbol, or address.\",\"ZsLF7e\":\"enabled\",\"a0YQoQ\":\"Enter a valid address\",\"a2fBZn\":\"Time left to unstake\",\"a5RYZd\":\"Disabling this asset as collateral affects your borrowing power and Health Factor.\",\"a7u1N9\":\"Price\",\"a9D+6D\":\"Unstaked\",\"aEtiwq\":\"Vote NAY\",\"aMmFE1\":\"Buy Crypto With Fiat\",\"aOKIms\":\"Array parameters that should be equal length are not\",\"aX31hk\":\"Your balance is lower than the selected amount.\",\"adUsDd\":\"An error has occurred fetching the proposal.\",\"al6Pyz\":\"Exceeds the discount\",\"aoXTT7\":\"Borrow APY, variable\",\"aqX1Yp\":\"This asset is eligible for rewards through SuperFest. Aave Labs does not guarantee the program and accepts no liability.\",\"avgETN\":\"Eligible for the Merit program.\",\"b4NS3e\":\"Cooldown period warning\",\"bBHmeP\":\"Available to withdraw\",\"bNEQeI\":\"Cooldown\",\"bSruit\":\"ZKSync Ignite Program rewards are claimed through the\",\"bUUVED\":\"Asset\",\"bXQ/Og\":\"Share on twitter\",\"bXr0ee\":\"Isolated assets have limited borrowing power and other assets cannot be used as collateral.\",\"bYmAV1\":\"Addresses\",\"bguKoJ\":\"The requested amount is greater than the max loan size in stable rate mode\",\"bwSQI0\":\"Supply\",\"bxN6EM\":\"Cannot disable E-Mode\",\"bxmzSh\":\"Not enough collateral to repay this amount of debt with\",\"c91vuQ\":\"Address is not a contract\",\"c97os2\":\"Aave aToken\",\"c9b44w\":\"You can not withdraw this amount because it will cause collateral call\",\"cBc+4A\":\"This is the total amount available for you to borrow. You can borrow based on your collateral and until the borrow cap is reached.\",\"cIl5kp\":\"Your voting power is based on your AAVE/stkAAVE balance and received delegations.\",\"cLo09S\":\"Risk details\",\"cNT+ij\":\"Borrowing is unavailable because you’ve enabled Efficiency Mode (E-Mode) and Isolation mode. To manage E-Mode and Isolation mode visit your <0>Dashboard.\",\"cZOeBk\":\"Something went wrong fetching bridge message, please try again later.\",\"ceix5S\":\"To submit a proposal for minor changes to the protocol, you'll need at least 80.00K power. If you want to change the core code base, you'll need 320k power.<0>Learn more.\",\"ciSsYT\":\"Staking APY\",\"ciybUa\":\"Vote YAE\",\"ckf7gX\":[\"Repaying \",[\"symbol\"]],\"cp1ZDP\":[\"Bridge \",[\"symbol\"]],\"cqnmnD\":\"Effective interest rate\",\"cqwIvs\":\"Forum discussion\",\"csDS2L\":\"Available\",\"cu7Stb\":\"You did not participate in this proposal\",\"dE6BLF\":\"Governance\",\"dEgA5A\":\"Cancel\",\"dIsyWh\":\"Ltv validation failed\",\"dMtLDE\":\"to\",\"dOB5nW\":[\"Maximum amount available to supply is <0/> \",[\"0\"],\" (<1/>).\"],\"dVfODp\":\"You don’t have enough funds in your wallet to repay the full amount. If you proceed to repay with your current amount of funds, you will still have a small borrowing position in your dashboard.\",\"dXUQFX\":\"Assets to borrow\",\"dgr1aY\":\"Borrowing is disabled due to an Aave community decision. <0>More details\",\"djsg0o\":\"Collateral usage\",\"dpc0qG\":\"Variable\",\"drdV8R\":\"Liquidation\",\"dxW8cS\":\"Aave debt token\",\"e4V3oW\":\"Top 10 addresses\",\"eD8WX/\":\"Action requires an active reserve\",\"eJRJ04\":\"Amount to unstake\",\"eLh0cL\":\"Slippage is the difference between the quoted and received amounts from changing market conditions between the moment the transaction is submitted and its verification.\",\"ePK91l\":\"Edit\",\"eVpCmf\":\"Staking Rewards\",\"eVqvtf\":\"Bridge GHO\",\"eYdurp\":\"No transactions yet.\",\"ebLGGN\":\"Total borrowed\",\"ecqEvn\":\"The collateral balance is 0\",\"efdrrk\":\"Available on\",\"enruNF\":\"starts\",\"eqLYiD\":\"Unstake now\",\"euScGB\":\"APY with discount applied\",\"evw5ha\":\"Net worth\",\"ezcU16\":\"Get ABP Token\",\"f3W0Ej\":[\"You switched to \",[\"0\"],\" rate\"],\"fH9i8k\":\"You've successfully switched borrow position.\",\"fHcELk\":\"Net APR\",\"fMJQZK\":\"Borrowed\",\"fZ5Vnu\":\"Received\",\"firl9Q\":\"Your current loan to value based on your collateral supplied.\",\"flRCF/\":\"Staking discount\",\"fldjW9\":\"Preview tx and migrate\",\"fsBGk0\":\"Balance\",\"fu1Dbh\":[\"Withdraw \",[\"symbol\"]],\"fwjWSI\":\"Supplied\",\"fwyTMb\":\"Migrate to stkABPT v2\",\"g0mals\":\"You can not disable E-Mode because that could cause liquidation. To exit E-Mode supply or repay borrowed positions.\",\"g2UNkE\":\"Powered by\",\"g8KGoA\":\"FAQS\",\"g9zzqS\":\"Voted NAY\",\"gDd2gk\":\"about SuperFest.\",\"gFFh9h\":\"All done!\",\"gIMJlW\":\"Testnet mode\",\"gOzPxe\":\"This asset is frozen due to an Aave Protocol Governance decision. <0>More details\",\"gTHi2T\":\"User is trying to borrow multiple assets including a siloed one\",\"gVW59Y\":\"Please connect your wallet to get free testnet assets.\",\"gcFNxP\":\"Approve Confirmed\",\"gncRUO\":\"This address is blocked on app.aave.com because it is associated with one or more\",\"goff7V\":\"Zero address not valid\",\"gp+f1B\":\"Version 3\",\"gr8mYw\":\"You may borrow up to <0/> GHO at <1/> (max discount)\",\"gvTM4B\":\"Net APY is the combined effect of all supply and borrow positions on net worth, including incentives. It is possible to have a negative net APY if debt APY is higher than supply APY.\",\"gzcch9\":\"Invalid bridge protocol fee\",\"h33MxW\":\"Representing smart contract wallet (ie. Safe) addresses on other chains.\",\"h3ilK+\":\".CSV\",\"hB23LY\":\"Activate Cooldown\",\"hIJzBh\":\"Available to Claim\",\"hIS4N0\":\"Net APY\",\"hRWvpI\":\"Claimed\",\"hdmy/o\":\"The % of your total borrowing power used. This is based on the amount of your collateral supplied and the total amount that you can borrow.\",\"hehnjM\":\"Amount\",\"hjDCQr\":\"There was some error. Please try changing the parameters or <0><1>copy the error\",\"hom7qf\":\"Claim\",\"hpHJ4I\":\"Liquidated collateral\",\"hpuVIp\":\"Users who stake AAVE in Safety Module (i.e. stkAAVE holders) receive a discount on GHO borrow interest rate.\",\"huQ6Tz\":[\"Borrowing \",[\"symbol\"]],\"hxi7vE\":\"Borrow balance\",\"i/fZ2Z\":\"Staked Balance\",\"i2JTiw\":\"You may enter a custom amount in the field.\",\"iB5+/J\":\"About GHO\",\"iChbOF\":\"Inconsistent flashloan parameters\",\"iEPVHF\":\"Not enough voting power to participate in this proposal\",\"iEW87X\":\"Delegated power\",\"iEju36\":[\"You voted \",[\"0\"]],\"iFq2YN\":\"Borrowable\",\"iGxyIA\":\"Safety Module\",\"iMVZk9\":\"Select slippage tolerance\",\"iPMIoT\":\"Enter an amount\",\"iSLIjg\":\"Connect\",\"iUo5rv\":\"tokens is not the same as staking them. If you wish to stake your\",\"iZxa38\":\"Use it to vote for or against active proposals.\",\"if5PH+\":\"Collector Info\",\"igkfR1\":[\"In Isolation mode, you cannot supply other assets as collateral. A global debt ceiling limits the borrowing power of the isolated asset. To exit isolation mode disable \",[\"0\"],\" as collateral before borrowing another asset. Read more in our <0>FAQ\"],\"il0sEG\":\"Collateral usage is limited because of Isolation mode.\",\"j+K1Xj\":\"Amount After Fee\",\"jA2QeW\":\"Supplying your\",\"jFi7dz\":\"Interest rate that is determined by Aave Governance. This rate may be changed over time depending on the need for the GHO supply to contract/expand. <0>Learn more\",\"jG3UJ7\":\"Disable E-Mode\",\"jKYzR1\":\"Enable E-Mode\",\"jMam5g\":[[\"0\"],\" Balance\"],\"jSYv+Z\":\"Enabling E-Mode allows you to maximize your borrowing power, however, borrowing is restricted to assets within the selected category. <0>Learn more about how it works and the applied restrictions.\",\"jaKbwW\":[[\"s\"],\"s\"],\"jbFMap\":\"Cooldown time left\",\"jeMZNr\":[[\"0\"],\" on-ramp service is provided by External Provider and by selecting you agree to Terms of the Provider. Your access to the service might be reliant on the External Provider being operational.\"],\"jfl9OP\":\"Migrated\",\"jmXdoY\":\"In E-Mode some assets are not borrowable. Exit E-Mode to get access to all assets\",\"jpctdh\":\"View\",\"jqzUyM\":\"Unavailable\",\"k/sb6z\":\"Select language\",\"k3wP3f\":\"<0>Attention: Parameter changes via governance can alter your account health factor and risk of liquidation. Follow the <1>Aave governance forum for updates.\",\"kACpF3\":[\"Claim \",[\"0\"]],\"kH6wUX\":\"Price impact\",\"kIC28N\":\"Available to claim\",\"kIpSye\":[[\"numSelected\"],\"/\",[\"numAvailable\"],\" assets selected\"],\"kN1Yg5\":\"To repay on behalf of a user an explicit amount to repay is needed\",\"kRTD40\":[\"Repayment amount to reach \",[\"0\"],\"% utilization\"],\"kjN9tT\":\"Supply cap is exceeded\",\"knxE+G\":\".JSON\",\"ks2LWT\":\"Debt ceiling is not zero\",\"kwwn6i\":\"Users who stake AAVE in Safety Module (i.e. stkAAVE holders) receive a discount on GHO borrow interest rate. The discount applies to 100 GHO for every 1 stkAAVE held. Use the calculator below to see GHO borrow rate with the discount applied.\",\"kz3wtK\":\"and about SPK program\",\"kzZyM4\":\"DAI balance will be converted via DSR contracts and then supplied as sDAI. Switching incurs no additional costs and no slippage.\",\"lNVG7i\":\"Select an asset\",\"lU2d1/\":[\"Asset cannot be migrated due to insufficient liquidity or borrow cap limitation in \",[\"marketName\"],\" v3 market.\"],\"lVhKKI\":\"Voted YAE\",\"lWLqxB\":\"We couldn't find any transactions related to your search. Try again with a different asset name, or reset filters.\",\"lYGfRP\":\"English\",\"lfEjIE\":\"Learn more in our <0>FAQ guide\",\"lt6bpt\":\"Collateral to repay with\",\"m/IEhi\":\"Total emission per day\",\"m7r7Hh\":\"Selected borrow assets\",\"mDDK4p\":\"Balancer Pool\",\"mIM0qu\":\"Expected amount to repay\",\"mUAFd6\":\"Version 2\",\"masO5Z\":\"E-Mode increases your LTV for a selected category of assets. <0>Learn more\",\"mdNjKU\":[\"Your \",[\"name\"],\" wallet is empty. Purchase or transfer assets or use <0>\",[\"0\"],\" to transfer your \",[\"network\"],\" assets.\"],\"muiOng\":[\"Buy \",[\"cryptoSymbol\"],\" with Fiat\"],\"mvCXBY\":\"Stake AAVE\",\"mwdzil\":\"Ok, Close\",\"mzI/c+\":\"Download\",\"mzdIia\":\"Asset cannot be used as collateral.\",\"n+SX4g\":\"Developers\",\"n8Psk4\":\"We couldn’t detect a wallet. Connect a wallet to stake and view your balance.\",\"nJIhzm\":\"Supply apy\",\"nJgsQu\":\"With a voting power of <0/>\",\"nLC6tu\":\"French\",\"nN2T8p\":\"During the cooldown period, you will not earn any merit rewards. However, rewards earned up to this point will remain unaffected.\",\"nNHV0z\":\"Migrating multiple collaterals and borrowed assets at the same time can be an expensive operation and might fail in certain situations.<0>Therefore it’s not recommended to migrate positions with more than 5 assets (deposited + borrowed) at the same time.\",\"nNbnzu\":\"Proposition\",\"nOy4ob\":\"We suggest you go back to the Dashboard.\",\"nPGNMh\":\"Can be executed\",\"nUK1ou\":[\"Assets with zero LTV (\",[\"0\"],\") must be withdrawn or disabled as collateral to perform this action\"],\"nakd8r\":\"stkAAVE holders get a discount on GHO borrow rate\",\"nh2EJK\":[\"Please switch to \",[\"networkName\"],\".\"],\"njBeMm\":\"Both\",\"noN5Xf\":\"We couldn’t detect a wallet. Connect a wallet to view your staking positions and rewards.\",\"ntkAoE\":\"Discount applied for <0/> staking AAVE\",\"ntyFSE\":[[\"h\"],\"h\"],\"nwtY4N\":\"Something went wrong\",\"nxyWvj\":\"Withdrawing this amount will reduce your health factor and increase risk of liquidation.\",\"o17QVP\":\"Your health factor and loan to value determine the assurance of your collateral. To avoid liquidations you can supply more collateral or repay borrow positions.\",\"o1xc2V\":\"AToken supply is not zero\",\"o4tCu3\":\"Borrow APY\",\"o5ooMr\":\"Debt\",\"o7J4JM\":\"Filter\",\"oHFrpj\":\"Cooldown to unstake\",\"oJ5ZiG\":\"User does not have outstanding variable rate debt on this reserve\",\"oRBGin\":\"Please connect your wallet to be able to switch your tokens.\",\"oUwXhx\":\"Test Assets\",\"oWklJD\":\"Stable interest rate will <0>stay the same for the duration of your loan. Recommended for long-term loan periods and for users who prefer predictability.\",\"odnIK3\":\"Time remaining until the 48 hour withdraw period starts.\",\"oiK5nY\":\"The current incentives period, decided on by the Aave community, has ended. Governance is in the process on renewing, check for updates. <0>Learn more.\",\"olREoo\":\"All borrow positions outside of this category must be closed to enable this category.\",\"om/XHs\":\"Available to supply\",\"ov0+mq\":\"Eligible for the ZKSync Ignite program.\",\"ovT1pF\":[\"Per the community, the \",[\"market\"],\" has been frozen.\"],\"ow3fug\":\"Nothing found\",\"owSsI3\":\"Signatures ready\",\"p+R52m\":\"Go to Balancer Pool\",\"p2A+s1\":[\"The cooldown period is \",[\"0\"],\". After \",[\"1\"],\" of cooldown, you will enter unstake window of \",[\"2\"],\". You will continue receiving rewards during cooldown and unstake window.\"],\"p2S64u\":\"The loan to value of the migrated positions would cause liquidation. Increase migrated collateral or reduce migrated borrow to continue.\",\"p2Z2Qi\":\"This asset has reached its borrow cap. Nothing is available to be borrowed from this market.\",\"p3j+mb\":\"Your reward balance is 0\",\"p45alK\":\"Set up delegation\",\"p6u2s1\":\"Minimum amount of debt to be repaid\",\"pDgeaz\":[[\"title\"]],\"pdZqBk\":\"The underlying balance needs to be greater than 0\",\"pgWG9H\":\"Not enough staked balance\",\"piPrJ7\":\"please check that the amount you want to supply is not currently being used for staking. If it is being used for staking, your transaction might fail.\",\"pjO/iH\":\"Minimum amount received\",\"pooutM\":\"Voting is on\",\"pqaM5s\":\"Confirming transaction\",\"ptaxX3\":[\"I understand how cooldown (\",[\"0\"],\") and unstaking (\",[\"1\"],\") work\"],\"py2iiY\":\"The caller of this function must be a pool\",\"q/51mF\":\"Migrate to V3\",\"q3df11\":\"Interest rate strategy\",\"q6lAbz\":\"Staked\",\"qB4kPi\":\"Supply APY\",\"qENI8q\":\"Global settings\",\"qGz5zl\":\"Collateral balance after repay\",\"qIW9ZH\":\"Amount staked\",\"qOqbD6\":\"copy the error\",\"qXCkEM\":\"Please connect your wallet to see your supplies, borrowings, and open positions.\",\"qY2jnw\":\"Invalid expiration\",\"qf/fr+\":\"Interest accrued\",\"qhhf9L\":\"Rewards available to claim\",\"quYPUU\":\"Variable interest rate will <0>fluctuate based on the market conditions.\",\"quzIeW\":\"User is in isolation mode or LTV is zero\",\"qvnz3q\":\"Invalid amount to burn\",\"rHgdb0\":\"Migrate to Aave V3\",\"rOrHHe\":\"Amount must be greater than 0\",\"rQ+R+0\":\"Selected supply assets\",\"rSayea\":\"APY\",\"rTBDeu\":[\"Asset cannot be migrated because you have isolated collateral in \",[\"marketName\"],\" v3 Market which limits borrowable assets. You can manage your collateral in <0>\",[\"marketName\"],\" V3 Dashboard\"],\"rcT+yy\":\"Show assets with 0 balance\",\"rf8POi\":\"Borrowed asset amount\",\"riNWOA\":\"E-Mode\",\"rjGI/Q\":\"Privacy\",\"rnKPW1\":\"Watch a wallet balance in read-only mode\",\"ruc7X+\":\"Add stkAAVE to see borrow APY with the discount\",\"rvbaFU\":[\"Bridging \",[\"symbol\"]],\"rwVVB7\":\"Claim all rewards\",\"rwyUva\":\"These assets are temporarily frozen or paused by Aave community decisions, meaning that further supply / borrow, or rate swap of these assets are unavailable. Withdrawals and debt repayments are allowed. Follow the <0>Aave governance forum for further updates.\",\"rxJW5W\":\"Your proposition power is based on your AAVE/stkAAVE balance and received delegations.\",\"s2jJnW\":\"You don't have any bridge transactions\",\"s5wBAq\":[\"Unstake \",[\"symbol\"]],\"sJbIdI\":\"Enter ETH address or ENS\",\"sK+Nag\":\"Review tx\",\"sP2+gB\":\"NAY\",\"sQv06Y\":\"for\",\"sTtO6J\":\"Confirm transaction\",\"sXKb3l\":\"Exchange rate\",\"sb0q4+\":\"You unstake here\",\"smJNwH\":\"Available to borrow\",\"solypO\":\"Health factor is not below the threshold\",\"sr0UJD\":\"Go Back\",\"ss5GCK\":\"The address of the pool addresses provider is invalid\",\"swEgK4\":\"Your voting info\",\"t+wtgf\":\"Nothing borrowed yet\",\"t/YqKh\":\"Remove\",\"t81DpC\":[\"Approve \",[\"symbol\"],\" to continue\"],\"tCnbEs\":\"Oracle price\",\"tFZLf8\":\"This gas calculation is only an estimation. Your wallet will set the price of the transaction. You can modify the gas settings directly from your wallet provider.\",\"tHuvQI\":\"Go to V3 Dashboard\",\"tKv7cI\":\"Switch borrow position\",\"tOcg3N\":\"Since this asset is frozen, the only available actions are withdraw and repay which can be accessed from the <0>Dashboard\",\"tOuXfv\":[\"Borrow amount to reach \",[\"0\"],\"% utilization\"],\"te9Bfl\":\"Please, connect your wallet\",\"tt5yma\":\"Your supplies\",\"ttoh5c\":\"Switch to\",\"u3ZeYl\":\"Transaction failed\",\"u706uF\":\"Invalid flashloan premium\",\"u8Gfu7\":[\"No search results\",[\"0\"]],\"uAQUqI\":\"Status\",\"uHMwk8\":\"No assets selected to migrate.\",\"uJPHuY\":\"Migrating\",\"uY8O30\":\"To continue, you need to grant Aave smart contracts permission to move your funds from your wallet. Depending on the asset and wallet you use, it is done by signing the permission message (gas free), or by submitting an approval transaction (requires gas). <0>Learn more\",\"udFheE\":\"For repayment of a specific type of debt, the user needs to have debt that type\",\"ulNuNq\":\"Export data to\",\"ulup2p\":\"Buy Crypto with Fiat\",\"umICAY\":\"<0><1><2/>Add stkAAVE to see borrow rate with discount\",\"usB84Z\":\"Maximum amount available to borrow is limited because protocol borrow cap is nearly reached.\",\"uwAUvj\":\"COPY IMAGE\",\"v8x7Mg\":\"Insufficient collateral to cover new borrow position. Wallet must have borrowing power remaining to perform debt switch.\",\"vEqxH9\":\"Restaked\",\"vLyv1R\":\"Hide\",\"vMba49\":\"Borrowing is not enabled\",\"vMpNwt\":\"Approve with\",\"vXIe7J\":\"Language\",\"vesuBJ\":\"Allows you to decide whether to use a supplied asset as collateral. An asset used as collateral will affect your borrowing power and health factor.\",\"w+V9Cx\":\"Stablecoin\",\"w/JtJ3\":\"Stable debt supply is not zero\",\"w4VBY+\":\"Rewards APR\",\"w9dLMW\":[[\"label\"]],\"wAOL+X\":[\"You \",[\"action\"],\" <0/> \",[\"symbol\"]],\"wBIsjb\":\"Discord channel\",\"wQZbc/\":\"The caller of the function is not an AToken\",\"wRRqvW\":\"You do not have supplies in this currency\",\"wZFvVU\":\"VOTE YAE\",\"wb/r1O\":[\"Faucet \",[\"0\"]],\"wdxz7K\":\"Source\",\"weH1nG\":\"The Aave Protocol is programmed to always use the price of 1 GHO = $1. This is different from using market pricing via oracles for other crypto assets. This creates stabilizing arbitrage opportunities when the price of GHO fluctuates.\",\"wh7Ezv\":\"You have no AAVE/stkAAVE/aAave balance to delegate.\",\"wlsIx7\":\"With testnet Faucet you can get free assets to test the Aave Protocol. Make sure to switch your wallet provider to the appropriate testnet network, select desired asset, and click ‘Faucet’ to get tokens transferred to your wallet. The assets on a testnet are not “real,” meaning they have no monetary value. <0>Learn more\",\"wmE285\":\"Get ABP v2 Token\",\"wyRrcJ\":\"As a result of governance decisions, this ABPT staking pool is now deprecated. You have the flexibility to either migrate all of your tokens to v2 or unstake them without any cooldown period.\",\"x5KiLL\":\"Selected assets have successfully migrated. Visit the Market Dashboard to see them.\",\"x7F2p6\":\"Current differential\",\"x7K5ib\":[\"Your \",[\"networkName\"],\" wallet is empty. Get free test \",[\"0\"],\" at\"],\"x9iLRD\":\"tokens, please go to the\",\"xNy/UG\":\"Repay with\",\"xPm8wv\":\"Learn more about risks involved\",\"xXYpZl\":[[\"0\"],\" Faucet\"],\"xaVBSS\":\"Your info\",\"xaWZ6f\":\"APY type change\",\"xh6k71\":\"Collateral usage is limited because of isolation mode.\",\"xvIklc\":\"Flashloan is disabled for this asset, hence this position cannot be migrated.\",\"y5rS9U\":\"Migrate\",\"y66tBm\":[\"Enable \",[\"symbol\"],\" as collateral\"],\"yB1YpA\":\"Dark mode\",\"yCrG6m\":\"Total market size\",\"yJUUbn\":\"Transaction overview\",\"yLGmLX\":[\"Restake \",[\"symbol\"]],\"yW1oWB\":\"APY type\",\"yYHqJe\":\"Not a valid address\",\"yZwLw6\":\"Track wallet\",\"yh2sjd\":[\"Price impact \",[\"0\"],\"%\"],\"yhvj6d\":\"You can not switch usage as collateral mode for this currency, because it will cause collateral call\",\"ylmtBZ\":\"The app is running in fork mode.\",\"ymNY32\":[\"There are not enough funds in the\",[\"0\"],\"reserve to borrow\"],\"yz7wBu\":\"Close\",\"z4uGQg\":\"Debt ceiling is exceeded\",\"z5UQOM\":\"The collateral chosen cannot be liquidated\",\"z5Y+p6\":[\"Supplying \",[\"symbol\"]],\"zCjNKs\":\"Action cannot be performed because the reserve is frozen\",\"zRHytX\":\"Isolated Debt Ceiling\",\"zTOjMP\":\"Protocol supply cap is at 100% for this asset. Further supply unavailable.\",\"zVdRUG\":\"Submission did not work, please try again later or contact wecare@avara.xyz\",\"zevmS2\":\"<0><1><2/>Add <3/> stkAAVE to borrow at <4/> (max discount)\",\"zgtIDV\":\"Remaining debt\",\"zmTPiV\":\"Supply balance\",\"zpPbZl\":\"Liquidation risk parameters\",\"zucql+\":\"Menu\",\"zwWKhA\":\"Learn more\",\"zy9fXn\":[\"Asset is frozen in \",[\"marketName\"],\" v3 market, hence this position cannot be migrated.\"],\"zys+R6\":\"Be mindful of the network congestion and gas prices.\",\"zzzTXS\":\"Merit Program rewards are claimed through the\"}")}; \ No newline at end of file diff --git a/src/locales/en/messages.po b/src/locales/en/messages.po index aad2a67f9b..ce32214bc2 100644 --- a/src/locales/en/messages.po +++ b/src/locales/en/messages.po @@ -81,6 +81,7 @@ msgid "Stable borrowing is not enabled" msgstr "Stable borrowing is not enabled" #: src/components/transactions/ClaimRewards/ClaimRewardsModalContent.tsx +#: src/modules/umbrella/UmbrellaClaimModalContent.tsx msgid "Total worth" msgstr "Total worth" @@ -143,6 +144,10 @@ msgstr "Approving {symbol}..." msgid "Please connect a wallet to view your personal information here." msgstr "Please connect a wallet to view your personal information here." +#: src/modules/umbrella/AmountStakedItem.tsx +msgid "After the cooldown period ends, you will enter the unstake window of {0}. You will continue receiving rewards during cooldown and the unstake period." +msgstr "After the cooldown period ends, you will enter the unstake window of {0}. You will continue receiving rewards during cooldown and the unstake period." + #: src/modules/dashboard/lists/SupplyAssetsList/SupplyAssetsListItem.tsx msgid "..." msgstr "..." @@ -445,7 +450,6 @@ msgstr "APY, borrow rate" #: src/components/incentives/MeritIncentivesTooltipContent.tsx #: src/components/incentives/ZkSyncIgniteIncentivesTooltipContent.tsx #: src/modules/umbrella/StakingApyItem.tsx -#: src/modules/umbrella/StakingApyItem.tsx msgid "APR" msgstr "APR" @@ -494,6 +498,7 @@ msgid "Claim all" msgstr "Claim all" #: src/modules/staking/StakingPanel.tsx +#: src/modules/umbrella/AmountStakedItem.tsx msgid "Time remaining until the withdraw period ends." msgstr "Time remaining until the withdraw period ends." @@ -744,6 +749,10 @@ msgstr "The fee includes the gas cost to complete the transaction on the destina msgid "of" msgstr "of" +#: src/modules/umbrella/AvailableToStakeItem.tsx +msgid "Your balance of assets that are available to stake" +msgstr "Your balance of assets that are available to stake" + #: src/modules/reserve-overview/Gho/GhoReserveConfiguration.tsx msgid "Techpaper" msgstr "Techpaper" @@ -862,6 +871,10 @@ msgstr "Fixed rate" msgid "Restaking {symbol}" msgstr "Restaking {symbol}" +#: src/modules/umbrella/StakingApyItem.tsx +msgid "Staking this asset will earn the underlying asset supply yield in additon to other configured rewards." +msgstr "Staking this asset will earn the underlying asset supply yield in additon to other configured rewards." + #: src/components/transactions/Withdraw/WithdrawActions.tsx msgid "Withdrawing {symbol}" msgstr "Withdrawing {symbol}" @@ -1045,7 +1058,6 @@ msgstr "This asset is planned to be offboarded due to an Aave Protocol Governanc #: src/components/transactions/StakeCooldown/StakeCooldownModalContent.tsx #: src/modules/staking/StakingPanel.tsx -#: src/modules/umbrella/helpers/StakingDropdown.tsx #: src/modules/umbrella/StakeCooldownModalContent.tsx msgid "Cooldown period" msgstr "Cooldown period" @@ -1198,6 +1210,7 @@ msgid "Enter ETH address" msgstr "Enter ETH address" #: src/components/transactions/ClaimRewards/ClaimRewardsActions.tsx +#: src/modules/umbrella/UmbrellaClaimActions.tsx msgid "Claiming" msgstr "Claiming" @@ -1516,12 +1529,6 @@ msgstr "State" msgid "Proposal details" msgstr "Proposal details" -#: src/modules/umbrella/AvailableToClaimItem.tsx -#: src/modules/umbrella/AvailableToStakeItem.tsx -#: src/modules/umbrella/StakingApyItem.tsx -msgid "lorem ipsum" -msgstr "lorem ipsum" - #: src/modules/staking/StakingHeader.tsx msgid "AAVE, GHO, and ABPT holders (Ethereum network only) can stake their assets in the Safety Module to add more security to the protocol and earn Safety Incentives. In the case of a shortfall event, your stake can be slashed to cover the deficit, providing an additional layer of protection for the protocol." msgstr "AAVE, GHO, and ABPT holders (Ethereum network only) can stake their assets in the Safety Module to add more security to the protocol and earn Safety Incentives. In the case of a shortfall event, your stake can be slashed to cover the deficit, providing an additional layer of protection for the protocol." @@ -1568,6 +1575,7 @@ msgid "Show Frozen or paused assets" msgstr "Show Frozen or paused assets" #: src/modules/staking/StakingPanel.tsx +#: src/modules/umbrella/AmountStakedItem.tsx msgid "Amount in cooldown" msgstr "Amount in cooldown" @@ -1944,7 +1952,6 @@ msgid "Enter a valid address" msgstr "Enter a valid address" #: src/modules/staking/StakingPanel.tsx -#: src/modules/umbrella/helpers/StakingDropdown.tsx msgid "Time left to unstake" msgstr "Time left to unstake" @@ -2002,6 +2009,10 @@ msgstr "Eligible for the Merit program." msgid "Cooldown period warning" msgstr "Cooldown period warning" +#: src/modules/umbrella/AmountStakedItem.tsx +msgid "Available to withdraw" +msgstr "Available to withdraw" + #: src/components/transactions/FlowCommons/TxModalDetails.tsx #: src/modules/umbrella/helpers/StakingDropdown.tsx msgid "Cooldown" @@ -2210,6 +2221,7 @@ msgid "Edit" msgstr "Edit" #: src/modules/reserve-overview/SupplyInfo.tsx +#: src/modules/umbrella/StakingApyItem.tsx msgid "Staking Rewards" msgstr "Staking Rewards" @@ -2270,7 +2282,6 @@ msgid "You've successfully switched borrow position." msgstr "You've successfully switched borrow position." #: src/components/incentives/IncentivesTooltipContent.tsx -#: src/modules/umbrella/StakingApyItem.tsx msgid "Net APR" msgstr "Net APR" @@ -2302,6 +2313,7 @@ msgstr "Preview tx and migrate" #: src/modules/dashboard/lists/BorrowedPositionsList/BorrowedPositionsList.tsx #: src/modules/dashboard/lists/SuppliedPositionsList/SuppliedPositionsList.tsx #: src/modules/dashboard/lists/SuppliedPositionsList/SuppliedPositionsList.tsx +#: src/modules/umbrella/UmbrellaClaimModalContent.tsx msgid "Balance" msgstr "Balance" @@ -2414,6 +2426,7 @@ msgstr "Net APY" #: src/components/transactions/ClaimRewards/ClaimRewardsModalContent.tsx #: src/components/transactions/StakeRewardClaim/StakeRewardClaimModalContent.tsx +#: src/modules/umbrella/UmbrellaClaimModalContent.tsx msgid "Claimed" msgstr "Claimed" @@ -2435,6 +2448,7 @@ msgstr "There was some error. Please try changing the parameters or <0><1>copy t #: src/modules/dashboard/DashboardTopPanel.tsx #: src/modules/staking/StakingPanel.tsx +#: src/modules/umbrella/UmbrellaClaimActions.tsx msgid "Claim" msgstr "Claim" @@ -2561,7 +2575,6 @@ msgid "{s}s" msgstr "{s}s" #: src/modules/staking/StakingPanel.tsx -#: src/modules/umbrella/helpers/StakingDropdown.tsx msgid "Cooldown time left" msgstr "Cooldown time left" @@ -3008,6 +3021,10 @@ msgstr "Invalid expiration" msgid "Interest accrued" msgstr "Interest accrued" +#: src/modules/umbrella/AvailableToClaimItem.tsx +msgid "Rewards available to claim" +msgstr "Rewards available to claim" + #: src/components/infoTooltips/VariableAPYTooltip.tsx msgid "Variable interest rate will <0>fluctuate based on the market conditions." msgstr "Variable interest rate will <0>fluctuate based on the market conditions." diff --git a/src/locales/es/messages.js b/src/locales/es/messages.js index f55c381e8d..f853bd0080 100644 --- a/src/locales/es/messages.js +++ b/src/locales/es/messages.js @@ -1 +1 @@ -/*eslint-disable*/module.exports={messages:JSON.parse("{\"+0xecS\":[\"Si NO unstakeas entre \",[\"0\"],\" de la ventana de unstakeo, necesitarás activar el proceso de cooldown de nuevo.\"],\"+EGVI0\":\"Recibir (est.)\",\"+VR63W\":[\"Participar en esta reserva de \",[\"symbol\"],\" da recompensas anuales.\"],\"+bmKdK\":\"Utiliza tu balance de AAVE, stkAAVE o aAava para delegar tu voto y poder de proposición. No enviarás ningún token, solo los derechos de votar y proponer cambios en el protocolo. Puedes volver a delegar o revocar el poder de vuelta en cualquier momento.\",\"+eOPG+\":\"Parece que no podemos cambiar la red automáticamente. Por favor, comprueba si puedes cambiarla desde la cartera.\",\"+i3Pd2\":\"Límite del préstamo\",\"+kLZGu\":\"Cantidad de activos suministrados\",\"+nuEh/\":\"Estimated time\",\"+xMFF8\":\"Remind me\",\"/57U31\":\"Cantidad para migrar\",\"/7ykiW\":\"Tomar prestado esta cantidad reducirá tu factor de salud y aumentará el riesgo de liquidación.\",\"/YA5pU\":\"E-Mode increases your LTV for a selected category of assets, meaning that when E-mode is enabled, you will have higher borrowing power over assets of the same E-mode category which are defined by Aave Governance. You can enter E-Mode from your <0>Dashboard. To learn more about E-Mode and applied restrictionn, see the <1>help guide or the <2>Aave V3 Technical Paper.\",\"/izjs/\":\"Cantidad mínima de Aave stakeado\",\"/jQctM\":\"To\",\"/lDBHm\":\"Preguntas frecuentes\",\"/yNlZf\":\"El préstamo estable no está habilitado\",\"/yQcJM\":\"Valor total\",\"00AB2i\":\"El usuario no tomó prestado el activo especificado\",\"00OflG\":\"No hay suficiente liquidez para que el activo seleccionado realice el cambio. Prueba reduciendo la cantidad.\",\"08/rZ9\":\"El periodo de cooldown es el tiempo requerido antes de unstakear tus tokens (20 días). Solo puedes retirar tus activos del Módulo de Seguridad después del periodo de cooldown y dentro de la ventana de unstakeo.<0>Aprende más\",\"0AmQcW\":\"Cambio de tasa\",\"0BF3yK\":\"Lo sentimos, no hemos podido encontrar la página que estabas buscando.\",\"0TAbjq\":\"Recent Transactions\",\"0jhlyw\":\"Riesgo de liquidación\",\"0ojY+Y\":\"Balance actual v2\",\"0thX3P\":\"Cambio de garantía\",\"0wGCWc\":\"Esta es la cantidad total que puedes suministrar en esta reserva. Puedes suministrar el balance de tu cartera hasta que se alcance el límite de suministro.\",\"1AsVfF\":\"Los datos de los precios no están disponibles actualmente para esta reserva en el subgraph del protocolo\",\"1LjK22\":\"Historial de transacciones\",\"1Onqx8\":[\"Aprobando \",[\"symbol\"],\"...\"],\"1Ue8sX\":\"Por favor conecta una cartera para ver tu información personal aquí.\",\"1bpx9A\":\"...\",\"1kWUB+\":\"Umbral <0/> de liquidación\",\"1m9Qqc\":\"Retirando y Cambiando\",\"1oyh4g\":\"Borrow rate\",\"1t7rez\":\"El suministro de activos está limitado a una cierta cantidad para reducir la exposición del protocolo a este activo y ayudar a manejar los riesgos implicados.\",\"2CAPu2\":\"Has retirado y cambiado tokens con éxito.\",\"2Eoi/a\":\"Ver detalles\",\"2FYpfJ\":\"Más\",\"2O3qp5\":\"Liquidez disponible\",\"2OM8/D\":[\"Este activo no se puede migrar debido a una restricción del límite de suministro en el mercado v3 de \",[\"marketName\"],\".\"],\"2Q4GU4\":\"Dirección bloqueada\",\"2ZGocC\":\"Aave es un protocolo totalmente descentralizado, gobernado por la comunidad de poseedores de tokens AAVE. Los poseedores de tokens AAVE discuten, proponen y votan colectivamente sobre las actualizaciones del protocolo. Los poseedores de tokens AAVE (solo en la red Ethereum) pueden votar ellos mismos sobre nuevas propuestas o delegarse a una dirección de su elección. Para aprender más, consulta la\",\"2a6G7d\":\"Por favor introduce una dirección de cartera válida.\",\"2bAhR7\":\"Conoce GHO\",\"2eBWE6\":\"Acepto los riesgos involucadros.\",\"2o/xRt\":\"Se ha alcanzado el límite de suministro en la reserva especificada. Prueba reduciendo la cantidad.\",\"2uJToh\":[[\"0\"],[\"name\"]],\"2x58bP\":\"El préstamo estable no está habilitado\",\"34Qfwy\":\"El límite del préstamo se ha sobrepasado\",\"39eQRj\":[\"Tomar prestado \",[\"symbol\"]],\"3BL1xB\":\"Total suministrado\",\"3BnIWi\":\"Cambiado\",\"3K0oMo\":\"Suministro restante\",\"3MoZhl\":\"No hay suficiente garantía para cubrir un nuevo préstamo\",\"3Np5O8\":[\"Suministrar \",[\"symbol\"]],\"3O8YTV\":\"Interés total acumulado\",\"3mXg0z\":\"LTV máximo\",\"3q3mFy\":\"Pagar\",\"3qsjtp\":\"El promedio ponderado de APY para todos los activos suministrados, incluidos los incentivos.\",\"3rL+os\":\"Solo puedes retirar tus activos del Módulo de Seguridad después de que finalice el período de cooldown y la ventana de unstakeo esté activa.\",\"42UgDM\":[\"Migrar al mercado V3 de \",[\"0\"]],\"49UFQA\":\"Resultados de la votación\",\"4DMZUI\":\"Ver Transacciones\",\"4HtGBb\":\"MAX\",\"4Y5H+g\":\"Términos\",\"4YYh4d\":\"Máximo disponible para tomar prestado\",\"4iPAI3\":\"Cantidad de préstamo mínima de GHO\",\"4lDFps\":\"Firma para continuar\",\"4wyw8H\":\"Transacciones\",\"5JSSxX\":[\"Tu cartera de \",[\"networkName\"],\" está vacía. Consigue activos de prueba gratis en\"],\"5K7kGO\":\"documentación\",\"5NOSGa\":\"El límite de deuda limita la cantidad posible que los usuarios del protocolo pueden tomar prestado contra este activo. El límite de deuda es específico para los activos en isolation mode y se indica en USD.\",\"5Ncc6j\":[\"Este activo casi ha alcanzado su límite de suministro. Solo se puede suministrar \",[\"messageValue\"],\" a este mercado.\"],\"5cZ/KX\":\"El suministro de deuda variable no es cero\",\"5che++\":\"Para solicitar acceso a este mercado, porfavor visita: <0>Nombre del proveedor de acceso\",\"5ctNdV\":[\"Mínimo \",[\"0\"],\" recibido\"],\"5hDe9v\":\"Acción de permiso requerida\",\"5rsnKT\":\"Recompensas disponibles\",\"5yC5m5\":\"Ver todos los votos\",\"6/dCYd\":\"Resumen\",\"60crCe\":\"Todas las transacciones\",\"62Xcjh\":\"Garantía\",\"65A04M\":\"Español\",\"6G8s+q\":\"Firmando\",\"6Jrv+z\":[\"Pagar \",[\"symbol\"]],\"6NGLTR\":\"Cantidad descontable\",\"6Xr0UU\":\"Cooling down...\",\"6bxci/\":\"Poder de votación\",\"6f8S68\":\"Mercados\",\"6g1gi0\":\"Propuestas\",\"6gvoHP\":\"Copiar mensaje de error\",\"6h3Q5G\":\"reembolsado\",\"6lFSyT\":\"Available to Stake\",\"6s8L6f\":\"Cambiar de red\",\"6yAAbq\":\"APY, tasa de préstamo\",\"70wH1Q\":\"APR\",\"72c5Qo\":\"Total\",\"73Auuq\":\"Los parámetros de descuento son decididos por la comunidad de Aave y pueden cambiar con el tiempo. Consulta el Gobierno para ver actualizaciones y vota para participar. <0>-Aprende más\",\"75qcAQ\":[[\"stepName\"]],\"7ITr5L\":\"Factor de salud\",\"7T/o5R\":\"Alcanzado\",\"7YlcXu\":\"El fork mode está activado\",\"7Z76Iw\":\"Tomar prestado no está disponible porque estás usando el Isolation mode. Para administrar el Isolation mode, visita tu <0>Panel de control.\",\"7aKlMS\":\"Compartir en Lens\",\"7bdUsR\":\"Redeem as aToken\",\"7er5fP\":\"Reclamar todo\",\"7hb2+s\":\"Time remaining until the withdraw period ends.\",\"7l88b8\":\"No se pudieron recuperar los datos, por favor recarga el gráfico.\",\"7p5kLi\":\"Panel de control\",\"7sofdl\":\"Retirar y Cambiar\",\"8+6BI0\":\"Ten cuidado - Estás muy cerca de la liquidación. Considera depositar más garantía o pagar alguno de tus préstamos\",\"87pUEW\":[\"Tu cartera de \",[\"name\"],\" está vacía. Compra o transfiere activos.\"],\"8F1i42\":\"Página no encontrada\",\"8G8M0u\":\"Cargando datos...\",\"8Iu1QS\":\"retirado\",\"8JL93T\":\"Todas las propuestas\",\"8Q51DU\":\"Añadir a la cartera\",\"8X/oyn\":\"Cantidad invalidad para generar\",\"8Z5FPv\":\"Desconectar cartera\",\"8Zz7s5\":\"activos\",\"8aLW8H\":\"Balance a revocar\",\"8bOT3H\":\"Tasa de uso\",\"8sLe4/\":\"Ver contrato\",\"8t/M0y\":\"Please connect your wallet to be able to bridge your tokens.\",\"8vETh9\":\"Mostrar\",\"94OHPx\":\"Estás entrando en el Isolation mode\",\"9CDK3/\":[\"Tomar prestado no está disponible actualmente para \",[\"0\"],\".\"],\"9GIj3z\":\"Tamaño de la reserva\",\"9Knqb4\":\"Balance stakeado\",\"9OBKm7\":\"Quorum\",\"9QHoGr\":\"Votos actuales\",\"9Rw96f\":[\"Este activo casi ha alcanzado su límite de préstamo. Solo hay \",[\"messageValue\"],\" disponibles para ser prestado de este mercado.\"],\"9Xj/qR\":[\"Algunos activos migrados no se utilizarán como garantía debido al isolation mode habilitado en el mercado V3 de \",[\"marketName\"],\". Visita el <0>Panel de control de \",[\"marketName\"],\" V3 para administrar el isolation mode.\"],\"9c6vDV\":\"Este activo ha alcanzado su límite de suministro. No queda nada disponible para ser suministrado desde este mercado.\",\"9kTWHA\":\"MAI ha sido pausado debido a una decisión de la comunidad. Los suministros, préstamos y pagos se han visto afectados. <0>Más información\",\"9lXchd\":\"Token subyacente\",\"9rWaKF\":\"Bridged Via CCIP\",\"9xSooW\":\"Puesto que esta es una red de pruebas, puedes obtener cualquiera de los activos si tienes ETH en tu cartera\",\"A/lwoe\":\"Elige uno de los servicios on-ramp\",\"A6dCI6\":[\"La máxima cantidad disponible para tomar prestado es <0/> \",[\"0\"],\" (<1/>).\"],\"AReoaV\":\"Tus préstamos\",\"ARu1L4\":\"Pagado\",\"AV7cGz\":\"Revisa los detalles del approve\",\"AZOjB8\":\"Recuperando datos...\",\"Ai0jas\":\"Únete a la discusión de la comunidad\",\"Ajl2rq\":\"El poder de préstamo y los activos están limitados debido al Isolation mode.\",\"AqgYNC\":\"El límite de préstamo del protocolo está al 100% para este activo. No es posible tomar más prestado.\",\"B3EcQR\":\"¡Gracias por votar!\",\"B6aXGH\":\"Estable\",\"B9Gqbz\":\"Tasa variable\",\"BDFEd+\":\"stETH suministrado como garantía continuará acumulando recompensas de staking proporcionadas por rebases diarios.\",\"BE2mP0\":\"Borrowed assets\",\"BJyN77\":\"Debido al impacto del factor de salud, se requiere un préstamo flash para realizar esta transacción, pero el Gobierno de Aave ha inhabilitado la disponibilidad de préstamos flash para este activo. Intenta reducir la cantidad o suministrar garantía adicional.\",\"BNL4Ep\":\"El uso como garantía está limitado debido al isolation mode. <0>Aprende más\",\"BQ/wCO\":\"Migrate your assets\",\"BjLdl1\":\"Con un descuento\",\"BnhYo8\":\"Categoría de activos\",\"Bq9Y7e\":\"Este activo está congelado debido a una decisión de la comunidad de Aave. <0>Más información\",\"BqWMDJ\":\"Faucet\",\"BqynZO\":\"Optimized for efficiency and risk by supporting blue-chip collateral assets\",\"Bsu7zX\":\"The fee includes the gas cost to complete the transaction on the destination chain and the fee paid to Chainlink CCIP service providers. You can chose to pay in the network token or GHO. <0>Learn more\",\"BwJKBw\":\"de\",\"CDrsH+\":\"Documento técnico\",\"CK1KXz\":\"Max\",\"CMHmbm\":\"Deslizamiento\",\"CZXzs4\":\"Griego\",\"CcRNG6\":\"Cambiando\",\"CkTRmy\":[\"Reclamar \",[\"symbol\"]],\"CsqtLm\":\"Por favor conecta tu cartera para ver la herramienta de migración.\",\"CtGlFb\":[\"Faucet \",[\"networkName\"]],\"Cxt2YY\":\"Watch wallet\",\"D33VQU\":\"Esta acción reducirá el factor de salud de V3 por debajo del umbral de liquidación. Aumenta la garantía migrada o reduce el préstamo migrado para continuar.\",\"D8sc3k\":\"Stake balance\",\"D9BLRG\":\"Este activo ha sido pausado debido a una decisión de la comunidad. El suministro, los retiros, los préstamos y los pagos se han visto afectados.\",\"DAma/S\":\"La garantía es (en su mayoría) el mismo activo que se está tomando prestado\",\"DCnFg0\":[\"Direcciones (\",[\"0\"],\")\"],\"DG3Lv1\":\"Entiendo completamente los riesgos de migrar.\",\"DONJcV\":\"El activo base no puede ser rescatado\",\"DR+4uL\":\"Balance del suministro después del cambio\",\"DWjrck\":[\"Este activo no se puede migrar al mercado V3 de \",[\"marketName\"],\" debido a las restricciones del E-mode. Puedes deshabilitar o administrar las categorías del E-mode en tu <0>Panel de control V3\"],\"Dj+3wB\":\"Aave por mes\",\"DptNvx\":\"Amount Staked\",\"DuEq2K\":\"Colateralización\",\"DxfsGs\":\"Puedes reportar cualquier incidente a nuestro <0>Discord o <1>Github.\",\"Dzma+E\":\"Main Ethereum market with the largest selection of assets and yield options\",\"E/QGRL\":\"Deshabilitado\",\"EBL9Gz\":\"¡COPIADO!\",\"ES8dkb\":\"Interés fijo\",\"EZd3Dk\":[\"Restakeando \",[\"symbol\"]],\"Ebgc76\":[\"Retirando \",[\"symbol\"]],\"EdQY6l\":\"Ninguno\",\"EjvKQ+\":\"Valor mínimo en USD recibido\",\"Enslfm\":\"Destination\",\"EvE9nO\":[\"Reactivar el periodo de cooldown para unstakear \",[\"0\"],\" \",[\"stakedToken\"]],\"EvECnL\":\"Migrar a V3\",\"EzMQbh\":\"The source chain time to finality is the main factor that determines the time to destination. <0>Learn more\",\"F40cwT\":\"Legacy Markets\",\"F6TdXL\":\"Aprende más.\",\"FDDPeZ\":\"Users can stake their assets in the protocol and earn incentives. In the case of a shortfall event, your stake can be slashed to cover the deficit, providing an additional layer of protection for the protocol.\",\"FHlMf/\":\"Balance actual v2\",\"FHpxjF\":[\"El factor de reserva es un porcentaje de interés que va a un \",[\"0\"],\" que es controlado por el gobierno de Aave para promover el crecimiento del ecosistema.\"],\"FOBZa6\":\"Capacidad de préstamo utilizada\",\"FPKEug\":\"Operación no soportada\",\"FbmMe7\":\"Direcciones vinculadas\",\"Fdp03t\":\"en\",\"Fjw9N+\":\"Activos a suministrar\",\"FmN0fk\":\"Restakear\",\"GDGLIs\":\"GHO es un activo nativo descentralizado, digital y respaldado por garantía, vinculado al USD. Es creado por los usuarios que lo toman prestado contra múltiples garantías. Cuando el usuario paga su posición de préstamo de GHO, el protocolo quema el GHO de ese usuario. Todos los pagos de interés acumulados por los acuñadores de GHO serán transferidos directamente a la tesorería de\xA0la\xA0DAO\xA0de\xA0Aave.\",\"GQrBTq\":\"Cambiar E-Mode\",\"GWswcZ\":\"Este activo está congelado debido a una decisión del Gobierno del Protocolo Aave. El 20 de diciembre de 2022, renFIL ya no será compatible y no se podrá conectar de nuevo a su red nativa. Se recomienda retirar las posiciones de suministro y pagar las posiciones de préstamo para que renFIL se pueda convertir de nuevo a FIL antes de la fecha límite. Después de esta fecha, ya no será posible convertir renFIL a FIL. <0>Más detalles\",\"GX8GKD\":\"Activos\",\"GgEj+0\":\"Modo de solo lectura. Conéctate a una cartera para realizar transacciones.\",\"GjkIKV\":\"finaliza\",\"GoK/QN\":\"Thank you for submitting feedback!\",\"GtP2hp\":[\"Tomar prestado no está disponible porque has habilitado el Efficieny Mode (E-Mode) para la categoría \",[\"0\"],\". Para manejar las categorías del E-Mode visita tu <0>Panel de control.\"],\"H6Ma8Z\":\"Descuento\",\"HB/wfS\":[[\"tooltipText\"]],\"HKDsQN\":\"Rewards can be claimed through\",\"Ha/U5f\":\"This is a program initiated and implemented by the decentralised ZKSync community. Aave Labs does not guarantee the program and accepts no liability.\",\"HciqKU\":\"This is a program initiated and implemented by the decentralised Aave community. Aave Labs does not guarantee the program and accepts no liability.\",\"Hi6Ttn\":\"Lo sentimos, se produjo un error imprevisto. Mientras tanto, puedes intentar recargar la página, o volver después.\",\"HkEDbS\":[[\"d\"],\"d\"],\"HmkYqM\":\"Ventana de unstakeo\",\"HpK/8d\":\"Recargar\",\"HrnC47\":\"Guardar y compartir\",\"HuVZMK\":\"Days\",\"HvJKMU\":[\"Este activo no se puede migrar al mercado v3 de \",[\"marketName\"],\", ya que el activo de garantía habilitará el isolation mode.\"],\"Hvwnm9\":[\"La cantidad máxima disponible para suministrar está limitada porque el límite de suministro del protocolo está al \",[\"0\"],\"%.\"],\"I8CX2c\":\"La cantidad total de tus activos denominados en USD que pueden ser usados como garantía para activos de préstamo.\",\"IAD2SB\":[\"Reclamando \",[\"symbol\"]],\"IG9X9/\":\"Tomar prestado este activo está limitado a una cierta cantidad para minimizar la insolvencia del fondo de liquidez.\",\"IOIx8L\":\"Está previsto que este activo se desvincule debido a una decisión del Gobierno del Protocolo Aave. <0>Más detalles\",\"IP+I/j\":\"Periodo de cooldown\",\"IaA40H\":\"Liquidación en\",\"J/hVSQ\":[[\"0\"]],\"JCoxL6\":\"Administrar analíticas\",\"JK9zf1\":[\"Interés compuesto estimado, incluyendo el descuento por Staking \",[\"0\"],\"AAVE en el Módulo de Seguridad.\"],\"JOqFba\":[\"Unstakeando \",[\"symbol\"]],\"JPrLjO\":\"No puedes usar este activo como garantía\",\"JU6q+W\":\"Recompensa(s) por reclamar\",\"JYKRJS\":\"Stakear\",\"JZMxX0\":\"No hay suficiente balance en tu cartera\",\"Jgflkm\":\"Obtener GHO\",\"JoMQnI\":\"Balance de la cartera\",\"JtwD8u\":\"Balance tomado prestado tras pagar\",\"JumYTK\":\"Supplied assets\",\"K05qZY\":\"Retirar y Cambiar\",\"KAz/NV\":\"El límite de deuda del protocolo está al 100% para este activo. No es posible tomar más prestado usando este activo como garantía.\",\"KLXVqE\":[\"Los tokens stETH se migrarán a Wrapped stETH usando el wrapper del protocolo de Lido, lo que provoca un cambio en el balance de suministro después de la migración: \",[\"0\"]],\"KLd6ky\":\"Use connected account\",\"KRpokz\":\"VER TX\",\"KSlpka\":\"Esto representa el umbral en el que un préstamo será considerado sin garantía suficiente y sujeto a la liquidación de la misma. Por ejemplo, si una garantía tiene un umbral de liquidación del 80 %, significa que el préstamo será liquidado cuando el valor de la deuda alcanze el 80% del valor de la garantía.\",\"KYAjf3\":\"Aislado\",\"KZwRuD\":[[\"notifyText\"]],\"KkPgim\":\"Cambiando E-Mode\",\"KnN1Tu\":\"Caduca\",\"KoOBI2\":\"Debido a mecánicas internas de stETH requeridas para el soporte del rebase, no es posible realizar un cambio de garantía donde stETH es el token de origen.\",\"KojyJ4\":\"Red incorrecta\",\"KsqhWn\":\"Staking\",\"KuBTQq\":\"Introduce la dirección ETH\",\"KvG1xW\":\"Reclamando\",\"L+8Lzs\":\"LTV actual\",\"L+qiq+\":\"Mercado\",\"LDzfVJ\":\"Send Feedback\",\"LIrMcF\":\"Sin poder de voto\",\"LL0zks\":\"Puede ser garantía\",\"LLdJWu\":\"AAVE Reclamable\",\"LSIpNK\":\"Tomar prestado y pagar en el mismo bloque no está permitido\",\"LVt3TI\":[\"<0>Tolerancia de deslizamiento <1>\",[\"selectedSlippage\"],\"% <2>\",[\"0\"],\"\"],\"LjafV8\":\"Maximum collateral amount to use\",\"LtpQew\":\"Let us know how we can make the app better for you. For user support related inquiries please reach out on\",\"LvVpD/\":\"Modo E\",\"M2sknc\":\"Tip: Intenta aumentar el deslizamiento o reduce la cantidad de entrada\",\"M7wPsD\":\"Cambiar\",\"MFu33y\":\"Staking 00\",\"MIy2RJ\":\"Maximum amount received\",\"MZ/nQf\":\"Dirección del destinatario\",\"Ma/MtY\":\"vista de stakeo\",\"McHlGl\":\"Cambio de APY\",\"MeCCA+\":\"APY, variable\",\"MghdTe\":\"Si el factor de salud se encuentra por debajo de 1, la liquidación de tu colateral puede ser activada.\",\"Mm/DVQ\":\"Has cancelado la transacción.\",\"MnE2QX\":\"Información de préstamo\",\"MrmQHg\":\"View Bridge Transactions\",\"MuDFEQ\":\"Valor de retorno inválido en la función executor del préstamo flash\",\"N5kUMV\":\"Este activo solo se puede utilizar como garantía en isolation mode con poder de préstamo limitado. Para entrar en el isolation mode, deshabilita todas las demás garantías.\",\"N6Pxr9\":\"View all\",\"NF0e1Q\":\"Pendiente...\",\"NK9ikO\":\"Balance de la cartera\",\"NMt2CB\":\"Cantidad reclamable\",\"NcFGxG\":\"Collector Contract\",\"NfpPeS\":\"Nada invertido\",\"Nh9DAo\":[[\"m\"],\"m\"],\"O+sCUU\":\"El límite de minteo sin respaldo ha sido excedido\",\"O+tyU+\":[\"La cantidad máxima disponible para tomar prestado contra este activo está limitada porque el límite de deuda está al \",[\"0\"],\"%.\"],\"O3oNi5\":\"Email\",\"OFjZGo\":\"Unstakear\",\"OR8cYX\":\"Resumen de la propuesta\",\"OYuJ9K\":\"El límite de deuda del protocolo está al 100% para este activo. No es posible tomar más prestado usando este activo como garantía.\",\"OfhWJH\":\"Restablecer\",\"Og2SKn\":\"deshabilitado\",\"On0aF2\":\"Página web\",\"OsyKSt\":\"Retirar\",\"P1dURE\":\"Revocar poder\",\"P2WCD/\":[\"El activo subyacente no existe en el mercado v3 de \",[\"marketName\"],\", por lo tanto, esta posición no se puede migrar.\"],\"P2sL6B\":\"Cuando ocurre una liquidación, los liquidadores pagan hasta el 50% de la cantidad pendiente del préstamo en nombre del prestatario. A cambio, pueden comprar la garantía con descuento y quedarse con la diferencia (sanción de liquidación) como bonificación.\",\"P6sRoL\":\"Stakea ABPT\",\"P72/OW\":\"El promedio ponderado de APY para todos los activos prestados, incluidos los incentivos.\",\"P7e6Ug\":\"Por favor conecta tu cartera para ver el historial de transacciones.\",\"PByO0X\":\"Votos\",\"PI+kVe\":\"Deshabilitar fork\",\"PJK9u/\":\"Apy préstamo\",\"PLUB/s\":\"Fee\",\"PP5ZA8\":[\"Participating in staking \",[\"symbol\"],\" gives annualized rewards. Your wallet balance is the sum of your aTokens and underlying assets. The breakdown to stake is below\"],\"PcBUgb\":\"Umbral de liquidación\",\"PjU6bu\":\"This asset is eligible for SPK incentive program. Aave Labs does not guarantee the program and accepts no liability.\",\"PpqD5g\":\"Habilitar este activo como garantía aumenta tu poder préstamo y el factor de salud. Sin embargo, puede ser liquidado si tu factor de salud cae por debajo de 1.\",\"PsOFSf\":\"Esta acción reducirá el factor de salud V2 por debajo del umbral de liquidación. Mantén la garantía o migra la posición de préstamo para continuar.\",\"Pu4bI/\":[[\"currentMethod\"]],\"Q0LzKi\":\"View TX\",\"Q4eNqa\":\"El Aave Balancer Pool Token (ABPT) es un token de pool de liquidez. Puedes recibir ABPT depositando una combinación de AAVE + wstETH en el pool de liquidez de Balancer. Luego puedes stakear tu BPT en el módulo de seguridad para asegurar el protocolo y ganar incentivos de seguridad.\",\"QQYsQ7\":\"Retirando\",\"QWYCs/\":\"Stakear GHO\",\"R+30X3\":\"No alcanzado\",\"RCU5PY\":\"Age\",\"RIfckG\":[\"Desactivar \",[\"symbol\"],\" como garantía\"],\"RMtxNk\":\"Diferencial\",\"RNK49r\":\"Firma inválida\",\"RS0o7b\":\"Estado\",\"RU+LqV\":\"Detalles de la propuesta\",\"RYTgZX\":\"lorem ipsum\",\"RbXH+k\":\"Los poseedores de AAVE, GHO y ABPT (solo en la red de Ethereum) pueden stakear sus activos en el Módulo de Seguridad para añadir más seguridad al protocolo y obtener incentivos de seguridad. En el caso de un evento de shortfall, tu stakeo puede ser reducido para cubrir el déficit. proporcionando una capa adicional de protección para el protocolo.\",\"RiSYV4\":\"El activo no está listado\",\"Rj01Fz\":\"Enlaces\",\"RmWFEe\":\"Staking APR\",\"RoafuO\":\"Enviar feedback\",\"RtBLm7\":\"El factor de salud es menor que el umbral de liquidación\",\"RxzN1M\":\"Habilitado\",\"SDav7h\":\"Fondos en el Módulo de Seguridad\",\"SENccp\":\"Si el error persiste, <0/> podrías reportarlo a esto\",\"SIWumd\":\"Mostrar activos congelados o pausados\",\"SM58dD\":\"Cantidad en cooldown\",\"SSMiac\":\"Error al cargar los votantes de la propuesta. Por favor actualiza la página.\",\"SSQVIz\":\"Umbral de liquidación\",\"SUb8x0\":\"Total disponible\",\"SWIgh4\":\"Fees exceed wallet balance\",\"SY9hVo\":\"El modo de solo lectura permite ver las posiciones de las direcciones en Aave, pero no podrás realizar transacciones.\",\"SZRUQ4\":\"Deslizamiento máximo\",\"Sa1UE/\":\"El límite de préstamo del protocolo está al 100% para este activo. No es posible tomar más prestado.\",\"Sk2zW9\":\"Desactivando E-Mode\",\"SxaD0o\":\"La dirección del proveedor del pool no esta registrada\",\"T/AIqG\":\"El límite de suministro del protocolo está al 100% para este activo. No es posible suministrar más.\",\"T0xCO9\":\"No se puede validar la dirección de la cartera. Vuelve a intentarlo.\",\"T4OhVl\":\"GHO balance\",\"T6uYU2\":\"Tomar prestado\",\"TFxQlw\":\"Penalización de liquidación\",\"TQ7WsV\":\"Available to stake\",\"TUI7iB\":\"El activo solo puede usarse como garantía en el Isolation mode únicamente.\",\"TbjyhA\":\"Docs\",\"TduuS0\":\"El usuario no tiene deuda pendiente de tasa estable en esta reserva\",\"TeCFg/\":\"Cambio de tasa de préstamo\",\"Tg1JyO\":\"Bridge history\",\"TskbEN\":\"Los poseedores de stkAAVE reciben un descuento en la tasa de préstamo de GHO\",\"TszKts\":\"Balance de préstamo después del cambio\",\"TtZL6q\":\"Parámetros del modelo de descuento\",\"TwJI9F\":\"Asset has been successfully sent to CCIP contract. You can check the status of the transactions below\",\"Tz0GSZ\":\"actividades bloqueadas\",\"U/eBjN\":\"Recarga la página\",\"U2r8nY\":\"Elige cuánto poder de voto/proposición otorgar a otra persona delegando parte de tu balance de AAVe o stkAAVE. Tus tokens permanecerán en tu cuenta, pero tu delegado podrá votar o proponer en tu lugar. Si tu balance de AAVE, stkAAVE o aAave cambia, el poder de voto/proposición de tu delegado se ajustará automáticamente.\",\"U8IubP\":\"La aplicación se está ejecutando en testnet mode. Aprende como funciona en\",\"U9btTk\":\"El activo no se puede pedir prestado en isolation mode\",\"UAOZRe\":\"El impacto del precio es la diferencia entre el valor total de los tokens de entrada cambiados y los tokens de destino obtenidos (en USD), que resulta de la liquidez limitada del par de cambio.\",\"UE3KJZ\":\"El historial de transacciones no está disponible actualmente para este mercado\",\"URmyfc\":\"Detalles\",\"UTTKmT\":\"Cooldown de stakeo activado\",\"UXeR72\":\"Estos fondos se han tomado prestados y no están disponibles para su retirada en este momento.\",\"UYb8CM\":\"Learn more about the SPK rewards\",\"UbRrG0\":\"El ratio LTV máximo representa el poder de endeudamiento máximo de una garantía específica. Por ejemplo, si una garantía tiene un LTV del 75 %, el usuario puede pedir prestado hasta 0,75 ETH en la moneda principal por cada 1 ETH de garantía.\",\"UpndFj\":\"No hay recompensas para reclamar\",\"V0f2Xv\":\"Factor de reserva\",\"V1HK43\":\"Riesgos de migración\",\"VATFH9\":\"Deuda cubierta\",\"VHOVEJ\":\"Conectar cartera\",\"VMfYUK\":\"Seguridad de tu garantía depositada contra los activos prestados y su valor subyacente.\",\"VOAZJh\":\"Total de préstamos\",\"ViKYxK\":\"YAE\",\"W1SSoD\":\"Revisar detalles de la tx\",\"W5hVah\":\"Nada suministrado aún\",\"W5kTFy\":\"Votando\",\"W8ekPc\":\"Volver al panel de control\",\"WMPbRK\":\"No respaldado\",\"WNGZwH\":\"El E-Mode incrementa tu LTV para una categoría seleccionada de activos hasta el <0/>. <1>Aprende más\",\"WPWG/y\":\"Configuración y estado de la reserva\",\"WZLQSU\":\"El usuario no puede retirar más que el balance disponible\",\"WaZyaV\":\"<0>Ampleforth es un activo con rebase. Visita la <1>documentación para aprender más.\",\"WfU+XN\":\"Debido a que este activo está en pausa, no se pueden realizar acciones hasta nuevo aviso\",\"Wjmqs2\":\"No results found. You can import a custom token with a contract address\",\"WkZ6C6\":\"Para tomar prestado, necesitas suministrar cualquier activo para ser utilizado como garantía.\",\"WyMiQm\":\"Has cambiado los tokens con éxito.\",\"X/ITG9\":\"Copiar el texto del error\",\"X3Pp6x\":\"Utilizado como garantía\",\"X4Zt7j\":\"No se puede realizar la acción porque la reserva está pausada\",\"XBdKOj\":\"Direcciones de cartera de contrato inteligente representativas (Safe) en otras cadenas.\",\"XZzneG\":\"Saldrás del modo aislamiento y otros tokens pueden ser usados ahora como garantía\",\"Xg5y9S\":\"Amount to Bridge\",\"Xn4hUi\":\"Por favor ten siempre en cuenta tu <0>factor de salud (HF) cuando migres parcialmente una posición y que tus tasas serán actualizadas a tasas de la V3.\",\"Xy71ST\":\"Umbrella\",\"Y5kGkc\":\"VOTAR NO\",\"YDIOks\":\"Habilitar E-Mode\",\"YSodyW\":\"Esta acción reducirá tu factor de salud. Por favor ten en cuenta el riesgo incrementado de liquidación de la garantía.\",\"YXOWXM\":\"The total amount bridged minus CCIP fees. Paying in network token does not impact gho amount.\",\"YirHq7\":\"Feedback\",\"YogbCJ\":\"Testnet mode está ON\",\"YrDxdO\":\"Si tu relación préstamo-valor supera el umbral de liquidación, tu garantía puede ser liquidada.\",\"YyIM65\":\"No se cumplieron las condiciones de ajuste de tasas de interés\",\"YyydIq\":[\"Añade \",[\"0\"],\" a tu cartera para hacer un seguimiento del balance.\"],\"ZBvhI+\":\"Gobierno de Aave\",\"ZIIRAd\":\"Raw-Ipfs\",\"ZRq4tX\":\"Modo de eficiencia (E-Mode)\",\"ZSqEW+\":\"Manage E-Mode\",\"ZUFYFE\":\"Deshabilitar testnet\",\"Zbyywy\":\"Max slashing\",\"ZfUGFb\":\"Antes de suministrar\",\"ZiXN+B\":\"Assets to stake\",\"ZlsSDH\":\"Valor de liquidación\",\"ZrEc8j\":\"No pudimos encontrar ningún activo relacionado con tu búsqueda. Vuelve a intentarlo con un nombre diferente de activo, símbolo o dirección.\",\"ZsLF7e\":\"habilitado\",\"a0YQoQ\":\"Enter a valid address\",\"a2fBZn\":\"Tempo restante para unstakear\",\"a5RYZd\":\"Deshabilitar este activo como garantía afecta tu poder de préstamo y Factor de Salud.\",\"a7u1N9\":\"Precio\",\"a9D+6D\":\"Unstakeado\",\"aEtiwq\":\"Votar NO\",\"aMmFE1\":\"Comprar Crypto con Fiat\",\"aOKIms\":\"Los parámetros del array que deberían ser iguales en longitud no lo son\",\"aX31hk\":\"Tu balance es más bajo que la cantidad seleccionada.\",\"adUsDd\":\"Se ha producido un error al recuperar la propuesta.\",\"al6Pyz\":\"Supera el descuento\",\"aoXTT7\":\"APY préstamo, variable\",\"aqX1Yp\":\"This asset is eligible for rewards through SuperFest. Aave Labs does not guarantee the program and accepts no liability.\",\"avgETN\":\"Eligible for the Merit program.\",\"b4NS3e\":\"Advertencia periodo de cooldown\",\"bNEQeI\":\"Cooldown\",\"bSruit\":\"ZKSync Ignite Program rewards are claimed through the\",\"bUUVED\":\"Activo\",\"bXQ/Og\":\"Compartir en twitter\",\"bXr0ee\":\"Los activos aislados han limitado tu capacidad de préstamo y otros activos no pueden ser usados como garantía.\",\"bYmAV1\":\"Direcciones\",\"bguKoJ\":\"La cantidad solicitada es mayor que el tamaño máximo del préstamo en el modo de tasa estable\",\"bwSQI0\":\"Suministrar\",\"bxN6EM\":\"No se puede deshabilitar E-Mode\",\"bxmzSh\":\"No hay suficiente garantía para pagar esta cantidad de deuda con\",\"c91vuQ\":\"La dirección no es un contrato\",\"c97os2\":\"aToken de Aave\",\"c9b44w\":\"No puedes retirar esta cantidad porque causará una liquidación\",\"cBc+4A\":\"Esta es la cantidad total disponible que puedes tomar prestada. Puedes tomar prestado basado en tu garantía y hasta que el límite de préstamo se alcance.\",\"cIl5kp\":\"Tu poder de voto se basa en tu balance de AAVE/stkAAVE y delegaciones recibidas.\",\"cLo09S\":\"Detalles de riesgo\",\"cNT+ij\":\"Tomar prestado no está disponible porque has habilitado el Efficiency Mode (E-Mode) y el Isolation mode. Para administrar el E-Mode y el Isolation Mode, visita tu <0>Panel de control.\",\"cZOeBk\":\"Something went wrong fetching bridge message, please try again later.\",\"ceix5S\":\"Para enviar una propuesta de cambios menores al protocolo, necesitarás al menos 80K de poder. Si deseas cambiar la base central del código, necesitarás un poder de 320K.<0>Aprende más\",\"ciSsYT\":\"Staking APY\",\"ciybUa\":\"Votar SI\",\"ckf7gX\":[\"Pagando \",[\"symbol\"]],\"cp1ZDP\":[\"Bridge \",[\"symbol\"]],\"cqnmnD\":\"Tasa de interés efectiva\",\"cqwIvs\":\"Hilo de discusión del foro\",\"csDS2L\":\"Disponible\",\"cu7Stb\":\"No has participado en esta propuesta\",\"dE6BLF\":\"Gobierno\",\"dEgA5A\":\"Cancelar\",\"dIsyWh\":\"La validación del LTV ha fallado\",\"dMtLDE\":\"para\",\"dOB5nW\":[\"La cantidad máxima disponible para suministrar es <0/> \",[\"0\"],\" (<1/>).\"],\"dVfODp\":\"No tienes suficientes fondos en tu cartera para pagar la cantidad total. Si procedes a pagar con tu cantidad actual de fondos, aún tendrás un pequeño préstamo en tu panel de control.\",\"dXUQFX\":\"Activos a tomar prestado\",\"dgr1aY\":\"Tomar prestado está deshabilitado debido a una decisión de la comunidad de Aave. <0>Más información\",\"djsg0o\":\"Uso de la garantía\",\"dpc0qG\":\"Variable\",\"drdV8R\":\"Liquidación\",\"dxW8cS\":\"Token de deuda de Aave\",\"e4V3oW\":\"Top 10 direcciones\",\"eD8WX/\":\"La acción requiere una reserva activa\",\"eJRJ04\":\"Cantidad para unstakear\",\"eLh0cL\":\"El deslizamiento es la diferencia entre las cantidades calculadas y las recibidas debido a las condiciones cambiantes del mercado entre el momento en que se envía la transacción y su verificación.\",\"ePK91l\":\"Editar\",\"eVpCmf\":\"Recompensas de Staking\",\"eVqvtf\":\"Bridge GHO\",\"eYdurp\":\"Aún no hay transacciones.\",\"ebLGGN\":\"Total tomado prestado\",\"ecqEvn\":\"El balance de garantía es 0\",\"efdrrk\":\"Disponible en\",\"enruNF\":\"empieza\",\"eqLYiD\":\"Unstakea ahora\",\"euScGB\":\"APY con descuento aplicado\",\"evw5ha\":\"Valor neto\",\"ezcU16\":\"Obtener Token ABP\",\"f3W0Ej\":[\"Has cambiado a tasa \",[\"0\"]],\"fH9i8k\":\"Has cambiado con éxito la posición de préstamo.\",\"fHcELk\":\"APR Neto\",\"fMJQZK\":\"Prestado\",\"fZ5Vnu\":\"Recibido\",\"firl9Q\":\"Tu actual relación préstamo-valor basado en tu garantía suministrada.\",\"flRCF/\":\"Descuento por staking\",\"fldjW9\":\"Previsualizar la tx y migrar\",\"fsBGk0\":\"Balance\",\"fu1Dbh\":[\"Retirar \",[\"symbol\"]],\"fwjWSI\":\"Suministrado\",\"fwyTMb\":\"Migrar a stkABPT v2\",\"g0mals\":\"You can not disable E-Mode because that could cause liquidation. To exit E-Mode supply or repay borrowed positions.\",\"g2UNkE\":\"Powered by\",\"g8KGoA\":\"FAQS\",\"g9zzqS\":\"Votó NAY\",\"gDd2gk\":\"about SuperFest.\",\"gFFh9h\":\"¡Todo listo!\",\"gIMJlW\":\"Testnet mode\",\"gOzPxe\":\"Este activo está congelado debido a una decisión del Gobierno del Protocolo Aave. <0>More información\",\"gTHi2T\":\"El usuario está intentando tomar prestado múltiples activos incluido uno aislado\",\"gVW59Y\":\"Por favor conecta tu cartera para obtener activos testnet gratis.\",\"gcFNxP\":\"Aprobación confirmada\",\"gncRUO\":\"Esta dirección está bloqueada en app.aave.com porque está asociada con una o más\",\"goff7V\":\"Dirección cero no válida\",\"gp+f1B\":\"Versión 3\",\"gr8mYw\":\"Puedes tomar prestado hasta <0/> GHO al <1/> (descuento máximo)\",\"gvTM4B\":\"El APY neto es el efecto combinado de todos los suministros y préstamos sobre total, incluidos los incentivos. Es posible tener un APY neto negativo si el APY de la deuda es mayor que el APY de suministro.\",\"gzcch9\":\"Comisión de puente de protocolo inválida\",\"h33MxW\":\"Direcciones de cartera de contrato inteligente representantes (Safe) en otras cadenas.\",\"h3ilK+\":\".CSV\",\"hB23LY\":\"Activar Cooldown\",\"hIJzBh\":\"Available to Claim\",\"hIS4N0\":\"APY neto\",\"hRWvpI\":\"Reclamado\",\"hdmy/o\":\"El % de tu poder de préstamo total utilizado. Esto se basa en la cantidad de tu garantía suministrada y la cantidad total que puedes pedir prestado.\",\"hehnjM\":\"Cantidad\",\"hjDCQr\":\"Hubo un error. Por favor intenta cambiar los parámetros o <0><1>copiar el error\",\"hom7qf\":\"Reclamar\",\"hpHJ4I\":\"Garantía liquidada\",\"hpuVIp\":\"Users who stake AAVE in Safety Module (i.e. stkAAVE holders) receive a discount on GHO borrow interest rate.\",\"huQ6Tz\":[\"Tomando prestado \",[\"symbol\"]],\"hxi7vE\":\"Balance tomado prestado\",\"i/fZ2Z\":\"Staked Balance\",\"i2JTiw\":\"Puedes ingresar una cantidad específica en el campo.\",\"iB5+/J\":\"Sobre GHO\",\"iChbOF\":\"Parámetros inconsistentes del préstamo flash\",\"iEPVHF\":\"No hay suficiente poder de voto para participar en esta propuesta\",\"iEW87X\":\"Poder delegado\",\"iEju36\":[\"Has votado \",[\"0\"]],\"iFq2YN\":\"Borrowable\",\"iGxyIA\":\"Safety Module\",\"iMVZk9\":\"Seleccionar tolerancia de deslizamiento\",\"iPMIoT\":\"Ingresa una cantidad\",\"iSLIjg\":\"Conectar\",\"iUo5rv\":\"tokens no es lo mismo que stakearlos. Si deseas stakearlos\",\"iZxa38\":\"Úsalo para votar a favor o en contra de propuestas activas.\",\"if5PH+\":\"Collector Info\",\"igkfR1\":[\"En el Isolation mode, no puedes suministrar otros activos como garantía. Un límite de deuda global limita la capacidad de préstamo del activo aislado. Para salir del Isolation mode, deshabilita \",[\"0\"],\" como garantía antes de tomar prestado otro activo. Lee más en nuestras <0>preguntas frecuentes \"],\"il0sEG\":\"El uso de garantías está limitado debido al Isolation mode.\",\"j+K1Xj\":\"Amount After Fee\",\"jA2QeW\":\"Suministrando tu\",\"jFi7dz\":\"Tasa de interés determinada por el gobierno de Aave. Esta tasa puede cambiar con el tiempo dependiendo de la necesidad de que el suministro de GHO se contraiga/expanda. <0>Aprende más\",\"jG3UJ7\":\"Desactivar el E-Mode\",\"jKYzR1\":\"Habilitar E-Mode\",\"jMam5g\":[\"Balance \",[\"0\"]],\"jSYv+Z\":\"Enabling E-Mode allows you to maximize your borrowing power, however, borrowing is restricted to assets within the selected category. <0>Learn more about how it works and the applied restrictions.\",\"jaKbwW\":[[\"s\"],\"s\"],\"jbFMap\":\"Periodo restante de cooldown\",\"jeMZNr\":[[\"0\"],\" el servicio on-ramp es proporcionado por proveedores externos y al seleccionarlo, estás aceptando los términos de dichos proveedores. Tu acceso al servicio podría depender de que el proveedor externo esté operativo.\"],\"jfl9OP\":\"Migrado\",\"jmXdoY\":\"En E-Mode algunos activos no se pueden pedir prestados. Sal del E-Mode para obtener acceso a todos los activos\",\"jpctdh\":\"Ver\",\"jqzUyM\":\"No disponible\",\"k/sb6z\":\"Seleccionar idioma\",\"k3wP3f\":\"<0>Atención: Los cambios de parámetros a través de la gobernanza pueden alterar el factor de salud de tu cuenta y el riesgo de liquidación. Sigue el <1>foro de gobierno de Aave para mantenerte actualizado.\",\"kACpF3\":[\"Reclamar \",[\"0\"]],\"kH6wUX\":\"Impacto del precio\",\"kIC28N\":\"Available to claim\",\"kIpSye\":[[\"numSelected\"],\"/\",[\"numAvailable\"],\" activos seleccionados\"],\"kN1Yg5\":\"Para pagar en nombre de un usuario, se necesita una cantidad explícita para pagar\",\"kRTD40\":[\"Cantidad a pagar para alcanzar el \",[\"0\"],\"% de utilización\"],\"kjN9tT\":\"El límite de suministro se ha sobrepasado\",\"knxE+G\":\".JSON\",\"ks2LWT\":\"El límite de deuda no es cero\",\"kwwn6i\":\"Los usuarios que stakean AAVE en el Modulo de Seguridad (es decir, poseedores de stkAAVE) reciben un descuento en la tasa de interés de préstamo de GHO. Este descuento se aplica a 100 GHO por cada 1 stkAAVE en posesión. Usa el calculador de abajo para ver la tasa de préstamo de GHO con el descuento aplicado.\",\"kz3wtK\":\"and about SPK program\",\"kzZyM4\":\"El balance de DAI se convertirá a través de los contratos de DSR y luego se suministrará como sDAI. El cambio no genera costos adicionales ni deslizamientos.\",\"lNVG7i\":\"Selecciona un activo\",\"lU2d1/\":[\"Este activo no se puede migrar debido a una liquidez insuficiente o a una limitación del límite de préstamo en el mercado v3 de \",[\"marketName\"],\".\"],\"lVhKKI\":\"Votó YAE\",\"lWLqxB\":\"No pudimos encontrar ninguna transacción relacionada con tu búsqueda. Vuelve a intentarlo con un nombre de activo diferente o restablece los filtros.\",\"lYGfRP\":\"Inglés\",\"lfEjIE\":\"Aprende más en nuestra guía <0>Preguntas frecuentes\",\"lt6bpt\":\"Garantía a pagar con\",\"m/IEhi\":\"Emisiones totales por día\",\"m7r7Hh\":\"Activos de préstamo seleccionados\",\"mDDK4p\":\"Pool de Balancer\",\"mIM0qu\":\"Cantidad esperada a pagar\",\"mUAFd6\":\"Versión 2\",\"masO5Z\":\"E-Mode increases your LTV for a selected category of assets. <0>Learn more\",\"mdNjKU\":[\"Tu cartera de \",[\"name\"],\" está vacía. Compra o transfiere activos o usa <0>\",[\"0\"],\" para transferir tus activos de \",[\"network\"],\".\"],\"muiOng\":[\"Comprar \",[\"cryptoSymbol\"],\" con Fiat\"],\"mvCXBY\":\"Stakea AAVE\",\"mwdzil\":\"Vale, cerrar\",\"mzI/c+\":\"Descargar\",\"mzdIia\":\"Este activo no puede usarse como garantía.\",\"n+SX4g\":\"Desarrolladores\",\"n8Psk4\":\"No podemos detectar una cartera. Conecta una cartera para stakear y ver tu balance.\",\"nJIhzm\":\"Apy de suministro\",\"nJgsQu\":\"Con un poder de votación de <0/>\",\"nLC6tu\":\"Francés\",\"nN2T8p\":\"During the cooldown period, you will not earn any merit rewards. However, rewards earned up to this point will remain unaffected.\",\"nNHV0z\":\"Migrar múltiples garantías y activos prestados al mismo tiempo puede ser una operación costosa y podría fallar en ciertas situaciones.<0>Por lo tanto, no se recomienda migrar posiciones con más de 5 activos (depositados + tomados prestados) al mismo tiempo.\",\"nNbnzu\":\"Proposición\",\"nOy4ob\":\"Te sugerimos volver al Panel de control.\",\"nPGNMh\":\"Puede ser ejecutado\",\"nUK1ou\":[\"Assets with zero LTV (\",[\"0\"],\") must be withdrawn or disabled as collateral to perform this action\"],\"nakd8r\":\"poseedores de stkAAVE obtienen un descuento en la tasa de préstamo de GHO\",\"nh2EJK\":[\"Por favor, cambia a \",[\"networkName\"],\".\"],\"njBeMm\":\"Ambos\",\"noN5Xf\":\"We couldn’t detect a wallet. Connect a wallet to view your staking positions and rewards.\",\"ntkAoE\":\"Descuento aplicado para <0/> AAVE stakeados\",\"ntyFSE\":[[\"h\"],\"h\"],\"nwtY4N\":\"Se produjo un error\",\"nxyWvj\":\"Retirar esta cantidad reducirá tu factor de salud y aumentará el riesgo de liquidación.\",\"o17QVP\":\"Tu factor de salud y la relación préstamo-valor determinan la seguridad de tu garantía. Para evitar liquidaciones, puedes suministrar más garantía o pagar las posiciones de préstamo.\",\"o1xc2V\":\"El balance de AToken no es cero\",\"o4tCu3\":\"APY préstamo\",\"o5ooMr\":\"Deuda\",\"o7J4JM\":\"Filtro\",\"oHFrpj\":\"Cooldown para undstakear\",\"oJ5ZiG\":\"El usuario no tiene deuda pendiente de tasa variable en esta reserva\",\"oRBGin\":\"Por favor conecta tu cartera para cambiar tus tokens.\",\"oUwXhx\":\"Activos de prueba\",\"oWklJD\":\"La tasa de interés estable <0>permanecerá igual durante la duración de su préstamo. Está recomendado para los períodos de préstamo a largo plazo y para los usuarios que prefieren la previsibilidad.\",\"odnIK3\":\"Time remaining until the 48 hour withdraw period starts.\",\"oiK5nY\":\"The current incentives period, decided on by the Aave community, has ended. Governance is in the process on renewing, check for updates. <0>Learn more.\",\"olREoo\":\"All borrow positions outside of this category must be closed to enable this category.\",\"om/XHs\":\"Disponible para suministrar\",\"ov0+mq\":\"Eligible for the ZKSync Ignite program.\",\"ovT1pF\":[\"Per the community, the \",[\"market\"],\" has been frozen.\"],\"ow3fug\":\"Sin resultados\",\"owSsI3\":\"Firmas listas\",\"p+R52m\":\"Ir al pool de Balancer\",\"p2A+s1\":[\"El periodo de cooldown es \",[\"0\"],\". Después \",[\"1\"],\" del cooldown, entrarás a la ventana de unstakeo de \",[\"2\"],\". Continuarás recibiendo premios durante el cooldown y la ventana de unstakeo.\"],\"p2S64u\":\"La relación préstamo-valor de las posiciones migradas provocaría la liquidación. Aumenta la garantía migrada o reduce el préstamo migrado para continuar.\",\"p2Z2Qi\":\"Este activo ha alcanzado su límite de préstamo. No queda nada disponible para ser prestado de este mercado.\",\"p3j+mb\":\"Tu balance de recompensa es 0\",\"p45alK\":\"Configurar la delegación\",\"p6u2s1\":\"Minimum amount of debt to be repaid\",\"pDgeaz\":[[\"title\"]],\"pdZqBk\":\"El balance subyacente debe ser mayor que 0\",\"pgWG9H\":\"No hay suficiente balance stakeado\",\"piPrJ7\":\"por favor comprueba que la cantidad que deseas depositar no está siendo utilizada actualmente para stakear. Si está utilizando para stakear, tu transacción podría fallar.\",\"pjO/iH\":\"Cantidad mínima recibida\",\"pooutM\":\"La votación está activa\",\"pqaM5s\":\"Confirmando transacción\",\"ptaxX3\":[\"Entiendo como el cooldown (\",[\"0\"],\") y el proceso de unstaking (\",[\"1\"],\") funcionan\"],\"py2iiY\":\"La función debe ser llamada por un pool\",\"q/51mF\":\"Migrar a V3\",\"q3df11\":\"Estrategia de tasa de interés\",\"q6lAbz\":\"Stakeado\",\"qB4kPi\":\"Suministrar APY\",\"qENI8q\":\"Configuración global\",\"qGz5zl\":\"Balance de la garantía tras pagar\",\"qIW9ZH\":\"Amount staked\",\"qOqbD6\":\"copiar el error\",\"qXCkEM\":\"Por favor, conecta tu cartera para ver tus suministros, préstamos y posiciones abiertas.\",\"qY2jnw\":\"Expiración inválida\",\"qf/fr+\":\"Interés acumulado\",\"quYPUU\":\"Variable interest rate will <0>fluctuate based on the market conditions.\",\"quzIeW\":\"User is in isolation mode or LTV is zero\",\"qvnz3q\":\"Cantidad inválida para quemar\",\"rHgdb0\":\"Migrate to Aave V3\",\"rOrHHe\":\"La cantidad debe ser mayor que 0\",\"rQ+R+0\":\"Activos de suministro seleccionados\",\"rSayea\":\"APY\",\"rTBDeu\":[\"Este activo no se puede migrar porque tienes una garantía en Isolation Mode en el mercado v3 de \",[\"marketName\"],\" que limita los activos prestados. Puedes administrar tu garantía en el <0>Panel de control V3 de \",[\"marketName\"],\"\"],\"rcT+yy\":\"Mostrar activos con 0 balance\",\"rf8POi\":\"Cantidad de activos tomados prestados\",\"riNWOA\":\"E-Mode\",\"rjGI/Q\":\"Privacidad\",\"rnKPW1\":\"Watch a wallet balance in read-only mode\",\"ruc7X+\":\"Añade stkAAVE para ver el APY de préstamo con el descuento\",\"rvbaFU\":[\"Bridging \",[\"symbol\"]],\"rwVVB7\":\"Reclamar todas las recompensas\",\"rwyUva\":\"Estos activos están temporalmente congelados o pausados por decisiones de la comunidad de Aave, lo que significa que no se puede suministrar / tomar prestado o intercambiar tasas de estos activos. Se permiten retiros y pagos de deuda. Sigue el <0>foro de gobierno de Aave para más actualizaciones.\",\"rxJW5W\":\"Tu poder de proposición se basa en tu balance de AAVE/stkAAVE y delegaciones recibidas.\",\"s2jJnW\":\"You don't have any bridge transactions\",\"s5wBAq\":[\"Unstakear \",[\"symbol\"]],\"sJbIdI\":\"Enter ETH address or ENS\",\"sK+Nag\":\"Revisión tx\",\"sP2+gB\":\"NO\",\"sQv06Y\":\"para\",\"sTtO6J\":\"Confirmar transacción\",\"sXKb3l\":\"Tasa de cambio\",\"sb0q4+\":\"Unstakea aquí\",\"smJNwH\":\"Disponible para tomar prestado\",\"solypO\":\"El factor de salud no está por debajo del umbral\",\"sr0UJD\":\"Volver atrás\",\"ss5GCK\":\"La dirección del proveedor del grupo de direcciones no es válida\",\"swEgK4\":\"Tu información de voto\",\"t+wtgf\":\"Nada tomado prestado aún\",\"t/YqKh\":\"Eliminar\",\"t81DpC\":[\"Aprueba \",[\"symbol\"],\" para continuar\"],\"tCnbEs\":\"Precio del oráculo\",\"tFZLf8\":\"Este cálculo de gas es solo una estimación. Tu cartera establecerá el precio de la transacción. Puedes modificar la configuración de gas directamente desde tu proveedor de cartera.\",\"tHuvQI\":\"Ir al panel de control V3\",\"tKv7cI\":\"Cambiar posición de préstamo\",\"tOcg3N\":\"Dado que este activo está congelado, las únicas acciones disponibles son retirar y pagar, a las que se puede acceder desde el <0>Panel de control\",\"tOuXfv\":[\"Cantidad a tomar prestado para alcanzar el \",[\"0\"],\"% de utilización\"],\"te9Bfl\":\"Por favor, conecta tu cartera\",\"tt5yma\":\"Tus suministros\",\"ttoh5c\":\"Cambiar a\",\"u3ZeYl\":\"Error en la transacción\",\"u706uF\":\"Préstamo flash inválido\",\"u8Gfu7\":[\"Sin resultados de búsqueda\",[\"0\"]],\"uAQUqI\":\"Status\",\"uHMwk8\":\"No hay activos seleccionados para migrar.\",\"uJPHuY\":\"Migrando\",\"uY8O30\":\"Para continuar, necesitas otorgar permiso a los contratos inteligentes de Aave para mover tus fondos de tu cartera. Según el activo y la cartera que uses, se hace firmando el mensaje de permiso (sin coste de gas), o enviando una transacción de aprobación (requiere coste de gas). <0>Aprende más\",\"udFheE\":\"Para el pago de un tipo específico de deuda, el usuario necesita tener una deuda de ese tipo\",\"ulNuNq\":\"Exportar datos a\",\"ulup2p\":\"Comprar Crypto con Fiat\",\"umICAY\":\"<0><1><2/>Añade stkAAVE para ver la tasa de préstamo con descuento\",\"usB84Z\":\"La cantidad máxima disponible para tomar prestado está limitada porque casi se ha alcanzado el límite de préstamo del protocolo.\",\"uwAUvj\":\"COPIAR IMAGEN\",\"v8x7Mg\":\"Garantía insuficiente para cubrir la nueva posición de préstamo. La cartera debe tener poder de préstamo suficiente para realizar el cambio de deuda.\",\"vEqxH9\":\"Restakeado\",\"vLyv1R\":\"Ocultar\",\"vMba49\":\"Tomar prestado no está habilitado\",\"vMpNwt\":\"Aprobar con\",\"vXIe7J\":\"Idioma\",\"vesuBJ\":\"Te permite decidir si utilizar un activo suministrado como garantía. Un activo utilizado como garantía afectará a tu poder de préstamo y factor de salud.\",\"w+V9Cx\":\"Stablecoin\",\"w/JtJ3\":\"El balance de deuda estable no es cero\",\"w4VBY+\":\"APR de recompensas\",\"w9dLMW\":[[\"label\"]],\"wAOL+X\":[\"Tu \",[\"action\"],\" <0/> \",[\"symbol\"]],\"wBIsjb\":\"Canal de Discord\",\"wQZbc/\":\"El llamador de la función no es un AToken\",\"wRRqvW\":\"No tienes suministros en este activo\",\"wZFvVU\":\"VOTAR SI\",\"wb/r1O\":[\"Faucet \",[\"0\"]],\"wdxz7K\":\"Source\",\"weH1nG\":\"El Protocolo Aave está programado para usar siempre el precio de 1 GHO = $1. Esto es diferente del uso del precio de mercado a través de oráculos para otros criptoactivos. Esto crea oportunidades de arbitraje estabilizadoras cuando el precio de GHO fluctúa.\",\"wh7Ezv\":\"No tienes balance de AAVE/stkAAVE/aAave para delegar.\",\"wlsIx7\":\"Con la testnet Faucet puedes obtener activos gratuitos para probar el Protocolo Aave. Asegúrate de cambiar tu proveedor de cartera a la red de testnet adecuada, selecciona el activo deseado y haz clic en \\\"Faucet\\\" para obtener tokens transferidos a tu cartera. Los activos de una testnet no son \\\"reales\\\", lo que significada que no tienen valor monetario. <0>Aprende más\",\"wmE285\":\"Obtener Token ABP v2\",\"wyRrcJ\":\"Como resultado de las decisiones del gobierno, este pool de stakeo de ABPT está obsoleto. Tienes la flexibilidad de migrar todos tus tokens a v2 o unstakearlos sin ningún periodo de cooldown.\",\"x5KiLL\":\"Los activos seleccionados se han migrado correctamente. Visita el panel de control del mercado para verlos.\",\"x7F2p6\":\"Diferencial actual\",\"x7K5ib\":[\"Tu cartera de \",[\"networkName\"],\" está vacía. Consigue \",[\"0\"],\" de prueba gratis en\"],\"x9iLRD\":\"tokens, por favor ve al\",\"xNy/UG\":\"Pagar con\",\"xPm8wv\":\"Aprende más sobre los riesgos involucrados\",\"xXYpZl\":[[\"0\"],\" Faucet\"],\"xaVBSS\":\"Tu información\",\"xaWZ6f\":\"Cambio tipo de APY\",\"xh6k71\":\"El uso de garantías está limitado debido al isolation mode.\",\"xvIklc\":\"El préstamo flash está deshabilitado para este activo, por lo tanto, esta posición no se puede migrar.\",\"y5rS9U\":\"Migrar\",\"y66tBm\":[\"Habilitar \",[\"symbol\"],\" como garantía\"],\"yB1YpA\":\"Modo oscuro\",\"yCrG6m\":\"Tamaño total del mercado\",\"yJUUbn\":\"Resumen de la transacción\",\"yLGmLX\":[\"Restakear \",[\"symbol\"]],\"yW1oWB\":\"Tipo APY\",\"yYHqJe\":\"Dirección no válida\",\"yZwLw6\":\"Haz seguimiento de tu cartera\",\"yh2sjd\":[\"Impacto en el precio \",[\"0\"],\"%\"],\"yhvj6d\":\"No puedes cambiar el uso como modo de garantía para este activo, porque causará una liquidación\",\"ylmtBZ\":\"La aplicación se ejecuta en fork mode.\",\"ymNY32\":[\"No hay fondos suficientes en la reserva\",[\"0\"],\"para tomar prestado\"],\"yz7wBu\":\"Cerrar\",\"z4uGQg\":\"El límite de deuda está sobrepasado\",\"z5UQOM\":\"La garantía elegida no puede ser liquidada\",\"z5Y+p6\":[\"Suministrando \",[\"symbol\"]],\"zCjNKs\":\"No se puede realizar la acción porque la reserva está congelada\",\"zRHytX\":\"Límite de deuda aislado\",\"zTOjMP\":\"El límite de suministro del protocolo está al 100% para este activo. No es posible suministrar más.\",\"zVdRUG\":\"Submission did not work, please try again later or contact wecare@avara.xyz\",\"zevmS2\":\"<0><1><2/>añade <3/> stkAAVE para tomar prestado al <4/> (descuento máximo)\",\"zgtIDV\":\"Deuda restante\",\"zmTPiV\":\"Balance de suministro\",\"zpPbZl\":\"Parámetros de riesgo de liquidación\",\"zucql+\":\"Menú\",\"zwWKhA\":\"Aprende más\",\"zy9fXn\":[\"Este activo está congelado en el mercado v3 de \",[\"marketName\"],\", por lo tanto, esta posición no se puede migrar.\"],\"zys+R6\":\"Ten en cuenta la congestión de la red y los precios del gas.\",\"zzzTXS\":\"Merit Program rewards are claimed through the\"}")}; \ No newline at end of file +/*eslint-disable*/module.exports={messages:JSON.parse("{\"+0xecS\":[\"Si NO unstakeas entre \",[\"0\"],\" de la ventana de unstakeo, necesitarás activar el proceso de cooldown de nuevo.\"],\"+EGVI0\":\"Recibir (est.)\",\"+VR63W\":[\"Participar en esta reserva de \",[\"symbol\"],\" da recompensas anuales.\"],\"+bmKdK\":\"Utiliza tu balance de AAVE, stkAAVE o aAava para delegar tu voto y poder de proposición. No enviarás ningún token, solo los derechos de votar y proponer cambios en el protocolo. Puedes volver a delegar o revocar el poder de vuelta en cualquier momento.\",\"+eOPG+\":\"Parece que no podemos cambiar la red automáticamente. Por favor, comprueba si puedes cambiarla desde la cartera.\",\"+i3Pd2\":\"Límite del préstamo\",\"+kLZGu\":\"Cantidad de activos suministrados\",\"+nuEh/\":\"Estimated time\",\"+xMFF8\":\"Remind me\",\"/57U31\":\"Cantidad para migrar\",\"/7ykiW\":\"Tomar prestado esta cantidad reducirá tu factor de salud y aumentará el riesgo de liquidación.\",\"/YA5pU\":\"E-Mode increases your LTV for a selected category of assets, meaning that when E-mode is enabled, you will have higher borrowing power over assets of the same E-mode category which are defined by Aave Governance. You can enter E-Mode from your <0>Dashboard. To learn more about E-Mode and applied restrictionn, see the <1>help guide or the <2>Aave V3 Technical Paper.\",\"/izjs/\":\"Cantidad mínima de Aave stakeado\",\"/jQctM\":\"To\",\"/lDBHm\":\"Preguntas frecuentes\",\"/yNlZf\":\"El préstamo estable no está habilitado\",\"/yQcJM\":\"Valor total\",\"00AB2i\":\"El usuario no tomó prestado el activo especificado\",\"00OflG\":\"No hay suficiente liquidez para que el activo seleccionado realice el cambio. Prueba reduciendo la cantidad.\",\"08/rZ9\":\"El periodo de cooldown es el tiempo requerido antes de unstakear tus tokens (20 días). Solo puedes retirar tus activos del Módulo de Seguridad después del periodo de cooldown y dentro de la ventana de unstakeo.<0>Aprende más\",\"0AmQcW\":\"Cambio de tasa\",\"0BF3yK\":\"Lo sentimos, no hemos podido encontrar la página que estabas buscando.\",\"0TAbjq\":\"Recent Transactions\",\"0jhlyw\":\"Riesgo de liquidación\",\"0ojY+Y\":\"Balance actual v2\",\"0thX3P\":\"Cambio de garantía\",\"0wGCWc\":\"Esta es la cantidad total que puedes suministrar en esta reserva. Puedes suministrar el balance de tu cartera hasta que se alcance el límite de suministro.\",\"1AsVfF\":\"Los datos de los precios no están disponibles actualmente para esta reserva en el subgraph del protocolo\",\"1LjK22\":\"Historial de transacciones\",\"1Onqx8\":[\"Aprobando \",[\"symbol\"],\"...\"],\"1Ue8sX\":\"Por favor conecta una cartera para ver tu información personal aquí.\",\"1YH41K\":[\"After the cooldown period ends, you will enter the unstake window of \",[\"0\"],\". You will continue receiving rewards during cooldown and the unstake period.\"],\"1bpx9A\":\"...\",\"1kWUB+\":\"Umbral <0/> de liquidación\",\"1m9Qqc\":\"Retirando y Cambiando\",\"1oyh4g\":\"Borrow rate\",\"1t7rez\":\"El suministro de activos está limitado a una cierta cantidad para reducir la exposición del protocolo a este activo y ayudar a manejar los riesgos implicados.\",\"2CAPu2\":\"Has retirado y cambiado tokens con éxito.\",\"2Eoi/a\":\"Ver detalles\",\"2FYpfJ\":\"Más\",\"2O3qp5\":\"Liquidez disponible\",\"2OM8/D\":[\"Este activo no se puede migrar debido a una restricción del límite de suministro en el mercado v3 de \",[\"marketName\"],\".\"],\"2Q4GU4\":\"Dirección bloqueada\",\"2ZGocC\":\"Aave es un protocolo totalmente descentralizado, gobernado por la comunidad de poseedores de tokens AAVE. Los poseedores de tokens AAVE discuten, proponen y votan colectivamente sobre las actualizaciones del protocolo. Los poseedores de tokens AAVE (solo en la red Ethereum) pueden votar ellos mismos sobre nuevas propuestas o delegarse a una dirección de su elección. Para aprender más, consulta la\",\"2a6G7d\":\"Por favor introduce una dirección de cartera válida.\",\"2bAhR7\":\"Conoce GHO\",\"2eBWE6\":\"Acepto los riesgos involucadros.\",\"2o/xRt\":\"Se ha alcanzado el límite de suministro en la reserva especificada. Prueba reduciendo la cantidad.\",\"2uJToh\":[[\"0\"],[\"name\"]],\"2x58bP\":\"El préstamo estable no está habilitado\",\"34Qfwy\":\"El límite del préstamo se ha sobrepasado\",\"39eQRj\":[\"Tomar prestado \",[\"symbol\"]],\"3BL1xB\":\"Total suministrado\",\"3BnIWi\":\"Cambiado\",\"3K0oMo\":\"Suministro restante\",\"3MoZhl\":\"No hay suficiente garantía para cubrir un nuevo préstamo\",\"3Np5O8\":[\"Suministrar \",[\"symbol\"]],\"3O8YTV\":\"Interés total acumulado\",\"3mXg0z\":\"LTV máximo\",\"3q3mFy\":\"Pagar\",\"3qsjtp\":\"El promedio ponderado de APY para todos los activos suministrados, incluidos los incentivos.\",\"3rL+os\":\"Solo puedes retirar tus activos del Módulo de Seguridad después de que finalice el período de cooldown y la ventana de unstakeo esté activa.\",\"42UgDM\":[\"Migrar al mercado V3 de \",[\"0\"]],\"49UFQA\":\"Resultados de la votación\",\"4DMZUI\":\"Ver Transacciones\",\"4HtGBb\":\"MAX\",\"4Y5H+g\":\"Términos\",\"4YYh4d\":\"Máximo disponible para tomar prestado\",\"4iPAI3\":\"Cantidad de préstamo mínima de GHO\",\"4lDFps\":\"Firma para continuar\",\"4wyw8H\":\"Transacciones\",\"5JSSxX\":[\"Tu cartera de \",[\"networkName\"],\" está vacía. Consigue activos de prueba gratis en\"],\"5K7kGO\":\"documentación\",\"5NOSGa\":\"El límite de deuda limita la cantidad posible que los usuarios del protocolo pueden tomar prestado contra este activo. El límite de deuda es específico para los activos en isolation mode y se indica en USD.\",\"5Ncc6j\":[\"Este activo casi ha alcanzado su límite de suministro. Solo se puede suministrar \",[\"messageValue\"],\" a este mercado.\"],\"5cZ/KX\":\"El suministro de deuda variable no es cero\",\"5che++\":\"Para solicitar acceso a este mercado, porfavor visita: <0>Nombre del proveedor de acceso\",\"5ctNdV\":[\"Mínimo \",[\"0\"],\" recibido\"],\"5hDe9v\":\"Acción de permiso requerida\",\"5rsnKT\":\"Recompensas disponibles\",\"5yC5m5\":\"Ver todos los votos\",\"6/dCYd\":\"Resumen\",\"60crCe\":\"Todas las transacciones\",\"62Xcjh\":\"Garantía\",\"65A04M\":\"Español\",\"6G8s+q\":\"Firmando\",\"6Jrv+z\":[\"Pagar \",[\"symbol\"]],\"6NGLTR\":\"Cantidad descontable\",\"6Xr0UU\":\"Cooling down...\",\"6bxci/\":\"Poder de votación\",\"6f8S68\":\"Mercados\",\"6g1gi0\":\"Propuestas\",\"6gvoHP\":\"Copiar mensaje de error\",\"6h3Q5G\":\"reembolsado\",\"6lFSyT\":\"Available to Stake\",\"6s8L6f\":\"Cambiar de red\",\"6yAAbq\":\"APY, tasa de préstamo\",\"70wH1Q\":\"APR\",\"72c5Qo\":\"Total\",\"73Auuq\":\"Los parámetros de descuento son decididos por la comunidad de Aave y pueden cambiar con el tiempo. Consulta el Gobierno para ver actualizaciones y vota para participar. <0>-Aprende más\",\"75qcAQ\":[[\"stepName\"]],\"7ITr5L\":\"Factor de salud\",\"7T/o5R\":\"Alcanzado\",\"7YlcXu\":\"El fork mode está activado\",\"7Z76Iw\":\"Tomar prestado no está disponible porque estás usando el Isolation mode. Para administrar el Isolation mode, visita tu <0>Panel de control.\",\"7aKlMS\":\"Compartir en Lens\",\"7bdUsR\":\"Redeem as aToken\",\"7er5fP\":\"Reclamar todo\",\"7hb2+s\":\"Time remaining until the withdraw period ends.\",\"7l88b8\":\"No se pudieron recuperar los datos, por favor recarga el gráfico.\",\"7p5kLi\":\"Panel de control\",\"7sofdl\":\"Retirar y Cambiar\",\"8+6BI0\":\"Ten cuidado - Estás muy cerca de la liquidación. Considera depositar más garantía o pagar alguno de tus préstamos\",\"87pUEW\":[\"Tu cartera de \",[\"name\"],\" está vacía. Compra o transfiere activos.\"],\"8F1i42\":\"Página no encontrada\",\"8G8M0u\":\"Cargando datos...\",\"8Iu1QS\":\"retirado\",\"8JL93T\":\"Todas las propuestas\",\"8Q51DU\":\"Añadir a la cartera\",\"8X/oyn\":\"Cantidad invalidad para generar\",\"8Z5FPv\":\"Desconectar cartera\",\"8Zz7s5\":\"activos\",\"8aLW8H\":\"Balance a revocar\",\"8bOT3H\":\"Tasa de uso\",\"8sLe4/\":\"Ver contrato\",\"8t/M0y\":\"Please connect your wallet to be able to bridge your tokens.\",\"8vETh9\":\"Mostrar\",\"94OHPx\":\"Estás entrando en el Isolation mode\",\"9CDK3/\":[\"Tomar prestado no está disponible actualmente para \",[\"0\"],\".\"],\"9GIj3z\":\"Tamaño de la reserva\",\"9Knqb4\":\"Balance stakeado\",\"9OBKm7\":\"Quorum\",\"9QHoGr\":\"Votos actuales\",\"9Rw96f\":[\"Este activo casi ha alcanzado su límite de préstamo. Solo hay \",[\"messageValue\"],\" disponibles para ser prestado de este mercado.\"],\"9Xj/qR\":[\"Algunos activos migrados no se utilizarán como garantía debido al isolation mode habilitado en el mercado V3 de \",[\"marketName\"],\". Visita el <0>Panel de control de \",[\"marketName\"],\" V3 para administrar el isolation mode.\"],\"9c6vDV\":\"Este activo ha alcanzado su límite de suministro. No queda nada disponible para ser suministrado desde este mercado.\",\"9kTWHA\":\"MAI ha sido pausado debido a una decisión de la comunidad. Los suministros, préstamos y pagos se han visto afectados. <0>Más información\",\"9lXchd\":\"Token subyacente\",\"9rWaKF\":\"Bridged Via CCIP\",\"9xSooW\":\"Puesto que esta es una red de pruebas, puedes obtener cualquiera de los activos si tienes ETH en tu cartera\",\"A/lwoe\":\"Elige uno de los servicios on-ramp\",\"A6dCI6\":[\"La máxima cantidad disponible para tomar prestado es <0/> \",[\"0\"],\" (<1/>).\"],\"AReoaV\":\"Tus préstamos\",\"ARu1L4\":\"Pagado\",\"AV7cGz\":\"Revisa los detalles del approve\",\"AZOjB8\":\"Recuperando datos...\",\"Ai0jas\":\"Únete a la discusión de la comunidad\",\"Ajl2rq\":\"El poder de préstamo y los activos están limitados debido al Isolation mode.\",\"AqgYNC\":\"El límite de préstamo del protocolo está al 100% para este activo. No es posible tomar más prestado.\",\"B3EcQR\":\"¡Gracias por votar!\",\"B6aXGH\":\"Estable\",\"B9Gqbz\":\"Tasa variable\",\"BDFEd+\":\"stETH suministrado como garantía continuará acumulando recompensas de staking proporcionadas por rebases diarios.\",\"BE2mP0\":\"Borrowed assets\",\"BJyN77\":\"Debido al impacto del factor de salud, se requiere un préstamo flash para realizar esta transacción, pero el Gobierno de Aave ha inhabilitado la disponibilidad de préstamos flash para este activo. Intenta reducir la cantidad o suministrar garantía adicional.\",\"BNL4Ep\":\"El uso como garantía está limitado debido al isolation mode. <0>Aprende más\",\"BQ/wCO\":\"Migrate your assets\",\"BjLdl1\":\"Con un descuento\",\"BnhYo8\":\"Categoría de activos\",\"Bq9Y7e\":\"Este activo está congelado debido a una decisión de la comunidad de Aave. <0>Más información\",\"BqWMDJ\":\"Faucet\",\"BqynZO\":\"Optimized for efficiency and risk by supporting blue-chip collateral assets\",\"Bsu7zX\":\"The fee includes the gas cost to complete the transaction on the destination chain and the fee paid to Chainlink CCIP service providers. You can chose to pay in the network token or GHO. <0>Learn more\",\"BwJKBw\":\"de\",\"C4/GSi\":\"Your balance of assets that are available to stake\",\"CDrsH+\":\"Documento técnico\",\"CK1KXz\":\"Max\",\"CMHmbm\":\"Deslizamiento\",\"CZXzs4\":\"Griego\",\"CcRNG6\":\"Cambiando\",\"CkTRmy\":[\"Reclamar \",[\"symbol\"]],\"CsqtLm\":\"Por favor conecta tu cartera para ver la herramienta de migración.\",\"CtGlFb\":[\"Faucet \",[\"networkName\"]],\"Cxt2YY\":\"Watch wallet\",\"D33VQU\":\"Esta acción reducirá el factor de salud de V3 por debajo del umbral de liquidación. Aumenta la garantía migrada o reduce el préstamo migrado para continuar.\",\"D8sc3k\":\"Stake balance\",\"D9BLRG\":\"Este activo ha sido pausado debido a una decisión de la comunidad. El suministro, los retiros, los préstamos y los pagos se han visto afectados.\",\"DAma/S\":\"La garantía es (en su mayoría) el mismo activo que se está tomando prestado\",\"DCnFg0\":[\"Direcciones (\",[\"0\"],\")\"],\"DG3Lv1\":\"Entiendo completamente los riesgos de migrar.\",\"DONJcV\":\"El activo base no puede ser rescatado\",\"DR+4uL\":\"Balance del suministro después del cambio\",\"DWjrck\":[\"Este activo no se puede migrar al mercado V3 de \",[\"marketName\"],\" debido a las restricciones del E-mode. Puedes deshabilitar o administrar las categorías del E-mode en tu <0>Panel de control V3\"],\"Dj+3wB\":\"Aave por mes\",\"DptNvx\":\"Amount Staked\",\"DuEq2K\":\"Colateralización\",\"DxfsGs\":\"Puedes reportar cualquier incidente a nuestro <0>Discord o <1>Github.\",\"Dzma+E\":\"Main Ethereum market with the largest selection of assets and yield options\",\"E/QGRL\":\"Deshabilitado\",\"EBL9Gz\":\"¡COPIADO!\",\"ES8dkb\":\"Interés fijo\",\"EZd3Dk\":[\"Restakeando \",[\"symbol\"]],\"EZqFZ+\":\"Staking this asset will earn the underlying asset supply yield in additon to other configured rewards.\",\"Ebgc76\":[\"Retirando \",[\"symbol\"]],\"EdQY6l\":\"Ninguno\",\"EjvKQ+\":\"Valor mínimo en USD recibido\",\"Enslfm\":\"Destination\",\"EvE9nO\":[\"Reactivar el periodo de cooldown para unstakear \",[\"0\"],\" \",[\"stakedToken\"]],\"EvECnL\":\"Migrar a V3\",\"EzMQbh\":\"The source chain time to finality is the main factor that determines the time to destination. <0>Learn more\",\"F40cwT\":\"Legacy Markets\",\"F6TdXL\":\"Aprende más.\",\"FDDPeZ\":\"Users can stake their assets in the protocol and earn incentives. In the case of a shortfall event, your stake can be slashed to cover the deficit, providing an additional layer of protection for the protocol.\",\"FHlMf/\":\"Balance actual v2\",\"FHpxjF\":[\"El factor de reserva es un porcentaje de interés que va a un \",[\"0\"],\" que es controlado por el gobierno de Aave para promover el crecimiento del ecosistema.\"],\"FOBZa6\":\"Capacidad de préstamo utilizada\",\"FPKEug\":\"Operación no soportada\",\"FbmMe7\":\"Direcciones vinculadas\",\"Fdp03t\":\"en\",\"Fjw9N+\":\"Activos a suministrar\",\"FmN0fk\":\"Restakear\",\"GDGLIs\":\"GHO es un activo nativo descentralizado, digital y respaldado por garantía, vinculado al USD. Es creado por los usuarios que lo toman prestado contra múltiples garantías. Cuando el usuario paga su posición de préstamo de GHO, el protocolo quema el GHO de ese usuario. Todos los pagos de interés acumulados por los acuñadores de GHO serán transferidos directamente a la tesorería de\xA0la\xA0DAO\xA0de\xA0Aave.\",\"GQrBTq\":\"Cambiar E-Mode\",\"GWswcZ\":\"Este activo está congelado debido a una decisión del Gobierno del Protocolo Aave. El 20 de diciembre de 2022, renFIL ya no será compatible y no se podrá conectar de nuevo a su red nativa. Se recomienda retirar las posiciones de suministro y pagar las posiciones de préstamo para que renFIL se pueda convertir de nuevo a FIL antes de la fecha límite. Después de esta fecha, ya no será posible convertir renFIL a FIL. <0>Más detalles\",\"GX8GKD\":\"Activos\",\"GgEj+0\":\"Modo de solo lectura. Conéctate a una cartera para realizar transacciones.\",\"GjkIKV\":\"finaliza\",\"GoK/QN\":\"Thank you for submitting feedback!\",\"GtP2hp\":[\"Tomar prestado no está disponible porque has habilitado el Efficieny Mode (E-Mode) para la categoría \",[\"0\"],\". Para manejar las categorías del E-Mode visita tu <0>Panel de control.\"],\"H6Ma8Z\":\"Descuento\",\"HB/wfS\":[[\"tooltipText\"]],\"HKDsQN\":\"Rewards can be claimed through\",\"Ha/U5f\":\"This is a program initiated and implemented by the decentralised ZKSync community. Aave Labs does not guarantee the program and accepts no liability.\",\"HciqKU\":\"This is a program initiated and implemented by the decentralised Aave community. Aave Labs does not guarantee the program and accepts no liability.\",\"Hi6Ttn\":\"Lo sentimos, se produjo un error imprevisto. Mientras tanto, puedes intentar recargar la página, o volver después.\",\"HkEDbS\":[[\"d\"],\"d\"],\"HmkYqM\":\"Ventana de unstakeo\",\"HpK/8d\":\"Recargar\",\"HrnC47\":\"Guardar y compartir\",\"HuVZMK\":\"Days\",\"HvJKMU\":[\"Este activo no se puede migrar al mercado v3 de \",[\"marketName\"],\", ya que el activo de garantía habilitará el isolation mode.\"],\"Hvwnm9\":[\"La cantidad máxima disponible para suministrar está limitada porque el límite de suministro del protocolo está al \",[\"0\"],\"%.\"],\"I8CX2c\":\"La cantidad total de tus activos denominados en USD que pueden ser usados como garantía para activos de préstamo.\",\"IAD2SB\":[\"Reclamando \",[\"symbol\"]],\"IG9X9/\":\"Tomar prestado este activo está limitado a una cierta cantidad para minimizar la insolvencia del fondo de liquidez.\",\"IOIx8L\":\"Está previsto que este activo se desvincule debido a una decisión del Gobierno del Protocolo Aave. <0>Más detalles\",\"IP+I/j\":\"Periodo de cooldown\",\"IaA40H\":\"Liquidación en\",\"J/hVSQ\":[[\"0\"]],\"JCoxL6\":\"Administrar analíticas\",\"JK9zf1\":[\"Interés compuesto estimado, incluyendo el descuento por Staking \",[\"0\"],\"AAVE en el Módulo de Seguridad.\"],\"JOqFba\":[\"Unstakeando \",[\"symbol\"]],\"JPrLjO\":\"No puedes usar este activo como garantía\",\"JU6q+W\":\"Recompensa(s) por reclamar\",\"JYKRJS\":\"Stakear\",\"JZMxX0\":\"No hay suficiente balance en tu cartera\",\"Jgflkm\":\"Obtener GHO\",\"JoMQnI\":\"Balance de la cartera\",\"JtwD8u\":\"Balance tomado prestado tras pagar\",\"JumYTK\":\"Supplied assets\",\"K05qZY\":\"Retirar y Cambiar\",\"KAz/NV\":\"El límite de deuda del protocolo está al 100% para este activo. No es posible tomar más prestado usando este activo como garantía.\",\"KLXVqE\":[\"Los tokens stETH se migrarán a Wrapped stETH usando el wrapper del protocolo de Lido, lo que provoca un cambio en el balance de suministro después de la migración: \",[\"0\"]],\"KLd6ky\":\"Use connected account\",\"KRpokz\":\"VER TX\",\"KSlpka\":\"Esto representa el umbral en el que un préstamo será considerado sin garantía suficiente y sujeto a la liquidación de la misma. Por ejemplo, si una garantía tiene un umbral de liquidación del 80 %, significa que el préstamo será liquidado cuando el valor de la deuda alcanze el 80% del valor de la garantía.\",\"KYAjf3\":\"Aislado\",\"KZwRuD\":[[\"notifyText\"]],\"KkPgim\":\"Cambiando E-Mode\",\"KnN1Tu\":\"Caduca\",\"KoOBI2\":\"Debido a mecánicas internas de stETH requeridas para el soporte del rebase, no es posible realizar un cambio de garantía donde stETH es el token de origen.\",\"KojyJ4\":\"Red incorrecta\",\"KsqhWn\":\"Staking\",\"KuBTQq\":\"Introduce la dirección ETH\",\"KvG1xW\":\"Reclamando\",\"L+8Lzs\":\"LTV actual\",\"L+qiq+\":\"Mercado\",\"LDzfVJ\":\"Send Feedback\",\"LIrMcF\":\"Sin poder de voto\",\"LL0zks\":\"Puede ser garantía\",\"LLdJWu\":\"AAVE Reclamable\",\"LSIpNK\":\"Tomar prestado y pagar en el mismo bloque no está permitido\",\"LVt3TI\":[\"<0>Tolerancia de deslizamiento <1>\",[\"selectedSlippage\"],\"% <2>\",[\"0\"],\"\"],\"LjafV8\":\"Maximum collateral amount to use\",\"LtpQew\":\"Let us know how we can make the app better for you. For user support related inquiries please reach out on\",\"LvVpD/\":\"Modo E\",\"M2sknc\":\"Tip: Intenta aumentar el deslizamiento o reduce la cantidad de entrada\",\"M7wPsD\":\"Cambiar\",\"MFu33y\":\"Staking 00\",\"MIy2RJ\":\"Maximum amount received\",\"MZ/nQf\":\"Dirección del destinatario\",\"Ma/MtY\":\"vista de stakeo\",\"McHlGl\":\"Cambio de APY\",\"MeCCA+\":\"APY, variable\",\"MghdTe\":\"Si el factor de salud se encuentra por debajo de 1, la liquidación de tu colateral puede ser activada.\",\"Mm/DVQ\":\"Has cancelado la transacción.\",\"MnE2QX\":\"Información de préstamo\",\"MrmQHg\":\"View Bridge Transactions\",\"MuDFEQ\":\"Valor de retorno inválido en la función executor del préstamo flash\",\"N5kUMV\":\"Este activo solo se puede utilizar como garantía en isolation mode con poder de préstamo limitado. Para entrar en el isolation mode, deshabilita todas las demás garantías.\",\"N6Pxr9\":\"View all\",\"NF0e1Q\":\"Pendiente...\",\"NK9ikO\":\"Balance de la cartera\",\"NMt2CB\":\"Cantidad reclamable\",\"NcFGxG\":\"Collector Contract\",\"NfpPeS\":\"Nada invertido\",\"Nh9DAo\":[[\"m\"],\"m\"],\"O+sCUU\":\"El límite de minteo sin respaldo ha sido excedido\",\"O+tyU+\":[\"La cantidad máxima disponible para tomar prestado contra este activo está limitada porque el límite de deuda está al \",[\"0\"],\"%.\"],\"O3oNi5\":\"Email\",\"OFjZGo\":\"Unstakear\",\"OR8cYX\":\"Resumen de la propuesta\",\"OYuJ9K\":\"El límite de deuda del protocolo está al 100% para este activo. No es posible tomar más prestado usando este activo como garantía.\",\"OfhWJH\":\"Restablecer\",\"Og2SKn\":\"deshabilitado\",\"On0aF2\":\"Página web\",\"OsyKSt\":\"Retirar\",\"P1dURE\":\"Revocar poder\",\"P2WCD/\":[\"El activo subyacente no existe en el mercado v3 de \",[\"marketName\"],\", por lo tanto, esta posición no se puede migrar.\"],\"P2sL6B\":\"Cuando ocurre una liquidación, los liquidadores pagan hasta el 50% de la cantidad pendiente del préstamo en nombre del prestatario. A cambio, pueden comprar la garantía con descuento y quedarse con la diferencia (sanción de liquidación) como bonificación.\",\"P6sRoL\":\"Stakea ABPT\",\"P72/OW\":\"El promedio ponderado de APY para todos los activos prestados, incluidos los incentivos.\",\"P7e6Ug\":\"Por favor conecta tu cartera para ver el historial de transacciones.\",\"PByO0X\":\"Votos\",\"PI+kVe\":\"Deshabilitar fork\",\"PJK9u/\":\"Apy préstamo\",\"PLUB/s\":\"Fee\",\"PP5ZA8\":[\"Participating in staking \",[\"symbol\"],\" gives annualized rewards. Your wallet balance is the sum of your aTokens and underlying assets. The breakdown to stake is below\"],\"PcBUgb\":\"Umbral de liquidación\",\"PjU6bu\":\"This asset is eligible for SPK incentive program. Aave Labs does not guarantee the program and accepts no liability.\",\"PpqD5g\":\"Habilitar este activo como garantía aumenta tu poder préstamo y el factor de salud. Sin embargo, puede ser liquidado si tu factor de salud cae por debajo de 1.\",\"PsOFSf\":\"Esta acción reducirá el factor de salud V2 por debajo del umbral de liquidación. Mantén la garantía o migra la posición de préstamo para continuar.\",\"Pu4bI/\":[[\"currentMethod\"]],\"Q0LzKi\":\"View TX\",\"Q4eNqa\":\"El Aave Balancer Pool Token (ABPT) es un token de pool de liquidez. Puedes recibir ABPT depositando una combinación de AAVE + wstETH en el pool de liquidez de Balancer. Luego puedes stakear tu BPT en el módulo de seguridad para asegurar el protocolo y ganar incentivos de seguridad.\",\"QQYsQ7\":\"Retirando\",\"QWYCs/\":\"Stakear GHO\",\"R+30X3\":\"No alcanzado\",\"RCU5PY\":\"Age\",\"RIfckG\":[\"Desactivar \",[\"symbol\"],\" como garantía\"],\"RMtxNk\":\"Diferencial\",\"RNK49r\":\"Firma inválida\",\"RS0o7b\":\"Estado\",\"RU+LqV\":\"Detalles de la propuesta\",\"RbXH+k\":\"Los poseedores de AAVE, GHO y ABPT (solo en la red de Ethereum) pueden stakear sus activos en el Módulo de Seguridad para añadir más seguridad al protocolo y obtener incentivos de seguridad. En el caso de un evento de shortfall, tu stakeo puede ser reducido para cubrir el déficit. proporcionando una capa adicional de protección para el protocolo.\",\"RiSYV4\":\"El activo no está listado\",\"Rj01Fz\":\"Enlaces\",\"RmWFEe\":\"Staking APR\",\"RoafuO\":\"Enviar feedback\",\"RtBLm7\":\"El factor de salud es menor que el umbral de liquidación\",\"RxzN1M\":\"Habilitado\",\"SDav7h\":\"Fondos en el Módulo de Seguridad\",\"SENccp\":\"Si el error persiste, <0/> podrías reportarlo a esto\",\"SIWumd\":\"Mostrar activos congelados o pausados\",\"SM58dD\":\"Cantidad en cooldown\",\"SSMiac\":\"Error al cargar los votantes de la propuesta. Por favor actualiza la página.\",\"SSQVIz\":\"Umbral de liquidación\",\"SUb8x0\":\"Total disponible\",\"SWIgh4\":\"Fees exceed wallet balance\",\"SY9hVo\":\"El modo de solo lectura permite ver las posiciones de las direcciones en Aave, pero no podrás realizar transacciones.\",\"SZRUQ4\":\"Deslizamiento máximo\",\"Sa1UE/\":\"El límite de préstamo del protocolo está al 100% para este activo. No es posible tomar más prestado.\",\"Sk2zW9\":\"Desactivando E-Mode\",\"SxaD0o\":\"La dirección del proveedor del pool no esta registrada\",\"T/AIqG\":\"El límite de suministro del protocolo está al 100% para este activo. No es posible suministrar más.\",\"T0xCO9\":\"No se puede validar la dirección de la cartera. Vuelve a intentarlo.\",\"T4OhVl\":\"GHO balance\",\"T6uYU2\":\"Tomar prestado\",\"TFxQlw\":\"Penalización de liquidación\",\"TQ7WsV\":\"Available to stake\",\"TUI7iB\":\"El activo solo puede usarse como garantía en el Isolation mode únicamente.\",\"TbjyhA\":\"Docs\",\"TduuS0\":\"El usuario no tiene deuda pendiente de tasa estable en esta reserva\",\"TeCFg/\":\"Cambio de tasa de préstamo\",\"Tg1JyO\":\"Bridge history\",\"TskbEN\":\"Los poseedores de stkAAVE reciben un descuento en la tasa de préstamo de GHO\",\"TszKts\":\"Balance de préstamo después del cambio\",\"TtZL6q\":\"Parámetros del modelo de descuento\",\"TwJI9F\":\"Asset has been successfully sent to CCIP contract. You can check the status of the transactions below\",\"Tz0GSZ\":\"actividades bloqueadas\",\"U/eBjN\":\"Recarga la página\",\"U2r8nY\":\"Elige cuánto poder de voto/proposición otorgar a otra persona delegando parte de tu balance de AAVe o stkAAVE. Tus tokens permanecerán en tu cuenta, pero tu delegado podrá votar o proponer en tu lugar. Si tu balance de AAVE, stkAAVE o aAave cambia, el poder de voto/proposición de tu delegado se ajustará automáticamente.\",\"U8IubP\":\"La aplicación se está ejecutando en testnet mode. Aprende como funciona en\",\"U9btTk\":\"El activo no se puede pedir prestado en isolation mode\",\"UAOZRe\":\"El impacto del precio es la diferencia entre el valor total de los tokens de entrada cambiados y los tokens de destino obtenidos (en USD), que resulta de la liquidez limitada del par de cambio.\",\"UE3KJZ\":\"El historial de transacciones no está disponible actualmente para este mercado\",\"URmyfc\":\"Detalles\",\"UTTKmT\":\"Cooldown de stakeo activado\",\"UXeR72\":\"Estos fondos se han tomado prestados y no están disponibles para su retirada en este momento.\",\"UYb8CM\":\"Learn more about the SPK rewards\",\"UbRrG0\":\"El ratio LTV máximo representa el poder de endeudamiento máximo de una garantía específica. Por ejemplo, si una garantía tiene un LTV del 75 %, el usuario puede pedir prestado hasta 0,75 ETH en la moneda principal por cada 1 ETH de garantía.\",\"UpndFj\":\"No hay recompensas para reclamar\",\"V0f2Xv\":\"Factor de reserva\",\"V1HK43\":\"Riesgos de migración\",\"VATFH9\":\"Deuda cubierta\",\"VHOVEJ\":\"Conectar cartera\",\"VMfYUK\":\"Seguridad de tu garantía depositada contra los activos prestados y su valor subyacente.\",\"VOAZJh\":\"Total de préstamos\",\"ViKYxK\":\"YAE\",\"W1SSoD\":\"Revisar detalles de la tx\",\"W5hVah\":\"Nada suministrado aún\",\"W5kTFy\":\"Votando\",\"W8ekPc\":\"Volver al panel de control\",\"WMPbRK\":\"No respaldado\",\"WNGZwH\":\"El E-Mode incrementa tu LTV para una categoría seleccionada de activos hasta el <0/>. <1>Aprende más\",\"WPWG/y\":\"Configuración y estado de la reserva\",\"WZLQSU\":\"El usuario no puede retirar más que el balance disponible\",\"WaZyaV\":\"<0>Ampleforth es un activo con rebase. Visita la <1>documentación para aprender más.\",\"WfU+XN\":\"Debido a que este activo está en pausa, no se pueden realizar acciones hasta nuevo aviso\",\"Wjmqs2\":\"No results found. You can import a custom token with a contract address\",\"WkZ6C6\":\"Para tomar prestado, necesitas suministrar cualquier activo para ser utilizado como garantía.\",\"WyMiQm\":\"Has cambiado los tokens con éxito.\",\"X/ITG9\":\"Copiar el texto del error\",\"X3Pp6x\":\"Utilizado como garantía\",\"X4Zt7j\":\"No se puede realizar la acción porque la reserva está pausada\",\"XBdKOj\":\"Direcciones de cartera de contrato inteligente representativas (Safe) en otras cadenas.\",\"XZzneG\":\"Saldrás del modo aislamiento y otros tokens pueden ser usados ahora como garantía\",\"Xg5y9S\":\"Amount to Bridge\",\"Xn4hUi\":\"Por favor ten siempre en cuenta tu <0>factor de salud (HF) cuando migres parcialmente una posición y que tus tasas serán actualizadas a tasas de la V3.\",\"Xy71ST\":\"Umbrella\",\"Y5kGkc\":\"VOTAR NO\",\"YDIOks\":\"Habilitar E-Mode\",\"YSodyW\":\"Esta acción reducirá tu factor de salud. Por favor ten en cuenta el riesgo incrementado de liquidación de la garantía.\",\"YXOWXM\":\"The total amount bridged minus CCIP fees. Paying in network token does not impact gho amount.\",\"YirHq7\":\"Feedback\",\"YogbCJ\":\"Testnet mode está ON\",\"YrDxdO\":\"Si tu relación préstamo-valor supera el umbral de liquidación, tu garantía puede ser liquidada.\",\"YyIM65\":\"No se cumplieron las condiciones de ajuste de tasas de interés\",\"YyydIq\":[\"Añade \",[\"0\"],\" a tu cartera para hacer un seguimiento del balance.\"],\"ZBvhI+\":\"Gobierno de Aave\",\"ZIIRAd\":\"Raw-Ipfs\",\"ZRq4tX\":\"Modo de eficiencia (E-Mode)\",\"ZSqEW+\":\"Manage E-Mode\",\"ZUFYFE\":\"Deshabilitar testnet\",\"Zbyywy\":\"Max slashing\",\"ZfUGFb\":\"Antes de suministrar\",\"ZiXN+B\":\"Assets to stake\",\"ZlsSDH\":\"Valor de liquidación\",\"ZrEc8j\":\"No pudimos encontrar ningún activo relacionado con tu búsqueda. Vuelve a intentarlo con un nombre diferente de activo, símbolo o dirección.\",\"ZsLF7e\":\"habilitado\",\"a0YQoQ\":\"Enter a valid address\",\"a2fBZn\":\"Tempo restante para unstakear\",\"a5RYZd\":\"Deshabilitar este activo como garantía afecta tu poder de préstamo y Factor de Salud.\",\"a7u1N9\":\"Precio\",\"a9D+6D\":\"Unstakeado\",\"aEtiwq\":\"Votar NO\",\"aMmFE1\":\"Comprar Crypto con Fiat\",\"aOKIms\":\"Los parámetros del array que deberían ser iguales en longitud no lo son\",\"aX31hk\":\"Tu balance es más bajo que la cantidad seleccionada.\",\"adUsDd\":\"Se ha producido un error al recuperar la propuesta.\",\"al6Pyz\":\"Supera el descuento\",\"aoXTT7\":\"APY préstamo, variable\",\"aqX1Yp\":\"This asset is eligible for rewards through SuperFest. Aave Labs does not guarantee the program and accepts no liability.\",\"avgETN\":\"Eligible for the Merit program.\",\"b4NS3e\":\"Advertencia periodo de cooldown\",\"bBHmeP\":\"Available to withdraw\",\"bNEQeI\":\"Cooldown\",\"bSruit\":\"ZKSync Ignite Program rewards are claimed through the\",\"bUUVED\":\"Activo\",\"bXQ/Og\":\"Compartir en twitter\",\"bXr0ee\":\"Los activos aislados han limitado tu capacidad de préstamo y otros activos no pueden ser usados como garantía.\",\"bYmAV1\":\"Direcciones\",\"bguKoJ\":\"La cantidad solicitada es mayor que el tamaño máximo del préstamo en el modo de tasa estable\",\"bwSQI0\":\"Suministrar\",\"bxN6EM\":\"No se puede deshabilitar E-Mode\",\"bxmzSh\":\"No hay suficiente garantía para pagar esta cantidad de deuda con\",\"c91vuQ\":\"La dirección no es un contrato\",\"c97os2\":\"aToken de Aave\",\"c9b44w\":\"No puedes retirar esta cantidad porque causará una liquidación\",\"cBc+4A\":\"Esta es la cantidad total disponible que puedes tomar prestada. Puedes tomar prestado basado en tu garantía y hasta que el límite de préstamo se alcance.\",\"cIl5kp\":\"Tu poder de voto se basa en tu balance de AAVE/stkAAVE y delegaciones recibidas.\",\"cLo09S\":\"Detalles de riesgo\",\"cNT+ij\":\"Tomar prestado no está disponible porque has habilitado el Efficiency Mode (E-Mode) y el Isolation mode. Para administrar el E-Mode y el Isolation Mode, visita tu <0>Panel de control.\",\"cZOeBk\":\"Something went wrong fetching bridge message, please try again later.\",\"ceix5S\":\"Para enviar una propuesta de cambios menores al protocolo, necesitarás al menos 80K de poder. Si deseas cambiar la base central del código, necesitarás un poder de 320K.<0>Aprende más\",\"ciSsYT\":\"Staking APY\",\"ciybUa\":\"Votar SI\",\"ckf7gX\":[\"Pagando \",[\"symbol\"]],\"cp1ZDP\":[\"Bridge \",[\"symbol\"]],\"cqnmnD\":\"Tasa de interés efectiva\",\"cqwIvs\":\"Hilo de discusión del foro\",\"csDS2L\":\"Disponible\",\"cu7Stb\":\"No has participado en esta propuesta\",\"dE6BLF\":\"Gobierno\",\"dEgA5A\":\"Cancelar\",\"dIsyWh\":\"La validación del LTV ha fallado\",\"dMtLDE\":\"para\",\"dOB5nW\":[\"La cantidad máxima disponible para suministrar es <0/> \",[\"0\"],\" (<1/>).\"],\"dVfODp\":\"No tienes suficientes fondos en tu cartera para pagar la cantidad total. Si procedes a pagar con tu cantidad actual de fondos, aún tendrás un pequeño préstamo en tu panel de control.\",\"dXUQFX\":\"Activos a tomar prestado\",\"dgr1aY\":\"Tomar prestado está deshabilitado debido a una decisión de la comunidad de Aave. <0>Más información\",\"djsg0o\":\"Uso de la garantía\",\"dpc0qG\":\"Variable\",\"drdV8R\":\"Liquidación\",\"dxW8cS\":\"Token de deuda de Aave\",\"e4V3oW\":\"Top 10 direcciones\",\"eD8WX/\":\"La acción requiere una reserva activa\",\"eJRJ04\":\"Cantidad para unstakear\",\"eLh0cL\":\"El deslizamiento es la diferencia entre las cantidades calculadas y las recibidas debido a las condiciones cambiantes del mercado entre el momento en que se envía la transacción y su verificación.\",\"ePK91l\":\"Editar\",\"eVpCmf\":\"Recompensas de Staking\",\"eVqvtf\":\"Bridge GHO\",\"eYdurp\":\"Aún no hay transacciones.\",\"ebLGGN\":\"Total tomado prestado\",\"ecqEvn\":\"El balance de garantía es 0\",\"efdrrk\":\"Disponible en\",\"enruNF\":\"empieza\",\"eqLYiD\":\"Unstakea ahora\",\"euScGB\":\"APY con descuento aplicado\",\"evw5ha\":\"Valor neto\",\"ezcU16\":\"Obtener Token ABP\",\"f3W0Ej\":[\"Has cambiado a tasa \",[\"0\"]],\"fH9i8k\":\"Has cambiado con éxito la posición de préstamo.\",\"fHcELk\":\"APR Neto\",\"fMJQZK\":\"Prestado\",\"fZ5Vnu\":\"Recibido\",\"firl9Q\":\"Tu actual relación préstamo-valor basado en tu garantía suministrada.\",\"flRCF/\":\"Descuento por staking\",\"fldjW9\":\"Previsualizar la tx y migrar\",\"fsBGk0\":\"Balance\",\"fu1Dbh\":[\"Retirar \",[\"symbol\"]],\"fwjWSI\":\"Suministrado\",\"fwyTMb\":\"Migrar a stkABPT v2\",\"g0mals\":\"You can not disable E-Mode because that could cause liquidation. To exit E-Mode supply or repay borrowed positions.\",\"g2UNkE\":\"Powered by\",\"g8KGoA\":\"FAQS\",\"g9zzqS\":\"Votó NAY\",\"gDd2gk\":\"about SuperFest.\",\"gFFh9h\":\"¡Todo listo!\",\"gIMJlW\":\"Testnet mode\",\"gOzPxe\":\"Este activo está congelado debido a una decisión del Gobierno del Protocolo Aave. <0>More información\",\"gTHi2T\":\"El usuario está intentando tomar prestado múltiples activos incluido uno aislado\",\"gVW59Y\":\"Por favor conecta tu cartera para obtener activos testnet gratis.\",\"gcFNxP\":\"Aprobación confirmada\",\"gncRUO\":\"Esta dirección está bloqueada en app.aave.com porque está asociada con una o más\",\"goff7V\":\"Dirección cero no válida\",\"gp+f1B\":\"Versión 3\",\"gr8mYw\":\"Puedes tomar prestado hasta <0/> GHO al <1/> (descuento máximo)\",\"gvTM4B\":\"El APY neto es el efecto combinado de todos los suministros y préstamos sobre total, incluidos los incentivos. Es posible tener un APY neto negativo si el APY de la deuda es mayor que el APY de suministro.\",\"gzcch9\":\"Comisión de puente de protocolo inválida\",\"h33MxW\":\"Direcciones de cartera de contrato inteligente representantes (Safe) en otras cadenas.\",\"h3ilK+\":\".CSV\",\"hB23LY\":\"Activar Cooldown\",\"hIJzBh\":\"Available to Claim\",\"hIS4N0\":\"APY neto\",\"hRWvpI\":\"Reclamado\",\"hdmy/o\":\"El % de tu poder de préstamo total utilizado. Esto se basa en la cantidad de tu garantía suministrada y la cantidad total que puedes pedir prestado.\",\"hehnjM\":\"Cantidad\",\"hjDCQr\":\"Hubo un error. Por favor intenta cambiar los parámetros o <0><1>copiar el error\",\"hom7qf\":\"Reclamar\",\"hpHJ4I\":\"Garantía liquidada\",\"hpuVIp\":\"Users who stake AAVE in Safety Module (i.e. stkAAVE holders) receive a discount on GHO borrow interest rate.\",\"huQ6Tz\":[\"Tomando prestado \",[\"symbol\"]],\"hxi7vE\":\"Balance tomado prestado\",\"i/fZ2Z\":\"Staked Balance\",\"i2JTiw\":\"Puedes ingresar una cantidad específica en el campo.\",\"iB5+/J\":\"Sobre GHO\",\"iChbOF\":\"Parámetros inconsistentes del préstamo flash\",\"iEPVHF\":\"No hay suficiente poder de voto para participar en esta propuesta\",\"iEW87X\":\"Poder delegado\",\"iEju36\":[\"Has votado \",[\"0\"]],\"iFq2YN\":\"Borrowable\",\"iGxyIA\":\"Safety Module\",\"iMVZk9\":\"Seleccionar tolerancia de deslizamiento\",\"iPMIoT\":\"Ingresa una cantidad\",\"iSLIjg\":\"Conectar\",\"iUo5rv\":\"tokens no es lo mismo que stakearlos. Si deseas stakearlos\",\"iZxa38\":\"Úsalo para votar a favor o en contra de propuestas activas.\",\"if5PH+\":\"Collector Info\",\"igkfR1\":[\"En el Isolation mode, no puedes suministrar otros activos como garantía. Un límite de deuda global limita la capacidad de préstamo del activo aislado. Para salir del Isolation mode, deshabilita \",[\"0\"],\" como garantía antes de tomar prestado otro activo. Lee más en nuestras <0>preguntas frecuentes \"],\"il0sEG\":\"El uso de garantías está limitado debido al Isolation mode.\",\"j+K1Xj\":\"Amount After Fee\",\"jA2QeW\":\"Suministrando tu\",\"jFi7dz\":\"Tasa de interés determinada por el gobierno de Aave. Esta tasa puede cambiar con el tiempo dependiendo de la necesidad de que el suministro de GHO se contraiga/expanda. <0>Aprende más\",\"jG3UJ7\":\"Desactivar el E-Mode\",\"jKYzR1\":\"Habilitar E-Mode\",\"jMam5g\":[\"Balance \",[\"0\"]],\"jSYv+Z\":\"Enabling E-Mode allows you to maximize your borrowing power, however, borrowing is restricted to assets within the selected category. <0>Learn more about how it works and the applied restrictions.\",\"jaKbwW\":[[\"s\"],\"s\"],\"jbFMap\":\"Periodo restante de cooldown\",\"jeMZNr\":[[\"0\"],\" el servicio on-ramp es proporcionado por proveedores externos y al seleccionarlo, estás aceptando los términos de dichos proveedores. Tu acceso al servicio podría depender de que el proveedor externo esté operativo.\"],\"jfl9OP\":\"Migrado\",\"jmXdoY\":\"En E-Mode algunos activos no se pueden pedir prestados. Sal del E-Mode para obtener acceso a todos los activos\",\"jpctdh\":\"Ver\",\"jqzUyM\":\"No disponible\",\"k/sb6z\":\"Seleccionar idioma\",\"k3wP3f\":\"<0>Atención: Los cambios de parámetros a través de la gobernanza pueden alterar el factor de salud de tu cuenta y el riesgo de liquidación. Sigue el <1>foro de gobierno de Aave para mantenerte actualizado.\",\"kACpF3\":[\"Reclamar \",[\"0\"]],\"kH6wUX\":\"Impacto del precio\",\"kIC28N\":\"Available to claim\",\"kIpSye\":[[\"numSelected\"],\"/\",[\"numAvailable\"],\" activos seleccionados\"],\"kN1Yg5\":\"Para pagar en nombre de un usuario, se necesita una cantidad explícita para pagar\",\"kRTD40\":[\"Cantidad a pagar para alcanzar el \",[\"0\"],\"% de utilización\"],\"kjN9tT\":\"El límite de suministro se ha sobrepasado\",\"knxE+G\":\".JSON\",\"ks2LWT\":\"El límite de deuda no es cero\",\"kwwn6i\":\"Los usuarios que stakean AAVE en el Modulo de Seguridad (es decir, poseedores de stkAAVE) reciben un descuento en la tasa de interés de préstamo de GHO. Este descuento se aplica a 100 GHO por cada 1 stkAAVE en posesión. Usa el calculador de abajo para ver la tasa de préstamo de GHO con el descuento aplicado.\",\"kz3wtK\":\"and about SPK program\",\"kzZyM4\":\"El balance de DAI se convertirá a través de los contratos de DSR y luego se suministrará como sDAI. El cambio no genera costos adicionales ni deslizamientos.\",\"lNVG7i\":\"Selecciona un activo\",\"lU2d1/\":[\"Este activo no se puede migrar debido a una liquidez insuficiente o a una limitación del límite de préstamo en el mercado v3 de \",[\"marketName\"],\".\"],\"lVhKKI\":\"Votó YAE\",\"lWLqxB\":\"No pudimos encontrar ninguna transacción relacionada con tu búsqueda. Vuelve a intentarlo con un nombre de activo diferente o restablece los filtros.\",\"lYGfRP\":\"Inglés\",\"lfEjIE\":\"Aprende más en nuestra guía <0>Preguntas frecuentes\",\"lt6bpt\":\"Garantía a pagar con\",\"m/IEhi\":\"Emisiones totales por día\",\"m7r7Hh\":\"Activos de préstamo seleccionados\",\"mDDK4p\":\"Pool de Balancer\",\"mIM0qu\":\"Cantidad esperada a pagar\",\"mUAFd6\":\"Versión 2\",\"masO5Z\":\"E-Mode increases your LTV for a selected category of assets. <0>Learn more\",\"mdNjKU\":[\"Tu cartera de \",[\"name\"],\" está vacía. Compra o transfiere activos o usa <0>\",[\"0\"],\" para transferir tus activos de \",[\"network\"],\".\"],\"muiOng\":[\"Comprar \",[\"cryptoSymbol\"],\" con Fiat\"],\"mvCXBY\":\"Stakea AAVE\",\"mwdzil\":\"Vale, cerrar\",\"mzI/c+\":\"Descargar\",\"mzdIia\":\"Este activo no puede usarse como garantía.\",\"n+SX4g\":\"Desarrolladores\",\"n8Psk4\":\"No podemos detectar una cartera. Conecta una cartera para stakear y ver tu balance.\",\"nJIhzm\":\"Apy de suministro\",\"nJgsQu\":\"Con un poder de votación de <0/>\",\"nLC6tu\":\"Francés\",\"nN2T8p\":\"During the cooldown period, you will not earn any merit rewards. However, rewards earned up to this point will remain unaffected.\",\"nNHV0z\":\"Migrar múltiples garantías y activos prestados al mismo tiempo puede ser una operación costosa y podría fallar en ciertas situaciones.<0>Por lo tanto, no se recomienda migrar posiciones con más de 5 activos (depositados + tomados prestados) al mismo tiempo.\",\"nNbnzu\":\"Proposición\",\"nOy4ob\":\"Te sugerimos volver al Panel de control.\",\"nPGNMh\":\"Puede ser ejecutado\",\"nUK1ou\":[\"Assets with zero LTV (\",[\"0\"],\") must be withdrawn or disabled as collateral to perform this action\"],\"nakd8r\":\"poseedores de stkAAVE obtienen un descuento en la tasa de préstamo de GHO\",\"nh2EJK\":[\"Por favor, cambia a \",[\"networkName\"],\".\"],\"njBeMm\":\"Ambos\",\"noN5Xf\":\"We couldn’t detect a wallet. Connect a wallet to view your staking positions and rewards.\",\"ntkAoE\":\"Descuento aplicado para <0/> AAVE stakeados\",\"ntyFSE\":[[\"h\"],\"h\"],\"nwtY4N\":\"Se produjo un error\",\"nxyWvj\":\"Retirar esta cantidad reducirá tu factor de salud y aumentará el riesgo de liquidación.\",\"o17QVP\":\"Tu factor de salud y la relación préstamo-valor determinan la seguridad de tu garantía. Para evitar liquidaciones, puedes suministrar más garantía o pagar las posiciones de préstamo.\",\"o1xc2V\":\"El balance de AToken no es cero\",\"o4tCu3\":\"APY préstamo\",\"o5ooMr\":\"Deuda\",\"o7J4JM\":\"Filtro\",\"oHFrpj\":\"Cooldown para undstakear\",\"oJ5ZiG\":\"El usuario no tiene deuda pendiente de tasa variable en esta reserva\",\"oRBGin\":\"Por favor conecta tu cartera para cambiar tus tokens.\",\"oUwXhx\":\"Activos de prueba\",\"oWklJD\":\"La tasa de interés estable <0>permanecerá igual durante la duración de su préstamo. Está recomendado para los períodos de préstamo a largo plazo y para los usuarios que prefieren la previsibilidad.\",\"odnIK3\":\"Time remaining until the 48 hour withdraw period starts.\",\"oiK5nY\":\"The current incentives period, decided on by the Aave community, has ended. Governance is in the process on renewing, check for updates. <0>Learn more.\",\"olREoo\":\"All borrow positions outside of this category must be closed to enable this category.\",\"om/XHs\":\"Disponible para suministrar\",\"ov0+mq\":\"Eligible for the ZKSync Ignite program.\",\"ovT1pF\":[\"Per the community, the \",[\"market\"],\" has been frozen.\"],\"ow3fug\":\"Sin resultados\",\"owSsI3\":\"Firmas listas\",\"p+R52m\":\"Ir al pool de Balancer\",\"p2A+s1\":[\"El periodo de cooldown es \",[\"0\"],\". Después \",[\"1\"],\" del cooldown, entrarás a la ventana de unstakeo de \",[\"2\"],\". Continuarás recibiendo premios durante el cooldown y la ventana de unstakeo.\"],\"p2S64u\":\"La relación préstamo-valor de las posiciones migradas provocaría la liquidación. Aumenta la garantía migrada o reduce el préstamo migrado para continuar.\",\"p2Z2Qi\":\"Este activo ha alcanzado su límite de préstamo. No queda nada disponible para ser prestado de este mercado.\",\"p3j+mb\":\"Tu balance de recompensa es 0\",\"p45alK\":\"Configurar la delegación\",\"p6u2s1\":\"Minimum amount of debt to be repaid\",\"pDgeaz\":[[\"title\"]],\"pdZqBk\":\"El balance subyacente debe ser mayor que 0\",\"pgWG9H\":\"No hay suficiente balance stakeado\",\"piPrJ7\":\"por favor comprueba que la cantidad que deseas depositar no está siendo utilizada actualmente para stakear. Si está utilizando para stakear, tu transacción podría fallar.\",\"pjO/iH\":\"Cantidad mínima recibida\",\"pooutM\":\"La votación está activa\",\"pqaM5s\":\"Confirmando transacción\",\"ptaxX3\":[\"Entiendo como el cooldown (\",[\"0\"],\") y el proceso de unstaking (\",[\"1\"],\") funcionan\"],\"py2iiY\":\"La función debe ser llamada por un pool\",\"q/51mF\":\"Migrar a V3\",\"q3df11\":\"Estrategia de tasa de interés\",\"q6lAbz\":\"Stakeado\",\"qB4kPi\":\"Suministrar APY\",\"qENI8q\":\"Configuración global\",\"qGz5zl\":\"Balance de la garantía tras pagar\",\"qIW9ZH\":\"Amount staked\",\"qOqbD6\":\"copiar el error\",\"qXCkEM\":\"Por favor, conecta tu cartera para ver tus suministros, préstamos y posiciones abiertas.\",\"qY2jnw\":\"Expiración inválida\",\"qf/fr+\":\"Interés acumulado\",\"qhhf9L\":\"Rewards available to claim\",\"quYPUU\":\"Variable interest rate will <0>fluctuate based on the market conditions.\",\"quzIeW\":\"User is in isolation mode or LTV is zero\",\"qvnz3q\":\"Cantidad inválida para quemar\",\"rHgdb0\":\"Migrate to Aave V3\",\"rOrHHe\":\"La cantidad debe ser mayor que 0\",\"rQ+R+0\":\"Activos de suministro seleccionados\",\"rSayea\":\"APY\",\"rTBDeu\":[\"Este activo no se puede migrar porque tienes una garantía en Isolation Mode en el mercado v3 de \",[\"marketName\"],\" que limita los activos prestados. Puedes administrar tu garantía en el <0>Panel de control V3 de \",[\"marketName\"],\"\"],\"rcT+yy\":\"Mostrar activos con 0 balance\",\"rf8POi\":\"Cantidad de activos tomados prestados\",\"riNWOA\":\"E-Mode\",\"rjGI/Q\":\"Privacidad\",\"rnKPW1\":\"Watch a wallet balance in read-only mode\",\"ruc7X+\":\"Añade stkAAVE para ver el APY de préstamo con el descuento\",\"rvbaFU\":[\"Bridging \",[\"symbol\"]],\"rwVVB7\":\"Reclamar todas las recompensas\",\"rwyUva\":\"Estos activos están temporalmente congelados o pausados por decisiones de la comunidad de Aave, lo que significa que no se puede suministrar / tomar prestado o intercambiar tasas de estos activos. Se permiten retiros y pagos de deuda. Sigue el <0>foro de gobierno de Aave para más actualizaciones.\",\"rxJW5W\":\"Tu poder de proposición se basa en tu balance de AAVE/stkAAVE y delegaciones recibidas.\",\"s2jJnW\":\"You don't have any bridge transactions\",\"s5wBAq\":[\"Unstakear \",[\"symbol\"]],\"sJbIdI\":\"Enter ETH address or ENS\",\"sK+Nag\":\"Revisión tx\",\"sP2+gB\":\"NO\",\"sQv06Y\":\"para\",\"sTtO6J\":\"Confirmar transacción\",\"sXKb3l\":\"Tasa de cambio\",\"sb0q4+\":\"Unstakea aquí\",\"smJNwH\":\"Disponible para tomar prestado\",\"solypO\":\"El factor de salud no está por debajo del umbral\",\"sr0UJD\":\"Volver atrás\",\"ss5GCK\":\"La dirección del proveedor del grupo de direcciones no es válida\",\"swEgK4\":\"Tu información de voto\",\"t+wtgf\":\"Nada tomado prestado aún\",\"t/YqKh\":\"Eliminar\",\"t81DpC\":[\"Aprueba \",[\"symbol\"],\" para continuar\"],\"tCnbEs\":\"Precio del oráculo\",\"tFZLf8\":\"Este cálculo de gas es solo una estimación. Tu cartera establecerá el precio de la transacción. Puedes modificar la configuración de gas directamente desde tu proveedor de cartera.\",\"tHuvQI\":\"Ir al panel de control V3\",\"tKv7cI\":\"Cambiar posición de préstamo\",\"tOcg3N\":\"Dado que este activo está congelado, las únicas acciones disponibles son retirar y pagar, a las que se puede acceder desde el <0>Panel de control\",\"tOuXfv\":[\"Cantidad a tomar prestado para alcanzar el \",[\"0\"],\"% de utilización\"],\"te9Bfl\":\"Por favor, conecta tu cartera\",\"tt5yma\":\"Tus suministros\",\"ttoh5c\":\"Cambiar a\",\"u3ZeYl\":\"Error en la transacción\",\"u706uF\":\"Préstamo flash inválido\",\"u8Gfu7\":[\"Sin resultados de búsqueda\",[\"0\"]],\"uAQUqI\":\"Status\",\"uHMwk8\":\"No hay activos seleccionados para migrar.\",\"uJPHuY\":\"Migrando\",\"uY8O30\":\"Para continuar, necesitas otorgar permiso a los contratos inteligentes de Aave para mover tus fondos de tu cartera. Según el activo y la cartera que uses, se hace firmando el mensaje de permiso (sin coste de gas), o enviando una transacción de aprobación (requiere coste de gas). <0>Aprende más\",\"udFheE\":\"Para el pago de un tipo específico de deuda, el usuario necesita tener una deuda de ese tipo\",\"ulNuNq\":\"Exportar datos a\",\"ulup2p\":\"Comprar Crypto con Fiat\",\"umICAY\":\"<0><1><2/>Añade stkAAVE para ver la tasa de préstamo con descuento\",\"usB84Z\":\"La cantidad máxima disponible para tomar prestado está limitada porque casi se ha alcanzado el límite de préstamo del protocolo.\",\"uwAUvj\":\"COPIAR IMAGEN\",\"v8x7Mg\":\"Garantía insuficiente para cubrir la nueva posición de préstamo. La cartera debe tener poder de préstamo suficiente para realizar el cambio de deuda.\",\"vEqxH9\":\"Restakeado\",\"vLyv1R\":\"Ocultar\",\"vMba49\":\"Tomar prestado no está habilitado\",\"vMpNwt\":\"Aprobar con\",\"vXIe7J\":\"Idioma\",\"vesuBJ\":\"Te permite decidir si utilizar un activo suministrado como garantía. Un activo utilizado como garantía afectará a tu poder de préstamo y factor de salud.\",\"w+V9Cx\":\"Stablecoin\",\"w/JtJ3\":\"El balance de deuda estable no es cero\",\"w4VBY+\":\"APR de recompensas\",\"w9dLMW\":[[\"label\"]],\"wAOL+X\":[\"Tu \",[\"action\"],\" <0/> \",[\"symbol\"]],\"wBIsjb\":\"Canal de Discord\",\"wQZbc/\":\"El llamador de la función no es un AToken\",\"wRRqvW\":\"No tienes suministros en este activo\",\"wZFvVU\":\"VOTAR SI\",\"wb/r1O\":[\"Faucet \",[\"0\"]],\"wdxz7K\":\"Source\",\"weH1nG\":\"El Protocolo Aave está programado para usar siempre el precio de 1 GHO = $1. Esto es diferente del uso del precio de mercado a través de oráculos para otros criptoactivos. Esto crea oportunidades de arbitraje estabilizadoras cuando el precio de GHO fluctúa.\",\"wh7Ezv\":\"No tienes balance de AAVE/stkAAVE/aAave para delegar.\",\"wlsIx7\":\"Con la testnet Faucet puedes obtener activos gratuitos para probar el Protocolo Aave. Asegúrate de cambiar tu proveedor de cartera a la red de testnet adecuada, selecciona el activo deseado y haz clic en \\\"Faucet\\\" para obtener tokens transferidos a tu cartera. Los activos de una testnet no son \\\"reales\\\", lo que significada que no tienen valor monetario. <0>Aprende más\",\"wmE285\":\"Obtener Token ABP v2\",\"wyRrcJ\":\"Como resultado de las decisiones del gobierno, este pool de stakeo de ABPT está obsoleto. Tienes la flexibilidad de migrar todos tus tokens a v2 o unstakearlos sin ningún periodo de cooldown.\",\"x5KiLL\":\"Los activos seleccionados se han migrado correctamente. Visita el panel de control del mercado para verlos.\",\"x7F2p6\":\"Diferencial actual\",\"x7K5ib\":[\"Tu cartera de \",[\"networkName\"],\" está vacía. Consigue \",[\"0\"],\" de prueba gratis en\"],\"x9iLRD\":\"tokens, por favor ve al\",\"xNy/UG\":\"Pagar con\",\"xPm8wv\":\"Aprende más sobre los riesgos involucrados\",\"xXYpZl\":[[\"0\"],\" Faucet\"],\"xaVBSS\":\"Tu información\",\"xaWZ6f\":\"Cambio tipo de APY\",\"xh6k71\":\"El uso de garantías está limitado debido al isolation mode.\",\"xvIklc\":\"El préstamo flash está deshabilitado para este activo, por lo tanto, esta posición no se puede migrar.\",\"y5rS9U\":\"Migrar\",\"y66tBm\":[\"Habilitar \",[\"symbol\"],\" como garantía\"],\"yB1YpA\":\"Modo oscuro\",\"yCrG6m\":\"Tamaño total del mercado\",\"yJUUbn\":\"Resumen de la transacción\",\"yLGmLX\":[\"Restakear \",[\"symbol\"]],\"yW1oWB\":\"Tipo APY\",\"yYHqJe\":\"Dirección no válida\",\"yZwLw6\":\"Haz seguimiento de tu cartera\",\"yh2sjd\":[\"Impacto en el precio \",[\"0\"],\"%\"],\"yhvj6d\":\"No puedes cambiar el uso como modo de garantía para este activo, porque causará una liquidación\",\"ylmtBZ\":\"La aplicación se ejecuta en fork mode.\",\"ymNY32\":[\"No hay fondos suficientes en la reserva\",[\"0\"],\"para tomar prestado\"],\"yz7wBu\":\"Cerrar\",\"z4uGQg\":\"El límite de deuda está sobrepasado\",\"z5UQOM\":\"La garantía elegida no puede ser liquidada\",\"z5Y+p6\":[\"Suministrando \",[\"symbol\"]],\"zCjNKs\":\"No se puede realizar la acción porque la reserva está congelada\",\"zRHytX\":\"Límite de deuda aislado\",\"zTOjMP\":\"El límite de suministro del protocolo está al 100% para este activo. No es posible suministrar más.\",\"zVdRUG\":\"Submission did not work, please try again later or contact wecare@avara.xyz\",\"zevmS2\":\"<0><1><2/>añade <3/> stkAAVE para tomar prestado al <4/> (descuento máximo)\",\"zgtIDV\":\"Deuda restante\",\"zmTPiV\":\"Balance de suministro\",\"zpPbZl\":\"Parámetros de riesgo de liquidación\",\"zucql+\":\"Menú\",\"zwWKhA\":\"Aprende más\",\"zy9fXn\":[\"Este activo está congelado en el mercado v3 de \",[\"marketName\"],\", por lo tanto, esta posición no se puede migrar.\"],\"zys+R6\":\"Ten en cuenta la congestión de la red y los precios del gas.\",\"zzzTXS\":\"Merit Program rewards are claimed through the\"}")}; \ No newline at end of file diff --git a/src/locales/fr/messages.js b/src/locales/fr/messages.js index 7bd2f3523b..c2f2a05152 100644 --- a/src/locales/fr/messages.js +++ b/src/locales/fr/messages.js @@ -1 +1 @@ -/*eslint-disable*/module.exports={messages:JSON.parse("{\"+0xecS\":[\"Si vous NE vous désengagez PAS dans les \",[\"0\"],\" de la fenêtre de désengagement, vous devrez réactiver le processus de refroidissement.\"],\"+EGVI0\":\"Recevoir (est.)\",\"+VR63W\":[\"Participer à cette réserve \",[\"symbol\"],\" donne des récompenses annualisées.\"],\"+bmKdK\":\"Use your AAVE, stkAAVE, or aAave balance to delegate your voting and proposition powers. You will not be sending any tokens, only the rights to vote and propose changes to the protocol. You can re-delegate or revoke power to self at any time.\",\"+eOPG+\":\"On dirait que nous ne pouvons pas changer de réseau automatiquement. Veuillez vérifier si vous pouvez le changer depuis le portefeuille.\",\"+i3Pd2\":\"Limite d'emprunt\",\"+kLZGu\":\"Montant de l’actif fourni\",\"+nuEh/\":\"Estimated time\",\"+xMFF8\":\"Remind me\",\"/57U31\":\"Amount to migrate\",\"/7ykiW\":\"Emprunter ce montant réduira votre facteur santé et augmentera le risque de liquidation.\",\"/YA5pU\":\"E-Mode increases your LTV for a selected category of assets, meaning that when E-mode is enabled, you will have higher borrowing power over assets of the same E-mode category which are defined by Aave Governance. You can enter E-Mode from your <0>Dashboard. To learn more about E-Mode and applied restrictionn, see the <1>help guide or the <2>Aave V3 Technical Paper.\",\"/izjs/\":\"Montant minimum d’Aave mis en jeu\",\"/jQctM\":\"To\",\"/lDBHm\":\"FAQ\",\"/yNlZf\":\"L'emprunt stable n'est pas activé\",\"/yQcJM\":\"Valeur totale\",\"00AB2i\":\"L'utilisateur n'a pas emprunté la devise spécifiée\",\"00OflG\":\"Il n’y a pas assez de liquidités pour que l’actif cible puisse effectuer le changement. Essayez de réduire le montant.\",\"08/rZ9\":\"La période de recharge est le temps nécessaire avant de retirer vos jetons (20 jours). Vous ne pouvez retirer vos actifs du module de sécurité qu’après la période de recharge et pendant la période de désenjeu. <0>Pour en savoir plus\",\"0AmQcW\":\"Changement de taux\",\"0BF3yK\":\"Désolé, nous n’avons pas trouvé la page que vous cherchiez.\",\"0TAbjq\":\"Recent Transactions\",\"0jhlyw\":\"Risque de liquidation\",\"0ojY+Y\":\"Solde actuel v2\",\"0thX3P\":\"Modification des garanties\",\"0wGCWc\":\"Il s'agit du montant total que vous pouvez emprunter. Vous pouvez emprunter en fonction de votre garantie et jusqu'à ce que le plafond d'emprunt soit atteint.\",\"1AsVfF\":\"À l’heure actuelle, les données sur les prix ne sont pas disponibles pour cette réserve dans le sous-graphe du protocole\",\"1LjK22\":\"Historique des transactions\",\"1Onqx8\":[\"Approuver \",[\"symbol\"],\"...\"],\"1Ue8sX\":\"Veuillez connecter un portefeuille pour afficher vos informations personnelles ici.\",\"1bpx9A\":\"...\",\"1kWUB+\":\"Seuil de liquidation <0/>\",\"1m9Qqc\":\"Retrait et changement\",\"1oyh4g\":\"Borrow rate\",\"1t7rez\":\"L’offre d’actifs est limitée à un certain montant afin de réduire l’exposition du protocole à l’actif et d’aider à gérer les risques encourus.\",\"2CAPu2\":\"Vous avez retiré et échangé des jetons avec succès.\",\"2Eoi/a\":\"Voir détails\",\"2FYpfJ\":\"Plus\",\"2O3qp5\":\"Liquidités disponibles\",\"2OM8/D\":[\"L’actif ne peut pas être migré en raison d’une restriction de plafond d’approvisionnement dans \",[\"marketName\"],\" v3 marché.\"],\"2Q4GU4\":\"Adresse bloquée\",\"2ZGocC\":\"Aave est un protocole entièrement décentralisé et régi par la communauté par les détenteurs de jetons AAVE. Les détenteurs de jetons AAVE discutent, proposent et votent collectivement sur les mises à niveau du protocole. Les détenteurs de jetons AAVE (réseau Ethereum uniquement) peuvent soit voter eux-mêmes sur de nouvelles propositions, soit choisir l’adresse de leur choix. Pour en savoir plus, consultez la page Gouvernance\",\"2a6G7d\":\"Veuillez saisir une adresse de portefeuille valide.\",\"2bAhR7\":\"Rencontrez GHO\",\"2eBWE6\":\"Je reconnais les risques encourus.\",\"2o/xRt\":\"Plafond d'approvisionnement sur la réserve cible atteint. Essayez de réduire le montant.\",\"2uJToh\":[[\"0\"],[\"name\"]],\"2x58bP\":\"L'emprunt stable est activé\",\"34Qfwy\":\"Le plafond d'emprunt est dépassé\",\"39eQRj\":[\"Emprunter \",[\"symbole\"]],\"3BL1xB\":\"Total fourni\",\"3BnIWi\":\"Commuté\",\"3K0oMo\":\"Offre restante\",\"3MoZhl\":\"Il n'y a pas assez de collatéral pour couvrir un nouvel emprunt\",\"3Np5O8\":[\"Fournir \",[\"symbole\"]],\"3O8YTV\":\"Total des intérêts courus\",\"3mXg0z\":\"Max LTV\",\"3q3mFy\":\"Rembourser\",\"3qsjtp\":\"La moyenne pondérée de l'APY pour tous les actifs fournis, y compris les incitations.\",\"3rL+os\":\"Vous ne pouvez retirer vos actifs du module de sécurité qu'après la fin de la période de refroidissement et que la fenêtre de retrait est active.\",\"42UgDM\":[\"Migrer vers \",[\"0\"],\" Marché v3\"],\"49UFQA\":\"Résultats du vote\",\"4DMZUI\":\"Afficher les transactions\",\"4HtGBb\":\"MAX\",\"4Y5H+g\":\"Petits caractères\",\"4YYh4d\":\"Maximum available to borrow\",\"4iPAI3\":\"Montant minimum d’emprunt GHO\",\"4lDFps\":\"Signez pour continuer\",\"4wyw8H\":\"Transactions\",\"5JSSxX\":[\"Votre \",[\"networkName\"],\" Le portefeuille est vide. Obtenez des ressources de test gratuites à l’adresse suivante :\"],\"5K7kGO\":\"documentation\",\"5NOSGa\":\"Le plafond de la dette limite le montant que les utilisateurs du protocole peuvent emprunter sur cet actif. Le plafond de la dette est spécifique aux actifs isolés et est indiqué en USD.\",\"5Ncc6j\":[\"Cet actif a presque atteint son plafond d'offre. Il ne peut y avoir que \",[\"messageValue\"],\" fourni à ce marché.\"],\"5cZ/KX\":\"L'offre de dette variable n'est pas nulle\",\"5che++\":\"Pour demander l'accès à ce marché autorisé, veuillez consulter\xA0: <0>Nom du fournisseur d'accès\",\"5ctNdV\":[\"Minimum \",[\"0\"],\" reçu\"],\"5hDe9v\":\"Allocation action requise\",\"5rsnKT\":\"Récompenses disponibles\",\"5yC5m5\":\"Voir tous les votes\",\"6/dCYd\":\"Aperçu\",\"60crCe\":\"Toutes les transactions\",\"62Xcjh\":\"Collatérale\",\"65A04M\":\"Espagnol\",\"6G8s+q\":\"Signature\",\"6Jrv+z\":[\"Rembourser \",[\"symbole\"]],\"6NGLTR\":\"Montant actualisable\",\"6Xr0UU\":\"Refroidissement...\",\"6bxci/\":\"Pouvoir de vote\",\"6f8S68\":\"Marchés\",\"6g1gi0\":\"Les propositions\",\"6gvoHP\":\"Copier le message d’erreur\",\"6h3Q5G\":\"Remboursé\",\"6lFSyT\":\"Available to Stake\",\"6s8L6f\":\"Changer de réseau\",\"6yAAbq\":\"APY, borrow rate\",\"70wH1Q\":\"APR\",\"72c5Qo\":\"Total\",\"73Auuq\":\"Les paramètres de remise sont décidés par la communauté Aave et peuvent être modifiés au fil du temps. Consultez la section Gouvernance pour les mises à jour et votez pour participer. <0>Pour en savoir plus\",\"75qcAQ\":[[\"stepName\"]],\"7ITr5L\":\"Facteur de santé\",\"7T/o5R\":\"Atteint\",\"7YlcXu\":\"Fork mode is ON\",\"7Z76Iw\":\"L’emprunt n’est pas disponible car vous utilisez le mode Isolation. Pour gérer le mode d’isolation, rendez-vous sur votre <0>tableau de bord.\",\"7aKlMS\":\"Partager sur Lens\",\"7bdUsR\":\"Redeem as aToken\",\"7er5fP\":\"Réclamer tout\",\"7hb2+s\":\"Time remaining until the withdraw period ends.\",\"7l88b8\":\"Les données n’ont pas pu être récupérées, veuillez recharger le graphique.\",\"7p5kLi\":\"Tableau de bord\",\"7sofdl\":\"Retrait et échange\",\"8+6BI0\":\"Soyez prudent - Vous êtes très proche de la liquidation. Envisagez de déposer plus de collatéral ou de rembourser certaines de vos positions empruntées\",\"87pUEW\":[\"Votre \",[\"name\"],\" Le portefeuille est vide. Acheter ou transférer des actifs.\"],\"8F1i42\":\"Page introuvable\",\"8G8M0u\":\"Chargement des données...\",\"8Iu1QS\":\"Retiré\",\"8JL93T\":\"Toutes les propositions\",\"8Q51DU\":\"Ajouter au portefeuille\",\"8X/oyn\":\"Montant invalide à frapper\",\"8Z5FPv\":\"Déconnecter le portefeuille\",\"8Zz7s5\":\"actifs\",\"8aLW8H\":\"Solde à révoquer\",\"8bOT3H\":\"Taux d'utilisation\",\"8sLe4/\":\"Voir le contrat\",\"8t/M0y\":\"Please connect your wallet to be able to bridge your tokens.\",\"8vETh9\":\"Montrer\",\"94OHPx\":\"Vous entrez en mode Isolation\",\"9CDK3/\":[\"L'emprunt n'est actuellement pas disponible pour \",[\"0\"],\".\"],\"9GIj3z\":\"Taille de réserve\",\"9Knqb4\":\"Solde de mise en jeu\",\"9OBKm7\":\"Quorum\",\"9QHoGr\":\"Votes actuels\",\"9Rw96f\":[\"Cet actif a presque atteint son plafond d'emprunt. Il n'y a que \",[\"messageValue\"],\" disponible pour être emprunté sur ce marché.\"],\"9Xj/qR\":[\"Certaines ressources migrées ne seront pas utilisées comme garantie en raison de l’activation du mode d’isolement dans \",[\"marketName\"],\" Marché V3. Visite <0>\",[\"marketName\"],\" Tableau de bord V3 pour gérer le mode d’isolation.\"],\"9c6vDV\":\"Cet actif a atteint son plafond d'offre. Rien n'est disponible pour être fourni à partir de ce marché.\",\"9kTWHA\":\"L’AMI a été suspendu en raison d’une décision de la communauté. L’offre, les emprunts et les remboursements sont impactés. <0>Plus d’informations\",\"9lXchd\":\"Jeton sous-jacent\",\"9rWaKF\":\"Bridged Via CCIP\",\"9xSooW\":\"Comme il s'agit d'un réseau de test, vous pouvez obtenir n'importe lequel des actifs si vous avez ETH dans votre portefeuille\",\"A/lwoe\":\"Choisissez l’un des services de rampe d’accès\",\"A6dCI6\":[\"Le montant maximal disponible pour emprunter est de <0/> \",[\"0\"],\" (<1/>).\"],\"AReoaV\":\"Vos emprunts\",\"ARu1L4\":\"Remboursé\",\"AV7cGz\":\"Examiner les détails de la taxe d'approbation\",\"AZOjB8\":\"Récupération de données...\",\"Ai0jas\":\"Rejoignez la discussion de la communauté\",\"Ajl2rq\":\"Le pouvoir d'emprunt et les actifs sont limités en raison du mode d'isolement.\",\"AqgYNC\":\"Plafond d’emprunt du protocole à 100% pour cet actif. Il n’est pas possible d’emprunter davantage.\",\"B3EcQR\":\"Merci d’avoir voté\xA0!!\",\"B6aXGH\":\"Stable\",\"B9Gqbz\":\"Taux variable\",\"BDFEd+\":\"Les stETH fournis en garantie continueront d’accumuler des récompenses de staking fournies par les rebasages quotidiens.\",\"BE2mP0\":\"Borrowed assets\",\"BJyN77\":\"Due to health factor impact, a flashloan is required to perform this transaction, but Aave Governance has disabled flashloan availability for this asset. Try lowering the amount or supplying additional collateral.\",\"BNL4Ep\":\"L'utilisation de la garantie est limitée en raison du mode d'isolement. <0>En savoir plus\",\"BQ/wCO\":\"Migrate your assets\",\"BjLdl1\":\"À prix réduit\",\"BnhYo8\":\"Catégorie d'actifs\",\"Bq9Y7e\":\"Cet actif est gelé en raison d’une décision de la communauté Aave. <0>Plus d’informations\",\"BqWMDJ\":\"Faucet\",\"BqynZO\":\"Optimized for efficiency and risk by supporting blue-chip collateral assets\",\"Bsu7zX\":\"The fee includes the gas cost to complete the transaction on the destination chain and the fee paid to Chainlink CCIP service providers. You can chose to pay in the network token or GHO. <0>Learn more\",\"BwJKBw\":\"de\",\"CDrsH+\":\"Fiche technique\",\"CK1KXz\":\"Max\",\"CMHmbm\":\"Glissement\",\"CZXzs4\":\"Grec\",\"CcRNG6\":\"Transistor\",\"CkTRmy\":[\"Revendication \",[\"symbol\"]],\"CsqtLm\":\"Veuillez connecter votre portefeuille pour voir l’outil de migration.\",\"CtGlFb\":[[\"networkName\"],\" Robinet\"],\"Cxt2YY\":\"Watch wallet\",\"D33VQU\":\"Cette action réduira le facteur de santé de V3 en dessous du seuil de liquidation. Augmenter les garanties migrées ou réduire les emprunts migrés pour continuer.\",\"D8sc3k\":\"Stake balance\",\"D9BLRG\":\"This asset has been paused due to a community decision. Supply, withdraw, borrows and repays are impacted.\",\"DAma/S\":\"La garantie est (principalement) la même devise que celle qui est empruntée\",\"DCnFg0\":[\"Adresses (\",[\"0\"],\")\"],\"DG3Lv1\":\"Je comprends parfaitement les risques liés à la migration.\",\"DONJcV\":\"L'actif sous-jacent ne peut pas être sauvé\",\"DR+4uL\":\"Bilan de l’alimentation après le changement\",\"DWjrck\":[\"La ressource ne peut pas être migrée vers \",[\"marketName\"],\" V3 Market en raison des restrictions du mode E. Vous pouvez désactiver ou gérer les catégories du mode E dans votre <0>tableau de bord V3\"],\"Dj+3wB\":\"Aave par mois\",\"DptNvx\":\"Amount Staked\",\"DuEq2K\":\"Collatéralisation\",\"DxfsGs\":\"Vous pouvez signaler un incident sur notre <0>Discord ou<1>Github.\",\"Dzma+E\":\"Main Ethereum market with the largest selection of assets and yield options\",\"E/QGRL\":\"Désactivé\",\"EBL9Gz\":\"COPIÉ!\",\"ES8dkb\":\"Taux fixe\",\"EZd3Dk\":[\"Reprise \",[\"symbol\"]],\"Ebgc76\":[\"Retrait \",[\"symbole\"]],\"EdQY6l\":\"Aucun/Aucune\",\"EjvKQ+\":\"Valeur minimale en USD reçue\",\"Enslfm\":\"Destination\",\"EvE9nO\":[\"Réactiver la période de recharge pour annuler le pieu \",[\"0\"],\" \",[\"stakedToken\"]],\"EvECnL\":\"Migrer vers la v3\",\"EzMQbh\":\"The source chain time to finality is the main factor that determines the time to destination. <0>Learn more\",\"F40cwT\":\"Legacy Markets\",\"F6TdXL\":\"Pour en savoir plus.\",\"FDDPeZ\":\"Users can stake their assets in the protocol and earn incentives. In the case of a shortfall event, your stake can be slashed to cover the deficit, providing an additional layer of protection for the protocol.\",\"FHlMf/\":\"Solde actuel de la v2\",\"FHpxjF\":[\"Le facteur de réserve est un pourcentage de l’intérêt qui va à un \",[\"0\"],\" qui est contrôlé par la gouvernance Aave pour promouvoir la croissance de l’écosystème.\"],\"FOBZa6\":\"Puissance d'emprunt utilisée\",\"FPKEug\":\"Opération non prise en charge\",\"FbmMe7\":\"Linked addresses\",\"Fdp03t\":\"sur\",\"Fjw9N+\":\"Actifs à déposer\",\"FmN0fk\":\"Remise en jeu\",\"GDGLIs\":\"GHO est un actif numérique natif décentralisé et adossé à des garanties, indexé sur le dollar américain. Il est créé par les utilisateurs en empruntant contre plusieurs garanties. Lorsque l’utilisateur rembourse sa position d’emprunt de HO, le protocole brûle le GHO de cet utilisateur. Tous les paiements d’intérêts accumulés par les minters de GHO seraient directement transférés à la trésorerie d’AaveDAO.\",\"GQrBTq\":\"Changer de mode E\",\"GWswcZ\":\"Cet actif est gelé en raison d’une décision de gouvernance du protocole Aave. Le 20 décembre 2022, renFIL ne sera plus pris en charge et ne pourra plus être reconnecté à son réseau natif. Il est recommandé de retirer les positions d’offre et de rembourser les positions d’emprunt afin que renFIL puisse être relié à FIL avant la date limite. Après cette date, il ne sera plus possible de convertir renFIL en FIL. <0>Plus d’informations\",\"GX8GKD\":\"Actifs\",\"GgEj+0\":\"Mode lecture seule. Connectez-vous à un portefeuille pour effectuer des transactions.\",\"GjkIKV\":\"Prend fin\",\"GoK/QN\":\"Thank you for submitting feedback!\",\"GtP2hp\":[\"L'emprunt n'est pas disponible, car vous avez activé le mode d'efficacité (E-Mode) pour la catégorie \",[\"0\"],\". Pour gérer les catégories E-Mode, visitez votre <0>tableau de bord.\"],\"H6Ma8Z\":\"Rabais\",\"HB/wfS\":[[\"tooltipText\"]],\"HKDsQN\":\"Rewards can be claimed through\",\"Ha/U5f\":\"This is a program initiated and implemented by the decentralised ZKSync community. Aave Labs does not guarantee the program and accepts no liability.\",\"HciqKU\":\"This is a program initiated and implemented by the decentralised Aave community. Aave Labs does not guarantee the program and accepts no liability.\",\"Hi6Ttn\":\"Désolé, une erreur inattendue s’est produite. En attendant, vous pouvez essayer de recharger la page, ou revenir plus tard.\",\"HkEDbS\":[[\"d\"],\"d\"],\"HmkYqM\":\"Fenêtre d'arrêt de staking\",\"HpK/8d\":\"Recharger\",\"HrnC47\":\"Enregistrer et partager\",\"HuVZMK\":\"Days\",\"HvJKMU\":[\"La ressource ne peut pas être migrée vers \",[\"marketName\"],\" v3 Marché puisque l’actif collatéral activera le mode d’isolation.\"],\"Hvwnm9\":[\"La quantité maximale disponible pour l’approvisionnement est limitée parce que le plafond d’approvisionnement du protocole est à \",[\"0\"],\"%.\"],\"I8CX2c\":\"Le montant total de vos actifs libellés en USD qui peut être utilisé comme garantie pour emprunter des actifs.\",\"IAD2SB\":[\"Prétendant \",[\"symbol\"]],\"IG9X9/\":\"L’emprunt de cet actif est limité à un certain montant afin de minimiser l’insolvabilité du pool de liquidités.\",\"IOIx8L\":\"Il est prévu que cet actif soit désactivé en raison d’une décision de gouvernance du protocole Aave. <0>Plus d’informations\",\"IP+I/j\":\"Période de recharge\",\"IaA40H\":\"Liquidation à\",\"J/hVSQ\":[[\"0\"]],\"JCoxL6\":\"Gérer l’analytique\",\"JK9zf1\":[\"Intérêts composés estimés, y compris l’escompte pour le jalonnement \",[\"0\"],\"AAVE dans le module de sécurité.\"],\"JOqFba\":[\"Déjalonnement \",[\"symbol\"]],\"JPrLjO\":\"Vous ne pouvez pas utiliser cette devise comme garantie\",\"JU6q+W\":\"Récompense(s) à réclamer\",\"JYKRJS\":\"Stake\",\"JZMxX0\":\"Pas assez de solde sur votre portefeuille\",\"Jgflkm\":\"Get GHO\",\"JoMQnI\":\"Solde du portefeuille\",\"JtwD8u\":\"Emprunter le solde après le remboursement\",\"JumYTK\":\"Supplied assets\",\"K05qZY\":\"Retrait et échange\",\"KAz/NV\":\"Le plafond d’endettement du protocole est de 100% pour cet actif. Il n’est pas possible d’emprunter davantage sur cet actif.\",\"KLXVqE\":[\"Les tokens stETH seront migrés vers Wrapped stETH à l’aide du wrapper Lido Protocol, ce qui entraîne une modification de l’équilibre de l’offre après la migration : \",[\"0\"]],\"KLd6ky\":\"Use connected account\",\"KRpokz\":\"VOIR TX\",\"KSlpka\":\"Cela représente le seuil auquel une position d'emprunt sera considérée comme sous-garantie et sujette à liquidation pour chaque garantie. Par exemple, si une garantie a un seuil de liquidation de 80\xA0%, cela signifie que la position sera liquidée lorsque la valeur de la dette vaut 80 % de la valeur de la garantie.\",\"KYAjf3\":\"Isolé\",\"KZwRuD\":[[\"notifyText\"]],\"KkPgim\":\"Changement de mode E\",\"KnN1Tu\":\"Expire\",\"KoOBI2\":\"En raison de la mécanique interne de stETH requise pour le rebasage de la prise en charge, il n’est pas possible d’effectuer un changement de garantie où stETH est le jeton source.\",\"KojyJ4\":\"Mauvais réseau\",\"KsqhWn\":\"Staking\",\"KuBTQq\":\"Entrez l'adresse ETH\",\"KvG1xW\":\"Réclamer\",\"L+8Lzs\":\"LTV actuelle\",\"L+qiq+\":\"Marché\",\"LDzfVJ\":\"Send Feedback\",\"LIrMcF\":\"Pas de pouvoir de vote\",\"LL0zks\":\"Peut être collatéral\",\"LLdJWu\":\"AAVE Réclamable\",\"LSIpNK\":\"Emprunter et rembourser dans le même bloc n'est pas autorisé\",\"LVt3TI\":[\"<0>Tolérance de glissement <1>\",[\"selectedSlippage\"],\"% <2>\",[\"0\"],\"\"],\"LjafV8\":\"Maximum collateral amount to use\",\"LtpQew\":\"Let us know how we can make the app better for you. For user support related inquiries please reach out on\",\"LvVpD/\":\"Emode\",\"M2sknc\":\"Astuce : Essayez d’augmenter le glissement ou de réduire la quantité d’entrée\",\"M7wPsD\":\"Interrupteur\",\"MFu33y\":\"Staking 00\",\"MIy2RJ\":\"Maximum amount received\",\"MZ/nQf\":\"Adresse du destinataire\",\"Ma/MtY\":\"vue de staking\",\"McHlGl\":\"Changement d’APY\",\"MeCCA+\":\"APY, variable\",\"MghdTe\":\"Si le facteur de santé descend en dessous de 1, la liquidation de votre collatéral peut être déclenchée.\",\"Mm/DVQ\":\"Vous avez annulé la transaction.\",\"MnE2QX\":\"Emprunter des informations\",\"MrmQHg\":\"View Bridge Transactions\",\"MuDFEQ\":\"Valeur de retour invalide de la fonction flashloan executor\",\"N5kUMV\":\"L’actif ne peut être utilisé comme garantie qu’en mode isolé avec un pouvoir d’emprunt limité. Pour passer en mode d’isolation, désactivez toutes les autres garanties.\",\"N6Pxr9\":\"View all\",\"NF0e1Q\":\"En attente...\",\"NK9ikO\":\"Solde du portefeuille\",\"NMt2CB\":\"Montant réclamable\",\"NcFGxG\":\"Contrat de collectionneur\",\"NfpPeS\":\"Rien staké\",\"Nh9DAo\":[[\"m\"],\"m\"],\"O+sCUU\":\"Le plafond de mintage non soutenu est dépassé\",\"O+tyU+\":[\"Le montant maximal disponible pour emprunter sur cet actif est limité car le plafond de la dette est à \",[\"0\"],\"%.\"],\"O3oNi5\":\"Email\",\"OFjZGo\":\"Unstake\",\"OR8cYX\":\"Aperçu de la proposition\",\"OYuJ9K\":\"Le plafond d’endettement du protocole est de 100% pour cet actif. Il n’est pas possible d’emprunter sur cet actif.\",\"OfhWJH\":\"Réinitialisation\",\"Og2SKn\":\"handicapé\",\"On0aF2\":\"Site internet\",\"OsyKSt\":\"Retirer\",\"P1dURE\":\"Révoquer le pouvoir\",\"P2WCD/\":[\"L’actif sous-jacent n’existe pas dans \",[\"marketName\"],\" v3 Market, par conséquent, cette position ne peut pas être migrée.\"],\"P2sL6B\":\"Lorsqu'une liquidation survient, les liquidateurs remboursent jusqu'à 50 % de l'encours emprunté au nom de l'emprunteur. En contrepartie, ils peuvent acheter le collatéral à prix réduit et conserver la différence (pénalité de liquidation) en bonus.\",\"P6sRoL\":\"Mise en jeu ABPT\",\"P72/OW\":\"La moyenne pondérée de l'APY pour tous les actifs empruntés, y compris les incitatifs.\",\"P7e6Ug\":\"Veuillez connecter votre portefeuille pour consulter l’historique des transactions.\",\"PByO0X\":\"Votes\",\"PI+kVe\":\"Disable fork\",\"PJK9u/\":\"Emprunter apy\",\"PLUB/s\":\"Fee\",\"PP5ZA8\":[\"Participating in staking \",[\"symbol\"],\" gives annualized rewards. Your wallet balance is the sum of your aTokens and underlying assets. The breakdown to stake is below\"],\"PcBUgb\":\"Seuil de liquidation\",\"PjU6bu\":\"This asset is eligible for SPK incentive program. Aave Labs does not guarantee the program and accepts no liability.\",\"PpqD5g\":\"L'activation de cet actif comme garantie augmente votre pouvoir d'emprunt et votre facteur de santé. Cependant, il peut être liquidé si votre facteur de santé tombe en dessous de 1.\",\"PsOFSf\":\"Cette action réduira le facteur de santé V2 en dessous du seuil de liquidation. Conservez la garantie ou migrez la position d’emprunt pour continuer.\",\"Pu4bI/\":[[\"currentMethod\"]],\"Q0LzKi\":\"View TX\",\"Q4eNqa\":\"The Aave Balancer Pool Token (ABPT) is a liquidity pool token. You can receive ABPT by depositing a combination of AAVE + wstETH in the Balancer liquidity pool. You can then stake your BPT in the Safety Module to secure the protocol and earn Safety Incentives.\",\"QQYsQ7\":\"Withdrawing\",\"QWYCs/\":\"Stake GHO\",\"R+30X3\":\"Non atteint\",\"RCU5PY\":\"Age\",\"RIfckG\":[\"Désactiver \",[\"symbol\"],\" comme garantie\"],\"RMtxNk\":\"Différentiel\",\"RNK49r\":\"Signature non valide\",\"RS0o7b\":\"État\",\"RU+LqV\":\"Détails de la proposition\",\"RYTgZX\":\"lorem ipsum\",\"RbXH+k\":\"AAVE, GHO, and ABPT holders (Ethereum network only) can stake their assets in the Safety Module to add more security to the protocol and earn Safety Incentives. In the case of a shortfall event, your stake can be slashed to cover the deficit, providing an additional layer of protection for the protocol.\",\"RiSYV4\":\"L'actif n'est pas répertorié\",\"Rj01Fz\":\"Liens\",\"RmWFEe\":\"APR staké\",\"RoafuO\":\"Envoyer des commentaires\",\"RtBLm7\":\"Le facteur santé est inférieur au seuil de liquidation\",\"RxzN1M\":\"Activé\",\"SDav7h\":\"Fonds dans le Safety Module\",\"SENccp\":\"Si l’erreur persiste,<0/> vous pouvez la signaler à ce\",\"SIWumd\":\"Afficher les ressources gelées ou mises en pause\",\"SM58dD\":\"Quantité en temps de recharge\",\"SSMiac\":\"Impossible de charger les votants de proposition. Veuillez rafraîchir la page.\",\"SSQVIz\":\"Seuil de liquidation\",\"SUb8x0\":\"Total disponible\",\"SWIgh4\":\"Fees exceed wallet balance\",\"SY9hVo\":\"Le mode lecture seule permet de voir les positions d’adresses dans Aave, mais vous ne pourrez pas effectuer de transactions.\",\"SZRUQ4\":\"Glissement maximal\",\"Sa1UE/\":\"Le plafond d’emprunt du protocole est de 100 % pour cet actif. Il n’est pas possible d’emprunter davantage.\",\"Sk2zW9\":\"Désactiver le E-mode\",\"SxaD0o\":\"Le fournisseur d'adresses de pool n'est pas enregistré\",\"T/AIqG\":\"Limite d’approvisionnement du protocole à 100 % pour cet actif. D’autres approvisionnements ne sont pas disponibles.\",\"T0xCO9\":\"Can't validate the wallet address. Try again.\",\"T4OhVl\":\"GHO balance\",\"T6uYU2\":\"Emprunter\",\"TFxQlw\":\"Pénalité de liquidation\",\"TQ7WsV\":\"Available to stake\",\"TUI7iB\":\"L'actif ne peut être utilisé comme garantie qu'en mode isolé.\",\"TbjyhA\":\"Docs\",\"TduuS0\":\"L'utilisateur n'a pas de dette à taux stable impayée sur cette réserve\",\"TeCFg/\":\"Modification du taux d’emprunt\",\"Tg1JyO\":\"Bridge history\",\"TskbEN\":\"Les détenteurs de stkAAVE bénéficient d’une réduction sur le taux d’emprunt GHO\",\"TszKts\":\"Emprunter le solde après le changement\",\"TtZL6q\":\"Paramètres du modèle de remise\",\"TwJI9F\":\"Asset has been successfully sent to CCIP contract. You can check the status of the transactions below\",\"Tz0GSZ\":\"Activités bloquées\",\"U/eBjN\":\"Recharger la page\",\"U2r8nY\":\"Choose how much voting/proposition power to give to someone else by delegating some of your AAVE, stkAAVE or aAave balance. Your tokens will remain in your account, but your delegate will be able to vote or propose on your behalf. If your AAVE, stkAAVE or aAave balance changes, your delegate's voting/proposition power will be automatically adjusted.\",\"U8IubP\":\"L’application s’exécute en mode réseau de test. Découvrez comment cela fonctionne dans\",\"U9btTk\":\"L'actif n'est pas empruntable en mode d'isolement\",\"UAOZRe\":\"L’impact sur les prix est l’écart entre la valeur totale des tokens d’entrée échangés et les tokens de destination obtenus (en USD), qui résulte de la liquidité limitée de la paire de trading.\",\"UE3KJZ\":\"L’historique des transactions n’est actuellement pas disponible pour ce marché\",\"URmyfc\":\"Détails\",\"UTTKmT\":\"Temps de recharge de la mise activé\",\"UXeR72\":\"Ces fonds ont été empruntés et ne peuvent pas être retirés pour le moment.\",\"UYb8CM\":\"Learn more about the SPK rewards\",\"UbRrG0\":\"Le ratio LTV maximum représente le pouvoir d'emprunt maximum d'une garantie spécifique. Par exemple, si une garantie a un LTV de 75 %, l'utilisateur peut emprunter jusqu'à 0,75 ETH dans la devise principale pour chaque 1 ETH de garantie.\",\"UpndFj\":\"Aucune récompense à réclamer\",\"V0f2Xv\":\"Facteur de réserve\",\"V1HK43\":\"Risques liés à la migration\",\"VATFH9\":\"Dette couverte\",\"VHOVEJ\":\"Connecter le portefeuille\",\"VMfYUK\":\"Sécurité de votre garantie déposée contre les actifs empruntés et sa valeur sous-jacente.\",\"VOAZJh\":\"Total des emprunts\",\"ViKYxK\":\"YAE\",\"W1SSoD\":\"Examiner les détails de la transaction\",\"W5hVah\":\"Rien fourni pour le moment\",\"W5kTFy\":\"Vote\",\"W8ekPc\":\"Retour au tableau de bord\",\"WMPbRK\":\"Sans support\",\"WNGZwH\":\"E-Mode augmente votre LTV pour une catégorie d'actifs sélectionnée jusqu'à <0/>. <1>En savoir plus\",\"WPWG/y\":\"Statut et configuration de la réserve\",\"WZLQSU\":\"L'utilisateur ne peut pas retirer plus que le solde disponible\",\"WaZyaV\":\"<0>Ampleforth est un actif de rebasage. Consultez la <1>documentation pour en savoir plus.\",\"WfU+XN\":\"Étant donné que cette ressource est suspendue, aucune action ne peut être entreprise jusqu’à nouvel ordre\",\"Wjmqs2\":\"No results found. You can import a custom token with a contract address\",\"WkZ6C6\":\"Pour emprunter, vous devez fournir tout actif à utiliser comme garantie.\",\"WyMiQm\":\"Vous avez réussi à changer de jeton.\",\"X/ITG9\":\"Copier le texte d'erreur\",\"X3Pp6x\":\"Utilisé comme collatéral\",\"X4Zt7j\":\"L'action ne peut pas être effectuée car la réserve est mise en pause\",\"XBdKOj\":\"Representative smart contract wallet (ie. Safe) addresses on other chains.\",\"XZzneG\":\"Vous quitterez le mode d'isolement et d'autres jetons peuvent désormais être utilisés comme collatéral\",\"Xg5y9S\":\"Amount to Bridge\",\"Xn4hUi\":\"Veuillez toujours tenir compte de votre <0>facteur de santé (HF) lors de la migration partielle d’une position et que vos tarifs seront mis à jour vers les taux V3.\",\"Xy71ST\":\"Umbrella\",\"Y5kGkc\":\"VOTER NON\",\"YDIOks\":\"Activation du E-Mode\",\"YSodyW\":\"Cette action réduira votre facteur de santé. Veuillez garder à l’esprit le risque accru de liquidation des garanties.\",\"YXOWXM\":\"The total amount bridged minus CCIP fees. Paying in network token does not impact gho amount.\",\"YirHq7\":\"Feedback\",\"YogbCJ\":\"Le mode réseau de test est activé\",\"YrDxdO\":\"Si votre prêt à la valeur dépasse le seuil de liquidation, votre garantie fournie peut être liquidée.\",\"YyIM65\":\"Les conditions de rééquilibrage des taux d'intérêt n'ont pas été remplies\",\"YyydIq\":[\"Ajouter \",[\"0\"],\" à Wallet pour suivre votre solde.\"],\"ZBvhI+\":\"Gouvernance Aave\",\"ZIIRAd\":\"Raw-Ipfs\",\"ZRq4tX\":\"Mode efficacité (E-Mode)\",\"ZSqEW+\":\"Manage E-Mode\",\"ZUFYFE\":\"Désactiver le réseau de test\",\"Zbyywy\":\"Coupure maximale\",\"ZfUGFb\":\"Avant de déposer\",\"ZiXN+B\":\"Assets to stake\",\"ZlsSDH\":\"Valeur de liquidation\",\"ZrEc8j\":\"Nous n’avons trouvé aucun élément lié à votre recherche. Réessayez avec un autre nom, symbole ou adresse de ressource.\",\"ZsLF7e\":\"Activé\",\"a0YQoQ\":\"Enter a valid address\",\"a2fBZn\":\"Temps restant pour dépiquer\",\"a5RYZd\":\"La désactivation de cet actif en tant que garantie affecte votre pouvoir d'emprunt et votre facteur de santé.\",\"a7u1N9\":\"Prix\",\"a9D+6D\":\"Non jalonné\",\"aEtiwq\":\"Vote NAY\",\"aMmFE1\":\"Acheter des crypto-monnaies avec des monnaies fiduciaires\",\"aOKIms\":\"Les paramètres de tableau devraient être de même longueur ne sont pas\",\"aX31hk\":\"Votre solde est inférieur au montant sélectionné.\",\"adUsDd\":\"An error has occurred fetching the proposal.\",\"al6Pyz\":\"Dépasse la remise\",\"aoXTT7\":\"Prêt APY, variable\",\"aqX1Yp\":\"This asset is eligible for rewards through SuperFest. Aave Labs does not guarantee the program and accepts no liability.\",\"avgETN\":\"Eligible for the Merit program.\",\"b4NS3e\":\"Avertissement de période de refroidissement\",\"bNEQeI\":\"Cooldown\",\"bSruit\":\"ZKSync Ignite Program rewards are claimed through the\",\"bUUVED\":\"Actif\",\"bXQ/Og\":\"Partager sur Twitter\",\"bXr0ee\":\"Les actifs isolés ont un pouvoir d'emprunt limité et les autres actifs ne peuvent pas être utilisés comme garantie.\",\"bYmAV1\":\"Adresses\",\"bguKoJ\":\"Le montant demandé est supérieur au montant maximum du prêt en mode taux stable\",\"bwSQI0\":\"Fournir\",\"bxN6EM\":\"Impossible de désactiver le mode E\",\"bxmzSh\":\"Pas assez de collatéral pour rembourser ce montant de dette avec\",\"c91vuQ\":\"L'adresse n'est pas un contrat\",\"c97os2\":\"Aave aToken\",\"c9b44w\":\"Vous ne pouvez pas retirer ce montant car cela entraînera un appel de garantie\",\"cBc+4A\":\"Il s'agit du montant total que vous pouvez emprunter. Vous pouvez emprunter en fonction de votre garantie et jusqu'à ce que le plafond d'emprunt soit atteint.\",\"cIl5kp\":\"Votre pouvoir de vote est basé sur votre solde AAVE/stkAAVE et les délégations reçues.\",\"cLo09S\":\"Détails des risques\",\"cNT+ij\":\"L'emprunt n'est pas disponible car vous avez activé le mode Efficacité (E-Mode) et le mode Isolation. Pour gérer le mode E et le mode Isolation, rendez-vous sur votre <0>tableau de bord.\",\"cZOeBk\":\"Something went wrong fetching bridge message, please try again later.\",\"ceix5S\":\"Pour soumettre une proposition de modifications mineures du protocole, vous aurez besoin d’une puissance d’au moins 80,00 K. Si vous souhaitez modifier la base de code de base, vous aurez besoin d’une puissance de 320k. <0>Pour en savoir plus.\",\"ciSsYT\":\"Staking APY\",\"ciybUa\":\"Vote YAE\",\"ckf7gX\":[\"Remboursement \",[\"symbole\"]],\"cp1ZDP\":[\"Bridge \",[\"symbol\"]],\"cqnmnD\":\"Taux d’intérêt effectif\",\"cqwIvs\":\"Discussion de forum\",\"csDS2L\":\"Disponible\",\"cu7Stb\":\"Vous n'avez pas participé à cette proposition\",\"dE6BLF\":\"Gouvernance\",\"dEgA5A\":\"Annuler\",\"dIsyWh\":\"Échec de la validation LTV\",\"dMtLDE\":\"À\",\"dOB5nW\":[\"La quantité maximale disponible pour la fourniture est de <0/> \",[\"0\"],\" (<1/>).\"],\"dVfODp\":\"Vous n'avez pas assez de fonds dans votre portefeuille pour rembourser le montant total. Si vous continuez à rembourser avec votre montant actuel de fonds, vous aurez toujours une petite position d'emprunt dans votre tableau de bord.\",\"dXUQFX\":\"Actifs à emprunter\",\"dgr1aY\":\"L’emprunt est désactivé en raison d’une décision de la communauté Aave. <0>Plus d’informations\",\"djsg0o\":\"Usage de collatéral\",\"dpc0qG\":\"Variable\",\"drdV8R\":\"Liquidation\",\"dxW8cS\":\"Jeton de dette Aave\",\"e4V3oW\":\"Top 10 des adresses\",\"eD8WX/\":\"L'action nécessite une réserve active\",\"eJRJ04\":\"Montant à la mise en jeu\",\"eLh0cL\":\"Le slippage est la différence entre les montants cotés et reçus en raison de l’évolution des conditions du marché entre le moment où la transaction est soumise et sa vérification.\",\"ePK91l\":\"Edit\",\"eVpCmf\":\"Récompenses de staking\",\"eVqvtf\":\"Bridge GHO\",\"eYdurp\":\"Aucune transaction n’a encore été effectuée.\",\"ebLGGN\":\"Total emprunté\",\"ecqEvn\":\"Le solde de la garantie est de 0\",\"efdrrk\":\"Disponible sur\",\"enruNF\":\"Commence\",\"eqLYiD\":\"Arrêter de staker maintenant\",\"euScGB\":\"APY avec remise appliquée\",\"evw5ha\":\"Valeur nette\",\"ezcU16\":\"Obtenir le jeton ABP\",\"f3W0Ej\":[\"Vous êtes passé au tarif \",[\"0\"]],\"fH9i8k\":\"Vous avez réussi à changer de position d’emprunt.\",\"fHcELk\":\"APR Net\",\"fMJQZK\":\"Emprunté\",\"fZ5Vnu\":\"Reçu\",\"firl9Q\":\"Votre prêt actuel à la valeur en fonction de votre collatéral fournie.\",\"flRCF/\":\"Remise sur le staking\",\"fldjW9\":\"Prévisualiser tx et migrer\",\"fsBGk0\":\"Solde\",\"fu1Dbh\":[\"Retirer \",[\"symbole\"]],\"fwjWSI\":\"Fourni\",\"fwyTMb\":\"Migrate to stkABPT v2\",\"g0mals\":\"You can not disable E-Mode because that could cause liquidation. To exit E-Mode supply or repay borrowed positions.\",\"g2UNkE\":\"Alimenté par\",\"g8KGoA\":\"Foire aux questions\",\"g9zzqS\":\"A voté NAY\",\"gDd2gk\":\"about SuperFest.\",\"gFFh9h\":\"Tout est fait !\",\"gIMJlW\":\"Mode réseau test\",\"gOzPxe\":\"Cet actif est gelé en raison d’une décision de gouvernance du protocole Aave. <0>Plus d’informations\",\"gTHi2T\":\"L'utilisateur essaie d'emprunter plusieurs actifs, y compris un en silo\",\"gVW59Y\":\"Veuillez connecter votre portefeuille pour obtenir des ressources de réseau de test gratuites.\",\"gcFNxP\":\"Approuver Confirmé\",\"gncRUO\":\"Cette adresse est bloquée sur app.aave.com car elle est associée à un ou plusieurs\",\"goff7V\":\"Adresse zéro non-valide\",\"gp+f1B\":\"Variante 3\",\"gr8mYw\":\"Vous pouvez emprunter jusqu’à GHO à <0/> <1/> (rabais maximum)\",\"gvTM4B\":\"L'APY net est l'effet combiné de toutes les positions d'offre et d'emprunt sur la valeur nette, y compris les incitations. Il est possible d'avoir un APY net négatif si l'APY de la dette est supérieur à l'APY de l'offre.\",\"gzcch9\":\"Frais de protocole de pont invalide\",\"h33MxW\":\"Representing smart contract wallet (ie. Safe) addresses on other chains.\",\"h3ilK+\":\". .CSV\",\"hB23LY\":\"Activer le temps de recharge\",\"hIJzBh\":\"Available to Claim\",\"hIS4N0\":\"APY Net\",\"hRWvpI\":\"Revendiqué\",\"hdmy/o\":\"Le % de votre pouvoir d'emprunt total utilisé. Ceci est basé sur le montant de votre garantie fournie et le montant total que vous pouvez emprunter.\",\"hehnjM\":\"Montant\",\"hjDCQr\":\"Il y a eu une erreur. Veuillez essayer de modifier les paramètres ou <0><1>copier l'erreur\",\"hom7qf\":\"Réclamer\",\"hpHJ4I\":\"Garantie liquidée\",\"hpuVIp\":\"Users who stake AAVE in Safety Module (i.e. stkAAVE holders) receive a discount on GHO borrow interest rate.\",\"huQ6Tz\":[\"Emprunter \",[\"symbole\"]],\"hxi7vE\":\"Emprunter le solde\",\"i/fZ2Z\":\"Staked Balance\",\"i2JTiw\":\"Vous pouvez saisir un montant personnalisé dans le champ.\",\"iB5+/J\":\"À propos de GHO\",\"iChbOF\":\"Paramètres de prêt flash incohérents\",\"iEPVHF\":\"Pas assez de pouvoir de vote pour participer à cette proposition\",\"iEW87X\":\"Délégation de pouvoirs\",\"iEju36\":[\"Vous avez voté \",[\"0\"]],\"iFq2YN\":\"Borrowable\",\"iGxyIA\":\"Safety Module\",\"iMVZk9\":\"Sélectionner la tolérance de glissement\",\"iPMIoT\":\"Entrez un montant\",\"iSLIjg\":\"Connect\",\"iUo5rv\":\"tokens n'est pas la même chose que de les staker . Si vous souhaitez staker votre\",\"iZxa38\":\"Utilisez-le pour voter pour ou contre les propositions actives.\",\"if5PH+\":\"Informations sur le collectionneur\",\"igkfR1\":[\"En mode Isolation, vous ne pouvez pas fournir d’autres actifs en garantie. Un plafond d’endettement global limite le pouvoir d’emprunt de l’actif isolé. Pour quitter le mode d’isolement, désactivez \",[\"0\"],\" en garantie avant d’emprunter un autre actif. Pour en savoir plus, consultez notre <0>FAQ\"],\"il0sEG\":\"L'utilisation du collatéral est limitée en raison du mode d'isolation.\",\"j+K1Xj\":\"Amount After Fee\",\"jA2QeW\":\"Fournir votre\",\"jFi7dz\":\"Interest rate that is determined by Aave Governance. This rate may be changed over time depending on the need for the GHO supply to contract/expand. <0>Learn more\",\"jG3UJ7\":\"Désactiver le E-mode\",\"jKYzR1\":\"Activer le E-Mode\",\"jMam5g\":[[\"0\"],\" Balance\"],\"jSYv+Z\":\"Enabling E-Mode allows you to maximize your borrowing power, however, borrowing is restricted to assets within the selected category. <0>Learn more about how it works and the applied restrictions.\",\"jaKbwW\":[[\"s\"],\"s\"],\"jbFMap\":\"Temps de recharge restant\",\"jeMZNr\":[[\"0\"],\" Le service de rampe d’accès est fourni par le fournisseur externe et, en le sélectionnant, vous acceptez les conditions du fournisseur. Votre accès au service peut dépendre de l’opérationnalité du fournisseur externe.\"],\"jfl9OP\":\"Migré\",\"jmXdoY\":\"En E-Mode, certains actifs ne sont pas empruntables. Quittez le E-mode pour accéder à tous les actifs\",\"jpctdh\":\"Vue\",\"jqzUyM\":\"Non disponible\",\"k/sb6z\":\"Choisir la langue\",\"k3wP3f\":\"<0>Attention: Les changements de paramètres via la gouvernance peuvent modifier le facteur de santé de votre compte et le risque de liquidation. Suivez le <1>forum de gouvernance d’Aave pour les mises à jour.\",\"kACpF3\":[\"Réclamer \",[\"0\"]],\"kH6wUX\":\"Impact sur les prix\",\"kIC28N\":\"Available to claim\",\"kIpSye\":[[\"numSelected\"],\"/\",[\"numAvailable\"],\" Actifs sélectionnés\"],\"kN1Yg5\":\"Pour rembourser au nom d'un utilisateur, un montant explicite à rembourser est nécessaire\",\"kRTD40\":[\"Montant de remboursement à atteindre \",[\"0\"],\"% d’utilisation\"],\"kjN9tT\":\"Le plafond d'approvisionnement est dépassé\",\"knxE+G\":\". JSON (en anglais seulement)\",\"ks2LWT\":\"Le plafond de la dette n'est pas nul\",\"kwwn6i\":\"Les utilisateurs qui misent des AAVE dans le module de sécurité (c’est-à-dire les détenteurs de stkAAVE) bénéficient d’une réduction sur le taux d’intérêt d’emprunt de HO. La réduction s’applique à 100 GHO pour chaque 1 stkAAVE détenu. Utilisez le calculateur ci-dessous pour voir le taux d’emprunt GHO avec le rabais appliqué.\",\"kz3wtK\":\"and about SPK program\",\"kzZyM4\":\"DAI balance will be converted via DSR contracts and then supplied as sDAI. Switching incurs no additional costs and no slippage.\",\"lNVG7i\":\"Sélectionner une ressource\",\"lU2d1/\":[\"L’actif ne peut pas être migré en raison d’une liquidité insuffisante ou d’une limitation du plafond d’emprunt \",[\"marketName\"],\" v3 marché.\"],\"lVhKKI\":\"A voté YAE\",\"lWLqxB\":\"Nous n’avons trouvé aucune transaction liée à votre recherche. Réessayez avec un autre nom de ressource ou réinitialisez les filtres.\",\"lYGfRP\":\"Anglais\",\"lfEjIE\":\"En savoir plus dans notre <0>guide FAQ\",\"lt6bpt\":\"Garantie à rembourser\",\"m/IEhi\":\"Émission totale par jour\",\"m7r7Hh\":\"Sélection d’actifs d’emprunt\",\"mDDK4p\":\"Balancer Pool\",\"mIM0qu\":\"Montant prévu à rembourser\",\"mUAFd6\":\"Variante 2\",\"masO5Z\":\"E-Mode increases your LTV for a selected category of assets. <0>Learn more\",\"mdNjKU\":[\"Votre \",[\"name\"],\" Le portefeuille est vide. Acheter ou transférer des actifs ou utiliser <0>\",[\"0\"],\" pour transférer votre \",[\"network\"],\" actif.\"],\"muiOng\":[\"Acheter \",[\"cryptoSymbol\"],\" avec Fiat\"],\"mvCXBY\":\"Mise en jeu AAVE\",\"mwdzil\":\"D'accord, fermer\",\"mzI/c+\":\"Télécharger\",\"mzdIia\":\"L'actif ne peut pas être utilisé comme collatéral.\",\"n+SX4g\":\"Développeurs\",\"n8Psk4\":\"Nous n’avons pas pu détecter de portefeuille. Connectez un portefeuille pour staker et consulter votre solde.\",\"nJIhzm\":\"Fournir apy\",\"nJgsQu\":\"Avec un pouvoir de vote de <0/>\",\"nLC6tu\":\"Français\",\"nN2T8p\":\"During the cooldown period, you will not earn any merit rewards. However, rewards earned up to this point will remain unaffected.\",\"nNHV0z\":\"La migration simultanée de plusieurs garanties et d’actifs empruntés peut s’avérer coûteuse et peut échouer dans certaines situations. <0>Par conséquent, il n’est pas recommandé de migrer des positions avec plus de 5 actifs (déposés + empruntés) en même temps.\",\"nNbnzu\":\"Proposition\",\"nOy4ob\":\"Nous vous suggérons de revenir au tableau de bord.\",\"nPGNMh\":\"Peut être exécuté\",\"nUK1ou\":[\"Assets with zero LTV (\",[\"0\"],\") must be withdrawn or disabled as collateral to perform this action\"],\"nakd8r\":\"Les détenteurs de stkAAVE bénéficient d’une réduction sur le taux d’emprunt GHO\",\"nh2EJK\":[\"Veuillez passer à \",[\"networkName\"],\".\"],\"njBeMm\":\"Les deux\",\"noN5Xf\":\"We couldn’t detect a wallet. Connect a wallet to view your staking positions and rewards.\",\"ntkAoE\":\"Remise appliquée pour <0/> le staking d’AAVE\",\"ntyFSE\":[[\"h\"],\"h\"],\"nwtY4N\":\"Quelque chose s’est mal passé\",\"nxyWvj\":\"Le retrait de ce montant réduira votre facteur santé et augmentera le risque de liquidation.\",\"o17QVP\":\"Votre facteur de santé et votre prêt à la valeur déterminent l'assurance de votre collatéral. Pour éviter les liquidations, vous pouvez fournir plus de garanties ou rembourser les positions d'emprunt.\",\"o1xc2V\":\"L'approvisionnement en aTokens n'est pas nul\",\"o4tCu3\":\"Emprunter de l’APY\",\"o5ooMr\":\"Dette\",\"o7J4JM\":\"Filtrer\",\"oHFrpj\":\"Temps de recharge pour déstaker\",\"oJ5ZiG\":\"L'utilisateur n'a pas de dette à taux variable impayée sur cette réserve\",\"oRBGin\":\"Veuillez connecter votre portefeuille pour pouvoir échanger vos jetons.\",\"oUwXhx\":\"Ressources de test\",\"oWklJD\":\"Le taux d'intérêt stable <0>restera le même pendant toute la durée de votre prêt. Recommandé pour les périodes de prêt à long terme et pour les utilisateurs qui préfèrent la prévisibilité.\",\"odnIK3\":\"Time remaining until the 48 hour withdraw period starts.\",\"oiK5nY\":\"The current incentives period, decided on by the Aave community, has ended. Governance is in the process on renewing, check for updates. <0>Learn more.\",\"olREoo\":\"All borrow positions outside of this category must be closed to enable this category.\",\"om/XHs\":\"Disponible au dépôt\",\"ov0+mq\":\"Eligible for the ZKSync Ignite program.\",\"ovT1pF\":[\"Per the community, the \",[\"market\"],\" has been frozen.\"],\"ow3fug\":\"Rien n’a été trouvé\",\"owSsI3\":\"Signatures prêtes\",\"p+R52m\":\"Accéder à Balancer Pool\",\"p2A+s1\":[\"La période de recharge est de \",[\"0\"],\". Après \",[\"1\"],\" de temps de recharge, vous entrerez dans la fenêtre de désengagement de \",[\"2\"],\". Vous continuerez à recevoir des récompenses pendant le temps de recharge et la fenêtre de retrait.\"],\"p2S64u\":\"Le ratio prêt/valeur des positions migrées entraînerait la liquidation. Augmenter les garanties migrées ou réduire les emprunts migrés pour continuer.\",\"p2Z2Qi\":\"Cet actif a atteint son plafond d'emprunt. Rien n'est disponible pour être emprunté à ce marché.\",\"p3j+mb\":\"Votre solde de récompenses est de 0\",\"p45alK\":\"Configurer la délégation\",\"p6u2s1\":\"Minimum amount of debt to be repaid\",\"pDgeaz\":[[\"title\"]],\"pdZqBk\":\"Le solde sous-jacent doit être supérieur à 0\",\"pgWG9H\":\"Pas assez de solde staké\",\"piPrJ7\":\"veuillez vérifier que le montant que vous souhaitez fournir n'est pas actuellement utilisé pour le staking. S'il est utilisé pour le staking, votre transaction peut échouer.\",\"pjO/iH\":\"Minimum amount received\",\"pooutM\":\"Voting is on\",\"pqaM5s\":\"Confirming transaction\",\"ptaxX3\":[\"Je comprends comment fonctionnent le temps de recharge (\",[\"0\"],\") et le retrait (\",[\"1\"],\")\"],\"py2iiY\":\"L'appelant de cette fonction doit être un pool\",\"q/51mF\":\"Migrer vers la V3\",\"q3df11\":\"Stratégie de taux d’intérêt\",\"q6lAbz\":\"Staké\",\"qB4kPi\":\"Fournir APY\",\"qENI8q\":\"Paramètres globaux\",\"qGz5zl\":\"Solde de garantie après remboursement\",\"qIW9ZH\":\"Amount staked\",\"qOqbD6\":\"copier l'erreur\",\"qXCkEM\":\"Veuillez connecter votre portefeuille pour voir vos fournitures, vos emprunts et vos positions ouvertes.\",\"qY2jnw\":\"Expiration invalide\",\"qf/fr+\":\"Intérêts courus\",\"quYPUU\":\"Variable interest rate will <0>fluctuate based on the market conditions.\",\"quzIeW\":\"User is in isolation mode or LTV is zero\",\"qvnz3q\":\"Montant non valide à brûler\",\"rHgdb0\":\"Migrate to Aave V3\",\"rOrHHe\":\"Le montant doit être supérieur à 0\",\"rQ+R+0\":\"Sélection d’actifs d’approvisionnement\",\"rSayea\":\"APY\",\"rTBDeu\":[\"L’actif ne peut pas être migré car vous disposez d’une garantie isolée dans \",[\"marketName\"],\" v3 Marché qui limite les actifs empruntables. Vous pouvez gérer vos garanties dans <0>\",[\"marketName\"],\" Tableau de bord V3\"],\"rcT+yy\":\"Afficher les actifs avec 0 solde\",\"rf8POi\":\"Montant de l’actif emprunté\",\"riNWOA\":\"E-Mode\",\"rjGI/Q\":\"Vie privée\",\"rnKPW1\":\"Watch a wallet balance in read-only mode\",\"ruc7X+\":\"Ajoutez stkAAVE pour voir l’APY d’emprunt avec la remise\",\"rvbaFU\":[\"Bridging \",[\"symbol\"]],\"rwVVB7\":\"Réclamez toutes les récompenses\",\"rwyUva\":\"Ces actifs sont temporairement gelés ou suspendus par des décisions de la communauté Aave, ce qui signifie qu’il n’est pas possible d’obtenir / emprunter ou d’échanger des taux de ces actifs. Les retraits et les remboursements de dettes sont autorisés. Suivez le <0>forum de gouvernance d’Aave pour d’autres mises à jour.\",\"rxJW5W\":\"Votre pouvoir de proposition est basé sur votre solde AAVE/stkAAVE et les délégations reçues.\",\"s2jJnW\":\"You don't have any bridge transactions\",\"s5wBAq\":[\"Unstake \",[\"symbol\"]],\"sJbIdI\":\"Enter ETH address or ENS\",\"sK+Nag\":\"Réviser tx\",\"sP2+gB\":\"NON\",\"sQv06Y\":\"pour\",\"sTtO6J\":\"Confirm transaction\",\"sXKb3l\":\"Exchange rate\",\"sb0q4+\":\"Vous unstaké ici\",\"smJNwH\":\"Disponible à emprunter\",\"solypO\":\"Le facteur de santé n'est pas inférieur au seuil\",\"sr0UJD\":\"Retourner\",\"ss5GCK\":\"L'adresse du fournisseur d'adresses du pool n'est pas valide\",\"swEgK4\":\"Vos informations de vote\",\"t+wtgf\":\"Aucun emprunt pour l'instant\",\"t/YqKh\":\"Remove\",\"t81DpC\":[\"Approuver \",[\"symbol\"],\" pour continuer\"],\"tCnbEs\":\"Prix Oracle\",\"tFZLf8\":\"Ce calcul de gaz n'est qu'une estimation. Votre portefeuille fixera le prix de la transaction. Vous pouvez modifier les paramètres de gaz directement depuis votre fournisseur de portefeuille.\",\"tHuvQI\":\"Accéder au tableau de bord V3\",\"tKv7cI\":\"Changer de position d’emprunt\",\"tOcg3N\":\"Étant donné que cet actif est gelé, les seules actions disponibles sont le retrait et le remboursement, accessibles depuis le <0>tableau de bord\",\"tOuXfv\":[\"Emprunter le montant à atteindre \",[\"0\"],\"% d’utilisation\"],\"te9Bfl\":\"S'il vous plaît, connectez votre portefeuille\",\"tt5yma\":\"Vos ressources\",\"ttoh5c\":\"Passer à\",\"u3ZeYl\":\"La transaction a échoué\",\"u706uF\":\"Prime flash non valide\",\"u8Gfu7\":[\"Aucun résultat de recherche\",[\"0\"]],\"uAQUqI\":\"Status\",\"uHMwk8\":\"Aucune ressource n’a été sélectionnée pour la migration.\",\"uJPHuY\":\"Migration\",\"uY8O30\":\"Pour continuer, vous devez autoriser les contrats intelligents Aave à déplacer vos fonds depuis votre portefeuille. En fonction de l’actif et du portefeuille que vous utilisez, cela se fait en signant le message d’autorisation (sans gaz) ou en soumettant une transaction d’approbation (nécessite du gaz). <0>Pour en savoir plus\",\"udFheE\":\"For repayment of a specific type of debt, the user needs to have debt that type\",\"ulNuNq\":\"Exporter des données vers\",\"ulup2p\":\"Acheter des crypto-monnaies avec des monnaies fiduciaires\",\"umICAY\":\"<0><1><2/>Ajoutez stkAAVE pour voir le taux d’emprunt avec escompte\",\"usB84Z\":\"Le montant maximum disponible pour emprunter est limité car le plafond d’emprunt du protocole est presque atteint.\",\"uwAUvj\":\"COPIER L’IMAGE\",\"v8x7Mg\":\"Garantie insuffisante pour couvrir une nouvelle position d’emprunt. Le portefeuille doit avoir une capacité d’emprunt restante pour effectuer le transfert de dette.\",\"vEqxH9\":\"Restauré\",\"vLyv1R\":\"Cacher\",\"vMba49\":\"L'emprunt n'est pas activé\",\"vMpNwt\":\"Approuvez avec\",\"vXIe7J\":\"Language\",\"vesuBJ\":\"Vous permet de décider si vous souhaitez utiliser un actif fourni en tant que collatéral. Un actif utilisé comme collatéral affectera votre pouvoir d'emprunt et votre Health Factor.\",\"w+V9Cx\":\"Stablecoin\",\"w/JtJ3\":\"L'offre de dette stable n'est pas nulle\",\"w4VBY+\":\"Récompenses APR\",\"w9dLMW\":[[\"label\"]],\"wAOL+X\":[\"Vous \",[\"action\"],\" <0/> \",[\"symbole\"]],\"wBIsjb\":\"Canal Discord\",\"wQZbc/\":\"L'appelant de la fonction n'est pas un AToken\",\"wRRqvW\":\"Vous n'avez pas de fournitures dans cette devise\",\"wZFvVU\":\"VOTER OUI\",\"wb/r1O\":[\"Faucet \",[\"0\"]],\"wdxz7K\":\"Source\",\"weH1nG\":\"Le protocole Aave est programmé pour toujours utiliser le prix de 1 GHO = 1 $. C’est différent de l’utilisation des prix du marché via des oracles pour d’autres actifs cryptographiques. Cela crée des opportunités d’arbitrage stabilisatrices lorsque le prix du GHO fluctue.\",\"wh7Ezv\":\"You have no AAVE/stkAAVE/aAave balance to delegate.\",\"wlsIx7\":\"Avec testnet Faucet, vous pouvez obtenir des ressources gratuites pour tester le protocole Aave. Assurez-vous de changer votre fournisseur de portefeuille pour le réseau de test approprié, sélectionnez l’actif souhaité et cliquez sur «\xA0Faucet\xA0» pour obtenir des jetons transférés vers votre portefeuille. Les actifs d’un réseau de test ne sont pas « réels », ce qui signifie qu’ils n’ont aucune valeur monétaire. <0>Pour en savoir plus\",\"wmE285\":\"Get ABP v2 Token\",\"wyRrcJ\":\"As a result of governance decisions, this ABPT staking pool is now deprecated. You have the flexibility to either migrate all of your tokens to v2 or unstake them without any cooldown period.\",\"x5KiLL\":\"Les ressources sélectionnées ont été migrées avec succès. Rendez-vous sur le tableau de bord du marché pour les voir.\",\"x7F2p6\":\"Différentiel de courant\",\"x7K5ib\":[\"Votre \",[\"networkName\"],\" Le portefeuille est vide. Obtenir un test gratuit \",[\"0\"],\" à\"],\"x9iLRD\":\"tokens, veuillez vous rendre sur\",\"xNy/UG\":\"Rembourser avec\",\"xPm8wv\":\"En savoir plus sur les risques encourus\",\"xXYpZl\":[[\"0\"],\" Faucet\"],\"xaVBSS\":\"Vos informations\",\"xaWZ6f\":\"Changement de type APY\",\"xh6k71\":\"L’utilisation des garanties est limitée en raison du mode d’isolation.\",\"xvIklc\":\"Flashloan est désactivé pour cet actif, cette position ne peut donc pas être migrée.\",\"y5rS9U\":\"Émigrer\",\"y66tBm\":[\"Activer \",[\"symbol\"],\" comme collatéral\"],\"yB1YpA\":\"Mode Sombre\",\"yCrG6m\":\"Taille totale du marché\",\"yJUUbn\":\"Aperçu des transactions\",\"yLGmLX\":[\"Remise en jeu \",[\"symbol\"]],\"yW1oWB\":\"APY type\",\"yYHqJe\":\"Pas une adresse valide\",\"yZwLw6\":\"Suivre le portefeuille\",\"yh2sjd\":[\"Impact sur les prix \",[\"0\"],\"%\"],\"yhvj6d\":\"Vous ne pouvez pas changer d'utilisation en tant que mode de garantie pour cette devise, car cela entraînera un appel de garantie\",\"ylmtBZ\":\"The app is running in fork mode.\",\"ymNY32\":[\"Il n'y a pas assez de fonds dans la \",[\"0\"],\" réserve pour emprunter\"],\"yz7wBu\":\"Fermer\",\"z4uGQg\":\"Le plafond de la dette est dépassé\",\"z5UQOM\":\"La garantie choisie ne peut être liquidée\",\"z5Y+p6\":[\"Fournir \",[\"symbole\"]],\"zCjNKs\":\"L'action ne peut pas être effectuée car la réserve est gelée\",\"zRHytX\":\"Plafond de la dette isolée\",\"zTOjMP\":\"La limite d’approvisionnement du protocole est de 100 % pour cet actif. D’autres approvisionnements ne sont pas disponibles.\",\"zVdRUG\":\"Submission did not work, please try again later or contact wecare@avara.xyz\",\"zevmS2\":\"<0><1><2/>Ajoutez <3/> stkAAVE pour emprunter à <4/> (remise maximale)\",\"zgtIDV\":\"Dette restante\",\"zmTPiV\":\"Bilan d'approvisionnement\",\"zpPbZl\":\"Paramètres du risque de liquidation\",\"zucql+\":\"Menu\",\"zwWKhA\":\"Apprendre encore plus\",\"zy9fXn\":[\"L’actif est gelé \",[\"marketName\"],\" v3, donc cette position ne peut pas être migrée.\"],\"zys+R6\":\"Faites attention à la congestion du réseau et aux prix de l’essence.\",\"zzzTXS\":\"Merit Program rewards are claimed through the\"}")}; \ No newline at end of file +/*eslint-disable*/module.exports={messages:JSON.parse("{\"+0xecS\":[\"Si vous NE vous désengagez PAS dans les \",[\"0\"],\" de la fenêtre de désengagement, vous devrez réactiver le processus de refroidissement.\"],\"+EGVI0\":\"Recevoir (est.)\",\"+VR63W\":[\"Participer à cette réserve \",[\"symbol\"],\" donne des récompenses annualisées.\"],\"+bmKdK\":\"Use your AAVE, stkAAVE, or aAave balance to delegate your voting and proposition powers. You will not be sending any tokens, only the rights to vote and propose changes to the protocol. You can re-delegate or revoke power to self at any time.\",\"+eOPG+\":\"On dirait que nous ne pouvons pas changer de réseau automatiquement. Veuillez vérifier si vous pouvez le changer depuis le portefeuille.\",\"+i3Pd2\":\"Limite d'emprunt\",\"+kLZGu\":\"Montant de l’actif fourni\",\"+nuEh/\":\"Estimated time\",\"+xMFF8\":\"Remind me\",\"/57U31\":\"Amount to migrate\",\"/7ykiW\":\"Emprunter ce montant réduira votre facteur santé et augmentera le risque de liquidation.\",\"/YA5pU\":\"E-Mode increases your LTV for a selected category of assets, meaning that when E-mode is enabled, you will have higher borrowing power over assets of the same E-mode category which are defined by Aave Governance. You can enter E-Mode from your <0>Dashboard. To learn more about E-Mode and applied restrictionn, see the <1>help guide or the <2>Aave V3 Technical Paper.\",\"/izjs/\":\"Montant minimum d’Aave mis en jeu\",\"/jQctM\":\"To\",\"/lDBHm\":\"FAQ\",\"/yNlZf\":\"L'emprunt stable n'est pas activé\",\"/yQcJM\":\"Valeur totale\",\"00AB2i\":\"L'utilisateur n'a pas emprunté la devise spécifiée\",\"00OflG\":\"Il n’y a pas assez de liquidités pour que l’actif cible puisse effectuer le changement. Essayez de réduire le montant.\",\"08/rZ9\":\"La période de recharge est le temps nécessaire avant de retirer vos jetons (20 jours). Vous ne pouvez retirer vos actifs du module de sécurité qu’après la période de recharge et pendant la période de désenjeu. <0>Pour en savoir plus\",\"0AmQcW\":\"Changement de taux\",\"0BF3yK\":\"Désolé, nous n’avons pas trouvé la page que vous cherchiez.\",\"0TAbjq\":\"Recent Transactions\",\"0jhlyw\":\"Risque de liquidation\",\"0ojY+Y\":\"Solde actuel v2\",\"0thX3P\":\"Modification des garanties\",\"0wGCWc\":\"Il s'agit du montant total que vous pouvez emprunter. Vous pouvez emprunter en fonction de votre garantie et jusqu'à ce que le plafond d'emprunt soit atteint.\",\"1AsVfF\":\"À l’heure actuelle, les données sur les prix ne sont pas disponibles pour cette réserve dans le sous-graphe du protocole\",\"1LjK22\":\"Historique des transactions\",\"1Onqx8\":[\"Approuver \",[\"symbol\"],\"...\"],\"1Ue8sX\":\"Veuillez connecter un portefeuille pour afficher vos informations personnelles ici.\",\"1YH41K\":[\"After the cooldown period ends, you will enter the unstake window of \",[\"0\"],\". You will continue receiving rewards during cooldown and the unstake period.\"],\"1bpx9A\":\"...\",\"1kWUB+\":\"Seuil de liquidation <0/>\",\"1m9Qqc\":\"Retrait et changement\",\"1oyh4g\":\"Borrow rate\",\"1t7rez\":\"L’offre d’actifs est limitée à un certain montant afin de réduire l’exposition du protocole à l’actif et d’aider à gérer les risques encourus.\",\"2CAPu2\":\"Vous avez retiré et échangé des jetons avec succès.\",\"2Eoi/a\":\"Voir détails\",\"2FYpfJ\":\"Plus\",\"2O3qp5\":\"Liquidités disponibles\",\"2OM8/D\":[\"L’actif ne peut pas être migré en raison d’une restriction de plafond d’approvisionnement dans \",[\"marketName\"],\" v3 marché.\"],\"2Q4GU4\":\"Adresse bloquée\",\"2ZGocC\":\"Aave est un protocole entièrement décentralisé et régi par la communauté par les détenteurs de jetons AAVE. Les détenteurs de jetons AAVE discutent, proposent et votent collectivement sur les mises à niveau du protocole. Les détenteurs de jetons AAVE (réseau Ethereum uniquement) peuvent soit voter eux-mêmes sur de nouvelles propositions, soit choisir l’adresse de leur choix. Pour en savoir plus, consultez la page Gouvernance\",\"2a6G7d\":\"Veuillez saisir une adresse de portefeuille valide.\",\"2bAhR7\":\"Rencontrez GHO\",\"2eBWE6\":\"Je reconnais les risques encourus.\",\"2o/xRt\":\"Plafond d'approvisionnement sur la réserve cible atteint. Essayez de réduire le montant.\",\"2uJToh\":[[\"0\"],[\"name\"]],\"2x58bP\":\"L'emprunt stable est activé\",\"34Qfwy\":\"Le plafond d'emprunt est dépassé\",\"39eQRj\":[\"Emprunter \",[\"symbole\"]],\"3BL1xB\":\"Total fourni\",\"3BnIWi\":\"Commuté\",\"3K0oMo\":\"Offre restante\",\"3MoZhl\":\"Il n'y a pas assez de collatéral pour couvrir un nouvel emprunt\",\"3Np5O8\":[\"Fournir \",[\"symbole\"]],\"3O8YTV\":\"Total des intérêts courus\",\"3mXg0z\":\"Max LTV\",\"3q3mFy\":\"Rembourser\",\"3qsjtp\":\"La moyenne pondérée de l'APY pour tous les actifs fournis, y compris les incitations.\",\"3rL+os\":\"Vous ne pouvez retirer vos actifs du module de sécurité qu'après la fin de la période de refroidissement et que la fenêtre de retrait est active.\",\"42UgDM\":[\"Migrer vers \",[\"0\"],\" Marché v3\"],\"49UFQA\":\"Résultats du vote\",\"4DMZUI\":\"Afficher les transactions\",\"4HtGBb\":\"MAX\",\"4Y5H+g\":\"Petits caractères\",\"4YYh4d\":\"Maximum available to borrow\",\"4iPAI3\":\"Montant minimum d’emprunt GHO\",\"4lDFps\":\"Signez pour continuer\",\"4wyw8H\":\"Transactions\",\"5JSSxX\":[\"Votre \",[\"networkName\"],\" Le portefeuille est vide. Obtenez des ressources de test gratuites à l’adresse suivante :\"],\"5K7kGO\":\"documentation\",\"5NOSGa\":\"Le plafond de la dette limite le montant que les utilisateurs du protocole peuvent emprunter sur cet actif. Le plafond de la dette est spécifique aux actifs isolés et est indiqué en USD.\",\"5Ncc6j\":[\"Cet actif a presque atteint son plafond d'offre. Il ne peut y avoir que \",[\"messageValue\"],\" fourni à ce marché.\"],\"5cZ/KX\":\"L'offre de dette variable n'est pas nulle\",\"5che++\":\"Pour demander l'accès à ce marché autorisé, veuillez consulter\xA0: <0>Nom du fournisseur d'accès\",\"5ctNdV\":[\"Minimum \",[\"0\"],\" reçu\"],\"5hDe9v\":\"Allocation action requise\",\"5rsnKT\":\"Récompenses disponibles\",\"5yC5m5\":\"Voir tous les votes\",\"6/dCYd\":\"Aperçu\",\"60crCe\":\"Toutes les transactions\",\"62Xcjh\":\"Collatérale\",\"65A04M\":\"Espagnol\",\"6G8s+q\":\"Signature\",\"6Jrv+z\":[\"Rembourser \",[\"symbole\"]],\"6NGLTR\":\"Montant actualisable\",\"6Xr0UU\":\"Refroidissement...\",\"6bxci/\":\"Pouvoir de vote\",\"6f8S68\":\"Marchés\",\"6g1gi0\":\"Les propositions\",\"6gvoHP\":\"Copier le message d’erreur\",\"6h3Q5G\":\"Remboursé\",\"6lFSyT\":\"Available to Stake\",\"6s8L6f\":\"Changer de réseau\",\"6yAAbq\":\"APY, borrow rate\",\"70wH1Q\":\"APR\",\"72c5Qo\":\"Total\",\"73Auuq\":\"Les paramètres de remise sont décidés par la communauté Aave et peuvent être modifiés au fil du temps. Consultez la section Gouvernance pour les mises à jour et votez pour participer. <0>Pour en savoir plus\",\"75qcAQ\":[[\"stepName\"]],\"7ITr5L\":\"Facteur de santé\",\"7T/o5R\":\"Atteint\",\"7YlcXu\":\"Fork mode is ON\",\"7Z76Iw\":\"L’emprunt n’est pas disponible car vous utilisez le mode Isolation. Pour gérer le mode d’isolation, rendez-vous sur votre <0>tableau de bord.\",\"7aKlMS\":\"Partager sur Lens\",\"7bdUsR\":\"Redeem as aToken\",\"7er5fP\":\"Réclamer tout\",\"7hb2+s\":\"Time remaining until the withdraw period ends.\",\"7l88b8\":\"Les données n’ont pas pu être récupérées, veuillez recharger le graphique.\",\"7p5kLi\":\"Tableau de bord\",\"7sofdl\":\"Retrait et échange\",\"8+6BI0\":\"Soyez prudent - Vous êtes très proche de la liquidation. Envisagez de déposer plus de collatéral ou de rembourser certaines de vos positions empruntées\",\"87pUEW\":[\"Votre \",[\"name\"],\" Le portefeuille est vide. Acheter ou transférer des actifs.\"],\"8F1i42\":\"Page introuvable\",\"8G8M0u\":\"Chargement des données...\",\"8Iu1QS\":\"Retiré\",\"8JL93T\":\"Toutes les propositions\",\"8Q51DU\":\"Ajouter au portefeuille\",\"8X/oyn\":\"Montant invalide à frapper\",\"8Z5FPv\":\"Déconnecter le portefeuille\",\"8Zz7s5\":\"actifs\",\"8aLW8H\":\"Solde à révoquer\",\"8bOT3H\":\"Taux d'utilisation\",\"8sLe4/\":\"Voir le contrat\",\"8t/M0y\":\"Please connect your wallet to be able to bridge your tokens.\",\"8vETh9\":\"Montrer\",\"94OHPx\":\"Vous entrez en mode Isolation\",\"9CDK3/\":[\"L'emprunt n'est actuellement pas disponible pour \",[\"0\"],\".\"],\"9GIj3z\":\"Taille de réserve\",\"9Knqb4\":\"Solde de mise en jeu\",\"9OBKm7\":\"Quorum\",\"9QHoGr\":\"Votes actuels\",\"9Rw96f\":[\"Cet actif a presque atteint son plafond d'emprunt. Il n'y a que \",[\"messageValue\"],\" disponible pour être emprunté sur ce marché.\"],\"9Xj/qR\":[\"Certaines ressources migrées ne seront pas utilisées comme garantie en raison de l’activation du mode d’isolement dans \",[\"marketName\"],\" Marché V3. Visite <0>\",[\"marketName\"],\" Tableau de bord V3 pour gérer le mode d’isolation.\"],\"9c6vDV\":\"Cet actif a atteint son plafond d'offre. Rien n'est disponible pour être fourni à partir de ce marché.\",\"9kTWHA\":\"L’AMI a été suspendu en raison d’une décision de la communauté. L’offre, les emprunts et les remboursements sont impactés. <0>Plus d’informations\",\"9lXchd\":\"Jeton sous-jacent\",\"9rWaKF\":\"Bridged Via CCIP\",\"9xSooW\":\"Comme il s'agit d'un réseau de test, vous pouvez obtenir n'importe lequel des actifs si vous avez ETH dans votre portefeuille\",\"A/lwoe\":\"Choisissez l’un des services de rampe d’accès\",\"A6dCI6\":[\"Le montant maximal disponible pour emprunter est de <0/> \",[\"0\"],\" (<1/>).\"],\"AReoaV\":\"Vos emprunts\",\"ARu1L4\":\"Remboursé\",\"AV7cGz\":\"Examiner les détails de la taxe d'approbation\",\"AZOjB8\":\"Récupération de données...\",\"Ai0jas\":\"Rejoignez la discussion de la communauté\",\"Ajl2rq\":\"Le pouvoir d'emprunt et les actifs sont limités en raison du mode d'isolement.\",\"AqgYNC\":\"Plafond d’emprunt du protocole à 100% pour cet actif. Il n’est pas possible d’emprunter davantage.\",\"B3EcQR\":\"Merci d’avoir voté\xA0!!\",\"B6aXGH\":\"Stable\",\"B9Gqbz\":\"Taux variable\",\"BDFEd+\":\"Les stETH fournis en garantie continueront d’accumuler des récompenses de staking fournies par les rebasages quotidiens.\",\"BE2mP0\":\"Borrowed assets\",\"BJyN77\":\"Due to health factor impact, a flashloan is required to perform this transaction, but Aave Governance has disabled flashloan availability for this asset. Try lowering the amount or supplying additional collateral.\",\"BNL4Ep\":\"L'utilisation de la garantie est limitée en raison du mode d'isolement. <0>En savoir plus\",\"BQ/wCO\":\"Migrate your assets\",\"BjLdl1\":\"À prix réduit\",\"BnhYo8\":\"Catégorie d'actifs\",\"Bq9Y7e\":\"Cet actif est gelé en raison d’une décision de la communauté Aave. <0>Plus d’informations\",\"BqWMDJ\":\"Faucet\",\"BqynZO\":\"Optimized for efficiency and risk by supporting blue-chip collateral assets\",\"Bsu7zX\":\"The fee includes the gas cost to complete the transaction on the destination chain and the fee paid to Chainlink CCIP service providers. You can chose to pay in the network token or GHO. <0>Learn more\",\"BwJKBw\":\"de\",\"C4/GSi\":\"Your balance of assets that are available to stake\",\"CDrsH+\":\"Fiche technique\",\"CK1KXz\":\"Max\",\"CMHmbm\":\"Glissement\",\"CZXzs4\":\"Grec\",\"CcRNG6\":\"Transistor\",\"CkTRmy\":[\"Revendication \",[\"symbol\"]],\"CsqtLm\":\"Veuillez connecter votre portefeuille pour voir l’outil de migration.\",\"CtGlFb\":[[\"networkName\"],\" Robinet\"],\"Cxt2YY\":\"Watch wallet\",\"D33VQU\":\"Cette action réduira le facteur de santé de V3 en dessous du seuil de liquidation. Augmenter les garanties migrées ou réduire les emprunts migrés pour continuer.\",\"D8sc3k\":\"Stake balance\",\"D9BLRG\":\"This asset has been paused due to a community decision. Supply, withdraw, borrows and repays are impacted.\",\"DAma/S\":\"La garantie est (principalement) la même devise que celle qui est empruntée\",\"DCnFg0\":[\"Adresses (\",[\"0\"],\")\"],\"DG3Lv1\":\"Je comprends parfaitement les risques liés à la migration.\",\"DONJcV\":\"L'actif sous-jacent ne peut pas être sauvé\",\"DR+4uL\":\"Bilan de l’alimentation après le changement\",\"DWjrck\":[\"La ressource ne peut pas être migrée vers \",[\"marketName\"],\" V3 Market en raison des restrictions du mode E. Vous pouvez désactiver ou gérer les catégories du mode E dans votre <0>tableau de bord V3\"],\"Dj+3wB\":\"Aave par mois\",\"DptNvx\":\"Amount Staked\",\"DuEq2K\":\"Collatéralisation\",\"DxfsGs\":\"Vous pouvez signaler un incident sur notre <0>Discord ou<1>Github.\",\"Dzma+E\":\"Main Ethereum market with the largest selection of assets and yield options\",\"E/QGRL\":\"Désactivé\",\"EBL9Gz\":\"COPIÉ!\",\"ES8dkb\":\"Taux fixe\",\"EZd3Dk\":[\"Reprise \",[\"symbol\"]],\"EZqFZ+\":\"Staking this asset will earn the underlying asset supply yield in additon to other configured rewards.\",\"Ebgc76\":[\"Retrait \",[\"symbole\"]],\"EdQY6l\":\"Aucun/Aucune\",\"EjvKQ+\":\"Valeur minimale en USD reçue\",\"Enslfm\":\"Destination\",\"EvE9nO\":[\"Réactiver la période de recharge pour annuler le pieu \",[\"0\"],\" \",[\"stakedToken\"]],\"EvECnL\":\"Migrer vers la v3\",\"EzMQbh\":\"The source chain time to finality is the main factor that determines the time to destination. <0>Learn more\",\"F40cwT\":\"Legacy Markets\",\"F6TdXL\":\"Pour en savoir plus.\",\"FDDPeZ\":\"Users can stake their assets in the protocol and earn incentives. In the case of a shortfall event, your stake can be slashed to cover the deficit, providing an additional layer of protection for the protocol.\",\"FHlMf/\":\"Solde actuel de la v2\",\"FHpxjF\":[\"Le facteur de réserve est un pourcentage de l’intérêt qui va à un \",[\"0\"],\" qui est contrôlé par la gouvernance Aave pour promouvoir la croissance de l’écosystème.\"],\"FOBZa6\":\"Puissance d'emprunt utilisée\",\"FPKEug\":\"Opération non prise en charge\",\"FbmMe7\":\"Linked addresses\",\"Fdp03t\":\"sur\",\"Fjw9N+\":\"Actifs à déposer\",\"FmN0fk\":\"Remise en jeu\",\"GDGLIs\":\"GHO est un actif numérique natif décentralisé et adossé à des garanties, indexé sur le dollar américain. Il est créé par les utilisateurs en empruntant contre plusieurs garanties. Lorsque l’utilisateur rembourse sa position d’emprunt de HO, le protocole brûle le GHO de cet utilisateur. Tous les paiements d’intérêts accumulés par les minters de GHO seraient directement transférés à la trésorerie d’AaveDAO.\",\"GQrBTq\":\"Changer de mode E\",\"GWswcZ\":\"Cet actif est gelé en raison d’une décision de gouvernance du protocole Aave. Le 20 décembre 2022, renFIL ne sera plus pris en charge et ne pourra plus être reconnecté à son réseau natif. Il est recommandé de retirer les positions d’offre et de rembourser les positions d’emprunt afin que renFIL puisse être relié à FIL avant la date limite. Après cette date, il ne sera plus possible de convertir renFIL en FIL. <0>Plus d’informations\",\"GX8GKD\":\"Actifs\",\"GgEj+0\":\"Mode lecture seule. Connectez-vous à un portefeuille pour effectuer des transactions.\",\"GjkIKV\":\"Prend fin\",\"GoK/QN\":\"Thank you for submitting feedback!\",\"GtP2hp\":[\"L'emprunt n'est pas disponible, car vous avez activé le mode d'efficacité (E-Mode) pour la catégorie \",[\"0\"],\". Pour gérer les catégories E-Mode, visitez votre <0>tableau de bord.\"],\"H6Ma8Z\":\"Rabais\",\"HB/wfS\":[[\"tooltipText\"]],\"HKDsQN\":\"Rewards can be claimed through\",\"Ha/U5f\":\"This is a program initiated and implemented by the decentralised ZKSync community. Aave Labs does not guarantee the program and accepts no liability.\",\"HciqKU\":\"This is a program initiated and implemented by the decentralised Aave community. Aave Labs does not guarantee the program and accepts no liability.\",\"Hi6Ttn\":\"Désolé, une erreur inattendue s’est produite. En attendant, vous pouvez essayer de recharger la page, ou revenir plus tard.\",\"HkEDbS\":[[\"d\"],\"d\"],\"HmkYqM\":\"Fenêtre d'arrêt de staking\",\"HpK/8d\":\"Recharger\",\"HrnC47\":\"Enregistrer et partager\",\"HuVZMK\":\"Days\",\"HvJKMU\":[\"La ressource ne peut pas être migrée vers \",[\"marketName\"],\" v3 Marché puisque l’actif collatéral activera le mode d’isolation.\"],\"Hvwnm9\":[\"La quantité maximale disponible pour l’approvisionnement est limitée parce que le plafond d’approvisionnement du protocole est à \",[\"0\"],\"%.\"],\"I8CX2c\":\"Le montant total de vos actifs libellés en USD qui peut être utilisé comme garantie pour emprunter des actifs.\",\"IAD2SB\":[\"Prétendant \",[\"symbol\"]],\"IG9X9/\":\"L’emprunt de cet actif est limité à un certain montant afin de minimiser l’insolvabilité du pool de liquidités.\",\"IOIx8L\":\"Il est prévu que cet actif soit désactivé en raison d’une décision de gouvernance du protocole Aave. <0>Plus d’informations\",\"IP+I/j\":\"Période de recharge\",\"IaA40H\":\"Liquidation à\",\"J/hVSQ\":[[\"0\"]],\"JCoxL6\":\"Gérer l’analytique\",\"JK9zf1\":[\"Intérêts composés estimés, y compris l’escompte pour le jalonnement \",[\"0\"],\"AAVE dans le module de sécurité.\"],\"JOqFba\":[\"Déjalonnement \",[\"symbol\"]],\"JPrLjO\":\"Vous ne pouvez pas utiliser cette devise comme garantie\",\"JU6q+W\":\"Récompense(s) à réclamer\",\"JYKRJS\":\"Stake\",\"JZMxX0\":\"Pas assez de solde sur votre portefeuille\",\"Jgflkm\":\"Get GHO\",\"JoMQnI\":\"Solde du portefeuille\",\"JtwD8u\":\"Emprunter le solde après le remboursement\",\"JumYTK\":\"Supplied assets\",\"K05qZY\":\"Retrait et échange\",\"KAz/NV\":\"Le plafond d’endettement du protocole est de 100% pour cet actif. Il n’est pas possible d’emprunter davantage sur cet actif.\",\"KLXVqE\":[\"Les tokens stETH seront migrés vers Wrapped stETH à l’aide du wrapper Lido Protocol, ce qui entraîne une modification de l’équilibre de l’offre après la migration : \",[\"0\"]],\"KLd6ky\":\"Use connected account\",\"KRpokz\":\"VOIR TX\",\"KSlpka\":\"Cela représente le seuil auquel une position d'emprunt sera considérée comme sous-garantie et sujette à liquidation pour chaque garantie. Par exemple, si une garantie a un seuil de liquidation de 80\xA0%, cela signifie que la position sera liquidée lorsque la valeur de la dette vaut 80 % de la valeur de la garantie.\",\"KYAjf3\":\"Isolé\",\"KZwRuD\":[[\"notifyText\"]],\"KkPgim\":\"Changement de mode E\",\"KnN1Tu\":\"Expire\",\"KoOBI2\":\"En raison de la mécanique interne de stETH requise pour le rebasage de la prise en charge, il n’est pas possible d’effectuer un changement de garantie où stETH est le jeton source.\",\"KojyJ4\":\"Mauvais réseau\",\"KsqhWn\":\"Staking\",\"KuBTQq\":\"Entrez l'adresse ETH\",\"KvG1xW\":\"Réclamer\",\"L+8Lzs\":\"LTV actuelle\",\"L+qiq+\":\"Marché\",\"LDzfVJ\":\"Send Feedback\",\"LIrMcF\":\"Pas de pouvoir de vote\",\"LL0zks\":\"Peut être collatéral\",\"LLdJWu\":\"AAVE Réclamable\",\"LSIpNK\":\"Emprunter et rembourser dans le même bloc n'est pas autorisé\",\"LVt3TI\":[\"<0>Tolérance de glissement <1>\",[\"selectedSlippage\"],\"% <2>\",[\"0\"],\"\"],\"LjafV8\":\"Maximum collateral amount to use\",\"LtpQew\":\"Let us know how we can make the app better for you. For user support related inquiries please reach out on\",\"LvVpD/\":\"Emode\",\"M2sknc\":\"Astuce : Essayez d’augmenter le glissement ou de réduire la quantité d’entrée\",\"M7wPsD\":\"Interrupteur\",\"MFu33y\":\"Staking 00\",\"MIy2RJ\":\"Maximum amount received\",\"MZ/nQf\":\"Adresse du destinataire\",\"Ma/MtY\":\"vue de staking\",\"McHlGl\":\"Changement d’APY\",\"MeCCA+\":\"APY, variable\",\"MghdTe\":\"Si le facteur de santé descend en dessous de 1, la liquidation de votre collatéral peut être déclenchée.\",\"Mm/DVQ\":\"Vous avez annulé la transaction.\",\"MnE2QX\":\"Emprunter des informations\",\"MrmQHg\":\"View Bridge Transactions\",\"MuDFEQ\":\"Valeur de retour invalide de la fonction flashloan executor\",\"N5kUMV\":\"L’actif ne peut être utilisé comme garantie qu’en mode isolé avec un pouvoir d’emprunt limité. Pour passer en mode d’isolation, désactivez toutes les autres garanties.\",\"N6Pxr9\":\"View all\",\"NF0e1Q\":\"En attente...\",\"NK9ikO\":\"Solde du portefeuille\",\"NMt2CB\":\"Montant réclamable\",\"NcFGxG\":\"Contrat de collectionneur\",\"NfpPeS\":\"Rien staké\",\"Nh9DAo\":[[\"m\"],\"m\"],\"O+sCUU\":\"Le plafond de mintage non soutenu est dépassé\",\"O+tyU+\":[\"Le montant maximal disponible pour emprunter sur cet actif est limité car le plafond de la dette est à \",[\"0\"],\"%.\"],\"O3oNi5\":\"Email\",\"OFjZGo\":\"Unstake\",\"OR8cYX\":\"Aperçu de la proposition\",\"OYuJ9K\":\"Le plafond d’endettement du protocole est de 100% pour cet actif. Il n’est pas possible d’emprunter sur cet actif.\",\"OfhWJH\":\"Réinitialisation\",\"Og2SKn\":\"handicapé\",\"On0aF2\":\"Site internet\",\"OsyKSt\":\"Retirer\",\"P1dURE\":\"Révoquer le pouvoir\",\"P2WCD/\":[\"L’actif sous-jacent n’existe pas dans \",[\"marketName\"],\" v3 Market, par conséquent, cette position ne peut pas être migrée.\"],\"P2sL6B\":\"Lorsqu'une liquidation survient, les liquidateurs remboursent jusqu'à 50 % de l'encours emprunté au nom de l'emprunteur. En contrepartie, ils peuvent acheter le collatéral à prix réduit et conserver la différence (pénalité de liquidation) en bonus.\",\"P6sRoL\":\"Mise en jeu ABPT\",\"P72/OW\":\"La moyenne pondérée de l'APY pour tous les actifs empruntés, y compris les incitatifs.\",\"P7e6Ug\":\"Veuillez connecter votre portefeuille pour consulter l’historique des transactions.\",\"PByO0X\":\"Votes\",\"PI+kVe\":\"Disable fork\",\"PJK9u/\":\"Emprunter apy\",\"PLUB/s\":\"Fee\",\"PP5ZA8\":[\"Participating in staking \",[\"symbol\"],\" gives annualized rewards. Your wallet balance is the sum of your aTokens and underlying assets. The breakdown to stake is below\"],\"PcBUgb\":\"Seuil de liquidation\",\"PjU6bu\":\"This asset is eligible for SPK incentive program. Aave Labs does not guarantee the program and accepts no liability.\",\"PpqD5g\":\"L'activation de cet actif comme garantie augmente votre pouvoir d'emprunt et votre facteur de santé. Cependant, il peut être liquidé si votre facteur de santé tombe en dessous de 1.\",\"PsOFSf\":\"Cette action réduira le facteur de santé V2 en dessous du seuil de liquidation. Conservez la garantie ou migrez la position d’emprunt pour continuer.\",\"Pu4bI/\":[[\"currentMethod\"]],\"Q0LzKi\":\"View TX\",\"Q4eNqa\":\"The Aave Balancer Pool Token (ABPT) is a liquidity pool token. You can receive ABPT by depositing a combination of AAVE + wstETH in the Balancer liquidity pool. You can then stake your BPT in the Safety Module to secure the protocol and earn Safety Incentives.\",\"QQYsQ7\":\"Withdrawing\",\"QWYCs/\":\"Stake GHO\",\"R+30X3\":\"Non atteint\",\"RCU5PY\":\"Age\",\"RIfckG\":[\"Désactiver \",[\"symbol\"],\" comme garantie\"],\"RMtxNk\":\"Différentiel\",\"RNK49r\":\"Signature non valide\",\"RS0o7b\":\"État\",\"RU+LqV\":\"Détails de la proposition\",\"RbXH+k\":\"AAVE, GHO, and ABPT holders (Ethereum network only) can stake their assets in the Safety Module to add more security to the protocol and earn Safety Incentives. In the case of a shortfall event, your stake can be slashed to cover the deficit, providing an additional layer of protection for the protocol.\",\"RiSYV4\":\"L'actif n'est pas répertorié\",\"Rj01Fz\":\"Liens\",\"RmWFEe\":\"APR staké\",\"RoafuO\":\"Envoyer des commentaires\",\"RtBLm7\":\"Le facteur santé est inférieur au seuil de liquidation\",\"RxzN1M\":\"Activé\",\"SDav7h\":\"Fonds dans le Safety Module\",\"SENccp\":\"Si l’erreur persiste,<0/> vous pouvez la signaler à ce\",\"SIWumd\":\"Afficher les ressources gelées ou mises en pause\",\"SM58dD\":\"Quantité en temps de recharge\",\"SSMiac\":\"Impossible de charger les votants de proposition. Veuillez rafraîchir la page.\",\"SSQVIz\":\"Seuil de liquidation\",\"SUb8x0\":\"Total disponible\",\"SWIgh4\":\"Fees exceed wallet balance\",\"SY9hVo\":\"Le mode lecture seule permet de voir les positions d’adresses dans Aave, mais vous ne pourrez pas effectuer de transactions.\",\"SZRUQ4\":\"Glissement maximal\",\"Sa1UE/\":\"Le plafond d’emprunt du protocole est de 100 % pour cet actif. Il n’est pas possible d’emprunter davantage.\",\"Sk2zW9\":\"Désactiver le E-mode\",\"SxaD0o\":\"Le fournisseur d'adresses de pool n'est pas enregistré\",\"T/AIqG\":\"Limite d’approvisionnement du protocole à 100 % pour cet actif. D’autres approvisionnements ne sont pas disponibles.\",\"T0xCO9\":\"Can't validate the wallet address. Try again.\",\"T4OhVl\":\"GHO balance\",\"T6uYU2\":\"Emprunter\",\"TFxQlw\":\"Pénalité de liquidation\",\"TQ7WsV\":\"Available to stake\",\"TUI7iB\":\"L'actif ne peut être utilisé comme garantie qu'en mode isolé.\",\"TbjyhA\":\"Docs\",\"TduuS0\":\"L'utilisateur n'a pas de dette à taux stable impayée sur cette réserve\",\"TeCFg/\":\"Modification du taux d’emprunt\",\"Tg1JyO\":\"Bridge history\",\"TskbEN\":\"Les détenteurs de stkAAVE bénéficient d’une réduction sur le taux d’emprunt GHO\",\"TszKts\":\"Emprunter le solde après le changement\",\"TtZL6q\":\"Paramètres du modèle de remise\",\"TwJI9F\":\"Asset has been successfully sent to CCIP contract. You can check the status of the transactions below\",\"Tz0GSZ\":\"Activités bloquées\",\"U/eBjN\":\"Recharger la page\",\"U2r8nY\":\"Choose how much voting/proposition power to give to someone else by delegating some of your AAVE, stkAAVE or aAave balance. Your tokens will remain in your account, but your delegate will be able to vote or propose on your behalf. If your AAVE, stkAAVE or aAave balance changes, your delegate's voting/proposition power will be automatically adjusted.\",\"U8IubP\":\"L’application s’exécute en mode réseau de test. Découvrez comment cela fonctionne dans\",\"U9btTk\":\"L'actif n'est pas empruntable en mode d'isolement\",\"UAOZRe\":\"L’impact sur les prix est l’écart entre la valeur totale des tokens d’entrée échangés et les tokens de destination obtenus (en USD), qui résulte de la liquidité limitée de la paire de trading.\",\"UE3KJZ\":\"L’historique des transactions n’est actuellement pas disponible pour ce marché\",\"URmyfc\":\"Détails\",\"UTTKmT\":\"Temps de recharge de la mise activé\",\"UXeR72\":\"Ces fonds ont été empruntés et ne peuvent pas être retirés pour le moment.\",\"UYb8CM\":\"Learn more about the SPK rewards\",\"UbRrG0\":\"Le ratio LTV maximum représente le pouvoir d'emprunt maximum d'une garantie spécifique. Par exemple, si une garantie a un LTV de 75 %, l'utilisateur peut emprunter jusqu'à 0,75 ETH dans la devise principale pour chaque 1 ETH de garantie.\",\"UpndFj\":\"Aucune récompense à réclamer\",\"V0f2Xv\":\"Facteur de réserve\",\"V1HK43\":\"Risques liés à la migration\",\"VATFH9\":\"Dette couverte\",\"VHOVEJ\":\"Connecter le portefeuille\",\"VMfYUK\":\"Sécurité de votre garantie déposée contre les actifs empruntés et sa valeur sous-jacente.\",\"VOAZJh\":\"Total des emprunts\",\"ViKYxK\":\"YAE\",\"W1SSoD\":\"Examiner les détails de la transaction\",\"W5hVah\":\"Rien fourni pour le moment\",\"W5kTFy\":\"Vote\",\"W8ekPc\":\"Retour au tableau de bord\",\"WMPbRK\":\"Sans support\",\"WNGZwH\":\"E-Mode augmente votre LTV pour une catégorie d'actifs sélectionnée jusqu'à <0/>. <1>En savoir plus\",\"WPWG/y\":\"Statut et configuration de la réserve\",\"WZLQSU\":\"L'utilisateur ne peut pas retirer plus que le solde disponible\",\"WaZyaV\":\"<0>Ampleforth est un actif de rebasage. Consultez la <1>documentation pour en savoir plus.\",\"WfU+XN\":\"Étant donné que cette ressource est suspendue, aucune action ne peut être entreprise jusqu’à nouvel ordre\",\"Wjmqs2\":\"No results found. You can import a custom token with a contract address\",\"WkZ6C6\":\"Pour emprunter, vous devez fournir tout actif à utiliser comme garantie.\",\"WyMiQm\":\"Vous avez réussi à changer de jeton.\",\"X/ITG9\":\"Copier le texte d'erreur\",\"X3Pp6x\":\"Utilisé comme collatéral\",\"X4Zt7j\":\"L'action ne peut pas être effectuée car la réserve est mise en pause\",\"XBdKOj\":\"Representative smart contract wallet (ie. Safe) addresses on other chains.\",\"XZzneG\":\"Vous quitterez le mode d'isolement et d'autres jetons peuvent désormais être utilisés comme collatéral\",\"Xg5y9S\":\"Amount to Bridge\",\"Xn4hUi\":\"Veuillez toujours tenir compte de votre <0>facteur de santé (HF) lors de la migration partielle d’une position et que vos tarifs seront mis à jour vers les taux V3.\",\"Xy71ST\":\"Umbrella\",\"Y5kGkc\":\"VOTER NON\",\"YDIOks\":\"Activation du E-Mode\",\"YSodyW\":\"Cette action réduira votre facteur de santé. Veuillez garder à l’esprit le risque accru de liquidation des garanties.\",\"YXOWXM\":\"The total amount bridged minus CCIP fees. Paying in network token does not impact gho amount.\",\"YirHq7\":\"Feedback\",\"YogbCJ\":\"Le mode réseau de test est activé\",\"YrDxdO\":\"Si votre prêt à la valeur dépasse le seuil de liquidation, votre garantie fournie peut être liquidée.\",\"YyIM65\":\"Les conditions de rééquilibrage des taux d'intérêt n'ont pas été remplies\",\"YyydIq\":[\"Ajouter \",[\"0\"],\" à Wallet pour suivre votre solde.\"],\"ZBvhI+\":\"Gouvernance Aave\",\"ZIIRAd\":\"Raw-Ipfs\",\"ZRq4tX\":\"Mode efficacité (E-Mode)\",\"ZSqEW+\":\"Manage E-Mode\",\"ZUFYFE\":\"Désactiver le réseau de test\",\"Zbyywy\":\"Coupure maximale\",\"ZfUGFb\":\"Avant de déposer\",\"ZiXN+B\":\"Assets to stake\",\"ZlsSDH\":\"Valeur de liquidation\",\"ZrEc8j\":\"Nous n’avons trouvé aucun élément lié à votre recherche. Réessayez avec un autre nom, symbole ou adresse de ressource.\",\"ZsLF7e\":\"Activé\",\"a0YQoQ\":\"Enter a valid address\",\"a2fBZn\":\"Temps restant pour dépiquer\",\"a5RYZd\":\"La désactivation de cet actif en tant que garantie affecte votre pouvoir d'emprunt et votre facteur de santé.\",\"a7u1N9\":\"Prix\",\"a9D+6D\":\"Non jalonné\",\"aEtiwq\":\"Vote NAY\",\"aMmFE1\":\"Acheter des crypto-monnaies avec des monnaies fiduciaires\",\"aOKIms\":\"Les paramètres de tableau devraient être de même longueur ne sont pas\",\"aX31hk\":\"Votre solde est inférieur au montant sélectionné.\",\"adUsDd\":\"An error has occurred fetching the proposal.\",\"al6Pyz\":\"Dépasse la remise\",\"aoXTT7\":\"Prêt APY, variable\",\"aqX1Yp\":\"This asset is eligible for rewards through SuperFest. Aave Labs does not guarantee the program and accepts no liability.\",\"avgETN\":\"Eligible for the Merit program.\",\"b4NS3e\":\"Avertissement de période de refroidissement\",\"bBHmeP\":\"Available to withdraw\",\"bNEQeI\":\"Cooldown\",\"bSruit\":\"ZKSync Ignite Program rewards are claimed through the\",\"bUUVED\":\"Actif\",\"bXQ/Og\":\"Partager sur Twitter\",\"bXr0ee\":\"Les actifs isolés ont un pouvoir d'emprunt limité et les autres actifs ne peuvent pas être utilisés comme garantie.\",\"bYmAV1\":\"Adresses\",\"bguKoJ\":\"Le montant demandé est supérieur au montant maximum du prêt en mode taux stable\",\"bwSQI0\":\"Fournir\",\"bxN6EM\":\"Impossible de désactiver le mode E\",\"bxmzSh\":\"Pas assez de collatéral pour rembourser ce montant de dette avec\",\"c91vuQ\":\"L'adresse n'est pas un contrat\",\"c97os2\":\"Aave aToken\",\"c9b44w\":\"Vous ne pouvez pas retirer ce montant car cela entraînera un appel de garantie\",\"cBc+4A\":\"Il s'agit du montant total que vous pouvez emprunter. Vous pouvez emprunter en fonction de votre garantie et jusqu'à ce que le plafond d'emprunt soit atteint.\",\"cIl5kp\":\"Votre pouvoir de vote est basé sur votre solde AAVE/stkAAVE et les délégations reçues.\",\"cLo09S\":\"Détails des risques\",\"cNT+ij\":\"L'emprunt n'est pas disponible car vous avez activé le mode Efficacité (E-Mode) et le mode Isolation. Pour gérer le mode E et le mode Isolation, rendez-vous sur votre <0>tableau de bord.\",\"cZOeBk\":\"Something went wrong fetching bridge message, please try again later.\",\"ceix5S\":\"Pour soumettre une proposition de modifications mineures du protocole, vous aurez besoin d’une puissance d’au moins 80,00 K. Si vous souhaitez modifier la base de code de base, vous aurez besoin d’une puissance de 320k. <0>Pour en savoir plus.\",\"ciSsYT\":\"Staking APY\",\"ciybUa\":\"Vote YAE\",\"ckf7gX\":[\"Remboursement \",[\"symbole\"]],\"cp1ZDP\":[\"Bridge \",[\"symbol\"]],\"cqnmnD\":\"Taux d’intérêt effectif\",\"cqwIvs\":\"Discussion de forum\",\"csDS2L\":\"Disponible\",\"cu7Stb\":\"Vous n'avez pas participé à cette proposition\",\"dE6BLF\":\"Gouvernance\",\"dEgA5A\":\"Annuler\",\"dIsyWh\":\"Échec de la validation LTV\",\"dMtLDE\":\"À\",\"dOB5nW\":[\"La quantité maximale disponible pour la fourniture est de <0/> \",[\"0\"],\" (<1/>).\"],\"dVfODp\":\"Vous n'avez pas assez de fonds dans votre portefeuille pour rembourser le montant total. Si vous continuez à rembourser avec votre montant actuel de fonds, vous aurez toujours une petite position d'emprunt dans votre tableau de bord.\",\"dXUQFX\":\"Actifs à emprunter\",\"dgr1aY\":\"L’emprunt est désactivé en raison d’une décision de la communauté Aave. <0>Plus d’informations\",\"djsg0o\":\"Usage de collatéral\",\"dpc0qG\":\"Variable\",\"drdV8R\":\"Liquidation\",\"dxW8cS\":\"Jeton de dette Aave\",\"e4V3oW\":\"Top 10 des adresses\",\"eD8WX/\":\"L'action nécessite une réserve active\",\"eJRJ04\":\"Montant à la mise en jeu\",\"eLh0cL\":\"Le slippage est la différence entre les montants cotés et reçus en raison de l’évolution des conditions du marché entre le moment où la transaction est soumise et sa vérification.\",\"ePK91l\":\"Edit\",\"eVpCmf\":\"Récompenses de staking\",\"eVqvtf\":\"Bridge GHO\",\"eYdurp\":\"Aucune transaction n’a encore été effectuée.\",\"ebLGGN\":\"Total emprunté\",\"ecqEvn\":\"Le solde de la garantie est de 0\",\"efdrrk\":\"Disponible sur\",\"enruNF\":\"Commence\",\"eqLYiD\":\"Arrêter de staker maintenant\",\"euScGB\":\"APY avec remise appliquée\",\"evw5ha\":\"Valeur nette\",\"ezcU16\":\"Obtenir le jeton ABP\",\"f3W0Ej\":[\"Vous êtes passé au tarif \",[\"0\"]],\"fH9i8k\":\"Vous avez réussi à changer de position d’emprunt.\",\"fHcELk\":\"APR Net\",\"fMJQZK\":\"Emprunté\",\"fZ5Vnu\":\"Reçu\",\"firl9Q\":\"Votre prêt actuel à la valeur en fonction de votre collatéral fournie.\",\"flRCF/\":\"Remise sur le staking\",\"fldjW9\":\"Prévisualiser tx et migrer\",\"fsBGk0\":\"Solde\",\"fu1Dbh\":[\"Retirer \",[\"symbole\"]],\"fwjWSI\":\"Fourni\",\"fwyTMb\":\"Migrate to stkABPT v2\",\"g0mals\":\"You can not disable E-Mode because that could cause liquidation. To exit E-Mode supply or repay borrowed positions.\",\"g2UNkE\":\"Alimenté par\",\"g8KGoA\":\"Foire aux questions\",\"g9zzqS\":\"A voté NAY\",\"gDd2gk\":\"about SuperFest.\",\"gFFh9h\":\"Tout est fait !\",\"gIMJlW\":\"Mode réseau test\",\"gOzPxe\":\"Cet actif est gelé en raison d’une décision de gouvernance du protocole Aave. <0>Plus d’informations\",\"gTHi2T\":\"L'utilisateur essaie d'emprunter plusieurs actifs, y compris un en silo\",\"gVW59Y\":\"Veuillez connecter votre portefeuille pour obtenir des ressources de réseau de test gratuites.\",\"gcFNxP\":\"Approuver Confirmé\",\"gncRUO\":\"Cette adresse est bloquée sur app.aave.com car elle est associée à un ou plusieurs\",\"goff7V\":\"Adresse zéro non-valide\",\"gp+f1B\":\"Variante 3\",\"gr8mYw\":\"Vous pouvez emprunter jusqu’à GHO à <0/> <1/> (rabais maximum)\",\"gvTM4B\":\"L'APY net est l'effet combiné de toutes les positions d'offre et d'emprunt sur la valeur nette, y compris les incitations. Il est possible d'avoir un APY net négatif si l'APY de la dette est supérieur à l'APY de l'offre.\",\"gzcch9\":\"Frais de protocole de pont invalide\",\"h33MxW\":\"Representing smart contract wallet (ie. Safe) addresses on other chains.\",\"h3ilK+\":\". .CSV\",\"hB23LY\":\"Activer le temps de recharge\",\"hIJzBh\":\"Available to Claim\",\"hIS4N0\":\"APY Net\",\"hRWvpI\":\"Revendiqué\",\"hdmy/o\":\"Le % de votre pouvoir d'emprunt total utilisé. Ceci est basé sur le montant de votre garantie fournie et le montant total que vous pouvez emprunter.\",\"hehnjM\":\"Montant\",\"hjDCQr\":\"Il y a eu une erreur. Veuillez essayer de modifier les paramètres ou <0><1>copier l'erreur\",\"hom7qf\":\"Réclamer\",\"hpHJ4I\":\"Garantie liquidée\",\"hpuVIp\":\"Users who stake AAVE in Safety Module (i.e. stkAAVE holders) receive a discount on GHO borrow interest rate.\",\"huQ6Tz\":[\"Emprunter \",[\"symbole\"]],\"hxi7vE\":\"Emprunter le solde\",\"i/fZ2Z\":\"Staked Balance\",\"i2JTiw\":\"Vous pouvez saisir un montant personnalisé dans le champ.\",\"iB5+/J\":\"À propos de GHO\",\"iChbOF\":\"Paramètres de prêt flash incohérents\",\"iEPVHF\":\"Pas assez de pouvoir de vote pour participer à cette proposition\",\"iEW87X\":\"Délégation de pouvoirs\",\"iEju36\":[\"Vous avez voté \",[\"0\"]],\"iFq2YN\":\"Borrowable\",\"iGxyIA\":\"Safety Module\",\"iMVZk9\":\"Sélectionner la tolérance de glissement\",\"iPMIoT\":\"Entrez un montant\",\"iSLIjg\":\"Connect\",\"iUo5rv\":\"tokens n'est pas la même chose que de les staker . Si vous souhaitez staker votre\",\"iZxa38\":\"Utilisez-le pour voter pour ou contre les propositions actives.\",\"if5PH+\":\"Informations sur le collectionneur\",\"igkfR1\":[\"En mode Isolation, vous ne pouvez pas fournir d’autres actifs en garantie. Un plafond d’endettement global limite le pouvoir d’emprunt de l’actif isolé. Pour quitter le mode d’isolement, désactivez \",[\"0\"],\" en garantie avant d’emprunter un autre actif. Pour en savoir plus, consultez notre <0>FAQ\"],\"il0sEG\":\"L'utilisation du collatéral est limitée en raison du mode d'isolation.\",\"j+K1Xj\":\"Amount After Fee\",\"jA2QeW\":\"Fournir votre\",\"jFi7dz\":\"Interest rate that is determined by Aave Governance. This rate may be changed over time depending on the need for the GHO supply to contract/expand. <0>Learn more\",\"jG3UJ7\":\"Désactiver le E-mode\",\"jKYzR1\":\"Activer le E-Mode\",\"jMam5g\":[[\"0\"],\" Balance\"],\"jSYv+Z\":\"Enabling E-Mode allows you to maximize your borrowing power, however, borrowing is restricted to assets within the selected category. <0>Learn more about how it works and the applied restrictions.\",\"jaKbwW\":[[\"s\"],\"s\"],\"jbFMap\":\"Temps de recharge restant\",\"jeMZNr\":[[\"0\"],\" Le service de rampe d’accès est fourni par le fournisseur externe et, en le sélectionnant, vous acceptez les conditions du fournisseur. Votre accès au service peut dépendre de l’opérationnalité du fournisseur externe.\"],\"jfl9OP\":\"Migré\",\"jmXdoY\":\"En E-Mode, certains actifs ne sont pas empruntables. Quittez le E-mode pour accéder à tous les actifs\",\"jpctdh\":\"Vue\",\"jqzUyM\":\"Non disponible\",\"k/sb6z\":\"Choisir la langue\",\"k3wP3f\":\"<0>Attention: Les changements de paramètres via la gouvernance peuvent modifier le facteur de santé de votre compte et le risque de liquidation. Suivez le <1>forum de gouvernance d’Aave pour les mises à jour.\",\"kACpF3\":[\"Réclamer \",[\"0\"]],\"kH6wUX\":\"Impact sur les prix\",\"kIC28N\":\"Available to claim\",\"kIpSye\":[[\"numSelected\"],\"/\",[\"numAvailable\"],\" Actifs sélectionnés\"],\"kN1Yg5\":\"Pour rembourser au nom d'un utilisateur, un montant explicite à rembourser est nécessaire\",\"kRTD40\":[\"Montant de remboursement à atteindre \",[\"0\"],\"% d’utilisation\"],\"kjN9tT\":\"Le plafond d'approvisionnement est dépassé\",\"knxE+G\":\". JSON (en anglais seulement)\",\"ks2LWT\":\"Le plafond de la dette n'est pas nul\",\"kwwn6i\":\"Les utilisateurs qui misent des AAVE dans le module de sécurité (c’est-à-dire les détenteurs de stkAAVE) bénéficient d’une réduction sur le taux d’intérêt d’emprunt de HO. La réduction s’applique à 100 GHO pour chaque 1 stkAAVE détenu. Utilisez le calculateur ci-dessous pour voir le taux d’emprunt GHO avec le rabais appliqué.\",\"kz3wtK\":\"and about SPK program\",\"kzZyM4\":\"DAI balance will be converted via DSR contracts and then supplied as sDAI. Switching incurs no additional costs and no slippage.\",\"lNVG7i\":\"Sélectionner une ressource\",\"lU2d1/\":[\"L’actif ne peut pas être migré en raison d’une liquidité insuffisante ou d’une limitation du plafond d’emprunt \",[\"marketName\"],\" v3 marché.\"],\"lVhKKI\":\"A voté YAE\",\"lWLqxB\":\"Nous n’avons trouvé aucune transaction liée à votre recherche. Réessayez avec un autre nom de ressource ou réinitialisez les filtres.\",\"lYGfRP\":\"Anglais\",\"lfEjIE\":\"En savoir plus dans notre <0>guide FAQ\",\"lt6bpt\":\"Garantie à rembourser\",\"m/IEhi\":\"Émission totale par jour\",\"m7r7Hh\":\"Sélection d’actifs d’emprunt\",\"mDDK4p\":\"Balancer Pool\",\"mIM0qu\":\"Montant prévu à rembourser\",\"mUAFd6\":\"Variante 2\",\"masO5Z\":\"E-Mode increases your LTV for a selected category of assets. <0>Learn more\",\"mdNjKU\":[\"Votre \",[\"name\"],\" Le portefeuille est vide. Acheter ou transférer des actifs ou utiliser <0>\",[\"0\"],\" pour transférer votre \",[\"network\"],\" actif.\"],\"muiOng\":[\"Acheter \",[\"cryptoSymbol\"],\" avec Fiat\"],\"mvCXBY\":\"Mise en jeu AAVE\",\"mwdzil\":\"D'accord, fermer\",\"mzI/c+\":\"Télécharger\",\"mzdIia\":\"L'actif ne peut pas être utilisé comme collatéral.\",\"n+SX4g\":\"Développeurs\",\"n8Psk4\":\"Nous n’avons pas pu détecter de portefeuille. Connectez un portefeuille pour staker et consulter votre solde.\",\"nJIhzm\":\"Fournir apy\",\"nJgsQu\":\"Avec un pouvoir de vote de <0/>\",\"nLC6tu\":\"Français\",\"nN2T8p\":\"During the cooldown period, you will not earn any merit rewards. However, rewards earned up to this point will remain unaffected.\",\"nNHV0z\":\"La migration simultanée de plusieurs garanties et d’actifs empruntés peut s’avérer coûteuse et peut échouer dans certaines situations. <0>Par conséquent, il n’est pas recommandé de migrer des positions avec plus de 5 actifs (déposés + empruntés) en même temps.\",\"nNbnzu\":\"Proposition\",\"nOy4ob\":\"Nous vous suggérons de revenir au tableau de bord.\",\"nPGNMh\":\"Peut être exécuté\",\"nUK1ou\":[\"Assets with zero LTV (\",[\"0\"],\") must be withdrawn or disabled as collateral to perform this action\"],\"nakd8r\":\"Les détenteurs de stkAAVE bénéficient d’une réduction sur le taux d’emprunt GHO\",\"nh2EJK\":[\"Veuillez passer à \",[\"networkName\"],\".\"],\"njBeMm\":\"Les deux\",\"noN5Xf\":\"We couldn’t detect a wallet. Connect a wallet to view your staking positions and rewards.\",\"ntkAoE\":\"Remise appliquée pour <0/> le staking d’AAVE\",\"ntyFSE\":[[\"h\"],\"h\"],\"nwtY4N\":\"Quelque chose s’est mal passé\",\"nxyWvj\":\"Le retrait de ce montant réduira votre facteur santé et augmentera le risque de liquidation.\",\"o17QVP\":\"Votre facteur de santé et votre prêt à la valeur déterminent l'assurance de votre collatéral. Pour éviter les liquidations, vous pouvez fournir plus de garanties ou rembourser les positions d'emprunt.\",\"o1xc2V\":\"L'approvisionnement en aTokens n'est pas nul\",\"o4tCu3\":\"Emprunter de l’APY\",\"o5ooMr\":\"Dette\",\"o7J4JM\":\"Filtrer\",\"oHFrpj\":\"Temps de recharge pour déstaker\",\"oJ5ZiG\":\"L'utilisateur n'a pas de dette à taux variable impayée sur cette réserve\",\"oRBGin\":\"Veuillez connecter votre portefeuille pour pouvoir échanger vos jetons.\",\"oUwXhx\":\"Ressources de test\",\"oWklJD\":\"Le taux d'intérêt stable <0>restera le même pendant toute la durée de votre prêt. Recommandé pour les périodes de prêt à long terme et pour les utilisateurs qui préfèrent la prévisibilité.\",\"odnIK3\":\"Time remaining until the 48 hour withdraw period starts.\",\"oiK5nY\":\"The current incentives period, decided on by the Aave community, has ended. Governance is in the process on renewing, check for updates. <0>Learn more.\",\"olREoo\":\"All borrow positions outside of this category must be closed to enable this category.\",\"om/XHs\":\"Disponible au dépôt\",\"ov0+mq\":\"Eligible for the ZKSync Ignite program.\",\"ovT1pF\":[\"Per the community, the \",[\"market\"],\" has been frozen.\"],\"ow3fug\":\"Rien n’a été trouvé\",\"owSsI3\":\"Signatures prêtes\",\"p+R52m\":\"Accéder à Balancer Pool\",\"p2A+s1\":[\"La période de recharge est de \",[\"0\"],\". Après \",[\"1\"],\" de temps de recharge, vous entrerez dans la fenêtre de désengagement de \",[\"2\"],\". Vous continuerez à recevoir des récompenses pendant le temps de recharge et la fenêtre de retrait.\"],\"p2S64u\":\"Le ratio prêt/valeur des positions migrées entraînerait la liquidation. Augmenter les garanties migrées ou réduire les emprunts migrés pour continuer.\",\"p2Z2Qi\":\"Cet actif a atteint son plafond d'emprunt. Rien n'est disponible pour être emprunté à ce marché.\",\"p3j+mb\":\"Votre solde de récompenses est de 0\",\"p45alK\":\"Configurer la délégation\",\"p6u2s1\":\"Minimum amount of debt to be repaid\",\"pDgeaz\":[[\"title\"]],\"pdZqBk\":\"Le solde sous-jacent doit être supérieur à 0\",\"pgWG9H\":\"Pas assez de solde staké\",\"piPrJ7\":\"veuillez vérifier que le montant que vous souhaitez fournir n'est pas actuellement utilisé pour le staking. S'il est utilisé pour le staking, votre transaction peut échouer.\",\"pjO/iH\":\"Minimum amount received\",\"pooutM\":\"Voting is on\",\"pqaM5s\":\"Confirming transaction\",\"ptaxX3\":[\"Je comprends comment fonctionnent le temps de recharge (\",[\"0\"],\") et le retrait (\",[\"1\"],\")\"],\"py2iiY\":\"L'appelant de cette fonction doit être un pool\",\"q/51mF\":\"Migrer vers la V3\",\"q3df11\":\"Stratégie de taux d’intérêt\",\"q6lAbz\":\"Staké\",\"qB4kPi\":\"Fournir APY\",\"qENI8q\":\"Paramètres globaux\",\"qGz5zl\":\"Solde de garantie après remboursement\",\"qIW9ZH\":\"Amount staked\",\"qOqbD6\":\"copier l'erreur\",\"qXCkEM\":\"Veuillez connecter votre portefeuille pour voir vos fournitures, vos emprunts et vos positions ouvertes.\",\"qY2jnw\":\"Expiration invalide\",\"qf/fr+\":\"Intérêts courus\",\"qhhf9L\":\"Rewards available to claim\",\"quYPUU\":\"Variable interest rate will <0>fluctuate based on the market conditions.\",\"quzIeW\":\"User is in isolation mode or LTV is zero\",\"qvnz3q\":\"Montant non valide à brûler\",\"rHgdb0\":\"Migrate to Aave V3\",\"rOrHHe\":\"Le montant doit être supérieur à 0\",\"rQ+R+0\":\"Sélection d’actifs d’approvisionnement\",\"rSayea\":\"APY\",\"rTBDeu\":[\"L’actif ne peut pas être migré car vous disposez d’une garantie isolée dans \",[\"marketName\"],\" v3 Marché qui limite les actifs empruntables. Vous pouvez gérer vos garanties dans <0>\",[\"marketName\"],\" Tableau de bord V3\"],\"rcT+yy\":\"Afficher les actifs avec 0 solde\",\"rf8POi\":\"Montant de l’actif emprunté\",\"riNWOA\":\"E-Mode\",\"rjGI/Q\":\"Vie privée\",\"rnKPW1\":\"Watch a wallet balance in read-only mode\",\"ruc7X+\":\"Ajoutez stkAAVE pour voir l’APY d’emprunt avec la remise\",\"rvbaFU\":[\"Bridging \",[\"symbol\"]],\"rwVVB7\":\"Réclamez toutes les récompenses\",\"rwyUva\":\"Ces actifs sont temporairement gelés ou suspendus par des décisions de la communauté Aave, ce qui signifie qu’il n’est pas possible d’obtenir / emprunter ou d’échanger des taux de ces actifs. Les retraits et les remboursements de dettes sont autorisés. Suivez le <0>forum de gouvernance d’Aave pour d’autres mises à jour.\",\"rxJW5W\":\"Votre pouvoir de proposition est basé sur votre solde AAVE/stkAAVE et les délégations reçues.\",\"s2jJnW\":\"You don't have any bridge transactions\",\"s5wBAq\":[\"Unstake \",[\"symbol\"]],\"sJbIdI\":\"Enter ETH address or ENS\",\"sK+Nag\":\"Réviser tx\",\"sP2+gB\":\"NON\",\"sQv06Y\":\"pour\",\"sTtO6J\":\"Confirm transaction\",\"sXKb3l\":\"Exchange rate\",\"sb0q4+\":\"Vous unstaké ici\",\"smJNwH\":\"Disponible à emprunter\",\"solypO\":\"Le facteur de santé n'est pas inférieur au seuil\",\"sr0UJD\":\"Retourner\",\"ss5GCK\":\"L'adresse du fournisseur d'adresses du pool n'est pas valide\",\"swEgK4\":\"Vos informations de vote\",\"t+wtgf\":\"Aucun emprunt pour l'instant\",\"t/YqKh\":\"Remove\",\"t81DpC\":[\"Approuver \",[\"symbol\"],\" pour continuer\"],\"tCnbEs\":\"Prix Oracle\",\"tFZLf8\":\"Ce calcul de gaz n'est qu'une estimation. Votre portefeuille fixera le prix de la transaction. Vous pouvez modifier les paramètres de gaz directement depuis votre fournisseur de portefeuille.\",\"tHuvQI\":\"Accéder au tableau de bord V3\",\"tKv7cI\":\"Changer de position d’emprunt\",\"tOcg3N\":\"Étant donné que cet actif est gelé, les seules actions disponibles sont le retrait et le remboursement, accessibles depuis le <0>tableau de bord\",\"tOuXfv\":[\"Emprunter le montant à atteindre \",[\"0\"],\"% d’utilisation\"],\"te9Bfl\":\"S'il vous plaît, connectez votre portefeuille\",\"tt5yma\":\"Vos ressources\",\"ttoh5c\":\"Passer à\",\"u3ZeYl\":\"La transaction a échoué\",\"u706uF\":\"Prime flash non valide\",\"u8Gfu7\":[\"Aucun résultat de recherche\",[\"0\"]],\"uAQUqI\":\"Status\",\"uHMwk8\":\"Aucune ressource n’a été sélectionnée pour la migration.\",\"uJPHuY\":\"Migration\",\"uY8O30\":\"Pour continuer, vous devez autoriser les contrats intelligents Aave à déplacer vos fonds depuis votre portefeuille. En fonction de l’actif et du portefeuille que vous utilisez, cela se fait en signant le message d’autorisation (sans gaz) ou en soumettant une transaction d’approbation (nécessite du gaz). <0>Pour en savoir plus\",\"udFheE\":\"For repayment of a specific type of debt, the user needs to have debt that type\",\"ulNuNq\":\"Exporter des données vers\",\"ulup2p\":\"Acheter des crypto-monnaies avec des monnaies fiduciaires\",\"umICAY\":\"<0><1><2/>Ajoutez stkAAVE pour voir le taux d’emprunt avec escompte\",\"usB84Z\":\"Le montant maximum disponible pour emprunter est limité car le plafond d’emprunt du protocole est presque atteint.\",\"uwAUvj\":\"COPIER L’IMAGE\",\"v8x7Mg\":\"Garantie insuffisante pour couvrir une nouvelle position d’emprunt. Le portefeuille doit avoir une capacité d’emprunt restante pour effectuer le transfert de dette.\",\"vEqxH9\":\"Restauré\",\"vLyv1R\":\"Cacher\",\"vMba49\":\"L'emprunt n'est pas activé\",\"vMpNwt\":\"Approuvez avec\",\"vXIe7J\":\"Language\",\"vesuBJ\":\"Vous permet de décider si vous souhaitez utiliser un actif fourni en tant que collatéral. Un actif utilisé comme collatéral affectera votre pouvoir d'emprunt et votre Health Factor.\",\"w+V9Cx\":\"Stablecoin\",\"w/JtJ3\":\"L'offre de dette stable n'est pas nulle\",\"w4VBY+\":\"Récompenses APR\",\"w9dLMW\":[[\"label\"]],\"wAOL+X\":[\"Vous \",[\"action\"],\" <0/> \",[\"symbole\"]],\"wBIsjb\":\"Canal Discord\",\"wQZbc/\":\"L'appelant de la fonction n'est pas un AToken\",\"wRRqvW\":\"Vous n'avez pas de fournitures dans cette devise\",\"wZFvVU\":\"VOTER OUI\",\"wb/r1O\":[\"Faucet \",[\"0\"]],\"wdxz7K\":\"Source\",\"weH1nG\":\"Le protocole Aave est programmé pour toujours utiliser le prix de 1 GHO = 1 $. C’est différent de l’utilisation des prix du marché via des oracles pour d’autres actifs cryptographiques. Cela crée des opportunités d’arbitrage stabilisatrices lorsque le prix du GHO fluctue.\",\"wh7Ezv\":\"You have no AAVE/stkAAVE/aAave balance to delegate.\",\"wlsIx7\":\"Avec testnet Faucet, vous pouvez obtenir des ressources gratuites pour tester le protocole Aave. Assurez-vous de changer votre fournisseur de portefeuille pour le réseau de test approprié, sélectionnez l’actif souhaité et cliquez sur «\xA0Faucet\xA0» pour obtenir des jetons transférés vers votre portefeuille. Les actifs d’un réseau de test ne sont pas « réels », ce qui signifie qu’ils n’ont aucune valeur monétaire. <0>Pour en savoir plus\",\"wmE285\":\"Get ABP v2 Token\",\"wyRrcJ\":\"As a result of governance decisions, this ABPT staking pool is now deprecated. You have the flexibility to either migrate all of your tokens to v2 or unstake them without any cooldown period.\",\"x5KiLL\":\"Les ressources sélectionnées ont été migrées avec succès. Rendez-vous sur le tableau de bord du marché pour les voir.\",\"x7F2p6\":\"Différentiel de courant\",\"x7K5ib\":[\"Votre \",[\"networkName\"],\" Le portefeuille est vide. Obtenir un test gratuit \",[\"0\"],\" à\"],\"x9iLRD\":\"tokens, veuillez vous rendre sur\",\"xNy/UG\":\"Rembourser avec\",\"xPm8wv\":\"En savoir plus sur les risques encourus\",\"xXYpZl\":[[\"0\"],\" Faucet\"],\"xaVBSS\":\"Vos informations\",\"xaWZ6f\":\"Changement de type APY\",\"xh6k71\":\"L’utilisation des garanties est limitée en raison du mode d’isolation.\",\"xvIklc\":\"Flashloan est désactivé pour cet actif, cette position ne peut donc pas être migrée.\",\"y5rS9U\":\"Émigrer\",\"y66tBm\":[\"Activer \",[\"symbol\"],\" comme collatéral\"],\"yB1YpA\":\"Mode Sombre\",\"yCrG6m\":\"Taille totale du marché\",\"yJUUbn\":\"Aperçu des transactions\",\"yLGmLX\":[\"Remise en jeu \",[\"symbol\"]],\"yW1oWB\":\"APY type\",\"yYHqJe\":\"Pas une adresse valide\",\"yZwLw6\":\"Suivre le portefeuille\",\"yh2sjd\":[\"Impact sur les prix \",[\"0\"],\"%\"],\"yhvj6d\":\"Vous ne pouvez pas changer d'utilisation en tant que mode de garantie pour cette devise, car cela entraînera un appel de garantie\",\"ylmtBZ\":\"The app is running in fork mode.\",\"ymNY32\":[\"Il n'y a pas assez de fonds dans la \",[\"0\"],\" réserve pour emprunter\"],\"yz7wBu\":\"Fermer\",\"z4uGQg\":\"Le plafond de la dette est dépassé\",\"z5UQOM\":\"La garantie choisie ne peut être liquidée\",\"z5Y+p6\":[\"Fournir \",[\"symbole\"]],\"zCjNKs\":\"L'action ne peut pas être effectuée car la réserve est gelée\",\"zRHytX\":\"Plafond de la dette isolée\",\"zTOjMP\":\"La limite d’approvisionnement du protocole est de 100 % pour cet actif. D’autres approvisionnements ne sont pas disponibles.\",\"zVdRUG\":\"Submission did not work, please try again later or contact wecare@avara.xyz\",\"zevmS2\":\"<0><1><2/>Ajoutez <3/> stkAAVE pour emprunter à <4/> (remise maximale)\",\"zgtIDV\":\"Dette restante\",\"zmTPiV\":\"Bilan d'approvisionnement\",\"zpPbZl\":\"Paramètres du risque de liquidation\",\"zucql+\":\"Menu\",\"zwWKhA\":\"Apprendre encore plus\",\"zy9fXn\":[\"L’actif est gelé \",[\"marketName\"],\" v3, donc cette position ne peut pas être migrée.\"],\"zys+R6\":\"Faites attention à la congestion du réseau et aux prix de l’essence.\",\"zzzTXS\":\"Merit Program rewards are claimed through the\"}")}; \ No newline at end of file diff --git a/src/modules/umbrella/StakeAssets/UmbrellaAssetsList.tsx b/src/modules/umbrella/StakeAssets/UmbrellaAssetsList.tsx index c3a4723c4b..50a46307d5 100644 --- a/src/modules/umbrella/StakeAssets/UmbrellaAssetsList.tsx +++ b/src/modules/umbrella/StakeAssets/UmbrellaAssetsList.tsx @@ -32,7 +32,7 @@ const listHeaders = [ }, { title: Amount Staked, - sortKey: 'TODO', + sortKey: 'stakeTokenBalance', }, // { // title: Max Slashing, @@ -40,11 +40,11 @@ const listHeaders = [ // }, { title: Available to Stake, - sortKey: 'totalUnderlyingBalance', + sortKey: 'totalAvailableToStake', }, { title: Available to Claim, - sortKey: 'TODO: claim', + sortKey: 'totalAvailableToClaim', }, { title: <>, @@ -78,6 +78,8 @@ export default function UmbrellaAssetsList({ const [sortName, setSortName] = useState(''); const [sortDesc, setSortDesc] = useState(false); + console.log('stakedDataWithTokenBalances', stakedDataWithTokenBalances); + const sortedData = useMemo(() => { if (!stakedDataWithTokenBalances) return []; @@ -92,9 +94,27 @@ export default function UmbrellaAssetsList({ return sortDesc ? apyB - apyA : apyA - apyB; } - if (sortName === 'totalUnderlyingBalance') { - const balanceA = Number(a.balances?.underlyingTokenBalance || '0'); - const balanceB = Number(b.balances?.underlyingTokenBalance || '0'); + if (sortName === 'totalAvailableToClaim') { + const accruedA = + a.formattedRewards?.reduce((sum, reward) => sum + Number(reward.accrued || '0'), 0) || 0; + const accruedB = + b.formattedRewards?.reduce((sum, reward) => sum + Number(reward.accrued || '0'), 0) || 0; + return sortDesc ? accruedB - accruedA : accruedA - accruedB; + } + + if (sortName === 'totalAvailableToStake') { + const balanceA = + Number(a.formattedBalances?.underlyingWaTokenATokenBalance || '0') + + Number(a.formattedBalances?.underlyingWaTokenBalance || '0'); + const balanceB = + Number(b.formattedBalances?.underlyingWaTokenATokenBalance || '0') + + Number(b.formattedBalances?.underlyingWaTokenBalance || '0'); + return sortDesc ? balanceB - balanceA : balanceA - balanceB; + } + + if (sortName === 'stakeTokenBalance') { + const balanceA = Number(a.formattedBalances?.stakeTokenBalance || '0'); + const balanceB = Number(b.formattedBalances?.stakeTokenBalance || '0'); return sortDesc ? balanceB - balanceA : balanceA - balanceB; } diff --git a/src/modules/umbrella/UmbrellaClaimModalContent.tsx b/src/modules/umbrella/UmbrellaClaimModalContent.tsx index 74b039f824..01613f8aed 100644 --- a/src/modules/umbrella/UmbrellaClaimModalContent.tsx +++ b/src/modules/umbrella/UmbrellaClaimModalContent.tsx @@ -52,7 +52,7 @@ const stakeDataToRewards = (stakeData: MergedStakeData): UmbrellaRewards[] => { }); }; -export const UmbrellaClaimModalContent = ({ user, stakeData }: UmbrellaClaimModalContentProps) => { +export const UmbrellaClaimModalContent = ({ stakeData }: UmbrellaClaimModalContentProps) => { const { gasLimit, mainTxState: claimRewardsTxState, txError } = useModalContext(); const { readOnlyModeAddress } = useWeb3Context(); const [selectedRewardSymbol, setSelectedRewardSymbol] = useState('all'); From 6e781f77f09a22487607ab90aef06f57fb6966b8 Mon Sep 17 00:00:00 2001 From: Mark Grothe Date: Wed, 29 Jan 2025 20:39:40 -0600 Subject: [PATCH 060/110] feat: preview redeem --- src/modules/umbrella/UnstakeModalContent.tsx | 185 ++++++++++++------ .../umbrella/hooks/usePreviewRedeem.ts | 30 +++ 2 files changed, 158 insertions(+), 57 deletions(-) create mode 100644 src/modules/umbrella/hooks/usePreviewRedeem.ts diff --git a/src/modules/umbrella/UnstakeModalContent.tsx b/src/modules/umbrella/UnstakeModalContent.tsx index 7b990e9000..281778377e 100644 --- a/src/modules/umbrella/UnstakeModalContent.tsx +++ b/src/modules/umbrella/UnstakeModalContent.tsx @@ -1,34 +1,35 @@ import { ChainId } from '@aave/contract-helpers'; -import { valueToBigNumber } from '@aave/math-utils'; import { Trans } from '@lingui/macro'; -import { Typography } from '@mui/material'; +import { Skeleton, Stack, Typography } from '@mui/material'; +import { BigNumber } from 'bignumber.js'; import { parseUnits } from 'ethers/lib/utils'; import React, { useRef, useState } from 'react'; +import { FormattedNumber } from 'src/components/primitives/FormattedNumber'; +import { Row } from 'src/components/primitives/Row'; +import { TokenIcon } from 'src/components/primitives/TokenIcon'; import { AssetInput } from 'src/components/transactions/AssetInput'; import { TxErrorView } from 'src/components/transactions/FlowCommons/Error'; import { GasEstimationError } from 'src/components/transactions/FlowCommons/GasEstimationError'; import { TxSuccessView } from 'src/components/transactions/FlowCommons/Success'; -import { DetailsUnwrapSwitch } from 'src/components/transactions/FlowCommons/TxModalDetails'; +import { + DetailsHFLine, + DetailsUnwrapSwitch, + TxModalDetails, +} from 'src/components/transactions/FlowCommons/TxModalDetails'; import { TxModalTitle } from 'src/components/transactions/FlowCommons/TxModalTitle'; import { GasStation } from 'src/components/transactions/GasStation/GasStation'; import { ChangeNetworkWarning } from 'src/components/transactions/Warnings/ChangeNetworkWarning'; +import { useAppDataContext } from 'src/hooks/app-data-provider/useAppDataProvider'; import { MergedStakeData } from 'src/hooks/stake/useUmbrellaSummary'; import { useModalContext } from 'src/hooks/useModal'; import { useWeb3Context } from 'src/libs/hooks/useWeb3Context'; import { useRootStore } from 'src/store/root'; +import { calculateHFAfterSupply } from 'src/utils/hfUtils'; import { useShallow } from 'zustand/shallow'; +import { usePreviewRedeem } from './hooks/usePreviewRedeem'; import { UnStakeActions } from './UnstakeModalActions'; -// export type UnStakeProps = { -// stakeToken: string; -// icon: string; -// }; - -export enum ErrorType { - NOT_ENOUGH_BALANCE, -} - export const UnStakeModalContent = ({ stakeData }: { stakeData: MergedStakeData }) => { const { chainId: connectedChainId, readOnlyModeAddress } = useWeb3Context(); const { gasLimit, mainTxState: txState, txError } = useModalContext(); @@ -36,86 +37,111 @@ export const UnStakeModalContent = ({ stakeData }: { stakeData: MergedStakeData const [currentChainId, currentNetworkConfig] = useRootStore( useShallow((store) => [store.currentChainId, store.currentNetworkConfig]) ); + const { user, reserves } = useAppDataContext(); - // const { data } = useUmbrellaSummaryFor(stakeToken, currentMarketData); - // const stakeData = data?.[0]; - - // states - const [_amount, setAmount] = useState(''); + const [amount, setAmount] = useState(''); const amountRef = useRef(); - const balance = stakeData?.formattedBalances.stakeTokenRedeemableAmount || '0'; - console.log('amountToUnstake', balance); - // TODOD - // if (stakeData?.inPostSlashingPeriod) { - // amountToUnstake = stakeUserData?.stakeTokenUserBalance; - // } + const { data: redeemedAmount, isLoading } = usePreviewRedeem( + parseUnits(amount || '0', stakeData.decimals).toString(), + stakeData.decimals, + stakeData.stakeTokenUnderlying, + currentChainId + ); + + const redeemableAmount = stakeData?.formattedBalances.stakeTokenRedeemableAmount || '0'; - const isMaxSelected = _amount === '-1'; - const amount = isMaxSelected ? balance : _amount; + const isMaxSelected = amount === '-1'; + const amountToRedeem = isMaxSelected ? redeemableAmount : amount; const handleChange = (value: string) => { const maxSelected = value === '-1'; - amountRef.current = maxSelected ? balance : value; - setAmount(value); + const amount = maxSelected ? redeemableAmount : value; + amountRef.current = amount; + setAmount(amount); }; - // staking token usd value - const amountInUsd = Number(amount) * Number(stakeData?.stakeTokenPrice); // TODO + const amountToRedeemUsd = new BigNumber(amountToRedeem || '0') + .multipliedBy(stakeData.stakeTokenPrice) + .shiftedBy(-8); + + // could be different in the case of waTokens, since the exchange rate will take into account + // the yield generated by the aToken + const redeemedAmountUsd = new BigNumber(redeemedAmount || '0') + .multipliedBy(stakeData.stakeTokenPrice) + .shiftedBy(-8); // error handler - let blockingError: ErrorType | undefined = undefined; - if (valueToBigNumber(amount).gt(balance)) { - blockingError = ErrorType.NOT_ENOUGH_BALANCE; - } + // let blockingError: ErrorType | undefined = undefined; + // if (valueToBigNumber(amountToRedeem).gt(redeemableAmount)) { + // blockingError = ErrorType.NOT_ENOUGH_BALANCE; + // } - const handleBlocked = () => { - switch (blockingError) { - case ErrorType.NOT_ENOUGH_BALANCE: - return Not enough staked balance; - default: - return null; - } - }; + // const handleBlocked = () => { + // switch (blockingError) { + // case ErrorType.NOT_ENOUGH_BALANCE: + // return Not enough staked balance; + // default: + // return null; + // } + // }; - const nameFormatted = 'TODO'; // stakeAssetNameFormatted(stakeAssetName); + const symbolFormatted = stakeData.underlyingIsWaToken + ? stakeData.waTokenData.waTokenUnderlyingSymbol + : stakeData.underlyingTokenSymbol; const isWrongNetwork = currentChainId !== connectedChainId; - // const networkConfig = getNetworkConfig(stakingChain); + let hfAfterRedeem = '-1'; + if (user && stakeData.underlyingIsWaToken && redeemATokens) { + const poolReserve = reserves.find( + (r) => + r.underlyingAsset.toLowerCase() === stakeData.waTokenData.waTokenUnderlying.toLowerCase() + ); + + if (!poolReserve) { + throw new Error('Pool reserve not found for underlying asset'); + } + + const amountInEth = new BigNumber(amount).multipliedBy( + poolReserve.formattedPriceInMarketReferenceCurrency + ); + + hfAfterRedeem = calculateHFAfterSupply(user, poolReserve, amountInEth).toString(); + } if (txError && txError.blocking) { return ; } + if (txState.success) return ( Unstaked} amount={amountRef.current} - symbol={nameFormatted} + symbol={symbolFormatted} /> ); - // console.log(icon); return ( <> - + {isWrongNetwork && !readOnlyModeAddress && ( )} Stake balance} /> @@ -131,21 +157,66 @@ export const UnStakeModalContent = ({ stakeData }: { stakeData: MergedStakeData /> )} - {blockingError !== undefined && ( + {stakeData.underlyingIsWaToken ? ( + + Amount received} captionVariant="description" mb={2}> + + {isLoading ? ( + + ) : ( + <> + + + + + + + )} + + + {redeemATokens && ( + + )} + + ) : ( + + )} + + {/* {blockingError !== undefined && ( {handleBlocked()} - )} - + )} */} {txError && } diff --git a/src/modules/umbrella/hooks/usePreviewRedeem.ts b/src/modules/umbrella/hooks/usePreviewRedeem.ts new file mode 100644 index 0000000000..306b61efcf --- /dev/null +++ b/src/modules/umbrella/hooks/usePreviewRedeem.ts @@ -0,0 +1,30 @@ +import { ChainId } from '@aave/contract-helpers'; +import { useQuery } from '@tanstack/react-query'; +import { BigNumber, Contract } from 'ethers'; +import { formatUnits } from 'ethers/lib/utils'; +import { getProvider } from 'src/utils/marketsAndNetworksConfig'; + +export const usePreviewRedeem = ( + amount: string, + decimals: number, + waTokenAddress: string, + chainId: ChainId +) => { + return useQuery({ + queryFn: async () => { + if (!waTokenAddress) { + return formatUnits(amount, decimals); + } + + const provider = getProvider(chainId); + const waTokenContract = new Contract( + waTokenAddress, + ['function previewRedeem(uint256 shares) external view returns (uint256 assets)'], + provider + ); + const shares: BigNumber = await waTokenContract.previewRedeem(amount); + return formatUnits(shares, decimals); + }, + queryKey: ['umbrella', 'previewRedeem', amount, waTokenAddress], + }); +}; From c631b52230463b7c108f8a71b96184dece8ff7f1 Mon Sep 17 00:00:00 2001 From: Mark Hinschberger Date: Thu, 30 Jan 2025 16:37:24 +0000 Subject: [PATCH 061/110] fix: token icons --- src/components/primitives/TokenIcon.tsx | 91 ++++++++++++------- src/locales/el/messages.js | 2 +- src/locales/en/messages.js | 2 +- src/locales/en/messages.po | 5 +- src/locales/es/messages.js | 2 +- src/locales/fr/messages.js | 2 +- src/modules/umbrella/AvailableToStakeItem.tsx | 10 +- src/modules/umbrella/UmbrellaModalContent.tsx | 7 +- .../umbrella/helpers/AmountAvailableItem.tsx | 9 +- src/modules/umbrella/helpers/MultiIcon.tsx | 3 +- 10 files changed, 89 insertions(+), 44 deletions(-) diff --git a/src/components/primitives/TokenIcon.tsx b/src/components/primitives/TokenIcon.tsx index 232ccffaef..4208e0ea5e 100644 --- a/src/components/primitives/TokenIcon.tsx +++ b/src/components/primitives/TokenIcon.tsx @@ -2,10 +2,6 @@ import { Badge, Box, Icon, IconProps } from '@mui/material'; import { forwardRef, useEffect, useRef, useState } from 'react'; import LazyLoad from 'react-lazy-load'; -interface ATokenIconProps { - symbol?: string; -} - /** * To save some bundle size we stopped base64 encoding & inlining svgs as base encoding increases size by up to 30% * and most users will never need all token icons. @@ -21,22 +17,30 @@ interface ATokenIconProps { * This component is probably hugely over engineered & unnecessary. * I'm looking forward for the pr which evicts it. */ +interface ATokenIconProps { + symbol?: string; + waToken?: boolean; // Add waToken prop +} + +// Modified Base64Token to support waToken export function Base64Token({ symbol, onImageGenerated, aToken, + waToken, }: { symbol: string; aToken?: boolean; + waToken?: boolean; onImageGenerated: (base64: string) => void; }) { const ref = useRef(null); - const aRef = useRef(null); + const tokenRef = useRef(null); const [loading, setLoading] = useState(true); useEffect(() => { if (!loading && ref.current && ref.current?.contentDocument) { - if (aToken) { + if (aToken || waToken) { // eslint-disable-next-line const inner = ref.current?.contentDocument?.childNodes?.[0] as any; const oldWidth = inner.getAttribute('width'); @@ -50,8 +54,8 @@ export function Base64Token({ inner.setAttribute('viewBox', `0 0 ${oldWidth} ${oldHeight}`); } - aRef.current?.appendChild(inner); - const s = new XMLSerializer().serializeToString(aRef.current as unknown as Node); + tokenRef.current?.appendChild(inner); + const s = new XMLSerializer().serializeToString(tokenRef.current as unknown as Node); onImageGenerated( `data:image/svg+xml;base64,${window.btoa(unescape(encodeURIComponent(s)))}` @@ -63,7 +67,7 @@ export function Base64Token({ ); } } - }, [loading, aToken]); + }, [loading, aToken, waToken]); return (
setLoading(false)} /> - {aToken && } + {(aToken || waToken) && }
); } -export const ATokenIcon = forwardRef(({ symbol }, ref) => { +// Renamed from ATokenIcon to TokenRing to better reflect its purpose +export const TokenRing = forwardRef(({ symbol, waToken }, ref) => { return ( (({ symbol } - - + {waToken ? ( + // Dotted border path for waToken + + ) : ( + // Original filled path for aToken + + )} {symbol && ( (({ symbol } ); }); -ATokenIcon.displayName = 'ATokenIcon'; +TokenRing.displayName = 'TokenRing'; interface TokenIconProps extends IconProps { symbol: string; aToken?: boolean; + waToken?: boolean; aTokens?: boolean[]; + waTokens?: boolean[]; } -/** - * Renders a tokenIcon specified by symbol. - * TokenIcons are expected to be located at /public/icons/tokens and lowercase named .svg - * @param param0 - * @returns - */ -function SingleTokenIcon({ symbol, aToken, ...rest }: TokenIconProps) { +function SingleTokenIcon({ symbol, aToken, waToken, ...rest }: TokenIconProps) { const [tokenSymbol, setTokenSymbol] = useState(symbol.toLowerCase()); useEffect(() => { @@ -157,10 +170,9 @@ function SingleTokenIcon({ symbol, aToken, ...rest }: TokenIconProps) { return ( - {aToken ? ( - + {aToken || waToken ? ( + ) : ( - // eslint-disable-next-line setTokenSymbol('default')} @@ -206,17 +218,22 @@ interface MultiTokenIconProps extends IconProps { symbols: string[]; badgeSymbol?: string; aToken?: boolean; + waToken?: boolean; aTokens?: boolean[]; + waTokens?: boolean[]; } export function MultiTokenIcon({ symbols, badgeSymbol, aToken = false, + waToken = false, aTokens: providedATokens, + waTokens: providedWaTokens, ...rest }: MultiTokenIconProps) { const aTokens = providedATokens || symbols.map((_, index) => (index === 0 ? aToken : false)); + const waTokens = providedWaTokens || symbols.map((_, index) => (index === 0 ? waToken : false)); if (!badgeSymbol) return ( @@ -227,6 +244,7 @@ export function MultiTokenIcon({ key={symbol} symbol={symbol} aToken={aTokens[ix]} + waToken={waTokens[ix]} sx={{ ml: ix === 0 ? 0 : `calc(-1 * 0.5em)`, ...rest.sx }} /> ))} @@ -245,6 +263,7 @@ export function MultiTokenIcon({ key={symbol} symbol={symbol} aToken={aTokens[ix]} + waToken={waTokens[ix]} sx={{ ml: ix === 0 ? 0 : 'calc(-1 * 0.5em)', ...rest.sx }} /> ))} @@ -252,14 +271,24 @@ export function MultiTokenIcon({ ); } -export function TokenIcon({ symbol, aToken, aTokens, ...rest }: TokenIconProps) { +export function TokenIcon({ symbol, aToken, waToken, aTokens, waTokens, ...rest }: TokenIconProps) { const symbolChunks = symbol.split('_'); if (symbolChunks.length > 1) { if (symbolChunks[0].startsWith('pools/')) { const [badge, ...symbols] = symbolChunks; return ; } - return ; + return ( + + ); } - return ; + + return ; } diff --git a/src/locales/el/messages.js b/src/locales/el/messages.js index 41d2c3c89e..3a2f97bf64 100644 --- a/src/locales/el/messages.js +++ b/src/locales/el/messages.js @@ -1 +1 @@ -/*eslint-disable*/module.exports={messages:JSON.parse("{\"+0xecS\":[\"Εάν ΔΕΝ ξεκλειδώσετε εντός \",[\"0\"],\" του παραθύρου ξεκλειδώματος, θα πρέπει να ενεργοποιήσετε ξανά τη διαδικασία ψύξης.\"],\"+EGVI0\":\"Receive (est.)\",\"+VR63W\":[\"Η συμμετοχή σε αυτό το αποθεματικό \",[\"symbol\"],\" δίνει ετήσιες ανταμοιβές.\"],\"+bmKdK\":\"Use your AAVE, stkAAVE, or aAave balance to delegate your voting and proposition powers. You will not be sending any tokens, only the rights to vote and propose changes to the protocol. You can re-delegate or revoke power to self at any time.\",\"+eOPG+\":\"Φαίνεται ότι δεν μπορούμε να αλλάξουμε το δίκτυο αυτόματα. Ελέγξτε αν μπορείτε να το αλλάξετε από το πορτοφόλι.\",\"+i3Pd2\":\"Ανώτατο όριο δανεισμού\",\"+kLZGu\":\"Supplied asset amount\",\"+nuEh/\":\"Estimated time\",\"+xMFF8\":\"Remind me\",\"/57U31\":\"Amount to migrate\",\"/7ykiW\":\"Borrowing this amount will reduce your health factor and increase risk of liquidation.\",\"/YA5pU\":\"E-Mode increases your LTV for a selected category of assets, meaning that when E-mode is enabled, you will have higher borrowing power over assets of the same E-mode category which are defined by Aave Governance. You can enter E-Mode from your <0>Dashboard. To learn more about E-Mode and applied restrictionn, see the <1>help guide or the <2>Aave V3 Technical Paper.\",\"/izjs/\":\"Minimum staked Aave amount\",\"/jQctM\":\"To\",\"/lDBHm\":\"ΣΥΧΝΕΣ ΕΡΩΤΗΣΕΙΣ\",\"/yNlZf\":\"Ο σταθερός δανεισμός δεν είναι ενεργοποιημένος\",\"/yQcJM\":\"Συνολική αξία\",\"00AB2i\":\"Ο χρήστης δεν δανείστηκε το καθορισμένο νόμισμα\",\"00OflG\":\"There is not enough liquidity for the target asset to perform the switch. Try lowering the amount.\",\"08/rZ9\":\"The cooldown period is the time required prior to unstaking your tokens (20 days). You can only withdraw your assets from the Security Module after the cooldown period and within the unstake window.<0>Learn more\",\"0AmQcW\":\"Rate change\",\"0BF3yK\":\"Sorry, we couldn't find the page you were looking for.\",\"0TAbjq\":\"Recent Transactions\",\"0jhlyw\":\"Liquidation risk\",\"0ojY+Y\":\"Current v2 Balance\",\"0thX3P\":\"Collateral change\",\"0wGCWc\":\"Αυτό είναι το συνολικό ποσό που μπορείτε να προμηθεύσετε σε αυτό το αποθεματικό. Μπορείτε να προμηθεύσετε το υπόλοιπο του πορτοφολιού σας μέχρι να επιτευχθεί το ανώτατο όριο προμηθειών.\",\"1AsVfF\":\"Price data is not currently available for this reserve on the protocol subgraph\",\"1LjK22\":\"Transaction history\",\"1Onqx8\":[\"Έγκριση του \",[\"symbol\"],\"...\"],\"1Ue8sX\":\"Παρακαλούμε συνδέστε ένα πορτοφόλι για να δείτε τις προσωπικές σας πληροφορίες εδώ.\",\"1YH41K\":[\"After the cooldown period ends, you will enter the unstake window of \",[\"0\"],\". You will continue receiving rewards during cooldown and the unstake period.\"],\"1bpx9A\":\"...\",\"1kWUB+\":\"Ρευστοποίηση <0/> κατώτατο όριο\",\"1m9Qqc\":\"Withdrawing and Switching\",\"1oyh4g\":\"Borrow rate\",\"1t7rez\":\"Asset supply is limited to a certain amount to reduce protocol exposure to the asset and to help manage risks involved.\",\"2CAPu2\":\"You've successfully withdrew & switched tokens.\",\"2Eoi/a\":\"Προβολή λεπτομερειών\",\"2FYpfJ\":\"Περισσότερα\",\"2O3qp5\":\"Διαθέσιμη ρευστότητα\",\"2OM8/D\":[\"Asset cannot be migrated due to supply cap restriction in \",[\"marketName\"],\" v3 market.\"],\"2Q4GU4\":\"Blocked Address\",\"2ZGocC\":\"Aave is a fully decentralized, community governed protocol by the AAVE token-holders. AAVE token-holders collectively discuss, propose, and vote on upgrades to the protocol. AAVE token-holders (Ethereum network only) can either vote themselves on new proposals or delagate to an address of choice. To learn more check out the Governance\",\"2a6G7d\":\"Please enter a valid wallet address.\",\"2bAhR7\":\"Meet GHO\",\"2eBWE6\":\"I acknowledge the risks involved.\",\"2o/xRt\":\"Επίτευξη του ανώτατου ορίου εφοδιασμού στο αποθεματικό-στόχο. Δοκιμάστε να \\nμειώσετε την ποσότητα.\",\"2uJToh\":[[\"0\"],[\"name\"]],\"2x58bP\":\"Ο σταθερός δανεισμός είναι ενεργοποιημένος\",\"34Qfwy\":\"Υπέρβαση του ανώτατου ορίου δανεισμού\",\"39eQRj\":[\"Δανεισμός \",[\"symbol\"]],\"3BL1xB\":\"Σύνολο παρεχόμενων\",\"3BnIWi\":\"Switched\",\"3K0oMo\":\"Υπολειπόμενη προσφορά\",\"3MoZhl\":\"Δεν υπάρχουν επαρκείς εξασφαλίσεις για την κάλυψη ενός νέου δανείου\",\"3Np5O8\":[\"Προσφορά \",[\"symbol\"]],\"3O8YTV\":\"Total interest accrued\",\"3mXg0z\":\"Μέγιστο LTV\",\"3q3mFy\":\"Αποπληρωμή\",\"3qsjtp\":\"Ο σταθμισμένος μέσος όρος του APY για όλα τα παρεχόμενα περιουσιακά στοιχεία, συμπεριλαμβανομένων των κινήτρων.\",\"3rL+os\":\"Μπορείτε να αποσύρετε τα περιουσιακά σας στοιχεία από τη Μονάδα Ασφαλείας μόνο αφού λήξει η περίοδος αναμονής και το παράθυρο ξεκλειδώματος είναι ενεργό.\",\"42UgDM\":[\"Migrate to \",[\"0\"],\" v3 Market\"],\"49UFQA\":\"Αποτελέσματα ψηφοφορίας\",\"4DMZUI\":\"View Transactions\",\"4HtGBb\":\"ΜΕΓΙΣΤΟ\",\"4Y5H+g\":\"Terms\",\"4YYh4d\":\"Maximum available to borrow\",\"4iPAI3\":\"Minimum GHO borrow amount\",\"4lDFps\":\"Sign to continue\",\"4wyw8H\":\"Transactions\",\"5JSSxX\":[\"Your \",[\"networkName\"],\" wallet is empty. Get free test assets at\"],\"5K7kGO\":\"τεκμηρίωση\",\"5NOSGa\":\"Debt ceiling limits the amount possible to borrow against this asset by protocol users. Debt ceiling is specific to assets in isolation mode and is denoted in USD.\",\"5Ncc6j\":[\"Αυτό το περιουσιακό στοιχείο έχει σχεδόν φτάσει στο όριο της προσφοράς του. Μόνο \",[\"messageValue\"],\" μπορεί να παρασχεθεί σε αυτή την αγορά.\"],\"5cZ/KX\":\"Η προσφορά μεταβλητού χρέους δεν είναι μηδενική\",\"5che++\":\"Για να ζητήσετε πρόσβαση σε αυτή την αδειοδοτημένη αγορά, επισκεφθείτε την ιστοσελίδα: <0>Όνομα Παρόχου Πρόσβασης\",\"5ctNdV\":[\"Minimum \",[\"0\"],\" received\"],\"5hDe9v\":\"Απαιτούμενη δράση επιδότησης\",\"5rsnKT\":\"Διαθέσιμες ανταμοιβές\",\"5yC5m5\":\"View all votes\",\"6/dCYd\":\"Επισκόπηση\",\"60crCe\":\"All transactions\",\"62Xcjh\":\"Εγγύηση\",\"65A04M\":\"Ισπανικά\",\"6G8s+q\":\"Signing\",\"6Jrv+z\":[\"Αποπληρωμή \",[\"symbol\"]],\"6NGLTR\":\"Discountable amount\",\"6Xr0UU\":\"Ψύξη...\",\"6bxci/\":\"Δύναμη ψήφου\",\"6f8S68\":\"Αγορές\",\"6g1gi0\":\"Προτάσεις\",\"6gvoHP\":\"Copy error message\",\"6h3Q5G\":\"repaid\",\"6lFSyT\":\"Available to Stake\",\"6s8L6f\":\"Αλλαγή Δικτύου\",\"6yAAbq\":\"APY, borrow rate\",\"70wH1Q\":\"APR\",\"72c5Qo\":\"Total\",\"73Auuq\":\"Discount parameters are decided by the Aave community and may be changed over time. Check Governance for updates and vote to participate. <0>Learn more\",\"75qcAQ\":[[\"stepName\"]],\"7ITr5L\":\"Συντελεστής υγείας\",\"7T/o5R\":\"Επιτεύχθηκε\",\"7YlcXu\":\"Fork mode is ON\",\"7Z76Iw\":\"Borrowing is unavailable because you’re using Isolation mode. To manage Isolation mode visit your <0>Dashboard.\",\"7aKlMS\":\"Share on Lens\",\"7bdUsR\":\"Redeem as aToken\",\"7er5fP\":\"Διεκδικήστε τα όλα\",\"7hb2+s\":\"Time remaining until the withdraw period ends.\",\"7l88b8\":\"Data couldn't be fetched, please reload graph.\",\"7p5kLi\":\"Ταμπλό\",\"7sofdl\":\"Withdraw and Switch\",\"8+6BI0\":\"Προσοχή - Είστε πολύ κοντά στην ρευστοποίηση. Εξετάστε το ενδεχόμενο να καταθέσετε περισσότερες εγγυήσεις ή να εξοφλήσετε κάποιες από τις δανειακές σας θέσεις\",\"87pUEW\":[\"Το πορτοφόλι σας \",[\"name\"],\" είναι άδειο. Αγοράστε ή μεταφέρετε περιουσιακά στοιχεία.\"],\"8F1i42\":\"Page not found\",\"8G8M0u\":\"Loading data...\",\"8Iu1QS\":\"withdrew\",\"8JL93T\":\"Όλες οι προτάσεις\",\"8Q51DU\":\"Add to wallet\",\"8X/oyn\":\"Μη έγκυρο ποσό για νομισματοκοπία\",\"8Z5FPv\":\"Αποσυνδέστε το πορτοφόλι\",\"8Zz7s5\":\"περιουσιακά στοιχεία\",\"8aLW8H\":\"Balance to revoke\",\"8bOT3H\":\"Ποσοστό χρησιμοποίησης\",\"8sLe4/\":\"View contract\",\"8t/M0y\":\"Please connect your wallet to be able to bridge your tokens.\",\"8vETh9\":\"Εμφάνιση\",\"94OHPx\":\"Εισέρχεστε σε λειτουργία απομόνωσης\",\"9CDK3/\":[\"Ο δανεισμός δεν είναι επί του παρόντος διαθέσιμος για \",[\"0\"],\".\"],\"9GIj3z\":\"Μέγεθος Αποθεματικού\",\"9Knqb4\":\"Staking balance\",\"9OBKm7\":\"Απαρτία\",\"9QHoGr\":\"Τρέχουσες ψήφοι\",\"9Rw96f\":[\"Αυτό το περιουσιακό στοιχείο έχει σχεδόν φτάσει στο όριο δανεισμού του. Υπάρχει μόνο \",[\"messageValue\"],\" διαθέσιμο για δανεισμό από αυτή την αγορά.\"],\"9Xj/qR\":[\"Some migrated assets will not be used as collateral due to enabled isolation mode in \",[\"marketName\"],\" V3 Market. Visit <0>\",[\"marketName\"],\" V3 Dashboard to manage isolation mode.\"],\"9c6vDV\":\"Αυτό το περιουσιακό στοιχείο έχει φτάσει στο όριο της προσφοράς του. Τίποτα δεν είναι διαθέσιμο για προμήθεια από αυτή την αγορά.\",\"9kTWHA\":\"MAI has been paused due to a community decision. Supply, borrows and repays are impacted. <0>More details\",\"9lXchd\":\"Underlying token\",\"9rWaKF\":\"Bridged Via CCIP\",\"9xSooW\":\"Δεδομένου ότι πρόκειται για ένα δοκιμαστικό δίκτυο, μπορείτε να αποκτήσετε οποιοδήποτε από τα περιουσιακά στοιχεία αν έχετε ETH στο πορτοφόλι σας\",\"A/lwoe\":\"Choose one of the on-ramp services\",\"A6dCI6\":[\"Maximum amount available to borrow is <0/> \",[\"0\"],\" (<1/>).\"],\"AReoaV\":\"Τα δάνεια σας\",\"ARu1L4\":\"Repaid\",\"AV7cGz\":\"Αναθεώρηση λεπτομερειών έγκρισης συναλλαγής\",\"AZOjB8\":\"Fetching data...\",\"Ai0jas\":\"Join the community discussion\",\"Ajl2rq\":\"Η δύναμη δανεισμού και τα περιουσιακά στοιχεία είναι περιορισμένα λόγω της λειτουργίας απομόνωσης.\",\"AqgYNC\":\"Protocol borrow cap at 100% for this asset. Further borrowing unavailable.\",\"B3EcQR\":\"Thank you for voting!!\",\"B6aXGH\":\"Σταθερό\",\"B9Gqbz\":\"Variable rate\",\"BDFEd+\":\"stETH supplied as collateral will continue to accrue staking rewards provided by daily rebases.\",\"BE2mP0\":\"Borrowed assets\",\"BJyN77\":\"Due to health factor impact, a flashloan is required to perform this transaction, but Aave Governance has disabled flashloan availability for this asset. Try lowering the amount or supplying additional collateral.\",\"BNL4Ep\":\"Η χρήση εγγύησης είναι περιορισμένη λόγω της λειτουργίας απομόνωσης. <0>Μάθετε περισσότερα\",\"BQ/wCO\":\"Migrate your assets\",\"BjLdl1\":\"At a discount\",\"BnhYo8\":\"Κατηγορία περιουσιακών στοιχείων\",\"Bq9Y7e\":\"This asset is frozen due to an Aave community decision. <0>More details\",\"BqWMDJ\":\"Βρύση\",\"BqynZO\":\"Optimized for efficiency and risk by supporting blue-chip collateral assets\",\"Bsu7zX\":\"The fee includes the gas cost to complete the transaction on the destination chain and the fee paid to Chainlink CCIP service providers. You can chose to pay in the network token or GHO. <0>Learn more\",\"BwJKBw\":\"of\",\"C4/GSi\":\"Your balance of assets that are available to stake\",\"CDrsH+\":\"Techpaper\",\"CK1KXz\":\"Μεγιστο\",\"CMHmbm\":\"Slippage\",\"CZXzs4\":\"Greek\",\"CcRNG6\":\"Switching\",\"CkTRmy\":[\"Διεκδίκηση \",[\"symbol\"]],\"CsqtLm\":\"Please connect your wallet to see migration tool.\",\"CtGlFb\":[[\"networkName\"],\" Βρύση\"],\"Cxt2YY\":\"Watch wallet\",\"D33VQU\":\"This action will reduce health factor of V3 below liquidation threshold. Increase migrated collateral or reduce migrated borrow to continue.\",\"D8sc3k\":\"Stake balance\",\"D9BLRG\":\"This asset has been paused due to a community decision. Supply, withdraw, borrows and repays are impacted.\",\"DAma/S\":\"Η εγγύηση είναι (ως επί το πλείστον) το ίδιο νόμισμα που δανείζεται\",\"DCnFg0\":[\"Addresses (\",[\"0\"],\")\"],\"DG3Lv1\":\"I fully understand the risks of migrating.\",\"DONJcV\":\"Το υποκείμενο περιουσιακό στοιχείο δεν μπορεί να διασωθεί\",\"DR+4uL\":\"Supply balance after switch\",\"DWjrck\":[\"Asset cannot be migrated to \",[\"marketName\"],\" V3 Market due to E-mode restrictions. You can disable or manage E-mode categories in your <0>V3 Dashboard\"],\"Dj+3wB\":\"Aave ανά μήνα\",\"DptNvx\":\"Amount Staked\",\"DuEq2K\":\"Εξασφάλιση\",\"DxfsGs\":\"You can report incident to our <0>Discord or<1>Github.\",\"Dzma+E\":\"Main Ethereum market with the largest selection of assets and yield options\",\"E/QGRL\":\"Απενεργοποιημένο\",\"EBL9Gz\":\"COPIED!\",\"ES8dkb\":\"Fixed rate\",\"EZd3Dk\":[\"Restaking \",[\"symbol\"]],\"EZqFZ+\":\"Staking this asset will earn the underlying asset supply yield in additon to other configured rewards.\",\"Ebgc76\":[\"Ανάληψη \",[\"symbol\"]],\"EdQY6l\":\"Κανένα\",\"EjvKQ+\":\"Minimum USD value received\",\"Enslfm\":\"Destination\",\"EvE9nO\":[\"Reactivate cooldown period to unstake \",[\"0\"],\" \",[\"stakedToken\"]],\"EvECnL\":\"Migrate to v3\",\"EzMQbh\":\"The source chain time to finality is the main factor that determines the time to destination. <0>Learn more\",\"F40cwT\":\"Legacy Markets\",\"F6TdXL\":\"Μάθετε περισσότερα.\",\"FDDPeZ\":\"Users can stake their assets in the protocol and earn incentives. In the case of a shortfall event, your stake can be slashed to cover the deficit, providing an additional layer of protection for the protocol.\",\"FHlMf/\":\"Current v2 balance\",\"FHpxjF\":[\"Reserve factor is a percentage of interest which goes to a \",[\"0\"],\" that is controlled by Aave governance to promote ecosystem growth.\"],\"FOBZa6\":\"Δανεισμός χρησιμοποιημένης ισχύος\",\"FPKEug\":\"Η λειτουργία δεν υποστηρίζεται\",\"FbmMe7\":\"Linked addresses\",\"Fdp03t\":\"ενεργοποίηση\",\"Fjw9N+\":\"Περιουσιακά στοιχεία προς προμήθεια\",\"FmN0fk\":\"Restake\",\"GDGLIs\":\"GHO is a native decentralized, collateral-backed digital asset pegged to USD. It is created by users via borrowing against multiple collateral. When user repays their GHO borrow position, the protocol burns that user's GHO. All the interest payments accrued by minters of GHO would be directly transferred to the AaveDAO treasury.\",\"GQrBTq\":\"Switch E-Mode\",\"GWswcZ\":\"This asset is frozen due to an Aave Protocol Governance decision. On the 20th of December 2022, renFIL will no longer be supported and cannot be bridged back to its native network. It is recommended to withdraw supply positions and repay borrow positions so that renFIL can be bridged back to FIL before the deadline. After this date, it will no longer be possible to convert renFIL to FIL. <0>More details\",\"GX8GKD\":\"Περιουσιακά Στοιχεία\",\"GgEj+0\":\"Read-only mode. Connect to a wallet to perform transactions.\",\"GjkIKV\":\"τελειώνει\",\"GoK/QN\":\"Thank you for submitting feedback!\",\"GtP2hp\":[\"Ο δανεισμός δεν είναι διαθέσιμος επειδή έχετε ενεργοποιήσει τη λειτουργία Αποδοτικότητας (E-Mode) για την κατηγορία \",[\"0\"],\". Για να διαχειριστείτε τις κατηγορίες E-Mode επισκεφθείτε τον <0>Πίνακα ελέγχου.\"],\"H6Ma8Z\":\"Discount\",\"HB/wfS\":[[\"tooltipText\"]],\"HKDsQN\":\"Rewards can be claimed through\",\"Ha/U5f\":\"This is a program initiated and implemented by the decentralised ZKSync community. Aave Labs does not guarantee the program and accepts no liability.\",\"HciqKU\":\"This is a program initiated and implemented by the decentralised Aave community. Aave Labs does not guarantee the program and accepts no liability.\",\"Hi6Ttn\":\"Sorry, an unexpected error happened. In the meantime you may try reloading the page, or come back later.\",\"HkEDbS\":[[\"d\"],\"η\"],\"HmkYqM\":\"Παράθυρο ξεκλειδώματος\",\"HpK/8d\":\"Reload\",\"HrnC47\":\"Save and share\",\"HuVZMK\":\"Days\",\"HvJKMU\":[\"Asset cannot be migrated to \",[\"marketName\"],\" v3 Market since collateral asset will enable isolation mode.\"],\"Hvwnm9\":[\"Maximum amount available to supply is limited because protocol supply cap is at \",[\"0\"],\"%.\"],\"I8CX2c\":\"Το συνολικό ποσό των περιουσιακών σας στοιχείων σε δολάρια ΗΠΑ που μπορούν να χρησιμοποιηθούν ως εγγύηση για δανεισμό περιουσιακών στοιχείων.\",\"IAD2SB\":[\"Claiming \",[\"symbol\"]],\"IG9X9/\":\"Borrowing of this asset is limited to a certain amount to minimize liquidity pool insolvency.\",\"IOIx8L\":\"This asset is planned to be offboarded due to an Aave Protocol Governance decision. <0>More details\",\"IP+I/j\":\"Περίοδος ψύξης\",\"IaA40H\":\"Ρευστοποίηση στο\",\"J/hVSQ\":[[\"0\"]],\"JCoxL6\":\"Manage analytics\",\"JK9zf1\":[\"Estimated compounding interest, including discount for Staking \",[\"0\"],\"AAVE in Safety Module.\"],\"JOqFba\":[\"Unstaking \",[\"symbol\"]],\"JPrLjO\":\"Δεν μπορείτε να χρησιμοποιήσετε αυτό το νόμισμα ως εγγύηση\",\"JU6q+W\":\"Ανταμοιβή(ες) προς διεκδίκηση\",\"JYKRJS\":\"Κλειδώστε\",\"JZMxX0\":\"Δεν υπάρχει αρκετό υπόλοιπο στο πορτοφόλι σας\",\"Jgflkm\":\"Get GHO\",\"JoMQnI\":\"Υπόλοιπο πορτοφολιού\",\"JtwD8u\":\"Borrow balance after repay\",\"JumYTK\":\"Supplied assets\",\"K05qZY\":\"Withdraw & Switch\",\"KAz/NV\":\"Protocol debt ceiling is at 100% for this asset. Further borrowing against this asset is unavailable.\",\"KLXVqE\":[\"stETH tokens will be migrated to Wrapped stETH using Lido Protocol wrapper which leads to supply balance change after migration: \",[\"0\"]],\"KLd6ky\":\"Use connected account\",\"KRpokz\":\"VIEW TX\",\"KSlpka\":\"Αυτό αντιπροσωπεύει το κατώτατο όριο στο οποίο μια θέση δανεισμού θα θεωρηθεί υποεγγυημένη και θα υπόκειται σε ρευστοποίηση για κάθε εγγύηση. Για παράδειγμα, εάν μια εγγύηση έχει κατώτατο όριο ρευστοποίησης 80%, αυτό σημαίνει ότι η θέση θα ρευστοποιηθεί όταν η αξία του χρέους ανέρχεται στο 80% της αξίας της εγγύησης.\",\"KYAjf3\":\"Απομονωμένο\",\"KZwRuD\":[[\"notifyText\"]],\"KkPgim\":\"Switching E-Mode\",\"KnN1Tu\":\"Λήγει\",\"KoOBI2\":\"Due to internal stETH mechanics required for rebasing support, it is not possible to perform a collateral switch where stETH is the source token.\",\"KojyJ4\":\"Λάθος δίκτυο\",\"KsqhWn\":\"Κλείδωμα\",\"KuBTQq\":\"Εισάγετε διεύθυνση ETH\",\"KvG1xW\":\"Διεκδίκηση\",\"L+8Lzs\":\"Τρέχον LTV\",\"L+qiq+\":\"Αγορά\",\"LDzfVJ\":\"Send Feedback\",\"LIrMcF\":\"Δεν υπάρχει δικαίωμα ψήφου\",\"LL0zks\":\"Μπορεί να αποτελέσει εγγύηση\",\"LLdJWu\":\"Διεκδικήσιμο AAVE\",\"LSIpNK\":\"Δεν επιτρέπεται ο δανεισμός και η αποπληρωμή στο ίδιο block\",\"LVt3TI\":[\"<0>Slippage tolerance <1>\",[\"selectedSlippage\"],\"% <2>\",[\"0\"],\"\"],\"LjafV8\":\"Maximum collateral amount to use\",\"LtpQew\":\"Let us know how we can make the app better for you. For user support related inquiries please reach out on\",\"LvVpD/\":\"Emode\",\"M2sknc\":\"Tip: Try increasing slippage or reduce input amount\",\"M7wPsD\":\"Switch\",\"MFu33y\":\"Staking 00\",\"MIy2RJ\":\"Maximum amount received\",\"MZ/nQf\":\"Διεύθυνση παραλήπτη\",\"Ma/MtY\":\"προβολή κλειδώματος\",\"McHlGl\":\"APY change\",\"MeCCA+\":\"APY, μεταβλητό\",\"MghdTe\":\"Εάν ο συντελεστής υγείας πέσει κάτω από το 1, ενδέχεται να ενεργοποιηθεί η ρευστοποίηση των εγγυήσεών σας.\",\"Mm/DVQ\":\"Ακυρώσατε τη συναλλαγή.\",\"MnE2QX\":\"Borrow info\",\"MrmQHg\":\"View Bridge Transactions\",\"MuDFEQ\":\"Μη έγκυρη τιμή επιστροφής της συνάρτησης εκτελεστή flashloan\",\"N5kUMV\":\"Asset can be only used as collateral in isolation mode with limited borrowing power. To enter isolation mode, disable all other collateral.\",\"N6Pxr9\":\"View all\",\"NF0e1Q\":\"Εκκρεμεί...\",\"NK9ikO\":\"Wallet Balance\",\"NMt2CB\":\"Amount claimable\",\"NcFGxG\":\"Collector Contract\",\"NfpPeS\":\"Τίποτα κλειδωμένο\",\"Nh9DAo\":[[\"m\"],\"λ\"],\"O+sCUU\":\"Υπέρβαση του ανώτατου ορίου νομισματοκοπείου χωρίς αντίκρισμα\",\"O+tyU+\":[\"Maximum amount available to borrow against this asset is limited because debt ceiling is at \",[\"0\"],\"%.\"],\"O3oNi5\":\"Email\",\"OFjZGo\":\"Unstake\",\"OR8cYX\":\"Επισκόπηση πρότασης\",\"OYuJ9K\":\"Protocol debt ceiling is at 100% for this asset. Futher borrowing against this asset is unavailable.\",\"OfhWJH\":\"Reset\",\"Og2SKn\":\"απενεργοποιημένο\",\"On0aF2\":\"Website\",\"OsyKSt\":\"Ανάληψη\",\"P1dURE\":\"Revoke power\",\"P2WCD/\":[\"Underlying asset does not exist in \",[\"marketName\"],\" v3 Market, hence this position cannot be migrated.\"],\"P2sL6B\":\"Όταν πραγματοποιείται ρευστοποίηση, οι ρευστοποιητές επιστρέφουν έως και το 50% του ανεξόφλητου δανεισμένου ποσού για λογαριασμό του δανειολήπτη. Σε αντάλλαγμα, μπορούν να αγοράσουν τις εξασφαλίσεις με έκπτωση και να κρατήσουν τη διαφορά (ποινή ρευστοποίησης) ως μπόνους.\",\"P6sRoL\":\"Stake ABPT\",\"P72/OW\":\"Ο σταθμισμένος μέσος όρος του APY για όλα τα δανειακά περιουσιακά στοιχεία, συμπεριλαμβανομένων των κινήτρων.\",\"P7e6Ug\":\"Please connect your wallet to view transaction history.\",\"PByO0X\":\"Votes\",\"PI+kVe\":\"Disable fork\",\"PJK9u/\":\"Borrow apy\",\"PLUB/s\":\"Fee\",\"PP5ZA8\":[\"Participating in staking \",[\"symbol\"],\" gives annualized rewards. Your wallet balance is the sum of your aTokens and underlying assets. The breakdown to stake is below\"],\"PcBUgb\":\"Κατώτατο όριο ρευστοποίησης\",\"PjU6bu\":\"This asset is eligible for SPK incentive program. Aave Labs does not guarantee the program and accepts no liability.\",\"PpqD5g\":\"Η ενεργοποίηση αυτού του περιουσιακού στοιχείου ως εγγύηση αυξάνει τη δανειοληπτική σας ικανότητα και τον Συντελεστή Υγείας. Ωστόσο, μπορεί να ρευστοποιηθεί εάν ο συντελεστής υγείας σας πέσει κάτω από το 1.\",\"PsOFSf\":\"This action will reduce V2 health factor below liquidation threshold. retain collateral or migrate borrow position to continue.\",\"Pu4bI/\":[[\"currentMethod\"]],\"Q0LzKi\":\"View TX\",\"Q4eNqa\":\"The Aave Balancer Pool Token (ABPT) is a liquidity pool token. You can receive ABPT by depositing a combination of AAVE + wstETH in the Balancer liquidity pool. You can then stake your BPT in the Safety Module to secure the protocol and earn Safety Incentives.\",\"QQYsQ7\":\"Withdrawing\",\"QWYCs/\":\"Stake GHO\",\"R+30X3\":\"Δεν έχει επιτευχθεί\",\"RCU5PY\":\"Age\",\"RIfckG\":[\"Απενεργοποίηση \",[\"symbol\"],\" ως εγγύηση\"],\"RMtxNk\":\"Διαφορικό\",\"RNK49r\":\"Μη έγκυρη υπογραφή\",\"RS0o7b\":\"Κατάσταση\",\"RU+LqV\":\"Λεπτομέρειες πρότασης\",\"RbXH+k\":\"AAVE, GHO, and ABPT holders (Ethereum network only) can stake their assets in the Safety Module to add more security to the protocol and earn Safety Incentives. In the case of a shortfall event, your stake can be slashed to cover the deficit, providing an additional layer of protection for the protocol.\",\"RiSYV4\":\"Το περιουσιακό στοιχείο δεν περιλαμβάνεται στον κατάλογο\",\"Rj01Fz\":\"Σύνδεσμοι\",\"RmWFEe\":\"Κλείδωμα APR\",\"RoafuO\":\"Send feedback\",\"RtBLm7\":\"Ο συντελεστής υγείας είναι μικρότερος από το όριο ρευστοποίησης\",\"RxzN1M\":\"Ενεργοποιημένο\",\"SDav7h\":\"Κεφάλαια στην Μονάδα Ασφάλειας\",\"SENccp\":\"If the error continues to happen,<0/> you may report it to this\",\"SIWumd\":\"Show Frozen or paused assets\",\"SM58dD\":\"Amount in cooldown\",\"SSMiac\":\"Failed to load proposal voters. Please refresh the page.\",\"SSQVIz\":\"Liquidation Threshold\",\"SUb8x0\":\"Σύνολο διαθέσιμων\",\"SWIgh4\":\"Fees exceed wallet balance\",\"SY9hVo\":\"Read-only mode allows to see address positions in Aave, but you won't be able to perform transactions.\",\"SZRUQ4\":\"Max slippage\",\"Sa1UE/\":\"Protocol borrow cap is at 100% for this asset. Further borrowing unavailable.\",\"Sk2zW9\":\"Απενεργοποίηση E-Mode\",\"SxaD0o\":\"Ο πάροχος διευθύνσεων κοινόχρηστων ταμείων δεν είναι εγγεγραμμένος\",\"T/AIqG\":\"Protocol supply cap at 100% for this asset. Further supply unavailable.\",\"T0xCO9\":\"Can't validate the wallet address. Try again.\",\"T4OhVl\":\"GHO balance\",\"T6uYU2\":\"Δανεισμός\",\"TFxQlw\":\"Ποινή ρευστοποίησης\",\"TQ7WsV\":\"Available to stake\",\"TUI7iB\":\"To περιουσιακό στοιχείο μπορεί να χρησιμοποιηθεί ως εγγύηση μόνο σε λειτουργία απομόνωσης.\",\"TbjyhA\":\"Docs\",\"TduuS0\":\"Ο χρήστης δεν έχει ανεξόφλητο χρέος σταθερού επιτοκίου σε αυτό το αποθεματικό\",\"TeCFg/\":\"Borrow rate change\",\"Tg1JyO\":\"Bridge history\",\"TskbEN\":\"Holders of stkAAVE receive a discount on the GHO borrowing rate\",\"TszKts\":\"Borrow balance after switch\",\"TtZL6q\":\"Discount model parameters\",\"TwJI9F\":\"Asset has been successfully sent to CCIP contract. You can check the status of the transactions below\",\"Tz0GSZ\":\"blocked activities\",\"U/eBjN\":\"Reload the page\",\"U2r8nY\":\"Choose how much voting/proposition power to give to someone else by delegating some of your AAVE, stkAAVE or aAave balance. Your tokens will remain in your account, but your delegate will be able to vote or propose on your behalf. If your AAVE, stkAAVE or aAave balance changes, your delegate's voting/proposition power will be automatically adjusted.\",\"U8IubP\":\"The app is running in testnet mode. Learn how it works in\",\"U9btTk\":\"Το περιουσιακό στοιχείο δεν είναι δανείσιμο σε λειτουργία απομόνωσης\",\"UAOZRe\":\"Price impact is the spread between the total value of the entry tokens switched and the destination tokens obtained (in USD), which results from the limited liquidity of the trading pair.\",\"UE3KJZ\":\"Transaction history is not currently available for this market\",\"URmyfc\":\"Λεπτομέρειες\",\"UTTKmT\":\"Stake cooldown activated\",\"UXeR72\":\"Τα κεφάλαια αυτά έχουν δανειστεί και δεν είναι διαθέσιμα για ανάληψη αυτή τη στιγμή.\",\"UYb8CM\":\"Learn more about the SPK rewards\",\"UbRrG0\":\"Ο δείκτης μέγιστου LTV αντιπροσωπεύει τη μέγιστη δανειοληπτική ικανότητα μιας συγκεκριμένης εγγύησης. Για παράδειγμα, εάν μια εγγύηση έχει LTV 75%, ο χρήστης μπορεί να δανειστεί έως και 0,75 ETH στο κύριο νόμισμα για κάθε 1 ETH αξίας εγγύησης.\",\"UpndFj\":\"Δεν υπάρχουν ανταμοιβές για διεκδίκηση\",\"V0f2Xv\":\"Reserve factor\",\"V1HK43\":\"Migration risks\",\"VATFH9\":\"Covered debt\",\"VHOVEJ\":\"Συνδέστε το πορτοφόλι\",\"VMfYUK\":\"Ασφάλεια των κατατεθειμένων εξασφαλίσεών σας έναντι των δανειζόμενων περιουσιακών στοιχείων και της υποκείμενης αξίας τους.\",\"VOAZJh\":\"Σύνολο δανείων\",\"ViKYxK\":\"ΥΠΕΡ\",\"W1SSoD\":\"Αναθεώρηση λεπτομερειών συναλλαγής\",\"W5hVah\":\"Τίποτα δεν έχει παρασχεθεί ακόμη\",\"W5kTFy\":\"Voting\",\"W8ekPc\":\"Back to Dashboard\",\"WMPbRK\":\"Μη υποστηριζόμενο\",\"WNGZwH\":\"Το E-Mode αυξάνει το LTV σας για μια επιλεγμένη κατηγορία περιουσιακών στοιχείων έως και <0/>. <1>Μάθετε περισσότερα\",\"WPWG/y\":\"Κατάσταση & διαμόρφωση αποθεματικού\",\"WZLQSU\":\"Ο χρήστης δεν μπορεί να κάνει ανάληψη μεγαλύτερη από το διαθέσιμο υπόλοιπο\",\"WaZyaV\":\"<0>Ampleforth is a rebasing asset. Visit the <1>documentation to learn more.\",\"WfU+XN\":\"Because this asset is paused, no actions can be taken until further notice\",\"Wjmqs2\":\"No results found. You can import a custom token with a contract address\",\"WkZ6C6\":\"Για να δανειστείτε πρέπει να προσκομίσετε οποιοδήποτε περιουσιακό στοιχείο που θα χρησιμοποιηθεί ως εγγύηση.\",\"WyMiQm\":\"You've successfully switched tokens.\",\"X/ITG9\":\"Κείμενο σφάλματος αντιγραφής\",\"X3Pp6x\":\"Χρησιμοποιείται ως εγγύηση\",\"X4Zt7j\":\"Η ενέργεια δεν μπορεί να εκτελεστεί επειδή η εφεδρεία βρίσκεται σε παύση\",\"XBdKOj\":\"Representative smart contract wallet (ie. Safe) addresses on other chains.\",\"XZzneG\":\"Θα βγείτε από τη λειτουργία απομόνωσης και άλλα tokens μπορούν πλέον να χρησιμοποιηθούν ως εγγύηση\",\"Xg5y9S\":\"Amount to Bridge\",\"Xn4hUi\":\"Please always be aware of your <0>Health Factor (HF) when partially migrating a position and that your rates will be updated to V3 rates.\",\"Xy71ST\":\"Umbrella\",\"Y5kGkc\":\"ΨΗΦΙΣΤΕ ΚΑΤΑ\",\"YDIOks\":\"Ενεργοποίηση E-Mode\",\"YSodyW\":\"This action will reduce your health factor. Please be mindful of the increased risk of collateral liquidation.\",\"YXOWXM\":\"The total amount bridged minus CCIP fees. Paying in network token does not impact gho amount.\",\"YirHq7\":\"Feedback\",\"YogbCJ\":\"Testnet mode is ON\",\"YrDxdO\":\"Εάν το δάνειο προς αξία υπερβεί το όριο ρευστοποίησης, η παρεχόμενη εγγύηση σας μπορεί να ρευστοποιηθεί.\",\"YyIM65\":\"Δεν τηρήθηκαν οι όροι επανεξισορρόπησης των επιτοκίων\",\"YyydIq\":[\"Add \",[\"0\"],\" to wallet to track your balance.\"],\"ZBvhI+\":\"Διακυβέρνηση Aave\",\"ZIIRAd\":\"Raw-Ipfs\",\"ZRq4tX\":\"Λειτουργία αποδοτικότητας (E-Mode)\",\"ZSqEW+\":\"Manage E-Mode\",\"ZUFYFE\":\"Disable testnet\",\"Zbyywy\":\"Μέγιστη περικοπή\",\"ZfUGFb\":\"Πριν από την προμήθεια\",\"ZiXN+B\":\"Assets to stake\",\"ZlsSDH\":\"Αξία ρευστοποίησης\",\"ZrEc8j\":\"We couldn't find any assets related to your search. Try again with a different asset name, symbol, or address.\",\"ZsLF7e\":\"ενεργοποιημένο\",\"a0YQoQ\":\"Enter a valid address\",\"a2fBZn\":\"Χρόνος που απομένει για το ξεκλείδωμα\",\"a5RYZd\":\"Η απενεργοποίηση αυτού του περιουσιακού στοιχείου ως εγγύηση επηρεάζει τη δανειοληπτική σας ικανότητα και τον Συντελεστή Υγείας.\",\"a7u1N9\":\"Price\",\"a9D+6D\":\"Unstaked\",\"aEtiwq\":\"Ψηφίστε ΚΑΤΑ\",\"aMmFE1\":\"Buy Crypto With Fiat\",\"aOKIms\":\"Οι παράμετροι της συστοιχίας που θα έπρεπε να είναι ίσου μήκους δεν είναι\",\"aX31hk\":\"Your balance is lower than the selected amount.\",\"adUsDd\":\"An error has occurred fetching the proposal.\",\"al6Pyz\":\"Exceeds the discount\",\"aoXTT7\":\"Δανεισμός APY, μεταβλητό\",\"aqX1Yp\":\"This asset is eligible for rewards through SuperFest. Aave Labs does not guarantee the program and accepts no liability.\",\"avgETN\":\"Eligible for the Merit program.\",\"b4NS3e\":\"Προειδοποίηση περιόδου ψύξης\",\"bBHmeP\":\"Available to withdraw\",\"bNEQeI\":\"Cooldown\",\"bSruit\":\"ZKSync Ignite Program rewards are claimed through the\",\"bUUVED\":\"Περιουσιακό στοιχείο\",\"bXQ/Og\":\"Μοιραστείτε το στο twitter\",\"bXr0ee\":\"Τα απομονωμένα περιουσιακά στοιχεία έχουν περιορισμένη δανειοληπτική ικανότητα και άλλα περιουσιακά στοιχεία δεν μπορούν να χρησιμοποιηθούν ως εγγύηση.\",\"bYmAV1\":\"Addresses\",\"bguKoJ\":\"Το αιτούμενο ποσό είναι μεγαλύτερο από το μέγιστο μέγεθος δανείου στη λειτουργία σταθερού επιτοκίου\",\"bwSQI0\":\"Προσφορά\",\"bxN6EM\":\"Cannot disable E-Mode\",\"bxmzSh\":\"Δεν υπάρχουν επαρκείς εγγυήσεις για την αποπληρωμή αυτού του ποσού χρέους με\",\"c91vuQ\":\"Η διεύθυνση δεν είναι συμβόλαιο\",\"c97os2\":\"Aave aToken\",\"c9b44w\":\"Δεν μπορείτε να αποσύρετε αυτό το ποσό, διότι θα προκληθεί κλήση εγγύησης\",\"cBc+4A\":\"Αυτό είναι το συνολικό ποσό που μπορείτε να δανειστείτε. Μπορείτε να δανειστείτε με βάση την εξασφάλισή σας και μέχρι να επιτευχθεί το ανώτατο όριο δανεισμού.\",\"cIl5kp\":\"Your voting power is based on your AAVE/stkAAVE balance and received delegations.\",\"cLo09S\":\"Λεπτομέρειες κινδύνου\",\"cNT+ij\":\"Ο δανεισμός δεν είναι διαθέσιμος επειδή έχετε ενεργοποιήσει τη Λειτουργία Αποδοτικότητας (E-Mode) και τη λειτουργία Απομόνωσης. Για να διαχειριστείτε τη λειτουργία E-Mode και τη λειτουργία Απομόνωσης, επισκεφθείτε τον <0>Πίνακα ελέγχου.\",\"cZOeBk\":\"Something went wrong fetching bridge message, please try again later.\",\"ceix5S\":\"To submit a proposal for minor changes to the protocol, you'll need at least 80.00K power. If you want to change the core code base, you'll need 320k power.<0>Learn more.\",\"ciSsYT\":\"Staking APY\",\"ciybUa\":\"Ψηφίστε ΥΠΕΡ\",\"ckf7gX\":[\"Αποπληρώνοντας \",[\"symbol\"]],\"cp1ZDP\":[\"Bridge \",[\"symbol\"]],\"cqnmnD\":\"Effective interest rate\",\"cqwIvs\":\"Συζήτηση φόρουμ\",\"csDS2L\":\"Διαθέσιμο\",\"cu7Stb\":\"Δεν συμμετείχατε στην παρούσα πρόταση\",\"dE6BLF\":\"Διακυβέρνηση\",\"dEgA5A\":\"Cancel\",\"dIsyWh\":\"Η επικύρωση του Ltv απέτυχε\",\"dMtLDE\":\"to\",\"dOB5nW\":[\"Maximum amount available to supply is <0/> \",[\"0\"],\" (<1/>).\"],\"dVfODp\":\"Δεν έχετε αρκετά χρήματα στο πορτοφόλι σας για να αποπληρώσετε ολόκληρο το ποσό. Εάν προχωρήσετε στην αποπληρωμή με το τρέχον ποσό των χρημάτων σας, θα εξακολουθείτε να έχετε μια μικρή θέση δανεισμού στο ταμπλό σας.\",\"dXUQFX\":\"Περιουσιακά στοιχεία προς δανεισμό\",\"dgr1aY\":\"Borrowing is disabled due to an Aave community decision. <0>More details\",\"djsg0o\":\"Χρησιμοποίηση εγγυήσεων\",\"dpc0qG\":\"Μεταβλητό\",\"drdV8R\":\"Liquidation\",\"dxW8cS\":\"Aave debt token\",\"e4V3oW\":\"Top 10 addresses\",\"eD8WX/\":\"Η δράση απαιτεί ενεργό απόθεμα\",\"eJRJ04\":\"Amount to unstake\",\"eLh0cL\":\"Slippage is the difference between the quoted and received amounts from changing market conditions between the moment the transaction is submitted and its verification.\",\"ePK91l\":\"Edit\",\"eVpCmf\":\"Staking Rewards\",\"eVqvtf\":\"Bridge GHO\",\"eYdurp\":\"No transactions yet.\",\"ebLGGN\":\"Σύνολο δανεικών\",\"ecqEvn\":\"Το υπόλοιπο των εγγυήσεων είναι 0\",\"efdrrk\":\"Available on\",\"enruNF\":\"starts\",\"eqLYiD\":\"Ξεκλειδώστε τώρα\",\"euScGB\":\"APY with discount applied\",\"evw5ha\":\"Καθαρή αξία\",\"ezcU16\":\"Get ABP Token\",\"f3W0Ej\":[\"Αλλάξατε σε ποσοστό \",[\"0\"]],\"fH9i8k\":\"You've successfully switched borrow position.\",\"fHcELk\":\"Καθαρό APR\",\"fMJQZK\":\"Borrowed\",\"fZ5Vnu\":\"Received\",\"firl9Q\":\"Το τρέχον δάνειο προς αξία με βάση τις παρεχόμενες εξασφαλίσεις σας.\",\"flRCF/\":\"Staking discount\",\"fldjW9\":\"Preview tx and migrate\",\"fsBGk0\":\"Υπόλοιπο\",\"fu1Dbh\":[\"Ανάληψη \",[\"symbol\"]],\"fwjWSI\":\"Supplied\",\"fwyTMb\":\"Migrate to stkABPT v2\",\"g0mals\":\"You can not disable E-Mode because that could cause liquidation. To exit E-Mode supply or repay borrowed positions.\",\"g2UNkE\":\"Powered by\",\"g8KGoA\":\"FAQS\",\"g9zzqS\":\"Voted NAY\",\"gDd2gk\":\"about SuperFest.\",\"gFFh9h\":\"Όλα έτοιμα!\",\"gIMJlW\":\"Λειτουργία Testnet\",\"gOzPxe\":\"This asset is frozen due to an Aave Protocol Governance decision. <0>More details\",\"gTHi2T\":\"Ο χρήστης προσπαθεί να δανειστεί πολλαπλά περιουσιακά στοιχεία, συμπεριλαμβανομένου ενός απομονωμένου περιουσιακού στοιχείου\",\"gVW59Y\":\"Please connect your wallet to get free testnet assets.\",\"gcFNxP\":\"Approve Confirmed\",\"gncRUO\":\"This address is blocked on app.aave.com because it is associated with one or more\",\"goff7V\":\"Η μηδενική διεύθυνση δεν είναι έγκυρη\",\"gp+f1B\":\"Version 3\",\"gr8mYw\":\"You may borrow up to <0/> GHO at <1/> (max discount)\",\"gvTM4B\":\"Το καθαρό ΑΡΥ είναι η συνδυασμένη επίδραση όλων των θέσεων προσφοράς και δανεισμού στην καθαρή αξία, συμπεριλαμβανομένων των κινήτρων. Είναι δυνατόν να υπάρχει αρνητικό καθαρό APY εάν το χρεωστικό APY είναι υψηλότερο από το προσφερόμενο APY.\",\"gzcch9\":\"Μη έγκυρη αμοιβή πρωτοκόλλου γέφυρας\",\"h33MxW\":\"Representing smart contract wallet (ie. Safe) addresses on other chains.\",\"h3ilK+\":\".CSV\",\"hB23LY\":\"Activate Cooldown\",\"hIJzBh\":\"Available to Claim\",\"hIS4N0\":\"Καθαρό APY\",\"hRWvpI\":\"Claimed\",\"hdmy/o\":\"Το % της συνολικής δανειοληπτικής σας δύναμης που χρησιμοποιείται. Αυτό βασίζεται στο ποσό της παρεχόμενης εξασφάλισής σας και στο συνολικό ποσό που μπορείτε να δανειστείτε.\",\"hehnjM\":\"Ποσό\",\"hjDCQr\":\"Υπήρξε κάποιο σφάλμα. Προσπαθήστε να αλλάξετε τις παραμέτρους ή <0><1>αντιγράψτε το σφάλμα\",\"hom7qf\":\"Διεκδίκηση\",\"hpHJ4I\":\"Liquidated collateral\",\"hpuVIp\":\"Users who stake AAVE in Safety Module (i.e. stkAAVE holders) receive a discount on GHO borrow interest rate.\",\"huQ6Tz\":[\"Δανεισμός \",[\"symbol\"]],\"hxi7vE\":\"Borrow balance\",\"i/fZ2Z\":\"Staked Balance\",\"i2JTiw\":\"You may enter a custom amount in the field.\",\"iB5+/J\":\"About GHO\",\"iChbOF\":\"Ασυνεπείς παράμετροι flashloan\",\"iEPVHF\":\"Δεν έχει αρκετή δύναμη ψήφου για να συμμετάσχει στην παρούσα πρόταση\",\"iEW87X\":\"Delegated power\",\"iEju36\":[\"Ψηφίσατε \",[\"0\"]],\"iFq2YN\":\"Borrowable\",\"iGxyIA\":\"Safety Module\",\"iMVZk9\":\"Select slippage tolerance\",\"iPMIoT\":\"Εισάγετε ένα ποσό\",\"iSLIjg\":\"Connect\",\"iUo5rv\":\"tokens δεν είναι το ίδιο με το να τα κλειδώνετε. Εάν επιθυμείτε να κλειδώσετε τα\",\"iZxa38\":\"Use it to vote for or against active proposals.\",\"if5PH+\":\"Collector Info\",\"igkfR1\":[\"In Isolation mode, you cannot supply other assets as collateral. A global debt ceiling limits the borrowing power of the isolated asset. To exit isolation mode disable \",[\"0\"],\" as collateral before borrowing another asset. Read more in our <0>FAQ\"],\"il0sEG\":\"H χρήση εγγυήσεων είναι περιορισμένη λόγω της λειτουργίας Απομόνωσης.\",\"j+K1Xj\":\"Amount After Fee\",\"jA2QeW\":\"Προμηθεύοντας το\",\"jFi7dz\":\"Interest rate that is determined by Aave Governance. This rate may be changed over time depending on the need for the GHO supply to contract/expand. <0>Learn more\",\"jG3UJ7\":\"Απενεργοποίηση E-Mode\",\"jKYzR1\":\"Ενεργοποίηση E-Mode\",\"jMam5g\":[[\"0\"],\" Υπόλοιπο\"],\"jSYv+Z\":\"Enabling E-Mode allows you to maximize your borrowing power, however, borrowing is restricted to assets within the selected category. <0>Learn more about how it works and the applied restrictions.\",\"jaKbwW\":[[\"s\"],\"δ\"],\"jbFMap\":\"Χρόνος ψύξης που έχει απομείνει\",\"jeMZNr\":[[\"0\"],\" on-ramp service is provided by External Provider and by selecting you agree to Terms of the Provider. Your access to the service might be reliant on the External Provider being operational.\"],\"jfl9OP\":\"Migrated\",\"jmXdoY\":\"Στο E-Mode ορισμένα περιουσιακά στοιχεία δεν είναι δανείσιμα. Βγείτε από το E-Mode για να αποκτήσετε πρόσβαση σε όλα τα περιουσιακά στοιχεία\",\"jpctdh\":\"View\",\"jqzUyM\":\"Μη διαθέσιμο\",\"k/sb6z\":\"Επιλέξτε γλώσσα\",\"k3wP3f\":\"<0>Attention: Parameter changes via governance can alter your account health factor and risk of liquidation. Follow the <1>Aave governance forum for updates.\",\"kACpF3\":[\"Διεκδίκηση \",[\"0\"]],\"kH6wUX\":\"Επίδραση στην τιμή\",\"kIC28N\":\"Available to claim\",\"kIpSye\":[[\"numSelected\"],\"/\",[\"numAvailable\"],\" assets selected\"],\"kN1Yg5\":\"Για την εξόφληση εκ μέρους ενός χρήστη απαιτείται ένα ρητό ποσό προς εξόφληση\",\"kRTD40\":[\"Repayment amount to reach \",[\"0\"],\"% utilization\"],\"kjN9tT\":\"Υπέρβαση του ανώτατου ορίου προσφοράς\",\"knxE+G\":\".JSON\",\"ks2LWT\":\"Το ανώτατο όριο χρέους δεν είναι μηδενικό\",\"kwwn6i\":\"Users who stake AAVE in Safety Module (i.e. stkAAVE holders) receive a discount on GHO borrow interest rate. The discount applies to 100 GHO for every 1 stkAAVE held. Use the calculator below to see GHO borrow rate with the discount applied.\",\"kz3wtK\":\"and about SPK program\",\"kzZyM4\":\"DAI balance will be converted via DSR contracts and then supplied as sDAI. Switching incurs no additional costs and no slippage.\",\"lNVG7i\":\"Select an asset\",\"lU2d1/\":[\"Asset cannot be migrated due to insufficient liquidity or borrow cap limitation in \",[\"marketName\"],\" v3 market.\"],\"lVhKKI\":\"Voted YAE\",\"lWLqxB\":\"We couldn't find any transactions related to your search. Try again with a different asset name, or reset filters.\",\"lYGfRP\":\"Αγγλικά\",\"lfEjIE\":\"Μάθετε περισσότερα στον οδηγό <0>Συχνών Ερωτήσεων\",\"lt6bpt\":\"Collateral to repay with\",\"m/IEhi\":\"Συνολικές εκπομπές ανά ημέρα\",\"m7r7Hh\":\"Selected borrow assets\",\"mDDK4p\":\"Balancer Pool\",\"mIM0qu\":\"Expected amount to repay\",\"mUAFd6\":\"Version 2\",\"masO5Z\":\"E-Mode increases your LTV for a selected category of assets. <0>Learn more\",\"mdNjKU\":[\"Your \",[\"name\"],\" wallet is empty. Purchase or transfer assets or use <0>\",[\"0\"],\" to transfer your \",[\"network\"],\" assets.\"],\"muiOng\":[\"Buy \",[\"cryptoSymbol\"],\" with Fiat\"],\"mvCXBY\":\"Stake AAVE\",\"mwdzil\":\"Εντάξει, Κλείσιμο\",\"mzI/c+\":\"Download\",\"mzdIia\":\"Το περιουσιακό στοιχείο δεν μπορεί να χρησιμοποιηθεί ως εγγύηση.\",\"n+SX4g\":\"Προγραμματιστές\",\"n8Psk4\":\"We couldn’t detect a wallet. Connect a wallet to stake and view your balance.\",\"nJIhzm\":\"Προσφορά apy\",\"nJgsQu\":\"Με δύναμη ψήφου <0/>\",\"nLC6tu\":\"Γαλλικά\",\"nN2T8p\":\"During the cooldown period, you will not earn any merit rewards. However, rewards earned up to this point will remain unaffected.\",\"nNHV0z\":\"Migrating multiple collaterals and borrowed assets at the same time can be an expensive operation and might fail in certain situations.<0>Therefore it’s not recommended to migrate positions with more than 5 assets (deposited + borrowed) at the same time.\",\"nNbnzu\":\"Proposition\",\"nOy4ob\":\"We suggest you go back to the Dashboard.\",\"nPGNMh\":\"Μπορεί να εκτελεστεί\",\"nUK1ou\":[\"Assets with zero LTV (\",[\"0\"],\") must be withdrawn or disabled as collateral to perform this action\"],\"nakd8r\":\"stkAAVE holders get a discount on GHO borrow rate\",\"nh2EJK\":[\"Παρακαλώ μεταβείτε στο \",[\"networkName\"],\".\"],\"njBeMm\":\"Both\",\"noN5Xf\":\"We couldn’t detect a wallet. Connect a wallet to view your staking positions and rewards.\",\"ntkAoE\":\"Discount applied for <0/> staking AAVE\",\"ntyFSE\":[[\"h\"],\"ω\"],\"nwtY4N\":\"Something went wrong\",\"nxyWvj\":\"Withdrawing this amount will reduce your health factor and increase risk of liquidation.\",\"o17QVP\":\"Ο συντελεστής υγείας και το δάνειο προς αξία καθορίζουν τη διασφάλιση των εξασφαλίσεών σας. Για να αποφύγετε τις ρευστοποιήσεις μπορείτε να παράσχετε περισσότερες εξασφαλίσεις ή να εξοφλήσετε δανειακές θέσεις.\",\"o1xc2V\":\"Η προσφορά AToken δεν είναι μηδενική\",\"o4tCu3\":\"Borrow APY\",\"o5ooMr\":\"Χρέος\",\"o7J4JM\":\"Φίλτρο\",\"oHFrpj\":\"Ψύξτε για ξεκλείδωμα\",\"oJ5ZiG\":\"Ο χρήστης δεν έχει ανεξόφλητο χρέος μεταβλητού επιτοκίου σε αυτό το αποθεματικό\",\"oRBGin\":\"Please connect your wallet to be able to switch your tokens.\",\"oUwXhx\":\"Test Assets\",\"oWklJD\":\"Το σταθερό επιτόκιο θα <0>μείνει το ίδιο για όλη τη διάρκεια του δανείου σας. Συνιστάται για μακροχρόνιες περιόδους δανεισμού και για χρήστες που προτιμούν την προβλεψιμότητα.\",\"odnIK3\":\"Time remaining until the 48 hour withdraw period starts.\",\"oiK5nY\":\"The current incentives period, decided on by the Aave community, has ended. Governance is in the process on renewing, check for updates. <0>Learn more.\",\"olREoo\":\"All borrow positions outside of this category must be closed to enable this category.\",\"om/XHs\":\"Διαθέσιμο για προμήθεια\",\"ov0+mq\":\"Eligible for the ZKSync Ignite program.\",\"ovT1pF\":[\"Per the community, the \",[\"market\"],\" has been frozen.\"],\"ow3fug\":\"Nothing found\",\"owSsI3\":\"Signatures ready\",\"p+R52m\":\"Go to Balancer Pool\",\"p2A+s1\":[\"Η περίοδος ψύξης είναι \",[\"0\"],\". Μετά την \",[\"1\"],\" περίοδο ψύξης, θα εισέλθετε στο παράθυρο ξεκλειδώματος \",[\"2\"],\". Θα συνεχίσετε να λαμβάνετε ανταμοιβές κατά τη διάρκεια της ψύξης και του παραθύρου ξεκλειδώματος.\"],\"p2S64u\":\"The loan to value of the migrated positions would cause liquidation. Increase migrated collateral or reduce migrated borrow to continue.\",\"p2Z2Qi\":\"Αυτό το περιουσιακό στοιχείο έχει φθάσει στο ανώτατο όριο δανεισμού του. Τίποτα δεν είναι διαθέσιμο για δανεισμό από αυτή την αγορά.\",\"p3j+mb\":\"Το υπόλοιπο της ανταμοιβής σας είναι 0\",\"p45alK\":\"Set up delegation\",\"p6u2s1\":\"Minimum amount of debt to be repaid\",\"pDgeaz\":[[\"title\"]],\"pdZqBk\":\"Το υποκείμενο υπόλοιπο πρέπει να είναι μεγαλύτερο από 0\",\"pgWG9H\":\"Δεν υπάρχει αρκετό κλειδωμένο υπόλοιπο\",\"piPrJ7\":\"παρακαλούμε ελέγξτε ότι το ποσό που θέλετε να παρέχετε δεν χρησιμοποιείται επί του παρόντος για κλείδωμα. Εάν χρησιμοποιείται για κλείδωμα, η συναλλαγή σας ενδέχεται να αποτύχει.\",\"pjO/iH\":\"Minimum amount received\",\"pooutM\":\"Voting is on\",\"pqaM5s\":\"Confirming transaction\",\"ptaxX3\":[\"Καταλαβαίνω πώς λειτουργεί η ψύξη (\",[\"0\"],\") και το ξεκλείδωμα (\",[\"1\"],\")\"],\"py2iiY\":\"Ο καλών αυτής της συνάρτησης πρέπει να είναι ένα κοινόχρηστο ταμείο\",\"q/51mF\":\"Migrate to V3\",\"q3df11\":\"Interest rate strategy\",\"q6lAbz\":\"Κλειδωμένο\",\"qB4kPi\":\"Προσφορά APY\",\"qENI8q\":\"Γενικές ρυθμίσεις\",\"qGz5zl\":\"Collateral balance after repay\",\"qIW9ZH\":\"Amount staked\",\"qOqbD6\":\"αντιγράψτε το σφάλμα\",\"qXCkEM\":\"Συνδέστε το πορτοφόλι σας για να δείτε τις προμήθειες, τα δάνεια και τις ανοιχτές θέσεις σας.\",\"qY2jnw\":\"Μη έγκυρη λήξη\",\"qf/fr+\":\"Interest accrued\",\"qhhf9L\":\"Rewards available to claim\",\"quYPUU\":\"Variable interest rate will <0>fluctuate based on the market conditions.\",\"quzIeW\":\"User is in isolation mode or LTV is zero\",\"qvnz3q\":\"Μη έγκυρη ποσότητα προς καύση\",\"rHgdb0\":\"Migrate to Aave V3\",\"rOrHHe\":\"Το ποσό πρέπει να είναι μεγαλύτερο από 0\",\"rQ+R+0\":\"Selected supply assets\",\"rSayea\":\"APY\",\"rTBDeu\":[\"Asset cannot be migrated because you have isolated collateral in \",[\"marketName\"],\" v3 Market which limits borrowable assets. You can manage your collateral in <0>\",[\"marketName\"],\" V3 Dashboard\"],\"rcT+yy\":\"Εμφάνιση περιουσιακών στοιχείων με υπόλοιπο 0\",\"rf8POi\":\"Borrowed asset amount\",\"riNWOA\":\"E-Mode\",\"rjGI/Q\":\"Privacy\",\"rnKPW1\":\"Watch a wallet balance in read-only mode\",\"ruc7X+\":\"Add stkAAVE to see borrow APY with the discount\",\"rvbaFU\":[\"Bridging \",[\"symbol\"]],\"rwVVB7\":\"Διεκδικήστε όλες τις ανταμοιβές\",\"rwyUva\":\"These assets are temporarily frozen or paused by Aave community decisions, meaning that further supply / borrow, or rate swap of these assets are unavailable. Withdrawals and debt repayments are allowed. Follow the <0>Aave governance forum for further updates.\",\"rxJW5W\":\"Your proposition power is based on your AAVE/stkAAVE balance and received delegations.\",\"s2jJnW\":\"You don't have any bridge transactions\",\"s5wBAq\":[\"Unstake \",[\"symbol\"]],\"sJbIdI\":\"Enter ETH address or ENS\",\"sK+Nag\":\"Αναθεώρηση συναλλαγής\",\"sP2+gB\":\"ΚΑΤΑ\",\"sQv06Y\":\"for\",\"sTtO6J\":\"Confirm transaction\",\"sXKb3l\":\"Exchange rate\",\"sb0q4+\":\"Μπορείτε να ξεκλειδώσετε εδώ\",\"smJNwH\":\"Διαθέσιμο για δανεισμό\",\"solypO\":\"Ο παράγοντας υγείας δεν είναι κάτω από το όριο\",\"sr0UJD\":\"Πηγαίνετε Πίσω\",\"ss5GCK\":\"Η διεύθυνση του παρόχου διευθύνσεων κοινόχρηστου ταμείου είναι άκυρη\",\"swEgK4\":\"Οι πληροφορίες ψήφου σας\",\"t+wtgf\":\"Τίποτα δανεισμένο ακόμα\",\"t/YqKh\":\"Remove\",\"t81DpC\":[\"Approve \",[\"symbol\"],\" to continue\"],\"tCnbEs\":\"Τιμή Oracle\",\"tFZLf8\":\"Αυτός ο υπολογισμός gas είναι μόνο μια εκτίμηση. Το πορτοφόλι σας θα καθορίσει την τιμή της συναλλαγής. Μπορείτε να τροποποιήσετε τις ρυθμίσεις gas απευθείας από τον πάροχο του πορτοφολιού σας.\",\"tHuvQI\":\"Go to V3 Dashboard\",\"tKv7cI\":\"Switch borrow position\",\"tOcg3N\":\"Since this asset is frozen, the only available actions are withdraw and repay which can be accessed from the <0>Dashboard\",\"tOuXfv\":[\"Borrow amount to reach \",[\"0\"],\"% utilization\"],\"te9Bfl\":\"Παρακαλώ, συνδέστε το πορτοφόλι σας\",\"tt5yma\":\"Οι προμήθειές σας\",\"ttoh5c\":\"Switch to\",\"u3ZeYl\":\"Η συναλλαγή απέτυχε\",\"u706uF\":\"Άκυρη πριμοδότηση flashloan\",\"u8Gfu7\":[\"No search results\",[\"0\"]],\"uAQUqI\":\"Status\",\"uHMwk8\":\"No assets selected to migrate.\",\"uJPHuY\":\"Migrating\",\"uY8O30\":\"To continue, you need to grant Aave smart contracts permission to move your funds from your wallet. Depending on the asset and wallet you use, it is done by signing the permission message (gas free), or by submitting an approval transaction (requires gas). <0>Learn more\",\"udFheE\":\"Για την αποπληρωμή ενός συγκεκριμένου τύπου χρέους, ο χρήστης πρέπει να έχει χρέος αυτού του τύπου\",\"ulNuNq\":\"Export data to\",\"ulup2p\":\"Buy Crypto with Fiat\",\"umICAY\":\"<0><1><2/>Add stkAAVE to see borrow rate with discount\",\"usB84Z\":\"Maximum amount available to borrow is limited because protocol borrow cap is nearly reached.\",\"uwAUvj\":\"COPY IMAGE\",\"v8x7Mg\":\"Insufficient collateral to cover new borrow position. Wallet must have borrowing power remaining to perform debt switch.\",\"vEqxH9\":\"Restaked\",\"vLyv1R\":\"Απόκρυψη\",\"vMba49\":\"Ο δανεισμός δεν είναι ενεργοποιημένος\",\"vMpNwt\":\"Approve with\",\"vXIe7J\":\"Γλώσσα\",\"vesuBJ\":\"Σας επιτρέπει να αποφασίσετε αν θα χρησιμοποιήσετε ένα παρεχόμενο περιουσιακό στοιχείο ως εγγύηση. Ένα περιουσιακό στοιχείο που χρησιμοποιείται ως εγγύηση θα επηρεάσει τη δανειοληπτική σας ικανότητα και τον συντελεστή υγείας.\",\"w+V9Cx\":\"Σταθερό νόμισμα\",\"w/JtJ3\":\"Η σταθερή προσφορά χρέους δεν είναι μηδενική\",\"w4VBY+\":\"Ανταμοιβές APR\",\"w9dLMW\":[[\"label\"]],\"wAOL+X\":[\"Εσείς \",[\"action\"],\" <0/> \",[\"symbol\"]],\"wBIsjb\":\"Discord channel\",\"wQZbc/\":\"Ο καλών της συνάρτησης δεν είναι AToken\",\"wRRqvW\":\"Δεν έχετε προμήθειες σε αυτό το νόμισμα\",\"wZFvVU\":\"ΨΗΦΙΣΤΕ ΥΠΕΡ\",\"wb/r1O\":[\"Βρύση \",[\"0\"]],\"wdxz7K\":\"Source\",\"weH1nG\":\"The Aave Protocol is programmed to always use the price of 1 GHO = $1. This is different from using market pricing via oracles for other crypto assets. This creates stabilizing arbitrage opportunities when the price of GHO fluctuates.\",\"wh7Ezv\":\"You have no AAVE/stkAAVE/aAave balance to delegate.\",\"wlsIx7\":\"With testnet Faucet you can get free assets to test the Aave Protocol. Make sure to switch your wallet provider to the appropriate testnet network, select desired asset, and click ‘Faucet’ to get tokens transferred to your wallet. The assets on a testnet are not “real,” meaning they have no monetary value. <0>Learn more\",\"wmE285\":\"Get ABP v2 Token\",\"wyRrcJ\":\"As a result of governance decisions, this ABPT staking pool is now deprecated. You have the flexibility to either migrate all of your tokens to v2 or unstake them without any cooldown period.\",\"x5KiLL\":\"Selected assets have successfully migrated. Visit the Market Dashboard to see them.\",\"x7F2p6\":\"Τρέχον διαφορικό\",\"x7K5ib\":[\"Your \",[\"networkName\"],\" wallet is empty. Get free test \",[\"0\"],\" at\"],\"x9iLRD\":\"tokens, παρακαλούμε μεταβείτε στο\",\"xNy/UG\":\"Αποπληρωμή με\",\"xPm8wv\":\"Μάθετε περισσότερα για τους κινδύνους\",\"xXYpZl\":[[\"0\"],\" Βρύση\"],\"xaVBSS\":\"Οι πληροφορίες σας\",\"xaWZ6f\":\"APY type change\",\"xh6k71\":\"Collateral usage is limited because of isolation mode.\",\"xvIklc\":\"Flashloan is disabled for this asset, hence this position cannot be migrated.\",\"y5rS9U\":\"Migrate\",\"y66tBm\":[\"Ενεργοποίηση \",[\"symbol\"],\" ως εγγύηση\"],\"yB1YpA\":\"Σκοτεινή λειτουργία\",\"yCrG6m\":\"Συνολικό μέγεθος της αγοράς\",\"yJUUbn\":\"Επισκόπηση συναλλαγής\",\"yLGmLX\":[\"Restake \",[\"symbol\"]],\"yW1oWB\":\"Τύπος APY\",\"yYHqJe\":\"Μη έγκυρη διεύθυνση\",\"yZwLw6\":\"Track wallet\",\"yh2sjd\":[\"Price impact \",[\"0\"],\"%\"],\"yhvj6d\":\"Δεν μπορείτε να αλλάξετε τη χρήση ως λειτουργία εγγύησης για αυτό το νόμισμα, διότι θα προκαλέσει κλήση εγγύησης\",\"ylmtBZ\":\"The app is running in fork mode.\",\"ymNY32\":[\"Δεν υπάρχουν αρκετά κεφάλαια στο\",[\"0\"],\"αποθεματικό για δανεισμό\"],\"yz7wBu\":\"Κλείσιμο\",\"z4uGQg\":\"Υπέρβαση του ανώτατου ορίου χρέους\",\"z5UQOM\":\"Η εγγύηση που έχει επιλεγεί δεν μπορεί να ρευστοποιηθεί\",\"z5Y+p6\":[\"Παροχή \",[\"symbol\"]],\"zCjNKs\":\"Η ενέργεια δεν μπορεί να εκτελεστεί επειδή το αποθεματικό έχει παγώσει\",\"zRHytX\":\"Isolated Debt Ceiling\",\"zTOjMP\":\"Protocol supply cap is at 100% for this asset. Further supply unavailable.\",\"zVdRUG\":\"Submission did not work, please try again later or contact wecare@avara.xyz\",\"zevmS2\":\"<0><1><2/>Add <3/> stkAAVE to borrow at <4/> (max discount)\",\"zgtIDV\":\"Υπολειπόμενο χρέος\",\"zmTPiV\":\"Υπόλοιπο προσφοράς\",\"zpPbZl\":\"Liquidation risk parameters\",\"zucql+\":\"Μενού\",\"zwWKhA\":\"Μάθετε περισσότερα\",\"zy9fXn\":[\"Asset is frozen in \",[\"marketName\"],\" v3 market, hence this position cannot be migrated.\"],\"zys+R6\":\"Be mindful of the network congestion and gas prices.\",\"zzzTXS\":\"Merit Program rewards are claimed through the\"}")}; \ No newline at end of file +/*eslint-disable*/module.exports={messages:JSON.parse("{\"+0xecS\":[\"Εάν ΔΕΝ ξεκλειδώσετε εντός \",[\"0\"],\" του παραθύρου ξεκλειδώματος, θα πρέπει να ενεργοποιήσετε ξανά τη διαδικασία ψύξης.\"],\"+EGVI0\":\"Receive (est.)\",\"+VR63W\":[\"Η συμμετοχή σε αυτό το αποθεματικό \",[\"symbol\"],\" δίνει ετήσιες ανταμοιβές.\"],\"+bmKdK\":\"Use your AAVE, stkAAVE, or aAave balance to delegate your voting and proposition powers. You will not be sending any tokens, only the rights to vote and propose changes to the protocol. You can re-delegate or revoke power to self at any time.\",\"+eOPG+\":\"Φαίνεται ότι δεν μπορούμε να αλλάξουμε το δίκτυο αυτόματα. Ελέγξτε αν μπορείτε να το αλλάξετε από το πορτοφόλι.\",\"+i3Pd2\":\"Ανώτατο όριο δανεισμού\",\"+kLZGu\":\"Supplied asset amount\",\"+nuEh/\":\"Estimated time\",\"+xMFF8\":\"Remind me\",\"/57U31\":\"Amount to migrate\",\"/7ykiW\":\"Borrowing this amount will reduce your health factor and increase risk of liquidation.\",\"/YA5pU\":\"E-Mode increases your LTV for a selected category of assets, meaning that when E-mode is enabled, you will have higher borrowing power over assets of the same E-mode category which are defined by Aave Governance. You can enter E-Mode from your <0>Dashboard. To learn more about E-Mode and applied restrictionn, see the <1>help guide or the <2>Aave V3 Technical Paper.\",\"/izjs/\":\"Minimum staked Aave amount\",\"/jQctM\":\"To\",\"/lDBHm\":\"ΣΥΧΝΕΣ ΕΡΩΤΗΣΕΙΣ\",\"/yNlZf\":\"Ο σταθερός δανεισμός δεν είναι ενεργοποιημένος\",\"/yQcJM\":\"Συνολική αξία\",\"00AB2i\":\"Ο χρήστης δεν δανείστηκε το καθορισμένο νόμισμα\",\"00OflG\":\"There is not enough liquidity for the target asset to perform the switch. Try lowering the amount.\",\"08/rZ9\":\"The cooldown period is the time required prior to unstaking your tokens (20 days). You can only withdraw your assets from the Security Module after the cooldown period and within the unstake window.<0>Learn more\",\"0AmQcW\":\"Rate change\",\"0BF3yK\":\"Sorry, we couldn't find the page you were looking for.\",\"0TAbjq\":\"Recent Transactions\",\"0jhlyw\":\"Liquidation risk\",\"0ojY+Y\":\"Current v2 Balance\",\"0thX3P\":\"Collateral change\",\"0wGCWc\":\"Αυτό είναι το συνολικό ποσό που μπορείτε να προμηθεύσετε σε αυτό το αποθεματικό. Μπορείτε να προμηθεύσετε το υπόλοιπο του πορτοφολιού σας μέχρι να επιτευχθεί το ανώτατο όριο προμηθειών.\",\"1AsVfF\":\"Price data is not currently available for this reserve on the protocol subgraph\",\"1LjK22\":\"Transaction history\",\"1Onqx8\":[\"Έγκριση του \",[\"symbol\"],\"...\"],\"1Ue8sX\":\"Παρακαλούμε συνδέστε ένα πορτοφόλι για να δείτε τις προσωπικές σας πληροφορίες εδώ.\",\"1YH41K\":[\"After the cooldown period ends, you will enter the unstake window of \",[\"0\"],\". You will continue receiving rewards during cooldown and the unstake period.\"],\"1bpx9A\":\"...\",\"1kWUB+\":\"Ρευστοποίηση <0/> κατώτατο όριο\",\"1m9Qqc\":\"Withdrawing and Switching\",\"1oyh4g\":\"Borrow rate\",\"1t7rez\":\"Asset supply is limited to a certain amount to reduce protocol exposure to the asset and to help manage risks involved.\",\"2CAPu2\":\"You've successfully withdrew & switched tokens.\",\"2Eoi/a\":\"Προβολή λεπτομερειών\",\"2FYpfJ\":\"Περισσότερα\",\"2O3qp5\":\"Διαθέσιμη ρευστότητα\",\"2OM8/D\":[\"Asset cannot be migrated due to supply cap restriction in \",[\"marketName\"],\" v3 market.\"],\"2Q4GU4\":\"Blocked Address\",\"2ZGocC\":\"Aave is a fully decentralized, community governed protocol by the AAVE token-holders. AAVE token-holders collectively discuss, propose, and vote on upgrades to the protocol. AAVE token-holders (Ethereum network only) can either vote themselves on new proposals or delagate to an address of choice. To learn more check out the Governance\",\"2a6G7d\":\"Please enter a valid wallet address.\",\"2bAhR7\":\"Meet GHO\",\"2eBWE6\":\"I acknowledge the risks involved.\",\"2o/xRt\":\"Επίτευξη του ανώτατου ορίου εφοδιασμού στο αποθεματικό-στόχο. Δοκιμάστε να \\nμειώσετε την ποσότητα.\",\"2uJToh\":[[\"0\"],[\"name\"]],\"2x58bP\":\"Ο σταθερός δανεισμός είναι ενεργοποιημένος\",\"34Qfwy\":\"Υπέρβαση του ανώτατου ορίου δανεισμού\",\"39eQRj\":[\"Δανεισμός \",[\"symbol\"]],\"3BL1xB\":\"Σύνολο παρεχόμενων\",\"3BnIWi\":\"Switched\",\"3K0oMo\":\"Υπολειπόμενη προσφορά\",\"3MoZhl\":\"Δεν υπάρχουν επαρκείς εξασφαλίσεις για την κάλυψη ενός νέου δανείου\",\"3Np5O8\":[\"Προσφορά \",[\"symbol\"]],\"3O8YTV\":\"Total interest accrued\",\"3mXg0z\":\"Μέγιστο LTV\",\"3q3mFy\":\"Αποπληρωμή\",\"3qsjtp\":\"Ο σταθμισμένος μέσος όρος του APY για όλα τα παρεχόμενα περιουσιακά στοιχεία, συμπεριλαμβανομένων των κινήτρων.\",\"3rL+os\":\"Μπορείτε να αποσύρετε τα περιουσιακά σας στοιχεία από τη Μονάδα Ασφαλείας μόνο αφού λήξει η περίοδος αναμονής και το παράθυρο ξεκλειδώματος είναι ενεργό.\",\"42UgDM\":[\"Migrate to \",[\"0\"],\" v3 Market\"],\"49UFQA\":\"Αποτελέσματα ψηφοφορίας\",\"4DMZUI\":\"View Transactions\",\"4HtGBb\":\"ΜΕΓΙΣΤΟ\",\"4Y5H+g\":\"Terms\",\"4YYh4d\":\"Maximum available to borrow\",\"4iPAI3\":\"Minimum GHO borrow amount\",\"4lDFps\":\"Sign to continue\",\"4wyw8H\":\"Transactions\",\"5JSSxX\":[\"Your \",[\"networkName\"],\" wallet is empty. Get free test assets at\"],\"5K7kGO\":\"τεκμηρίωση\",\"5NOSGa\":\"Debt ceiling limits the amount possible to borrow against this asset by protocol users. Debt ceiling is specific to assets in isolation mode and is denoted in USD.\",\"5Ncc6j\":[\"Αυτό το περιουσιακό στοιχείο έχει σχεδόν φτάσει στο όριο της προσφοράς του. Μόνο \",[\"messageValue\"],\" μπορεί να παρασχεθεί σε αυτή την αγορά.\"],\"5cZ/KX\":\"Η προσφορά μεταβλητού χρέους δεν είναι μηδενική\",\"5che++\":\"Για να ζητήσετε πρόσβαση σε αυτή την αδειοδοτημένη αγορά, επισκεφθείτε την ιστοσελίδα: <0>Όνομα Παρόχου Πρόσβασης\",\"5ctNdV\":[\"Minimum \",[\"0\"],\" received\"],\"5hDe9v\":\"Απαιτούμενη δράση επιδότησης\",\"5rsnKT\":\"Διαθέσιμες ανταμοιβές\",\"5yC5m5\":\"View all votes\",\"6/dCYd\":\"Επισκόπηση\",\"60crCe\":\"All transactions\",\"62Xcjh\":\"Εγγύηση\",\"65A04M\":\"Ισπανικά\",\"6G8s+q\":\"Signing\",\"6Jrv+z\":[\"Αποπληρωμή \",[\"symbol\"]],\"6NGLTR\":\"Discountable amount\",\"6Xr0UU\":\"Ψύξη...\",\"6bxci/\":\"Δύναμη ψήφου\",\"6f8S68\":\"Αγορές\",\"6g1gi0\":\"Προτάσεις\",\"6gvoHP\":\"Copy error message\",\"6h3Q5G\":\"repaid\",\"6lFSyT\":\"Available to Stake\",\"6s8L6f\":\"Αλλαγή Δικτύου\",\"6yAAbq\":\"APY, borrow rate\",\"70wH1Q\":\"APR\",\"72c5Qo\":\"Total\",\"73Auuq\":\"Discount parameters are decided by the Aave community and may be changed over time. Check Governance for updates and vote to participate. <0>Learn more\",\"75qcAQ\":[[\"stepName\"]],\"7ITr5L\":\"Συντελεστής υγείας\",\"7T/o5R\":\"Επιτεύχθηκε\",\"7YlcXu\":\"Fork mode is ON\",\"7Z76Iw\":\"Borrowing is unavailable because you’re using Isolation mode. To manage Isolation mode visit your <0>Dashboard.\",\"7aKlMS\":\"Share on Lens\",\"7bdUsR\":\"Redeem as aToken\",\"7er5fP\":\"Διεκδικήστε τα όλα\",\"7hb2+s\":\"Time remaining until the withdraw period ends.\",\"7l88b8\":\"Data couldn't be fetched, please reload graph.\",\"7p5kLi\":\"Ταμπλό\",\"7sofdl\":\"Withdraw and Switch\",\"8+6BI0\":\"Προσοχή - Είστε πολύ κοντά στην ρευστοποίηση. Εξετάστε το ενδεχόμενο να καταθέσετε περισσότερες εγγυήσεις ή να εξοφλήσετε κάποιες από τις δανειακές σας θέσεις\",\"87pUEW\":[\"Το πορτοφόλι σας \",[\"name\"],\" είναι άδειο. Αγοράστε ή μεταφέρετε περιουσιακά στοιχεία.\"],\"8F1i42\":\"Page not found\",\"8G8M0u\":\"Loading data...\",\"8Iu1QS\":\"withdrew\",\"8JL93T\":\"Όλες οι προτάσεις\",\"8Q51DU\":\"Add to wallet\",\"8X/oyn\":\"Μη έγκυρο ποσό για νομισματοκοπία\",\"8Z5FPv\":\"Αποσυνδέστε το πορτοφόλι\",\"8Zz7s5\":\"περιουσιακά στοιχεία\",\"8aLW8H\":\"Balance to revoke\",\"8bOT3H\":\"Ποσοστό χρησιμοποίησης\",\"8sLe4/\":\"View contract\",\"8t/M0y\":\"Please connect your wallet to be able to bridge your tokens.\",\"8vETh9\":\"Εμφάνιση\",\"94OHPx\":\"Εισέρχεστε σε λειτουργία απομόνωσης\",\"9CDK3/\":[\"Ο δανεισμός δεν είναι επί του παρόντος διαθέσιμος για \",[\"0\"],\".\"],\"9GIj3z\":\"Μέγεθος Αποθεματικού\",\"9Knqb4\":\"Staking balance\",\"9OBKm7\":\"Απαρτία\",\"9QHoGr\":\"Τρέχουσες ψήφοι\",\"9Rw96f\":[\"Αυτό το περιουσιακό στοιχείο έχει σχεδόν φτάσει στο όριο δανεισμού του. Υπάρχει μόνο \",[\"messageValue\"],\" διαθέσιμο για δανεισμό από αυτή την αγορά.\"],\"9Xj/qR\":[\"Some migrated assets will not be used as collateral due to enabled isolation mode in \",[\"marketName\"],\" V3 Market. Visit <0>\",[\"marketName\"],\" V3 Dashboard to manage isolation mode.\"],\"9c6vDV\":\"Αυτό το περιουσιακό στοιχείο έχει φτάσει στο όριο της προσφοράς του. Τίποτα δεν είναι διαθέσιμο για προμήθεια από αυτή την αγορά.\",\"9kTWHA\":\"MAI has been paused due to a community decision. Supply, borrows and repays are impacted. <0>More details\",\"9lXchd\":\"Underlying token\",\"9rWaKF\":\"Bridged Via CCIP\",\"9xSooW\":\"Δεδομένου ότι πρόκειται για ένα δοκιμαστικό δίκτυο, μπορείτε να αποκτήσετε οποιοδήποτε από τα περιουσιακά στοιχεία αν έχετε ETH στο πορτοφόλι σας\",\"A/lwoe\":\"Choose one of the on-ramp services\",\"A6dCI6\":[\"Maximum amount available to borrow is <0/> \",[\"0\"],\" (<1/>).\"],\"AReoaV\":\"Τα δάνεια σας\",\"ARu1L4\":\"Repaid\",\"AV7cGz\":\"Αναθεώρηση λεπτομερειών έγκρισης συναλλαγής\",\"AZOjB8\":\"Fetching data...\",\"Ai0jas\":\"Join the community discussion\",\"Ajl2rq\":\"Η δύναμη δανεισμού και τα περιουσιακά στοιχεία είναι περιορισμένα λόγω της λειτουργίας απομόνωσης.\",\"AqgYNC\":\"Protocol borrow cap at 100% for this asset. Further borrowing unavailable.\",\"B3EcQR\":\"Thank you for voting!!\",\"B6aXGH\":\"Σταθερό\",\"B9Gqbz\":\"Variable rate\",\"BDFEd+\":\"stETH supplied as collateral will continue to accrue staking rewards provided by daily rebases.\",\"BE2mP0\":\"Borrowed assets\",\"BJyN77\":\"Due to health factor impact, a flashloan is required to perform this transaction, but Aave Governance has disabled flashloan availability for this asset. Try lowering the amount or supplying additional collateral.\",\"BNL4Ep\":\"Η χρήση εγγύησης είναι περιορισμένη λόγω της λειτουργίας απομόνωσης. <0>Μάθετε περισσότερα\",\"BQ/wCO\":\"Migrate your assets\",\"BjLdl1\":\"At a discount\",\"BnhYo8\":\"Κατηγορία περιουσιακών στοιχείων\",\"Bq9Y7e\":\"This asset is frozen due to an Aave community decision. <0>More details\",\"BqWMDJ\":\"Βρύση\",\"BqynZO\":\"Optimized for efficiency and risk by supporting blue-chip collateral assets\",\"Bsu7zX\":\"The fee includes the gas cost to complete the transaction on the destination chain and the fee paid to Chainlink CCIP service providers. You can chose to pay in the network token or GHO. <0>Learn more\",\"BwJKBw\":\"of\",\"C4/GSi\":\"Your balance of assets that are available to stake\",\"CDrsH+\":\"Techpaper\",\"CK1KXz\":\"Μεγιστο\",\"CMHmbm\":\"Slippage\",\"CZXzs4\":\"Greek\",\"CcRNG6\":\"Switching\",\"CkTRmy\":[\"Διεκδίκηση \",[\"symbol\"]],\"CsqtLm\":\"Please connect your wallet to see migration tool.\",\"CtGlFb\":[[\"networkName\"],\" Βρύση\"],\"Cxt2YY\":\"Watch wallet\",\"D33VQU\":\"This action will reduce health factor of V3 below liquidation threshold. Increase migrated collateral or reduce migrated borrow to continue.\",\"D8sc3k\":\"Stake balance\",\"D9BLRG\":\"This asset has been paused due to a community decision. Supply, withdraw, borrows and repays are impacted.\",\"DAma/S\":\"Η εγγύηση είναι (ως επί το πλείστον) το ίδιο νόμισμα που δανείζεται\",\"DCnFg0\":[\"Addresses (\",[\"0\"],\")\"],\"DG3Lv1\":\"I fully understand the risks of migrating.\",\"DONJcV\":\"Το υποκείμενο περιουσιακό στοιχείο δεν μπορεί να διασωθεί\",\"DR+4uL\":\"Supply balance after switch\",\"DWjrck\":[\"Asset cannot be migrated to \",[\"marketName\"],\" V3 Market due to E-mode restrictions. You can disable or manage E-mode categories in your <0>V3 Dashboard\"],\"Dj+3wB\":\"Aave ανά μήνα\",\"DptNvx\":\"Amount Staked\",\"DuEq2K\":\"Εξασφάλιση\",\"DxfsGs\":\"You can report incident to our <0>Discord or<1>Github.\",\"Dzma+E\":\"Main Ethereum market with the largest selection of assets and yield options\",\"E/QGRL\":\"Απενεργοποιημένο\",\"EBL9Gz\":\"COPIED!\",\"ES8dkb\":\"Fixed rate\",\"EZd3Dk\":[\"Restaking \",[\"symbol\"]],\"EZqFZ+\":\"Staking this asset will earn the underlying asset supply yield in additon to other configured rewards.\",\"Ebgc76\":[\"Ανάληψη \",[\"symbol\"]],\"EdQY6l\":\"Κανένα\",\"EjvKQ+\":\"Minimum USD value received\",\"Enslfm\":\"Destination\",\"EvE9nO\":[\"Reactivate cooldown period to unstake \",[\"0\"],\" \",[\"stakedToken\"]],\"EvECnL\":\"Migrate to v3\",\"EzMQbh\":\"The source chain time to finality is the main factor that determines the time to destination. <0>Learn more\",\"F40cwT\":\"Legacy Markets\",\"F6TdXL\":\"Μάθετε περισσότερα.\",\"FDDPeZ\":\"Users can stake their assets in the protocol and earn incentives. In the case of a shortfall event, your stake can be slashed to cover the deficit, providing an additional layer of protection for the protocol.\",\"FHlMf/\":\"Current v2 balance\",\"FHpxjF\":[\"Reserve factor is a percentage of interest which goes to a \",[\"0\"],\" that is controlled by Aave governance to promote ecosystem growth.\"],\"FOBZa6\":\"Δανεισμός χρησιμοποιημένης ισχύος\",\"FPKEug\":\"Η λειτουργία δεν υποστηρίζεται\",\"FbmMe7\":\"Linked addresses\",\"Fdp03t\":\"ενεργοποίηση\",\"Fjw9N+\":\"Περιουσιακά στοιχεία προς προμήθεια\",\"FmN0fk\":\"Restake\",\"GDGLIs\":\"GHO is a native decentralized, collateral-backed digital asset pegged to USD. It is created by users via borrowing against multiple collateral. When user repays their GHO borrow position, the protocol burns that user's GHO. All the interest payments accrued by minters of GHO would be directly transferred to the AaveDAO treasury.\",\"GQrBTq\":\"Switch E-Mode\",\"GWswcZ\":\"This asset is frozen due to an Aave Protocol Governance decision. On the 20th of December 2022, renFIL will no longer be supported and cannot be bridged back to its native network. It is recommended to withdraw supply positions and repay borrow positions so that renFIL can be bridged back to FIL before the deadline. After this date, it will no longer be possible to convert renFIL to FIL. <0>More details\",\"GX8GKD\":\"Περιουσιακά Στοιχεία\",\"GgEj+0\":\"Read-only mode. Connect to a wallet to perform transactions.\",\"GjkIKV\":\"τελειώνει\",\"GoK/QN\":\"Thank you for submitting feedback!\",\"GtP2hp\":[\"Ο δανεισμός δεν είναι διαθέσιμος επειδή έχετε ενεργοποιήσει τη λειτουργία Αποδοτικότητας (E-Mode) για την κατηγορία \",[\"0\"],\". Για να διαχειριστείτε τις κατηγορίες E-Mode επισκεφθείτε τον <0>Πίνακα ελέγχου.\"],\"H6Ma8Z\":\"Discount\",\"HB/wfS\":[[\"tooltipText\"]],\"HKDsQN\":\"Rewards can be claimed through\",\"Ha/U5f\":\"This is a program initiated and implemented by the decentralised ZKSync community. Aave Labs does not guarantee the program and accepts no liability.\",\"HciqKU\":\"This is a program initiated and implemented by the decentralised Aave community. Aave Labs does not guarantee the program and accepts no liability.\",\"Hi6Ttn\":\"Sorry, an unexpected error happened. In the meantime you may try reloading the page, or come back later.\",\"HkEDbS\":[[\"d\"],\"η\"],\"HmkYqM\":\"Παράθυρο ξεκλειδώματος\",\"HpK/8d\":\"Reload\",\"HrnC47\":\"Save and share\",\"HuVZMK\":\"Days\",\"HvJKMU\":[\"Asset cannot be migrated to \",[\"marketName\"],\" v3 Market since collateral asset will enable isolation mode.\"],\"Hvwnm9\":[\"Maximum amount available to supply is limited because protocol supply cap is at \",[\"0\"],\"%.\"],\"I8CX2c\":\"Το συνολικό ποσό των περιουσιακών σας στοιχείων σε δολάρια ΗΠΑ που μπορούν να χρησιμοποιηθούν ως εγγύηση για δανεισμό περιουσιακών στοιχείων.\",\"IAD2SB\":[\"Claiming \",[\"symbol\"]],\"IG9X9/\":\"Borrowing of this asset is limited to a certain amount to minimize liquidity pool insolvency.\",\"IOIx8L\":\"This asset is planned to be offboarded due to an Aave Protocol Governance decision. <0>More details\",\"IP+I/j\":\"Περίοδος ψύξης\",\"IaA40H\":\"Ρευστοποίηση στο\",\"J/hVSQ\":[[\"0\"]],\"JCoxL6\":\"Manage analytics\",\"JK9zf1\":[\"Estimated compounding interest, including discount for Staking \",[\"0\"],\"AAVE in Safety Module.\"],\"JOqFba\":[\"Unstaking \",[\"symbol\"]],\"JPrLjO\":\"Δεν μπορείτε να χρησιμοποιήσετε αυτό το νόμισμα ως εγγύηση\",\"JU6q+W\":\"Ανταμοιβή(ες) προς διεκδίκηση\",\"JYKRJS\":\"Κλειδώστε\",\"JZMxX0\":\"Δεν υπάρχει αρκετό υπόλοιπο στο πορτοφόλι σας\",\"Jgflkm\":\"Get GHO\",\"JoMQnI\":\"Υπόλοιπο πορτοφολιού\",\"JtwD8u\":\"Borrow balance after repay\",\"JumYTK\":\"Supplied assets\",\"K05qZY\":\"Withdraw & Switch\",\"KAz/NV\":\"Protocol debt ceiling is at 100% for this asset. Further borrowing against this asset is unavailable.\",\"KLXVqE\":[\"stETH tokens will be migrated to Wrapped stETH using Lido Protocol wrapper which leads to supply balance change after migration: \",[\"0\"]],\"KLd6ky\":\"Use connected account\",\"KRpokz\":\"VIEW TX\",\"KSlpka\":\"Αυτό αντιπροσωπεύει το κατώτατο όριο στο οποίο μια θέση δανεισμού θα θεωρηθεί υποεγγυημένη και θα υπόκειται σε ρευστοποίηση για κάθε εγγύηση. Για παράδειγμα, εάν μια εγγύηση έχει κατώτατο όριο ρευστοποίησης 80%, αυτό σημαίνει ότι η θέση θα ρευστοποιηθεί όταν η αξία του χρέους ανέρχεται στο 80% της αξίας της εγγύησης.\",\"KYAjf3\":\"Απομονωμένο\",\"KZwRuD\":[[\"notifyText\"]],\"KkPgim\":\"Switching E-Mode\",\"KnN1Tu\":\"Λήγει\",\"KoOBI2\":\"Due to internal stETH mechanics required for rebasing support, it is not possible to perform a collateral switch where stETH is the source token.\",\"KojyJ4\":\"Λάθος δίκτυο\",\"KsqhWn\":\"Κλείδωμα\",\"KuBTQq\":\"Εισάγετε διεύθυνση ETH\",\"KvG1xW\":\"Διεκδίκηση\",\"L+8Lzs\":\"Τρέχον LTV\",\"L+qiq+\":\"Αγορά\",\"LDzfVJ\":\"Send Feedback\",\"LIrMcF\":\"Δεν υπάρχει δικαίωμα ψήφου\",\"LL0zks\":\"Μπορεί να αποτελέσει εγγύηση\",\"LLdJWu\":\"Διεκδικήσιμο AAVE\",\"LSIpNK\":\"Δεν επιτρέπεται ο δανεισμός και η αποπληρωμή στο ίδιο block\",\"LVt3TI\":[\"<0>Slippage tolerance <1>\",[\"selectedSlippage\"],\"% <2>\",[\"0\"],\"\"],\"LjafV8\":\"Maximum collateral amount to use\",\"LtpQew\":\"Let us know how we can make the app better for you. For user support related inquiries please reach out on\",\"LvVpD/\":\"Emode\",\"M2sknc\":\"Tip: Try increasing slippage or reduce input amount\",\"M7wPsD\":\"Switch\",\"MFu33y\":\"Staking 00\",\"MIy2RJ\":\"Maximum amount received\",\"MZ/nQf\":\"Διεύθυνση παραλήπτη\",\"Ma/MtY\":\"προβολή κλειδώματος\",\"McHlGl\":\"APY change\",\"MeCCA+\":\"APY, μεταβλητό\",\"MghdTe\":\"Εάν ο συντελεστής υγείας πέσει κάτω από το 1, ενδέχεται να ενεργοποιηθεί η ρευστοποίηση των εγγυήσεών σας.\",\"Mm/DVQ\":\"Ακυρώσατε τη συναλλαγή.\",\"MnE2QX\":\"Borrow info\",\"MrmQHg\":\"View Bridge Transactions\",\"MuDFEQ\":\"Μη έγκυρη τιμή επιστροφής της συνάρτησης εκτελεστή flashloan\",\"N5kUMV\":\"Asset can be only used as collateral in isolation mode with limited borrowing power. To enter isolation mode, disable all other collateral.\",\"N6Pxr9\":\"View all\",\"NF0e1Q\":\"Εκκρεμεί...\",\"NK9ikO\":\"Wallet Balance\",\"NMt2CB\":\"Amount claimable\",\"NcFGxG\":\"Collector Contract\",\"NfpPeS\":\"Τίποτα κλειδωμένο\",\"Nh9DAo\":[[\"m\"],\"λ\"],\"O+sCUU\":\"Υπέρβαση του ανώτατου ορίου νομισματοκοπείου χωρίς αντίκρισμα\",\"O+tyU+\":[\"Maximum amount available to borrow against this asset is limited because debt ceiling is at \",[\"0\"],\"%.\"],\"O3oNi5\":\"Email\",\"OFjZGo\":\"Unstake\",\"OR8cYX\":\"Επισκόπηση πρότασης\",\"OYuJ9K\":\"Protocol debt ceiling is at 100% for this asset. Futher borrowing against this asset is unavailable.\",\"OfhWJH\":\"Reset\",\"Og2SKn\":\"απενεργοποιημένο\",\"On0aF2\":\"Website\",\"OsyKSt\":\"Ανάληψη\",\"P1dURE\":\"Revoke power\",\"P2WCD/\":[\"Underlying asset does not exist in \",[\"marketName\"],\" v3 Market, hence this position cannot be migrated.\"],\"P2sL6B\":\"Όταν πραγματοποιείται ρευστοποίηση, οι ρευστοποιητές επιστρέφουν έως και το 50% του ανεξόφλητου δανεισμένου ποσού για λογαριασμό του δανειολήπτη. Σε αντάλλαγμα, μπορούν να αγοράσουν τις εξασφαλίσεις με έκπτωση και να κρατήσουν τη διαφορά (ποινή ρευστοποίησης) ως μπόνους.\",\"P6sRoL\":\"Stake ABPT\",\"P72/OW\":\"Ο σταθμισμένος μέσος όρος του APY για όλα τα δανειακά περιουσιακά στοιχεία, συμπεριλαμβανομένων των κινήτρων.\",\"P7e6Ug\":\"Please connect your wallet to view transaction history.\",\"PByO0X\":\"Votes\",\"PI+kVe\":\"Disable fork\",\"PJK9u/\":\"Borrow apy\",\"PLUB/s\":\"Fee\",\"PP5ZA8\":[\"Participating in staking \",[\"symbol\"],\" gives annualized rewards. Your wallet balance is the sum of your aTokens and underlying assets. The breakdown to stake is below\"],\"PcBUgb\":\"Κατώτατο όριο ρευστοποίησης\",\"PjU6bu\":\"This asset is eligible for SPK incentive program. Aave Labs does not guarantee the program and accepts no liability.\",\"PpqD5g\":\"Η ενεργοποίηση αυτού του περιουσιακού στοιχείου ως εγγύηση αυξάνει τη δανειοληπτική σας ικανότητα και τον Συντελεστή Υγείας. Ωστόσο, μπορεί να ρευστοποιηθεί εάν ο συντελεστής υγείας σας πέσει κάτω από το 1.\",\"PsOFSf\":\"This action will reduce V2 health factor below liquidation threshold. retain collateral or migrate borrow position to continue.\",\"Pu4bI/\":[[\"currentMethod\"]],\"Q0LzKi\":\"View TX\",\"Q4eNqa\":\"The Aave Balancer Pool Token (ABPT) is a liquidity pool token. You can receive ABPT by depositing a combination of AAVE + wstETH in the Balancer liquidity pool. You can then stake your BPT in the Safety Module to secure the protocol and earn Safety Incentives.\",\"QQYsQ7\":\"Withdrawing\",\"QWYCs/\":\"Stake GHO\",\"R+30X3\":\"Δεν έχει επιτευχθεί\",\"RCU5PY\":\"Age\",\"RIfckG\":[\"Απενεργοποίηση \",[\"symbol\"],\" ως εγγύηση\"],\"RMtxNk\":\"Διαφορικό\",\"RNK49r\":\"Μη έγκυρη υπογραφή\",\"RS0o7b\":\"Κατάσταση\",\"RU+LqV\":\"Λεπτομέρειες πρότασης\",\"RbXH+k\":\"AAVE, GHO, and ABPT holders (Ethereum network only) can stake their assets in the Safety Module to add more security to the protocol and earn Safety Incentives. In the case of a shortfall event, your stake can be slashed to cover the deficit, providing an additional layer of protection for the protocol.\",\"RiSYV4\":\"Το περιουσιακό στοιχείο δεν περιλαμβάνεται στον κατάλογο\",\"Rj01Fz\":\"Σύνδεσμοι\",\"RmWFEe\":\"Κλείδωμα APR\",\"RoafuO\":\"Send feedback\",\"RtBLm7\":\"Ο συντελεστής υγείας είναι μικρότερος από το όριο ρευστοποίησης\",\"RxzN1M\":\"Ενεργοποιημένο\",\"SDav7h\":\"Κεφάλαια στην Μονάδα Ασφάλειας\",\"SENccp\":\"If the error continues to happen,<0/> you may report it to this\",\"SIWumd\":\"Show Frozen or paused assets\",\"SM58dD\":\"Amount in cooldown\",\"SSMiac\":\"Failed to load proposal voters. Please refresh the page.\",\"SSQVIz\":\"Liquidation Threshold\",\"SUb8x0\":\"Σύνολο διαθέσιμων\",\"SWIgh4\":\"Fees exceed wallet balance\",\"SY9hVo\":\"Read-only mode allows to see address positions in Aave, but you won't be able to perform transactions.\",\"SZRUQ4\":\"Max slippage\",\"Sa1UE/\":\"Protocol borrow cap is at 100% for this asset. Further borrowing unavailable.\",\"Sk2zW9\":\"Απενεργοποίηση E-Mode\",\"SxaD0o\":\"Ο πάροχος διευθύνσεων κοινόχρηστων ταμείων δεν είναι εγγεγραμμένος\",\"T/AIqG\":\"Protocol supply cap at 100% for this asset. Further supply unavailable.\",\"T0xCO9\":\"Can't validate the wallet address. Try again.\",\"T4OhVl\":\"GHO balance\",\"T6uYU2\":\"Δανεισμός\",\"TFxQlw\":\"Ποινή ρευστοποίησης\",\"TQ7WsV\":\"Available to stake\",\"TUI7iB\":\"To περιουσιακό στοιχείο μπορεί να χρησιμοποιηθεί ως εγγύηση μόνο σε λειτουργία απομόνωσης.\",\"TbjyhA\":\"Docs\",\"TduuS0\":\"Ο χρήστης δεν έχει ανεξόφλητο χρέος σταθερού επιτοκίου σε αυτό το αποθεματικό\",\"TeCFg/\":\"Borrow rate change\",\"Tg1JyO\":\"Bridge history\",\"TskbEN\":\"Holders of stkAAVE receive a discount on the GHO borrowing rate\",\"TszKts\":\"Borrow balance after switch\",\"TtZL6q\":\"Discount model parameters\",\"TwJI9F\":\"Asset has been successfully sent to CCIP contract. You can check the status of the transactions below\",\"Tz0GSZ\":\"blocked activities\",\"U/eBjN\":\"Reload the page\",\"U2r8nY\":\"Choose how much voting/proposition power to give to someone else by delegating some of your AAVE, stkAAVE or aAave balance. Your tokens will remain in your account, but your delegate will be able to vote or propose on your behalf. If your AAVE, stkAAVE or aAave balance changes, your delegate's voting/proposition power will be automatically adjusted.\",\"U8IubP\":\"The app is running in testnet mode. Learn how it works in\",\"U9btTk\":\"Το περιουσιακό στοιχείο δεν είναι δανείσιμο σε λειτουργία απομόνωσης\",\"UAOZRe\":\"Price impact is the spread between the total value of the entry tokens switched and the destination tokens obtained (in USD), which results from the limited liquidity of the trading pair.\",\"UE3KJZ\":\"Transaction history is not currently available for this market\",\"URmyfc\":\"Λεπτομέρειες\",\"UTTKmT\":\"Stake cooldown activated\",\"UXeR72\":\"Τα κεφάλαια αυτά έχουν δανειστεί και δεν είναι διαθέσιμα για ανάληψη αυτή τη στιγμή.\",\"UYb8CM\":\"Learn more about the SPK rewards\",\"UbRrG0\":\"Ο δείκτης μέγιστου LTV αντιπροσωπεύει τη μέγιστη δανειοληπτική ικανότητα μιας συγκεκριμένης εγγύησης. Για παράδειγμα, εάν μια εγγύηση έχει LTV 75%, ο χρήστης μπορεί να δανειστεί έως και 0,75 ETH στο κύριο νόμισμα για κάθε 1 ETH αξίας εγγύησης.\",\"UpndFj\":\"Δεν υπάρχουν ανταμοιβές για διεκδίκηση\",\"V0f2Xv\":\"Reserve factor\",\"V1HK43\":\"Migration risks\",\"VATFH9\":\"Covered debt\",\"VHOVEJ\":\"Συνδέστε το πορτοφόλι\",\"VMfYUK\":\"Ασφάλεια των κατατεθειμένων εξασφαλίσεών σας έναντι των δανειζόμενων περιουσιακών στοιχείων και της υποκείμενης αξίας τους.\",\"VOAZJh\":\"Σύνολο δανείων\",\"ViKYxK\":\"ΥΠΕΡ\",\"W1SSoD\":\"Αναθεώρηση λεπτομερειών συναλλαγής\",\"W5hVah\":\"Τίποτα δεν έχει παρασχεθεί ακόμη\",\"W5kTFy\":\"Voting\",\"W8ekPc\":\"Back to Dashboard\",\"WMPbRK\":\"Μη υποστηριζόμενο\",\"WNGZwH\":\"Το E-Mode αυξάνει το LTV σας για μια επιλεγμένη κατηγορία περιουσιακών στοιχείων έως και <0/>. <1>Μάθετε περισσότερα\",\"WPWG/y\":\"Κατάσταση & διαμόρφωση αποθεματικού\",\"WZLQSU\":\"Ο χρήστης δεν μπορεί να κάνει ανάληψη μεγαλύτερη από το διαθέσιμο υπόλοιπο\",\"WaZyaV\":\"<0>Ampleforth is a rebasing asset. Visit the <1>documentation to learn more.\",\"WfU+XN\":\"Because this asset is paused, no actions can be taken until further notice\",\"Wjmqs2\":\"No results found. You can import a custom token with a contract address\",\"WkZ6C6\":\"Για να δανειστείτε πρέπει να προσκομίσετε οποιοδήποτε περιουσιακό στοιχείο που θα χρησιμοποιηθεί ως εγγύηση.\",\"WyMiQm\":\"You've successfully switched tokens.\",\"X/ITG9\":\"Κείμενο σφάλματος αντιγραφής\",\"X3Pp6x\":\"Χρησιμοποιείται ως εγγύηση\",\"X4Zt7j\":\"Η ενέργεια δεν μπορεί να εκτελεστεί επειδή η εφεδρεία βρίσκεται σε παύση\",\"XBdKOj\":\"Representative smart contract wallet (ie. Safe) addresses on other chains.\",\"XZzneG\":\"Θα βγείτε από τη λειτουργία απομόνωσης και άλλα tokens μπορούν πλέον να χρησιμοποιηθούν ως εγγύηση\",\"Xg5y9S\":\"Amount to Bridge\",\"Xn4hUi\":\"Please always be aware of your <0>Health Factor (HF) when partially migrating a position and that your rates will be updated to V3 rates.\",\"Xy71ST\":\"Umbrella\",\"Y5kGkc\":\"ΨΗΦΙΣΤΕ ΚΑΤΑ\",\"YDIOks\":\"Ενεργοποίηση E-Mode\",\"YSodyW\":\"This action will reduce your health factor. Please be mindful of the increased risk of collateral liquidation.\",\"YXOWXM\":\"The total amount bridged minus CCIP fees. Paying in network token does not impact gho amount.\",\"YirHq7\":\"Feedback\",\"YogbCJ\":\"Testnet mode is ON\",\"YrDxdO\":\"Εάν το δάνειο προς αξία υπερβεί το όριο ρευστοποίησης, η παρεχόμενη εγγύηση σας μπορεί να ρευστοποιηθεί.\",\"YyIM65\":\"Δεν τηρήθηκαν οι όροι επανεξισορρόπησης των επιτοκίων\",\"YyydIq\":[\"Add \",[\"0\"],\" to wallet to track your balance.\"],\"ZBvhI+\":\"Διακυβέρνηση Aave\",\"ZIIRAd\":\"Raw-Ipfs\",\"ZRq4tX\":\"Λειτουργία αποδοτικότητας (E-Mode)\",\"ZSqEW+\":\"Manage E-Mode\",\"ZUFYFE\":\"Disable testnet\",\"Zbyywy\":\"Μέγιστη περικοπή\",\"ZfUGFb\":\"Πριν από την προμήθεια\",\"ZiXN+B\":\"Assets to stake\",\"ZlsSDH\":\"Αξία ρευστοποίησης\",\"ZrEc8j\":\"We couldn't find any assets related to your search. Try again with a different asset name, symbol, or address.\",\"ZsLF7e\":\"ενεργοποιημένο\",\"a0YQoQ\":\"Enter a valid address\",\"a2fBZn\":\"Χρόνος που απομένει για το ξεκλείδωμα\",\"a5RYZd\":\"Η απενεργοποίηση αυτού του περιουσιακού στοιχείου ως εγγύηση επηρεάζει τη δανειοληπτική σας ικανότητα και τον Συντελεστή Υγείας.\",\"a7u1N9\":\"Price\",\"a9D+6D\":\"Unstaked\",\"aEtiwq\":\"Ψηφίστε ΚΑΤΑ\",\"aMmFE1\":\"Buy Crypto With Fiat\",\"aOKIms\":\"Οι παράμετροι της συστοιχίας που θα έπρεπε να είναι ίσου μήκους δεν είναι\",\"aX31hk\":\"Your balance is lower than the selected amount.\",\"adUsDd\":\"An error has occurred fetching the proposal.\",\"al6Pyz\":\"Exceeds the discount\",\"aoXTT7\":\"Δανεισμός APY, μεταβλητό\",\"aqX1Yp\":\"This asset is eligible for rewards through SuperFest. Aave Labs does not guarantee the program and accepts no liability.\",\"avgETN\":\"Eligible for the Merit program.\",\"b4NS3e\":\"Προειδοποίηση περιόδου ψύξης\",\"bBHmeP\":\"Available to withdraw\",\"bNEQeI\":\"Cooldown\",\"bSruit\":\"ZKSync Ignite Program rewards are claimed through the\",\"bUUVED\":\"Περιουσιακό στοιχείο\",\"bXQ/Og\":\"Μοιραστείτε το στο twitter\",\"bXr0ee\":\"Τα απομονωμένα περιουσιακά στοιχεία έχουν περιορισμένη δανειοληπτική ικανότητα και άλλα περιουσιακά στοιχεία δεν μπορούν να χρησιμοποιηθούν ως εγγύηση.\",\"bYmAV1\":\"Addresses\",\"bguKoJ\":\"Το αιτούμενο ποσό είναι μεγαλύτερο από το μέγιστο μέγεθος δανείου στη λειτουργία σταθερού επιτοκίου\",\"bwSQI0\":\"Προσφορά\",\"bxN6EM\":\"Cannot disable E-Mode\",\"bxmzSh\":\"Δεν υπάρχουν επαρκείς εγγυήσεις για την αποπληρωμή αυτού του ποσού χρέους με\",\"c91vuQ\":\"Η διεύθυνση δεν είναι συμβόλαιο\",\"c97os2\":\"Aave aToken\",\"c9b44w\":\"Δεν μπορείτε να αποσύρετε αυτό το ποσό, διότι θα προκληθεί κλήση εγγύησης\",\"cBc+4A\":\"Αυτό είναι το συνολικό ποσό που μπορείτε να δανειστείτε. Μπορείτε να δανειστείτε με βάση την εξασφάλισή σας και μέχρι να επιτευχθεί το ανώτατο όριο δανεισμού.\",\"cIl5kp\":\"Your voting power is based on your AAVE/stkAAVE balance and received delegations.\",\"cLo09S\":\"Λεπτομέρειες κινδύνου\",\"cNT+ij\":\"Ο δανεισμός δεν είναι διαθέσιμος επειδή έχετε ενεργοποιήσει τη Λειτουργία Αποδοτικότητας (E-Mode) και τη λειτουργία Απομόνωσης. Για να διαχειριστείτε τη λειτουργία E-Mode και τη λειτουργία Απομόνωσης, επισκεφθείτε τον <0>Πίνακα ελέγχου.\",\"cZOeBk\":\"Something went wrong fetching bridge message, please try again later.\",\"ceix5S\":\"To submit a proposal for minor changes to the protocol, you'll need at least 80.00K power. If you want to change the core code base, you'll need 320k power.<0>Learn more.\",\"ciSsYT\":\"Staking APY\",\"ciybUa\":\"Ψηφίστε ΥΠΕΡ\",\"ckf7gX\":[\"Αποπληρώνοντας \",[\"symbol\"]],\"cp1ZDP\":[\"Bridge \",[\"symbol\"]],\"cqnmnD\":\"Effective interest rate\",\"cqwIvs\":\"Συζήτηση φόρουμ\",\"csDS2L\":\"Διαθέσιμο\",\"cu7Stb\":\"Δεν συμμετείχατε στην παρούσα πρόταση\",\"dE6BLF\":\"Διακυβέρνηση\",\"dEgA5A\":\"Cancel\",\"dIsyWh\":\"Η επικύρωση του Ltv απέτυχε\",\"dMtLDE\":\"to\",\"dOB5nW\":[\"Maximum amount available to supply is <0/> \",[\"0\"],\" (<1/>).\"],\"dVfODp\":\"Δεν έχετε αρκετά χρήματα στο πορτοφόλι σας για να αποπληρώσετε ολόκληρο το ποσό. Εάν προχωρήσετε στην αποπληρωμή με το τρέχον ποσό των χρημάτων σας, θα εξακολουθείτε να έχετε μια μικρή θέση δανεισμού στο ταμπλό σας.\",\"dXUQFX\":\"Περιουσιακά στοιχεία προς δανεισμό\",\"dgr1aY\":\"Borrowing is disabled due to an Aave community decision. <0>More details\",\"djsg0o\":\"Χρησιμοποίηση εγγυήσεων\",\"dpc0qG\":\"Μεταβλητό\",\"drdV8R\":\"Liquidation\",\"dxW8cS\":\"Aave debt token\",\"e4V3oW\":\"Top 10 addresses\",\"eD8WX/\":\"Η δράση απαιτεί ενεργό απόθεμα\",\"eJRJ04\":\"Amount to unstake\",\"eLh0cL\":\"Slippage is the difference between the quoted and received amounts from changing market conditions between the moment the transaction is submitted and its verification.\",\"ePK91l\":\"Edit\",\"eVpCmf\":\"Staking Rewards\",\"eVqvtf\":\"Bridge GHO\",\"eYdurp\":\"No transactions yet.\",\"ebLGGN\":\"Σύνολο δανεικών\",\"ecqEvn\":\"Το υπόλοιπο των εγγυήσεων είναι 0\",\"efdrrk\":\"Available on\",\"enruNF\":\"starts\",\"eqLYiD\":\"Ξεκλειδώστε τώρα\",\"euScGB\":\"APY with discount applied\",\"evw5ha\":\"Καθαρή αξία\",\"ezcU16\":\"Get ABP Token\",\"f3W0Ej\":[\"Αλλάξατε σε ποσοστό \",[\"0\"]],\"fH9i8k\":\"You've successfully switched borrow position.\",\"fHcELk\":\"Καθαρό APR\",\"fMJQZK\":\"Borrowed\",\"fZ5Vnu\":\"Received\",\"firl9Q\":\"Το τρέχον δάνειο προς αξία με βάση τις παρεχόμενες εξασφαλίσεις σας.\",\"flRCF/\":\"Staking discount\",\"fldjW9\":\"Preview tx and migrate\",\"fsBGk0\":\"Υπόλοιπο\",\"fu1Dbh\":[\"Ανάληψη \",[\"symbol\"]],\"fwjWSI\":\"Supplied\",\"fwyTMb\":\"Migrate to stkABPT v2\",\"g0mals\":\"You can not disable E-Mode because that could cause liquidation. To exit E-Mode supply or repay borrowed positions.\",\"g2UNkE\":\"Powered by\",\"g8KGoA\":\"FAQS\",\"g9zzqS\":\"Voted NAY\",\"gDd2gk\":\"about SuperFest.\",\"gFFh9h\":\"Όλα έτοιμα!\",\"gIMJlW\":\"Λειτουργία Testnet\",\"gOzPxe\":\"This asset is frozen due to an Aave Protocol Governance decision. <0>More details\",\"gTHi2T\":\"Ο χρήστης προσπαθεί να δανειστεί πολλαπλά περιουσιακά στοιχεία, συμπεριλαμβανομένου ενός απομονωμένου περιουσιακού στοιχείου\",\"gVW59Y\":\"Please connect your wallet to get free testnet assets.\",\"gcFNxP\":\"Approve Confirmed\",\"gncRUO\":\"This address is blocked on app.aave.com because it is associated with one or more\",\"goff7V\":\"Η μηδενική διεύθυνση δεν είναι έγκυρη\",\"gp+f1B\":\"Version 3\",\"gr8mYw\":\"You may borrow up to <0/> GHO at <1/> (max discount)\",\"gvTM4B\":\"Το καθαρό ΑΡΥ είναι η συνδυασμένη επίδραση όλων των θέσεων προσφοράς και δανεισμού στην καθαρή αξία, συμπεριλαμβανομένων των κινήτρων. Είναι δυνατόν να υπάρχει αρνητικό καθαρό APY εάν το χρεωστικό APY είναι υψηλότερο από το προσφερόμενο APY.\",\"gzcch9\":\"Μη έγκυρη αμοιβή πρωτοκόλλου γέφυρας\",\"h33MxW\":\"Representing smart contract wallet (ie. Safe) addresses on other chains.\",\"h3ilK+\":\".CSV\",\"hB23LY\":\"Activate Cooldown\",\"hIJzBh\":\"Available to Claim\",\"hIS4N0\":\"Καθαρό APY\",\"hRWvpI\":\"Claimed\",\"hdmy/o\":\"Το % της συνολικής δανειοληπτικής σας δύναμης που χρησιμοποιείται. Αυτό βασίζεται στο ποσό της παρεχόμενης εξασφάλισής σας και στο συνολικό ποσό που μπορείτε να δανειστείτε.\",\"hehnjM\":\"Ποσό\",\"hjDCQr\":\"Υπήρξε κάποιο σφάλμα. Προσπαθήστε να αλλάξετε τις παραμέτρους ή <0><1>αντιγράψτε το σφάλμα\",\"hom7qf\":\"Διεκδίκηση\",\"hpHJ4I\":\"Liquidated collateral\",\"hpuVIp\":\"Users who stake AAVE in Safety Module (i.e. stkAAVE holders) receive a discount on GHO borrow interest rate.\",\"huQ6Tz\":[\"Δανεισμός \",[\"symbol\"]],\"hxi7vE\":\"Borrow balance\",\"i/fZ2Z\":\"Staked Balance\",\"i2JTiw\":\"You may enter a custom amount in the field.\",\"iB5+/J\":\"About GHO\",\"iChbOF\":\"Ασυνεπείς παράμετροι flashloan\",\"iEPVHF\":\"Δεν έχει αρκετή δύναμη ψήφου για να συμμετάσχει στην παρούσα πρόταση\",\"iEW87X\":\"Delegated power\",\"iEju36\":[\"Ψηφίσατε \",[\"0\"]],\"iFq2YN\":\"Borrowable\",\"iGxyIA\":\"Safety Module\",\"iMVZk9\":\"Select slippage tolerance\",\"iPMIoT\":\"Εισάγετε ένα ποσό\",\"iSLIjg\":\"Connect\",\"iUo5rv\":\"tokens δεν είναι το ίδιο με το να τα κλειδώνετε. Εάν επιθυμείτε να κλειδώσετε τα\",\"iZxa38\":\"Use it to vote for or against active proposals.\",\"iboNXd\":\"Amount received\",\"if5PH+\":\"Collector Info\",\"igkfR1\":[\"In Isolation mode, you cannot supply other assets as collateral. A global debt ceiling limits the borrowing power of the isolated asset. To exit isolation mode disable \",[\"0\"],\" as collateral before borrowing another asset. Read more in our <0>FAQ\"],\"il0sEG\":\"H χρήση εγγυήσεων είναι περιορισμένη λόγω της λειτουργίας Απομόνωσης.\",\"j+K1Xj\":\"Amount After Fee\",\"jA2QeW\":\"Προμηθεύοντας το\",\"jFi7dz\":\"Interest rate that is determined by Aave Governance. This rate may be changed over time depending on the need for the GHO supply to contract/expand. <0>Learn more\",\"jG3UJ7\":\"Απενεργοποίηση E-Mode\",\"jKYzR1\":\"Ενεργοποίηση E-Mode\",\"jMam5g\":[[\"0\"],\" Υπόλοιπο\"],\"jSYv+Z\":\"Enabling E-Mode allows you to maximize your borrowing power, however, borrowing is restricted to assets within the selected category. <0>Learn more about how it works and the applied restrictions.\",\"jaKbwW\":[[\"s\"],\"δ\"],\"jbFMap\":\"Χρόνος ψύξης που έχει απομείνει\",\"jeMZNr\":[[\"0\"],\" on-ramp service is provided by External Provider and by selecting you agree to Terms of the Provider. Your access to the service might be reliant on the External Provider being operational.\"],\"jfl9OP\":\"Migrated\",\"jmXdoY\":\"Στο E-Mode ορισμένα περιουσιακά στοιχεία δεν είναι δανείσιμα. Βγείτε από το E-Mode για να αποκτήσετε πρόσβαση σε όλα τα περιουσιακά στοιχεία\",\"jpctdh\":\"View\",\"jqzUyM\":\"Μη διαθέσιμο\",\"k/sb6z\":\"Επιλέξτε γλώσσα\",\"k3wP3f\":\"<0>Attention: Parameter changes via governance can alter your account health factor and risk of liquidation. Follow the <1>Aave governance forum for updates.\",\"kACpF3\":[\"Διεκδίκηση \",[\"0\"]],\"kH6wUX\":\"Επίδραση στην τιμή\",\"kIC28N\":\"Available to claim\",\"kIpSye\":[[\"numSelected\"],\"/\",[\"numAvailable\"],\" assets selected\"],\"kN1Yg5\":\"Για την εξόφληση εκ μέρους ενός χρήστη απαιτείται ένα ρητό ποσό προς εξόφληση\",\"kRTD40\":[\"Repayment amount to reach \",[\"0\"],\"% utilization\"],\"kjN9tT\":\"Υπέρβαση του ανώτατου ορίου προσφοράς\",\"knxE+G\":\".JSON\",\"ks2LWT\":\"Το ανώτατο όριο χρέους δεν είναι μηδενικό\",\"kwwn6i\":\"Users who stake AAVE in Safety Module (i.e. stkAAVE holders) receive a discount on GHO borrow interest rate. The discount applies to 100 GHO for every 1 stkAAVE held. Use the calculator below to see GHO borrow rate with the discount applied.\",\"kz3wtK\":\"and about SPK program\",\"kzZyM4\":\"DAI balance will be converted via DSR contracts and then supplied as sDAI. Switching incurs no additional costs and no slippage.\",\"lNVG7i\":\"Select an asset\",\"lU2d1/\":[\"Asset cannot be migrated due to insufficient liquidity or borrow cap limitation in \",[\"marketName\"],\" v3 market.\"],\"lVhKKI\":\"Voted YAE\",\"lWLqxB\":\"We couldn't find any transactions related to your search. Try again with a different asset name, or reset filters.\",\"lYGfRP\":\"Αγγλικά\",\"lfEjIE\":\"Μάθετε περισσότερα στον οδηγό <0>Συχνών Ερωτήσεων\",\"lt6bpt\":\"Collateral to repay with\",\"m/IEhi\":\"Συνολικές εκπομπές ανά ημέρα\",\"m7r7Hh\":\"Selected borrow assets\",\"mDDK4p\":\"Balancer Pool\",\"mIM0qu\":\"Expected amount to repay\",\"mUAFd6\":\"Version 2\",\"masO5Z\":\"E-Mode increases your LTV for a selected category of assets. <0>Learn more\",\"mdNjKU\":[\"Your \",[\"name\"],\" wallet is empty. Purchase or transfer assets or use <0>\",[\"0\"],\" to transfer your \",[\"network\"],\" assets.\"],\"muiOng\":[\"Buy \",[\"cryptoSymbol\"],\" with Fiat\"],\"mvCXBY\":\"Stake AAVE\",\"mwdzil\":\"Εντάξει, Κλείσιμο\",\"mzI/c+\":\"Download\",\"mzdIia\":\"Το περιουσιακό στοιχείο δεν μπορεί να χρησιμοποιηθεί ως εγγύηση.\",\"n+SX4g\":\"Προγραμματιστές\",\"n8Psk4\":\"We couldn’t detect a wallet. Connect a wallet to stake and view your balance.\",\"nJIhzm\":\"Προσφορά apy\",\"nJgsQu\":\"Με δύναμη ψήφου <0/>\",\"nLC6tu\":\"Γαλλικά\",\"nN2T8p\":\"During the cooldown period, you will not earn any merit rewards. However, rewards earned up to this point will remain unaffected.\",\"nNHV0z\":\"Migrating multiple collaterals and borrowed assets at the same time can be an expensive operation and might fail in certain situations.<0>Therefore it’s not recommended to migrate positions with more than 5 assets (deposited + borrowed) at the same time.\",\"nNbnzu\":\"Proposition\",\"nOy4ob\":\"We suggest you go back to the Dashboard.\",\"nPGNMh\":\"Μπορεί να εκτελεστεί\",\"nUK1ou\":[\"Assets with zero LTV (\",[\"0\"],\") must be withdrawn or disabled as collateral to perform this action\"],\"nakd8r\":\"stkAAVE holders get a discount on GHO borrow rate\",\"nh2EJK\":[\"Παρακαλώ μεταβείτε στο \",[\"networkName\"],\".\"],\"njBeMm\":\"Both\",\"noN5Xf\":\"We couldn’t detect a wallet. Connect a wallet to view your staking positions and rewards.\",\"ntkAoE\":\"Discount applied for <0/> staking AAVE\",\"ntyFSE\":[[\"h\"],\"ω\"],\"nwtY4N\":\"Something went wrong\",\"nxyWvj\":\"Withdrawing this amount will reduce your health factor and increase risk of liquidation.\",\"o17QVP\":\"Ο συντελεστής υγείας και το δάνειο προς αξία καθορίζουν τη διασφάλιση των εξασφαλίσεών σας. Για να αποφύγετε τις ρευστοποιήσεις μπορείτε να παράσχετε περισσότερες εξασφαλίσεις ή να εξοφλήσετε δανειακές θέσεις.\",\"o1xc2V\":\"Η προσφορά AToken δεν είναι μηδενική\",\"o4tCu3\":\"Borrow APY\",\"o5ooMr\":\"Χρέος\",\"o7J4JM\":\"Φίλτρο\",\"oHFrpj\":\"Ψύξτε για ξεκλείδωμα\",\"oJ5ZiG\":\"Ο χρήστης δεν έχει ανεξόφλητο χρέος μεταβλητού επιτοκίου σε αυτό το αποθεματικό\",\"oRBGin\":\"Please connect your wallet to be able to switch your tokens.\",\"oUwXhx\":\"Test Assets\",\"oWklJD\":\"Το σταθερό επιτόκιο θα <0>μείνει το ίδιο για όλη τη διάρκεια του δανείου σας. Συνιστάται για μακροχρόνιες περιόδους δανεισμού και για χρήστες που προτιμούν την προβλεψιμότητα.\",\"odnIK3\":\"Time remaining until the 48 hour withdraw period starts.\",\"oiK5nY\":\"The current incentives period, decided on by the Aave community, has ended. Governance is in the process on renewing, check for updates. <0>Learn more.\",\"olREoo\":\"All borrow positions outside of this category must be closed to enable this category.\",\"om/XHs\":\"Διαθέσιμο για προμήθεια\",\"ov0+mq\":\"Eligible for the ZKSync Ignite program.\",\"ovT1pF\":[\"Per the community, the \",[\"market\"],\" has been frozen.\"],\"ow3fug\":\"Nothing found\",\"owSsI3\":\"Signatures ready\",\"p+R52m\":\"Go to Balancer Pool\",\"p2A+s1\":[\"Η περίοδος ψύξης είναι \",[\"0\"],\". Μετά την \",[\"1\"],\" περίοδο ψύξης, θα εισέλθετε στο παράθυρο ξεκλειδώματος \",[\"2\"],\". Θα συνεχίσετε να λαμβάνετε ανταμοιβές κατά τη διάρκεια της ψύξης και του παραθύρου ξεκλειδώματος.\"],\"p2S64u\":\"The loan to value of the migrated positions would cause liquidation. Increase migrated collateral or reduce migrated borrow to continue.\",\"p2Z2Qi\":\"Αυτό το περιουσιακό στοιχείο έχει φθάσει στο ανώτατο όριο δανεισμού του. Τίποτα δεν είναι διαθέσιμο για δανεισμό από αυτή την αγορά.\",\"p3j+mb\":\"Το υπόλοιπο της ανταμοιβής σας είναι 0\",\"p45alK\":\"Set up delegation\",\"p6u2s1\":\"Minimum amount of debt to be repaid\",\"pDgeaz\":[[\"title\"]],\"pdZqBk\":\"Το υποκείμενο υπόλοιπο πρέπει να είναι μεγαλύτερο από 0\",\"pgWG9H\":\"Δεν υπάρχει αρκετό κλειδωμένο υπόλοιπο\",\"piPrJ7\":\"παρακαλούμε ελέγξτε ότι το ποσό που θέλετε να παρέχετε δεν χρησιμοποιείται επί του παρόντος για κλείδωμα. Εάν χρησιμοποιείται για κλείδωμα, η συναλλαγή σας ενδέχεται να αποτύχει.\",\"pjO/iH\":\"Minimum amount received\",\"pooutM\":\"Voting is on\",\"pqaM5s\":\"Confirming transaction\",\"ptaxX3\":[\"Καταλαβαίνω πώς λειτουργεί η ψύξη (\",[\"0\"],\") και το ξεκλείδωμα (\",[\"1\"],\")\"],\"py2iiY\":\"Ο καλών αυτής της συνάρτησης πρέπει να είναι ένα κοινόχρηστο ταμείο\",\"q/51mF\":\"Migrate to V3\",\"q3df11\":\"Interest rate strategy\",\"q6lAbz\":\"Κλειδωμένο\",\"qB4kPi\":\"Προσφορά APY\",\"qENI8q\":\"Γενικές ρυθμίσεις\",\"qGz5zl\":\"Collateral balance after repay\",\"qIW9ZH\":\"Amount staked\",\"qOqbD6\":\"αντιγράψτε το σφάλμα\",\"qXCkEM\":\"Συνδέστε το πορτοφόλι σας για να δείτε τις προμήθειες, τα δάνεια και τις ανοιχτές θέσεις σας.\",\"qY2jnw\":\"Μη έγκυρη λήξη\",\"qf/fr+\":\"Interest accrued\",\"qhhf9L\":\"Rewards available to claim\",\"quYPUU\":\"Variable interest rate will <0>fluctuate based on the market conditions.\",\"quzIeW\":\"User is in isolation mode or LTV is zero\",\"qvnz3q\":\"Μη έγκυρη ποσότητα προς καύση\",\"rHgdb0\":\"Migrate to Aave V3\",\"rOrHHe\":\"Το ποσό πρέπει να είναι μεγαλύτερο από 0\",\"rQ+R+0\":\"Selected supply assets\",\"rSayea\":\"APY\",\"rTBDeu\":[\"Asset cannot be migrated because you have isolated collateral in \",[\"marketName\"],\" v3 Market which limits borrowable assets. You can manage your collateral in <0>\",[\"marketName\"],\" V3 Dashboard\"],\"rcT+yy\":\"Εμφάνιση περιουσιακών στοιχείων με υπόλοιπο 0\",\"rf8POi\":\"Borrowed asset amount\",\"riNWOA\":\"E-Mode\",\"rjGI/Q\":\"Privacy\",\"rnKPW1\":\"Watch a wallet balance in read-only mode\",\"ruc7X+\":\"Add stkAAVE to see borrow APY with the discount\",\"rvbaFU\":[\"Bridging \",[\"symbol\"]],\"rwVVB7\":\"Διεκδικήστε όλες τις ανταμοιβές\",\"rwyUva\":\"These assets are temporarily frozen or paused by Aave community decisions, meaning that further supply / borrow, or rate swap of these assets are unavailable. Withdrawals and debt repayments are allowed. Follow the <0>Aave governance forum for further updates.\",\"rxJW5W\":\"Your proposition power is based on your AAVE/stkAAVE balance and received delegations.\",\"s2jJnW\":\"You don't have any bridge transactions\",\"s5wBAq\":[\"Unstake \",[\"symbol\"]],\"sJbIdI\":\"Enter ETH address or ENS\",\"sK+Nag\":\"Αναθεώρηση συναλλαγής\",\"sP2+gB\":\"ΚΑΤΑ\",\"sQv06Y\":\"for\",\"sTtO6J\":\"Confirm transaction\",\"sXKb3l\":\"Exchange rate\",\"sb0q4+\":\"Μπορείτε να ξεκλειδώσετε εδώ\",\"smJNwH\":\"Διαθέσιμο για δανεισμό\",\"solypO\":\"Ο παράγοντας υγείας δεν είναι κάτω από το όριο\",\"sr0UJD\":\"Πηγαίνετε Πίσω\",\"ss5GCK\":\"Η διεύθυνση του παρόχου διευθύνσεων κοινόχρηστου ταμείου είναι άκυρη\",\"swEgK4\":\"Οι πληροφορίες ψήφου σας\",\"t+wtgf\":\"Τίποτα δανεισμένο ακόμα\",\"t/YqKh\":\"Remove\",\"t81DpC\":[\"Approve \",[\"symbol\"],\" to continue\"],\"tCnbEs\":\"Τιμή Oracle\",\"tFZLf8\":\"Αυτός ο υπολογισμός gas είναι μόνο μια εκτίμηση. Το πορτοφόλι σας θα καθορίσει την τιμή της συναλλαγής. Μπορείτε να τροποποιήσετε τις ρυθμίσεις gas απευθείας από τον πάροχο του πορτοφολιού σας.\",\"tHuvQI\":\"Go to V3 Dashboard\",\"tKv7cI\":\"Switch borrow position\",\"tOcg3N\":\"Since this asset is frozen, the only available actions are withdraw and repay which can be accessed from the <0>Dashboard\",\"tOuXfv\":[\"Borrow amount to reach \",[\"0\"],\"% utilization\"],\"te9Bfl\":\"Παρακαλώ, συνδέστε το πορτοφόλι σας\",\"tt5yma\":\"Οι προμήθειές σας\",\"ttoh5c\":\"Switch to\",\"u3ZeYl\":\"Η συναλλαγή απέτυχε\",\"u706uF\":\"Άκυρη πριμοδότηση flashloan\",\"u8Gfu7\":[\"No search results\",[\"0\"]],\"uAQUqI\":\"Status\",\"uHMwk8\":\"No assets selected to migrate.\",\"uJPHuY\":\"Migrating\",\"uY8O30\":\"To continue, you need to grant Aave smart contracts permission to move your funds from your wallet. Depending on the asset and wallet you use, it is done by signing the permission message (gas free), or by submitting an approval transaction (requires gas). <0>Learn more\",\"udFheE\":\"Για την αποπληρωμή ενός συγκεκριμένου τύπου χρέους, ο χρήστης πρέπει να έχει χρέος αυτού του τύπου\",\"ulNuNq\":\"Export data to\",\"ulup2p\":\"Buy Crypto with Fiat\",\"umICAY\":\"<0><1><2/>Add stkAAVE to see borrow rate with discount\",\"usB84Z\":\"Maximum amount available to borrow is limited because protocol borrow cap is nearly reached.\",\"uwAUvj\":\"COPY IMAGE\",\"v8x7Mg\":\"Insufficient collateral to cover new borrow position. Wallet must have borrowing power remaining to perform debt switch.\",\"vEqxH9\":\"Restaked\",\"vLyv1R\":\"Απόκρυψη\",\"vMba49\":\"Ο δανεισμός δεν είναι ενεργοποιημένος\",\"vMpNwt\":\"Approve with\",\"vXIe7J\":\"Γλώσσα\",\"vesuBJ\":\"Σας επιτρέπει να αποφασίσετε αν θα χρησιμοποιήσετε ένα παρεχόμενο περιουσιακό στοιχείο ως εγγύηση. Ένα περιουσιακό στοιχείο που χρησιμοποιείται ως εγγύηση θα επηρεάσει τη δανειοληπτική σας ικανότητα και τον συντελεστή υγείας.\",\"w+V9Cx\":\"Σταθερό νόμισμα\",\"w/JtJ3\":\"Η σταθερή προσφορά χρέους δεν είναι μηδενική\",\"w4VBY+\":\"Ανταμοιβές APR\",\"w9dLMW\":[[\"label\"]],\"wAOL+X\":[\"Εσείς \",[\"action\"],\" <0/> \",[\"symbol\"]],\"wBIsjb\":\"Discord channel\",\"wQZbc/\":\"Ο καλών της συνάρτησης δεν είναι AToken\",\"wRRqvW\":\"Δεν έχετε προμήθειες σε αυτό το νόμισμα\",\"wZFvVU\":\"ΨΗΦΙΣΤΕ ΥΠΕΡ\",\"wb/r1O\":[\"Βρύση \",[\"0\"]],\"wdxz7K\":\"Source\",\"weH1nG\":\"The Aave Protocol is programmed to always use the price of 1 GHO = $1. This is different from using market pricing via oracles for other crypto assets. This creates stabilizing arbitrage opportunities when the price of GHO fluctuates.\",\"wh7Ezv\":\"You have no AAVE/stkAAVE/aAave balance to delegate.\",\"wlsIx7\":\"With testnet Faucet you can get free assets to test the Aave Protocol. Make sure to switch your wallet provider to the appropriate testnet network, select desired asset, and click ‘Faucet’ to get tokens transferred to your wallet. The assets on a testnet are not “real,” meaning they have no monetary value. <0>Learn more\",\"wmE285\":\"Get ABP v2 Token\",\"wyRrcJ\":\"As a result of governance decisions, this ABPT staking pool is now deprecated. You have the flexibility to either migrate all of your tokens to v2 or unstake them without any cooldown period.\",\"x5KiLL\":\"Selected assets have successfully migrated. Visit the Market Dashboard to see them.\",\"x7F2p6\":\"Τρέχον διαφορικό\",\"x7K5ib\":[\"Your \",[\"networkName\"],\" wallet is empty. Get free test \",[\"0\"],\" at\"],\"x9iLRD\":\"tokens, παρακαλούμε μεταβείτε στο\",\"xNy/UG\":\"Αποπληρωμή με\",\"xPm8wv\":\"Μάθετε περισσότερα για τους κινδύνους\",\"xXYpZl\":[[\"0\"],\" Βρύση\"],\"xaVBSS\":\"Οι πληροφορίες σας\",\"xaWZ6f\":\"APY type change\",\"xh6k71\":\"Collateral usage is limited because of isolation mode.\",\"xvIklc\":\"Flashloan is disabled for this asset, hence this position cannot be migrated.\",\"y5rS9U\":\"Migrate\",\"y66tBm\":[\"Ενεργοποίηση \",[\"symbol\"],\" ως εγγύηση\"],\"yB1YpA\":\"Σκοτεινή λειτουργία\",\"yCrG6m\":\"Συνολικό μέγεθος της αγοράς\",\"yJUUbn\":\"Επισκόπηση συναλλαγής\",\"yLGmLX\":[\"Restake \",[\"symbol\"]],\"yW1oWB\":\"Τύπος APY\",\"yYHqJe\":\"Μη έγκυρη διεύθυνση\",\"yZwLw6\":\"Track wallet\",\"yh2sjd\":[\"Price impact \",[\"0\"],\"%\"],\"yhvj6d\":\"Δεν μπορείτε να αλλάξετε τη χρήση ως λειτουργία εγγύησης για αυτό το νόμισμα, διότι θα προκαλέσει κλήση εγγύησης\",\"ylmtBZ\":\"The app is running in fork mode.\",\"ymNY32\":[\"Δεν υπάρχουν αρκετά κεφάλαια στο\",[\"0\"],\"αποθεματικό για δανεισμό\"],\"yz7wBu\":\"Κλείσιμο\",\"z4uGQg\":\"Υπέρβαση του ανώτατου ορίου χρέους\",\"z5UQOM\":\"Η εγγύηση που έχει επιλεγεί δεν μπορεί να ρευστοποιηθεί\",\"z5Y+p6\":[\"Παροχή \",[\"symbol\"]],\"zCjNKs\":\"Η ενέργεια δεν μπορεί να εκτελεστεί επειδή το αποθεματικό έχει παγώσει\",\"zRHytX\":\"Isolated Debt Ceiling\",\"zTOjMP\":\"Protocol supply cap is at 100% for this asset. Further supply unavailable.\",\"zVdRUG\":\"Submission did not work, please try again later or contact wecare@avara.xyz\",\"zevmS2\":\"<0><1><2/>Add <3/> stkAAVE to borrow at <4/> (max discount)\",\"zgtIDV\":\"Υπολειπόμενο χρέος\",\"zmTPiV\":\"Υπόλοιπο προσφοράς\",\"zpPbZl\":\"Liquidation risk parameters\",\"zucql+\":\"Μενού\",\"zwWKhA\":\"Μάθετε περισσότερα\",\"zy9fXn\":[\"Asset is frozen in \",[\"marketName\"],\" v3 market, hence this position cannot be migrated.\"],\"zys+R6\":\"Be mindful of the network congestion and gas prices.\",\"zzzTXS\":\"Merit Program rewards are claimed through the\"}")}; \ No newline at end of file diff --git a/src/locales/en/messages.js b/src/locales/en/messages.js index 6885abc920..138c27fe51 100644 --- a/src/locales/en/messages.js +++ b/src/locales/en/messages.js @@ -1 +1 @@ -/*eslint-disable*/module.exports={messages:JSON.parse("{\"+0xecS\":[\"If you DO NOT unstake within \",[\"0\"],\" of unstake window, you will need to activate cooldown process again.\"],\"+EGVI0\":\"Receive (est.)\",\"+VR63W\":[\"Participating in this \",[\"symbol\"],\" reserve gives annualized rewards.\"],\"+bmKdK\":\"Use your AAVE, stkAAVE, or aAave balance to delegate your voting and proposition powers. You will not be sending any tokens, only the rights to vote and propose changes to the protocol. You can re-delegate or revoke power to self at any time.\",\"+eOPG+\":\"Seems like we can't switch the network automatically. Please check if you can change it from the wallet.\",\"+i3Pd2\":\"Borrow cap\",\"+kLZGu\":\"Supplied asset amount\",\"+nuEh/\":\"Estimated time\",\"+xMFF8\":\"Remind me\",\"/57U31\":\"Amount to migrate\",\"/7ykiW\":\"Borrowing this amount will reduce your health factor and increase risk of liquidation.\",\"/YA5pU\":\"E-Mode increases your LTV for a selected category of assets, meaning that when E-mode is enabled, you will have higher borrowing power over assets of the same E-mode category which are defined by Aave Governance. You can enter E-Mode from your <0>Dashboard. To learn more about E-Mode and applied restrictionn, see the <1>help guide or the <2>Aave V3 Technical Paper.\",\"/izjs/\":\"Minimum staked Aave amount\",\"/jQctM\":\"To\",\"/lDBHm\":\"FAQ\",\"/yNlZf\":\"Stable borrowing is not enabled\",\"/yQcJM\":\"Total worth\",\"00AB2i\":\"User did not borrow the specified currency\",\"00OflG\":\"There is not enough liquidity for the target asset to perform the switch. Try lowering the amount.\",\"08/rZ9\":\"The cooldown period is the time required prior to unstaking your tokens (20 days). You can only withdraw your assets from the Security Module after the cooldown period and within the unstake window.<0>Learn more\",\"0AmQcW\":\"Rate change\",\"0BF3yK\":\"Sorry, we couldn't find the page you were looking for.\",\"0TAbjq\":\"Recent Transactions\",\"0jhlyw\":\"Liquidation risk\",\"0ojY+Y\":\"Current v2 Balance\",\"0thX3P\":\"Collateral change\",\"0wGCWc\":\"This is the total amount that you are able to supply to in this reserve. You are able to supply your wallet balance up until the supply cap is reached.\",\"1AsVfF\":\"Price data is not currently available for this reserve on the protocol subgraph\",\"1LjK22\":\"Transaction history\",\"1Onqx8\":[\"Approving \",[\"symbol\"],\"...\"],\"1Ue8sX\":\"Please connect a wallet to view your personal information here.\",\"1YH41K\":[\"After the cooldown period ends, you will enter the unstake window of \",[\"0\"],\". You will continue receiving rewards during cooldown and the unstake period.\"],\"1bpx9A\":\"...\",\"1kWUB+\":\"Liquidation <0/> threshold\",\"1m9Qqc\":\"Withdrawing and Switching\",\"1oyh4g\":\"Borrow rate\",\"1t7rez\":\"Asset supply is limited to a certain amount to reduce protocol exposure to the asset and to help manage risks involved.\",\"2CAPu2\":\"You've successfully withdrew & switched tokens.\",\"2Eoi/a\":\"View details\",\"2FYpfJ\":\"More\",\"2O3qp5\":\"Available liquidity\",\"2OM8/D\":[\"Asset cannot be migrated due to supply cap restriction in \",[\"marketName\"],\" v3 market.\"],\"2Q4GU4\":\"Blocked Address\",\"2ZGocC\":\"Aave is a fully decentralized, community governed protocol by the AAVE token-holders. AAVE token-holders collectively discuss, propose, and vote on upgrades to the protocol. AAVE token-holders (Ethereum network only) can either vote themselves on new proposals or delagate to an address of choice. To learn more check out the Governance\",\"2a6G7d\":\"Please enter a valid wallet address.\",\"2bAhR7\":\"Meet GHO\",\"2eBWE6\":\"I acknowledge the risks involved.\",\"2o/xRt\":\"Supply cap on target reserve reached. Try lowering the amount.\",\"2uJToh\":[[\"0\"],[\"name\"]],\"2x58bP\":\"Stable borrowing is enabled\",\"34Qfwy\":\"Borrow cap is exceeded\",\"39eQRj\":[\"Borrow \",[\"symbol\"]],\"3BL1xB\":\"Total supplied\",\"3BnIWi\":\"Switched\",\"3K0oMo\":\"Remaining supply\",\"3MoZhl\":\"There is not enough collateral to cover a new borrow\",\"3Np5O8\":[\"Supply \",[\"symbol\"]],\"3O8YTV\":\"Total interest accrued\",\"3mXg0z\":\"Max LTV\",\"3q3mFy\":\"Repay\",\"3qsjtp\":\"The weighted average of APY for all supplied assets, including incentives.\",\"3rL+os\":\"You can only withdraw your assets from the Security Module after the cooldown period ends and the unstake window is active.\",\"42UgDM\":[\"Migrate to \",[\"0\"],\" v3 Market\"],\"49UFQA\":\"Voting results\",\"4DMZUI\":\"View Transactions\",\"4HtGBb\":\"MAX\",\"4Y5H+g\":\"Terms\",\"4YYh4d\":\"Maximum available to borrow\",\"4iPAI3\":\"Minimum GHO borrow amount\",\"4lDFps\":\"Sign to continue\",\"4wyw8H\":\"Transactions\",\"5JSSxX\":[\"Your \",[\"networkName\"],\" wallet is empty. Get free test assets at\"],\"5K7kGO\":\"documentation\",\"5NOSGa\":\"Debt ceiling limits the amount possible to borrow against this asset by protocol users. Debt ceiling is specific to assets in isolation mode and is denoted in USD.\",\"5Ncc6j\":[\"This asset has almost reached its supply cap. There can only be \",[\"messageValue\"],\" supplied to this market.\"],\"5cZ/KX\":\"Variable debt supply is not zero\",\"5che++\":\"To request access for this permissioned market, please visit: <0>Acces Provider Name\",\"5ctNdV\":[\"Minimum \",[\"0\"],\" received\"],\"5hDe9v\":\"Allowance required action\",\"5rsnKT\":\"Available rewards\",\"5yC5m5\":\"View all votes\",\"6/dCYd\":\"Overview\",\"60crCe\":\"All transactions\",\"62Xcjh\":\"Collateral\",\"65A04M\":\"Spanish\",\"6G8s+q\":\"Signing\",\"6Jrv+z\":[\"Repay \",[\"symbol\"]],\"6NGLTR\":\"Discountable amount\",\"6Xr0UU\":\"Cooling down...\",\"6bxci/\":\"Voting power\",\"6f8S68\":\"Markets\",\"6g1gi0\":\"Proposals\",\"6gvoHP\":\"Copy error message\",\"6h3Q5G\":\"repaid\",\"6lFSyT\":\"Available to Stake\",\"6s8L6f\":\"Switch Network\",\"6yAAbq\":\"APY, borrow rate\",\"70wH1Q\":\"APR\",\"72c5Qo\":\"Total\",\"73Auuq\":\"Discount parameters are decided by the Aave community and may be changed over time. Check Governance for updates and vote to participate. <0>Learn more\",\"75qcAQ\":[[\"stepName\"]],\"7ITr5L\":\"Health factor\",\"7T/o5R\":\"Reached\",\"7YlcXu\":\"Fork mode is ON\",\"7Z76Iw\":\"Borrowing is unavailable because you’re using Isolation mode. To manage Isolation mode visit your <0>Dashboard.\",\"7aKlMS\":\"Share on Lens\",\"7bdUsR\":\"Redeem as aToken\",\"7er5fP\":\"Claim all\",\"7hb2+s\":\"Time remaining until the withdraw period ends.\",\"7l88b8\":\"Data couldn't be fetched, please reload graph.\",\"7p5kLi\":\"Dashboard\",\"7sofdl\":\"Withdraw and Switch\",\"8+6BI0\":\"Be careful - You are very close to liquidation. Consider depositing more collateral or paying down some of your borrowed positions\",\"87pUEW\":[\"Your \",[\"name\"],\" wallet is empty. Purchase or transfer assets.\"],\"8F1i42\":\"Page not found\",\"8G8M0u\":\"Loading data...\",\"8Iu1QS\":\"withdrew\",\"8JL93T\":\"All proposals\",\"8Q51DU\":\"Add to wallet\",\"8X/oyn\":\"Invalid amount to mint\",\"8Z5FPv\":\"Disconnect Wallet\",\"8Zz7s5\":\"assets\",\"8aLW8H\":\"Balance to revoke\",\"8bOT3H\":\"Utilization Rate\",\"8sLe4/\":\"View contract\",\"8t/M0y\":\"Please connect your wallet to be able to bridge your tokens.\",\"8vETh9\":\"Show\",\"94OHPx\":\"You are entering Isolation mode\",\"9CDK3/\":[\"Borrowing is currently unavailable for \",[\"0\"],\".\"],\"9GIj3z\":\"Reserve Size\",\"9Knqb4\":\"Staking balance\",\"9OBKm7\":\"Quorum\",\"9QHoGr\":\"Current votes\",\"9Rw96f\":[\"This asset has almost reached its borrow cap. There is only \",[\"messageValue\"],\" available to be borrowed from this market.\"],\"9Xj/qR\":[\"Some migrated assets will not be used as collateral due to enabled isolation mode in \",[\"marketName\"],\" V3 Market. Visit <0>\",[\"marketName\"],\" V3 Dashboard to manage isolation mode.\"],\"9c6vDV\":\"This asset has reached its supply cap. Nothing is available to be supplied from this market.\",\"9kTWHA\":\"MAI has been paused due to a community decision. Supply, borrows and repays are impacted. <0>More details\",\"9lXchd\":\"Underlying token\",\"9rWaKF\":\"Bridged Via CCIP\",\"9xSooW\":\"Since this is a test network, you can get any of the assets if you have ETH on your wallet\",\"A/lwoe\":\"Choose one of the on-ramp services\",\"A6dCI6\":[\"Maximum amount available to borrow is <0/> \",[\"0\"],\" (<1/>).\"],\"AReoaV\":\"Your borrows\",\"ARu1L4\":\"Repaid\",\"AV7cGz\":\"Review approval tx details\",\"AZOjB8\":\"Fetching data...\",\"Ai0jas\":\"Join the community discussion\",\"Ajl2rq\":\"Borrowing power and assets are limited due to Isolation mode.\",\"AqgYNC\":\"Protocol borrow cap at 100% for this asset. Further borrowing unavailable.\",\"B3EcQR\":\"Thank you for voting!!\",\"B6aXGH\":\"Stable\",\"B9Gqbz\":\"Variable rate\",\"BDFEd+\":\"stETH supplied as collateral will continue to accrue staking rewards provided by daily rebases.\",\"BE2mP0\":\"Borrowed assets\",\"BJyN77\":\"Due to health factor impact, a flashloan is required to perform this transaction, but Aave Governance has disabled flashloan availability for this asset. Try lowering the amount or supplying additional collateral.\",\"BNL4Ep\":\"Collateral usage is limited because of isolation mode. <0>Learn More\",\"BQ/wCO\":\"Migrate your assets\",\"BjLdl1\":\"At a discount\",\"BnhYo8\":\"Asset category\",\"Bq9Y7e\":\"This asset is frozen due to an Aave community decision. <0>More details\",\"BqWMDJ\":\"Faucet\",\"BqynZO\":\"Optimized for efficiency and risk by supporting blue-chip collateral assets\",\"Bsu7zX\":\"The fee includes the gas cost to complete the transaction on the destination chain and the fee paid to Chainlink CCIP service providers. You can chose to pay in the network token or GHO. <0>Learn more\",\"BwJKBw\":\"of\",\"C4/GSi\":\"Your balance of assets that are available to stake\",\"CDrsH+\":\"Techpaper\",\"CK1KXz\":\"Max\",\"CMHmbm\":\"Slippage\",\"CZXzs4\":\"Greek\",\"CcRNG6\":\"Switching\",\"CkTRmy\":[\"Claim \",[\"symbol\"]],\"CsqtLm\":\"Please connect your wallet to see migration tool.\",\"CtGlFb\":[[\"networkName\"],\" Faucet\"],\"Cxt2YY\":\"Watch wallet\",\"D33VQU\":\"This action will reduce health factor of V3 below liquidation threshold. Increase migrated collateral or reduce migrated borrow to continue.\",\"D8sc3k\":\"Stake balance\",\"D9BLRG\":\"This asset has been paused due to a community decision. Supply, withdraw, borrows and repays are impacted.\",\"DAma/S\":\"Collateral is (mostly) the same currency that is being borrowed\",\"DCnFg0\":[\"Addresses (\",[\"0\"],\")\"],\"DG3Lv1\":\"I fully understand the risks of migrating.\",\"DONJcV\":\"The underlying asset cannot be rescued\",\"DR+4uL\":\"Supply balance after switch\",\"DWjrck\":[\"Asset cannot be migrated to \",[\"marketName\"],\" V3 Market due to E-mode restrictions. You can disable or manage E-mode categories in your <0>V3 Dashboard\"],\"Dj+3wB\":\"Aave per month\",\"DptNvx\":\"Amount Staked\",\"DuEq2K\":\"Collateralization\",\"DxfsGs\":\"You can report incident to our <0>Discord or<1>Github.\",\"Dzma+E\":\"Main Ethereum market with the largest selection of assets and yield options\",\"E/QGRL\":\"Disabled\",\"EBL9Gz\":\"COPIED!\",\"ES8dkb\":\"Fixed rate\",\"EZd3Dk\":[\"Restaking \",[\"symbol\"]],\"EZqFZ+\":\"Staking this asset will earn the underlying asset supply yield in additon to other configured rewards.\",\"Ebgc76\":[\"Withdrawing \",[\"symbol\"]],\"EdQY6l\":\"None\",\"EjvKQ+\":\"Minimum USD value received\",\"Enslfm\":\"Destination\",\"EvE9nO\":[\"Reactivate cooldown period to unstake \",[\"0\"],\" \",[\"stakedToken\"]],\"EvECnL\":\"Migrate to v3\",\"EzMQbh\":\"The source chain time to finality is the main factor that determines the time to destination. <0>Learn more\",\"F40cwT\":\"Legacy Markets\",\"F6TdXL\":\"Learn more.\",\"FDDPeZ\":\"Users can stake their assets in the protocol and earn incentives. In the case of a shortfall event, your stake can be slashed to cover the deficit, providing an additional layer of protection for the protocol.\",\"FHlMf/\":\"Current v2 balance\",\"FHpxjF\":[\"Reserve factor is a percentage of interest which goes to a \",[\"0\"],\" that is controlled by Aave governance to promote ecosystem growth.\"],\"FOBZa6\":\"Borrow power used\",\"FPKEug\":\"Operation not supported\",\"FbmMe7\":\"Linked addresses\",\"Fdp03t\":\"on\",\"Fjw9N+\":\"Assets to supply\",\"FmN0fk\":\"Restake\",\"GDGLIs\":\"GHO is a native decentralized, collateral-backed digital asset pegged to USD. It is created by users via borrowing against multiple collateral. When user repays their GHO borrow position, the protocol burns that user's GHO. All the interest payments accrued by minters of GHO would be directly transferred to the AaveDAO treasury.\",\"GQrBTq\":\"Switch E-Mode\",\"GWswcZ\":\"This asset is frozen due to an Aave Protocol Governance decision. On the 20th of December 2022, renFIL will no longer be supported and cannot be bridged back to its native network. It is recommended to withdraw supply positions and repay borrow positions so that renFIL can be bridged back to FIL before the deadline. After this date, it will no longer be possible to convert renFIL to FIL. <0>More details\",\"GX8GKD\":\"Assets\",\"GgEj+0\":\"Read-only mode. Connect to a wallet to perform transactions.\",\"GjkIKV\":\"ends\",\"GoK/QN\":\"Thank you for submitting feedback!\",\"GtP2hp\":[\"Borrowing is unavailable because you’ve enabled Efficiency Mode (E-Mode) for \",[\"0\"],\" category. To manage E-Mode categories visit your <0>Dashboard.\"],\"H6Ma8Z\":\"Discount\",\"HB/wfS\":[[\"tooltipText\"]],\"HKDsQN\":\"Rewards can be claimed through\",\"Ha/U5f\":\"This is a program initiated and implemented by the decentralised ZKSync community. Aave Labs does not guarantee the program and accepts no liability.\",\"HciqKU\":\"This is a program initiated and implemented by the decentralised Aave community. Aave Labs does not guarantee the program and accepts no liability.\",\"Hi6Ttn\":\"Sorry, an unexpected error happened. In the meantime you may try reloading the page, or come back later.\",\"HkEDbS\":[[\"d\"],\"d\"],\"HmkYqM\":\"Unstake window\",\"HpK/8d\":\"Reload\",\"HrnC47\":\"Save and share\",\"HuVZMK\":\"Days\",\"HvJKMU\":[\"Asset cannot be migrated to \",[\"marketName\"],\" v3 Market since collateral asset will enable isolation mode.\"],\"Hvwnm9\":[\"Maximum amount available to supply is limited because protocol supply cap is at \",[\"0\"],\"%.\"],\"I8CX2c\":\"The total amount of your assets denominated in USD that can be used as collateral for borrowing assets.\",\"IAD2SB\":[\"Claiming \",[\"symbol\"]],\"IG9X9/\":\"Borrowing of this asset is limited to a certain amount to minimize liquidity pool insolvency.\",\"IOIx8L\":\"This asset is planned to be offboarded due to an Aave Protocol Governance decision. <0>More details\",\"IP+I/j\":\"Cooldown period\",\"IaA40H\":\"Liquidation at\",\"J/hVSQ\":[[\"0\"]],\"JCoxL6\":\"Manage analytics\",\"JK9zf1\":[\"Estimated compounding interest, including discount for Staking \",[\"0\"],\"AAVE in Safety Module.\"],\"JOqFba\":[\"Unstaking \",[\"symbol\"]],\"JPrLjO\":\"You can not use this currency as collateral\",\"JU6q+W\":\"Reward(s) to claim\",\"JYKRJS\":\"Stake\",\"JZMxX0\":\"Not enough balance on your wallet\",\"Jgflkm\":\"Get GHO\",\"JoMQnI\":\"Wallet balance\",\"JtwD8u\":\"Borrow balance after repay\",\"JumYTK\":\"Supplied assets\",\"K05qZY\":\"Withdraw & Switch\",\"KAz/NV\":\"Protocol debt ceiling is at 100% for this asset. Further borrowing against this asset is unavailable.\",\"KLXVqE\":[\"stETH tokens will be migrated to Wrapped stETH using Lido Protocol wrapper which leads to supply balance change after migration: \",[\"0\"]],\"KLd6ky\":\"Use connected account\",\"KRpokz\":\"VIEW TX\",\"KSlpka\":\"This represents the threshold at which a borrow position will be considered undercollateralized and subject to liquidation for each collateral. For example, if a collateral has a liquidation threshold of 80%, it means that the position will be liquidated when the debt value is worth 80% of the collateral value.\",\"KYAjf3\":\"Isolated\",\"KZwRuD\":[[\"notifyText\"]],\"KkPgim\":\"Switching E-Mode\",\"KnN1Tu\":\"Expires\",\"KoOBI2\":\"Due to internal stETH mechanics required for rebasing support, it is not possible to perform a collateral switch where stETH is the source token.\",\"KojyJ4\":\"Wrong Network\",\"KsqhWn\":\"Staking\",\"KuBTQq\":\"Enter ETH address\",\"KvG1xW\":\"Claiming\",\"L+8Lzs\":\"Current LTV\",\"L+qiq+\":\"Market\",\"LDzfVJ\":\"Send Feedback\",\"LIrMcF\":\"No voting power\",\"LL0zks\":\"Can be collateral\",\"LLdJWu\":\"Claimable AAVE\",\"LSIpNK\":\"Borrow and repay in same block is not allowed\",\"LVt3TI\":[\"<0>Slippage tolerance <1>\",[\"selectedSlippage\"],\"% <2>\",[\"0\"],\"\"],\"LjafV8\":\"Maximum collateral amount to use\",\"LtpQew\":\"Let us know how we can make the app better for you. For user support related inquiries please reach out on\",\"LvVpD/\":\"Emode\",\"M2sknc\":\"Tip: Try increasing slippage or reduce input amount\",\"M7wPsD\":\"Switch\",\"MFu33y\":\"Staking 00\",\"MIy2RJ\":\"Maximum amount received\",\"MZ/nQf\":\"Recipient address\",\"Ma/MtY\":\"staking view\",\"McHlGl\":\"APY change\",\"MeCCA+\":\"APY, variable\",\"MghdTe\":\"If the health factor goes below 1, the liquidation of your collateral might be triggered.\",\"Mm/DVQ\":\"You cancelled the transaction.\",\"MnE2QX\":\"Borrow info\",\"MrmQHg\":\"View Bridge Transactions\",\"MuDFEQ\":\"Invalid return value of the flashloan executor function\",\"N5kUMV\":\"Asset can be only used as collateral in isolation mode with limited borrowing power. To enter isolation mode, disable all other collateral.\",\"N6Pxr9\":\"View all\",\"NF0e1Q\":\"Pending...\",\"NK9ikO\":\"Wallet Balance\",\"NMt2CB\":\"Amount claimable\",\"NcFGxG\":\"Collector Contract\",\"NfpPeS\":\"Nothing staked\",\"Nh9DAo\":[[\"m\"],\"m\"],\"O+sCUU\":\"Unbacked mint cap is exceeded\",\"O+tyU+\":[\"Maximum amount available to borrow against this asset is limited because debt ceiling is at \",[\"0\"],\"%.\"],\"O3oNi5\":\"Email\",\"OFjZGo\":\"Unstake\",\"OR8cYX\":\"Proposal overview\",\"OYuJ9K\":\"Protocol debt ceiling is at 100% for this asset. Futher borrowing against this asset is unavailable.\",\"OfhWJH\":\"Reset\",\"Og2SKn\":\"disabled\",\"On0aF2\":\"Website\",\"OsyKSt\":\"Withdraw\",\"P1dURE\":\"Revoke power\",\"P2WCD/\":[\"Underlying asset does not exist in \",[\"marketName\"],\" v3 Market, hence this position cannot be migrated.\"],\"P2sL6B\":\"When a liquidation occurs, liquidators repay up to 50% of the outstanding borrowed amount on behalf of the borrower. In return, they can buy the collateral at a discount and keep the difference (liquidation penalty) as a bonus.\",\"P6sRoL\":\"Stake ABPT\",\"P72/OW\":\"The weighted average of APY for all borrowed assets, including incentives.\",\"P7e6Ug\":\"Please connect your wallet to view transaction history.\",\"PByO0X\":\"Votes\",\"PI+kVe\":\"Disable fork\",\"PJK9u/\":\"Borrow apy\",\"PLUB/s\":\"Fee\",\"PP5ZA8\":[\"Participating in staking \",[\"symbol\"],\" gives annualized rewards. Your wallet balance is the sum of your aTokens and underlying assets. The breakdown to stake is below\"],\"PcBUgb\":\"Liquidation threshold\",\"PjU6bu\":\"This asset is eligible for SPK incentive program. Aave Labs does not guarantee the program and accepts no liability.\",\"PpqD5g\":\"Enabling this asset as collateral increases your borrowing power and Health Factor. However, it can get liquidated if your health factor drops below 1.\",\"PsOFSf\":\"This action will reduce V2 health factor below liquidation threshold. retain collateral or migrate borrow position to continue.\",\"Pu4bI/\":[[\"currentMethod\"]],\"Q0LzKi\":\"View TX\",\"Q4eNqa\":\"The Aave Balancer Pool Token (ABPT) is a liquidity pool token. You can receive ABPT by depositing a combination of AAVE + wstETH in the Balancer liquidity pool. You can then stake your BPT in the Safety Module to secure the protocol and earn Safety Incentives.\",\"QQYsQ7\":\"Withdrawing\",\"QWYCs/\":\"Stake GHO\",\"R+30X3\":\"Not reached\",\"RCU5PY\":\"Age\",\"RIfckG\":[\"Disable \",[\"symbol\"],\" as collateral\"],\"RMtxNk\":\"Differential\",\"RNK49r\":\"Invalid signature\",\"RS0o7b\":\"State\",\"RU+LqV\":\"Proposal details\",\"RbXH+k\":\"AAVE, GHO, and ABPT holders (Ethereum network only) can stake their assets in the Safety Module to add more security to the protocol and earn Safety Incentives. In the case of a shortfall event, your stake can be slashed to cover the deficit, providing an additional layer of protection for the protocol.\",\"RiSYV4\":\"Asset is not listed\",\"Rj01Fz\":\"Links\",\"RmWFEe\":\"Staking APR\",\"RoafuO\":\"Send feedback\",\"RtBLm7\":\"Health factor is lesser than the liquidation threshold\",\"RxzN1M\":\"Enabled\",\"SDav7h\":\"Funds in the Safety Module\",\"SENccp\":\"If the error continues to happen,<0/> you may report it to this\",\"SIWumd\":\"Show Frozen or paused assets\",\"SM58dD\":\"Amount in cooldown\",\"SSMiac\":\"Failed to load proposal voters. Please refresh the page.\",\"SSQVIz\":\"Liquidation Threshold\",\"SUb8x0\":\"Total available\",\"SWIgh4\":\"Fees exceed wallet balance\",\"SY9hVo\":\"Read-only mode allows to see address positions in Aave, but you won't be able to perform transactions.\",\"SZRUQ4\":\"Max slippage\",\"Sa1UE/\":\"Protocol borrow cap is at 100% for this asset. Further borrowing unavailable.\",\"Sk2zW9\":\"Disabling E-Mode\",\"SxaD0o\":\"Pool addresses provider is not registered\",\"T/AIqG\":\"Protocol supply cap at 100% for this asset. Further supply unavailable.\",\"T0xCO9\":\"Can't validate the wallet address. Try again.\",\"T4OhVl\":\"GHO balance\",\"T6uYU2\":\"Borrow\",\"TFxQlw\":\"Liquidation penalty\",\"TQ7WsV\":\"Available to stake\",\"TUI7iB\":\"Asset can only be used as collateral in isolation mode only.\",\"TbjyhA\":\"Docs\",\"TduuS0\":\"User does not have outstanding stable rate debt on this reserve\",\"TeCFg/\":\"Borrow rate change\",\"Tg1JyO\":\"Bridge history\",\"TskbEN\":\"Holders of stkAAVE receive a discount on the GHO borrowing rate\",\"TszKts\":\"Borrow balance after switch\",\"TtZL6q\":\"Discount model parameters\",\"TwJI9F\":\"Asset has been successfully sent to CCIP contract. You can check the status of the transactions below\",\"Tz0GSZ\":\"blocked activities\",\"U/eBjN\":\"Reload the page\",\"U2r8nY\":\"Choose how much voting/proposition power to give to someone else by delegating some of your AAVE, stkAAVE or aAave balance. Your tokens will remain in your account, but your delegate will be able to vote or propose on your behalf. If your AAVE, stkAAVE or aAave balance changes, your delegate's voting/proposition power will be automatically adjusted.\",\"U8IubP\":\"The app is running in testnet mode. Learn how it works in\",\"U9btTk\":\"Asset is not borrowable in isolation mode\",\"UAOZRe\":\"Price impact is the spread between the total value of the entry tokens switched and the destination tokens obtained (in USD), which results from the limited liquidity of the trading pair.\",\"UE3KJZ\":\"Transaction history is not currently available for this market\",\"URmyfc\":\"Details\",\"UTTKmT\":\"Stake cooldown activated\",\"UXeR72\":\"These funds have been borrowed and are not available for withdrawal at this time.\",\"UYb8CM\":\"Learn more about the SPK rewards\",\"UbRrG0\":\"The Maximum LTV ratio represents the maximum borrowing power of a specific collateral. For example, if a collateral has an LTV of 75%, the user can borrow up to 0.75 worth of ETH in the principal currency for every 1 ETH worth of collateral.\",\"UpndFj\":\"No rewards to claim\",\"V0f2Xv\":\"Reserve factor\",\"V1HK43\":\"Migration risks\",\"VATFH9\":\"Covered debt\",\"VHOVEJ\":\"Connect wallet\",\"VMfYUK\":\"Safety of your deposited collateral against the borrowed assets and its underlying value.\",\"VOAZJh\":\"Total borrows\",\"ViKYxK\":\"YAE\",\"W1SSoD\":\"Review tx details\",\"W5hVah\":\"Nothing supplied yet\",\"W5kTFy\":\"Voting\",\"W8ekPc\":\"Back to Dashboard\",\"WMPbRK\":\"Unbacked\",\"WNGZwH\":\"E-Mode increases your LTV for a selected category of assets up to<0/>. <1>Learn more\",\"WPWG/y\":\"Reserve status & configuration\",\"WZLQSU\":\"User cannot withdraw more than the available balance\",\"WaZyaV\":\"<0>Ampleforth is a rebasing asset. Visit the <1>documentation to learn more.\",\"WfU+XN\":\"Because this asset is paused, no actions can be taken until further notice\",\"Wjmqs2\":\"No results found. You can import a custom token with a contract address\",\"WkZ6C6\":\"To borrow you need to supply any asset to be used as collateral.\",\"WyMiQm\":\"You've successfully switched tokens.\",\"X/ITG9\":\"Copy error text\",\"X3Pp6x\":\"Used as collateral\",\"X4Zt7j\":\"Action cannot be performed because the reserve is paused\",\"XBdKOj\":\"Representative smart contract wallet (ie. Safe) addresses on other chains.\",\"XZzneG\":\"You will exit isolation mode and other tokens can now be used as collateral\",\"Xg5y9S\":\"Amount to Bridge\",\"Xn4hUi\":\"Please always be aware of your <0>Health Factor (HF) when partially migrating a position and that your rates will be updated to V3 rates.\",\"Xy71ST\":\"Umbrella\",\"Y5kGkc\":\"VOTE NAY\",\"YDIOks\":\"Enabling E-Mode\",\"YSodyW\":\"This action will reduce your health factor. Please be mindful of the increased risk of collateral liquidation.\",\"YXOWXM\":\"The total amount bridged minus CCIP fees. Paying in network token does not impact gho amount.\",\"YirHq7\":\"Feedback\",\"YogbCJ\":\"Testnet mode is ON\",\"YrDxdO\":\"If your loan to value goes above the liquidation threshold your collateral supplied may be liquidated.\",\"YyIM65\":\"Interest rate rebalance conditions were not met\",\"YyydIq\":[\"Add \",[\"0\"],\" to wallet to track your balance.\"],\"ZBvhI+\":\"Aave Governance\",\"ZIIRAd\":\"Raw-Ipfs\",\"ZRq4tX\":\"Efficiency mode (E-Mode)\",\"ZSqEW+\":\"Manage E-Mode\",\"ZUFYFE\":\"Disable testnet\",\"Zbyywy\":\"Max slashing\",\"ZfUGFb\":\"Before supplying\",\"ZiXN+B\":\"Assets to stake\",\"ZlsSDH\":\"Liquidation value\",\"ZrEc8j\":\"We couldn't find any assets related to your search. Try again with a different asset name, symbol, or address.\",\"ZsLF7e\":\"enabled\",\"a0YQoQ\":\"Enter a valid address\",\"a2fBZn\":\"Time left to unstake\",\"a5RYZd\":\"Disabling this asset as collateral affects your borrowing power and Health Factor.\",\"a7u1N9\":\"Price\",\"a9D+6D\":\"Unstaked\",\"aEtiwq\":\"Vote NAY\",\"aMmFE1\":\"Buy Crypto With Fiat\",\"aOKIms\":\"Array parameters that should be equal length are not\",\"aX31hk\":\"Your balance is lower than the selected amount.\",\"adUsDd\":\"An error has occurred fetching the proposal.\",\"al6Pyz\":\"Exceeds the discount\",\"aoXTT7\":\"Borrow APY, variable\",\"aqX1Yp\":\"This asset is eligible for rewards through SuperFest. Aave Labs does not guarantee the program and accepts no liability.\",\"avgETN\":\"Eligible for the Merit program.\",\"b4NS3e\":\"Cooldown period warning\",\"bBHmeP\":\"Available to withdraw\",\"bNEQeI\":\"Cooldown\",\"bSruit\":\"ZKSync Ignite Program rewards are claimed through the\",\"bUUVED\":\"Asset\",\"bXQ/Og\":\"Share on twitter\",\"bXr0ee\":\"Isolated assets have limited borrowing power and other assets cannot be used as collateral.\",\"bYmAV1\":\"Addresses\",\"bguKoJ\":\"The requested amount is greater than the max loan size in stable rate mode\",\"bwSQI0\":\"Supply\",\"bxN6EM\":\"Cannot disable E-Mode\",\"bxmzSh\":\"Not enough collateral to repay this amount of debt with\",\"c91vuQ\":\"Address is not a contract\",\"c97os2\":\"Aave aToken\",\"c9b44w\":\"You can not withdraw this amount because it will cause collateral call\",\"cBc+4A\":\"This is the total amount available for you to borrow. You can borrow based on your collateral and until the borrow cap is reached.\",\"cIl5kp\":\"Your voting power is based on your AAVE/stkAAVE balance and received delegations.\",\"cLo09S\":\"Risk details\",\"cNT+ij\":\"Borrowing is unavailable because you’ve enabled Efficiency Mode (E-Mode) and Isolation mode. To manage E-Mode and Isolation mode visit your <0>Dashboard.\",\"cZOeBk\":\"Something went wrong fetching bridge message, please try again later.\",\"ceix5S\":\"To submit a proposal for minor changes to the protocol, you'll need at least 80.00K power. If you want to change the core code base, you'll need 320k power.<0>Learn more.\",\"ciSsYT\":\"Staking APY\",\"ciybUa\":\"Vote YAE\",\"ckf7gX\":[\"Repaying \",[\"symbol\"]],\"cp1ZDP\":[\"Bridge \",[\"symbol\"]],\"cqnmnD\":\"Effective interest rate\",\"cqwIvs\":\"Forum discussion\",\"csDS2L\":\"Available\",\"cu7Stb\":\"You did not participate in this proposal\",\"dE6BLF\":\"Governance\",\"dEgA5A\":\"Cancel\",\"dIsyWh\":\"Ltv validation failed\",\"dMtLDE\":\"to\",\"dOB5nW\":[\"Maximum amount available to supply is <0/> \",[\"0\"],\" (<1/>).\"],\"dVfODp\":\"You don’t have enough funds in your wallet to repay the full amount. If you proceed to repay with your current amount of funds, you will still have a small borrowing position in your dashboard.\",\"dXUQFX\":\"Assets to borrow\",\"dgr1aY\":\"Borrowing is disabled due to an Aave community decision. <0>More details\",\"djsg0o\":\"Collateral usage\",\"dpc0qG\":\"Variable\",\"drdV8R\":\"Liquidation\",\"dxW8cS\":\"Aave debt token\",\"e4V3oW\":\"Top 10 addresses\",\"eD8WX/\":\"Action requires an active reserve\",\"eJRJ04\":\"Amount to unstake\",\"eLh0cL\":\"Slippage is the difference between the quoted and received amounts from changing market conditions between the moment the transaction is submitted and its verification.\",\"ePK91l\":\"Edit\",\"eVpCmf\":\"Staking Rewards\",\"eVqvtf\":\"Bridge GHO\",\"eYdurp\":\"No transactions yet.\",\"ebLGGN\":\"Total borrowed\",\"ecqEvn\":\"The collateral balance is 0\",\"efdrrk\":\"Available on\",\"enruNF\":\"starts\",\"eqLYiD\":\"Unstake now\",\"euScGB\":\"APY with discount applied\",\"evw5ha\":\"Net worth\",\"ezcU16\":\"Get ABP Token\",\"f3W0Ej\":[\"You switched to \",[\"0\"],\" rate\"],\"fH9i8k\":\"You've successfully switched borrow position.\",\"fHcELk\":\"Net APR\",\"fMJQZK\":\"Borrowed\",\"fZ5Vnu\":\"Received\",\"firl9Q\":\"Your current loan to value based on your collateral supplied.\",\"flRCF/\":\"Staking discount\",\"fldjW9\":\"Preview tx and migrate\",\"fsBGk0\":\"Balance\",\"fu1Dbh\":[\"Withdraw \",[\"symbol\"]],\"fwjWSI\":\"Supplied\",\"fwyTMb\":\"Migrate to stkABPT v2\",\"g0mals\":\"You can not disable E-Mode because that could cause liquidation. To exit E-Mode supply or repay borrowed positions.\",\"g2UNkE\":\"Powered by\",\"g8KGoA\":\"FAQS\",\"g9zzqS\":\"Voted NAY\",\"gDd2gk\":\"about SuperFest.\",\"gFFh9h\":\"All done!\",\"gIMJlW\":\"Testnet mode\",\"gOzPxe\":\"This asset is frozen due to an Aave Protocol Governance decision. <0>More details\",\"gTHi2T\":\"User is trying to borrow multiple assets including a siloed one\",\"gVW59Y\":\"Please connect your wallet to get free testnet assets.\",\"gcFNxP\":\"Approve Confirmed\",\"gncRUO\":\"This address is blocked on app.aave.com because it is associated with one or more\",\"goff7V\":\"Zero address not valid\",\"gp+f1B\":\"Version 3\",\"gr8mYw\":\"You may borrow up to <0/> GHO at <1/> (max discount)\",\"gvTM4B\":\"Net APY is the combined effect of all supply and borrow positions on net worth, including incentives. It is possible to have a negative net APY if debt APY is higher than supply APY.\",\"gzcch9\":\"Invalid bridge protocol fee\",\"h33MxW\":\"Representing smart contract wallet (ie. Safe) addresses on other chains.\",\"h3ilK+\":\".CSV\",\"hB23LY\":\"Activate Cooldown\",\"hIJzBh\":\"Available to Claim\",\"hIS4N0\":\"Net APY\",\"hRWvpI\":\"Claimed\",\"hdmy/o\":\"The % of your total borrowing power used. This is based on the amount of your collateral supplied and the total amount that you can borrow.\",\"hehnjM\":\"Amount\",\"hjDCQr\":\"There was some error. Please try changing the parameters or <0><1>copy the error\",\"hom7qf\":\"Claim\",\"hpHJ4I\":\"Liquidated collateral\",\"hpuVIp\":\"Users who stake AAVE in Safety Module (i.e. stkAAVE holders) receive a discount on GHO borrow interest rate.\",\"huQ6Tz\":[\"Borrowing \",[\"symbol\"]],\"hxi7vE\":\"Borrow balance\",\"i/fZ2Z\":\"Staked Balance\",\"i2JTiw\":\"You may enter a custom amount in the field.\",\"iB5+/J\":\"About GHO\",\"iChbOF\":\"Inconsistent flashloan parameters\",\"iEPVHF\":\"Not enough voting power to participate in this proposal\",\"iEW87X\":\"Delegated power\",\"iEju36\":[\"You voted \",[\"0\"]],\"iFq2YN\":\"Borrowable\",\"iGxyIA\":\"Safety Module\",\"iMVZk9\":\"Select slippage tolerance\",\"iPMIoT\":\"Enter an amount\",\"iSLIjg\":\"Connect\",\"iUo5rv\":\"tokens is not the same as staking them. If you wish to stake your\",\"iZxa38\":\"Use it to vote for or against active proposals.\",\"if5PH+\":\"Collector Info\",\"igkfR1\":[\"In Isolation mode, you cannot supply other assets as collateral. A global debt ceiling limits the borrowing power of the isolated asset. To exit isolation mode disable \",[\"0\"],\" as collateral before borrowing another asset. Read more in our <0>FAQ\"],\"il0sEG\":\"Collateral usage is limited because of Isolation mode.\",\"j+K1Xj\":\"Amount After Fee\",\"jA2QeW\":\"Supplying your\",\"jFi7dz\":\"Interest rate that is determined by Aave Governance. This rate may be changed over time depending on the need for the GHO supply to contract/expand. <0>Learn more\",\"jG3UJ7\":\"Disable E-Mode\",\"jKYzR1\":\"Enable E-Mode\",\"jMam5g\":[[\"0\"],\" Balance\"],\"jSYv+Z\":\"Enabling E-Mode allows you to maximize your borrowing power, however, borrowing is restricted to assets within the selected category. <0>Learn more about how it works and the applied restrictions.\",\"jaKbwW\":[[\"s\"],\"s\"],\"jbFMap\":\"Cooldown time left\",\"jeMZNr\":[[\"0\"],\" on-ramp service is provided by External Provider and by selecting you agree to Terms of the Provider. Your access to the service might be reliant on the External Provider being operational.\"],\"jfl9OP\":\"Migrated\",\"jmXdoY\":\"In E-Mode some assets are not borrowable. Exit E-Mode to get access to all assets\",\"jpctdh\":\"View\",\"jqzUyM\":\"Unavailable\",\"k/sb6z\":\"Select language\",\"k3wP3f\":\"<0>Attention: Parameter changes via governance can alter your account health factor and risk of liquidation. Follow the <1>Aave governance forum for updates.\",\"kACpF3\":[\"Claim \",[\"0\"]],\"kH6wUX\":\"Price impact\",\"kIC28N\":\"Available to claim\",\"kIpSye\":[[\"numSelected\"],\"/\",[\"numAvailable\"],\" assets selected\"],\"kN1Yg5\":\"To repay on behalf of a user an explicit amount to repay is needed\",\"kRTD40\":[\"Repayment amount to reach \",[\"0\"],\"% utilization\"],\"kjN9tT\":\"Supply cap is exceeded\",\"knxE+G\":\".JSON\",\"ks2LWT\":\"Debt ceiling is not zero\",\"kwwn6i\":\"Users who stake AAVE in Safety Module (i.e. stkAAVE holders) receive a discount on GHO borrow interest rate. The discount applies to 100 GHO for every 1 stkAAVE held. Use the calculator below to see GHO borrow rate with the discount applied.\",\"kz3wtK\":\"and about SPK program\",\"kzZyM4\":\"DAI balance will be converted via DSR contracts and then supplied as sDAI. Switching incurs no additional costs and no slippage.\",\"lNVG7i\":\"Select an asset\",\"lU2d1/\":[\"Asset cannot be migrated due to insufficient liquidity or borrow cap limitation in \",[\"marketName\"],\" v3 market.\"],\"lVhKKI\":\"Voted YAE\",\"lWLqxB\":\"We couldn't find any transactions related to your search. Try again with a different asset name, or reset filters.\",\"lYGfRP\":\"English\",\"lfEjIE\":\"Learn more in our <0>FAQ guide\",\"lt6bpt\":\"Collateral to repay with\",\"m/IEhi\":\"Total emission per day\",\"m7r7Hh\":\"Selected borrow assets\",\"mDDK4p\":\"Balancer Pool\",\"mIM0qu\":\"Expected amount to repay\",\"mUAFd6\":\"Version 2\",\"masO5Z\":\"E-Mode increases your LTV for a selected category of assets. <0>Learn more\",\"mdNjKU\":[\"Your \",[\"name\"],\" wallet is empty. Purchase or transfer assets or use <0>\",[\"0\"],\" to transfer your \",[\"network\"],\" assets.\"],\"muiOng\":[\"Buy \",[\"cryptoSymbol\"],\" with Fiat\"],\"mvCXBY\":\"Stake AAVE\",\"mwdzil\":\"Ok, Close\",\"mzI/c+\":\"Download\",\"mzdIia\":\"Asset cannot be used as collateral.\",\"n+SX4g\":\"Developers\",\"n8Psk4\":\"We couldn’t detect a wallet. Connect a wallet to stake and view your balance.\",\"nJIhzm\":\"Supply apy\",\"nJgsQu\":\"With a voting power of <0/>\",\"nLC6tu\":\"French\",\"nN2T8p\":\"During the cooldown period, you will not earn any merit rewards. However, rewards earned up to this point will remain unaffected.\",\"nNHV0z\":\"Migrating multiple collaterals and borrowed assets at the same time can be an expensive operation and might fail in certain situations.<0>Therefore it’s not recommended to migrate positions with more than 5 assets (deposited + borrowed) at the same time.\",\"nNbnzu\":\"Proposition\",\"nOy4ob\":\"We suggest you go back to the Dashboard.\",\"nPGNMh\":\"Can be executed\",\"nUK1ou\":[\"Assets with zero LTV (\",[\"0\"],\") must be withdrawn or disabled as collateral to perform this action\"],\"nakd8r\":\"stkAAVE holders get a discount on GHO borrow rate\",\"nh2EJK\":[\"Please switch to \",[\"networkName\"],\".\"],\"njBeMm\":\"Both\",\"noN5Xf\":\"We couldn’t detect a wallet. Connect a wallet to view your staking positions and rewards.\",\"ntkAoE\":\"Discount applied for <0/> staking AAVE\",\"ntyFSE\":[[\"h\"],\"h\"],\"nwtY4N\":\"Something went wrong\",\"nxyWvj\":\"Withdrawing this amount will reduce your health factor and increase risk of liquidation.\",\"o17QVP\":\"Your health factor and loan to value determine the assurance of your collateral. To avoid liquidations you can supply more collateral or repay borrow positions.\",\"o1xc2V\":\"AToken supply is not zero\",\"o4tCu3\":\"Borrow APY\",\"o5ooMr\":\"Debt\",\"o7J4JM\":\"Filter\",\"oHFrpj\":\"Cooldown to unstake\",\"oJ5ZiG\":\"User does not have outstanding variable rate debt on this reserve\",\"oRBGin\":\"Please connect your wallet to be able to switch your tokens.\",\"oUwXhx\":\"Test Assets\",\"oWklJD\":\"Stable interest rate will <0>stay the same for the duration of your loan. Recommended for long-term loan periods and for users who prefer predictability.\",\"odnIK3\":\"Time remaining until the 48 hour withdraw period starts.\",\"oiK5nY\":\"The current incentives period, decided on by the Aave community, has ended. Governance is in the process on renewing, check for updates. <0>Learn more.\",\"olREoo\":\"All borrow positions outside of this category must be closed to enable this category.\",\"om/XHs\":\"Available to supply\",\"ov0+mq\":\"Eligible for the ZKSync Ignite program.\",\"ovT1pF\":[\"Per the community, the \",[\"market\"],\" has been frozen.\"],\"ow3fug\":\"Nothing found\",\"owSsI3\":\"Signatures ready\",\"p+R52m\":\"Go to Balancer Pool\",\"p2A+s1\":[\"The cooldown period is \",[\"0\"],\". After \",[\"1\"],\" of cooldown, you will enter unstake window of \",[\"2\"],\". You will continue receiving rewards during cooldown and unstake window.\"],\"p2S64u\":\"The loan to value of the migrated positions would cause liquidation. Increase migrated collateral or reduce migrated borrow to continue.\",\"p2Z2Qi\":\"This asset has reached its borrow cap. Nothing is available to be borrowed from this market.\",\"p3j+mb\":\"Your reward balance is 0\",\"p45alK\":\"Set up delegation\",\"p6u2s1\":\"Minimum amount of debt to be repaid\",\"pDgeaz\":[[\"title\"]],\"pdZqBk\":\"The underlying balance needs to be greater than 0\",\"pgWG9H\":\"Not enough staked balance\",\"piPrJ7\":\"please check that the amount you want to supply is not currently being used for staking. If it is being used for staking, your transaction might fail.\",\"pjO/iH\":\"Minimum amount received\",\"pooutM\":\"Voting is on\",\"pqaM5s\":\"Confirming transaction\",\"ptaxX3\":[\"I understand how cooldown (\",[\"0\"],\") and unstaking (\",[\"1\"],\") work\"],\"py2iiY\":\"The caller of this function must be a pool\",\"q/51mF\":\"Migrate to V3\",\"q3df11\":\"Interest rate strategy\",\"q6lAbz\":\"Staked\",\"qB4kPi\":\"Supply APY\",\"qENI8q\":\"Global settings\",\"qGz5zl\":\"Collateral balance after repay\",\"qIW9ZH\":\"Amount staked\",\"qOqbD6\":\"copy the error\",\"qXCkEM\":\"Please connect your wallet to see your supplies, borrowings, and open positions.\",\"qY2jnw\":\"Invalid expiration\",\"qf/fr+\":\"Interest accrued\",\"qhhf9L\":\"Rewards available to claim\",\"quYPUU\":\"Variable interest rate will <0>fluctuate based on the market conditions.\",\"quzIeW\":\"User is in isolation mode or LTV is zero\",\"qvnz3q\":\"Invalid amount to burn\",\"rHgdb0\":\"Migrate to Aave V3\",\"rOrHHe\":\"Amount must be greater than 0\",\"rQ+R+0\":\"Selected supply assets\",\"rSayea\":\"APY\",\"rTBDeu\":[\"Asset cannot be migrated because you have isolated collateral in \",[\"marketName\"],\" v3 Market which limits borrowable assets. You can manage your collateral in <0>\",[\"marketName\"],\" V3 Dashboard\"],\"rcT+yy\":\"Show assets with 0 balance\",\"rf8POi\":\"Borrowed asset amount\",\"riNWOA\":\"E-Mode\",\"rjGI/Q\":\"Privacy\",\"rnKPW1\":\"Watch a wallet balance in read-only mode\",\"ruc7X+\":\"Add stkAAVE to see borrow APY with the discount\",\"rvbaFU\":[\"Bridging \",[\"symbol\"]],\"rwVVB7\":\"Claim all rewards\",\"rwyUva\":\"These assets are temporarily frozen or paused by Aave community decisions, meaning that further supply / borrow, or rate swap of these assets are unavailable. Withdrawals and debt repayments are allowed. Follow the <0>Aave governance forum for further updates.\",\"rxJW5W\":\"Your proposition power is based on your AAVE/stkAAVE balance and received delegations.\",\"s2jJnW\":\"You don't have any bridge transactions\",\"s5wBAq\":[\"Unstake \",[\"symbol\"]],\"sJbIdI\":\"Enter ETH address or ENS\",\"sK+Nag\":\"Review tx\",\"sP2+gB\":\"NAY\",\"sQv06Y\":\"for\",\"sTtO6J\":\"Confirm transaction\",\"sXKb3l\":\"Exchange rate\",\"sb0q4+\":\"You unstake here\",\"smJNwH\":\"Available to borrow\",\"solypO\":\"Health factor is not below the threshold\",\"sr0UJD\":\"Go Back\",\"ss5GCK\":\"The address of the pool addresses provider is invalid\",\"swEgK4\":\"Your voting info\",\"t+wtgf\":\"Nothing borrowed yet\",\"t/YqKh\":\"Remove\",\"t81DpC\":[\"Approve \",[\"symbol\"],\" to continue\"],\"tCnbEs\":\"Oracle price\",\"tFZLf8\":\"This gas calculation is only an estimation. Your wallet will set the price of the transaction. You can modify the gas settings directly from your wallet provider.\",\"tHuvQI\":\"Go to V3 Dashboard\",\"tKv7cI\":\"Switch borrow position\",\"tOcg3N\":\"Since this asset is frozen, the only available actions are withdraw and repay which can be accessed from the <0>Dashboard\",\"tOuXfv\":[\"Borrow amount to reach \",[\"0\"],\"% utilization\"],\"te9Bfl\":\"Please, connect your wallet\",\"tt5yma\":\"Your supplies\",\"ttoh5c\":\"Switch to\",\"u3ZeYl\":\"Transaction failed\",\"u706uF\":\"Invalid flashloan premium\",\"u8Gfu7\":[\"No search results\",[\"0\"]],\"uAQUqI\":\"Status\",\"uHMwk8\":\"No assets selected to migrate.\",\"uJPHuY\":\"Migrating\",\"uY8O30\":\"To continue, you need to grant Aave smart contracts permission to move your funds from your wallet. Depending on the asset and wallet you use, it is done by signing the permission message (gas free), or by submitting an approval transaction (requires gas). <0>Learn more\",\"udFheE\":\"For repayment of a specific type of debt, the user needs to have debt that type\",\"ulNuNq\":\"Export data to\",\"ulup2p\":\"Buy Crypto with Fiat\",\"umICAY\":\"<0><1><2/>Add stkAAVE to see borrow rate with discount\",\"usB84Z\":\"Maximum amount available to borrow is limited because protocol borrow cap is nearly reached.\",\"uwAUvj\":\"COPY IMAGE\",\"v8x7Mg\":\"Insufficient collateral to cover new borrow position. Wallet must have borrowing power remaining to perform debt switch.\",\"vEqxH9\":\"Restaked\",\"vLyv1R\":\"Hide\",\"vMba49\":\"Borrowing is not enabled\",\"vMpNwt\":\"Approve with\",\"vXIe7J\":\"Language\",\"vesuBJ\":\"Allows you to decide whether to use a supplied asset as collateral. An asset used as collateral will affect your borrowing power and health factor.\",\"w+V9Cx\":\"Stablecoin\",\"w/JtJ3\":\"Stable debt supply is not zero\",\"w4VBY+\":\"Rewards APR\",\"w9dLMW\":[[\"label\"]],\"wAOL+X\":[\"You \",[\"action\"],\" <0/> \",[\"symbol\"]],\"wBIsjb\":\"Discord channel\",\"wQZbc/\":\"The caller of the function is not an AToken\",\"wRRqvW\":\"You do not have supplies in this currency\",\"wZFvVU\":\"VOTE YAE\",\"wb/r1O\":[\"Faucet \",[\"0\"]],\"wdxz7K\":\"Source\",\"weH1nG\":\"The Aave Protocol is programmed to always use the price of 1 GHO = $1. This is different from using market pricing via oracles for other crypto assets. This creates stabilizing arbitrage opportunities when the price of GHO fluctuates.\",\"wh7Ezv\":\"You have no AAVE/stkAAVE/aAave balance to delegate.\",\"wlsIx7\":\"With testnet Faucet you can get free assets to test the Aave Protocol. Make sure to switch your wallet provider to the appropriate testnet network, select desired asset, and click ‘Faucet’ to get tokens transferred to your wallet. The assets on a testnet are not “real,” meaning they have no monetary value. <0>Learn more\",\"wmE285\":\"Get ABP v2 Token\",\"wyRrcJ\":\"As a result of governance decisions, this ABPT staking pool is now deprecated. You have the flexibility to either migrate all of your tokens to v2 or unstake them without any cooldown period.\",\"x5KiLL\":\"Selected assets have successfully migrated. Visit the Market Dashboard to see them.\",\"x7F2p6\":\"Current differential\",\"x7K5ib\":[\"Your \",[\"networkName\"],\" wallet is empty. Get free test \",[\"0\"],\" at\"],\"x9iLRD\":\"tokens, please go to the\",\"xNy/UG\":\"Repay with\",\"xPm8wv\":\"Learn more about risks involved\",\"xXYpZl\":[[\"0\"],\" Faucet\"],\"xaVBSS\":\"Your info\",\"xaWZ6f\":\"APY type change\",\"xh6k71\":\"Collateral usage is limited because of isolation mode.\",\"xvIklc\":\"Flashloan is disabled for this asset, hence this position cannot be migrated.\",\"y5rS9U\":\"Migrate\",\"y66tBm\":[\"Enable \",[\"symbol\"],\" as collateral\"],\"yB1YpA\":\"Dark mode\",\"yCrG6m\":\"Total market size\",\"yJUUbn\":\"Transaction overview\",\"yLGmLX\":[\"Restake \",[\"symbol\"]],\"yW1oWB\":\"APY type\",\"yYHqJe\":\"Not a valid address\",\"yZwLw6\":\"Track wallet\",\"yh2sjd\":[\"Price impact \",[\"0\"],\"%\"],\"yhvj6d\":\"You can not switch usage as collateral mode for this currency, because it will cause collateral call\",\"ylmtBZ\":\"The app is running in fork mode.\",\"ymNY32\":[\"There are not enough funds in the\",[\"0\"],\"reserve to borrow\"],\"yz7wBu\":\"Close\",\"z4uGQg\":\"Debt ceiling is exceeded\",\"z5UQOM\":\"The collateral chosen cannot be liquidated\",\"z5Y+p6\":[\"Supplying \",[\"symbol\"]],\"zCjNKs\":\"Action cannot be performed because the reserve is frozen\",\"zRHytX\":\"Isolated Debt Ceiling\",\"zTOjMP\":\"Protocol supply cap is at 100% for this asset. Further supply unavailable.\",\"zVdRUG\":\"Submission did not work, please try again later or contact wecare@avara.xyz\",\"zevmS2\":\"<0><1><2/>Add <3/> stkAAVE to borrow at <4/> (max discount)\",\"zgtIDV\":\"Remaining debt\",\"zmTPiV\":\"Supply balance\",\"zpPbZl\":\"Liquidation risk parameters\",\"zucql+\":\"Menu\",\"zwWKhA\":\"Learn more\",\"zy9fXn\":[\"Asset is frozen in \",[\"marketName\"],\" v3 market, hence this position cannot be migrated.\"],\"zys+R6\":\"Be mindful of the network congestion and gas prices.\",\"zzzTXS\":\"Merit Program rewards are claimed through the\"}")}; \ No newline at end of file +/*eslint-disable*/module.exports={messages:JSON.parse("{\"+0xecS\":[\"If you DO NOT unstake within \",[\"0\"],\" of unstake window, you will need to activate cooldown process again.\"],\"+EGVI0\":\"Receive (est.)\",\"+VR63W\":[\"Participating in this \",[\"symbol\"],\" reserve gives annualized rewards.\"],\"+bmKdK\":\"Use your AAVE, stkAAVE, or aAave balance to delegate your voting and proposition powers. You will not be sending any tokens, only the rights to vote and propose changes to the protocol. You can re-delegate or revoke power to self at any time.\",\"+eOPG+\":\"Seems like we can't switch the network automatically. Please check if you can change it from the wallet.\",\"+i3Pd2\":\"Borrow cap\",\"+kLZGu\":\"Supplied asset amount\",\"+nuEh/\":\"Estimated time\",\"+xMFF8\":\"Remind me\",\"/57U31\":\"Amount to migrate\",\"/7ykiW\":\"Borrowing this amount will reduce your health factor and increase risk of liquidation.\",\"/YA5pU\":\"E-Mode increases your LTV for a selected category of assets, meaning that when E-mode is enabled, you will have higher borrowing power over assets of the same E-mode category which are defined by Aave Governance. You can enter E-Mode from your <0>Dashboard. To learn more about E-Mode and applied restrictionn, see the <1>help guide or the <2>Aave V3 Technical Paper.\",\"/izjs/\":\"Minimum staked Aave amount\",\"/jQctM\":\"To\",\"/lDBHm\":\"FAQ\",\"/yNlZf\":\"Stable borrowing is not enabled\",\"/yQcJM\":\"Total worth\",\"00AB2i\":\"User did not borrow the specified currency\",\"00OflG\":\"There is not enough liquidity for the target asset to perform the switch. Try lowering the amount.\",\"08/rZ9\":\"The cooldown period is the time required prior to unstaking your tokens (20 days). You can only withdraw your assets from the Security Module after the cooldown period and within the unstake window.<0>Learn more\",\"0AmQcW\":\"Rate change\",\"0BF3yK\":\"Sorry, we couldn't find the page you were looking for.\",\"0TAbjq\":\"Recent Transactions\",\"0jhlyw\":\"Liquidation risk\",\"0ojY+Y\":\"Current v2 Balance\",\"0thX3P\":\"Collateral change\",\"0wGCWc\":\"This is the total amount that you are able to supply to in this reserve. You are able to supply your wallet balance up until the supply cap is reached.\",\"1AsVfF\":\"Price data is not currently available for this reserve on the protocol subgraph\",\"1LjK22\":\"Transaction history\",\"1Onqx8\":[\"Approving \",[\"symbol\"],\"...\"],\"1Ue8sX\":\"Please connect a wallet to view your personal information here.\",\"1YH41K\":[\"After the cooldown period ends, you will enter the unstake window of \",[\"0\"],\". You will continue receiving rewards during cooldown and the unstake period.\"],\"1bpx9A\":\"...\",\"1kWUB+\":\"Liquidation <0/> threshold\",\"1m9Qqc\":\"Withdrawing and Switching\",\"1oyh4g\":\"Borrow rate\",\"1t7rez\":\"Asset supply is limited to a certain amount to reduce protocol exposure to the asset and to help manage risks involved.\",\"2CAPu2\":\"You've successfully withdrew & switched tokens.\",\"2Eoi/a\":\"View details\",\"2FYpfJ\":\"More\",\"2O3qp5\":\"Available liquidity\",\"2OM8/D\":[\"Asset cannot be migrated due to supply cap restriction in \",[\"marketName\"],\" v3 market.\"],\"2Q4GU4\":\"Blocked Address\",\"2ZGocC\":\"Aave is a fully decentralized, community governed protocol by the AAVE token-holders. AAVE token-holders collectively discuss, propose, and vote on upgrades to the protocol. AAVE token-holders (Ethereum network only) can either vote themselves on new proposals or delagate to an address of choice. To learn more check out the Governance\",\"2a6G7d\":\"Please enter a valid wallet address.\",\"2bAhR7\":\"Meet GHO\",\"2eBWE6\":\"I acknowledge the risks involved.\",\"2o/xRt\":\"Supply cap on target reserve reached. Try lowering the amount.\",\"2uJToh\":[[\"0\"],[\"name\"]],\"2x58bP\":\"Stable borrowing is enabled\",\"34Qfwy\":\"Borrow cap is exceeded\",\"39eQRj\":[\"Borrow \",[\"symbol\"]],\"3BL1xB\":\"Total supplied\",\"3BnIWi\":\"Switched\",\"3K0oMo\":\"Remaining supply\",\"3MoZhl\":\"There is not enough collateral to cover a new borrow\",\"3Np5O8\":[\"Supply \",[\"symbol\"]],\"3O8YTV\":\"Total interest accrued\",\"3mXg0z\":\"Max LTV\",\"3q3mFy\":\"Repay\",\"3qsjtp\":\"The weighted average of APY for all supplied assets, including incentives.\",\"3rL+os\":\"You can only withdraw your assets from the Security Module after the cooldown period ends and the unstake window is active.\",\"42UgDM\":[\"Migrate to \",[\"0\"],\" v3 Market\"],\"49UFQA\":\"Voting results\",\"4DMZUI\":\"View Transactions\",\"4HtGBb\":\"MAX\",\"4Y5H+g\":\"Terms\",\"4YYh4d\":\"Maximum available to borrow\",\"4iPAI3\":\"Minimum GHO borrow amount\",\"4lDFps\":\"Sign to continue\",\"4wyw8H\":\"Transactions\",\"5JSSxX\":[\"Your \",[\"networkName\"],\" wallet is empty. Get free test assets at\"],\"5K7kGO\":\"documentation\",\"5NOSGa\":\"Debt ceiling limits the amount possible to borrow against this asset by protocol users. Debt ceiling is specific to assets in isolation mode and is denoted in USD.\",\"5Ncc6j\":[\"This asset has almost reached its supply cap. There can only be \",[\"messageValue\"],\" supplied to this market.\"],\"5cZ/KX\":\"Variable debt supply is not zero\",\"5che++\":\"To request access for this permissioned market, please visit: <0>Acces Provider Name\",\"5ctNdV\":[\"Minimum \",[\"0\"],\" received\"],\"5hDe9v\":\"Allowance required action\",\"5rsnKT\":\"Available rewards\",\"5yC5m5\":\"View all votes\",\"6/dCYd\":\"Overview\",\"60crCe\":\"All transactions\",\"62Xcjh\":\"Collateral\",\"65A04M\":\"Spanish\",\"6G8s+q\":\"Signing\",\"6Jrv+z\":[\"Repay \",[\"symbol\"]],\"6NGLTR\":\"Discountable amount\",\"6Xr0UU\":\"Cooling down...\",\"6bxci/\":\"Voting power\",\"6f8S68\":\"Markets\",\"6g1gi0\":\"Proposals\",\"6gvoHP\":\"Copy error message\",\"6h3Q5G\":\"repaid\",\"6lFSyT\":\"Available to Stake\",\"6s8L6f\":\"Switch Network\",\"6yAAbq\":\"APY, borrow rate\",\"70wH1Q\":\"APR\",\"72c5Qo\":\"Total\",\"73Auuq\":\"Discount parameters are decided by the Aave community and may be changed over time. Check Governance for updates and vote to participate. <0>Learn more\",\"75qcAQ\":[[\"stepName\"]],\"7ITr5L\":\"Health factor\",\"7T/o5R\":\"Reached\",\"7YlcXu\":\"Fork mode is ON\",\"7Z76Iw\":\"Borrowing is unavailable because you’re using Isolation mode. To manage Isolation mode visit your <0>Dashboard.\",\"7aKlMS\":\"Share on Lens\",\"7bdUsR\":\"Redeem as aToken\",\"7er5fP\":\"Claim all\",\"7hb2+s\":\"Time remaining until the withdraw period ends.\",\"7l88b8\":\"Data couldn't be fetched, please reload graph.\",\"7p5kLi\":\"Dashboard\",\"7sofdl\":\"Withdraw and Switch\",\"8+6BI0\":\"Be careful - You are very close to liquidation. Consider depositing more collateral or paying down some of your borrowed positions\",\"87pUEW\":[\"Your \",[\"name\"],\" wallet is empty. Purchase or transfer assets.\"],\"8F1i42\":\"Page not found\",\"8G8M0u\":\"Loading data...\",\"8Iu1QS\":\"withdrew\",\"8JL93T\":\"All proposals\",\"8Q51DU\":\"Add to wallet\",\"8X/oyn\":\"Invalid amount to mint\",\"8Z5FPv\":\"Disconnect Wallet\",\"8Zz7s5\":\"assets\",\"8aLW8H\":\"Balance to revoke\",\"8bOT3H\":\"Utilization Rate\",\"8sLe4/\":\"View contract\",\"8t/M0y\":\"Please connect your wallet to be able to bridge your tokens.\",\"8vETh9\":\"Show\",\"94OHPx\":\"You are entering Isolation mode\",\"9CDK3/\":[\"Borrowing is currently unavailable for \",[\"0\"],\".\"],\"9GIj3z\":\"Reserve Size\",\"9Knqb4\":\"Staking balance\",\"9OBKm7\":\"Quorum\",\"9QHoGr\":\"Current votes\",\"9Rw96f\":[\"This asset has almost reached its borrow cap. There is only \",[\"messageValue\"],\" available to be borrowed from this market.\"],\"9Xj/qR\":[\"Some migrated assets will not be used as collateral due to enabled isolation mode in \",[\"marketName\"],\" V3 Market. Visit <0>\",[\"marketName\"],\" V3 Dashboard to manage isolation mode.\"],\"9c6vDV\":\"This asset has reached its supply cap. Nothing is available to be supplied from this market.\",\"9kTWHA\":\"MAI has been paused due to a community decision. Supply, borrows and repays are impacted. <0>More details\",\"9lXchd\":\"Underlying token\",\"9rWaKF\":\"Bridged Via CCIP\",\"9xSooW\":\"Since this is a test network, you can get any of the assets if you have ETH on your wallet\",\"A/lwoe\":\"Choose one of the on-ramp services\",\"A6dCI6\":[\"Maximum amount available to borrow is <0/> \",[\"0\"],\" (<1/>).\"],\"AReoaV\":\"Your borrows\",\"ARu1L4\":\"Repaid\",\"AV7cGz\":\"Review approval tx details\",\"AZOjB8\":\"Fetching data...\",\"Ai0jas\":\"Join the community discussion\",\"Ajl2rq\":\"Borrowing power and assets are limited due to Isolation mode.\",\"AqgYNC\":\"Protocol borrow cap at 100% for this asset. Further borrowing unavailable.\",\"B3EcQR\":\"Thank you for voting!!\",\"B6aXGH\":\"Stable\",\"B9Gqbz\":\"Variable rate\",\"BDFEd+\":\"stETH supplied as collateral will continue to accrue staking rewards provided by daily rebases.\",\"BE2mP0\":\"Borrowed assets\",\"BJyN77\":\"Due to health factor impact, a flashloan is required to perform this transaction, but Aave Governance has disabled flashloan availability for this asset. Try lowering the amount or supplying additional collateral.\",\"BNL4Ep\":\"Collateral usage is limited because of isolation mode. <0>Learn More\",\"BQ/wCO\":\"Migrate your assets\",\"BjLdl1\":\"At a discount\",\"BnhYo8\":\"Asset category\",\"Bq9Y7e\":\"This asset is frozen due to an Aave community decision. <0>More details\",\"BqWMDJ\":\"Faucet\",\"BqynZO\":\"Optimized for efficiency and risk by supporting blue-chip collateral assets\",\"Bsu7zX\":\"The fee includes the gas cost to complete the transaction on the destination chain and the fee paid to Chainlink CCIP service providers. You can chose to pay in the network token or GHO. <0>Learn more\",\"BwJKBw\":\"of\",\"C4/GSi\":\"Your balance of assets that are available to stake\",\"CDrsH+\":\"Techpaper\",\"CK1KXz\":\"Max\",\"CMHmbm\":\"Slippage\",\"CZXzs4\":\"Greek\",\"CcRNG6\":\"Switching\",\"CkTRmy\":[\"Claim \",[\"symbol\"]],\"CsqtLm\":\"Please connect your wallet to see migration tool.\",\"CtGlFb\":[[\"networkName\"],\" Faucet\"],\"Cxt2YY\":\"Watch wallet\",\"D33VQU\":\"This action will reduce health factor of V3 below liquidation threshold. Increase migrated collateral or reduce migrated borrow to continue.\",\"D8sc3k\":\"Stake balance\",\"D9BLRG\":\"This asset has been paused due to a community decision. Supply, withdraw, borrows and repays are impacted.\",\"DAma/S\":\"Collateral is (mostly) the same currency that is being borrowed\",\"DCnFg0\":[\"Addresses (\",[\"0\"],\")\"],\"DG3Lv1\":\"I fully understand the risks of migrating.\",\"DONJcV\":\"The underlying asset cannot be rescued\",\"DR+4uL\":\"Supply balance after switch\",\"DWjrck\":[\"Asset cannot be migrated to \",[\"marketName\"],\" V3 Market due to E-mode restrictions. You can disable or manage E-mode categories in your <0>V3 Dashboard\"],\"Dj+3wB\":\"Aave per month\",\"DptNvx\":\"Amount Staked\",\"DuEq2K\":\"Collateralization\",\"DxfsGs\":\"You can report incident to our <0>Discord or<1>Github.\",\"Dzma+E\":\"Main Ethereum market with the largest selection of assets and yield options\",\"E/QGRL\":\"Disabled\",\"EBL9Gz\":\"COPIED!\",\"ES8dkb\":\"Fixed rate\",\"EZd3Dk\":[\"Restaking \",[\"symbol\"]],\"EZqFZ+\":\"Staking this asset will earn the underlying asset supply yield in additon to other configured rewards.\",\"Ebgc76\":[\"Withdrawing \",[\"symbol\"]],\"EdQY6l\":\"None\",\"EjvKQ+\":\"Minimum USD value received\",\"Enslfm\":\"Destination\",\"EvE9nO\":[\"Reactivate cooldown period to unstake \",[\"0\"],\" \",[\"stakedToken\"]],\"EvECnL\":\"Migrate to v3\",\"EzMQbh\":\"The source chain time to finality is the main factor that determines the time to destination. <0>Learn more\",\"F40cwT\":\"Legacy Markets\",\"F6TdXL\":\"Learn more.\",\"FDDPeZ\":\"Users can stake their assets in the protocol and earn incentives. In the case of a shortfall event, your stake can be slashed to cover the deficit, providing an additional layer of protection for the protocol.\",\"FHlMf/\":\"Current v2 balance\",\"FHpxjF\":[\"Reserve factor is a percentage of interest which goes to a \",[\"0\"],\" that is controlled by Aave governance to promote ecosystem growth.\"],\"FOBZa6\":\"Borrow power used\",\"FPKEug\":\"Operation not supported\",\"FbmMe7\":\"Linked addresses\",\"Fdp03t\":\"on\",\"Fjw9N+\":\"Assets to supply\",\"FmN0fk\":\"Restake\",\"GDGLIs\":\"GHO is a native decentralized, collateral-backed digital asset pegged to USD. It is created by users via borrowing against multiple collateral. When user repays their GHO borrow position, the protocol burns that user's GHO. All the interest payments accrued by minters of GHO would be directly transferred to the AaveDAO treasury.\",\"GQrBTq\":\"Switch E-Mode\",\"GWswcZ\":\"This asset is frozen due to an Aave Protocol Governance decision. On the 20th of December 2022, renFIL will no longer be supported and cannot be bridged back to its native network. It is recommended to withdraw supply positions and repay borrow positions so that renFIL can be bridged back to FIL before the deadline. After this date, it will no longer be possible to convert renFIL to FIL. <0>More details\",\"GX8GKD\":\"Assets\",\"GgEj+0\":\"Read-only mode. Connect to a wallet to perform transactions.\",\"GjkIKV\":\"ends\",\"GoK/QN\":\"Thank you for submitting feedback!\",\"GtP2hp\":[\"Borrowing is unavailable because you’ve enabled Efficiency Mode (E-Mode) for \",[\"0\"],\" category. To manage E-Mode categories visit your <0>Dashboard.\"],\"H6Ma8Z\":\"Discount\",\"HB/wfS\":[[\"tooltipText\"]],\"HKDsQN\":\"Rewards can be claimed through\",\"Ha/U5f\":\"This is a program initiated and implemented by the decentralised ZKSync community. Aave Labs does not guarantee the program and accepts no liability.\",\"HciqKU\":\"This is a program initiated and implemented by the decentralised Aave community. Aave Labs does not guarantee the program and accepts no liability.\",\"Hi6Ttn\":\"Sorry, an unexpected error happened. In the meantime you may try reloading the page, or come back later.\",\"HkEDbS\":[[\"d\"],\"d\"],\"HmkYqM\":\"Unstake window\",\"HpK/8d\":\"Reload\",\"HrnC47\":\"Save and share\",\"HuVZMK\":\"Days\",\"HvJKMU\":[\"Asset cannot be migrated to \",[\"marketName\"],\" v3 Market since collateral asset will enable isolation mode.\"],\"Hvwnm9\":[\"Maximum amount available to supply is limited because protocol supply cap is at \",[\"0\"],\"%.\"],\"I8CX2c\":\"The total amount of your assets denominated in USD that can be used as collateral for borrowing assets.\",\"IAD2SB\":[\"Claiming \",[\"symbol\"]],\"IG9X9/\":\"Borrowing of this asset is limited to a certain amount to minimize liquidity pool insolvency.\",\"IOIx8L\":\"This asset is planned to be offboarded due to an Aave Protocol Governance decision. <0>More details\",\"IP+I/j\":\"Cooldown period\",\"IaA40H\":\"Liquidation at\",\"J/hVSQ\":[[\"0\"]],\"JCoxL6\":\"Manage analytics\",\"JK9zf1\":[\"Estimated compounding interest, including discount for Staking \",[\"0\"],\"AAVE in Safety Module.\"],\"JOqFba\":[\"Unstaking \",[\"symbol\"]],\"JPrLjO\":\"You can not use this currency as collateral\",\"JU6q+W\":\"Reward(s) to claim\",\"JYKRJS\":\"Stake\",\"JZMxX0\":\"Not enough balance on your wallet\",\"Jgflkm\":\"Get GHO\",\"JoMQnI\":\"Wallet balance\",\"JtwD8u\":\"Borrow balance after repay\",\"JumYTK\":\"Supplied assets\",\"K05qZY\":\"Withdraw & Switch\",\"KAz/NV\":\"Protocol debt ceiling is at 100% for this asset. Further borrowing against this asset is unavailable.\",\"KLXVqE\":[\"stETH tokens will be migrated to Wrapped stETH using Lido Protocol wrapper which leads to supply balance change after migration: \",[\"0\"]],\"KLd6ky\":\"Use connected account\",\"KRpokz\":\"VIEW TX\",\"KSlpka\":\"This represents the threshold at which a borrow position will be considered undercollateralized and subject to liquidation for each collateral. For example, if a collateral has a liquidation threshold of 80%, it means that the position will be liquidated when the debt value is worth 80% of the collateral value.\",\"KYAjf3\":\"Isolated\",\"KZwRuD\":[[\"notifyText\"]],\"KkPgim\":\"Switching E-Mode\",\"KnN1Tu\":\"Expires\",\"KoOBI2\":\"Due to internal stETH mechanics required for rebasing support, it is not possible to perform a collateral switch where stETH is the source token.\",\"KojyJ4\":\"Wrong Network\",\"KsqhWn\":\"Staking\",\"KuBTQq\":\"Enter ETH address\",\"KvG1xW\":\"Claiming\",\"L+8Lzs\":\"Current LTV\",\"L+qiq+\":\"Market\",\"LDzfVJ\":\"Send Feedback\",\"LIrMcF\":\"No voting power\",\"LL0zks\":\"Can be collateral\",\"LLdJWu\":\"Claimable AAVE\",\"LSIpNK\":\"Borrow and repay in same block is not allowed\",\"LVt3TI\":[\"<0>Slippage tolerance <1>\",[\"selectedSlippage\"],\"% <2>\",[\"0\"],\"\"],\"LjafV8\":\"Maximum collateral amount to use\",\"LtpQew\":\"Let us know how we can make the app better for you. For user support related inquiries please reach out on\",\"LvVpD/\":\"Emode\",\"M2sknc\":\"Tip: Try increasing slippage or reduce input amount\",\"M7wPsD\":\"Switch\",\"MFu33y\":\"Staking 00\",\"MIy2RJ\":\"Maximum amount received\",\"MZ/nQf\":\"Recipient address\",\"Ma/MtY\":\"staking view\",\"McHlGl\":\"APY change\",\"MeCCA+\":\"APY, variable\",\"MghdTe\":\"If the health factor goes below 1, the liquidation of your collateral might be triggered.\",\"Mm/DVQ\":\"You cancelled the transaction.\",\"MnE2QX\":\"Borrow info\",\"MrmQHg\":\"View Bridge Transactions\",\"MuDFEQ\":\"Invalid return value of the flashloan executor function\",\"N5kUMV\":\"Asset can be only used as collateral in isolation mode with limited borrowing power. To enter isolation mode, disable all other collateral.\",\"N6Pxr9\":\"View all\",\"NF0e1Q\":\"Pending...\",\"NK9ikO\":\"Wallet Balance\",\"NMt2CB\":\"Amount claimable\",\"NcFGxG\":\"Collector Contract\",\"NfpPeS\":\"Nothing staked\",\"Nh9DAo\":[[\"m\"],\"m\"],\"O+sCUU\":\"Unbacked mint cap is exceeded\",\"O+tyU+\":[\"Maximum amount available to borrow against this asset is limited because debt ceiling is at \",[\"0\"],\"%.\"],\"O3oNi5\":\"Email\",\"OFjZGo\":\"Unstake\",\"OR8cYX\":\"Proposal overview\",\"OYuJ9K\":\"Protocol debt ceiling is at 100% for this asset. Futher borrowing against this asset is unavailable.\",\"OfhWJH\":\"Reset\",\"Og2SKn\":\"disabled\",\"On0aF2\":\"Website\",\"OsyKSt\":\"Withdraw\",\"P1dURE\":\"Revoke power\",\"P2WCD/\":[\"Underlying asset does not exist in \",[\"marketName\"],\" v3 Market, hence this position cannot be migrated.\"],\"P2sL6B\":\"When a liquidation occurs, liquidators repay up to 50% of the outstanding borrowed amount on behalf of the borrower. In return, they can buy the collateral at a discount and keep the difference (liquidation penalty) as a bonus.\",\"P6sRoL\":\"Stake ABPT\",\"P72/OW\":\"The weighted average of APY for all borrowed assets, including incentives.\",\"P7e6Ug\":\"Please connect your wallet to view transaction history.\",\"PByO0X\":\"Votes\",\"PI+kVe\":\"Disable fork\",\"PJK9u/\":\"Borrow apy\",\"PLUB/s\":\"Fee\",\"PP5ZA8\":[\"Participating in staking \",[\"symbol\"],\" gives annualized rewards. Your wallet balance is the sum of your aTokens and underlying assets. The breakdown to stake is below\"],\"PcBUgb\":\"Liquidation threshold\",\"PjU6bu\":\"This asset is eligible for SPK incentive program. Aave Labs does not guarantee the program and accepts no liability.\",\"PpqD5g\":\"Enabling this asset as collateral increases your borrowing power and Health Factor. However, it can get liquidated if your health factor drops below 1.\",\"PsOFSf\":\"This action will reduce V2 health factor below liquidation threshold. retain collateral or migrate borrow position to continue.\",\"Pu4bI/\":[[\"currentMethod\"]],\"Q0LzKi\":\"View TX\",\"Q4eNqa\":\"The Aave Balancer Pool Token (ABPT) is a liquidity pool token. You can receive ABPT by depositing a combination of AAVE + wstETH in the Balancer liquidity pool. You can then stake your BPT in the Safety Module to secure the protocol and earn Safety Incentives.\",\"QQYsQ7\":\"Withdrawing\",\"QWYCs/\":\"Stake GHO\",\"R+30X3\":\"Not reached\",\"RCU5PY\":\"Age\",\"RIfckG\":[\"Disable \",[\"symbol\"],\" as collateral\"],\"RMtxNk\":\"Differential\",\"RNK49r\":\"Invalid signature\",\"RS0o7b\":\"State\",\"RU+LqV\":\"Proposal details\",\"RbXH+k\":\"AAVE, GHO, and ABPT holders (Ethereum network only) can stake their assets in the Safety Module to add more security to the protocol and earn Safety Incentives. In the case of a shortfall event, your stake can be slashed to cover the deficit, providing an additional layer of protection for the protocol.\",\"RiSYV4\":\"Asset is not listed\",\"Rj01Fz\":\"Links\",\"RmWFEe\":\"Staking APR\",\"RoafuO\":\"Send feedback\",\"RtBLm7\":\"Health factor is lesser than the liquidation threshold\",\"RxzN1M\":\"Enabled\",\"SDav7h\":\"Funds in the Safety Module\",\"SENccp\":\"If the error continues to happen,<0/> you may report it to this\",\"SIWumd\":\"Show Frozen or paused assets\",\"SM58dD\":\"Amount in cooldown\",\"SSMiac\":\"Failed to load proposal voters. Please refresh the page.\",\"SSQVIz\":\"Liquidation Threshold\",\"SUb8x0\":\"Total available\",\"SWIgh4\":\"Fees exceed wallet balance\",\"SY9hVo\":\"Read-only mode allows to see address positions in Aave, but you won't be able to perform transactions.\",\"SZRUQ4\":\"Max slippage\",\"Sa1UE/\":\"Protocol borrow cap is at 100% for this asset. Further borrowing unavailable.\",\"Sk2zW9\":\"Disabling E-Mode\",\"SxaD0o\":\"Pool addresses provider is not registered\",\"T/AIqG\":\"Protocol supply cap at 100% for this asset. Further supply unavailable.\",\"T0xCO9\":\"Can't validate the wallet address. Try again.\",\"T4OhVl\":\"GHO balance\",\"T6uYU2\":\"Borrow\",\"TFxQlw\":\"Liquidation penalty\",\"TQ7WsV\":\"Available to stake\",\"TUI7iB\":\"Asset can only be used as collateral in isolation mode only.\",\"TbjyhA\":\"Docs\",\"TduuS0\":\"User does not have outstanding stable rate debt on this reserve\",\"TeCFg/\":\"Borrow rate change\",\"Tg1JyO\":\"Bridge history\",\"TskbEN\":\"Holders of stkAAVE receive a discount on the GHO borrowing rate\",\"TszKts\":\"Borrow balance after switch\",\"TtZL6q\":\"Discount model parameters\",\"TwJI9F\":\"Asset has been successfully sent to CCIP contract. You can check the status of the transactions below\",\"Tz0GSZ\":\"blocked activities\",\"U/eBjN\":\"Reload the page\",\"U2r8nY\":\"Choose how much voting/proposition power to give to someone else by delegating some of your AAVE, stkAAVE or aAave balance. Your tokens will remain in your account, but your delegate will be able to vote or propose on your behalf. If your AAVE, stkAAVE or aAave balance changes, your delegate's voting/proposition power will be automatically adjusted.\",\"U8IubP\":\"The app is running in testnet mode. Learn how it works in\",\"U9btTk\":\"Asset is not borrowable in isolation mode\",\"UAOZRe\":\"Price impact is the spread between the total value of the entry tokens switched and the destination tokens obtained (in USD), which results from the limited liquidity of the trading pair.\",\"UE3KJZ\":\"Transaction history is not currently available for this market\",\"URmyfc\":\"Details\",\"UTTKmT\":\"Stake cooldown activated\",\"UXeR72\":\"These funds have been borrowed and are not available for withdrawal at this time.\",\"UYb8CM\":\"Learn more about the SPK rewards\",\"UbRrG0\":\"The Maximum LTV ratio represents the maximum borrowing power of a specific collateral. For example, if a collateral has an LTV of 75%, the user can borrow up to 0.75 worth of ETH in the principal currency for every 1 ETH worth of collateral.\",\"UpndFj\":\"No rewards to claim\",\"V0f2Xv\":\"Reserve factor\",\"V1HK43\":\"Migration risks\",\"VATFH9\":\"Covered debt\",\"VHOVEJ\":\"Connect wallet\",\"VMfYUK\":\"Safety of your deposited collateral against the borrowed assets and its underlying value.\",\"VOAZJh\":\"Total borrows\",\"ViKYxK\":\"YAE\",\"W1SSoD\":\"Review tx details\",\"W5hVah\":\"Nothing supplied yet\",\"W5kTFy\":\"Voting\",\"W8ekPc\":\"Back to Dashboard\",\"WMPbRK\":\"Unbacked\",\"WNGZwH\":\"E-Mode increases your LTV for a selected category of assets up to<0/>. <1>Learn more\",\"WPWG/y\":\"Reserve status & configuration\",\"WZLQSU\":\"User cannot withdraw more than the available balance\",\"WaZyaV\":\"<0>Ampleforth is a rebasing asset. Visit the <1>documentation to learn more.\",\"WfU+XN\":\"Because this asset is paused, no actions can be taken until further notice\",\"Wjmqs2\":\"No results found. You can import a custom token with a contract address\",\"WkZ6C6\":\"To borrow you need to supply any asset to be used as collateral.\",\"WyMiQm\":\"You've successfully switched tokens.\",\"X/ITG9\":\"Copy error text\",\"X3Pp6x\":\"Used as collateral\",\"X4Zt7j\":\"Action cannot be performed because the reserve is paused\",\"XBdKOj\":\"Representative smart contract wallet (ie. Safe) addresses on other chains.\",\"XZzneG\":\"You will exit isolation mode and other tokens can now be used as collateral\",\"Xg5y9S\":\"Amount to Bridge\",\"Xn4hUi\":\"Please always be aware of your <0>Health Factor (HF) when partially migrating a position and that your rates will be updated to V3 rates.\",\"Xy71ST\":\"Umbrella\",\"Y5kGkc\":\"VOTE NAY\",\"YDIOks\":\"Enabling E-Mode\",\"YSodyW\":\"This action will reduce your health factor. Please be mindful of the increased risk of collateral liquidation.\",\"YXOWXM\":\"The total amount bridged minus CCIP fees. Paying in network token does not impact gho amount.\",\"YirHq7\":\"Feedback\",\"YogbCJ\":\"Testnet mode is ON\",\"YrDxdO\":\"If your loan to value goes above the liquidation threshold your collateral supplied may be liquidated.\",\"YyIM65\":\"Interest rate rebalance conditions were not met\",\"YyydIq\":[\"Add \",[\"0\"],\" to wallet to track your balance.\"],\"ZBvhI+\":\"Aave Governance\",\"ZIIRAd\":\"Raw-Ipfs\",\"ZRq4tX\":\"Efficiency mode (E-Mode)\",\"ZSqEW+\":\"Manage E-Mode\",\"ZUFYFE\":\"Disable testnet\",\"Zbyywy\":\"Max slashing\",\"ZfUGFb\":\"Before supplying\",\"ZiXN+B\":\"Assets to stake\",\"ZlsSDH\":\"Liquidation value\",\"ZrEc8j\":\"We couldn't find any assets related to your search. Try again with a different asset name, symbol, or address.\",\"ZsLF7e\":\"enabled\",\"a0YQoQ\":\"Enter a valid address\",\"a2fBZn\":\"Time left to unstake\",\"a5RYZd\":\"Disabling this asset as collateral affects your borrowing power and Health Factor.\",\"a7u1N9\":\"Price\",\"a9D+6D\":\"Unstaked\",\"aEtiwq\":\"Vote NAY\",\"aMmFE1\":\"Buy Crypto With Fiat\",\"aOKIms\":\"Array parameters that should be equal length are not\",\"aX31hk\":\"Your balance is lower than the selected amount.\",\"adUsDd\":\"An error has occurred fetching the proposal.\",\"al6Pyz\":\"Exceeds the discount\",\"aoXTT7\":\"Borrow APY, variable\",\"aqX1Yp\":\"This asset is eligible for rewards through SuperFest. Aave Labs does not guarantee the program and accepts no liability.\",\"avgETN\":\"Eligible for the Merit program.\",\"b4NS3e\":\"Cooldown period warning\",\"bBHmeP\":\"Available to withdraw\",\"bNEQeI\":\"Cooldown\",\"bSruit\":\"ZKSync Ignite Program rewards are claimed through the\",\"bUUVED\":\"Asset\",\"bXQ/Og\":\"Share on twitter\",\"bXr0ee\":\"Isolated assets have limited borrowing power and other assets cannot be used as collateral.\",\"bYmAV1\":\"Addresses\",\"bguKoJ\":\"The requested amount is greater than the max loan size in stable rate mode\",\"bwSQI0\":\"Supply\",\"bxN6EM\":\"Cannot disable E-Mode\",\"bxmzSh\":\"Not enough collateral to repay this amount of debt with\",\"c91vuQ\":\"Address is not a contract\",\"c97os2\":\"Aave aToken\",\"c9b44w\":\"You can not withdraw this amount because it will cause collateral call\",\"cBc+4A\":\"This is the total amount available for you to borrow. You can borrow based on your collateral and until the borrow cap is reached.\",\"cIl5kp\":\"Your voting power is based on your AAVE/stkAAVE balance and received delegations.\",\"cLo09S\":\"Risk details\",\"cNT+ij\":\"Borrowing is unavailable because you’ve enabled Efficiency Mode (E-Mode) and Isolation mode. To manage E-Mode and Isolation mode visit your <0>Dashboard.\",\"cZOeBk\":\"Something went wrong fetching bridge message, please try again later.\",\"ceix5S\":\"To submit a proposal for minor changes to the protocol, you'll need at least 80.00K power. If you want to change the core code base, you'll need 320k power.<0>Learn more.\",\"ciSsYT\":\"Staking APY\",\"ciybUa\":\"Vote YAE\",\"ckf7gX\":[\"Repaying \",[\"symbol\"]],\"cp1ZDP\":[\"Bridge \",[\"symbol\"]],\"cqnmnD\":\"Effective interest rate\",\"cqwIvs\":\"Forum discussion\",\"csDS2L\":\"Available\",\"cu7Stb\":\"You did not participate in this proposal\",\"dE6BLF\":\"Governance\",\"dEgA5A\":\"Cancel\",\"dIsyWh\":\"Ltv validation failed\",\"dMtLDE\":\"to\",\"dOB5nW\":[\"Maximum amount available to supply is <0/> \",[\"0\"],\" (<1/>).\"],\"dVfODp\":\"You don’t have enough funds in your wallet to repay the full amount. If you proceed to repay with your current amount of funds, you will still have a small borrowing position in your dashboard.\",\"dXUQFX\":\"Assets to borrow\",\"dgr1aY\":\"Borrowing is disabled due to an Aave community decision. <0>More details\",\"djsg0o\":\"Collateral usage\",\"dpc0qG\":\"Variable\",\"drdV8R\":\"Liquidation\",\"dxW8cS\":\"Aave debt token\",\"e4V3oW\":\"Top 10 addresses\",\"eD8WX/\":\"Action requires an active reserve\",\"eJRJ04\":\"Amount to unstake\",\"eLh0cL\":\"Slippage is the difference between the quoted and received amounts from changing market conditions between the moment the transaction is submitted and its verification.\",\"ePK91l\":\"Edit\",\"eVpCmf\":\"Staking Rewards\",\"eVqvtf\":\"Bridge GHO\",\"eYdurp\":\"No transactions yet.\",\"ebLGGN\":\"Total borrowed\",\"ecqEvn\":\"The collateral balance is 0\",\"efdrrk\":\"Available on\",\"enruNF\":\"starts\",\"eqLYiD\":\"Unstake now\",\"euScGB\":\"APY with discount applied\",\"evw5ha\":\"Net worth\",\"ezcU16\":\"Get ABP Token\",\"f3W0Ej\":[\"You switched to \",[\"0\"],\" rate\"],\"fH9i8k\":\"You've successfully switched borrow position.\",\"fHcELk\":\"Net APR\",\"fMJQZK\":\"Borrowed\",\"fZ5Vnu\":\"Received\",\"firl9Q\":\"Your current loan to value based on your collateral supplied.\",\"flRCF/\":\"Staking discount\",\"fldjW9\":\"Preview tx and migrate\",\"fsBGk0\":\"Balance\",\"fu1Dbh\":[\"Withdraw \",[\"symbol\"]],\"fwjWSI\":\"Supplied\",\"fwyTMb\":\"Migrate to stkABPT v2\",\"g0mals\":\"You can not disable E-Mode because that could cause liquidation. To exit E-Mode supply or repay borrowed positions.\",\"g2UNkE\":\"Powered by\",\"g8KGoA\":\"FAQS\",\"g9zzqS\":\"Voted NAY\",\"gDd2gk\":\"about SuperFest.\",\"gFFh9h\":\"All done!\",\"gIMJlW\":\"Testnet mode\",\"gOzPxe\":\"This asset is frozen due to an Aave Protocol Governance decision. <0>More details\",\"gTHi2T\":\"User is trying to borrow multiple assets including a siloed one\",\"gVW59Y\":\"Please connect your wallet to get free testnet assets.\",\"gcFNxP\":\"Approve Confirmed\",\"gncRUO\":\"This address is blocked on app.aave.com because it is associated with one or more\",\"goff7V\":\"Zero address not valid\",\"gp+f1B\":\"Version 3\",\"gr8mYw\":\"You may borrow up to <0/> GHO at <1/> (max discount)\",\"gvTM4B\":\"Net APY is the combined effect of all supply and borrow positions on net worth, including incentives. It is possible to have a negative net APY if debt APY is higher than supply APY.\",\"gzcch9\":\"Invalid bridge protocol fee\",\"h33MxW\":\"Representing smart contract wallet (ie. Safe) addresses on other chains.\",\"h3ilK+\":\".CSV\",\"hB23LY\":\"Activate Cooldown\",\"hIJzBh\":\"Available to Claim\",\"hIS4N0\":\"Net APY\",\"hRWvpI\":\"Claimed\",\"hdmy/o\":\"The % of your total borrowing power used. This is based on the amount of your collateral supplied and the total amount that you can borrow.\",\"hehnjM\":\"Amount\",\"hjDCQr\":\"There was some error. Please try changing the parameters or <0><1>copy the error\",\"hom7qf\":\"Claim\",\"hpHJ4I\":\"Liquidated collateral\",\"hpuVIp\":\"Users who stake AAVE in Safety Module (i.e. stkAAVE holders) receive a discount on GHO borrow interest rate.\",\"huQ6Tz\":[\"Borrowing \",[\"symbol\"]],\"hxi7vE\":\"Borrow balance\",\"i/fZ2Z\":\"Staked Balance\",\"i2JTiw\":\"You may enter a custom amount in the field.\",\"iB5+/J\":\"About GHO\",\"iChbOF\":\"Inconsistent flashloan parameters\",\"iEPVHF\":\"Not enough voting power to participate in this proposal\",\"iEW87X\":\"Delegated power\",\"iEju36\":[\"You voted \",[\"0\"]],\"iFq2YN\":\"Borrowable\",\"iGxyIA\":\"Safety Module\",\"iMVZk9\":\"Select slippage tolerance\",\"iPMIoT\":\"Enter an amount\",\"iSLIjg\":\"Connect\",\"iUo5rv\":\"tokens is not the same as staking them. If you wish to stake your\",\"iZxa38\":\"Use it to vote for or against active proposals.\",\"iboNXd\":\"Amount received\",\"if5PH+\":\"Collector Info\",\"igkfR1\":[\"In Isolation mode, you cannot supply other assets as collateral. A global debt ceiling limits the borrowing power of the isolated asset. To exit isolation mode disable \",[\"0\"],\" as collateral before borrowing another asset. Read more in our <0>FAQ\"],\"il0sEG\":\"Collateral usage is limited because of Isolation mode.\",\"j+K1Xj\":\"Amount After Fee\",\"jA2QeW\":\"Supplying your\",\"jFi7dz\":\"Interest rate that is determined by Aave Governance. This rate may be changed over time depending on the need for the GHO supply to contract/expand. <0>Learn more\",\"jG3UJ7\":\"Disable E-Mode\",\"jKYzR1\":\"Enable E-Mode\",\"jMam5g\":[[\"0\"],\" Balance\"],\"jSYv+Z\":\"Enabling E-Mode allows you to maximize your borrowing power, however, borrowing is restricted to assets within the selected category. <0>Learn more about how it works and the applied restrictions.\",\"jaKbwW\":[[\"s\"],\"s\"],\"jbFMap\":\"Cooldown time left\",\"jeMZNr\":[[\"0\"],\" on-ramp service is provided by External Provider and by selecting you agree to Terms of the Provider. Your access to the service might be reliant on the External Provider being operational.\"],\"jfl9OP\":\"Migrated\",\"jmXdoY\":\"In E-Mode some assets are not borrowable. Exit E-Mode to get access to all assets\",\"jpctdh\":\"View\",\"jqzUyM\":\"Unavailable\",\"k/sb6z\":\"Select language\",\"k3wP3f\":\"<0>Attention: Parameter changes via governance can alter your account health factor and risk of liquidation. Follow the <1>Aave governance forum for updates.\",\"kACpF3\":[\"Claim \",[\"0\"]],\"kH6wUX\":\"Price impact\",\"kIC28N\":\"Available to claim\",\"kIpSye\":[[\"numSelected\"],\"/\",[\"numAvailable\"],\" assets selected\"],\"kN1Yg5\":\"To repay on behalf of a user an explicit amount to repay is needed\",\"kRTD40\":[\"Repayment amount to reach \",[\"0\"],\"% utilization\"],\"kjN9tT\":\"Supply cap is exceeded\",\"knxE+G\":\".JSON\",\"ks2LWT\":\"Debt ceiling is not zero\",\"kwwn6i\":\"Users who stake AAVE in Safety Module (i.e. stkAAVE holders) receive a discount on GHO borrow interest rate. The discount applies to 100 GHO for every 1 stkAAVE held. Use the calculator below to see GHO borrow rate with the discount applied.\",\"kz3wtK\":\"and about SPK program\",\"kzZyM4\":\"DAI balance will be converted via DSR contracts and then supplied as sDAI. Switching incurs no additional costs and no slippage.\",\"lNVG7i\":\"Select an asset\",\"lU2d1/\":[\"Asset cannot be migrated due to insufficient liquidity or borrow cap limitation in \",[\"marketName\"],\" v3 market.\"],\"lVhKKI\":\"Voted YAE\",\"lWLqxB\":\"We couldn't find any transactions related to your search. Try again with a different asset name, or reset filters.\",\"lYGfRP\":\"English\",\"lfEjIE\":\"Learn more in our <0>FAQ guide\",\"lt6bpt\":\"Collateral to repay with\",\"m/IEhi\":\"Total emission per day\",\"m7r7Hh\":\"Selected borrow assets\",\"mDDK4p\":\"Balancer Pool\",\"mIM0qu\":\"Expected amount to repay\",\"mUAFd6\":\"Version 2\",\"masO5Z\":\"E-Mode increases your LTV for a selected category of assets. <0>Learn more\",\"mdNjKU\":[\"Your \",[\"name\"],\" wallet is empty. Purchase or transfer assets or use <0>\",[\"0\"],\" to transfer your \",[\"network\"],\" assets.\"],\"muiOng\":[\"Buy \",[\"cryptoSymbol\"],\" with Fiat\"],\"mvCXBY\":\"Stake AAVE\",\"mwdzil\":\"Ok, Close\",\"mzI/c+\":\"Download\",\"mzdIia\":\"Asset cannot be used as collateral.\",\"n+SX4g\":\"Developers\",\"n8Psk4\":\"We couldn’t detect a wallet. Connect a wallet to stake and view your balance.\",\"nJIhzm\":\"Supply apy\",\"nJgsQu\":\"With a voting power of <0/>\",\"nLC6tu\":\"French\",\"nN2T8p\":\"During the cooldown period, you will not earn any merit rewards. However, rewards earned up to this point will remain unaffected.\",\"nNHV0z\":\"Migrating multiple collaterals and borrowed assets at the same time can be an expensive operation and might fail in certain situations.<0>Therefore it’s not recommended to migrate positions with more than 5 assets (deposited + borrowed) at the same time.\",\"nNbnzu\":\"Proposition\",\"nOy4ob\":\"We suggest you go back to the Dashboard.\",\"nPGNMh\":\"Can be executed\",\"nUK1ou\":[\"Assets with zero LTV (\",[\"0\"],\") must be withdrawn or disabled as collateral to perform this action\"],\"nakd8r\":\"stkAAVE holders get a discount on GHO borrow rate\",\"nh2EJK\":[\"Please switch to \",[\"networkName\"],\".\"],\"njBeMm\":\"Both\",\"noN5Xf\":\"We couldn’t detect a wallet. Connect a wallet to view your staking positions and rewards.\",\"ntkAoE\":\"Discount applied for <0/> staking AAVE\",\"ntyFSE\":[[\"h\"],\"h\"],\"nwtY4N\":\"Something went wrong\",\"nxyWvj\":\"Withdrawing this amount will reduce your health factor and increase risk of liquidation.\",\"o17QVP\":\"Your health factor and loan to value determine the assurance of your collateral. To avoid liquidations you can supply more collateral or repay borrow positions.\",\"o1xc2V\":\"AToken supply is not zero\",\"o4tCu3\":\"Borrow APY\",\"o5ooMr\":\"Debt\",\"o7J4JM\":\"Filter\",\"oHFrpj\":\"Cooldown to unstake\",\"oJ5ZiG\":\"User does not have outstanding variable rate debt on this reserve\",\"oRBGin\":\"Please connect your wallet to be able to switch your tokens.\",\"oUwXhx\":\"Test Assets\",\"oWklJD\":\"Stable interest rate will <0>stay the same for the duration of your loan. Recommended for long-term loan periods and for users who prefer predictability.\",\"odnIK3\":\"Time remaining until the 48 hour withdraw period starts.\",\"oiK5nY\":\"The current incentives period, decided on by the Aave community, has ended. Governance is in the process on renewing, check for updates. <0>Learn more.\",\"olREoo\":\"All borrow positions outside of this category must be closed to enable this category.\",\"om/XHs\":\"Available to supply\",\"ov0+mq\":\"Eligible for the ZKSync Ignite program.\",\"ovT1pF\":[\"Per the community, the \",[\"market\"],\" has been frozen.\"],\"ow3fug\":\"Nothing found\",\"owSsI3\":\"Signatures ready\",\"p+R52m\":\"Go to Balancer Pool\",\"p2A+s1\":[\"The cooldown period is \",[\"0\"],\". After \",[\"1\"],\" of cooldown, you will enter unstake window of \",[\"2\"],\". You will continue receiving rewards during cooldown and unstake window.\"],\"p2S64u\":\"The loan to value of the migrated positions would cause liquidation. Increase migrated collateral or reduce migrated borrow to continue.\",\"p2Z2Qi\":\"This asset has reached its borrow cap. Nothing is available to be borrowed from this market.\",\"p3j+mb\":\"Your reward balance is 0\",\"p45alK\":\"Set up delegation\",\"p6u2s1\":\"Minimum amount of debt to be repaid\",\"pDgeaz\":[[\"title\"]],\"pdZqBk\":\"The underlying balance needs to be greater than 0\",\"pgWG9H\":\"Not enough staked balance\",\"piPrJ7\":\"please check that the amount you want to supply is not currently being used for staking. If it is being used for staking, your transaction might fail.\",\"pjO/iH\":\"Minimum amount received\",\"pooutM\":\"Voting is on\",\"pqaM5s\":\"Confirming transaction\",\"ptaxX3\":[\"I understand how cooldown (\",[\"0\"],\") and unstaking (\",[\"1\"],\") work\"],\"py2iiY\":\"The caller of this function must be a pool\",\"q/51mF\":\"Migrate to V3\",\"q3df11\":\"Interest rate strategy\",\"q6lAbz\":\"Staked\",\"qB4kPi\":\"Supply APY\",\"qENI8q\":\"Global settings\",\"qGz5zl\":\"Collateral balance after repay\",\"qIW9ZH\":\"Amount staked\",\"qOqbD6\":\"copy the error\",\"qXCkEM\":\"Please connect your wallet to see your supplies, borrowings, and open positions.\",\"qY2jnw\":\"Invalid expiration\",\"qf/fr+\":\"Interest accrued\",\"qhhf9L\":\"Rewards available to claim\",\"quYPUU\":\"Variable interest rate will <0>fluctuate based on the market conditions.\",\"quzIeW\":\"User is in isolation mode or LTV is zero\",\"qvnz3q\":\"Invalid amount to burn\",\"rHgdb0\":\"Migrate to Aave V3\",\"rOrHHe\":\"Amount must be greater than 0\",\"rQ+R+0\":\"Selected supply assets\",\"rSayea\":\"APY\",\"rTBDeu\":[\"Asset cannot be migrated because you have isolated collateral in \",[\"marketName\"],\" v3 Market which limits borrowable assets. You can manage your collateral in <0>\",[\"marketName\"],\" V3 Dashboard\"],\"rcT+yy\":\"Show assets with 0 balance\",\"rf8POi\":\"Borrowed asset amount\",\"riNWOA\":\"E-Mode\",\"rjGI/Q\":\"Privacy\",\"rnKPW1\":\"Watch a wallet balance in read-only mode\",\"ruc7X+\":\"Add stkAAVE to see borrow APY with the discount\",\"rvbaFU\":[\"Bridging \",[\"symbol\"]],\"rwVVB7\":\"Claim all rewards\",\"rwyUva\":\"These assets are temporarily frozen or paused by Aave community decisions, meaning that further supply / borrow, or rate swap of these assets are unavailable. Withdrawals and debt repayments are allowed. Follow the <0>Aave governance forum for further updates.\",\"rxJW5W\":\"Your proposition power is based on your AAVE/stkAAVE balance and received delegations.\",\"s2jJnW\":\"You don't have any bridge transactions\",\"s5wBAq\":[\"Unstake \",[\"symbol\"]],\"sJbIdI\":\"Enter ETH address or ENS\",\"sK+Nag\":\"Review tx\",\"sP2+gB\":\"NAY\",\"sQv06Y\":\"for\",\"sTtO6J\":\"Confirm transaction\",\"sXKb3l\":\"Exchange rate\",\"sb0q4+\":\"You unstake here\",\"smJNwH\":\"Available to borrow\",\"solypO\":\"Health factor is not below the threshold\",\"sr0UJD\":\"Go Back\",\"ss5GCK\":\"The address of the pool addresses provider is invalid\",\"swEgK4\":\"Your voting info\",\"t+wtgf\":\"Nothing borrowed yet\",\"t/YqKh\":\"Remove\",\"t81DpC\":[\"Approve \",[\"symbol\"],\" to continue\"],\"tCnbEs\":\"Oracle price\",\"tFZLf8\":\"This gas calculation is only an estimation. Your wallet will set the price of the transaction. You can modify the gas settings directly from your wallet provider.\",\"tHuvQI\":\"Go to V3 Dashboard\",\"tKv7cI\":\"Switch borrow position\",\"tOcg3N\":\"Since this asset is frozen, the only available actions are withdraw and repay which can be accessed from the <0>Dashboard\",\"tOuXfv\":[\"Borrow amount to reach \",[\"0\"],\"% utilization\"],\"te9Bfl\":\"Please, connect your wallet\",\"tt5yma\":\"Your supplies\",\"ttoh5c\":\"Switch to\",\"u3ZeYl\":\"Transaction failed\",\"u706uF\":\"Invalid flashloan premium\",\"u8Gfu7\":[\"No search results\",[\"0\"]],\"uAQUqI\":\"Status\",\"uHMwk8\":\"No assets selected to migrate.\",\"uJPHuY\":\"Migrating\",\"uY8O30\":\"To continue, you need to grant Aave smart contracts permission to move your funds from your wallet. Depending on the asset and wallet you use, it is done by signing the permission message (gas free), or by submitting an approval transaction (requires gas). <0>Learn more\",\"udFheE\":\"For repayment of a specific type of debt, the user needs to have debt that type\",\"ulNuNq\":\"Export data to\",\"ulup2p\":\"Buy Crypto with Fiat\",\"umICAY\":\"<0><1><2/>Add stkAAVE to see borrow rate with discount\",\"usB84Z\":\"Maximum amount available to borrow is limited because protocol borrow cap is nearly reached.\",\"uwAUvj\":\"COPY IMAGE\",\"v8x7Mg\":\"Insufficient collateral to cover new borrow position. Wallet must have borrowing power remaining to perform debt switch.\",\"vEqxH9\":\"Restaked\",\"vLyv1R\":\"Hide\",\"vMba49\":\"Borrowing is not enabled\",\"vMpNwt\":\"Approve with\",\"vXIe7J\":\"Language\",\"vesuBJ\":\"Allows you to decide whether to use a supplied asset as collateral. An asset used as collateral will affect your borrowing power and health factor.\",\"w+V9Cx\":\"Stablecoin\",\"w/JtJ3\":\"Stable debt supply is not zero\",\"w4VBY+\":\"Rewards APR\",\"w9dLMW\":[[\"label\"]],\"wAOL+X\":[\"You \",[\"action\"],\" <0/> \",[\"symbol\"]],\"wBIsjb\":\"Discord channel\",\"wQZbc/\":\"The caller of the function is not an AToken\",\"wRRqvW\":\"You do not have supplies in this currency\",\"wZFvVU\":\"VOTE YAE\",\"wb/r1O\":[\"Faucet \",[\"0\"]],\"wdxz7K\":\"Source\",\"weH1nG\":\"The Aave Protocol is programmed to always use the price of 1 GHO = $1. This is different from using market pricing via oracles for other crypto assets. This creates stabilizing arbitrage opportunities when the price of GHO fluctuates.\",\"wh7Ezv\":\"You have no AAVE/stkAAVE/aAave balance to delegate.\",\"wlsIx7\":\"With testnet Faucet you can get free assets to test the Aave Protocol. Make sure to switch your wallet provider to the appropriate testnet network, select desired asset, and click ‘Faucet’ to get tokens transferred to your wallet. The assets on a testnet are not “real,” meaning they have no monetary value. <0>Learn more\",\"wmE285\":\"Get ABP v2 Token\",\"wyRrcJ\":\"As a result of governance decisions, this ABPT staking pool is now deprecated. You have the flexibility to either migrate all of your tokens to v2 or unstake them without any cooldown period.\",\"x5KiLL\":\"Selected assets have successfully migrated. Visit the Market Dashboard to see them.\",\"x7F2p6\":\"Current differential\",\"x7K5ib\":[\"Your \",[\"networkName\"],\" wallet is empty. Get free test \",[\"0\"],\" at\"],\"x9iLRD\":\"tokens, please go to the\",\"xNy/UG\":\"Repay with\",\"xPm8wv\":\"Learn more about risks involved\",\"xXYpZl\":[[\"0\"],\" Faucet\"],\"xaVBSS\":\"Your info\",\"xaWZ6f\":\"APY type change\",\"xh6k71\":\"Collateral usage is limited because of isolation mode.\",\"xvIklc\":\"Flashloan is disabled for this asset, hence this position cannot be migrated.\",\"y5rS9U\":\"Migrate\",\"y66tBm\":[\"Enable \",[\"symbol\"],\" as collateral\"],\"yB1YpA\":\"Dark mode\",\"yCrG6m\":\"Total market size\",\"yJUUbn\":\"Transaction overview\",\"yLGmLX\":[\"Restake \",[\"symbol\"]],\"yW1oWB\":\"APY type\",\"yYHqJe\":\"Not a valid address\",\"yZwLw6\":\"Track wallet\",\"yh2sjd\":[\"Price impact \",[\"0\"],\"%\"],\"yhvj6d\":\"You can not switch usage as collateral mode for this currency, because it will cause collateral call\",\"ylmtBZ\":\"The app is running in fork mode.\",\"ymNY32\":[\"There are not enough funds in the\",[\"0\"],\"reserve to borrow\"],\"yz7wBu\":\"Close\",\"z4uGQg\":\"Debt ceiling is exceeded\",\"z5UQOM\":\"The collateral chosen cannot be liquidated\",\"z5Y+p6\":[\"Supplying \",[\"symbol\"]],\"zCjNKs\":\"Action cannot be performed because the reserve is frozen\",\"zRHytX\":\"Isolated Debt Ceiling\",\"zTOjMP\":\"Protocol supply cap is at 100% for this asset. Further supply unavailable.\",\"zVdRUG\":\"Submission did not work, please try again later or contact wecare@avara.xyz\",\"zevmS2\":\"<0><1><2/>Add <3/> stkAAVE to borrow at <4/> (max discount)\",\"zgtIDV\":\"Remaining debt\",\"zmTPiV\":\"Supply balance\",\"zpPbZl\":\"Liquidation risk parameters\",\"zucql+\":\"Menu\",\"zwWKhA\":\"Learn more\",\"zy9fXn\":[\"Asset is frozen in \",[\"marketName\"],\" v3 market, hence this position cannot be migrated.\"],\"zys+R6\":\"Be mindful of the network congestion and gas prices.\",\"zzzTXS\":\"Merit Program rewards are claimed through the\"}")}; \ No newline at end of file diff --git a/src/locales/en/messages.po b/src/locales/en/messages.po index ce32214bc2..9c4c9c7037 100644 --- a/src/locales/en/messages.po +++ b/src/locales/en/messages.po @@ -2528,6 +2528,10 @@ msgstr "tokens is not the same as staking them. If you wish to stake your" msgid "Use it to vote for or against active proposals." msgstr "Use it to vote for or against active proposals." +#: src/modules/umbrella/UnstakeModalContent.tsx +msgid "Amount received" +msgstr "Amount received" + #: src/modules/reserve-overview/BorrowInfo.tsx msgid "Collector Info" msgstr "Collector Info" @@ -2935,7 +2939,6 @@ msgid "The underlying balance needs to be greater than 0" msgstr "The underlying balance needs to be greater than 0" #: src/components/transactions/UnStake/UnStakeModalContent.tsx -#: src/modules/umbrella/UnstakeModalContent.tsx msgid "Not enough staked balance" msgstr "Not enough staked balance" diff --git a/src/locales/es/messages.js b/src/locales/es/messages.js index f853bd0080..c21733df57 100644 --- a/src/locales/es/messages.js +++ b/src/locales/es/messages.js @@ -1 +1 @@ -/*eslint-disable*/module.exports={messages:JSON.parse("{\"+0xecS\":[\"Si NO unstakeas entre \",[\"0\"],\" de la ventana de unstakeo, necesitarás activar el proceso de cooldown de nuevo.\"],\"+EGVI0\":\"Recibir (est.)\",\"+VR63W\":[\"Participar en esta reserva de \",[\"symbol\"],\" da recompensas anuales.\"],\"+bmKdK\":\"Utiliza tu balance de AAVE, stkAAVE o aAava para delegar tu voto y poder de proposición. No enviarás ningún token, solo los derechos de votar y proponer cambios en el protocolo. Puedes volver a delegar o revocar el poder de vuelta en cualquier momento.\",\"+eOPG+\":\"Parece que no podemos cambiar la red automáticamente. Por favor, comprueba si puedes cambiarla desde la cartera.\",\"+i3Pd2\":\"Límite del préstamo\",\"+kLZGu\":\"Cantidad de activos suministrados\",\"+nuEh/\":\"Estimated time\",\"+xMFF8\":\"Remind me\",\"/57U31\":\"Cantidad para migrar\",\"/7ykiW\":\"Tomar prestado esta cantidad reducirá tu factor de salud y aumentará el riesgo de liquidación.\",\"/YA5pU\":\"E-Mode increases your LTV for a selected category of assets, meaning that when E-mode is enabled, you will have higher borrowing power over assets of the same E-mode category which are defined by Aave Governance. You can enter E-Mode from your <0>Dashboard. To learn more about E-Mode and applied restrictionn, see the <1>help guide or the <2>Aave V3 Technical Paper.\",\"/izjs/\":\"Cantidad mínima de Aave stakeado\",\"/jQctM\":\"To\",\"/lDBHm\":\"Preguntas frecuentes\",\"/yNlZf\":\"El préstamo estable no está habilitado\",\"/yQcJM\":\"Valor total\",\"00AB2i\":\"El usuario no tomó prestado el activo especificado\",\"00OflG\":\"No hay suficiente liquidez para que el activo seleccionado realice el cambio. Prueba reduciendo la cantidad.\",\"08/rZ9\":\"El periodo de cooldown es el tiempo requerido antes de unstakear tus tokens (20 días). Solo puedes retirar tus activos del Módulo de Seguridad después del periodo de cooldown y dentro de la ventana de unstakeo.<0>Aprende más\",\"0AmQcW\":\"Cambio de tasa\",\"0BF3yK\":\"Lo sentimos, no hemos podido encontrar la página que estabas buscando.\",\"0TAbjq\":\"Recent Transactions\",\"0jhlyw\":\"Riesgo de liquidación\",\"0ojY+Y\":\"Balance actual v2\",\"0thX3P\":\"Cambio de garantía\",\"0wGCWc\":\"Esta es la cantidad total que puedes suministrar en esta reserva. Puedes suministrar el balance de tu cartera hasta que se alcance el límite de suministro.\",\"1AsVfF\":\"Los datos de los precios no están disponibles actualmente para esta reserva en el subgraph del protocolo\",\"1LjK22\":\"Historial de transacciones\",\"1Onqx8\":[\"Aprobando \",[\"symbol\"],\"...\"],\"1Ue8sX\":\"Por favor conecta una cartera para ver tu información personal aquí.\",\"1YH41K\":[\"After the cooldown period ends, you will enter the unstake window of \",[\"0\"],\". You will continue receiving rewards during cooldown and the unstake period.\"],\"1bpx9A\":\"...\",\"1kWUB+\":\"Umbral <0/> de liquidación\",\"1m9Qqc\":\"Retirando y Cambiando\",\"1oyh4g\":\"Borrow rate\",\"1t7rez\":\"El suministro de activos está limitado a una cierta cantidad para reducir la exposición del protocolo a este activo y ayudar a manejar los riesgos implicados.\",\"2CAPu2\":\"Has retirado y cambiado tokens con éxito.\",\"2Eoi/a\":\"Ver detalles\",\"2FYpfJ\":\"Más\",\"2O3qp5\":\"Liquidez disponible\",\"2OM8/D\":[\"Este activo no se puede migrar debido a una restricción del límite de suministro en el mercado v3 de \",[\"marketName\"],\".\"],\"2Q4GU4\":\"Dirección bloqueada\",\"2ZGocC\":\"Aave es un protocolo totalmente descentralizado, gobernado por la comunidad de poseedores de tokens AAVE. Los poseedores de tokens AAVE discuten, proponen y votan colectivamente sobre las actualizaciones del protocolo. Los poseedores de tokens AAVE (solo en la red Ethereum) pueden votar ellos mismos sobre nuevas propuestas o delegarse a una dirección de su elección. Para aprender más, consulta la\",\"2a6G7d\":\"Por favor introduce una dirección de cartera válida.\",\"2bAhR7\":\"Conoce GHO\",\"2eBWE6\":\"Acepto los riesgos involucadros.\",\"2o/xRt\":\"Se ha alcanzado el límite de suministro en la reserva especificada. Prueba reduciendo la cantidad.\",\"2uJToh\":[[\"0\"],[\"name\"]],\"2x58bP\":\"El préstamo estable no está habilitado\",\"34Qfwy\":\"El límite del préstamo se ha sobrepasado\",\"39eQRj\":[\"Tomar prestado \",[\"symbol\"]],\"3BL1xB\":\"Total suministrado\",\"3BnIWi\":\"Cambiado\",\"3K0oMo\":\"Suministro restante\",\"3MoZhl\":\"No hay suficiente garantía para cubrir un nuevo préstamo\",\"3Np5O8\":[\"Suministrar \",[\"symbol\"]],\"3O8YTV\":\"Interés total acumulado\",\"3mXg0z\":\"LTV máximo\",\"3q3mFy\":\"Pagar\",\"3qsjtp\":\"El promedio ponderado de APY para todos los activos suministrados, incluidos los incentivos.\",\"3rL+os\":\"Solo puedes retirar tus activos del Módulo de Seguridad después de que finalice el período de cooldown y la ventana de unstakeo esté activa.\",\"42UgDM\":[\"Migrar al mercado V3 de \",[\"0\"]],\"49UFQA\":\"Resultados de la votación\",\"4DMZUI\":\"Ver Transacciones\",\"4HtGBb\":\"MAX\",\"4Y5H+g\":\"Términos\",\"4YYh4d\":\"Máximo disponible para tomar prestado\",\"4iPAI3\":\"Cantidad de préstamo mínima de GHO\",\"4lDFps\":\"Firma para continuar\",\"4wyw8H\":\"Transacciones\",\"5JSSxX\":[\"Tu cartera de \",[\"networkName\"],\" está vacía. Consigue activos de prueba gratis en\"],\"5K7kGO\":\"documentación\",\"5NOSGa\":\"El límite de deuda limita la cantidad posible que los usuarios del protocolo pueden tomar prestado contra este activo. El límite de deuda es específico para los activos en isolation mode y se indica en USD.\",\"5Ncc6j\":[\"Este activo casi ha alcanzado su límite de suministro. Solo se puede suministrar \",[\"messageValue\"],\" a este mercado.\"],\"5cZ/KX\":\"El suministro de deuda variable no es cero\",\"5che++\":\"Para solicitar acceso a este mercado, porfavor visita: <0>Nombre del proveedor de acceso\",\"5ctNdV\":[\"Mínimo \",[\"0\"],\" recibido\"],\"5hDe9v\":\"Acción de permiso requerida\",\"5rsnKT\":\"Recompensas disponibles\",\"5yC5m5\":\"Ver todos los votos\",\"6/dCYd\":\"Resumen\",\"60crCe\":\"Todas las transacciones\",\"62Xcjh\":\"Garantía\",\"65A04M\":\"Español\",\"6G8s+q\":\"Firmando\",\"6Jrv+z\":[\"Pagar \",[\"symbol\"]],\"6NGLTR\":\"Cantidad descontable\",\"6Xr0UU\":\"Cooling down...\",\"6bxci/\":\"Poder de votación\",\"6f8S68\":\"Mercados\",\"6g1gi0\":\"Propuestas\",\"6gvoHP\":\"Copiar mensaje de error\",\"6h3Q5G\":\"reembolsado\",\"6lFSyT\":\"Available to Stake\",\"6s8L6f\":\"Cambiar de red\",\"6yAAbq\":\"APY, tasa de préstamo\",\"70wH1Q\":\"APR\",\"72c5Qo\":\"Total\",\"73Auuq\":\"Los parámetros de descuento son decididos por la comunidad de Aave y pueden cambiar con el tiempo. Consulta el Gobierno para ver actualizaciones y vota para participar. <0>-Aprende más\",\"75qcAQ\":[[\"stepName\"]],\"7ITr5L\":\"Factor de salud\",\"7T/o5R\":\"Alcanzado\",\"7YlcXu\":\"El fork mode está activado\",\"7Z76Iw\":\"Tomar prestado no está disponible porque estás usando el Isolation mode. Para administrar el Isolation mode, visita tu <0>Panel de control.\",\"7aKlMS\":\"Compartir en Lens\",\"7bdUsR\":\"Redeem as aToken\",\"7er5fP\":\"Reclamar todo\",\"7hb2+s\":\"Time remaining until the withdraw period ends.\",\"7l88b8\":\"No se pudieron recuperar los datos, por favor recarga el gráfico.\",\"7p5kLi\":\"Panel de control\",\"7sofdl\":\"Retirar y Cambiar\",\"8+6BI0\":\"Ten cuidado - Estás muy cerca de la liquidación. Considera depositar más garantía o pagar alguno de tus préstamos\",\"87pUEW\":[\"Tu cartera de \",[\"name\"],\" está vacía. Compra o transfiere activos.\"],\"8F1i42\":\"Página no encontrada\",\"8G8M0u\":\"Cargando datos...\",\"8Iu1QS\":\"retirado\",\"8JL93T\":\"Todas las propuestas\",\"8Q51DU\":\"Añadir a la cartera\",\"8X/oyn\":\"Cantidad invalidad para generar\",\"8Z5FPv\":\"Desconectar cartera\",\"8Zz7s5\":\"activos\",\"8aLW8H\":\"Balance a revocar\",\"8bOT3H\":\"Tasa de uso\",\"8sLe4/\":\"Ver contrato\",\"8t/M0y\":\"Please connect your wallet to be able to bridge your tokens.\",\"8vETh9\":\"Mostrar\",\"94OHPx\":\"Estás entrando en el Isolation mode\",\"9CDK3/\":[\"Tomar prestado no está disponible actualmente para \",[\"0\"],\".\"],\"9GIj3z\":\"Tamaño de la reserva\",\"9Knqb4\":\"Balance stakeado\",\"9OBKm7\":\"Quorum\",\"9QHoGr\":\"Votos actuales\",\"9Rw96f\":[\"Este activo casi ha alcanzado su límite de préstamo. Solo hay \",[\"messageValue\"],\" disponibles para ser prestado de este mercado.\"],\"9Xj/qR\":[\"Algunos activos migrados no se utilizarán como garantía debido al isolation mode habilitado en el mercado V3 de \",[\"marketName\"],\". Visita el <0>Panel de control de \",[\"marketName\"],\" V3 para administrar el isolation mode.\"],\"9c6vDV\":\"Este activo ha alcanzado su límite de suministro. No queda nada disponible para ser suministrado desde este mercado.\",\"9kTWHA\":\"MAI ha sido pausado debido a una decisión de la comunidad. Los suministros, préstamos y pagos se han visto afectados. <0>Más información\",\"9lXchd\":\"Token subyacente\",\"9rWaKF\":\"Bridged Via CCIP\",\"9xSooW\":\"Puesto que esta es una red de pruebas, puedes obtener cualquiera de los activos si tienes ETH en tu cartera\",\"A/lwoe\":\"Elige uno de los servicios on-ramp\",\"A6dCI6\":[\"La máxima cantidad disponible para tomar prestado es <0/> \",[\"0\"],\" (<1/>).\"],\"AReoaV\":\"Tus préstamos\",\"ARu1L4\":\"Pagado\",\"AV7cGz\":\"Revisa los detalles del approve\",\"AZOjB8\":\"Recuperando datos...\",\"Ai0jas\":\"Únete a la discusión de la comunidad\",\"Ajl2rq\":\"El poder de préstamo y los activos están limitados debido al Isolation mode.\",\"AqgYNC\":\"El límite de préstamo del protocolo está al 100% para este activo. No es posible tomar más prestado.\",\"B3EcQR\":\"¡Gracias por votar!\",\"B6aXGH\":\"Estable\",\"B9Gqbz\":\"Tasa variable\",\"BDFEd+\":\"stETH suministrado como garantía continuará acumulando recompensas de staking proporcionadas por rebases diarios.\",\"BE2mP0\":\"Borrowed assets\",\"BJyN77\":\"Debido al impacto del factor de salud, se requiere un préstamo flash para realizar esta transacción, pero el Gobierno de Aave ha inhabilitado la disponibilidad de préstamos flash para este activo. Intenta reducir la cantidad o suministrar garantía adicional.\",\"BNL4Ep\":\"El uso como garantía está limitado debido al isolation mode. <0>Aprende más\",\"BQ/wCO\":\"Migrate your assets\",\"BjLdl1\":\"Con un descuento\",\"BnhYo8\":\"Categoría de activos\",\"Bq9Y7e\":\"Este activo está congelado debido a una decisión de la comunidad de Aave. <0>Más información\",\"BqWMDJ\":\"Faucet\",\"BqynZO\":\"Optimized for efficiency and risk by supporting blue-chip collateral assets\",\"Bsu7zX\":\"The fee includes the gas cost to complete the transaction on the destination chain and the fee paid to Chainlink CCIP service providers. You can chose to pay in the network token or GHO. <0>Learn more\",\"BwJKBw\":\"de\",\"C4/GSi\":\"Your balance of assets that are available to stake\",\"CDrsH+\":\"Documento técnico\",\"CK1KXz\":\"Max\",\"CMHmbm\":\"Deslizamiento\",\"CZXzs4\":\"Griego\",\"CcRNG6\":\"Cambiando\",\"CkTRmy\":[\"Reclamar \",[\"symbol\"]],\"CsqtLm\":\"Por favor conecta tu cartera para ver la herramienta de migración.\",\"CtGlFb\":[\"Faucet \",[\"networkName\"]],\"Cxt2YY\":\"Watch wallet\",\"D33VQU\":\"Esta acción reducirá el factor de salud de V3 por debajo del umbral de liquidación. Aumenta la garantía migrada o reduce el préstamo migrado para continuar.\",\"D8sc3k\":\"Stake balance\",\"D9BLRG\":\"Este activo ha sido pausado debido a una decisión de la comunidad. El suministro, los retiros, los préstamos y los pagos se han visto afectados.\",\"DAma/S\":\"La garantía es (en su mayoría) el mismo activo que se está tomando prestado\",\"DCnFg0\":[\"Direcciones (\",[\"0\"],\")\"],\"DG3Lv1\":\"Entiendo completamente los riesgos de migrar.\",\"DONJcV\":\"El activo base no puede ser rescatado\",\"DR+4uL\":\"Balance del suministro después del cambio\",\"DWjrck\":[\"Este activo no se puede migrar al mercado V3 de \",[\"marketName\"],\" debido a las restricciones del E-mode. Puedes deshabilitar o administrar las categorías del E-mode en tu <0>Panel de control V3\"],\"Dj+3wB\":\"Aave por mes\",\"DptNvx\":\"Amount Staked\",\"DuEq2K\":\"Colateralización\",\"DxfsGs\":\"Puedes reportar cualquier incidente a nuestro <0>Discord o <1>Github.\",\"Dzma+E\":\"Main Ethereum market with the largest selection of assets and yield options\",\"E/QGRL\":\"Deshabilitado\",\"EBL9Gz\":\"¡COPIADO!\",\"ES8dkb\":\"Interés fijo\",\"EZd3Dk\":[\"Restakeando \",[\"symbol\"]],\"EZqFZ+\":\"Staking this asset will earn the underlying asset supply yield in additon to other configured rewards.\",\"Ebgc76\":[\"Retirando \",[\"symbol\"]],\"EdQY6l\":\"Ninguno\",\"EjvKQ+\":\"Valor mínimo en USD recibido\",\"Enslfm\":\"Destination\",\"EvE9nO\":[\"Reactivar el periodo de cooldown para unstakear \",[\"0\"],\" \",[\"stakedToken\"]],\"EvECnL\":\"Migrar a V3\",\"EzMQbh\":\"The source chain time to finality is the main factor that determines the time to destination. <0>Learn more\",\"F40cwT\":\"Legacy Markets\",\"F6TdXL\":\"Aprende más.\",\"FDDPeZ\":\"Users can stake their assets in the protocol and earn incentives. In the case of a shortfall event, your stake can be slashed to cover the deficit, providing an additional layer of protection for the protocol.\",\"FHlMf/\":\"Balance actual v2\",\"FHpxjF\":[\"El factor de reserva es un porcentaje de interés que va a un \",[\"0\"],\" que es controlado por el gobierno de Aave para promover el crecimiento del ecosistema.\"],\"FOBZa6\":\"Capacidad de préstamo utilizada\",\"FPKEug\":\"Operación no soportada\",\"FbmMe7\":\"Direcciones vinculadas\",\"Fdp03t\":\"en\",\"Fjw9N+\":\"Activos a suministrar\",\"FmN0fk\":\"Restakear\",\"GDGLIs\":\"GHO es un activo nativo descentralizado, digital y respaldado por garantía, vinculado al USD. Es creado por los usuarios que lo toman prestado contra múltiples garantías. Cuando el usuario paga su posición de préstamo de GHO, el protocolo quema el GHO de ese usuario. Todos los pagos de interés acumulados por los acuñadores de GHO serán transferidos directamente a la tesorería de\xA0la\xA0DAO\xA0de\xA0Aave.\",\"GQrBTq\":\"Cambiar E-Mode\",\"GWswcZ\":\"Este activo está congelado debido a una decisión del Gobierno del Protocolo Aave. El 20 de diciembre de 2022, renFIL ya no será compatible y no se podrá conectar de nuevo a su red nativa. Se recomienda retirar las posiciones de suministro y pagar las posiciones de préstamo para que renFIL se pueda convertir de nuevo a FIL antes de la fecha límite. Después de esta fecha, ya no será posible convertir renFIL a FIL. <0>Más detalles\",\"GX8GKD\":\"Activos\",\"GgEj+0\":\"Modo de solo lectura. Conéctate a una cartera para realizar transacciones.\",\"GjkIKV\":\"finaliza\",\"GoK/QN\":\"Thank you for submitting feedback!\",\"GtP2hp\":[\"Tomar prestado no está disponible porque has habilitado el Efficieny Mode (E-Mode) para la categoría \",[\"0\"],\". Para manejar las categorías del E-Mode visita tu <0>Panel de control.\"],\"H6Ma8Z\":\"Descuento\",\"HB/wfS\":[[\"tooltipText\"]],\"HKDsQN\":\"Rewards can be claimed through\",\"Ha/U5f\":\"This is a program initiated and implemented by the decentralised ZKSync community. Aave Labs does not guarantee the program and accepts no liability.\",\"HciqKU\":\"This is a program initiated and implemented by the decentralised Aave community. Aave Labs does not guarantee the program and accepts no liability.\",\"Hi6Ttn\":\"Lo sentimos, se produjo un error imprevisto. Mientras tanto, puedes intentar recargar la página, o volver después.\",\"HkEDbS\":[[\"d\"],\"d\"],\"HmkYqM\":\"Ventana de unstakeo\",\"HpK/8d\":\"Recargar\",\"HrnC47\":\"Guardar y compartir\",\"HuVZMK\":\"Days\",\"HvJKMU\":[\"Este activo no se puede migrar al mercado v3 de \",[\"marketName\"],\", ya que el activo de garantía habilitará el isolation mode.\"],\"Hvwnm9\":[\"La cantidad máxima disponible para suministrar está limitada porque el límite de suministro del protocolo está al \",[\"0\"],\"%.\"],\"I8CX2c\":\"La cantidad total de tus activos denominados en USD que pueden ser usados como garantía para activos de préstamo.\",\"IAD2SB\":[\"Reclamando \",[\"symbol\"]],\"IG9X9/\":\"Tomar prestado este activo está limitado a una cierta cantidad para minimizar la insolvencia del fondo de liquidez.\",\"IOIx8L\":\"Está previsto que este activo se desvincule debido a una decisión del Gobierno del Protocolo Aave. <0>Más detalles\",\"IP+I/j\":\"Periodo de cooldown\",\"IaA40H\":\"Liquidación en\",\"J/hVSQ\":[[\"0\"]],\"JCoxL6\":\"Administrar analíticas\",\"JK9zf1\":[\"Interés compuesto estimado, incluyendo el descuento por Staking \",[\"0\"],\"AAVE en el Módulo de Seguridad.\"],\"JOqFba\":[\"Unstakeando \",[\"symbol\"]],\"JPrLjO\":\"No puedes usar este activo como garantía\",\"JU6q+W\":\"Recompensa(s) por reclamar\",\"JYKRJS\":\"Stakear\",\"JZMxX0\":\"No hay suficiente balance en tu cartera\",\"Jgflkm\":\"Obtener GHO\",\"JoMQnI\":\"Balance de la cartera\",\"JtwD8u\":\"Balance tomado prestado tras pagar\",\"JumYTK\":\"Supplied assets\",\"K05qZY\":\"Retirar y Cambiar\",\"KAz/NV\":\"El límite de deuda del protocolo está al 100% para este activo. No es posible tomar más prestado usando este activo como garantía.\",\"KLXVqE\":[\"Los tokens stETH se migrarán a Wrapped stETH usando el wrapper del protocolo de Lido, lo que provoca un cambio en el balance de suministro después de la migración: \",[\"0\"]],\"KLd6ky\":\"Use connected account\",\"KRpokz\":\"VER TX\",\"KSlpka\":\"Esto representa el umbral en el que un préstamo será considerado sin garantía suficiente y sujeto a la liquidación de la misma. Por ejemplo, si una garantía tiene un umbral de liquidación del 80 %, significa que el préstamo será liquidado cuando el valor de la deuda alcanze el 80% del valor de la garantía.\",\"KYAjf3\":\"Aislado\",\"KZwRuD\":[[\"notifyText\"]],\"KkPgim\":\"Cambiando E-Mode\",\"KnN1Tu\":\"Caduca\",\"KoOBI2\":\"Debido a mecánicas internas de stETH requeridas para el soporte del rebase, no es posible realizar un cambio de garantía donde stETH es el token de origen.\",\"KojyJ4\":\"Red incorrecta\",\"KsqhWn\":\"Staking\",\"KuBTQq\":\"Introduce la dirección ETH\",\"KvG1xW\":\"Reclamando\",\"L+8Lzs\":\"LTV actual\",\"L+qiq+\":\"Mercado\",\"LDzfVJ\":\"Send Feedback\",\"LIrMcF\":\"Sin poder de voto\",\"LL0zks\":\"Puede ser garantía\",\"LLdJWu\":\"AAVE Reclamable\",\"LSIpNK\":\"Tomar prestado y pagar en el mismo bloque no está permitido\",\"LVt3TI\":[\"<0>Tolerancia de deslizamiento <1>\",[\"selectedSlippage\"],\"% <2>\",[\"0\"],\"\"],\"LjafV8\":\"Maximum collateral amount to use\",\"LtpQew\":\"Let us know how we can make the app better for you. For user support related inquiries please reach out on\",\"LvVpD/\":\"Modo E\",\"M2sknc\":\"Tip: Intenta aumentar el deslizamiento o reduce la cantidad de entrada\",\"M7wPsD\":\"Cambiar\",\"MFu33y\":\"Staking 00\",\"MIy2RJ\":\"Maximum amount received\",\"MZ/nQf\":\"Dirección del destinatario\",\"Ma/MtY\":\"vista de stakeo\",\"McHlGl\":\"Cambio de APY\",\"MeCCA+\":\"APY, variable\",\"MghdTe\":\"Si el factor de salud se encuentra por debajo de 1, la liquidación de tu colateral puede ser activada.\",\"Mm/DVQ\":\"Has cancelado la transacción.\",\"MnE2QX\":\"Información de préstamo\",\"MrmQHg\":\"View Bridge Transactions\",\"MuDFEQ\":\"Valor de retorno inválido en la función executor del préstamo flash\",\"N5kUMV\":\"Este activo solo se puede utilizar como garantía en isolation mode con poder de préstamo limitado. Para entrar en el isolation mode, deshabilita todas las demás garantías.\",\"N6Pxr9\":\"View all\",\"NF0e1Q\":\"Pendiente...\",\"NK9ikO\":\"Balance de la cartera\",\"NMt2CB\":\"Cantidad reclamable\",\"NcFGxG\":\"Collector Contract\",\"NfpPeS\":\"Nada invertido\",\"Nh9DAo\":[[\"m\"],\"m\"],\"O+sCUU\":\"El límite de minteo sin respaldo ha sido excedido\",\"O+tyU+\":[\"La cantidad máxima disponible para tomar prestado contra este activo está limitada porque el límite de deuda está al \",[\"0\"],\"%.\"],\"O3oNi5\":\"Email\",\"OFjZGo\":\"Unstakear\",\"OR8cYX\":\"Resumen de la propuesta\",\"OYuJ9K\":\"El límite de deuda del protocolo está al 100% para este activo. No es posible tomar más prestado usando este activo como garantía.\",\"OfhWJH\":\"Restablecer\",\"Og2SKn\":\"deshabilitado\",\"On0aF2\":\"Página web\",\"OsyKSt\":\"Retirar\",\"P1dURE\":\"Revocar poder\",\"P2WCD/\":[\"El activo subyacente no existe en el mercado v3 de \",[\"marketName\"],\", por lo tanto, esta posición no se puede migrar.\"],\"P2sL6B\":\"Cuando ocurre una liquidación, los liquidadores pagan hasta el 50% de la cantidad pendiente del préstamo en nombre del prestatario. A cambio, pueden comprar la garantía con descuento y quedarse con la diferencia (sanción de liquidación) como bonificación.\",\"P6sRoL\":\"Stakea ABPT\",\"P72/OW\":\"El promedio ponderado de APY para todos los activos prestados, incluidos los incentivos.\",\"P7e6Ug\":\"Por favor conecta tu cartera para ver el historial de transacciones.\",\"PByO0X\":\"Votos\",\"PI+kVe\":\"Deshabilitar fork\",\"PJK9u/\":\"Apy préstamo\",\"PLUB/s\":\"Fee\",\"PP5ZA8\":[\"Participating in staking \",[\"symbol\"],\" gives annualized rewards. Your wallet balance is the sum of your aTokens and underlying assets. The breakdown to stake is below\"],\"PcBUgb\":\"Umbral de liquidación\",\"PjU6bu\":\"This asset is eligible for SPK incentive program. Aave Labs does not guarantee the program and accepts no liability.\",\"PpqD5g\":\"Habilitar este activo como garantía aumenta tu poder préstamo y el factor de salud. Sin embargo, puede ser liquidado si tu factor de salud cae por debajo de 1.\",\"PsOFSf\":\"Esta acción reducirá el factor de salud V2 por debajo del umbral de liquidación. Mantén la garantía o migra la posición de préstamo para continuar.\",\"Pu4bI/\":[[\"currentMethod\"]],\"Q0LzKi\":\"View TX\",\"Q4eNqa\":\"El Aave Balancer Pool Token (ABPT) es un token de pool de liquidez. Puedes recibir ABPT depositando una combinación de AAVE + wstETH en el pool de liquidez de Balancer. Luego puedes stakear tu BPT en el módulo de seguridad para asegurar el protocolo y ganar incentivos de seguridad.\",\"QQYsQ7\":\"Retirando\",\"QWYCs/\":\"Stakear GHO\",\"R+30X3\":\"No alcanzado\",\"RCU5PY\":\"Age\",\"RIfckG\":[\"Desactivar \",[\"symbol\"],\" como garantía\"],\"RMtxNk\":\"Diferencial\",\"RNK49r\":\"Firma inválida\",\"RS0o7b\":\"Estado\",\"RU+LqV\":\"Detalles de la propuesta\",\"RbXH+k\":\"Los poseedores de AAVE, GHO y ABPT (solo en la red de Ethereum) pueden stakear sus activos en el Módulo de Seguridad para añadir más seguridad al protocolo y obtener incentivos de seguridad. En el caso de un evento de shortfall, tu stakeo puede ser reducido para cubrir el déficit. proporcionando una capa adicional de protección para el protocolo.\",\"RiSYV4\":\"El activo no está listado\",\"Rj01Fz\":\"Enlaces\",\"RmWFEe\":\"Staking APR\",\"RoafuO\":\"Enviar feedback\",\"RtBLm7\":\"El factor de salud es menor que el umbral de liquidación\",\"RxzN1M\":\"Habilitado\",\"SDav7h\":\"Fondos en el Módulo de Seguridad\",\"SENccp\":\"Si el error persiste, <0/> podrías reportarlo a esto\",\"SIWumd\":\"Mostrar activos congelados o pausados\",\"SM58dD\":\"Cantidad en cooldown\",\"SSMiac\":\"Error al cargar los votantes de la propuesta. Por favor actualiza la página.\",\"SSQVIz\":\"Umbral de liquidación\",\"SUb8x0\":\"Total disponible\",\"SWIgh4\":\"Fees exceed wallet balance\",\"SY9hVo\":\"El modo de solo lectura permite ver las posiciones de las direcciones en Aave, pero no podrás realizar transacciones.\",\"SZRUQ4\":\"Deslizamiento máximo\",\"Sa1UE/\":\"El límite de préstamo del protocolo está al 100% para este activo. No es posible tomar más prestado.\",\"Sk2zW9\":\"Desactivando E-Mode\",\"SxaD0o\":\"La dirección del proveedor del pool no esta registrada\",\"T/AIqG\":\"El límite de suministro del protocolo está al 100% para este activo. No es posible suministrar más.\",\"T0xCO9\":\"No se puede validar la dirección de la cartera. Vuelve a intentarlo.\",\"T4OhVl\":\"GHO balance\",\"T6uYU2\":\"Tomar prestado\",\"TFxQlw\":\"Penalización de liquidación\",\"TQ7WsV\":\"Available to stake\",\"TUI7iB\":\"El activo solo puede usarse como garantía en el Isolation mode únicamente.\",\"TbjyhA\":\"Docs\",\"TduuS0\":\"El usuario no tiene deuda pendiente de tasa estable en esta reserva\",\"TeCFg/\":\"Cambio de tasa de préstamo\",\"Tg1JyO\":\"Bridge history\",\"TskbEN\":\"Los poseedores de stkAAVE reciben un descuento en la tasa de préstamo de GHO\",\"TszKts\":\"Balance de préstamo después del cambio\",\"TtZL6q\":\"Parámetros del modelo de descuento\",\"TwJI9F\":\"Asset has been successfully sent to CCIP contract. You can check the status of the transactions below\",\"Tz0GSZ\":\"actividades bloqueadas\",\"U/eBjN\":\"Recarga la página\",\"U2r8nY\":\"Elige cuánto poder de voto/proposición otorgar a otra persona delegando parte de tu balance de AAVe o stkAAVE. Tus tokens permanecerán en tu cuenta, pero tu delegado podrá votar o proponer en tu lugar. Si tu balance de AAVE, stkAAVE o aAave cambia, el poder de voto/proposición de tu delegado se ajustará automáticamente.\",\"U8IubP\":\"La aplicación se está ejecutando en testnet mode. Aprende como funciona en\",\"U9btTk\":\"El activo no se puede pedir prestado en isolation mode\",\"UAOZRe\":\"El impacto del precio es la diferencia entre el valor total de los tokens de entrada cambiados y los tokens de destino obtenidos (en USD), que resulta de la liquidez limitada del par de cambio.\",\"UE3KJZ\":\"El historial de transacciones no está disponible actualmente para este mercado\",\"URmyfc\":\"Detalles\",\"UTTKmT\":\"Cooldown de stakeo activado\",\"UXeR72\":\"Estos fondos se han tomado prestados y no están disponibles para su retirada en este momento.\",\"UYb8CM\":\"Learn more about the SPK rewards\",\"UbRrG0\":\"El ratio LTV máximo representa el poder de endeudamiento máximo de una garantía específica. Por ejemplo, si una garantía tiene un LTV del 75 %, el usuario puede pedir prestado hasta 0,75 ETH en la moneda principal por cada 1 ETH de garantía.\",\"UpndFj\":\"No hay recompensas para reclamar\",\"V0f2Xv\":\"Factor de reserva\",\"V1HK43\":\"Riesgos de migración\",\"VATFH9\":\"Deuda cubierta\",\"VHOVEJ\":\"Conectar cartera\",\"VMfYUK\":\"Seguridad de tu garantía depositada contra los activos prestados y su valor subyacente.\",\"VOAZJh\":\"Total de préstamos\",\"ViKYxK\":\"YAE\",\"W1SSoD\":\"Revisar detalles de la tx\",\"W5hVah\":\"Nada suministrado aún\",\"W5kTFy\":\"Votando\",\"W8ekPc\":\"Volver al panel de control\",\"WMPbRK\":\"No respaldado\",\"WNGZwH\":\"El E-Mode incrementa tu LTV para una categoría seleccionada de activos hasta el <0/>. <1>Aprende más\",\"WPWG/y\":\"Configuración y estado de la reserva\",\"WZLQSU\":\"El usuario no puede retirar más que el balance disponible\",\"WaZyaV\":\"<0>Ampleforth es un activo con rebase. Visita la <1>documentación para aprender más.\",\"WfU+XN\":\"Debido a que este activo está en pausa, no se pueden realizar acciones hasta nuevo aviso\",\"Wjmqs2\":\"No results found. You can import a custom token with a contract address\",\"WkZ6C6\":\"Para tomar prestado, necesitas suministrar cualquier activo para ser utilizado como garantía.\",\"WyMiQm\":\"Has cambiado los tokens con éxito.\",\"X/ITG9\":\"Copiar el texto del error\",\"X3Pp6x\":\"Utilizado como garantía\",\"X4Zt7j\":\"No se puede realizar la acción porque la reserva está pausada\",\"XBdKOj\":\"Direcciones de cartera de contrato inteligente representativas (Safe) en otras cadenas.\",\"XZzneG\":\"Saldrás del modo aislamiento y otros tokens pueden ser usados ahora como garantía\",\"Xg5y9S\":\"Amount to Bridge\",\"Xn4hUi\":\"Por favor ten siempre en cuenta tu <0>factor de salud (HF) cuando migres parcialmente una posición y que tus tasas serán actualizadas a tasas de la V3.\",\"Xy71ST\":\"Umbrella\",\"Y5kGkc\":\"VOTAR NO\",\"YDIOks\":\"Habilitar E-Mode\",\"YSodyW\":\"Esta acción reducirá tu factor de salud. Por favor ten en cuenta el riesgo incrementado de liquidación de la garantía.\",\"YXOWXM\":\"The total amount bridged minus CCIP fees. Paying in network token does not impact gho amount.\",\"YirHq7\":\"Feedback\",\"YogbCJ\":\"Testnet mode está ON\",\"YrDxdO\":\"Si tu relación préstamo-valor supera el umbral de liquidación, tu garantía puede ser liquidada.\",\"YyIM65\":\"No se cumplieron las condiciones de ajuste de tasas de interés\",\"YyydIq\":[\"Añade \",[\"0\"],\" a tu cartera para hacer un seguimiento del balance.\"],\"ZBvhI+\":\"Gobierno de Aave\",\"ZIIRAd\":\"Raw-Ipfs\",\"ZRq4tX\":\"Modo de eficiencia (E-Mode)\",\"ZSqEW+\":\"Manage E-Mode\",\"ZUFYFE\":\"Deshabilitar testnet\",\"Zbyywy\":\"Max slashing\",\"ZfUGFb\":\"Antes de suministrar\",\"ZiXN+B\":\"Assets to stake\",\"ZlsSDH\":\"Valor de liquidación\",\"ZrEc8j\":\"No pudimos encontrar ningún activo relacionado con tu búsqueda. Vuelve a intentarlo con un nombre diferente de activo, símbolo o dirección.\",\"ZsLF7e\":\"habilitado\",\"a0YQoQ\":\"Enter a valid address\",\"a2fBZn\":\"Tempo restante para unstakear\",\"a5RYZd\":\"Deshabilitar este activo como garantía afecta tu poder de préstamo y Factor de Salud.\",\"a7u1N9\":\"Precio\",\"a9D+6D\":\"Unstakeado\",\"aEtiwq\":\"Votar NO\",\"aMmFE1\":\"Comprar Crypto con Fiat\",\"aOKIms\":\"Los parámetros del array que deberían ser iguales en longitud no lo son\",\"aX31hk\":\"Tu balance es más bajo que la cantidad seleccionada.\",\"adUsDd\":\"Se ha producido un error al recuperar la propuesta.\",\"al6Pyz\":\"Supera el descuento\",\"aoXTT7\":\"APY préstamo, variable\",\"aqX1Yp\":\"This asset is eligible for rewards through SuperFest. Aave Labs does not guarantee the program and accepts no liability.\",\"avgETN\":\"Eligible for the Merit program.\",\"b4NS3e\":\"Advertencia periodo de cooldown\",\"bBHmeP\":\"Available to withdraw\",\"bNEQeI\":\"Cooldown\",\"bSruit\":\"ZKSync Ignite Program rewards are claimed through the\",\"bUUVED\":\"Activo\",\"bXQ/Og\":\"Compartir en twitter\",\"bXr0ee\":\"Los activos aislados han limitado tu capacidad de préstamo y otros activos no pueden ser usados como garantía.\",\"bYmAV1\":\"Direcciones\",\"bguKoJ\":\"La cantidad solicitada es mayor que el tamaño máximo del préstamo en el modo de tasa estable\",\"bwSQI0\":\"Suministrar\",\"bxN6EM\":\"No se puede deshabilitar E-Mode\",\"bxmzSh\":\"No hay suficiente garantía para pagar esta cantidad de deuda con\",\"c91vuQ\":\"La dirección no es un contrato\",\"c97os2\":\"aToken de Aave\",\"c9b44w\":\"No puedes retirar esta cantidad porque causará una liquidación\",\"cBc+4A\":\"Esta es la cantidad total disponible que puedes tomar prestada. Puedes tomar prestado basado en tu garantía y hasta que el límite de préstamo se alcance.\",\"cIl5kp\":\"Tu poder de voto se basa en tu balance de AAVE/stkAAVE y delegaciones recibidas.\",\"cLo09S\":\"Detalles de riesgo\",\"cNT+ij\":\"Tomar prestado no está disponible porque has habilitado el Efficiency Mode (E-Mode) y el Isolation mode. Para administrar el E-Mode y el Isolation Mode, visita tu <0>Panel de control.\",\"cZOeBk\":\"Something went wrong fetching bridge message, please try again later.\",\"ceix5S\":\"Para enviar una propuesta de cambios menores al protocolo, necesitarás al menos 80K de poder. Si deseas cambiar la base central del código, necesitarás un poder de 320K.<0>Aprende más\",\"ciSsYT\":\"Staking APY\",\"ciybUa\":\"Votar SI\",\"ckf7gX\":[\"Pagando \",[\"symbol\"]],\"cp1ZDP\":[\"Bridge \",[\"symbol\"]],\"cqnmnD\":\"Tasa de interés efectiva\",\"cqwIvs\":\"Hilo de discusión del foro\",\"csDS2L\":\"Disponible\",\"cu7Stb\":\"No has participado en esta propuesta\",\"dE6BLF\":\"Gobierno\",\"dEgA5A\":\"Cancelar\",\"dIsyWh\":\"La validación del LTV ha fallado\",\"dMtLDE\":\"para\",\"dOB5nW\":[\"La cantidad máxima disponible para suministrar es <0/> \",[\"0\"],\" (<1/>).\"],\"dVfODp\":\"No tienes suficientes fondos en tu cartera para pagar la cantidad total. Si procedes a pagar con tu cantidad actual de fondos, aún tendrás un pequeño préstamo en tu panel de control.\",\"dXUQFX\":\"Activos a tomar prestado\",\"dgr1aY\":\"Tomar prestado está deshabilitado debido a una decisión de la comunidad de Aave. <0>Más información\",\"djsg0o\":\"Uso de la garantía\",\"dpc0qG\":\"Variable\",\"drdV8R\":\"Liquidación\",\"dxW8cS\":\"Token de deuda de Aave\",\"e4V3oW\":\"Top 10 direcciones\",\"eD8WX/\":\"La acción requiere una reserva activa\",\"eJRJ04\":\"Cantidad para unstakear\",\"eLh0cL\":\"El deslizamiento es la diferencia entre las cantidades calculadas y las recibidas debido a las condiciones cambiantes del mercado entre el momento en que se envía la transacción y su verificación.\",\"ePK91l\":\"Editar\",\"eVpCmf\":\"Recompensas de Staking\",\"eVqvtf\":\"Bridge GHO\",\"eYdurp\":\"Aún no hay transacciones.\",\"ebLGGN\":\"Total tomado prestado\",\"ecqEvn\":\"El balance de garantía es 0\",\"efdrrk\":\"Disponible en\",\"enruNF\":\"empieza\",\"eqLYiD\":\"Unstakea ahora\",\"euScGB\":\"APY con descuento aplicado\",\"evw5ha\":\"Valor neto\",\"ezcU16\":\"Obtener Token ABP\",\"f3W0Ej\":[\"Has cambiado a tasa \",[\"0\"]],\"fH9i8k\":\"Has cambiado con éxito la posición de préstamo.\",\"fHcELk\":\"APR Neto\",\"fMJQZK\":\"Prestado\",\"fZ5Vnu\":\"Recibido\",\"firl9Q\":\"Tu actual relación préstamo-valor basado en tu garantía suministrada.\",\"flRCF/\":\"Descuento por staking\",\"fldjW9\":\"Previsualizar la tx y migrar\",\"fsBGk0\":\"Balance\",\"fu1Dbh\":[\"Retirar \",[\"symbol\"]],\"fwjWSI\":\"Suministrado\",\"fwyTMb\":\"Migrar a stkABPT v2\",\"g0mals\":\"You can not disable E-Mode because that could cause liquidation. To exit E-Mode supply or repay borrowed positions.\",\"g2UNkE\":\"Powered by\",\"g8KGoA\":\"FAQS\",\"g9zzqS\":\"Votó NAY\",\"gDd2gk\":\"about SuperFest.\",\"gFFh9h\":\"¡Todo listo!\",\"gIMJlW\":\"Testnet mode\",\"gOzPxe\":\"Este activo está congelado debido a una decisión del Gobierno del Protocolo Aave. <0>More información\",\"gTHi2T\":\"El usuario está intentando tomar prestado múltiples activos incluido uno aislado\",\"gVW59Y\":\"Por favor conecta tu cartera para obtener activos testnet gratis.\",\"gcFNxP\":\"Aprobación confirmada\",\"gncRUO\":\"Esta dirección está bloqueada en app.aave.com porque está asociada con una o más\",\"goff7V\":\"Dirección cero no válida\",\"gp+f1B\":\"Versión 3\",\"gr8mYw\":\"Puedes tomar prestado hasta <0/> GHO al <1/> (descuento máximo)\",\"gvTM4B\":\"El APY neto es el efecto combinado de todos los suministros y préstamos sobre total, incluidos los incentivos. Es posible tener un APY neto negativo si el APY de la deuda es mayor que el APY de suministro.\",\"gzcch9\":\"Comisión de puente de protocolo inválida\",\"h33MxW\":\"Direcciones de cartera de contrato inteligente representantes (Safe) en otras cadenas.\",\"h3ilK+\":\".CSV\",\"hB23LY\":\"Activar Cooldown\",\"hIJzBh\":\"Available to Claim\",\"hIS4N0\":\"APY neto\",\"hRWvpI\":\"Reclamado\",\"hdmy/o\":\"El % de tu poder de préstamo total utilizado. Esto se basa en la cantidad de tu garantía suministrada y la cantidad total que puedes pedir prestado.\",\"hehnjM\":\"Cantidad\",\"hjDCQr\":\"Hubo un error. Por favor intenta cambiar los parámetros o <0><1>copiar el error\",\"hom7qf\":\"Reclamar\",\"hpHJ4I\":\"Garantía liquidada\",\"hpuVIp\":\"Users who stake AAVE in Safety Module (i.e. stkAAVE holders) receive a discount on GHO borrow interest rate.\",\"huQ6Tz\":[\"Tomando prestado \",[\"symbol\"]],\"hxi7vE\":\"Balance tomado prestado\",\"i/fZ2Z\":\"Staked Balance\",\"i2JTiw\":\"Puedes ingresar una cantidad específica en el campo.\",\"iB5+/J\":\"Sobre GHO\",\"iChbOF\":\"Parámetros inconsistentes del préstamo flash\",\"iEPVHF\":\"No hay suficiente poder de voto para participar en esta propuesta\",\"iEW87X\":\"Poder delegado\",\"iEju36\":[\"Has votado \",[\"0\"]],\"iFq2YN\":\"Borrowable\",\"iGxyIA\":\"Safety Module\",\"iMVZk9\":\"Seleccionar tolerancia de deslizamiento\",\"iPMIoT\":\"Ingresa una cantidad\",\"iSLIjg\":\"Conectar\",\"iUo5rv\":\"tokens no es lo mismo que stakearlos. Si deseas stakearlos\",\"iZxa38\":\"Úsalo para votar a favor o en contra de propuestas activas.\",\"if5PH+\":\"Collector Info\",\"igkfR1\":[\"En el Isolation mode, no puedes suministrar otros activos como garantía. Un límite de deuda global limita la capacidad de préstamo del activo aislado. Para salir del Isolation mode, deshabilita \",[\"0\"],\" como garantía antes de tomar prestado otro activo. Lee más en nuestras <0>preguntas frecuentes \"],\"il0sEG\":\"El uso de garantías está limitado debido al Isolation mode.\",\"j+K1Xj\":\"Amount After Fee\",\"jA2QeW\":\"Suministrando tu\",\"jFi7dz\":\"Tasa de interés determinada por el gobierno de Aave. Esta tasa puede cambiar con el tiempo dependiendo de la necesidad de que el suministro de GHO se contraiga/expanda. <0>Aprende más\",\"jG3UJ7\":\"Desactivar el E-Mode\",\"jKYzR1\":\"Habilitar E-Mode\",\"jMam5g\":[\"Balance \",[\"0\"]],\"jSYv+Z\":\"Enabling E-Mode allows you to maximize your borrowing power, however, borrowing is restricted to assets within the selected category. <0>Learn more about how it works and the applied restrictions.\",\"jaKbwW\":[[\"s\"],\"s\"],\"jbFMap\":\"Periodo restante de cooldown\",\"jeMZNr\":[[\"0\"],\" el servicio on-ramp es proporcionado por proveedores externos y al seleccionarlo, estás aceptando los términos de dichos proveedores. Tu acceso al servicio podría depender de que el proveedor externo esté operativo.\"],\"jfl9OP\":\"Migrado\",\"jmXdoY\":\"En E-Mode algunos activos no se pueden pedir prestados. Sal del E-Mode para obtener acceso a todos los activos\",\"jpctdh\":\"Ver\",\"jqzUyM\":\"No disponible\",\"k/sb6z\":\"Seleccionar idioma\",\"k3wP3f\":\"<0>Atención: Los cambios de parámetros a través de la gobernanza pueden alterar el factor de salud de tu cuenta y el riesgo de liquidación. Sigue el <1>foro de gobierno de Aave para mantenerte actualizado.\",\"kACpF3\":[\"Reclamar \",[\"0\"]],\"kH6wUX\":\"Impacto del precio\",\"kIC28N\":\"Available to claim\",\"kIpSye\":[[\"numSelected\"],\"/\",[\"numAvailable\"],\" activos seleccionados\"],\"kN1Yg5\":\"Para pagar en nombre de un usuario, se necesita una cantidad explícita para pagar\",\"kRTD40\":[\"Cantidad a pagar para alcanzar el \",[\"0\"],\"% de utilización\"],\"kjN9tT\":\"El límite de suministro se ha sobrepasado\",\"knxE+G\":\".JSON\",\"ks2LWT\":\"El límite de deuda no es cero\",\"kwwn6i\":\"Los usuarios que stakean AAVE en el Modulo de Seguridad (es decir, poseedores de stkAAVE) reciben un descuento en la tasa de interés de préstamo de GHO. Este descuento se aplica a 100 GHO por cada 1 stkAAVE en posesión. Usa el calculador de abajo para ver la tasa de préstamo de GHO con el descuento aplicado.\",\"kz3wtK\":\"and about SPK program\",\"kzZyM4\":\"El balance de DAI se convertirá a través de los contratos de DSR y luego se suministrará como sDAI. El cambio no genera costos adicionales ni deslizamientos.\",\"lNVG7i\":\"Selecciona un activo\",\"lU2d1/\":[\"Este activo no se puede migrar debido a una liquidez insuficiente o a una limitación del límite de préstamo en el mercado v3 de \",[\"marketName\"],\".\"],\"lVhKKI\":\"Votó YAE\",\"lWLqxB\":\"No pudimos encontrar ninguna transacción relacionada con tu búsqueda. Vuelve a intentarlo con un nombre de activo diferente o restablece los filtros.\",\"lYGfRP\":\"Inglés\",\"lfEjIE\":\"Aprende más en nuestra guía <0>Preguntas frecuentes\",\"lt6bpt\":\"Garantía a pagar con\",\"m/IEhi\":\"Emisiones totales por día\",\"m7r7Hh\":\"Activos de préstamo seleccionados\",\"mDDK4p\":\"Pool de Balancer\",\"mIM0qu\":\"Cantidad esperada a pagar\",\"mUAFd6\":\"Versión 2\",\"masO5Z\":\"E-Mode increases your LTV for a selected category of assets. <0>Learn more\",\"mdNjKU\":[\"Tu cartera de \",[\"name\"],\" está vacía. Compra o transfiere activos o usa <0>\",[\"0\"],\" para transferir tus activos de \",[\"network\"],\".\"],\"muiOng\":[\"Comprar \",[\"cryptoSymbol\"],\" con Fiat\"],\"mvCXBY\":\"Stakea AAVE\",\"mwdzil\":\"Vale, cerrar\",\"mzI/c+\":\"Descargar\",\"mzdIia\":\"Este activo no puede usarse como garantía.\",\"n+SX4g\":\"Desarrolladores\",\"n8Psk4\":\"No podemos detectar una cartera. Conecta una cartera para stakear y ver tu balance.\",\"nJIhzm\":\"Apy de suministro\",\"nJgsQu\":\"Con un poder de votación de <0/>\",\"nLC6tu\":\"Francés\",\"nN2T8p\":\"During the cooldown period, you will not earn any merit rewards. However, rewards earned up to this point will remain unaffected.\",\"nNHV0z\":\"Migrar múltiples garantías y activos prestados al mismo tiempo puede ser una operación costosa y podría fallar en ciertas situaciones.<0>Por lo tanto, no se recomienda migrar posiciones con más de 5 activos (depositados + tomados prestados) al mismo tiempo.\",\"nNbnzu\":\"Proposición\",\"nOy4ob\":\"Te sugerimos volver al Panel de control.\",\"nPGNMh\":\"Puede ser ejecutado\",\"nUK1ou\":[\"Assets with zero LTV (\",[\"0\"],\") must be withdrawn or disabled as collateral to perform this action\"],\"nakd8r\":\"poseedores de stkAAVE obtienen un descuento en la tasa de préstamo de GHO\",\"nh2EJK\":[\"Por favor, cambia a \",[\"networkName\"],\".\"],\"njBeMm\":\"Ambos\",\"noN5Xf\":\"We couldn’t detect a wallet. Connect a wallet to view your staking positions and rewards.\",\"ntkAoE\":\"Descuento aplicado para <0/> AAVE stakeados\",\"ntyFSE\":[[\"h\"],\"h\"],\"nwtY4N\":\"Se produjo un error\",\"nxyWvj\":\"Retirar esta cantidad reducirá tu factor de salud y aumentará el riesgo de liquidación.\",\"o17QVP\":\"Tu factor de salud y la relación préstamo-valor determinan la seguridad de tu garantía. Para evitar liquidaciones, puedes suministrar más garantía o pagar las posiciones de préstamo.\",\"o1xc2V\":\"El balance de AToken no es cero\",\"o4tCu3\":\"APY préstamo\",\"o5ooMr\":\"Deuda\",\"o7J4JM\":\"Filtro\",\"oHFrpj\":\"Cooldown para undstakear\",\"oJ5ZiG\":\"El usuario no tiene deuda pendiente de tasa variable en esta reserva\",\"oRBGin\":\"Por favor conecta tu cartera para cambiar tus tokens.\",\"oUwXhx\":\"Activos de prueba\",\"oWklJD\":\"La tasa de interés estable <0>permanecerá igual durante la duración de su préstamo. Está recomendado para los períodos de préstamo a largo plazo y para los usuarios que prefieren la previsibilidad.\",\"odnIK3\":\"Time remaining until the 48 hour withdraw period starts.\",\"oiK5nY\":\"The current incentives period, decided on by the Aave community, has ended. Governance is in the process on renewing, check for updates. <0>Learn more.\",\"olREoo\":\"All borrow positions outside of this category must be closed to enable this category.\",\"om/XHs\":\"Disponible para suministrar\",\"ov0+mq\":\"Eligible for the ZKSync Ignite program.\",\"ovT1pF\":[\"Per the community, the \",[\"market\"],\" has been frozen.\"],\"ow3fug\":\"Sin resultados\",\"owSsI3\":\"Firmas listas\",\"p+R52m\":\"Ir al pool de Balancer\",\"p2A+s1\":[\"El periodo de cooldown es \",[\"0\"],\". Después \",[\"1\"],\" del cooldown, entrarás a la ventana de unstakeo de \",[\"2\"],\". Continuarás recibiendo premios durante el cooldown y la ventana de unstakeo.\"],\"p2S64u\":\"La relación préstamo-valor de las posiciones migradas provocaría la liquidación. Aumenta la garantía migrada o reduce el préstamo migrado para continuar.\",\"p2Z2Qi\":\"Este activo ha alcanzado su límite de préstamo. No queda nada disponible para ser prestado de este mercado.\",\"p3j+mb\":\"Tu balance de recompensa es 0\",\"p45alK\":\"Configurar la delegación\",\"p6u2s1\":\"Minimum amount of debt to be repaid\",\"pDgeaz\":[[\"title\"]],\"pdZqBk\":\"El balance subyacente debe ser mayor que 0\",\"pgWG9H\":\"No hay suficiente balance stakeado\",\"piPrJ7\":\"por favor comprueba que la cantidad que deseas depositar no está siendo utilizada actualmente para stakear. Si está utilizando para stakear, tu transacción podría fallar.\",\"pjO/iH\":\"Cantidad mínima recibida\",\"pooutM\":\"La votación está activa\",\"pqaM5s\":\"Confirmando transacción\",\"ptaxX3\":[\"Entiendo como el cooldown (\",[\"0\"],\") y el proceso de unstaking (\",[\"1\"],\") funcionan\"],\"py2iiY\":\"La función debe ser llamada por un pool\",\"q/51mF\":\"Migrar a V3\",\"q3df11\":\"Estrategia de tasa de interés\",\"q6lAbz\":\"Stakeado\",\"qB4kPi\":\"Suministrar APY\",\"qENI8q\":\"Configuración global\",\"qGz5zl\":\"Balance de la garantía tras pagar\",\"qIW9ZH\":\"Amount staked\",\"qOqbD6\":\"copiar el error\",\"qXCkEM\":\"Por favor, conecta tu cartera para ver tus suministros, préstamos y posiciones abiertas.\",\"qY2jnw\":\"Expiración inválida\",\"qf/fr+\":\"Interés acumulado\",\"qhhf9L\":\"Rewards available to claim\",\"quYPUU\":\"Variable interest rate will <0>fluctuate based on the market conditions.\",\"quzIeW\":\"User is in isolation mode or LTV is zero\",\"qvnz3q\":\"Cantidad inválida para quemar\",\"rHgdb0\":\"Migrate to Aave V3\",\"rOrHHe\":\"La cantidad debe ser mayor que 0\",\"rQ+R+0\":\"Activos de suministro seleccionados\",\"rSayea\":\"APY\",\"rTBDeu\":[\"Este activo no se puede migrar porque tienes una garantía en Isolation Mode en el mercado v3 de \",[\"marketName\"],\" que limita los activos prestados. Puedes administrar tu garantía en el <0>Panel de control V3 de \",[\"marketName\"],\"\"],\"rcT+yy\":\"Mostrar activos con 0 balance\",\"rf8POi\":\"Cantidad de activos tomados prestados\",\"riNWOA\":\"E-Mode\",\"rjGI/Q\":\"Privacidad\",\"rnKPW1\":\"Watch a wallet balance in read-only mode\",\"ruc7X+\":\"Añade stkAAVE para ver el APY de préstamo con el descuento\",\"rvbaFU\":[\"Bridging \",[\"symbol\"]],\"rwVVB7\":\"Reclamar todas las recompensas\",\"rwyUva\":\"Estos activos están temporalmente congelados o pausados por decisiones de la comunidad de Aave, lo que significa que no se puede suministrar / tomar prestado o intercambiar tasas de estos activos. Se permiten retiros y pagos de deuda. Sigue el <0>foro de gobierno de Aave para más actualizaciones.\",\"rxJW5W\":\"Tu poder de proposición se basa en tu balance de AAVE/stkAAVE y delegaciones recibidas.\",\"s2jJnW\":\"You don't have any bridge transactions\",\"s5wBAq\":[\"Unstakear \",[\"symbol\"]],\"sJbIdI\":\"Enter ETH address or ENS\",\"sK+Nag\":\"Revisión tx\",\"sP2+gB\":\"NO\",\"sQv06Y\":\"para\",\"sTtO6J\":\"Confirmar transacción\",\"sXKb3l\":\"Tasa de cambio\",\"sb0q4+\":\"Unstakea aquí\",\"smJNwH\":\"Disponible para tomar prestado\",\"solypO\":\"El factor de salud no está por debajo del umbral\",\"sr0UJD\":\"Volver atrás\",\"ss5GCK\":\"La dirección del proveedor del grupo de direcciones no es válida\",\"swEgK4\":\"Tu información de voto\",\"t+wtgf\":\"Nada tomado prestado aún\",\"t/YqKh\":\"Eliminar\",\"t81DpC\":[\"Aprueba \",[\"symbol\"],\" para continuar\"],\"tCnbEs\":\"Precio del oráculo\",\"tFZLf8\":\"Este cálculo de gas es solo una estimación. Tu cartera establecerá el precio de la transacción. Puedes modificar la configuración de gas directamente desde tu proveedor de cartera.\",\"tHuvQI\":\"Ir al panel de control V3\",\"tKv7cI\":\"Cambiar posición de préstamo\",\"tOcg3N\":\"Dado que este activo está congelado, las únicas acciones disponibles son retirar y pagar, a las que se puede acceder desde el <0>Panel de control\",\"tOuXfv\":[\"Cantidad a tomar prestado para alcanzar el \",[\"0\"],\"% de utilización\"],\"te9Bfl\":\"Por favor, conecta tu cartera\",\"tt5yma\":\"Tus suministros\",\"ttoh5c\":\"Cambiar a\",\"u3ZeYl\":\"Error en la transacción\",\"u706uF\":\"Préstamo flash inválido\",\"u8Gfu7\":[\"Sin resultados de búsqueda\",[\"0\"]],\"uAQUqI\":\"Status\",\"uHMwk8\":\"No hay activos seleccionados para migrar.\",\"uJPHuY\":\"Migrando\",\"uY8O30\":\"Para continuar, necesitas otorgar permiso a los contratos inteligentes de Aave para mover tus fondos de tu cartera. Según el activo y la cartera que uses, se hace firmando el mensaje de permiso (sin coste de gas), o enviando una transacción de aprobación (requiere coste de gas). <0>Aprende más\",\"udFheE\":\"Para el pago de un tipo específico de deuda, el usuario necesita tener una deuda de ese tipo\",\"ulNuNq\":\"Exportar datos a\",\"ulup2p\":\"Comprar Crypto con Fiat\",\"umICAY\":\"<0><1><2/>Añade stkAAVE para ver la tasa de préstamo con descuento\",\"usB84Z\":\"La cantidad máxima disponible para tomar prestado está limitada porque casi se ha alcanzado el límite de préstamo del protocolo.\",\"uwAUvj\":\"COPIAR IMAGEN\",\"v8x7Mg\":\"Garantía insuficiente para cubrir la nueva posición de préstamo. La cartera debe tener poder de préstamo suficiente para realizar el cambio de deuda.\",\"vEqxH9\":\"Restakeado\",\"vLyv1R\":\"Ocultar\",\"vMba49\":\"Tomar prestado no está habilitado\",\"vMpNwt\":\"Aprobar con\",\"vXIe7J\":\"Idioma\",\"vesuBJ\":\"Te permite decidir si utilizar un activo suministrado como garantía. Un activo utilizado como garantía afectará a tu poder de préstamo y factor de salud.\",\"w+V9Cx\":\"Stablecoin\",\"w/JtJ3\":\"El balance de deuda estable no es cero\",\"w4VBY+\":\"APR de recompensas\",\"w9dLMW\":[[\"label\"]],\"wAOL+X\":[\"Tu \",[\"action\"],\" <0/> \",[\"symbol\"]],\"wBIsjb\":\"Canal de Discord\",\"wQZbc/\":\"El llamador de la función no es un AToken\",\"wRRqvW\":\"No tienes suministros en este activo\",\"wZFvVU\":\"VOTAR SI\",\"wb/r1O\":[\"Faucet \",[\"0\"]],\"wdxz7K\":\"Source\",\"weH1nG\":\"El Protocolo Aave está programado para usar siempre el precio de 1 GHO = $1. Esto es diferente del uso del precio de mercado a través de oráculos para otros criptoactivos. Esto crea oportunidades de arbitraje estabilizadoras cuando el precio de GHO fluctúa.\",\"wh7Ezv\":\"No tienes balance de AAVE/stkAAVE/aAave para delegar.\",\"wlsIx7\":\"Con la testnet Faucet puedes obtener activos gratuitos para probar el Protocolo Aave. Asegúrate de cambiar tu proveedor de cartera a la red de testnet adecuada, selecciona el activo deseado y haz clic en \\\"Faucet\\\" para obtener tokens transferidos a tu cartera. Los activos de una testnet no son \\\"reales\\\", lo que significada que no tienen valor monetario. <0>Aprende más\",\"wmE285\":\"Obtener Token ABP v2\",\"wyRrcJ\":\"Como resultado de las decisiones del gobierno, este pool de stakeo de ABPT está obsoleto. Tienes la flexibilidad de migrar todos tus tokens a v2 o unstakearlos sin ningún periodo de cooldown.\",\"x5KiLL\":\"Los activos seleccionados se han migrado correctamente. Visita el panel de control del mercado para verlos.\",\"x7F2p6\":\"Diferencial actual\",\"x7K5ib\":[\"Tu cartera de \",[\"networkName\"],\" está vacía. Consigue \",[\"0\"],\" de prueba gratis en\"],\"x9iLRD\":\"tokens, por favor ve al\",\"xNy/UG\":\"Pagar con\",\"xPm8wv\":\"Aprende más sobre los riesgos involucrados\",\"xXYpZl\":[[\"0\"],\" Faucet\"],\"xaVBSS\":\"Tu información\",\"xaWZ6f\":\"Cambio tipo de APY\",\"xh6k71\":\"El uso de garantías está limitado debido al isolation mode.\",\"xvIklc\":\"El préstamo flash está deshabilitado para este activo, por lo tanto, esta posición no se puede migrar.\",\"y5rS9U\":\"Migrar\",\"y66tBm\":[\"Habilitar \",[\"symbol\"],\" como garantía\"],\"yB1YpA\":\"Modo oscuro\",\"yCrG6m\":\"Tamaño total del mercado\",\"yJUUbn\":\"Resumen de la transacción\",\"yLGmLX\":[\"Restakear \",[\"symbol\"]],\"yW1oWB\":\"Tipo APY\",\"yYHqJe\":\"Dirección no válida\",\"yZwLw6\":\"Haz seguimiento de tu cartera\",\"yh2sjd\":[\"Impacto en el precio \",[\"0\"],\"%\"],\"yhvj6d\":\"No puedes cambiar el uso como modo de garantía para este activo, porque causará una liquidación\",\"ylmtBZ\":\"La aplicación se ejecuta en fork mode.\",\"ymNY32\":[\"No hay fondos suficientes en la reserva\",[\"0\"],\"para tomar prestado\"],\"yz7wBu\":\"Cerrar\",\"z4uGQg\":\"El límite de deuda está sobrepasado\",\"z5UQOM\":\"La garantía elegida no puede ser liquidada\",\"z5Y+p6\":[\"Suministrando \",[\"symbol\"]],\"zCjNKs\":\"No se puede realizar la acción porque la reserva está congelada\",\"zRHytX\":\"Límite de deuda aislado\",\"zTOjMP\":\"El límite de suministro del protocolo está al 100% para este activo. No es posible suministrar más.\",\"zVdRUG\":\"Submission did not work, please try again later or contact wecare@avara.xyz\",\"zevmS2\":\"<0><1><2/>añade <3/> stkAAVE para tomar prestado al <4/> (descuento máximo)\",\"zgtIDV\":\"Deuda restante\",\"zmTPiV\":\"Balance de suministro\",\"zpPbZl\":\"Parámetros de riesgo de liquidación\",\"zucql+\":\"Menú\",\"zwWKhA\":\"Aprende más\",\"zy9fXn\":[\"Este activo está congelado en el mercado v3 de \",[\"marketName\"],\", por lo tanto, esta posición no se puede migrar.\"],\"zys+R6\":\"Ten en cuenta la congestión de la red y los precios del gas.\",\"zzzTXS\":\"Merit Program rewards are claimed through the\"}")}; \ No newline at end of file +/*eslint-disable*/module.exports={messages:JSON.parse("{\"+0xecS\":[\"Si NO unstakeas entre \",[\"0\"],\" de la ventana de unstakeo, necesitarás activar el proceso de cooldown de nuevo.\"],\"+EGVI0\":\"Recibir (est.)\",\"+VR63W\":[\"Participar en esta reserva de \",[\"symbol\"],\" da recompensas anuales.\"],\"+bmKdK\":\"Utiliza tu balance de AAVE, stkAAVE o aAava para delegar tu voto y poder de proposición. No enviarás ningún token, solo los derechos de votar y proponer cambios en el protocolo. Puedes volver a delegar o revocar el poder de vuelta en cualquier momento.\",\"+eOPG+\":\"Parece que no podemos cambiar la red automáticamente. Por favor, comprueba si puedes cambiarla desde la cartera.\",\"+i3Pd2\":\"Límite del préstamo\",\"+kLZGu\":\"Cantidad de activos suministrados\",\"+nuEh/\":\"Estimated time\",\"+xMFF8\":\"Remind me\",\"/57U31\":\"Cantidad para migrar\",\"/7ykiW\":\"Tomar prestado esta cantidad reducirá tu factor de salud y aumentará el riesgo de liquidación.\",\"/YA5pU\":\"E-Mode increases your LTV for a selected category of assets, meaning that when E-mode is enabled, you will have higher borrowing power over assets of the same E-mode category which are defined by Aave Governance. You can enter E-Mode from your <0>Dashboard. To learn more about E-Mode and applied restrictionn, see the <1>help guide or the <2>Aave V3 Technical Paper.\",\"/izjs/\":\"Cantidad mínima de Aave stakeado\",\"/jQctM\":\"To\",\"/lDBHm\":\"Preguntas frecuentes\",\"/yNlZf\":\"El préstamo estable no está habilitado\",\"/yQcJM\":\"Valor total\",\"00AB2i\":\"El usuario no tomó prestado el activo especificado\",\"00OflG\":\"No hay suficiente liquidez para que el activo seleccionado realice el cambio. Prueba reduciendo la cantidad.\",\"08/rZ9\":\"El periodo de cooldown es el tiempo requerido antes de unstakear tus tokens (20 días). Solo puedes retirar tus activos del Módulo de Seguridad después del periodo de cooldown y dentro de la ventana de unstakeo.<0>Aprende más\",\"0AmQcW\":\"Cambio de tasa\",\"0BF3yK\":\"Lo sentimos, no hemos podido encontrar la página que estabas buscando.\",\"0TAbjq\":\"Recent Transactions\",\"0jhlyw\":\"Riesgo de liquidación\",\"0ojY+Y\":\"Balance actual v2\",\"0thX3P\":\"Cambio de garantía\",\"0wGCWc\":\"Esta es la cantidad total que puedes suministrar en esta reserva. Puedes suministrar el balance de tu cartera hasta que se alcance el límite de suministro.\",\"1AsVfF\":\"Los datos de los precios no están disponibles actualmente para esta reserva en el subgraph del protocolo\",\"1LjK22\":\"Historial de transacciones\",\"1Onqx8\":[\"Aprobando \",[\"symbol\"],\"...\"],\"1Ue8sX\":\"Por favor conecta una cartera para ver tu información personal aquí.\",\"1YH41K\":[\"After the cooldown period ends, you will enter the unstake window of \",[\"0\"],\". You will continue receiving rewards during cooldown and the unstake period.\"],\"1bpx9A\":\"...\",\"1kWUB+\":\"Umbral <0/> de liquidación\",\"1m9Qqc\":\"Retirando y Cambiando\",\"1oyh4g\":\"Borrow rate\",\"1t7rez\":\"El suministro de activos está limitado a una cierta cantidad para reducir la exposición del protocolo a este activo y ayudar a manejar los riesgos implicados.\",\"2CAPu2\":\"Has retirado y cambiado tokens con éxito.\",\"2Eoi/a\":\"Ver detalles\",\"2FYpfJ\":\"Más\",\"2O3qp5\":\"Liquidez disponible\",\"2OM8/D\":[\"Este activo no se puede migrar debido a una restricción del límite de suministro en el mercado v3 de \",[\"marketName\"],\".\"],\"2Q4GU4\":\"Dirección bloqueada\",\"2ZGocC\":\"Aave es un protocolo totalmente descentralizado, gobernado por la comunidad de poseedores de tokens AAVE. Los poseedores de tokens AAVE discuten, proponen y votan colectivamente sobre las actualizaciones del protocolo. Los poseedores de tokens AAVE (solo en la red Ethereum) pueden votar ellos mismos sobre nuevas propuestas o delegarse a una dirección de su elección. Para aprender más, consulta la\",\"2a6G7d\":\"Por favor introduce una dirección de cartera válida.\",\"2bAhR7\":\"Conoce GHO\",\"2eBWE6\":\"Acepto los riesgos involucadros.\",\"2o/xRt\":\"Se ha alcanzado el límite de suministro en la reserva especificada. Prueba reduciendo la cantidad.\",\"2uJToh\":[[\"0\"],[\"name\"]],\"2x58bP\":\"El préstamo estable no está habilitado\",\"34Qfwy\":\"El límite del préstamo se ha sobrepasado\",\"39eQRj\":[\"Tomar prestado \",[\"symbol\"]],\"3BL1xB\":\"Total suministrado\",\"3BnIWi\":\"Cambiado\",\"3K0oMo\":\"Suministro restante\",\"3MoZhl\":\"No hay suficiente garantía para cubrir un nuevo préstamo\",\"3Np5O8\":[\"Suministrar \",[\"symbol\"]],\"3O8YTV\":\"Interés total acumulado\",\"3mXg0z\":\"LTV máximo\",\"3q3mFy\":\"Pagar\",\"3qsjtp\":\"El promedio ponderado de APY para todos los activos suministrados, incluidos los incentivos.\",\"3rL+os\":\"Solo puedes retirar tus activos del Módulo de Seguridad después de que finalice el período de cooldown y la ventana de unstakeo esté activa.\",\"42UgDM\":[\"Migrar al mercado V3 de \",[\"0\"]],\"49UFQA\":\"Resultados de la votación\",\"4DMZUI\":\"Ver Transacciones\",\"4HtGBb\":\"MAX\",\"4Y5H+g\":\"Términos\",\"4YYh4d\":\"Máximo disponible para tomar prestado\",\"4iPAI3\":\"Cantidad de préstamo mínima de GHO\",\"4lDFps\":\"Firma para continuar\",\"4wyw8H\":\"Transacciones\",\"5JSSxX\":[\"Tu cartera de \",[\"networkName\"],\" está vacía. Consigue activos de prueba gratis en\"],\"5K7kGO\":\"documentación\",\"5NOSGa\":\"El límite de deuda limita la cantidad posible que los usuarios del protocolo pueden tomar prestado contra este activo. El límite de deuda es específico para los activos en isolation mode y se indica en USD.\",\"5Ncc6j\":[\"Este activo casi ha alcanzado su límite de suministro. Solo se puede suministrar \",[\"messageValue\"],\" a este mercado.\"],\"5cZ/KX\":\"El suministro de deuda variable no es cero\",\"5che++\":\"Para solicitar acceso a este mercado, porfavor visita: <0>Nombre del proveedor de acceso\",\"5ctNdV\":[\"Mínimo \",[\"0\"],\" recibido\"],\"5hDe9v\":\"Acción de permiso requerida\",\"5rsnKT\":\"Recompensas disponibles\",\"5yC5m5\":\"Ver todos los votos\",\"6/dCYd\":\"Resumen\",\"60crCe\":\"Todas las transacciones\",\"62Xcjh\":\"Garantía\",\"65A04M\":\"Español\",\"6G8s+q\":\"Firmando\",\"6Jrv+z\":[\"Pagar \",[\"symbol\"]],\"6NGLTR\":\"Cantidad descontable\",\"6Xr0UU\":\"Cooling down...\",\"6bxci/\":\"Poder de votación\",\"6f8S68\":\"Mercados\",\"6g1gi0\":\"Propuestas\",\"6gvoHP\":\"Copiar mensaje de error\",\"6h3Q5G\":\"reembolsado\",\"6lFSyT\":\"Available to Stake\",\"6s8L6f\":\"Cambiar de red\",\"6yAAbq\":\"APY, tasa de préstamo\",\"70wH1Q\":\"APR\",\"72c5Qo\":\"Total\",\"73Auuq\":\"Los parámetros de descuento son decididos por la comunidad de Aave y pueden cambiar con el tiempo. Consulta el Gobierno para ver actualizaciones y vota para participar. <0>-Aprende más\",\"75qcAQ\":[[\"stepName\"]],\"7ITr5L\":\"Factor de salud\",\"7T/o5R\":\"Alcanzado\",\"7YlcXu\":\"El fork mode está activado\",\"7Z76Iw\":\"Tomar prestado no está disponible porque estás usando el Isolation mode. Para administrar el Isolation mode, visita tu <0>Panel de control.\",\"7aKlMS\":\"Compartir en Lens\",\"7bdUsR\":\"Redeem as aToken\",\"7er5fP\":\"Reclamar todo\",\"7hb2+s\":\"Time remaining until the withdraw period ends.\",\"7l88b8\":\"No se pudieron recuperar los datos, por favor recarga el gráfico.\",\"7p5kLi\":\"Panel de control\",\"7sofdl\":\"Retirar y Cambiar\",\"8+6BI0\":\"Ten cuidado - Estás muy cerca de la liquidación. Considera depositar más garantía o pagar alguno de tus préstamos\",\"87pUEW\":[\"Tu cartera de \",[\"name\"],\" está vacía. Compra o transfiere activos.\"],\"8F1i42\":\"Página no encontrada\",\"8G8M0u\":\"Cargando datos...\",\"8Iu1QS\":\"retirado\",\"8JL93T\":\"Todas las propuestas\",\"8Q51DU\":\"Añadir a la cartera\",\"8X/oyn\":\"Cantidad invalidad para generar\",\"8Z5FPv\":\"Desconectar cartera\",\"8Zz7s5\":\"activos\",\"8aLW8H\":\"Balance a revocar\",\"8bOT3H\":\"Tasa de uso\",\"8sLe4/\":\"Ver contrato\",\"8t/M0y\":\"Please connect your wallet to be able to bridge your tokens.\",\"8vETh9\":\"Mostrar\",\"94OHPx\":\"Estás entrando en el Isolation mode\",\"9CDK3/\":[\"Tomar prestado no está disponible actualmente para \",[\"0\"],\".\"],\"9GIj3z\":\"Tamaño de la reserva\",\"9Knqb4\":\"Balance stakeado\",\"9OBKm7\":\"Quorum\",\"9QHoGr\":\"Votos actuales\",\"9Rw96f\":[\"Este activo casi ha alcanzado su límite de préstamo. Solo hay \",[\"messageValue\"],\" disponibles para ser prestado de este mercado.\"],\"9Xj/qR\":[\"Algunos activos migrados no se utilizarán como garantía debido al isolation mode habilitado en el mercado V3 de \",[\"marketName\"],\". Visita el <0>Panel de control de \",[\"marketName\"],\" V3 para administrar el isolation mode.\"],\"9c6vDV\":\"Este activo ha alcanzado su límite de suministro. No queda nada disponible para ser suministrado desde este mercado.\",\"9kTWHA\":\"MAI ha sido pausado debido a una decisión de la comunidad. Los suministros, préstamos y pagos se han visto afectados. <0>Más información\",\"9lXchd\":\"Token subyacente\",\"9rWaKF\":\"Bridged Via CCIP\",\"9xSooW\":\"Puesto que esta es una red de pruebas, puedes obtener cualquiera de los activos si tienes ETH en tu cartera\",\"A/lwoe\":\"Elige uno de los servicios on-ramp\",\"A6dCI6\":[\"La máxima cantidad disponible para tomar prestado es <0/> \",[\"0\"],\" (<1/>).\"],\"AReoaV\":\"Tus préstamos\",\"ARu1L4\":\"Pagado\",\"AV7cGz\":\"Revisa los detalles del approve\",\"AZOjB8\":\"Recuperando datos...\",\"Ai0jas\":\"Únete a la discusión de la comunidad\",\"Ajl2rq\":\"El poder de préstamo y los activos están limitados debido al Isolation mode.\",\"AqgYNC\":\"El límite de préstamo del protocolo está al 100% para este activo. No es posible tomar más prestado.\",\"B3EcQR\":\"¡Gracias por votar!\",\"B6aXGH\":\"Estable\",\"B9Gqbz\":\"Tasa variable\",\"BDFEd+\":\"stETH suministrado como garantía continuará acumulando recompensas de staking proporcionadas por rebases diarios.\",\"BE2mP0\":\"Borrowed assets\",\"BJyN77\":\"Debido al impacto del factor de salud, se requiere un préstamo flash para realizar esta transacción, pero el Gobierno de Aave ha inhabilitado la disponibilidad de préstamos flash para este activo. Intenta reducir la cantidad o suministrar garantía adicional.\",\"BNL4Ep\":\"El uso como garantía está limitado debido al isolation mode. <0>Aprende más\",\"BQ/wCO\":\"Migrate your assets\",\"BjLdl1\":\"Con un descuento\",\"BnhYo8\":\"Categoría de activos\",\"Bq9Y7e\":\"Este activo está congelado debido a una decisión de la comunidad de Aave. <0>Más información\",\"BqWMDJ\":\"Faucet\",\"BqynZO\":\"Optimized for efficiency and risk by supporting blue-chip collateral assets\",\"Bsu7zX\":\"The fee includes the gas cost to complete the transaction on the destination chain and the fee paid to Chainlink CCIP service providers. You can chose to pay in the network token or GHO. <0>Learn more\",\"BwJKBw\":\"de\",\"C4/GSi\":\"Your balance of assets that are available to stake\",\"CDrsH+\":\"Documento técnico\",\"CK1KXz\":\"Max\",\"CMHmbm\":\"Deslizamiento\",\"CZXzs4\":\"Griego\",\"CcRNG6\":\"Cambiando\",\"CkTRmy\":[\"Reclamar \",[\"symbol\"]],\"CsqtLm\":\"Por favor conecta tu cartera para ver la herramienta de migración.\",\"CtGlFb\":[\"Faucet \",[\"networkName\"]],\"Cxt2YY\":\"Watch wallet\",\"D33VQU\":\"Esta acción reducirá el factor de salud de V3 por debajo del umbral de liquidación. Aumenta la garantía migrada o reduce el préstamo migrado para continuar.\",\"D8sc3k\":\"Stake balance\",\"D9BLRG\":\"Este activo ha sido pausado debido a una decisión de la comunidad. El suministro, los retiros, los préstamos y los pagos se han visto afectados.\",\"DAma/S\":\"La garantía es (en su mayoría) el mismo activo que se está tomando prestado\",\"DCnFg0\":[\"Direcciones (\",[\"0\"],\")\"],\"DG3Lv1\":\"Entiendo completamente los riesgos de migrar.\",\"DONJcV\":\"El activo base no puede ser rescatado\",\"DR+4uL\":\"Balance del suministro después del cambio\",\"DWjrck\":[\"Este activo no se puede migrar al mercado V3 de \",[\"marketName\"],\" debido a las restricciones del E-mode. Puedes deshabilitar o administrar las categorías del E-mode en tu <0>Panel de control V3\"],\"Dj+3wB\":\"Aave por mes\",\"DptNvx\":\"Amount Staked\",\"DuEq2K\":\"Colateralización\",\"DxfsGs\":\"Puedes reportar cualquier incidente a nuestro <0>Discord o <1>Github.\",\"Dzma+E\":\"Main Ethereum market with the largest selection of assets and yield options\",\"E/QGRL\":\"Deshabilitado\",\"EBL9Gz\":\"¡COPIADO!\",\"ES8dkb\":\"Interés fijo\",\"EZd3Dk\":[\"Restakeando \",[\"symbol\"]],\"EZqFZ+\":\"Staking this asset will earn the underlying asset supply yield in additon to other configured rewards.\",\"Ebgc76\":[\"Retirando \",[\"symbol\"]],\"EdQY6l\":\"Ninguno\",\"EjvKQ+\":\"Valor mínimo en USD recibido\",\"Enslfm\":\"Destination\",\"EvE9nO\":[\"Reactivar el periodo de cooldown para unstakear \",[\"0\"],\" \",[\"stakedToken\"]],\"EvECnL\":\"Migrar a V3\",\"EzMQbh\":\"The source chain time to finality is the main factor that determines the time to destination. <0>Learn more\",\"F40cwT\":\"Legacy Markets\",\"F6TdXL\":\"Aprende más.\",\"FDDPeZ\":\"Users can stake their assets in the protocol and earn incentives. In the case of a shortfall event, your stake can be slashed to cover the deficit, providing an additional layer of protection for the protocol.\",\"FHlMf/\":\"Balance actual v2\",\"FHpxjF\":[\"El factor de reserva es un porcentaje de interés que va a un \",[\"0\"],\" que es controlado por el gobierno de Aave para promover el crecimiento del ecosistema.\"],\"FOBZa6\":\"Capacidad de préstamo utilizada\",\"FPKEug\":\"Operación no soportada\",\"FbmMe7\":\"Direcciones vinculadas\",\"Fdp03t\":\"en\",\"Fjw9N+\":\"Activos a suministrar\",\"FmN0fk\":\"Restakear\",\"GDGLIs\":\"GHO es un activo nativo descentralizado, digital y respaldado por garantía, vinculado al USD. Es creado por los usuarios que lo toman prestado contra múltiples garantías. Cuando el usuario paga su posición de préstamo de GHO, el protocolo quema el GHO de ese usuario. Todos los pagos de interés acumulados por los acuñadores de GHO serán transferidos directamente a la tesorería de\xA0la\xA0DAO\xA0de\xA0Aave.\",\"GQrBTq\":\"Cambiar E-Mode\",\"GWswcZ\":\"Este activo está congelado debido a una decisión del Gobierno del Protocolo Aave. El 20 de diciembre de 2022, renFIL ya no será compatible y no se podrá conectar de nuevo a su red nativa. Se recomienda retirar las posiciones de suministro y pagar las posiciones de préstamo para que renFIL se pueda convertir de nuevo a FIL antes de la fecha límite. Después de esta fecha, ya no será posible convertir renFIL a FIL. <0>Más detalles\",\"GX8GKD\":\"Activos\",\"GgEj+0\":\"Modo de solo lectura. Conéctate a una cartera para realizar transacciones.\",\"GjkIKV\":\"finaliza\",\"GoK/QN\":\"Thank you for submitting feedback!\",\"GtP2hp\":[\"Tomar prestado no está disponible porque has habilitado el Efficieny Mode (E-Mode) para la categoría \",[\"0\"],\". Para manejar las categorías del E-Mode visita tu <0>Panel de control.\"],\"H6Ma8Z\":\"Descuento\",\"HB/wfS\":[[\"tooltipText\"]],\"HKDsQN\":\"Rewards can be claimed through\",\"Ha/U5f\":\"This is a program initiated and implemented by the decentralised ZKSync community. Aave Labs does not guarantee the program and accepts no liability.\",\"HciqKU\":\"This is a program initiated and implemented by the decentralised Aave community. Aave Labs does not guarantee the program and accepts no liability.\",\"Hi6Ttn\":\"Lo sentimos, se produjo un error imprevisto. Mientras tanto, puedes intentar recargar la página, o volver después.\",\"HkEDbS\":[[\"d\"],\"d\"],\"HmkYqM\":\"Ventana de unstakeo\",\"HpK/8d\":\"Recargar\",\"HrnC47\":\"Guardar y compartir\",\"HuVZMK\":\"Days\",\"HvJKMU\":[\"Este activo no se puede migrar al mercado v3 de \",[\"marketName\"],\", ya que el activo de garantía habilitará el isolation mode.\"],\"Hvwnm9\":[\"La cantidad máxima disponible para suministrar está limitada porque el límite de suministro del protocolo está al \",[\"0\"],\"%.\"],\"I8CX2c\":\"La cantidad total de tus activos denominados en USD que pueden ser usados como garantía para activos de préstamo.\",\"IAD2SB\":[\"Reclamando \",[\"symbol\"]],\"IG9X9/\":\"Tomar prestado este activo está limitado a una cierta cantidad para minimizar la insolvencia del fondo de liquidez.\",\"IOIx8L\":\"Está previsto que este activo se desvincule debido a una decisión del Gobierno del Protocolo Aave. <0>Más detalles\",\"IP+I/j\":\"Periodo de cooldown\",\"IaA40H\":\"Liquidación en\",\"J/hVSQ\":[[\"0\"]],\"JCoxL6\":\"Administrar analíticas\",\"JK9zf1\":[\"Interés compuesto estimado, incluyendo el descuento por Staking \",[\"0\"],\"AAVE en el Módulo de Seguridad.\"],\"JOqFba\":[\"Unstakeando \",[\"symbol\"]],\"JPrLjO\":\"No puedes usar este activo como garantía\",\"JU6q+W\":\"Recompensa(s) por reclamar\",\"JYKRJS\":\"Stakear\",\"JZMxX0\":\"No hay suficiente balance en tu cartera\",\"Jgflkm\":\"Obtener GHO\",\"JoMQnI\":\"Balance de la cartera\",\"JtwD8u\":\"Balance tomado prestado tras pagar\",\"JumYTK\":\"Supplied assets\",\"K05qZY\":\"Retirar y Cambiar\",\"KAz/NV\":\"El límite de deuda del protocolo está al 100% para este activo. No es posible tomar más prestado usando este activo como garantía.\",\"KLXVqE\":[\"Los tokens stETH se migrarán a Wrapped stETH usando el wrapper del protocolo de Lido, lo que provoca un cambio en el balance de suministro después de la migración: \",[\"0\"]],\"KLd6ky\":\"Use connected account\",\"KRpokz\":\"VER TX\",\"KSlpka\":\"Esto representa el umbral en el que un préstamo será considerado sin garantía suficiente y sujeto a la liquidación de la misma. Por ejemplo, si una garantía tiene un umbral de liquidación del 80 %, significa que el préstamo será liquidado cuando el valor de la deuda alcanze el 80% del valor de la garantía.\",\"KYAjf3\":\"Aislado\",\"KZwRuD\":[[\"notifyText\"]],\"KkPgim\":\"Cambiando E-Mode\",\"KnN1Tu\":\"Caduca\",\"KoOBI2\":\"Debido a mecánicas internas de stETH requeridas para el soporte del rebase, no es posible realizar un cambio de garantía donde stETH es el token de origen.\",\"KojyJ4\":\"Red incorrecta\",\"KsqhWn\":\"Staking\",\"KuBTQq\":\"Introduce la dirección ETH\",\"KvG1xW\":\"Reclamando\",\"L+8Lzs\":\"LTV actual\",\"L+qiq+\":\"Mercado\",\"LDzfVJ\":\"Send Feedback\",\"LIrMcF\":\"Sin poder de voto\",\"LL0zks\":\"Puede ser garantía\",\"LLdJWu\":\"AAVE Reclamable\",\"LSIpNK\":\"Tomar prestado y pagar en el mismo bloque no está permitido\",\"LVt3TI\":[\"<0>Tolerancia de deslizamiento <1>\",[\"selectedSlippage\"],\"% <2>\",[\"0\"],\"\"],\"LjafV8\":\"Maximum collateral amount to use\",\"LtpQew\":\"Let us know how we can make the app better for you. For user support related inquiries please reach out on\",\"LvVpD/\":\"Modo E\",\"M2sknc\":\"Tip: Intenta aumentar el deslizamiento o reduce la cantidad de entrada\",\"M7wPsD\":\"Cambiar\",\"MFu33y\":\"Staking 00\",\"MIy2RJ\":\"Maximum amount received\",\"MZ/nQf\":\"Dirección del destinatario\",\"Ma/MtY\":\"vista de stakeo\",\"McHlGl\":\"Cambio de APY\",\"MeCCA+\":\"APY, variable\",\"MghdTe\":\"Si el factor de salud se encuentra por debajo de 1, la liquidación de tu colateral puede ser activada.\",\"Mm/DVQ\":\"Has cancelado la transacción.\",\"MnE2QX\":\"Información de préstamo\",\"MrmQHg\":\"View Bridge Transactions\",\"MuDFEQ\":\"Valor de retorno inválido en la función executor del préstamo flash\",\"N5kUMV\":\"Este activo solo se puede utilizar como garantía en isolation mode con poder de préstamo limitado. Para entrar en el isolation mode, deshabilita todas las demás garantías.\",\"N6Pxr9\":\"View all\",\"NF0e1Q\":\"Pendiente...\",\"NK9ikO\":\"Balance de la cartera\",\"NMt2CB\":\"Cantidad reclamable\",\"NcFGxG\":\"Collector Contract\",\"NfpPeS\":\"Nada invertido\",\"Nh9DAo\":[[\"m\"],\"m\"],\"O+sCUU\":\"El límite de minteo sin respaldo ha sido excedido\",\"O+tyU+\":[\"La cantidad máxima disponible para tomar prestado contra este activo está limitada porque el límite de deuda está al \",[\"0\"],\"%.\"],\"O3oNi5\":\"Email\",\"OFjZGo\":\"Unstakear\",\"OR8cYX\":\"Resumen de la propuesta\",\"OYuJ9K\":\"El límite de deuda del protocolo está al 100% para este activo. No es posible tomar más prestado usando este activo como garantía.\",\"OfhWJH\":\"Restablecer\",\"Og2SKn\":\"deshabilitado\",\"On0aF2\":\"Página web\",\"OsyKSt\":\"Retirar\",\"P1dURE\":\"Revocar poder\",\"P2WCD/\":[\"El activo subyacente no existe en el mercado v3 de \",[\"marketName\"],\", por lo tanto, esta posición no se puede migrar.\"],\"P2sL6B\":\"Cuando ocurre una liquidación, los liquidadores pagan hasta el 50% de la cantidad pendiente del préstamo en nombre del prestatario. A cambio, pueden comprar la garantía con descuento y quedarse con la diferencia (sanción de liquidación) como bonificación.\",\"P6sRoL\":\"Stakea ABPT\",\"P72/OW\":\"El promedio ponderado de APY para todos los activos prestados, incluidos los incentivos.\",\"P7e6Ug\":\"Por favor conecta tu cartera para ver el historial de transacciones.\",\"PByO0X\":\"Votos\",\"PI+kVe\":\"Deshabilitar fork\",\"PJK9u/\":\"Apy préstamo\",\"PLUB/s\":\"Fee\",\"PP5ZA8\":[\"Participating in staking \",[\"symbol\"],\" gives annualized rewards. Your wallet balance is the sum of your aTokens and underlying assets. The breakdown to stake is below\"],\"PcBUgb\":\"Umbral de liquidación\",\"PjU6bu\":\"This asset is eligible for SPK incentive program. Aave Labs does not guarantee the program and accepts no liability.\",\"PpqD5g\":\"Habilitar este activo como garantía aumenta tu poder préstamo y el factor de salud. Sin embargo, puede ser liquidado si tu factor de salud cae por debajo de 1.\",\"PsOFSf\":\"Esta acción reducirá el factor de salud V2 por debajo del umbral de liquidación. Mantén la garantía o migra la posición de préstamo para continuar.\",\"Pu4bI/\":[[\"currentMethod\"]],\"Q0LzKi\":\"View TX\",\"Q4eNqa\":\"El Aave Balancer Pool Token (ABPT) es un token de pool de liquidez. Puedes recibir ABPT depositando una combinación de AAVE + wstETH en el pool de liquidez de Balancer. Luego puedes stakear tu BPT en el módulo de seguridad para asegurar el protocolo y ganar incentivos de seguridad.\",\"QQYsQ7\":\"Retirando\",\"QWYCs/\":\"Stakear GHO\",\"R+30X3\":\"No alcanzado\",\"RCU5PY\":\"Age\",\"RIfckG\":[\"Desactivar \",[\"symbol\"],\" como garantía\"],\"RMtxNk\":\"Diferencial\",\"RNK49r\":\"Firma inválida\",\"RS0o7b\":\"Estado\",\"RU+LqV\":\"Detalles de la propuesta\",\"RbXH+k\":\"Los poseedores de AAVE, GHO y ABPT (solo en la red de Ethereum) pueden stakear sus activos en el Módulo de Seguridad para añadir más seguridad al protocolo y obtener incentivos de seguridad. En el caso de un evento de shortfall, tu stakeo puede ser reducido para cubrir el déficit. proporcionando una capa adicional de protección para el protocolo.\",\"RiSYV4\":\"El activo no está listado\",\"Rj01Fz\":\"Enlaces\",\"RmWFEe\":\"Staking APR\",\"RoafuO\":\"Enviar feedback\",\"RtBLm7\":\"El factor de salud es menor que el umbral de liquidación\",\"RxzN1M\":\"Habilitado\",\"SDav7h\":\"Fondos en el Módulo de Seguridad\",\"SENccp\":\"Si el error persiste, <0/> podrías reportarlo a esto\",\"SIWumd\":\"Mostrar activos congelados o pausados\",\"SM58dD\":\"Cantidad en cooldown\",\"SSMiac\":\"Error al cargar los votantes de la propuesta. Por favor actualiza la página.\",\"SSQVIz\":\"Umbral de liquidación\",\"SUb8x0\":\"Total disponible\",\"SWIgh4\":\"Fees exceed wallet balance\",\"SY9hVo\":\"El modo de solo lectura permite ver las posiciones de las direcciones en Aave, pero no podrás realizar transacciones.\",\"SZRUQ4\":\"Deslizamiento máximo\",\"Sa1UE/\":\"El límite de préstamo del protocolo está al 100% para este activo. No es posible tomar más prestado.\",\"Sk2zW9\":\"Desactivando E-Mode\",\"SxaD0o\":\"La dirección del proveedor del pool no esta registrada\",\"T/AIqG\":\"El límite de suministro del protocolo está al 100% para este activo. No es posible suministrar más.\",\"T0xCO9\":\"No se puede validar la dirección de la cartera. Vuelve a intentarlo.\",\"T4OhVl\":\"GHO balance\",\"T6uYU2\":\"Tomar prestado\",\"TFxQlw\":\"Penalización de liquidación\",\"TQ7WsV\":\"Available to stake\",\"TUI7iB\":\"El activo solo puede usarse como garantía en el Isolation mode únicamente.\",\"TbjyhA\":\"Docs\",\"TduuS0\":\"El usuario no tiene deuda pendiente de tasa estable en esta reserva\",\"TeCFg/\":\"Cambio de tasa de préstamo\",\"Tg1JyO\":\"Bridge history\",\"TskbEN\":\"Los poseedores de stkAAVE reciben un descuento en la tasa de préstamo de GHO\",\"TszKts\":\"Balance de préstamo después del cambio\",\"TtZL6q\":\"Parámetros del modelo de descuento\",\"TwJI9F\":\"Asset has been successfully sent to CCIP contract. You can check the status of the transactions below\",\"Tz0GSZ\":\"actividades bloqueadas\",\"U/eBjN\":\"Recarga la página\",\"U2r8nY\":\"Elige cuánto poder de voto/proposición otorgar a otra persona delegando parte de tu balance de AAVe o stkAAVE. Tus tokens permanecerán en tu cuenta, pero tu delegado podrá votar o proponer en tu lugar. Si tu balance de AAVE, stkAAVE o aAave cambia, el poder de voto/proposición de tu delegado se ajustará automáticamente.\",\"U8IubP\":\"La aplicación se está ejecutando en testnet mode. Aprende como funciona en\",\"U9btTk\":\"El activo no se puede pedir prestado en isolation mode\",\"UAOZRe\":\"El impacto del precio es la diferencia entre el valor total de los tokens de entrada cambiados y los tokens de destino obtenidos (en USD), que resulta de la liquidez limitada del par de cambio.\",\"UE3KJZ\":\"El historial de transacciones no está disponible actualmente para este mercado\",\"URmyfc\":\"Detalles\",\"UTTKmT\":\"Cooldown de stakeo activado\",\"UXeR72\":\"Estos fondos se han tomado prestados y no están disponibles para su retirada en este momento.\",\"UYb8CM\":\"Learn more about the SPK rewards\",\"UbRrG0\":\"El ratio LTV máximo representa el poder de endeudamiento máximo de una garantía específica. Por ejemplo, si una garantía tiene un LTV del 75 %, el usuario puede pedir prestado hasta 0,75 ETH en la moneda principal por cada 1 ETH de garantía.\",\"UpndFj\":\"No hay recompensas para reclamar\",\"V0f2Xv\":\"Factor de reserva\",\"V1HK43\":\"Riesgos de migración\",\"VATFH9\":\"Deuda cubierta\",\"VHOVEJ\":\"Conectar cartera\",\"VMfYUK\":\"Seguridad de tu garantía depositada contra los activos prestados y su valor subyacente.\",\"VOAZJh\":\"Total de préstamos\",\"ViKYxK\":\"YAE\",\"W1SSoD\":\"Revisar detalles de la tx\",\"W5hVah\":\"Nada suministrado aún\",\"W5kTFy\":\"Votando\",\"W8ekPc\":\"Volver al panel de control\",\"WMPbRK\":\"No respaldado\",\"WNGZwH\":\"El E-Mode incrementa tu LTV para una categoría seleccionada de activos hasta el <0/>. <1>Aprende más\",\"WPWG/y\":\"Configuración y estado de la reserva\",\"WZLQSU\":\"El usuario no puede retirar más que el balance disponible\",\"WaZyaV\":\"<0>Ampleforth es un activo con rebase. Visita la <1>documentación para aprender más.\",\"WfU+XN\":\"Debido a que este activo está en pausa, no se pueden realizar acciones hasta nuevo aviso\",\"Wjmqs2\":\"No results found. You can import a custom token with a contract address\",\"WkZ6C6\":\"Para tomar prestado, necesitas suministrar cualquier activo para ser utilizado como garantía.\",\"WyMiQm\":\"Has cambiado los tokens con éxito.\",\"X/ITG9\":\"Copiar el texto del error\",\"X3Pp6x\":\"Utilizado como garantía\",\"X4Zt7j\":\"No se puede realizar la acción porque la reserva está pausada\",\"XBdKOj\":\"Direcciones de cartera de contrato inteligente representativas (Safe) en otras cadenas.\",\"XZzneG\":\"Saldrás del modo aislamiento y otros tokens pueden ser usados ahora como garantía\",\"Xg5y9S\":\"Amount to Bridge\",\"Xn4hUi\":\"Por favor ten siempre en cuenta tu <0>factor de salud (HF) cuando migres parcialmente una posición y que tus tasas serán actualizadas a tasas de la V3.\",\"Xy71ST\":\"Umbrella\",\"Y5kGkc\":\"VOTAR NO\",\"YDIOks\":\"Habilitar E-Mode\",\"YSodyW\":\"Esta acción reducirá tu factor de salud. Por favor ten en cuenta el riesgo incrementado de liquidación de la garantía.\",\"YXOWXM\":\"The total amount bridged minus CCIP fees. Paying in network token does not impact gho amount.\",\"YirHq7\":\"Feedback\",\"YogbCJ\":\"Testnet mode está ON\",\"YrDxdO\":\"Si tu relación préstamo-valor supera el umbral de liquidación, tu garantía puede ser liquidada.\",\"YyIM65\":\"No se cumplieron las condiciones de ajuste de tasas de interés\",\"YyydIq\":[\"Añade \",[\"0\"],\" a tu cartera para hacer un seguimiento del balance.\"],\"ZBvhI+\":\"Gobierno de Aave\",\"ZIIRAd\":\"Raw-Ipfs\",\"ZRq4tX\":\"Modo de eficiencia (E-Mode)\",\"ZSqEW+\":\"Manage E-Mode\",\"ZUFYFE\":\"Deshabilitar testnet\",\"Zbyywy\":\"Max slashing\",\"ZfUGFb\":\"Antes de suministrar\",\"ZiXN+B\":\"Assets to stake\",\"ZlsSDH\":\"Valor de liquidación\",\"ZrEc8j\":\"No pudimos encontrar ningún activo relacionado con tu búsqueda. Vuelve a intentarlo con un nombre diferente de activo, símbolo o dirección.\",\"ZsLF7e\":\"habilitado\",\"a0YQoQ\":\"Enter a valid address\",\"a2fBZn\":\"Tempo restante para unstakear\",\"a5RYZd\":\"Deshabilitar este activo como garantía afecta tu poder de préstamo y Factor de Salud.\",\"a7u1N9\":\"Precio\",\"a9D+6D\":\"Unstakeado\",\"aEtiwq\":\"Votar NO\",\"aMmFE1\":\"Comprar Crypto con Fiat\",\"aOKIms\":\"Los parámetros del array que deberían ser iguales en longitud no lo son\",\"aX31hk\":\"Tu balance es más bajo que la cantidad seleccionada.\",\"adUsDd\":\"Se ha producido un error al recuperar la propuesta.\",\"al6Pyz\":\"Supera el descuento\",\"aoXTT7\":\"APY préstamo, variable\",\"aqX1Yp\":\"This asset is eligible for rewards through SuperFest. Aave Labs does not guarantee the program and accepts no liability.\",\"avgETN\":\"Eligible for the Merit program.\",\"b4NS3e\":\"Advertencia periodo de cooldown\",\"bBHmeP\":\"Available to withdraw\",\"bNEQeI\":\"Cooldown\",\"bSruit\":\"ZKSync Ignite Program rewards are claimed through the\",\"bUUVED\":\"Activo\",\"bXQ/Og\":\"Compartir en twitter\",\"bXr0ee\":\"Los activos aislados han limitado tu capacidad de préstamo y otros activos no pueden ser usados como garantía.\",\"bYmAV1\":\"Direcciones\",\"bguKoJ\":\"La cantidad solicitada es mayor que el tamaño máximo del préstamo en el modo de tasa estable\",\"bwSQI0\":\"Suministrar\",\"bxN6EM\":\"No se puede deshabilitar E-Mode\",\"bxmzSh\":\"No hay suficiente garantía para pagar esta cantidad de deuda con\",\"c91vuQ\":\"La dirección no es un contrato\",\"c97os2\":\"aToken de Aave\",\"c9b44w\":\"No puedes retirar esta cantidad porque causará una liquidación\",\"cBc+4A\":\"Esta es la cantidad total disponible que puedes tomar prestada. Puedes tomar prestado basado en tu garantía y hasta que el límite de préstamo se alcance.\",\"cIl5kp\":\"Tu poder de voto se basa en tu balance de AAVE/stkAAVE y delegaciones recibidas.\",\"cLo09S\":\"Detalles de riesgo\",\"cNT+ij\":\"Tomar prestado no está disponible porque has habilitado el Efficiency Mode (E-Mode) y el Isolation mode. Para administrar el E-Mode y el Isolation Mode, visita tu <0>Panel de control.\",\"cZOeBk\":\"Something went wrong fetching bridge message, please try again later.\",\"ceix5S\":\"Para enviar una propuesta de cambios menores al protocolo, necesitarás al menos 80K de poder. Si deseas cambiar la base central del código, necesitarás un poder de 320K.<0>Aprende más\",\"ciSsYT\":\"Staking APY\",\"ciybUa\":\"Votar SI\",\"ckf7gX\":[\"Pagando \",[\"symbol\"]],\"cp1ZDP\":[\"Bridge \",[\"symbol\"]],\"cqnmnD\":\"Tasa de interés efectiva\",\"cqwIvs\":\"Hilo de discusión del foro\",\"csDS2L\":\"Disponible\",\"cu7Stb\":\"No has participado en esta propuesta\",\"dE6BLF\":\"Gobierno\",\"dEgA5A\":\"Cancelar\",\"dIsyWh\":\"La validación del LTV ha fallado\",\"dMtLDE\":\"para\",\"dOB5nW\":[\"La cantidad máxima disponible para suministrar es <0/> \",[\"0\"],\" (<1/>).\"],\"dVfODp\":\"No tienes suficientes fondos en tu cartera para pagar la cantidad total. Si procedes a pagar con tu cantidad actual de fondos, aún tendrás un pequeño préstamo en tu panel de control.\",\"dXUQFX\":\"Activos a tomar prestado\",\"dgr1aY\":\"Tomar prestado está deshabilitado debido a una decisión de la comunidad de Aave. <0>Más información\",\"djsg0o\":\"Uso de la garantía\",\"dpc0qG\":\"Variable\",\"drdV8R\":\"Liquidación\",\"dxW8cS\":\"Token de deuda de Aave\",\"e4V3oW\":\"Top 10 direcciones\",\"eD8WX/\":\"La acción requiere una reserva activa\",\"eJRJ04\":\"Cantidad para unstakear\",\"eLh0cL\":\"El deslizamiento es la diferencia entre las cantidades calculadas y las recibidas debido a las condiciones cambiantes del mercado entre el momento en que se envía la transacción y su verificación.\",\"ePK91l\":\"Editar\",\"eVpCmf\":\"Recompensas de Staking\",\"eVqvtf\":\"Bridge GHO\",\"eYdurp\":\"Aún no hay transacciones.\",\"ebLGGN\":\"Total tomado prestado\",\"ecqEvn\":\"El balance de garantía es 0\",\"efdrrk\":\"Disponible en\",\"enruNF\":\"empieza\",\"eqLYiD\":\"Unstakea ahora\",\"euScGB\":\"APY con descuento aplicado\",\"evw5ha\":\"Valor neto\",\"ezcU16\":\"Obtener Token ABP\",\"f3W0Ej\":[\"Has cambiado a tasa \",[\"0\"]],\"fH9i8k\":\"Has cambiado con éxito la posición de préstamo.\",\"fHcELk\":\"APR Neto\",\"fMJQZK\":\"Prestado\",\"fZ5Vnu\":\"Recibido\",\"firl9Q\":\"Tu actual relación préstamo-valor basado en tu garantía suministrada.\",\"flRCF/\":\"Descuento por staking\",\"fldjW9\":\"Previsualizar la tx y migrar\",\"fsBGk0\":\"Balance\",\"fu1Dbh\":[\"Retirar \",[\"symbol\"]],\"fwjWSI\":\"Suministrado\",\"fwyTMb\":\"Migrar a stkABPT v2\",\"g0mals\":\"You can not disable E-Mode because that could cause liquidation. To exit E-Mode supply or repay borrowed positions.\",\"g2UNkE\":\"Powered by\",\"g8KGoA\":\"FAQS\",\"g9zzqS\":\"Votó NAY\",\"gDd2gk\":\"about SuperFest.\",\"gFFh9h\":\"¡Todo listo!\",\"gIMJlW\":\"Testnet mode\",\"gOzPxe\":\"Este activo está congelado debido a una decisión del Gobierno del Protocolo Aave. <0>More información\",\"gTHi2T\":\"El usuario está intentando tomar prestado múltiples activos incluido uno aislado\",\"gVW59Y\":\"Por favor conecta tu cartera para obtener activos testnet gratis.\",\"gcFNxP\":\"Aprobación confirmada\",\"gncRUO\":\"Esta dirección está bloqueada en app.aave.com porque está asociada con una o más\",\"goff7V\":\"Dirección cero no válida\",\"gp+f1B\":\"Versión 3\",\"gr8mYw\":\"Puedes tomar prestado hasta <0/> GHO al <1/> (descuento máximo)\",\"gvTM4B\":\"El APY neto es el efecto combinado de todos los suministros y préstamos sobre total, incluidos los incentivos. Es posible tener un APY neto negativo si el APY de la deuda es mayor que el APY de suministro.\",\"gzcch9\":\"Comisión de puente de protocolo inválida\",\"h33MxW\":\"Direcciones de cartera de contrato inteligente representantes (Safe) en otras cadenas.\",\"h3ilK+\":\".CSV\",\"hB23LY\":\"Activar Cooldown\",\"hIJzBh\":\"Available to Claim\",\"hIS4N0\":\"APY neto\",\"hRWvpI\":\"Reclamado\",\"hdmy/o\":\"El % de tu poder de préstamo total utilizado. Esto se basa en la cantidad de tu garantía suministrada y la cantidad total que puedes pedir prestado.\",\"hehnjM\":\"Cantidad\",\"hjDCQr\":\"Hubo un error. Por favor intenta cambiar los parámetros o <0><1>copiar el error\",\"hom7qf\":\"Reclamar\",\"hpHJ4I\":\"Garantía liquidada\",\"hpuVIp\":\"Users who stake AAVE in Safety Module (i.e. stkAAVE holders) receive a discount on GHO borrow interest rate.\",\"huQ6Tz\":[\"Tomando prestado \",[\"symbol\"]],\"hxi7vE\":\"Balance tomado prestado\",\"i/fZ2Z\":\"Staked Balance\",\"i2JTiw\":\"Puedes ingresar una cantidad específica en el campo.\",\"iB5+/J\":\"Sobre GHO\",\"iChbOF\":\"Parámetros inconsistentes del préstamo flash\",\"iEPVHF\":\"No hay suficiente poder de voto para participar en esta propuesta\",\"iEW87X\":\"Poder delegado\",\"iEju36\":[\"Has votado \",[\"0\"]],\"iFq2YN\":\"Borrowable\",\"iGxyIA\":\"Safety Module\",\"iMVZk9\":\"Seleccionar tolerancia de deslizamiento\",\"iPMIoT\":\"Ingresa una cantidad\",\"iSLIjg\":\"Conectar\",\"iUo5rv\":\"tokens no es lo mismo que stakearlos. Si deseas stakearlos\",\"iZxa38\":\"Úsalo para votar a favor o en contra de propuestas activas.\",\"iboNXd\":\"Amount received\",\"if5PH+\":\"Collector Info\",\"igkfR1\":[\"En el Isolation mode, no puedes suministrar otros activos como garantía. Un límite de deuda global limita la capacidad de préstamo del activo aislado. Para salir del Isolation mode, deshabilita \",[\"0\"],\" como garantía antes de tomar prestado otro activo. Lee más en nuestras <0>preguntas frecuentes \"],\"il0sEG\":\"El uso de garantías está limitado debido al Isolation mode.\",\"j+K1Xj\":\"Amount After Fee\",\"jA2QeW\":\"Suministrando tu\",\"jFi7dz\":\"Tasa de interés determinada por el gobierno de Aave. Esta tasa puede cambiar con el tiempo dependiendo de la necesidad de que el suministro de GHO se contraiga/expanda. <0>Aprende más\",\"jG3UJ7\":\"Desactivar el E-Mode\",\"jKYzR1\":\"Habilitar E-Mode\",\"jMam5g\":[\"Balance \",[\"0\"]],\"jSYv+Z\":\"Enabling E-Mode allows you to maximize your borrowing power, however, borrowing is restricted to assets within the selected category. <0>Learn more about how it works and the applied restrictions.\",\"jaKbwW\":[[\"s\"],\"s\"],\"jbFMap\":\"Periodo restante de cooldown\",\"jeMZNr\":[[\"0\"],\" el servicio on-ramp es proporcionado por proveedores externos y al seleccionarlo, estás aceptando los términos de dichos proveedores. Tu acceso al servicio podría depender de que el proveedor externo esté operativo.\"],\"jfl9OP\":\"Migrado\",\"jmXdoY\":\"En E-Mode algunos activos no se pueden pedir prestados. Sal del E-Mode para obtener acceso a todos los activos\",\"jpctdh\":\"Ver\",\"jqzUyM\":\"No disponible\",\"k/sb6z\":\"Seleccionar idioma\",\"k3wP3f\":\"<0>Atención: Los cambios de parámetros a través de la gobernanza pueden alterar el factor de salud de tu cuenta y el riesgo de liquidación. Sigue el <1>foro de gobierno de Aave para mantenerte actualizado.\",\"kACpF3\":[\"Reclamar \",[\"0\"]],\"kH6wUX\":\"Impacto del precio\",\"kIC28N\":\"Available to claim\",\"kIpSye\":[[\"numSelected\"],\"/\",[\"numAvailable\"],\" activos seleccionados\"],\"kN1Yg5\":\"Para pagar en nombre de un usuario, se necesita una cantidad explícita para pagar\",\"kRTD40\":[\"Cantidad a pagar para alcanzar el \",[\"0\"],\"% de utilización\"],\"kjN9tT\":\"El límite de suministro se ha sobrepasado\",\"knxE+G\":\".JSON\",\"ks2LWT\":\"El límite de deuda no es cero\",\"kwwn6i\":\"Los usuarios que stakean AAVE en el Modulo de Seguridad (es decir, poseedores de stkAAVE) reciben un descuento en la tasa de interés de préstamo de GHO. Este descuento se aplica a 100 GHO por cada 1 stkAAVE en posesión. Usa el calculador de abajo para ver la tasa de préstamo de GHO con el descuento aplicado.\",\"kz3wtK\":\"and about SPK program\",\"kzZyM4\":\"El balance de DAI se convertirá a través de los contratos de DSR y luego se suministrará como sDAI. El cambio no genera costos adicionales ni deslizamientos.\",\"lNVG7i\":\"Selecciona un activo\",\"lU2d1/\":[\"Este activo no se puede migrar debido a una liquidez insuficiente o a una limitación del límite de préstamo en el mercado v3 de \",[\"marketName\"],\".\"],\"lVhKKI\":\"Votó YAE\",\"lWLqxB\":\"No pudimos encontrar ninguna transacción relacionada con tu búsqueda. Vuelve a intentarlo con un nombre de activo diferente o restablece los filtros.\",\"lYGfRP\":\"Inglés\",\"lfEjIE\":\"Aprende más en nuestra guía <0>Preguntas frecuentes\",\"lt6bpt\":\"Garantía a pagar con\",\"m/IEhi\":\"Emisiones totales por día\",\"m7r7Hh\":\"Activos de préstamo seleccionados\",\"mDDK4p\":\"Pool de Balancer\",\"mIM0qu\":\"Cantidad esperada a pagar\",\"mUAFd6\":\"Versión 2\",\"masO5Z\":\"E-Mode increases your LTV for a selected category of assets. <0>Learn more\",\"mdNjKU\":[\"Tu cartera de \",[\"name\"],\" está vacía. Compra o transfiere activos o usa <0>\",[\"0\"],\" para transferir tus activos de \",[\"network\"],\".\"],\"muiOng\":[\"Comprar \",[\"cryptoSymbol\"],\" con Fiat\"],\"mvCXBY\":\"Stakea AAVE\",\"mwdzil\":\"Vale, cerrar\",\"mzI/c+\":\"Descargar\",\"mzdIia\":\"Este activo no puede usarse como garantía.\",\"n+SX4g\":\"Desarrolladores\",\"n8Psk4\":\"No podemos detectar una cartera. Conecta una cartera para stakear y ver tu balance.\",\"nJIhzm\":\"Apy de suministro\",\"nJgsQu\":\"Con un poder de votación de <0/>\",\"nLC6tu\":\"Francés\",\"nN2T8p\":\"During the cooldown period, you will not earn any merit rewards. However, rewards earned up to this point will remain unaffected.\",\"nNHV0z\":\"Migrar múltiples garantías y activos prestados al mismo tiempo puede ser una operación costosa y podría fallar en ciertas situaciones.<0>Por lo tanto, no se recomienda migrar posiciones con más de 5 activos (depositados + tomados prestados) al mismo tiempo.\",\"nNbnzu\":\"Proposición\",\"nOy4ob\":\"Te sugerimos volver al Panel de control.\",\"nPGNMh\":\"Puede ser ejecutado\",\"nUK1ou\":[\"Assets with zero LTV (\",[\"0\"],\") must be withdrawn or disabled as collateral to perform this action\"],\"nakd8r\":\"poseedores de stkAAVE obtienen un descuento en la tasa de préstamo de GHO\",\"nh2EJK\":[\"Por favor, cambia a \",[\"networkName\"],\".\"],\"njBeMm\":\"Ambos\",\"noN5Xf\":\"We couldn’t detect a wallet. Connect a wallet to view your staking positions and rewards.\",\"ntkAoE\":\"Descuento aplicado para <0/> AAVE stakeados\",\"ntyFSE\":[[\"h\"],\"h\"],\"nwtY4N\":\"Se produjo un error\",\"nxyWvj\":\"Retirar esta cantidad reducirá tu factor de salud y aumentará el riesgo de liquidación.\",\"o17QVP\":\"Tu factor de salud y la relación préstamo-valor determinan la seguridad de tu garantía. Para evitar liquidaciones, puedes suministrar más garantía o pagar las posiciones de préstamo.\",\"o1xc2V\":\"El balance de AToken no es cero\",\"o4tCu3\":\"APY préstamo\",\"o5ooMr\":\"Deuda\",\"o7J4JM\":\"Filtro\",\"oHFrpj\":\"Cooldown para undstakear\",\"oJ5ZiG\":\"El usuario no tiene deuda pendiente de tasa variable en esta reserva\",\"oRBGin\":\"Por favor conecta tu cartera para cambiar tus tokens.\",\"oUwXhx\":\"Activos de prueba\",\"oWklJD\":\"La tasa de interés estable <0>permanecerá igual durante la duración de su préstamo. Está recomendado para los períodos de préstamo a largo plazo y para los usuarios que prefieren la previsibilidad.\",\"odnIK3\":\"Time remaining until the 48 hour withdraw period starts.\",\"oiK5nY\":\"The current incentives period, decided on by the Aave community, has ended. Governance is in the process on renewing, check for updates. <0>Learn more.\",\"olREoo\":\"All borrow positions outside of this category must be closed to enable this category.\",\"om/XHs\":\"Disponible para suministrar\",\"ov0+mq\":\"Eligible for the ZKSync Ignite program.\",\"ovT1pF\":[\"Per the community, the \",[\"market\"],\" has been frozen.\"],\"ow3fug\":\"Sin resultados\",\"owSsI3\":\"Firmas listas\",\"p+R52m\":\"Ir al pool de Balancer\",\"p2A+s1\":[\"El periodo de cooldown es \",[\"0\"],\". Después \",[\"1\"],\" del cooldown, entrarás a la ventana de unstakeo de \",[\"2\"],\". Continuarás recibiendo premios durante el cooldown y la ventana de unstakeo.\"],\"p2S64u\":\"La relación préstamo-valor de las posiciones migradas provocaría la liquidación. Aumenta la garantía migrada o reduce el préstamo migrado para continuar.\",\"p2Z2Qi\":\"Este activo ha alcanzado su límite de préstamo. No queda nada disponible para ser prestado de este mercado.\",\"p3j+mb\":\"Tu balance de recompensa es 0\",\"p45alK\":\"Configurar la delegación\",\"p6u2s1\":\"Minimum amount of debt to be repaid\",\"pDgeaz\":[[\"title\"]],\"pdZqBk\":\"El balance subyacente debe ser mayor que 0\",\"pgWG9H\":\"No hay suficiente balance stakeado\",\"piPrJ7\":\"por favor comprueba que la cantidad que deseas depositar no está siendo utilizada actualmente para stakear. Si está utilizando para stakear, tu transacción podría fallar.\",\"pjO/iH\":\"Cantidad mínima recibida\",\"pooutM\":\"La votación está activa\",\"pqaM5s\":\"Confirmando transacción\",\"ptaxX3\":[\"Entiendo como el cooldown (\",[\"0\"],\") y el proceso de unstaking (\",[\"1\"],\") funcionan\"],\"py2iiY\":\"La función debe ser llamada por un pool\",\"q/51mF\":\"Migrar a V3\",\"q3df11\":\"Estrategia de tasa de interés\",\"q6lAbz\":\"Stakeado\",\"qB4kPi\":\"Suministrar APY\",\"qENI8q\":\"Configuración global\",\"qGz5zl\":\"Balance de la garantía tras pagar\",\"qIW9ZH\":\"Amount staked\",\"qOqbD6\":\"copiar el error\",\"qXCkEM\":\"Por favor, conecta tu cartera para ver tus suministros, préstamos y posiciones abiertas.\",\"qY2jnw\":\"Expiración inválida\",\"qf/fr+\":\"Interés acumulado\",\"qhhf9L\":\"Rewards available to claim\",\"quYPUU\":\"Variable interest rate will <0>fluctuate based on the market conditions.\",\"quzIeW\":\"User is in isolation mode or LTV is zero\",\"qvnz3q\":\"Cantidad inválida para quemar\",\"rHgdb0\":\"Migrate to Aave V3\",\"rOrHHe\":\"La cantidad debe ser mayor que 0\",\"rQ+R+0\":\"Activos de suministro seleccionados\",\"rSayea\":\"APY\",\"rTBDeu\":[\"Este activo no se puede migrar porque tienes una garantía en Isolation Mode en el mercado v3 de \",[\"marketName\"],\" que limita los activos prestados. Puedes administrar tu garantía en el <0>Panel de control V3 de \",[\"marketName\"],\"\"],\"rcT+yy\":\"Mostrar activos con 0 balance\",\"rf8POi\":\"Cantidad de activos tomados prestados\",\"riNWOA\":\"E-Mode\",\"rjGI/Q\":\"Privacidad\",\"rnKPW1\":\"Watch a wallet balance in read-only mode\",\"ruc7X+\":\"Añade stkAAVE para ver el APY de préstamo con el descuento\",\"rvbaFU\":[\"Bridging \",[\"symbol\"]],\"rwVVB7\":\"Reclamar todas las recompensas\",\"rwyUva\":\"Estos activos están temporalmente congelados o pausados por decisiones de la comunidad de Aave, lo que significa que no se puede suministrar / tomar prestado o intercambiar tasas de estos activos. Se permiten retiros y pagos de deuda. Sigue el <0>foro de gobierno de Aave para más actualizaciones.\",\"rxJW5W\":\"Tu poder de proposición se basa en tu balance de AAVE/stkAAVE y delegaciones recibidas.\",\"s2jJnW\":\"You don't have any bridge transactions\",\"s5wBAq\":[\"Unstakear \",[\"symbol\"]],\"sJbIdI\":\"Enter ETH address or ENS\",\"sK+Nag\":\"Revisión tx\",\"sP2+gB\":\"NO\",\"sQv06Y\":\"para\",\"sTtO6J\":\"Confirmar transacción\",\"sXKb3l\":\"Tasa de cambio\",\"sb0q4+\":\"Unstakea aquí\",\"smJNwH\":\"Disponible para tomar prestado\",\"solypO\":\"El factor de salud no está por debajo del umbral\",\"sr0UJD\":\"Volver atrás\",\"ss5GCK\":\"La dirección del proveedor del grupo de direcciones no es válida\",\"swEgK4\":\"Tu información de voto\",\"t+wtgf\":\"Nada tomado prestado aún\",\"t/YqKh\":\"Eliminar\",\"t81DpC\":[\"Aprueba \",[\"symbol\"],\" para continuar\"],\"tCnbEs\":\"Precio del oráculo\",\"tFZLf8\":\"Este cálculo de gas es solo una estimación. Tu cartera establecerá el precio de la transacción. Puedes modificar la configuración de gas directamente desde tu proveedor de cartera.\",\"tHuvQI\":\"Ir al panel de control V3\",\"tKv7cI\":\"Cambiar posición de préstamo\",\"tOcg3N\":\"Dado que este activo está congelado, las únicas acciones disponibles son retirar y pagar, a las que se puede acceder desde el <0>Panel de control\",\"tOuXfv\":[\"Cantidad a tomar prestado para alcanzar el \",[\"0\"],\"% de utilización\"],\"te9Bfl\":\"Por favor, conecta tu cartera\",\"tt5yma\":\"Tus suministros\",\"ttoh5c\":\"Cambiar a\",\"u3ZeYl\":\"Error en la transacción\",\"u706uF\":\"Préstamo flash inválido\",\"u8Gfu7\":[\"Sin resultados de búsqueda\",[\"0\"]],\"uAQUqI\":\"Status\",\"uHMwk8\":\"No hay activos seleccionados para migrar.\",\"uJPHuY\":\"Migrando\",\"uY8O30\":\"Para continuar, necesitas otorgar permiso a los contratos inteligentes de Aave para mover tus fondos de tu cartera. Según el activo y la cartera que uses, se hace firmando el mensaje de permiso (sin coste de gas), o enviando una transacción de aprobación (requiere coste de gas). <0>Aprende más\",\"udFheE\":\"Para el pago de un tipo específico de deuda, el usuario necesita tener una deuda de ese tipo\",\"ulNuNq\":\"Exportar datos a\",\"ulup2p\":\"Comprar Crypto con Fiat\",\"umICAY\":\"<0><1><2/>Añade stkAAVE para ver la tasa de préstamo con descuento\",\"usB84Z\":\"La cantidad máxima disponible para tomar prestado está limitada porque casi se ha alcanzado el límite de préstamo del protocolo.\",\"uwAUvj\":\"COPIAR IMAGEN\",\"v8x7Mg\":\"Garantía insuficiente para cubrir la nueva posición de préstamo. La cartera debe tener poder de préstamo suficiente para realizar el cambio de deuda.\",\"vEqxH9\":\"Restakeado\",\"vLyv1R\":\"Ocultar\",\"vMba49\":\"Tomar prestado no está habilitado\",\"vMpNwt\":\"Aprobar con\",\"vXIe7J\":\"Idioma\",\"vesuBJ\":\"Te permite decidir si utilizar un activo suministrado como garantía. Un activo utilizado como garantía afectará a tu poder de préstamo y factor de salud.\",\"w+V9Cx\":\"Stablecoin\",\"w/JtJ3\":\"El balance de deuda estable no es cero\",\"w4VBY+\":\"APR de recompensas\",\"w9dLMW\":[[\"label\"]],\"wAOL+X\":[\"Tu \",[\"action\"],\" <0/> \",[\"symbol\"]],\"wBIsjb\":\"Canal de Discord\",\"wQZbc/\":\"El llamador de la función no es un AToken\",\"wRRqvW\":\"No tienes suministros en este activo\",\"wZFvVU\":\"VOTAR SI\",\"wb/r1O\":[\"Faucet \",[\"0\"]],\"wdxz7K\":\"Source\",\"weH1nG\":\"El Protocolo Aave está programado para usar siempre el precio de 1 GHO = $1. Esto es diferente del uso del precio de mercado a través de oráculos para otros criptoactivos. Esto crea oportunidades de arbitraje estabilizadoras cuando el precio de GHO fluctúa.\",\"wh7Ezv\":\"No tienes balance de AAVE/stkAAVE/aAave para delegar.\",\"wlsIx7\":\"Con la testnet Faucet puedes obtener activos gratuitos para probar el Protocolo Aave. Asegúrate de cambiar tu proveedor de cartera a la red de testnet adecuada, selecciona el activo deseado y haz clic en \\\"Faucet\\\" para obtener tokens transferidos a tu cartera. Los activos de una testnet no son \\\"reales\\\", lo que significada que no tienen valor monetario. <0>Aprende más\",\"wmE285\":\"Obtener Token ABP v2\",\"wyRrcJ\":\"Como resultado de las decisiones del gobierno, este pool de stakeo de ABPT está obsoleto. Tienes la flexibilidad de migrar todos tus tokens a v2 o unstakearlos sin ningún periodo de cooldown.\",\"x5KiLL\":\"Los activos seleccionados se han migrado correctamente. Visita el panel de control del mercado para verlos.\",\"x7F2p6\":\"Diferencial actual\",\"x7K5ib\":[\"Tu cartera de \",[\"networkName\"],\" está vacía. Consigue \",[\"0\"],\" de prueba gratis en\"],\"x9iLRD\":\"tokens, por favor ve al\",\"xNy/UG\":\"Pagar con\",\"xPm8wv\":\"Aprende más sobre los riesgos involucrados\",\"xXYpZl\":[[\"0\"],\" Faucet\"],\"xaVBSS\":\"Tu información\",\"xaWZ6f\":\"Cambio tipo de APY\",\"xh6k71\":\"El uso de garantías está limitado debido al isolation mode.\",\"xvIklc\":\"El préstamo flash está deshabilitado para este activo, por lo tanto, esta posición no se puede migrar.\",\"y5rS9U\":\"Migrar\",\"y66tBm\":[\"Habilitar \",[\"symbol\"],\" como garantía\"],\"yB1YpA\":\"Modo oscuro\",\"yCrG6m\":\"Tamaño total del mercado\",\"yJUUbn\":\"Resumen de la transacción\",\"yLGmLX\":[\"Restakear \",[\"symbol\"]],\"yW1oWB\":\"Tipo APY\",\"yYHqJe\":\"Dirección no válida\",\"yZwLw6\":\"Haz seguimiento de tu cartera\",\"yh2sjd\":[\"Impacto en el precio \",[\"0\"],\"%\"],\"yhvj6d\":\"No puedes cambiar el uso como modo de garantía para este activo, porque causará una liquidación\",\"ylmtBZ\":\"La aplicación se ejecuta en fork mode.\",\"ymNY32\":[\"No hay fondos suficientes en la reserva\",[\"0\"],\"para tomar prestado\"],\"yz7wBu\":\"Cerrar\",\"z4uGQg\":\"El límite de deuda está sobrepasado\",\"z5UQOM\":\"La garantía elegida no puede ser liquidada\",\"z5Y+p6\":[\"Suministrando \",[\"symbol\"]],\"zCjNKs\":\"No se puede realizar la acción porque la reserva está congelada\",\"zRHytX\":\"Límite de deuda aislado\",\"zTOjMP\":\"El límite de suministro del protocolo está al 100% para este activo. No es posible suministrar más.\",\"zVdRUG\":\"Submission did not work, please try again later or contact wecare@avara.xyz\",\"zevmS2\":\"<0><1><2/>añade <3/> stkAAVE para tomar prestado al <4/> (descuento máximo)\",\"zgtIDV\":\"Deuda restante\",\"zmTPiV\":\"Balance de suministro\",\"zpPbZl\":\"Parámetros de riesgo de liquidación\",\"zucql+\":\"Menú\",\"zwWKhA\":\"Aprende más\",\"zy9fXn\":[\"Este activo está congelado en el mercado v3 de \",[\"marketName\"],\", por lo tanto, esta posición no se puede migrar.\"],\"zys+R6\":\"Ten en cuenta la congestión de la red y los precios del gas.\",\"zzzTXS\":\"Merit Program rewards are claimed through the\"}")}; \ No newline at end of file diff --git a/src/locales/fr/messages.js b/src/locales/fr/messages.js index c2f2a05152..7bfe6e949d 100644 --- a/src/locales/fr/messages.js +++ b/src/locales/fr/messages.js @@ -1 +1 @@ -/*eslint-disable*/module.exports={messages:JSON.parse("{\"+0xecS\":[\"Si vous NE vous désengagez PAS dans les \",[\"0\"],\" de la fenêtre de désengagement, vous devrez réactiver le processus de refroidissement.\"],\"+EGVI0\":\"Recevoir (est.)\",\"+VR63W\":[\"Participer à cette réserve \",[\"symbol\"],\" donne des récompenses annualisées.\"],\"+bmKdK\":\"Use your AAVE, stkAAVE, or aAave balance to delegate your voting and proposition powers. You will not be sending any tokens, only the rights to vote and propose changes to the protocol. You can re-delegate or revoke power to self at any time.\",\"+eOPG+\":\"On dirait que nous ne pouvons pas changer de réseau automatiquement. Veuillez vérifier si vous pouvez le changer depuis le portefeuille.\",\"+i3Pd2\":\"Limite d'emprunt\",\"+kLZGu\":\"Montant de l’actif fourni\",\"+nuEh/\":\"Estimated time\",\"+xMFF8\":\"Remind me\",\"/57U31\":\"Amount to migrate\",\"/7ykiW\":\"Emprunter ce montant réduira votre facteur santé et augmentera le risque de liquidation.\",\"/YA5pU\":\"E-Mode increases your LTV for a selected category of assets, meaning that when E-mode is enabled, you will have higher borrowing power over assets of the same E-mode category which are defined by Aave Governance. You can enter E-Mode from your <0>Dashboard. To learn more about E-Mode and applied restrictionn, see the <1>help guide or the <2>Aave V3 Technical Paper.\",\"/izjs/\":\"Montant minimum d’Aave mis en jeu\",\"/jQctM\":\"To\",\"/lDBHm\":\"FAQ\",\"/yNlZf\":\"L'emprunt stable n'est pas activé\",\"/yQcJM\":\"Valeur totale\",\"00AB2i\":\"L'utilisateur n'a pas emprunté la devise spécifiée\",\"00OflG\":\"Il n’y a pas assez de liquidités pour que l’actif cible puisse effectuer le changement. Essayez de réduire le montant.\",\"08/rZ9\":\"La période de recharge est le temps nécessaire avant de retirer vos jetons (20 jours). Vous ne pouvez retirer vos actifs du module de sécurité qu’après la période de recharge et pendant la période de désenjeu. <0>Pour en savoir plus\",\"0AmQcW\":\"Changement de taux\",\"0BF3yK\":\"Désolé, nous n’avons pas trouvé la page que vous cherchiez.\",\"0TAbjq\":\"Recent Transactions\",\"0jhlyw\":\"Risque de liquidation\",\"0ojY+Y\":\"Solde actuel v2\",\"0thX3P\":\"Modification des garanties\",\"0wGCWc\":\"Il s'agit du montant total que vous pouvez emprunter. Vous pouvez emprunter en fonction de votre garantie et jusqu'à ce que le plafond d'emprunt soit atteint.\",\"1AsVfF\":\"À l’heure actuelle, les données sur les prix ne sont pas disponibles pour cette réserve dans le sous-graphe du protocole\",\"1LjK22\":\"Historique des transactions\",\"1Onqx8\":[\"Approuver \",[\"symbol\"],\"...\"],\"1Ue8sX\":\"Veuillez connecter un portefeuille pour afficher vos informations personnelles ici.\",\"1YH41K\":[\"After the cooldown period ends, you will enter the unstake window of \",[\"0\"],\". You will continue receiving rewards during cooldown and the unstake period.\"],\"1bpx9A\":\"...\",\"1kWUB+\":\"Seuil de liquidation <0/>\",\"1m9Qqc\":\"Retrait et changement\",\"1oyh4g\":\"Borrow rate\",\"1t7rez\":\"L’offre d’actifs est limitée à un certain montant afin de réduire l’exposition du protocole à l’actif et d’aider à gérer les risques encourus.\",\"2CAPu2\":\"Vous avez retiré et échangé des jetons avec succès.\",\"2Eoi/a\":\"Voir détails\",\"2FYpfJ\":\"Plus\",\"2O3qp5\":\"Liquidités disponibles\",\"2OM8/D\":[\"L’actif ne peut pas être migré en raison d’une restriction de plafond d’approvisionnement dans \",[\"marketName\"],\" v3 marché.\"],\"2Q4GU4\":\"Adresse bloquée\",\"2ZGocC\":\"Aave est un protocole entièrement décentralisé et régi par la communauté par les détenteurs de jetons AAVE. Les détenteurs de jetons AAVE discutent, proposent et votent collectivement sur les mises à niveau du protocole. Les détenteurs de jetons AAVE (réseau Ethereum uniquement) peuvent soit voter eux-mêmes sur de nouvelles propositions, soit choisir l’adresse de leur choix. Pour en savoir plus, consultez la page Gouvernance\",\"2a6G7d\":\"Veuillez saisir une adresse de portefeuille valide.\",\"2bAhR7\":\"Rencontrez GHO\",\"2eBWE6\":\"Je reconnais les risques encourus.\",\"2o/xRt\":\"Plafond d'approvisionnement sur la réserve cible atteint. Essayez de réduire le montant.\",\"2uJToh\":[[\"0\"],[\"name\"]],\"2x58bP\":\"L'emprunt stable est activé\",\"34Qfwy\":\"Le plafond d'emprunt est dépassé\",\"39eQRj\":[\"Emprunter \",[\"symbole\"]],\"3BL1xB\":\"Total fourni\",\"3BnIWi\":\"Commuté\",\"3K0oMo\":\"Offre restante\",\"3MoZhl\":\"Il n'y a pas assez de collatéral pour couvrir un nouvel emprunt\",\"3Np5O8\":[\"Fournir \",[\"symbole\"]],\"3O8YTV\":\"Total des intérêts courus\",\"3mXg0z\":\"Max LTV\",\"3q3mFy\":\"Rembourser\",\"3qsjtp\":\"La moyenne pondérée de l'APY pour tous les actifs fournis, y compris les incitations.\",\"3rL+os\":\"Vous ne pouvez retirer vos actifs du module de sécurité qu'après la fin de la période de refroidissement et que la fenêtre de retrait est active.\",\"42UgDM\":[\"Migrer vers \",[\"0\"],\" Marché v3\"],\"49UFQA\":\"Résultats du vote\",\"4DMZUI\":\"Afficher les transactions\",\"4HtGBb\":\"MAX\",\"4Y5H+g\":\"Petits caractères\",\"4YYh4d\":\"Maximum available to borrow\",\"4iPAI3\":\"Montant minimum d’emprunt GHO\",\"4lDFps\":\"Signez pour continuer\",\"4wyw8H\":\"Transactions\",\"5JSSxX\":[\"Votre \",[\"networkName\"],\" Le portefeuille est vide. Obtenez des ressources de test gratuites à l’adresse suivante :\"],\"5K7kGO\":\"documentation\",\"5NOSGa\":\"Le plafond de la dette limite le montant que les utilisateurs du protocole peuvent emprunter sur cet actif. Le plafond de la dette est spécifique aux actifs isolés et est indiqué en USD.\",\"5Ncc6j\":[\"Cet actif a presque atteint son plafond d'offre. Il ne peut y avoir que \",[\"messageValue\"],\" fourni à ce marché.\"],\"5cZ/KX\":\"L'offre de dette variable n'est pas nulle\",\"5che++\":\"Pour demander l'accès à ce marché autorisé, veuillez consulter\xA0: <0>Nom du fournisseur d'accès\",\"5ctNdV\":[\"Minimum \",[\"0\"],\" reçu\"],\"5hDe9v\":\"Allocation action requise\",\"5rsnKT\":\"Récompenses disponibles\",\"5yC5m5\":\"Voir tous les votes\",\"6/dCYd\":\"Aperçu\",\"60crCe\":\"Toutes les transactions\",\"62Xcjh\":\"Collatérale\",\"65A04M\":\"Espagnol\",\"6G8s+q\":\"Signature\",\"6Jrv+z\":[\"Rembourser \",[\"symbole\"]],\"6NGLTR\":\"Montant actualisable\",\"6Xr0UU\":\"Refroidissement...\",\"6bxci/\":\"Pouvoir de vote\",\"6f8S68\":\"Marchés\",\"6g1gi0\":\"Les propositions\",\"6gvoHP\":\"Copier le message d’erreur\",\"6h3Q5G\":\"Remboursé\",\"6lFSyT\":\"Available to Stake\",\"6s8L6f\":\"Changer de réseau\",\"6yAAbq\":\"APY, borrow rate\",\"70wH1Q\":\"APR\",\"72c5Qo\":\"Total\",\"73Auuq\":\"Les paramètres de remise sont décidés par la communauté Aave et peuvent être modifiés au fil du temps. Consultez la section Gouvernance pour les mises à jour et votez pour participer. <0>Pour en savoir plus\",\"75qcAQ\":[[\"stepName\"]],\"7ITr5L\":\"Facteur de santé\",\"7T/o5R\":\"Atteint\",\"7YlcXu\":\"Fork mode is ON\",\"7Z76Iw\":\"L’emprunt n’est pas disponible car vous utilisez le mode Isolation. Pour gérer le mode d’isolation, rendez-vous sur votre <0>tableau de bord.\",\"7aKlMS\":\"Partager sur Lens\",\"7bdUsR\":\"Redeem as aToken\",\"7er5fP\":\"Réclamer tout\",\"7hb2+s\":\"Time remaining until the withdraw period ends.\",\"7l88b8\":\"Les données n’ont pas pu être récupérées, veuillez recharger le graphique.\",\"7p5kLi\":\"Tableau de bord\",\"7sofdl\":\"Retrait et échange\",\"8+6BI0\":\"Soyez prudent - Vous êtes très proche de la liquidation. Envisagez de déposer plus de collatéral ou de rembourser certaines de vos positions empruntées\",\"87pUEW\":[\"Votre \",[\"name\"],\" Le portefeuille est vide. Acheter ou transférer des actifs.\"],\"8F1i42\":\"Page introuvable\",\"8G8M0u\":\"Chargement des données...\",\"8Iu1QS\":\"Retiré\",\"8JL93T\":\"Toutes les propositions\",\"8Q51DU\":\"Ajouter au portefeuille\",\"8X/oyn\":\"Montant invalide à frapper\",\"8Z5FPv\":\"Déconnecter le portefeuille\",\"8Zz7s5\":\"actifs\",\"8aLW8H\":\"Solde à révoquer\",\"8bOT3H\":\"Taux d'utilisation\",\"8sLe4/\":\"Voir le contrat\",\"8t/M0y\":\"Please connect your wallet to be able to bridge your tokens.\",\"8vETh9\":\"Montrer\",\"94OHPx\":\"Vous entrez en mode Isolation\",\"9CDK3/\":[\"L'emprunt n'est actuellement pas disponible pour \",[\"0\"],\".\"],\"9GIj3z\":\"Taille de réserve\",\"9Knqb4\":\"Solde de mise en jeu\",\"9OBKm7\":\"Quorum\",\"9QHoGr\":\"Votes actuels\",\"9Rw96f\":[\"Cet actif a presque atteint son plafond d'emprunt. Il n'y a que \",[\"messageValue\"],\" disponible pour être emprunté sur ce marché.\"],\"9Xj/qR\":[\"Certaines ressources migrées ne seront pas utilisées comme garantie en raison de l’activation du mode d’isolement dans \",[\"marketName\"],\" Marché V3. Visite <0>\",[\"marketName\"],\" Tableau de bord V3 pour gérer le mode d’isolation.\"],\"9c6vDV\":\"Cet actif a atteint son plafond d'offre. Rien n'est disponible pour être fourni à partir de ce marché.\",\"9kTWHA\":\"L’AMI a été suspendu en raison d’une décision de la communauté. L’offre, les emprunts et les remboursements sont impactés. <0>Plus d’informations\",\"9lXchd\":\"Jeton sous-jacent\",\"9rWaKF\":\"Bridged Via CCIP\",\"9xSooW\":\"Comme il s'agit d'un réseau de test, vous pouvez obtenir n'importe lequel des actifs si vous avez ETH dans votre portefeuille\",\"A/lwoe\":\"Choisissez l’un des services de rampe d’accès\",\"A6dCI6\":[\"Le montant maximal disponible pour emprunter est de <0/> \",[\"0\"],\" (<1/>).\"],\"AReoaV\":\"Vos emprunts\",\"ARu1L4\":\"Remboursé\",\"AV7cGz\":\"Examiner les détails de la taxe d'approbation\",\"AZOjB8\":\"Récupération de données...\",\"Ai0jas\":\"Rejoignez la discussion de la communauté\",\"Ajl2rq\":\"Le pouvoir d'emprunt et les actifs sont limités en raison du mode d'isolement.\",\"AqgYNC\":\"Plafond d’emprunt du protocole à 100% pour cet actif. Il n’est pas possible d’emprunter davantage.\",\"B3EcQR\":\"Merci d’avoir voté\xA0!!\",\"B6aXGH\":\"Stable\",\"B9Gqbz\":\"Taux variable\",\"BDFEd+\":\"Les stETH fournis en garantie continueront d’accumuler des récompenses de staking fournies par les rebasages quotidiens.\",\"BE2mP0\":\"Borrowed assets\",\"BJyN77\":\"Due to health factor impact, a flashloan is required to perform this transaction, but Aave Governance has disabled flashloan availability for this asset. Try lowering the amount or supplying additional collateral.\",\"BNL4Ep\":\"L'utilisation de la garantie est limitée en raison du mode d'isolement. <0>En savoir plus\",\"BQ/wCO\":\"Migrate your assets\",\"BjLdl1\":\"À prix réduit\",\"BnhYo8\":\"Catégorie d'actifs\",\"Bq9Y7e\":\"Cet actif est gelé en raison d’une décision de la communauté Aave. <0>Plus d’informations\",\"BqWMDJ\":\"Faucet\",\"BqynZO\":\"Optimized for efficiency and risk by supporting blue-chip collateral assets\",\"Bsu7zX\":\"The fee includes the gas cost to complete the transaction on the destination chain and the fee paid to Chainlink CCIP service providers. You can chose to pay in the network token or GHO. <0>Learn more\",\"BwJKBw\":\"de\",\"C4/GSi\":\"Your balance of assets that are available to stake\",\"CDrsH+\":\"Fiche technique\",\"CK1KXz\":\"Max\",\"CMHmbm\":\"Glissement\",\"CZXzs4\":\"Grec\",\"CcRNG6\":\"Transistor\",\"CkTRmy\":[\"Revendication \",[\"symbol\"]],\"CsqtLm\":\"Veuillez connecter votre portefeuille pour voir l’outil de migration.\",\"CtGlFb\":[[\"networkName\"],\" Robinet\"],\"Cxt2YY\":\"Watch wallet\",\"D33VQU\":\"Cette action réduira le facteur de santé de V3 en dessous du seuil de liquidation. Augmenter les garanties migrées ou réduire les emprunts migrés pour continuer.\",\"D8sc3k\":\"Stake balance\",\"D9BLRG\":\"This asset has been paused due to a community decision. Supply, withdraw, borrows and repays are impacted.\",\"DAma/S\":\"La garantie est (principalement) la même devise que celle qui est empruntée\",\"DCnFg0\":[\"Adresses (\",[\"0\"],\")\"],\"DG3Lv1\":\"Je comprends parfaitement les risques liés à la migration.\",\"DONJcV\":\"L'actif sous-jacent ne peut pas être sauvé\",\"DR+4uL\":\"Bilan de l’alimentation après le changement\",\"DWjrck\":[\"La ressource ne peut pas être migrée vers \",[\"marketName\"],\" V3 Market en raison des restrictions du mode E. Vous pouvez désactiver ou gérer les catégories du mode E dans votre <0>tableau de bord V3\"],\"Dj+3wB\":\"Aave par mois\",\"DptNvx\":\"Amount Staked\",\"DuEq2K\":\"Collatéralisation\",\"DxfsGs\":\"Vous pouvez signaler un incident sur notre <0>Discord ou<1>Github.\",\"Dzma+E\":\"Main Ethereum market with the largest selection of assets and yield options\",\"E/QGRL\":\"Désactivé\",\"EBL9Gz\":\"COPIÉ!\",\"ES8dkb\":\"Taux fixe\",\"EZd3Dk\":[\"Reprise \",[\"symbol\"]],\"EZqFZ+\":\"Staking this asset will earn the underlying asset supply yield in additon to other configured rewards.\",\"Ebgc76\":[\"Retrait \",[\"symbole\"]],\"EdQY6l\":\"Aucun/Aucune\",\"EjvKQ+\":\"Valeur minimale en USD reçue\",\"Enslfm\":\"Destination\",\"EvE9nO\":[\"Réactiver la période de recharge pour annuler le pieu \",[\"0\"],\" \",[\"stakedToken\"]],\"EvECnL\":\"Migrer vers la v3\",\"EzMQbh\":\"The source chain time to finality is the main factor that determines the time to destination. <0>Learn more\",\"F40cwT\":\"Legacy Markets\",\"F6TdXL\":\"Pour en savoir plus.\",\"FDDPeZ\":\"Users can stake their assets in the protocol and earn incentives. In the case of a shortfall event, your stake can be slashed to cover the deficit, providing an additional layer of protection for the protocol.\",\"FHlMf/\":\"Solde actuel de la v2\",\"FHpxjF\":[\"Le facteur de réserve est un pourcentage de l’intérêt qui va à un \",[\"0\"],\" qui est contrôlé par la gouvernance Aave pour promouvoir la croissance de l’écosystème.\"],\"FOBZa6\":\"Puissance d'emprunt utilisée\",\"FPKEug\":\"Opération non prise en charge\",\"FbmMe7\":\"Linked addresses\",\"Fdp03t\":\"sur\",\"Fjw9N+\":\"Actifs à déposer\",\"FmN0fk\":\"Remise en jeu\",\"GDGLIs\":\"GHO est un actif numérique natif décentralisé et adossé à des garanties, indexé sur le dollar américain. Il est créé par les utilisateurs en empruntant contre plusieurs garanties. Lorsque l’utilisateur rembourse sa position d’emprunt de HO, le protocole brûle le GHO de cet utilisateur. Tous les paiements d’intérêts accumulés par les minters de GHO seraient directement transférés à la trésorerie d’AaveDAO.\",\"GQrBTq\":\"Changer de mode E\",\"GWswcZ\":\"Cet actif est gelé en raison d’une décision de gouvernance du protocole Aave. Le 20 décembre 2022, renFIL ne sera plus pris en charge et ne pourra plus être reconnecté à son réseau natif. Il est recommandé de retirer les positions d’offre et de rembourser les positions d’emprunt afin que renFIL puisse être relié à FIL avant la date limite. Après cette date, il ne sera plus possible de convertir renFIL en FIL. <0>Plus d’informations\",\"GX8GKD\":\"Actifs\",\"GgEj+0\":\"Mode lecture seule. Connectez-vous à un portefeuille pour effectuer des transactions.\",\"GjkIKV\":\"Prend fin\",\"GoK/QN\":\"Thank you for submitting feedback!\",\"GtP2hp\":[\"L'emprunt n'est pas disponible, car vous avez activé le mode d'efficacité (E-Mode) pour la catégorie \",[\"0\"],\". Pour gérer les catégories E-Mode, visitez votre <0>tableau de bord.\"],\"H6Ma8Z\":\"Rabais\",\"HB/wfS\":[[\"tooltipText\"]],\"HKDsQN\":\"Rewards can be claimed through\",\"Ha/U5f\":\"This is a program initiated and implemented by the decentralised ZKSync community. Aave Labs does not guarantee the program and accepts no liability.\",\"HciqKU\":\"This is a program initiated and implemented by the decentralised Aave community. Aave Labs does not guarantee the program and accepts no liability.\",\"Hi6Ttn\":\"Désolé, une erreur inattendue s’est produite. En attendant, vous pouvez essayer de recharger la page, ou revenir plus tard.\",\"HkEDbS\":[[\"d\"],\"d\"],\"HmkYqM\":\"Fenêtre d'arrêt de staking\",\"HpK/8d\":\"Recharger\",\"HrnC47\":\"Enregistrer et partager\",\"HuVZMK\":\"Days\",\"HvJKMU\":[\"La ressource ne peut pas être migrée vers \",[\"marketName\"],\" v3 Marché puisque l’actif collatéral activera le mode d’isolation.\"],\"Hvwnm9\":[\"La quantité maximale disponible pour l’approvisionnement est limitée parce que le plafond d’approvisionnement du protocole est à \",[\"0\"],\"%.\"],\"I8CX2c\":\"Le montant total de vos actifs libellés en USD qui peut être utilisé comme garantie pour emprunter des actifs.\",\"IAD2SB\":[\"Prétendant \",[\"symbol\"]],\"IG9X9/\":\"L’emprunt de cet actif est limité à un certain montant afin de minimiser l’insolvabilité du pool de liquidités.\",\"IOIx8L\":\"Il est prévu que cet actif soit désactivé en raison d’une décision de gouvernance du protocole Aave. <0>Plus d’informations\",\"IP+I/j\":\"Période de recharge\",\"IaA40H\":\"Liquidation à\",\"J/hVSQ\":[[\"0\"]],\"JCoxL6\":\"Gérer l’analytique\",\"JK9zf1\":[\"Intérêts composés estimés, y compris l’escompte pour le jalonnement \",[\"0\"],\"AAVE dans le module de sécurité.\"],\"JOqFba\":[\"Déjalonnement \",[\"symbol\"]],\"JPrLjO\":\"Vous ne pouvez pas utiliser cette devise comme garantie\",\"JU6q+W\":\"Récompense(s) à réclamer\",\"JYKRJS\":\"Stake\",\"JZMxX0\":\"Pas assez de solde sur votre portefeuille\",\"Jgflkm\":\"Get GHO\",\"JoMQnI\":\"Solde du portefeuille\",\"JtwD8u\":\"Emprunter le solde après le remboursement\",\"JumYTK\":\"Supplied assets\",\"K05qZY\":\"Retrait et échange\",\"KAz/NV\":\"Le plafond d’endettement du protocole est de 100% pour cet actif. Il n’est pas possible d’emprunter davantage sur cet actif.\",\"KLXVqE\":[\"Les tokens stETH seront migrés vers Wrapped stETH à l’aide du wrapper Lido Protocol, ce qui entraîne une modification de l’équilibre de l’offre après la migration : \",[\"0\"]],\"KLd6ky\":\"Use connected account\",\"KRpokz\":\"VOIR TX\",\"KSlpka\":\"Cela représente le seuil auquel une position d'emprunt sera considérée comme sous-garantie et sujette à liquidation pour chaque garantie. Par exemple, si une garantie a un seuil de liquidation de 80\xA0%, cela signifie que la position sera liquidée lorsque la valeur de la dette vaut 80 % de la valeur de la garantie.\",\"KYAjf3\":\"Isolé\",\"KZwRuD\":[[\"notifyText\"]],\"KkPgim\":\"Changement de mode E\",\"KnN1Tu\":\"Expire\",\"KoOBI2\":\"En raison de la mécanique interne de stETH requise pour le rebasage de la prise en charge, il n’est pas possible d’effectuer un changement de garantie où stETH est le jeton source.\",\"KojyJ4\":\"Mauvais réseau\",\"KsqhWn\":\"Staking\",\"KuBTQq\":\"Entrez l'adresse ETH\",\"KvG1xW\":\"Réclamer\",\"L+8Lzs\":\"LTV actuelle\",\"L+qiq+\":\"Marché\",\"LDzfVJ\":\"Send Feedback\",\"LIrMcF\":\"Pas de pouvoir de vote\",\"LL0zks\":\"Peut être collatéral\",\"LLdJWu\":\"AAVE Réclamable\",\"LSIpNK\":\"Emprunter et rembourser dans le même bloc n'est pas autorisé\",\"LVt3TI\":[\"<0>Tolérance de glissement <1>\",[\"selectedSlippage\"],\"% <2>\",[\"0\"],\"\"],\"LjafV8\":\"Maximum collateral amount to use\",\"LtpQew\":\"Let us know how we can make the app better for you. For user support related inquiries please reach out on\",\"LvVpD/\":\"Emode\",\"M2sknc\":\"Astuce : Essayez d’augmenter le glissement ou de réduire la quantité d’entrée\",\"M7wPsD\":\"Interrupteur\",\"MFu33y\":\"Staking 00\",\"MIy2RJ\":\"Maximum amount received\",\"MZ/nQf\":\"Adresse du destinataire\",\"Ma/MtY\":\"vue de staking\",\"McHlGl\":\"Changement d’APY\",\"MeCCA+\":\"APY, variable\",\"MghdTe\":\"Si le facteur de santé descend en dessous de 1, la liquidation de votre collatéral peut être déclenchée.\",\"Mm/DVQ\":\"Vous avez annulé la transaction.\",\"MnE2QX\":\"Emprunter des informations\",\"MrmQHg\":\"View Bridge Transactions\",\"MuDFEQ\":\"Valeur de retour invalide de la fonction flashloan executor\",\"N5kUMV\":\"L’actif ne peut être utilisé comme garantie qu’en mode isolé avec un pouvoir d’emprunt limité. Pour passer en mode d’isolation, désactivez toutes les autres garanties.\",\"N6Pxr9\":\"View all\",\"NF0e1Q\":\"En attente...\",\"NK9ikO\":\"Solde du portefeuille\",\"NMt2CB\":\"Montant réclamable\",\"NcFGxG\":\"Contrat de collectionneur\",\"NfpPeS\":\"Rien staké\",\"Nh9DAo\":[[\"m\"],\"m\"],\"O+sCUU\":\"Le plafond de mintage non soutenu est dépassé\",\"O+tyU+\":[\"Le montant maximal disponible pour emprunter sur cet actif est limité car le plafond de la dette est à \",[\"0\"],\"%.\"],\"O3oNi5\":\"Email\",\"OFjZGo\":\"Unstake\",\"OR8cYX\":\"Aperçu de la proposition\",\"OYuJ9K\":\"Le plafond d’endettement du protocole est de 100% pour cet actif. Il n’est pas possible d’emprunter sur cet actif.\",\"OfhWJH\":\"Réinitialisation\",\"Og2SKn\":\"handicapé\",\"On0aF2\":\"Site internet\",\"OsyKSt\":\"Retirer\",\"P1dURE\":\"Révoquer le pouvoir\",\"P2WCD/\":[\"L’actif sous-jacent n’existe pas dans \",[\"marketName\"],\" v3 Market, par conséquent, cette position ne peut pas être migrée.\"],\"P2sL6B\":\"Lorsqu'une liquidation survient, les liquidateurs remboursent jusqu'à 50 % de l'encours emprunté au nom de l'emprunteur. En contrepartie, ils peuvent acheter le collatéral à prix réduit et conserver la différence (pénalité de liquidation) en bonus.\",\"P6sRoL\":\"Mise en jeu ABPT\",\"P72/OW\":\"La moyenne pondérée de l'APY pour tous les actifs empruntés, y compris les incitatifs.\",\"P7e6Ug\":\"Veuillez connecter votre portefeuille pour consulter l’historique des transactions.\",\"PByO0X\":\"Votes\",\"PI+kVe\":\"Disable fork\",\"PJK9u/\":\"Emprunter apy\",\"PLUB/s\":\"Fee\",\"PP5ZA8\":[\"Participating in staking \",[\"symbol\"],\" gives annualized rewards. Your wallet balance is the sum of your aTokens and underlying assets. The breakdown to stake is below\"],\"PcBUgb\":\"Seuil de liquidation\",\"PjU6bu\":\"This asset is eligible for SPK incentive program. Aave Labs does not guarantee the program and accepts no liability.\",\"PpqD5g\":\"L'activation de cet actif comme garantie augmente votre pouvoir d'emprunt et votre facteur de santé. Cependant, il peut être liquidé si votre facteur de santé tombe en dessous de 1.\",\"PsOFSf\":\"Cette action réduira le facteur de santé V2 en dessous du seuil de liquidation. Conservez la garantie ou migrez la position d’emprunt pour continuer.\",\"Pu4bI/\":[[\"currentMethod\"]],\"Q0LzKi\":\"View TX\",\"Q4eNqa\":\"The Aave Balancer Pool Token (ABPT) is a liquidity pool token. You can receive ABPT by depositing a combination of AAVE + wstETH in the Balancer liquidity pool. You can then stake your BPT in the Safety Module to secure the protocol and earn Safety Incentives.\",\"QQYsQ7\":\"Withdrawing\",\"QWYCs/\":\"Stake GHO\",\"R+30X3\":\"Non atteint\",\"RCU5PY\":\"Age\",\"RIfckG\":[\"Désactiver \",[\"symbol\"],\" comme garantie\"],\"RMtxNk\":\"Différentiel\",\"RNK49r\":\"Signature non valide\",\"RS0o7b\":\"État\",\"RU+LqV\":\"Détails de la proposition\",\"RbXH+k\":\"AAVE, GHO, and ABPT holders (Ethereum network only) can stake their assets in the Safety Module to add more security to the protocol and earn Safety Incentives. In the case of a shortfall event, your stake can be slashed to cover the deficit, providing an additional layer of protection for the protocol.\",\"RiSYV4\":\"L'actif n'est pas répertorié\",\"Rj01Fz\":\"Liens\",\"RmWFEe\":\"APR staké\",\"RoafuO\":\"Envoyer des commentaires\",\"RtBLm7\":\"Le facteur santé est inférieur au seuil de liquidation\",\"RxzN1M\":\"Activé\",\"SDav7h\":\"Fonds dans le Safety Module\",\"SENccp\":\"Si l’erreur persiste,<0/> vous pouvez la signaler à ce\",\"SIWumd\":\"Afficher les ressources gelées ou mises en pause\",\"SM58dD\":\"Quantité en temps de recharge\",\"SSMiac\":\"Impossible de charger les votants de proposition. Veuillez rafraîchir la page.\",\"SSQVIz\":\"Seuil de liquidation\",\"SUb8x0\":\"Total disponible\",\"SWIgh4\":\"Fees exceed wallet balance\",\"SY9hVo\":\"Le mode lecture seule permet de voir les positions d’adresses dans Aave, mais vous ne pourrez pas effectuer de transactions.\",\"SZRUQ4\":\"Glissement maximal\",\"Sa1UE/\":\"Le plafond d’emprunt du protocole est de 100 % pour cet actif. Il n’est pas possible d’emprunter davantage.\",\"Sk2zW9\":\"Désactiver le E-mode\",\"SxaD0o\":\"Le fournisseur d'adresses de pool n'est pas enregistré\",\"T/AIqG\":\"Limite d’approvisionnement du protocole à 100 % pour cet actif. D’autres approvisionnements ne sont pas disponibles.\",\"T0xCO9\":\"Can't validate the wallet address. Try again.\",\"T4OhVl\":\"GHO balance\",\"T6uYU2\":\"Emprunter\",\"TFxQlw\":\"Pénalité de liquidation\",\"TQ7WsV\":\"Available to stake\",\"TUI7iB\":\"L'actif ne peut être utilisé comme garantie qu'en mode isolé.\",\"TbjyhA\":\"Docs\",\"TduuS0\":\"L'utilisateur n'a pas de dette à taux stable impayée sur cette réserve\",\"TeCFg/\":\"Modification du taux d’emprunt\",\"Tg1JyO\":\"Bridge history\",\"TskbEN\":\"Les détenteurs de stkAAVE bénéficient d’une réduction sur le taux d’emprunt GHO\",\"TszKts\":\"Emprunter le solde après le changement\",\"TtZL6q\":\"Paramètres du modèle de remise\",\"TwJI9F\":\"Asset has been successfully sent to CCIP contract. You can check the status of the transactions below\",\"Tz0GSZ\":\"Activités bloquées\",\"U/eBjN\":\"Recharger la page\",\"U2r8nY\":\"Choose how much voting/proposition power to give to someone else by delegating some of your AAVE, stkAAVE or aAave balance. Your tokens will remain in your account, but your delegate will be able to vote or propose on your behalf. If your AAVE, stkAAVE or aAave balance changes, your delegate's voting/proposition power will be automatically adjusted.\",\"U8IubP\":\"L’application s’exécute en mode réseau de test. Découvrez comment cela fonctionne dans\",\"U9btTk\":\"L'actif n'est pas empruntable en mode d'isolement\",\"UAOZRe\":\"L’impact sur les prix est l’écart entre la valeur totale des tokens d’entrée échangés et les tokens de destination obtenus (en USD), qui résulte de la liquidité limitée de la paire de trading.\",\"UE3KJZ\":\"L’historique des transactions n’est actuellement pas disponible pour ce marché\",\"URmyfc\":\"Détails\",\"UTTKmT\":\"Temps de recharge de la mise activé\",\"UXeR72\":\"Ces fonds ont été empruntés et ne peuvent pas être retirés pour le moment.\",\"UYb8CM\":\"Learn more about the SPK rewards\",\"UbRrG0\":\"Le ratio LTV maximum représente le pouvoir d'emprunt maximum d'une garantie spécifique. Par exemple, si une garantie a un LTV de 75 %, l'utilisateur peut emprunter jusqu'à 0,75 ETH dans la devise principale pour chaque 1 ETH de garantie.\",\"UpndFj\":\"Aucune récompense à réclamer\",\"V0f2Xv\":\"Facteur de réserve\",\"V1HK43\":\"Risques liés à la migration\",\"VATFH9\":\"Dette couverte\",\"VHOVEJ\":\"Connecter le portefeuille\",\"VMfYUK\":\"Sécurité de votre garantie déposée contre les actifs empruntés et sa valeur sous-jacente.\",\"VOAZJh\":\"Total des emprunts\",\"ViKYxK\":\"YAE\",\"W1SSoD\":\"Examiner les détails de la transaction\",\"W5hVah\":\"Rien fourni pour le moment\",\"W5kTFy\":\"Vote\",\"W8ekPc\":\"Retour au tableau de bord\",\"WMPbRK\":\"Sans support\",\"WNGZwH\":\"E-Mode augmente votre LTV pour une catégorie d'actifs sélectionnée jusqu'à <0/>. <1>En savoir plus\",\"WPWG/y\":\"Statut et configuration de la réserve\",\"WZLQSU\":\"L'utilisateur ne peut pas retirer plus que le solde disponible\",\"WaZyaV\":\"<0>Ampleforth est un actif de rebasage. Consultez la <1>documentation pour en savoir plus.\",\"WfU+XN\":\"Étant donné que cette ressource est suspendue, aucune action ne peut être entreprise jusqu’à nouvel ordre\",\"Wjmqs2\":\"No results found. You can import a custom token with a contract address\",\"WkZ6C6\":\"Pour emprunter, vous devez fournir tout actif à utiliser comme garantie.\",\"WyMiQm\":\"Vous avez réussi à changer de jeton.\",\"X/ITG9\":\"Copier le texte d'erreur\",\"X3Pp6x\":\"Utilisé comme collatéral\",\"X4Zt7j\":\"L'action ne peut pas être effectuée car la réserve est mise en pause\",\"XBdKOj\":\"Representative smart contract wallet (ie. Safe) addresses on other chains.\",\"XZzneG\":\"Vous quitterez le mode d'isolement et d'autres jetons peuvent désormais être utilisés comme collatéral\",\"Xg5y9S\":\"Amount to Bridge\",\"Xn4hUi\":\"Veuillez toujours tenir compte de votre <0>facteur de santé (HF) lors de la migration partielle d’une position et que vos tarifs seront mis à jour vers les taux V3.\",\"Xy71ST\":\"Umbrella\",\"Y5kGkc\":\"VOTER NON\",\"YDIOks\":\"Activation du E-Mode\",\"YSodyW\":\"Cette action réduira votre facteur de santé. Veuillez garder à l’esprit le risque accru de liquidation des garanties.\",\"YXOWXM\":\"The total amount bridged minus CCIP fees. Paying in network token does not impact gho amount.\",\"YirHq7\":\"Feedback\",\"YogbCJ\":\"Le mode réseau de test est activé\",\"YrDxdO\":\"Si votre prêt à la valeur dépasse le seuil de liquidation, votre garantie fournie peut être liquidée.\",\"YyIM65\":\"Les conditions de rééquilibrage des taux d'intérêt n'ont pas été remplies\",\"YyydIq\":[\"Ajouter \",[\"0\"],\" à Wallet pour suivre votre solde.\"],\"ZBvhI+\":\"Gouvernance Aave\",\"ZIIRAd\":\"Raw-Ipfs\",\"ZRq4tX\":\"Mode efficacité (E-Mode)\",\"ZSqEW+\":\"Manage E-Mode\",\"ZUFYFE\":\"Désactiver le réseau de test\",\"Zbyywy\":\"Coupure maximale\",\"ZfUGFb\":\"Avant de déposer\",\"ZiXN+B\":\"Assets to stake\",\"ZlsSDH\":\"Valeur de liquidation\",\"ZrEc8j\":\"Nous n’avons trouvé aucun élément lié à votre recherche. Réessayez avec un autre nom, symbole ou adresse de ressource.\",\"ZsLF7e\":\"Activé\",\"a0YQoQ\":\"Enter a valid address\",\"a2fBZn\":\"Temps restant pour dépiquer\",\"a5RYZd\":\"La désactivation de cet actif en tant que garantie affecte votre pouvoir d'emprunt et votre facteur de santé.\",\"a7u1N9\":\"Prix\",\"a9D+6D\":\"Non jalonné\",\"aEtiwq\":\"Vote NAY\",\"aMmFE1\":\"Acheter des crypto-monnaies avec des monnaies fiduciaires\",\"aOKIms\":\"Les paramètres de tableau devraient être de même longueur ne sont pas\",\"aX31hk\":\"Votre solde est inférieur au montant sélectionné.\",\"adUsDd\":\"An error has occurred fetching the proposal.\",\"al6Pyz\":\"Dépasse la remise\",\"aoXTT7\":\"Prêt APY, variable\",\"aqX1Yp\":\"This asset is eligible for rewards through SuperFest. Aave Labs does not guarantee the program and accepts no liability.\",\"avgETN\":\"Eligible for the Merit program.\",\"b4NS3e\":\"Avertissement de période de refroidissement\",\"bBHmeP\":\"Available to withdraw\",\"bNEQeI\":\"Cooldown\",\"bSruit\":\"ZKSync Ignite Program rewards are claimed through the\",\"bUUVED\":\"Actif\",\"bXQ/Og\":\"Partager sur Twitter\",\"bXr0ee\":\"Les actifs isolés ont un pouvoir d'emprunt limité et les autres actifs ne peuvent pas être utilisés comme garantie.\",\"bYmAV1\":\"Adresses\",\"bguKoJ\":\"Le montant demandé est supérieur au montant maximum du prêt en mode taux stable\",\"bwSQI0\":\"Fournir\",\"bxN6EM\":\"Impossible de désactiver le mode E\",\"bxmzSh\":\"Pas assez de collatéral pour rembourser ce montant de dette avec\",\"c91vuQ\":\"L'adresse n'est pas un contrat\",\"c97os2\":\"Aave aToken\",\"c9b44w\":\"Vous ne pouvez pas retirer ce montant car cela entraînera un appel de garantie\",\"cBc+4A\":\"Il s'agit du montant total que vous pouvez emprunter. Vous pouvez emprunter en fonction de votre garantie et jusqu'à ce que le plafond d'emprunt soit atteint.\",\"cIl5kp\":\"Votre pouvoir de vote est basé sur votre solde AAVE/stkAAVE et les délégations reçues.\",\"cLo09S\":\"Détails des risques\",\"cNT+ij\":\"L'emprunt n'est pas disponible car vous avez activé le mode Efficacité (E-Mode) et le mode Isolation. Pour gérer le mode E et le mode Isolation, rendez-vous sur votre <0>tableau de bord.\",\"cZOeBk\":\"Something went wrong fetching bridge message, please try again later.\",\"ceix5S\":\"Pour soumettre une proposition de modifications mineures du protocole, vous aurez besoin d’une puissance d’au moins 80,00 K. Si vous souhaitez modifier la base de code de base, vous aurez besoin d’une puissance de 320k. <0>Pour en savoir plus.\",\"ciSsYT\":\"Staking APY\",\"ciybUa\":\"Vote YAE\",\"ckf7gX\":[\"Remboursement \",[\"symbole\"]],\"cp1ZDP\":[\"Bridge \",[\"symbol\"]],\"cqnmnD\":\"Taux d’intérêt effectif\",\"cqwIvs\":\"Discussion de forum\",\"csDS2L\":\"Disponible\",\"cu7Stb\":\"Vous n'avez pas participé à cette proposition\",\"dE6BLF\":\"Gouvernance\",\"dEgA5A\":\"Annuler\",\"dIsyWh\":\"Échec de la validation LTV\",\"dMtLDE\":\"À\",\"dOB5nW\":[\"La quantité maximale disponible pour la fourniture est de <0/> \",[\"0\"],\" (<1/>).\"],\"dVfODp\":\"Vous n'avez pas assez de fonds dans votre portefeuille pour rembourser le montant total. Si vous continuez à rembourser avec votre montant actuel de fonds, vous aurez toujours une petite position d'emprunt dans votre tableau de bord.\",\"dXUQFX\":\"Actifs à emprunter\",\"dgr1aY\":\"L’emprunt est désactivé en raison d’une décision de la communauté Aave. <0>Plus d’informations\",\"djsg0o\":\"Usage de collatéral\",\"dpc0qG\":\"Variable\",\"drdV8R\":\"Liquidation\",\"dxW8cS\":\"Jeton de dette Aave\",\"e4V3oW\":\"Top 10 des adresses\",\"eD8WX/\":\"L'action nécessite une réserve active\",\"eJRJ04\":\"Montant à la mise en jeu\",\"eLh0cL\":\"Le slippage est la différence entre les montants cotés et reçus en raison de l’évolution des conditions du marché entre le moment où la transaction est soumise et sa vérification.\",\"ePK91l\":\"Edit\",\"eVpCmf\":\"Récompenses de staking\",\"eVqvtf\":\"Bridge GHO\",\"eYdurp\":\"Aucune transaction n’a encore été effectuée.\",\"ebLGGN\":\"Total emprunté\",\"ecqEvn\":\"Le solde de la garantie est de 0\",\"efdrrk\":\"Disponible sur\",\"enruNF\":\"Commence\",\"eqLYiD\":\"Arrêter de staker maintenant\",\"euScGB\":\"APY avec remise appliquée\",\"evw5ha\":\"Valeur nette\",\"ezcU16\":\"Obtenir le jeton ABP\",\"f3W0Ej\":[\"Vous êtes passé au tarif \",[\"0\"]],\"fH9i8k\":\"Vous avez réussi à changer de position d’emprunt.\",\"fHcELk\":\"APR Net\",\"fMJQZK\":\"Emprunté\",\"fZ5Vnu\":\"Reçu\",\"firl9Q\":\"Votre prêt actuel à la valeur en fonction de votre collatéral fournie.\",\"flRCF/\":\"Remise sur le staking\",\"fldjW9\":\"Prévisualiser tx et migrer\",\"fsBGk0\":\"Solde\",\"fu1Dbh\":[\"Retirer \",[\"symbole\"]],\"fwjWSI\":\"Fourni\",\"fwyTMb\":\"Migrate to stkABPT v2\",\"g0mals\":\"You can not disable E-Mode because that could cause liquidation. To exit E-Mode supply or repay borrowed positions.\",\"g2UNkE\":\"Alimenté par\",\"g8KGoA\":\"Foire aux questions\",\"g9zzqS\":\"A voté NAY\",\"gDd2gk\":\"about SuperFest.\",\"gFFh9h\":\"Tout est fait !\",\"gIMJlW\":\"Mode réseau test\",\"gOzPxe\":\"Cet actif est gelé en raison d’une décision de gouvernance du protocole Aave. <0>Plus d’informations\",\"gTHi2T\":\"L'utilisateur essaie d'emprunter plusieurs actifs, y compris un en silo\",\"gVW59Y\":\"Veuillez connecter votre portefeuille pour obtenir des ressources de réseau de test gratuites.\",\"gcFNxP\":\"Approuver Confirmé\",\"gncRUO\":\"Cette adresse est bloquée sur app.aave.com car elle est associée à un ou plusieurs\",\"goff7V\":\"Adresse zéro non-valide\",\"gp+f1B\":\"Variante 3\",\"gr8mYw\":\"Vous pouvez emprunter jusqu’à GHO à <0/> <1/> (rabais maximum)\",\"gvTM4B\":\"L'APY net est l'effet combiné de toutes les positions d'offre et d'emprunt sur la valeur nette, y compris les incitations. Il est possible d'avoir un APY net négatif si l'APY de la dette est supérieur à l'APY de l'offre.\",\"gzcch9\":\"Frais de protocole de pont invalide\",\"h33MxW\":\"Representing smart contract wallet (ie. Safe) addresses on other chains.\",\"h3ilK+\":\". .CSV\",\"hB23LY\":\"Activer le temps de recharge\",\"hIJzBh\":\"Available to Claim\",\"hIS4N0\":\"APY Net\",\"hRWvpI\":\"Revendiqué\",\"hdmy/o\":\"Le % de votre pouvoir d'emprunt total utilisé. Ceci est basé sur le montant de votre garantie fournie et le montant total que vous pouvez emprunter.\",\"hehnjM\":\"Montant\",\"hjDCQr\":\"Il y a eu une erreur. Veuillez essayer de modifier les paramètres ou <0><1>copier l'erreur\",\"hom7qf\":\"Réclamer\",\"hpHJ4I\":\"Garantie liquidée\",\"hpuVIp\":\"Users who stake AAVE in Safety Module (i.e. stkAAVE holders) receive a discount on GHO borrow interest rate.\",\"huQ6Tz\":[\"Emprunter \",[\"symbole\"]],\"hxi7vE\":\"Emprunter le solde\",\"i/fZ2Z\":\"Staked Balance\",\"i2JTiw\":\"Vous pouvez saisir un montant personnalisé dans le champ.\",\"iB5+/J\":\"À propos de GHO\",\"iChbOF\":\"Paramètres de prêt flash incohérents\",\"iEPVHF\":\"Pas assez de pouvoir de vote pour participer à cette proposition\",\"iEW87X\":\"Délégation de pouvoirs\",\"iEju36\":[\"Vous avez voté \",[\"0\"]],\"iFq2YN\":\"Borrowable\",\"iGxyIA\":\"Safety Module\",\"iMVZk9\":\"Sélectionner la tolérance de glissement\",\"iPMIoT\":\"Entrez un montant\",\"iSLIjg\":\"Connect\",\"iUo5rv\":\"tokens n'est pas la même chose que de les staker . Si vous souhaitez staker votre\",\"iZxa38\":\"Utilisez-le pour voter pour ou contre les propositions actives.\",\"if5PH+\":\"Informations sur le collectionneur\",\"igkfR1\":[\"En mode Isolation, vous ne pouvez pas fournir d’autres actifs en garantie. Un plafond d’endettement global limite le pouvoir d’emprunt de l’actif isolé. Pour quitter le mode d’isolement, désactivez \",[\"0\"],\" en garantie avant d’emprunter un autre actif. Pour en savoir plus, consultez notre <0>FAQ\"],\"il0sEG\":\"L'utilisation du collatéral est limitée en raison du mode d'isolation.\",\"j+K1Xj\":\"Amount After Fee\",\"jA2QeW\":\"Fournir votre\",\"jFi7dz\":\"Interest rate that is determined by Aave Governance. This rate may be changed over time depending on the need for the GHO supply to contract/expand. <0>Learn more\",\"jG3UJ7\":\"Désactiver le E-mode\",\"jKYzR1\":\"Activer le E-Mode\",\"jMam5g\":[[\"0\"],\" Balance\"],\"jSYv+Z\":\"Enabling E-Mode allows you to maximize your borrowing power, however, borrowing is restricted to assets within the selected category. <0>Learn more about how it works and the applied restrictions.\",\"jaKbwW\":[[\"s\"],\"s\"],\"jbFMap\":\"Temps de recharge restant\",\"jeMZNr\":[[\"0\"],\" Le service de rampe d’accès est fourni par le fournisseur externe et, en le sélectionnant, vous acceptez les conditions du fournisseur. Votre accès au service peut dépendre de l’opérationnalité du fournisseur externe.\"],\"jfl9OP\":\"Migré\",\"jmXdoY\":\"En E-Mode, certains actifs ne sont pas empruntables. Quittez le E-mode pour accéder à tous les actifs\",\"jpctdh\":\"Vue\",\"jqzUyM\":\"Non disponible\",\"k/sb6z\":\"Choisir la langue\",\"k3wP3f\":\"<0>Attention: Les changements de paramètres via la gouvernance peuvent modifier le facteur de santé de votre compte et le risque de liquidation. Suivez le <1>forum de gouvernance d’Aave pour les mises à jour.\",\"kACpF3\":[\"Réclamer \",[\"0\"]],\"kH6wUX\":\"Impact sur les prix\",\"kIC28N\":\"Available to claim\",\"kIpSye\":[[\"numSelected\"],\"/\",[\"numAvailable\"],\" Actifs sélectionnés\"],\"kN1Yg5\":\"Pour rembourser au nom d'un utilisateur, un montant explicite à rembourser est nécessaire\",\"kRTD40\":[\"Montant de remboursement à atteindre \",[\"0\"],\"% d’utilisation\"],\"kjN9tT\":\"Le plafond d'approvisionnement est dépassé\",\"knxE+G\":\". JSON (en anglais seulement)\",\"ks2LWT\":\"Le plafond de la dette n'est pas nul\",\"kwwn6i\":\"Les utilisateurs qui misent des AAVE dans le module de sécurité (c’est-à-dire les détenteurs de stkAAVE) bénéficient d’une réduction sur le taux d’intérêt d’emprunt de HO. La réduction s’applique à 100 GHO pour chaque 1 stkAAVE détenu. Utilisez le calculateur ci-dessous pour voir le taux d’emprunt GHO avec le rabais appliqué.\",\"kz3wtK\":\"and about SPK program\",\"kzZyM4\":\"DAI balance will be converted via DSR contracts and then supplied as sDAI. Switching incurs no additional costs and no slippage.\",\"lNVG7i\":\"Sélectionner une ressource\",\"lU2d1/\":[\"L’actif ne peut pas être migré en raison d’une liquidité insuffisante ou d’une limitation du plafond d’emprunt \",[\"marketName\"],\" v3 marché.\"],\"lVhKKI\":\"A voté YAE\",\"lWLqxB\":\"Nous n’avons trouvé aucune transaction liée à votre recherche. Réessayez avec un autre nom de ressource ou réinitialisez les filtres.\",\"lYGfRP\":\"Anglais\",\"lfEjIE\":\"En savoir plus dans notre <0>guide FAQ\",\"lt6bpt\":\"Garantie à rembourser\",\"m/IEhi\":\"Émission totale par jour\",\"m7r7Hh\":\"Sélection d’actifs d’emprunt\",\"mDDK4p\":\"Balancer Pool\",\"mIM0qu\":\"Montant prévu à rembourser\",\"mUAFd6\":\"Variante 2\",\"masO5Z\":\"E-Mode increases your LTV for a selected category of assets. <0>Learn more\",\"mdNjKU\":[\"Votre \",[\"name\"],\" Le portefeuille est vide. Acheter ou transférer des actifs ou utiliser <0>\",[\"0\"],\" pour transférer votre \",[\"network\"],\" actif.\"],\"muiOng\":[\"Acheter \",[\"cryptoSymbol\"],\" avec Fiat\"],\"mvCXBY\":\"Mise en jeu AAVE\",\"mwdzil\":\"D'accord, fermer\",\"mzI/c+\":\"Télécharger\",\"mzdIia\":\"L'actif ne peut pas être utilisé comme collatéral.\",\"n+SX4g\":\"Développeurs\",\"n8Psk4\":\"Nous n’avons pas pu détecter de portefeuille. Connectez un portefeuille pour staker et consulter votre solde.\",\"nJIhzm\":\"Fournir apy\",\"nJgsQu\":\"Avec un pouvoir de vote de <0/>\",\"nLC6tu\":\"Français\",\"nN2T8p\":\"During the cooldown period, you will not earn any merit rewards. However, rewards earned up to this point will remain unaffected.\",\"nNHV0z\":\"La migration simultanée de plusieurs garanties et d’actifs empruntés peut s’avérer coûteuse et peut échouer dans certaines situations. <0>Par conséquent, il n’est pas recommandé de migrer des positions avec plus de 5 actifs (déposés + empruntés) en même temps.\",\"nNbnzu\":\"Proposition\",\"nOy4ob\":\"Nous vous suggérons de revenir au tableau de bord.\",\"nPGNMh\":\"Peut être exécuté\",\"nUK1ou\":[\"Assets with zero LTV (\",[\"0\"],\") must be withdrawn or disabled as collateral to perform this action\"],\"nakd8r\":\"Les détenteurs de stkAAVE bénéficient d’une réduction sur le taux d’emprunt GHO\",\"nh2EJK\":[\"Veuillez passer à \",[\"networkName\"],\".\"],\"njBeMm\":\"Les deux\",\"noN5Xf\":\"We couldn’t detect a wallet. Connect a wallet to view your staking positions and rewards.\",\"ntkAoE\":\"Remise appliquée pour <0/> le staking d’AAVE\",\"ntyFSE\":[[\"h\"],\"h\"],\"nwtY4N\":\"Quelque chose s’est mal passé\",\"nxyWvj\":\"Le retrait de ce montant réduira votre facteur santé et augmentera le risque de liquidation.\",\"o17QVP\":\"Votre facteur de santé et votre prêt à la valeur déterminent l'assurance de votre collatéral. Pour éviter les liquidations, vous pouvez fournir plus de garanties ou rembourser les positions d'emprunt.\",\"o1xc2V\":\"L'approvisionnement en aTokens n'est pas nul\",\"o4tCu3\":\"Emprunter de l’APY\",\"o5ooMr\":\"Dette\",\"o7J4JM\":\"Filtrer\",\"oHFrpj\":\"Temps de recharge pour déstaker\",\"oJ5ZiG\":\"L'utilisateur n'a pas de dette à taux variable impayée sur cette réserve\",\"oRBGin\":\"Veuillez connecter votre portefeuille pour pouvoir échanger vos jetons.\",\"oUwXhx\":\"Ressources de test\",\"oWklJD\":\"Le taux d'intérêt stable <0>restera le même pendant toute la durée de votre prêt. Recommandé pour les périodes de prêt à long terme et pour les utilisateurs qui préfèrent la prévisibilité.\",\"odnIK3\":\"Time remaining until the 48 hour withdraw period starts.\",\"oiK5nY\":\"The current incentives period, decided on by the Aave community, has ended. Governance is in the process on renewing, check for updates. <0>Learn more.\",\"olREoo\":\"All borrow positions outside of this category must be closed to enable this category.\",\"om/XHs\":\"Disponible au dépôt\",\"ov0+mq\":\"Eligible for the ZKSync Ignite program.\",\"ovT1pF\":[\"Per the community, the \",[\"market\"],\" has been frozen.\"],\"ow3fug\":\"Rien n’a été trouvé\",\"owSsI3\":\"Signatures prêtes\",\"p+R52m\":\"Accéder à Balancer Pool\",\"p2A+s1\":[\"La période de recharge est de \",[\"0\"],\". Après \",[\"1\"],\" de temps de recharge, vous entrerez dans la fenêtre de désengagement de \",[\"2\"],\". Vous continuerez à recevoir des récompenses pendant le temps de recharge et la fenêtre de retrait.\"],\"p2S64u\":\"Le ratio prêt/valeur des positions migrées entraînerait la liquidation. Augmenter les garanties migrées ou réduire les emprunts migrés pour continuer.\",\"p2Z2Qi\":\"Cet actif a atteint son plafond d'emprunt. Rien n'est disponible pour être emprunté à ce marché.\",\"p3j+mb\":\"Votre solde de récompenses est de 0\",\"p45alK\":\"Configurer la délégation\",\"p6u2s1\":\"Minimum amount of debt to be repaid\",\"pDgeaz\":[[\"title\"]],\"pdZqBk\":\"Le solde sous-jacent doit être supérieur à 0\",\"pgWG9H\":\"Pas assez de solde staké\",\"piPrJ7\":\"veuillez vérifier que le montant que vous souhaitez fournir n'est pas actuellement utilisé pour le staking. S'il est utilisé pour le staking, votre transaction peut échouer.\",\"pjO/iH\":\"Minimum amount received\",\"pooutM\":\"Voting is on\",\"pqaM5s\":\"Confirming transaction\",\"ptaxX3\":[\"Je comprends comment fonctionnent le temps de recharge (\",[\"0\"],\") et le retrait (\",[\"1\"],\")\"],\"py2iiY\":\"L'appelant de cette fonction doit être un pool\",\"q/51mF\":\"Migrer vers la V3\",\"q3df11\":\"Stratégie de taux d’intérêt\",\"q6lAbz\":\"Staké\",\"qB4kPi\":\"Fournir APY\",\"qENI8q\":\"Paramètres globaux\",\"qGz5zl\":\"Solde de garantie après remboursement\",\"qIW9ZH\":\"Amount staked\",\"qOqbD6\":\"copier l'erreur\",\"qXCkEM\":\"Veuillez connecter votre portefeuille pour voir vos fournitures, vos emprunts et vos positions ouvertes.\",\"qY2jnw\":\"Expiration invalide\",\"qf/fr+\":\"Intérêts courus\",\"qhhf9L\":\"Rewards available to claim\",\"quYPUU\":\"Variable interest rate will <0>fluctuate based on the market conditions.\",\"quzIeW\":\"User is in isolation mode or LTV is zero\",\"qvnz3q\":\"Montant non valide à brûler\",\"rHgdb0\":\"Migrate to Aave V3\",\"rOrHHe\":\"Le montant doit être supérieur à 0\",\"rQ+R+0\":\"Sélection d’actifs d’approvisionnement\",\"rSayea\":\"APY\",\"rTBDeu\":[\"L’actif ne peut pas être migré car vous disposez d’une garantie isolée dans \",[\"marketName\"],\" v3 Marché qui limite les actifs empruntables. Vous pouvez gérer vos garanties dans <0>\",[\"marketName\"],\" Tableau de bord V3\"],\"rcT+yy\":\"Afficher les actifs avec 0 solde\",\"rf8POi\":\"Montant de l’actif emprunté\",\"riNWOA\":\"E-Mode\",\"rjGI/Q\":\"Vie privée\",\"rnKPW1\":\"Watch a wallet balance in read-only mode\",\"ruc7X+\":\"Ajoutez stkAAVE pour voir l’APY d’emprunt avec la remise\",\"rvbaFU\":[\"Bridging \",[\"symbol\"]],\"rwVVB7\":\"Réclamez toutes les récompenses\",\"rwyUva\":\"Ces actifs sont temporairement gelés ou suspendus par des décisions de la communauté Aave, ce qui signifie qu’il n’est pas possible d’obtenir / emprunter ou d’échanger des taux de ces actifs. Les retraits et les remboursements de dettes sont autorisés. Suivez le <0>forum de gouvernance d’Aave pour d’autres mises à jour.\",\"rxJW5W\":\"Votre pouvoir de proposition est basé sur votre solde AAVE/stkAAVE et les délégations reçues.\",\"s2jJnW\":\"You don't have any bridge transactions\",\"s5wBAq\":[\"Unstake \",[\"symbol\"]],\"sJbIdI\":\"Enter ETH address or ENS\",\"sK+Nag\":\"Réviser tx\",\"sP2+gB\":\"NON\",\"sQv06Y\":\"pour\",\"sTtO6J\":\"Confirm transaction\",\"sXKb3l\":\"Exchange rate\",\"sb0q4+\":\"Vous unstaké ici\",\"smJNwH\":\"Disponible à emprunter\",\"solypO\":\"Le facteur de santé n'est pas inférieur au seuil\",\"sr0UJD\":\"Retourner\",\"ss5GCK\":\"L'adresse du fournisseur d'adresses du pool n'est pas valide\",\"swEgK4\":\"Vos informations de vote\",\"t+wtgf\":\"Aucun emprunt pour l'instant\",\"t/YqKh\":\"Remove\",\"t81DpC\":[\"Approuver \",[\"symbol\"],\" pour continuer\"],\"tCnbEs\":\"Prix Oracle\",\"tFZLf8\":\"Ce calcul de gaz n'est qu'une estimation. Votre portefeuille fixera le prix de la transaction. Vous pouvez modifier les paramètres de gaz directement depuis votre fournisseur de portefeuille.\",\"tHuvQI\":\"Accéder au tableau de bord V3\",\"tKv7cI\":\"Changer de position d’emprunt\",\"tOcg3N\":\"Étant donné que cet actif est gelé, les seules actions disponibles sont le retrait et le remboursement, accessibles depuis le <0>tableau de bord\",\"tOuXfv\":[\"Emprunter le montant à atteindre \",[\"0\"],\"% d’utilisation\"],\"te9Bfl\":\"S'il vous plaît, connectez votre portefeuille\",\"tt5yma\":\"Vos ressources\",\"ttoh5c\":\"Passer à\",\"u3ZeYl\":\"La transaction a échoué\",\"u706uF\":\"Prime flash non valide\",\"u8Gfu7\":[\"Aucun résultat de recherche\",[\"0\"]],\"uAQUqI\":\"Status\",\"uHMwk8\":\"Aucune ressource n’a été sélectionnée pour la migration.\",\"uJPHuY\":\"Migration\",\"uY8O30\":\"Pour continuer, vous devez autoriser les contrats intelligents Aave à déplacer vos fonds depuis votre portefeuille. En fonction de l’actif et du portefeuille que vous utilisez, cela se fait en signant le message d’autorisation (sans gaz) ou en soumettant une transaction d’approbation (nécessite du gaz). <0>Pour en savoir plus\",\"udFheE\":\"For repayment of a specific type of debt, the user needs to have debt that type\",\"ulNuNq\":\"Exporter des données vers\",\"ulup2p\":\"Acheter des crypto-monnaies avec des monnaies fiduciaires\",\"umICAY\":\"<0><1><2/>Ajoutez stkAAVE pour voir le taux d’emprunt avec escompte\",\"usB84Z\":\"Le montant maximum disponible pour emprunter est limité car le plafond d’emprunt du protocole est presque atteint.\",\"uwAUvj\":\"COPIER L’IMAGE\",\"v8x7Mg\":\"Garantie insuffisante pour couvrir une nouvelle position d’emprunt. Le portefeuille doit avoir une capacité d’emprunt restante pour effectuer le transfert de dette.\",\"vEqxH9\":\"Restauré\",\"vLyv1R\":\"Cacher\",\"vMba49\":\"L'emprunt n'est pas activé\",\"vMpNwt\":\"Approuvez avec\",\"vXIe7J\":\"Language\",\"vesuBJ\":\"Vous permet de décider si vous souhaitez utiliser un actif fourni en tant que collatéral. Un actif utilisé comme collatéral affectera votre pouvoir d'emprunt et votre Health Factor.\",\"w+V9Cx\":\"Stablecoin\",\"w/JtJ3\":\"L'offre de dette stable n'est pas nulle\",\"w4VBY+\":\"Récompenses APR\",\"w9dLMW\":[[\"label\"]],\"wAOL+X\":[\"Vous \",[\"action\"],\" <0/> \",[\"symbole\"]],\"wBIsjb\":\"Canal Discord\",\"wQZbc/\":\"L'appelant de la fonction n'est pas un AToken\",\"wRRqvW\":\"Vous n'avez pas de fournitures dans cette devise\",\"wZFvVU\":\"VOTER OUI\",\"wb/r1O\":[\"Faucet \",[\"0\"]],\"wdxz7K\":\"Source\",\"weH1nG\":\"Le protocole Aave est programmé pour toujours utiliser le prix de 1 GHO = 1 $. C’est différent de l’utilisation des prix du marché via des oracles pour d’autres actifs cryptographiques. Cela crée des opportunités d’arbitrage stabilisatrices lorsque le prix du GHO fluctue.\",\"wh7Ezv\":\"You have no AAVE/stkAAVE/aAave balance to delegate.\",\"wlsIx7\":\"Avec testnet Faucet, vous pouvez obtenir des ressources gratuites pour tester le protocole Aave. Assurez-vous de changer votre fournisseur de portefeuille pour le réseau de test approprié, sélectionnez l’actif souhaité et cliquez sur «\xA0Faucet\xA0» pour obtenir des jetons transférés vers votre portefeuille. Les actifs d’un réseau de test ne sont pas « réels », ce qui signifie qu’ils n’ont aucune valeur monétaire. <0>Pour en savoir plus\",\"wmE285\":\"Get ABP v2 Token\",\"wyRrcJ\":\"As a result of governance decisions, this ABPT staking pool is now deprecated. You have the flexibility to either migrate all of your tokens to v2 or unstake them without any cooldown period.\",\"x5KiLL\":\"Les ressources sélectionnées ont été migrées avec succès. Rendez-vous sur le tableau de bord du marché pour les voir.\",\"x7F2p6\":\"Différentiel de courant\",\"x7K5ib\":[\"Votre \",[\"networkName\"],\" Le portefeuille est vide. Obtenir un test gratuit \",[\"0\"],\" à\"],\"x9iLRD\":\"tokens, veuillez vous rendre sur\",\"xNy/UG\":\"Rembourser avec\",\"xPm8wv\":\"En savoir plus sur les risques encourus\",\"xXYpZl\":[[\"0\"],\" Faucet\"],\"xaVBSS\":\"Vos informations\",\"xaWZ6f\":\"Changement de type APY\",\"xh6k71\":\"L’utilisation des garanties est limitée en raison du mode d’isolation.\",\"xvIklc\":\"Flashloan est désactivé pour cet actif, cette position ne peut donc pas être migrée.\",\"y5rS9U\":\"Émigrer\",\"y66tBm\":[\"Activer \",[\"symbol\"],\" comme collatéral\"],\"yB1YpA\":\"Mode Sombre\",\"yCrG6m\":\"Taille totale du marché\",\"yJUUbn\":\"Aperçu des transactions\",\"yLGmLX\":[\"Remise en jeu \",[\"symbol\"]],\"yW1oWB\":\"APY type\",\"yYHqJe\":\"Pas une adresse valide\",\"yZwLw6\":\"Suivre le portefeuille\",\"yh2sjd\":[\"Impact sur les prix \",[\"0\"],\"%\"],\"yhvj6d\":\"Vous ne pouvez pas changer d'utilisation en tant que mode de garantie pour cette devise, car cela entraînera un appel de garantie\",\"ylmtBZ\":\"The app is running in fork mode.\",\"ymNY32\":[\"Il n'y a pas assez de fonds dans la \",[\"0\"],\" réserve pour emprunter\"],\"yz7wBu\":\"Fermer\",\"z4uGQg\":\"Le plafond de la dette est dépassé\",\"z5UQOM\":\"La garantie choisie ne peut être liquidée\",\"z5Y+p6\":[\"Fournir \",[\"symbole\"]],\"zCjNKs\":\"L'action ne peut pas être effectuée car la réserve est gelée\",\"zRHytX\":\"Plafond de la dette isolée\",\"zTOjMP\":\"La limite d’approvisionnement du protocole est de 100 % pour cet actif. D’autres approvisionnements ne sont pas disponibles.\",\"zVdRUG\":\"Submission did not work, please try again later or contact wecare@avara.xyz\",\"zevmS2\":\"<0><1><2/>Ajoutez <3/> stkAAVE pour emprunter à <4/> (remise maximale)\",\"zgtIDV\":\"Dette restante\",\"zmTPiV\":\"Bilan d'approvisionnement\",\"zpPbZl\":\"Paramètres du risque de liquidation\",\"zucql+\":\"Menu\",\"zwWKhA\":\"Apprendre encore plus\",\"zy9fXn\":[\"L’actif est gelé \",[\"marketName\"],\" v3, donc cette position ne peut pas être migrée.\"],\"zys+R6\":\"Faites attention à la congestion du réseau et aux prix de l’essence.\",\"zzzTXS\":\"Merit Program rewards are claimed through the\"}")}; \ No newline at end of file +/*eslint-disable*/module.exports={messages:JSON.parse("{\"+0xecS\":[\"Si vous NE vous désengagez PAS dans les \",[\"0\"],\" de la fenêtre de désengagement, vous devrez réactiver le processus de refroidissement.\"],\"+EGVI0\":\"Recevoir (est.)\",\"+VR63W\":[\"Participer à cette réserve \",[\"symbol\"],\" donne des récompenses annualisées.\"],\"+bmKdK\":\"Use your AAVE, stkAAVE, or aAave balance to delegate your voting and proposition powers. You will not be sending any tokens, only the rights to vote and propose changes to the protocol. You can re-delegate or revoke power to self at any time.\",\"+eOPG+\":\"On dirait que nous ne pouvons pas changer de réseau automatiquement. Veuillez vérifier si vous pouvez le changer depuis le portefeuille.\",\"+i3Pd2\":\"Limite d'emprunt\",\"+kLZGu\":\"Montant de l’actif fourni\",\"+nuEh/\":\"Estimated time\",\"+xMFF8\":\"Remind me\",\"/57U31\":\"Amount to migrate\",\"/7ykiW\":\"Emprunter ce montant réduira votre facteur santé et augmentera le risque de liquidation.\",\"/YA5pU\":\"E-Mode increases your LTV for a selected category of assets, meaning that when E-mode is enabled, you will have higher borrowing power over assets of the same E-mode category which are defined by Aave Governance. You can enter E-Mode from your <0>Dashboard. To learn more about E-Mode and applied restrictionn, see the <1>help guide or the <2>Aave V3 Technical Paper.\",\"/izjs/\":\"Montant minimum d’Aave mis en jeu\",\"/jQctM\":\"To\",\"/lDBHm\":\"FAQ\",\"/yNlZf\":\"L'emprunt stable n'est pas activé\",\"/yQcJM\":\"Valeur totale\",\"00AB2i\":\"L'utilisateur n'a pas emprunté la devise spécifiée\",\"00OflG\":\"Il n’y a pas assez de liquidités pour que l’actif cible puisse effectuer le changement. Essayez de réduire le montant.\",\"08/rZ9\":\"La période de recharge est le temps nécessaire avant de retirer vos jetons (20 jours). Vous ne pouvez retirer vos actifs du module de sécurité qu’après la période de recharge et pendant la période de désenjeu. <0>Pour en savoir plus\",\"0AmQcW\":\"Changement de taux\",\"0BF3yK\":\"Désolé, nous n’avons pas trouvé la page que vous cherchiez.\",\"0TAbjq\":\"Recent Transactions\",\"0jhlyw\":\"Risque de liquidation\",\"0ojY+Y\":\"Solde actuel v2\",\"0thX3P\":\"Modification des garanties\",\"0wGCWc\":\"Il s'agit du montant total que vous pouvez emprunter. Vous pouvez emprunter en fonction de votre garantie et jusqu'à ce que le plafond d'emprunt soit atteint.\",\"1AsVfF\":\"À l’heure actuelle, les données sur les prix ne sont pas disponibles pour cette réserve dans le sous-graphe du protocole\",\"1LjK22\":\"Historique des transactions\",\"1Onqx8\":[\"Approuver \",[\"symbol\"],\"...\"],\"1Ue8sX\":\"Veuillez connecter un portefeuille pour afficher vos informations personnelles ici.\",\"1YH41K\":[\"After the cooldown period ends, you will enter the unstake window of \",[\"0\"],\". You will continue receiving rewards during cooldown and the unstake period.\"],\"1bpx9A\":\"...\",\"1kWUB+\":\"Seuil de liquidation <0/>\",\"1m9Qqc\":\"Retrait et changement\",\"1oyh4g\":\"Borrow rate\",\"1t7rez\":\"L’offre d’actifs est limitée à un certain montant afin de réduire l’exposition du protocole à l’actif et d’aider à gérer les risques encourus.\",\"2CAPu2\":\"Vous avez retiré et échangé des jetons avec succès.\",\"2Eoi/a\":\"Voir détails\",\"2FYpfJ\":\"Plus\",\"2O3qp5\":\"Liquidités disponibles\",\"2OM8/D\":[\"L’actif ne peut pas être migré en raison d’une restriction de plafond d’approvisionnement dans \",[\"marketName\"],\" v3 marché.\"],\"2Q4GU4\":\"Adresse bloquée\",\"2ZGocC\":\"Aave est un protocole entièrement décentralisé et régi par la communauté par les détenteurs de jetons AAVE. Les détenteurs de jetons AAVE discutent, proposent et votent collectivement sur les mises à niveau du protocole. Les détenteurs de jetons AAVE (réseau Ethereum uniquement) peuvent soit voter eux-mêmes sur de nouvelles propositions, soit choisir l’adresse de leur choix. Pour en savoir plus, consultez la page Gouvernance\",\"2a6G7d\":\"Veuillez saisir une adresse de portefeuille valide.\",\"2bAhR7\":\"Rencontrez GHO\",\"2eBWE6\":\"Je reconnais les risques encourus.\",\"2o/xRt\":\"Plafond d'approvisionnement sur la réserve cible atteint. Essayez de réduire le montant.\",\"2uJToh\":[[\"0\"],[\"name\"]],\"2x58bP\":\"L'emprunt stable est activé\",\"34Qfwy\":\"Le plafond d'emprunt est dépassé\",\"39eQRj\":[\"Emprunter \",[\"symbole\"]],\"3BL1xB\":\"Total fourni\",\"3BnIWi\":\"Commuté\",\"3K0oMo\":\"Offre restante\",\"3MoZhl\":\"Il n'y a pas assez de collatéral pour couvrir un nouvel emprunt\",\"3Np5O8\":[\"Fournir \",[\"symbole\"]],\"3O8YTV\":\"Total des intérêts courus\",\"3mXg0z\":\"Max LTV\",\"3q3mFy\":\"Rembourser\",\"3qsjtp\":\"La moyenne pondérée de l'APY pour tous les actifs fournis, y compris les incitations.\",\"3rL+os\":\"Vous ne pouvez retirer vos actifs du module de sécurité qu'après la fin de la période de refroidissement et que la fenêtre de retrait est active.\",\"42UgDM\":[\"Migrer vers \",[\"0\"],\" Marché v3\"],\"49UFQA\":\"Résultats du vote\",\"4DMZUI\":\"Afficher les transactions\",\"4HtGBb\":\"MAX\",\"4Y5H+g\":\"Petits caractères\",\"4YYh4d\":\"Maximum available to borrow\",\"4iPAI3\":\"Montant minimum d’emprunt GHO\",\"4lDFps\":\"Signez pour continuer\",\"4wyw8H\":\"Transactions\",\"5JSSxX\":[\"Votre \",[\"networkName\"],\" Le portefeuille est vide. Obtenez des ressources de test gratuites à l’adresse suivante :\"],\"5K7kGO\":\"documentation\",\"5NOSGa\":\"Le plafond de la dette limite le montant que les utilisateurs du protocole peuvent emprunter sur cet actif. Le plafond de la dette est spécifique aux actifs isolés et est indiqué en USD.\",\"5Ncc6j\":[\"Cet actif a presque atteint son plafond d'offre. Il ne peut y avoir que \",[\"messageValue\"],\" fourni à ce marché.\"],\"5cZ/KX\":\"L'offre de dette variable n'est pas nulle\",\"5che++\":\"Pour demander l'accès à ce marché autorisé, veuillez consulter\xA0: <0>Nom du fournisseur d'accès\",\"5ctNdV\":[\"Minimum \",[\"0\"],\" reçu\"],\"5hDe9v\":\"Allocation action requise\",\"5rsnKT\":\"Récompenses disponibles\",\"5yC5m5\":\"Voir tous les votes\",\"6/dCYd\":\"Aperçu\",\"60crCe\":\"Toutes les transactions\",\"62Xcjh\":\"Collatérale\",\"65A04M\":\"Espagnol\",\"6G8s+q\":\"Signature\",\"6Jrv+z\":[\"Rembourser \",[\"symbole\"]],\"6NGLTR\":\"Montant actualisable\",\"6Xr0UU\":\"Refroidissement...\",\"6bxci/\":\"Pouvoir de vote\",\"6f8S68\":\"Marchés\",\"6g1gi0\":\"Les propositions\",\"6gvoHP\":\"Copier le message d’erreur\",\"6h3Q5G\":\"Remboursé\",\"6lFSyT\":\"Available to Stake\",\"6s8L6f\":\"Changer de réseau\",\"6yAAbq\":\"APY, borrow rate\",\"70wH1Q\":\"APR\",\"72c5Qo\":\"Total\",\"73Auuq\":\"Les paramètres de remise sont décidés par la communauté Aave et peuvent être modifiés au fil du temps. Consultez la section Gouvernance pour les mises à jour et votez pour participer. <0>Pour en savoir plus\",\"75qcAQ\":[[\"stepName\"]],\"7ITr5L\":\"Facteur de santé\",\"7T/o5R\":\"Atteint\",\"7YlcXu\":\"Fork mode is ON\",\"7Z76Iw\":\"L’emprunt n’est pas disponible car vous utilisez le mode Isolation. Pour gérer le mode d’isolation, rendez-vous sur votre <0>tableau de bord.\",\"7aKlMS\":\"Partager sur Lens\",\"7bdUsR\":\"Redeem as aToken\",\"7er5fP\":\"Réclamer tout\",\"7hb2+s\":\"Time remaining until the withdraw period ends.\",\"7l88b8\":\"Les données n’ont pas pu être récupérées, veuillez recharger le graphique.\",\"7p5kLi\":\"Tableau de bord\",\"7sofdl\":\"Retrait et échange\",\"8+6BI0\":\"Soyez prudent - Vous êtes très proche de la liquidation. Envisagez de déposer plus de collatéral ou de rembourser certaines de vos positions empruntées\",\"87pUEW\":[\"Votre \",[\"name\"],\" Le portefeuille est vide. Acheter ou transférer des actifs.\"],\"8F1i42\":\"Page introuvable\",\"8G8M0u\":\"Chargement des données...\",\"8Iu1QS\":\"Retiré\",\"8JL93T\":\"Toutes les propositions\",\"8Q51DU\":\"Ajouter au portefeuille\",\"8X/oyn\":\"Montant invalide à frapper\",\"8Z5FPv\":\"Déconnecter le portefeuille\",\"8Zz7s5\":\"actifs\",\"8aLW8H\":\"Solde à révoquer\",\"8bOT3H\":\"Taux d'utilisation\",\"8sLe4/\":\"Voir le contrat\",\"8t/M0y\":\"Please connect your wallet to be able to bridge your tokens.\",\"8vETh9\":\"Montrer\",\"94OHPx\":\"Vous entrez en mode Isolation\",\"9CDK3/\":[\"L'emprunt n'est actuellement pas disponible pour \",[\"0\"],\".\"],\"9GIj3z\":\"Taille de réserve\",\"9Knqb4\":\"Solde de mise en jeu\",\"9OBKm7\":\"Quorum\",\"9QHoGr\":\"Votes actuels\",\"9Rw96f\":[\"Cet actif a presque atteint son plafond d'emprunt. Il n'y a que \",[\"messageValue\"],\" disponible pour être emprunté sur ce marché.\"],\"9Xj/qR\":[\"Certaines ressources migrées ne seront pas utilisées comme garantie en raison de l’activation du mode d’isolement dans \",[\"marketName\"],\" Marché V3. Visite <0>\",[\"marketName\"],\" Tableau de bord V3 pour gérer le mode d’isolation.\"],\"9c6vDV\":\"Cet actif a atteint son plafond d'offre. Rien n'est disponible pour être fourni à partir de ce marché.\",\"9kTWHA\":\"L’AMI a été suspendu en raison d’une décision de la communauté. L’offre, les emprunts et les remboursements sont impactés. <0>Plus d’informations\",\"9lXchd\":\"Jeton sous-jacent\",\"9rWaKF\":\"Bridged Via CCIP\",\"9xSooW\":\"Comme il s'agit d'un réseau de test, vous pouvez obtenir n'importe lequel des actifs si vous avez ETH dans votre portefeuille\",\"A/lwoe\":\"Choisissez l’un des services de rampe d’accès\",\"A6dCI6\":[\"Le montant maximal disponible pour emprunter est de <0/> \",[\"0\"],\" (<1/>).\"],\"AReoaV\":\"Vos emprunts\",\"ARu1L4\":\"Remboursé\",\"AV7cGz\":\"Examiner les détails de la taxe d'approbation\",\"AZOjB8\":\"Récupération de données...\",\"Ai0jas\":\"Rejoignez la discussion de la communauté\",\"Ajl2rq\":\"Le pouvoir d'emprunt et les actifs sont limités en raison du mode d'isolement.\",\"AqgYNC\":\"Plafond d’emprunt du protocole à 100% pour cet actif. Il n’est pas possible d’emprunter davantage.\",\"B3EcQR\":\"Merci d’avoir voté\xA0!!\",\"B6aXGH\":\"Stable\",\"B9Gqbz\":\"Taux variable\",\"BDFEd+\":\"Les stETH fournis en garantie continueront d’accumuler des récompenses de staking fournies par les rebasages quotidiens.\",\"BE2mP0\":\"Borrowed assets\",\"BJyN77\":\"Due to health factor impact, a flashloan is required to perform this transaction, but Aave Governance has disabled flashloan availability for this asset. Try lowering the amount or supplying additional collateral.\",\"BNL4Ep\":\"L'utilisation de la garantie est limitée en raison du mode d'isolement. <0>En savoir plus\",\"BQ/wCO\":\"Migrate your assets\",\"BjLdl1\":\"À prix réduit\",\"BnhYo8\":\"Catégorie d'actifs\",\"Bq9Y7e\":\"Cet actif est gelé en raison d’une décision de la communauté Aave. <0>Plus d’informations\",\"BqWMDJ\":\"Faucet\",\"BqynZO\":\"Optimized for efficiency and risk by supporting blue-chip collateral assets\",\"Bsu7zX\":\"The fee includes the gas cost to complete the transaction on the destination chain and the fee paid to Chainlink CCIP service providers. You can chose to pay in the network token or GHO. <0>Learn more\",\"BwJKBw\":\"de\",\"C4/GSi\":\"Your balance of assets that are available to stake\",\"CDrsH+\":\"Fiche technique\",\"CK1KXz\":\"Max\",\"CMHmbm\":\"Glissement\",\"CZXzs4\":\"Grec\",\"CcRNG6\":\"Transistor\",\"CkTRmy\":[\"Revendication \",[\"symbol\"]],\"CsqtLm\":\"Veuillez connecter votre portefeuille pour voir l’outil de migration.\",\"CtGlFb\":[[\"networkName\"],\" Robinet\"],\"Cxt2YY\":\"Watch wallet\",\"D33VQU\":\"Cette action réduira le facteur de santé de V3 en dessous du seuil de liquidation. Augmenter les garanties migrées ou réduire les emprunts migrés pour continuer.\",\"D8sc3k\":\"Stake balance\",\"D9BLRG\":\"This asset has been paused due to a community decision. Supply, withdraw, borrows and repays are impacted.\",\"DAma/S\":\"La garantie est (principalement) la même devise que celle qui est empruntée\",\"DCnFg0\":[\"Adresses (\",[\"0\"],\")\"],\"DG3Lv1\":\"Je comprends parfaitement les risques liés à la migration.\",\"DONJcV\":\"L'actif sous-jacent ne peut pas être sauvé\",\"DR+4uL\":\"Bilan de l’alimentation après le changement\",\"DWjrck\":[\"La ressource ne peut pas être migrée vers \",[\"marketName\"],\" V3 Market en raison des restrictions du mode E. Vous pouvez désactiver ou gérer les catégories du mode E dans votre <0>tableau de bord V3\"],\"Dj+3wB\":\"Aave par mois\",\"DptNvx\":\"Amount Staked\",\"DuEq2K\":\"Collatéralisation\",\"DxfsGs\":\"Vous pouvez signaler un incident sur notre <0>Discord ou<1>Github.\",\"Dzma+E\":\"Main Ethereum market with the largest selection of assets and yield options\",\"E/QGRL\":\"Désactivé\",\"EBL9Gz\":\"COPIÉ!\",\"ES8dkb\":\"Taux fixe\",\"EZd3Dk\":[\"Reprise \",[\"symbol\"]],\"EZqFZ+\":\"Staking this asset will earn the underlying asset supply yield in additon to other configured rewards.\",\"Ebgc76\":[\"Retrait \",[\"symbole\"]],\"EdQY6l\":\"Aucun/Aucune\",\"EjvKQ+\":\"Valeur minimale en USD reçue\",\"Enslfm\":\"Destination\",\"EvE9nO\":[\"Réactiver la période de recharge pour annuler le pieu \",[\"0\"],\" \",[\"stakedToken\"]],\"EvECnL\":\"Migrer vers la v3\",\"EzMQbh\":\"The source chain time to finality is the main factor that determines the time to destination. <0>Learn more\",\"F40cwT\":\"Legacy Markets\",\"F6TdXL\":\"Pour en savoir plus.\",\"FDDPeZ\":\"Users can stake their assets in the protocol and earn incentives. In the case of a shortfall event, your stake can be slashed to cover the deficit, providing an additional layer of protection for the protocol.\",\"FHlMf/\":\"Solde actuel de la v2\",\"FHpxjF\":[\"Le facteur de réserve est un pourcentage de l’intérêt qui va à un \",[\"0\"],\" qui est contrôlé par la gouvernance Aave pour promouvoir la croissance de l’écosystème.\"],\"FOBZa6\":\"Puissance d'emprunt utilisée\",\"FPKEug\":\"Opération non prise en charge\",\"FbmMe7\":\"Linked addresses\",\"Fdp03t\":\"sur\",\"Fjw9N+\":\"Actifs à déposer\",\"FmN0fk\":\"Remise en jeu\",\"GDGLIs\":\"GHO est un actif numérique natif décentralisé et adossé à des garanties, indexé sur le dollar américain. Il est créé par les utilisateurs en empruntant contre plusieurs garanties. Lorsque l’utilisateur rembourse sa position d’emprunt de HO, le protocole brûle le GHO de cet utilisateur. Tous les paiements d’intérêts accumulés par les minters de GHO seraient directement transférés à la trésorerie d’AaveDAO.\",\"GQrBTq\":\"Changer de mode E\",\"GWswcZ\":\"Cet actif est gelé en raison d’une décision de gouvernance du protocole Aave. Le 20 décembre 2022, renFIL ne sera plus pris en charge et ne pourra plus être reconnecté à son réseau natif. Il est recommandé de retirer les positions d’offre et de rembourser les positions d’emprunt afin que renFIL puisse être relié à FIL avant la date limite. Après cette date, il ne sera plus possible de convertir renFIL en FIL. <0>Plus d’informations\",\"GX8GKD\":\"Actifs\",\"GgEj+0\":\"Mode lecture seule. Connectez-vous à un portefeuille pour effectuer des transactions.\",\"GjkIKV\":\"Prend fin\",\"GoK/QN\":\"Thank you for submitting feedback!\",\"GtP2hp\":[\"L'emprunt n'est pas disponible, car vous avez activé le mode d'efficacité (E-Mode) pour la catégorie \",[\"0\"],\". Pour gérer les catégories E-Mode, visitez votre <0>tableau de bord.\"],\"H6Ma8Z\":\"Rabais\",\"HB/wfS\":[[\"tooltipText\"]],\"HKDsQN\":\"Rewards can be claimed through\",\"Ha/U5f\":\"This is a program initiated and implemented by the decentralised ZKSync community. Aave Labs does not guarantee the program and accepts no liability.\",\"HciqKU\":\"This is a program initiated and implemented by the decentralised Aave community. Aave Labs does not guarantee the program and accepts no liability.\",\"Hi6Ttn\":\"Désolé, une erreur inattendue s’est produite. En attendant, vous pouvez essayer de recharger la page, ou revenir plus tard.\",\"HkEDbS\":[[\"d\"],\"d\"],\"HmkYqM\":\"Fenêtre d'arrêt de staking\",\"HpK/8d\":\"Recharger\",\"HrnC47\":\"Enregistrer et partager\",\"HuVZMK\":\"Days\",\"HvJKMU\":[\"La ressource ne peut pas être migrée vers \",[\"marketName\"],\" v3 Marché puisque l’actif collatéral activera le mode d’isolation.\"],\"Hvwnm9\":[\"La quantité maximale disponible pour l’approvisionnement est limitée parce que le plafond d’approvisionnement du protocole est à \",[\"0\"],\"%.\"],\"I8CX2c\":\"Le montant total de vos actifs libellés en USD qui peut être utilisé comme garantie pour emprunter des actifs.\",\"IAD2SB\":[\"Prétendant \",[\"symbol\"]],\"IG9X9/\":\"L’emprunt de cet actif est limité à un certain montant afin de minimiser l’insolvabilité du pool de liquidités.\",\"IOIx8L\":\"Il est prévu que cet actif soit désactivé en raison d’une décision de gouvernance du protocole Aave. <0>Plus d’informations\",\"IP+I/j\":\"Période de recharge\",\"IaA40H\":\"Liquidation à\",\"J/hVSQ\":[[\"0\"]],\"JCoxL6\":\"Gérer l’analytique\",\"JK9zf1\":[\"Intérêts composés estimés, y compris l’escompte pour le jalonnement \",[\"0\"],\"AAVE dans le module de sécurité.\"],\"JOqFba\":[\"Déjalonnement \",[\"symbol\"]],\"JPrLjO\":\"Vous ne pouvez pas utiliser cette devise comme garantie\",\"JU6q+W\":\"Récompense(s) à réclamer\",\"JYKRJS\":\"Stake\",\"JZMxX0\":\"Pas assez de solde sur votre portefeuille\",\"Jgflkm\":\"Get GHO\",\"JoMQnI\":\"Solde du portefeuille\",\"JtwD8u\":\"Emprunter le solde après le remboursement\",\"JumYTK\":\"Supplied assets\",\"K05qZY\":\"Retrait et échange\",\"KAz/NV\":\"Le plafond d’endettement du protocole est de 100% pour cet actif. Il n’est pas possible d’emprunter davantage sur cet actif.\",\"KLXVqE\":[\"Les tokens stETH seront migrés vers Wrapped stETH à l’aide du wrapper Lido Protocol, ce qui entraîne une modification de l’équilibre de l’offre après la migration : \",[\"0\"]],\"KLd6ky\":\"Use connected account\",\"KRpokz\":\"VOIR TX\",\"KSlpka\":\"Cela représente le seuil auquel une position d'emprunt sera considérée comme sous-garantie et sujette à liquidation pour chaque garantie. Par exemple, si une garantie a un seuil de liquidation de 80\xA0%, cela signifie que la position sera liquidée lorsque la valeur de la dette vaut 80 % de la valeur de la garantie.\",\"KYAjf3\":\"Isolé\",\"KZwRuD\":[[\"notifyText\"]],\"KkPgim\":\"Changement de mode E\",\"KnN1Tu\":\"Expire\",\"KoOBI2\":\"En raison de la mécanique interne de stETH requise pour le rebasage de la prise en charge, il n’est pas possible d’effectuer un changement de garantie où stETH est le jeton source.\",\"KojyJ4\":\"Mauvais réseau\",\"KsqhWn\":\"Staking\",\"KuBTQq\":\"Entrez l'adresse ETH\",\"KvG1xW\":\"Réclamer\",\"L+8Lzs\":\"LTV actuelle\",\"L+qiq+\":\"Marché\",\"LDzfVJ\":\"Send Feedback\",\"LIrMcF\":\"Pas de pouvoir de vote\",\"LL0zks\":\"Peut être collatéral\",\"LLdJWu\":\"AAVE Réclamable\",\"LSIpNK\":\"Emprunter et rembourser dans le même bloc n'est pas autorisé\",\"LVt3TI\":[\"<0>Tolérance de glissement <1>\",[\"selectedSlippage\"],\"% <2>\",[\"0\"],\"\"],\"LjafV8\":\"Maximum collateral amount to use\",\"LtpQew\":\"Let us know how we can make the app better for you. For user support related inquiries please reach out on\",\"LvVpD/\":\"Emode\",\"M2sknc\":\"Astuce : Essayez d’augmenter le glissement ou de réduire la quantité d’entrée\",\"M7wPsD\":\"Interrupteur\",\"MFu33y\":\"Staking 00\",\"MIy2RJ\":\"Maximum amount received\",\"MZ/nQf\":\"Adresse du destinataire\",\"Ma/MtY\":\"vue de staking\",\"McHlGl\":\"Changement d’APY\",\"MeCCA+\":\"APY, variable\",\"MghdTe\":\"Si le facteur de santé descend en dessous de 1, la liquidation de votre collatéral peut être déclenchée.\",\"Mm/DVQ\":\"Vous avez annulé la transaction.\",\"MnE2QX\":\"Emprunter des informations\",\"MrmQHg\":\"View Bridge Transactions\",\"MuDFEQ\":\"Valeur de retour invalide de la fonction flashloan executor\",\"N5kUMV\":\"L’actif ne peut être utilisé comme garantie qu’en mode isolé avec un pouvoir d’emprunt limité. Pour passer en mode d’isolation, désactivez toutes les autres garanties.\",\"N6Pxr9\":\"View all\",\"NF0e1Q\":\"En attente...\",\"NK9ikO\":\"Solde du portefeuille\",\"NMt2CB\":\"Montant réclamable\",\"NcFGxG\":\"Contrat de collectionneur\",\"NfpPeS\":\"Rien staké\",\"Nh9DAo\":[[\"m\"],\"m\"],\"O+sCUU\":\"Le plafond de mintage non soutenu est dépassé\",\"O+tyU+\":[\"Le montant maximal disponible pour emprunter sur cet actif est limité car le plafond de la dette est à \",[\"0\"],\"%.\"],\"O3oNi5\":\"Email\",\"OFjZGo\":\"Unstake\",\"OR8cYX\":\"Aperçu de la proposition\",\"OYuJ9K\":\"Le plafond d’endettement du protocole est de 100% pour cet actif. Il n’est pas possible d’emprunter sur cet actif.\",\"OfhWJH\":\"Réinitialisation\",\"Og2SKn\":\"handicapé\",\"On0aF2\":\"Site internet\",\"OsyKSt\":\"Retirer\",\"P1dURE\":\"Révoquer le pouvoir\",\"P2WCD/\":[\"L’actif sous-jacent n’existe pas dans \",[\"marketName\"],\" v3 Market, par conséquent, cette position ne peut pas être migrée.\"],\"P2sL6B\":\"Lorsqu'une liquidation survient, les liquidateurs remboursent jusqu'à 50 % de l'encours emprunté au nom de l'emprunteur. En contrepartie, ils peuvent acheter le collatéral à prix réduit et conserver la différence (pénalité de liquidation) en bonus.\",\"P6sRoL\":\"Mise en jeu ABPT\",\"P72/OW\":\"La moyenne pondérée de l'APY pour tous les actifs empruntés, y compris les incitatifs.\",\"P7e6Ug\":\"Veuillez connecter votre portefeuille pour consulter l’historique des transactions.\",\"PByO0X\":\"Votes\",\"PI+kVe\":\"Disable fork\",\"PJK9u/\":\"Emprunter apy\",\"PLUB/s\":\"Fee\",\"PP5ZA8\":[\"Participating in staking \",[\"symbol\"],\" gives annualized rewards. Your wallet balance is the sum of your aTokens and underlying assets. The breakdown to stake is below\"],\"PcBUgb\":\"Seuil de liquidation\",\"PjU6bu\":\"This asset is eligible for SPK incentive program. Aave Labs does not guarantee the program and accepts no liability.\",\"PpqD5g\":\"L'activation de cet actif comme garantie augmente votre pouvoir d'emprunt et votre facteur de santé. Cependant, il peut être liquidé si votre facteur de santé tombe en dessous de 1.\",\"PsOFSf\":\"Cette action réduira le facteur de santé V2 en dessous du seuil de liquidation. Conservez la garantie ou migrez la position d’emprunt pour continuer.\",\"Pu4bI/\":[[\"currentMethod\"]],\"Q0LzKi\":\"View TX\",\"Q4eNqa\":\"The Aave Balancer Pool Token (ABPT) is a liquidity pool token. You can receive ABPT by depositing a combination of AAVE + wstETH in the Balancer liquidity pool. You can then stake your BPT in the Safety Module to secure the protocol and earn Safety Incentives.\",\"QQYsQ7\":\"Withdrawing\",\"QWYCs/\":\"Stake GHO\",\"R+30X3\":\"Non atteint\",\"RCU5PY\":\"Age\",\"RIfckG\":[\"Désactiver \",[\"symbol\"],\" comme garantie\"],\"RMtxNk\":\"Différentiel\",\"RNK49r\":\"Signature non valide\",\"RS0o7b\":\"État\",\"RU+LqV\":\"Détails de la proposition\",\"RbXH+k\":\"AAVE, GHO, and ABPT holders (Ethereum network only) can stake their assets in the Safety Module to add more security to the protocol and earn Safety Incentives. In the case of a shortfall event, your stake can be slashed to cover the deficit, providing an additional layer of protection for the protocol.\",\"RiSYV4\":\"L'actif n'est pas répertorié\",\"Rj01Fz\":\"Liens\",\"RmWFEe\":\"APR staké\",\"RoafuO\":\"Envoyer des commentaires\",\"RtBLm7\":\"Le facteur santé est inférieur au seuil de liquidation\",\"RxzN1M\":\"Activé\",\"SDav7h\":\"Fonds dans le Safety Module\",\"SENccp\":\"Si l’erreur persiste,<0/> vous pouvez la signaler à ce\",\"SIWumd\":\"Afficher les ressources gelées ou mises en pause\",\"SM58dD\":\"Quantité en temps de recharge\",\"SSMiac\":\"Impossible de charger les votants de proposition. Veuillez rafraîchir la page.\",\"SSQVIz\":\"Seuil de liquidation\",\"SUb8x0\":\"Total disponible\",\"SWIgh4\":\"Fees exceed wallet balance\",\"SY9hVo\":\"Le mode lecture seule permet de voir les positions d’adresses dans Aave, mais vous ne pourrez pas effectuer de transactions.\",\"SZRUQ4\":\"Glissement maximal\",\"Sa1UE/\":\"Le plafond d’emprunt du protocole est de 100 % pour cet actif. Il n’est pas possible d’emprunter davantage.\",\"Sk2zW9\":\"Désactiver le E-mode\",\"SxaD0o\":\"Le fournisseur d'adresses de pool n'est pas enregistré\",\"T/AIqG\":\"Limite d’approvisionnement du protocole à 100 % pour cet actif. D’autres approvisionnements ne sont pas disponibles.\",\"T0xCO9\":\"Can't validate the wallet address. Try again.\",\"T4OhVl\":\"GHO balance\",\"T6uYU2\":\"Emprunter\",\"TFxQlw\":\"Pénalité de liquidation\",\"TQ7WsV\":\"Available to stake\",\"TUI7iB\":\"L'actif ne peut être utilisé comme garantie qu'en mode isolé.\",\"TbjyhA\":\"Docs\",\"TduuS0\":\"L'utilisateur n'a pas de dette à taux stable impayée sur cette réserve\",\"TeCFg/\":\"Modification du taux d’emprunt\",\"Tg1JyO\":\"Bridge history\",\"TskbEN\":\"Les détenteurs de stkAAVE bénéficient d’une réduction sur le taux d’emprunt GHO\",\"TszKts\":\"Emprunter le solde après le changement\",\"TtZL6q\":\"Paramètres du modèle de remise\",\"TwJI9F\":\"Asset has been successfully sent to CCIP contract. You can check the status of the transactions below\",\"Tz0GSZ\":\"Activités bloquées\",\"U/eBjN\":\"Recharger la page\",\"U2r8nY\":\"Choose how much voting/proposition power to give to someone else by delegating some of your AAVE, stkAAVE or aAave balance. Your tokens will remain in your account, but your delegate will be able to vote or propose on your behalf. If your AAVE, stkAAVE or aAave balance changes, your delegate's voting/proposition power will be automatically adjusted.\",\"U8IubP\":\"L’application s’exécute en mode réseau de test. Découvrez comment cela fonctionne dans\",\"U9btTk\":\"L'actif n'est pas empruntable en mode d'isolement\",\"UAOZRe\":\"L’impact sur les prix est l’écart entre la valeur totale des tokens d’entrée échangés et les tokens de destination obtenus (en USD), qui résulte de la liquidité limitée de la paire de trading.\",\"UE3KJZ\":\"L’historique des transactions n’est actuellement pas disponible pour ce marché\",\"URmyfc\":\"Détails\",\"UTTKmT\":\"Temps de recharge de la mise activé\",\"UXeR72\":\"Ces fonds ont été empruntés et ne peuvent pas être retirés pour le moment.\",\"UYb8CM\":\"Learn more about the SPK rewards\",\"UbRrG0\":\"Le ratio LTV maximum représente le pouvoir d'emprunt maximum d'une garantie spécifique. Par exemple, si une garantie a un LTV de 75 %, l'utilisateur peut emprunter jusqu'à 0,75 ETH dans la devise principale pour chaque 1 ETH de garantie.\",\"UpndFj\":\"Aucune récompense à réclamer\",\"V0f2Xv\":\"Facteur de réserve\",\"V1HK43\":\"Risques liés à la migration\",\"VATFH9\":\"Dette couverte\",\"VHOVEJ\":\"Connecter le portefeuille\",\"VMfYUK\":\"Sécurité de votre garantie déposée contre les actifs empruntés et sa valeur sous-jacente.\",\"VOAZJh\":\"Total des emprunts\",\"ViKYxK\":\"YAE\",\"W1SSoD\":\"Examiner les détails de la transaction\",\"W5hVah\":\"Rien fourni pour le moment\",\"W5kTFy\":\"Vote\",\"W8ekPc\":\"Retour au tableau de bord\",\"WMPbRK\":\"Sans support\",\"WNGZwH\":\"E-Mode augmente votre LTV pour une catégorie d'actifs sélectionnée jusqu'à <0/>. <1>En savoir plus\",\"WPWG/y\":\"Statut et configuration de la réserve\",\"WZLQSU\":\"L'utilisateur ne peut pas retirer plus que le solde disponible\",\"WaZyaV\":\"<0>Ampleforth est un actif de rebasage. Consultez la <1>documentation pour en savoir plus.\",\"WfU+XN\":\"Étant donné que cette ressource est suspendue, aucune action ne peut être entreprise jusqu’à nouvel ordre\",\"Wjmqs2\":\"No results found. You can import a custom token with a contract address\",\"WkZ6C6\":\"Pour emprunter, vous devez fournir tout actif à utiliser comme garantie.\",\"WyMiQm\":\"Vous avez réussi à changer de jeton.\",\"X/ITG9\":\"Copier le texte d'erreur\",\"X3Pp6x\":\"Utilisé comme collatéral\",\"X4Zt7j\":\"L'action ne peut pas être effectuée car la réserve est mise en pause\",\"XBdKOj\":\"Representative smart contract wallet (ie. Safe) addresses on other chains.\",\"XZzneG\":\"Vous quitterez le mode d'isolement et d'autres jetons peuvent désormais être utilisés comme collatéral\",\"Xg5y9S\":\"Amount to Bridge\",\"Xn4hUi\":\"Veuillez toujours tenir compte de votre <0>facteur de santé (HF) lors de la migration partielle d’une position et que vos tarifs seront mis à jour vers les taux V3.\",\"Xy71ST\":\"Umbrella\",\"Y5kGkc\":\"VOTER NON\",\"YDIOks\":\"Activation du E-Mode\",\"YSodyW\":\"Cette action réduira votre facteur de santé. Veuillez garder à l’esprit le risque accru de liquidation des garanties.\",\"YXOWXM\":\"The total amount bridged minus CCIP fees. Paying in network token does not impact gho amount.\",\"YirHq7\":\"Feedback\",\"YogbCJ\":\"Le mode réseau de test est activé\",\"YrDxdO\":\"Si votre prêt à la valeur dépasse le seuil de liquidation, votre garantie fournie peut être liquidée.\",\"YyIM65\":\"Les conditions de rééquilibrage des taux d'intérêt n'ont pas été remplies\",\"YyydIq\":[\"Ajouter \",[\"0\"],\" à Wallet pour suivre votre solde.\"],\"ZBvhI+\":\"Gouvernance Aave\",\"ZIIRAd\":\"Raw-Ipfs\",\"ZRq4tX\":\"Mode efficacité (E-Mode)\",\"ZSqEW+\":\"Manage E-Mode\",\"ZUFYFE\":\"Désactiver le réseau de test\",\"Zbyywy\":\"Coupure maximale\",\"ZfUGFb\":\"Avant de déposer\",\"ZiXN+B\":\"Assets to stake\",\"ZlsSDH\":\"Valeur de liquidation\",\"ZrEc8j\":\"Nous n’avons trouvé aucun élément lié à votre recherche. Réessayez avec un autre nom, symbole ou adresse de ressource.\",\"ZsLF7e\":\"Activé\",\"a0YQoQ\":\"Enter a valid address\",\"a2fBZn\":\"Temps restant pour dépiquer\",\"a5RYZd\":\"La désactivation de cet actif en tant que garantie affecte votre pouvoir d'emprunt et votre facteur de santé.\",\"a7u1N9\":\"Prix\",\"a9D+6D\":\"Non jalonné\",\"aEtiwq\":\"Vote NAY\",\"aMmFE1\":\"Acheter des crypto-monnaies avec des monnaies fiduciaires\",\"aOKIms\":\"Les paramètres de tableau devraient être de même longueur ne sont pas\",\"aX31hk\":\"Votre solde est inférieur au montant sélectionné.\",\"adUsDd\":\"An error has occurred fetching the proposal.\",\"al6Pyz\":\"Dépasse la remise\",\"aoXTT7\":\"Prêt APY, variable\",\"aqX1Yp\":\"This asset is eligible for rewards through SuperFest. Aave Labs does not guarantee the program and accepts no liability.\",\"avgETN\":\"Eligible for the Merit program.\",\"b4NS3e\":\"Avertissement de période de refroidissement\",\"bBHmeP\":\"Available to withdraw\",\"bNEQeI\":\"Cooldown\",\"bSruit\":\"ZKSync Ignite Program rewards are claimed through the\",\"bUUVED\":\"Actif\",\"bXQ/Og\":\"Partager sur Twitter\",\"bXr0ee\":\"Les actifs isolés ont un pouvoir d'emprunt limité et les autres actifs ne peuvent pas être utilisés comme garantie.\",\"bYmAV1\":\"Adresses\",\"bguKoJ\":\"Le montant demandé est supérieur au montant maximum du prêt en mode taux stable\",\"bwSQI0\":\"Fournir\",\"bxN6EM\":\"Impossible de désactiver le mode E\",\"bxmzSh\":\"Pas assez de collatéral pour rembourser ce montant de dette avec\",\"c91vuQ\":\"L'adresse n'est pas un contrat\",\"c97os2\":\"Aave aToken\",\"c9b44w\":\"Vous ne pouvez pas retirer ce montant car cela entraînera un appel de garantie\",\"cBc+4A\":\"Il s'agit du montant total que vous pouvez emprunter. Vous pouvez emprunter en fonction de votre garantie et jusqu'à ce que le plafond d'emprunt soit atteint.\",\"cIl5kp\":\"Votre pouvoir de vote est basé sur votre solde AAVE/stkAAVE et les délégations reçues.\",\"cLo09S\":\"Détails des risques\",\"cNT+ij\":\"L'emprunt n'est pas disponible car vous avez activé le mode Efficacité (E-Mode) et le mode Isolation. Pour gérer le mode E et le mode Isolation, rendez-vous sur votre <0>tableau de bord.\",\"cZOeBk\":\"Something went wrong fetching bridge message, please try again later.\",\"ceix5S\":\"Pour soumettre une proposition de modifications mineures du protocole, vous aurez besoin d’une puissance d’au moins 80,00 K. Si vous souhaitez modifier la base de code de base, vous aurez besoin d’une puissance de 320k. <0>Pour en savoir plus.\",\"ciSsYT\":\"Staking APY\",\"ciybUa\":\"Vote YAE\",\"ckf7gX\":[\"Remboursement \",[\"symbole\"]],\"cp1ZDP\":[\"Bridge \",[\"symbol\"]],\"cqnmnD\":\"Taux d’intérêt effectif\",\"cqwIvs\":\"Discussion de forum\",\"csDS2L\":\"Disponible\",\"cu7Stb\":\"Vous n'avez pas participé à cette proposition\",\"dE6BLF\":\"Gouvernance\",\"dEgA5A\":\"Annuler\",\"dIsyWh\":\"Échec de la validation LTV\",\"dMtLDE\":\"À\",\"dOB5nW\":[\"La quantité maximale disponible pour la fourniture est de <0/> \",[\"0\"],\" (<1/>).\"],\"dVfODp\":\"Vous n'avez pas assez de fonds dans votre portefeuille pour rembourser le montant total. Si vous continuez à rembourser avec votre montant actuel de fonds, vous aurez toujours une petite position d'emprunt dans votre tableau de bord.\",\"dXUQFX\":\"Actifs à emprunter\",\"dgr1aY\":\"L’emprunt est désactivé en raison d’une décision de la communauté Aave. <0>Plus d’informations\",\"djsg0o\":\"Usage de collatéral\",\"dpc0qG\":\"Variable\",\"drdV8R\":\"Liquidation\",\"dxW8cS\":\"Jeton de dette Aave\",\"e4V3oW\":\"Top 10 des adresses\",\"eD8WX/\":\"L'action nécessite une réserve active\",\"eJRJ04\":\"Montant à la mise en jeu\",\"eLh0cL\":\"Le slippage est la différence entre les montants cotés et reçus en raison de l’évolution des conditions du marché entre le moment où la transaction est soumise et sa vérification.\",\"ePK91l\":\"Edit\",\"eVpCmf\":\"Récompenses de staking\",\"eVqvtf\":\"Bridge GHO\",\"eYdurp\":\"Aucune transaction n’a encore été effectuée.\",\"ebLGGN\":\"Total emprunté\",\"ecqEvn\":\"Le solde de la garantie est de 0\",\"efdrrk\":\"Disponible sur\",\"enruNF\":\"Commence\",\"eqLYiD\":\"Arrêter de staker maintenant\",\"euScGB\":\"APY avec remise appliquée\",\"evw5ha\":\"Valeur nette\",\"ezcU16\":\"Obtenir le jeton ABP\",\"f3W0Ej\":[\"Vous êtes passé au tarif \",[\"0\"]],\"fH9i8k\":\"Vous avez réussi à changer de position d’emprunt.\",\"fHcELk\":\"APR Net\",\"fMJQZK\":\"Emprunté\",\"fZ5Vnu\":\"Reçu\",\"firl9Q\":\"Votre prêt actuel à la valeur en fonction de votre collatéral fournie.\",\"flRCF/\":\"Remise sur le staking\",\"fldjW9\":\"Prévisualiser tx et migrer\",\"fsBGk0\":\"Solde\",\"fu1Dbh\":[\"Retirer \",[\"symbole\"]],\"fwjWSI\":\"Fourni\",\"fwyTMb\":\"Migrate to stkABPT v2\",\"g0mals\":\"You can not disable E-Mode because that could cause liquidation. To exit E-Mode supply or repay borrowed positions.\",\"g2UNkE\":\"Alimenté par\",\"g8KGoA\":\"Foire aux questions\",\"g9zzqS\":\"A voté NAY\",\"gDd2gk\":\"about SuperFest.\",\"gFFh9h\":\"Tout est fait !\",\"gIMJlW\":\"Mode réseau test\",\"gOzPxe\":\"Cet actif est gelé en raison d’une décision de gouvernance du protocole Aave. <0>Plus d’informations\",\"gTHi2T\":\"L'utilisateur essaie d'emprunter plusieurs actifs, y compris un en silo\",\"gVW59Y\":\"Veuillez connecter votre portefeuille pour obtenir des ressources de réseau de test gratuites.\",\"gcFNxP\":\"Approuver Confirmé\",\"gncRUO\":\"Cette adresse est bloquée sur app.aave.com car elle est associée à un ou plusieurs\",\"goff7V\":\"Adresse zéro non-valide\",\"gp+f1B\":\"Variante 3\",\"gr8mYw\":\"Vous pouvez emprunter jusqu’à GHO à <0/> <1/> (rabais maximum)\",\"gvTM4B\":\"L'APY net est l'effet combiné de toutes les positions d'offre et d'emprunt sur la valeur nette, y compris les incitations. Il est possible d'avoir un APY net négatif si l'APY de la dette est supérieur à l'APY de l'offre.\",\"gzcch9\":\"Frais de protocole de pont invalide\",\"h33MxW\":\"Representing smart contract wallet (ie. Safe) addresses on other chains.\",\"h3ilK+\":\". .CSV\",\"hB23LY\":\"Activer le temps de recharge\",\"hIJzBh\":\"Available to Claim\",\"hIS4N0\":\"APY Net\",\"hRWvpI\":\"Revendiqué\",\"hdmy/o\":\"Le % de votre pouvoir d'emprunt total utilisé. Ceci est basé sur le montant de votre garantie fournie et le montant total que vous pouvez emprunter.\",\"hehnjM\":\"Montant\",\"hjDCQr\":\"Il y a eu une erreur. Veuillez essayer de modifier les paramètres ou <0><1>copier l'erreur\",\"hom7qf\":\"Réclamer\",\"hpHJ4I\":\"Garantie liquidée\",\"hpuVIp\":\"Users who stake AAVE in Safety Module (i.e. stkAAVE holders) receive a discount on GHO borrow interest rate.\",\"huQ6Tz\":[\"Emprunter \",[\"symbole\"]],\"hxi7vE\":\"Emprunter le solde\",\"i/fZ2Z\":\"Staked Balance\",\"i2JTiw\":\"Vous pouvez saisir un montant personnalisé dans le champ.\",\"iB5+/J\":\"À propos de GHO\",\"iChbOF\":\"Paramètres de prêt flash incohérents\",\"iEPVHF\":\"Pas assez de pouvoir de vote pour participer à cette proposition\",\"iEW87X\":\"Délégation de pouvoirs\",\"iEju36\":[\"Vous avez voté \",[\"0\"]],\"iFq2YN\":\"Borrowable\",\"iGxyIA\":\"Safety Module\",\"iMVZk9\":\"Sélectionner la tolérance de glissement\",\"iPMIoT\":\"Entrez un montant\",\"iSLIjg\":\"Connect\",\"iUo5rv\":\"tokens n'est pas la même chose que de les staker . Si vous souhaitez staker votre\",\"iZxa38\":\"Utilisez-le pour voter pour ou contre les propositions actives.\",\"iboNXd\":\"Amount received\",\"if5PH+\":\"Informations sur le collectionneur\",\"igkfR1\":[\"En mode Isolation, vous ne pouvez pas fournir d’autres actifs en garantie. Un plafond d’endettement global limite le pouvoir d’emprunt de l’actif isolé. Pour quitter le mode d’isolement, désactivez \",[\"0\"],\" en garantie avant d’emprunter un autre actif. Pour en savoir plus, consultez notre <0>FAQ\"],\"il0sEG\":\"L'utilisation du collatéral est limitée en raison du mode d'isolation.\",\"j+K1Xj\":\"Amount After Fee\",\"jA2QeW\":\"Fournir votre\",\"jFi7dz\":\"Interest rate that is determined by Aave Governance. This rate may be changed over time depending on the need for the GHO supply to contract/expand. <0>Learn more\",\"jG3UJ7\":\"Désactiver le E-mode\",\"jKYzR1\":\"Activer le E-Mode\",\"jMam5g\":[[\"0\"],\" Balance\"],\"jSYv+Z\":\"Enabling E-Mode allows you to maximize your borrowing power, however, borrowing is restricted to assets within the selected category. <0>Learn more about how it works and the applied restrictions.\",\"jaKbwW\":[[\"s\"],\"s\"],\"jbFMap\":\"Temps de recharge restant\",\"jeMZNr\":[[\"0\"],\" Le service de rampe d’accès est fourni par le fournisseur externe et, en le sélectionnant, vous acceptez les conditions du fournisseur. Votre accès au service peut dépendre de l’opérationnalité du fournisseur externe.\"],\"jfl9OP\":\"Migré\",\"jmXdoY\":\"En E-Mode, certains actifs ne sont pas empruntables. Quittez le E-mode pour accéder à tous les actifs\",\"jpctdh\":\"Vue\",\"jqzUyM\":\"Non disponible\",\"k/sb6z\":\"Choisir la langue\",\"k3wP3f\":\"<0>Attention: Les changements de paramètres via la gouvernance peuvent modifier le facteur de santé de votre compte et le risque de liquidation. Suivez le <1>forum de gouvernance d’Aave pour les mises à jour.\",\"kACpF3\":[\"Réclamer \",[\"0\"]],\"kH6wUX\":\"Impact sur les prix\",\"kIC28N\":\"Available to claim\",\"kIpSye\":[[\"numSelected\"],\"/\",[\"numAvailable\"],\" Actifs sélectionnés\"],\"kN1Yg5\":\"Pour rembourser au nom d'un utilisateur, un montant explicite à rembourser est nécessaire\",\"kRTD40\":[\"Montant de remboursement à atteindre \",[\"0\"],\"% d’utilisation\"],\"kjN9tT\":\"Le plafond d'approvisionnement est dépassé\",\"knxE+G\":\". JSON (en anglais seulement)\",\"ks2LWT\":\"Le plafond de la dette n'est pas nul\",\"kwwn6i\":\"Les utilisateurs qui misent des AAVE dans le module de sécurité (c’est-à-dire les détenteurs de stkAAVE) bénéficient d’une réduction sur le taux d’intérêt d’emprunt de HO. La réduction s’applique à 100 GHO pour chaque 1 stkAAVE détenu. Utilisez le calculateur ci-dessous pour voir le taux d’emprunt GHO avec le rabais appliqué.\",\"kz3wtK\":\"and about SPK program\",\"kzZyM4\":\"DAI balance will be converted via DSR contracts and then supplied as sDAI. Switching incurs no additional costs and no slippage.\",\"lNVG7i\":\"Sélectionner une ressource\",\"lU2d1/\":[\"L’actif ne peut pas être migré en raison d’une liquidité insuffisante ou d’une limitation du plafond d’emprunt \",[\"marketName\"],\" v3 marché.\"],\"lVhKKI\":\"A voté YAE\",\"lWLqxB\":\"Nous n’avons trouvé aucune transaction liée à votre recherche. Réessayez avec un autre nom de ressource ou réinitialisez les filtres.\",\"lYGfRP\":\"Anglais\",\"lfEjIE\":\"En savoir plus dans notre <0>guide FAQ\",\"lt6bpt\":\"Garantie à rembourser\",\"m/IEhi\":\"Émission totale par jour\",\"m7r7Hh\":\"Sélection d’actifs d’emprunt\",\"mDDK4p\":\"Balancer Pool\",\"mIM0qu\":\"Montant prévu à rembourser\",\"mUAFd6\":\"Variante 2\",\"masO5Z\":\"E-Mode increases your LTV for a selected category of assets. <0>Learn more\",\"mdNjKU\":[\"Votre \",[\"name\"],\" Le portefeuille est vide. Acheter ou transférer des actifs ou utiliser <0>\",[\"0\"],\" pour transférer votre \",[\"network\"],\" actif.\"],\"muiOng\":[\"Acheter \",[\"cryptoSymbol\"],\" avec Fiat\"],\"mvCXBY\":\"Mise en jeu AAVE\",\"mwdzil\":\"D'accord, fermer\",\"mzI/c+\":\"Télécharger\",\"mzdIia\":\"L'actif ne peut pas être utilisé comme collatéral.\",\"n+SX4g\":\"Développeurs\",\"n8Psk4\":\"Nous n’avons pas pu détecter de portefeuille. Connectez un portefeuille pour staker et consulter votre solde.\",\"nJIhzm\":\"Fournir apy\",\"nJgsQu\":\"Avec un pouvoir de vote de <0/>\",\"nLC6tu\":\"Français\",\"nN2T8p\":\"During the cooldown period, you will not earn any merit rewards. However, rewards earned up to this point will remain unaffected.\",\"nNHV0z\":\"La migration simultanée de plusieurs garanties et d’actifs empruntés peut s’avérer coûteuse et peut échouer dans certaines situations. <0>Par conséquent, il n’est pas recommandé de migrer des positions avec plus de 5 actifs (déposés + empruntés) en même temps.\",\"nNbnzu\":\"Proposition\",\"nOy4ob\":\"Nous vous suggérons de revenir au tableau de bord.\",\"nPGNMh\":\"Peut être exécuté\",\"nUK1ou\":[\"Assets with zero LTV (\",[\"0\"],\") must be withdrawn or disabled as collateral to perform this action\"],\"nakd8r\":\"Les détenteurs de stkAAVE bénéficient d’une réduction sur le taux d’emprunt GHO\",\"nh2EJK\":[\"Veuillez passer à \",[\"networkName\"],\".\"],\"njBeMm\":\"Les deux\",\"noN5Xf\":\"We couldn’t detect a wallet. Connect a wallet to view your staking positions and rewards.\",\"ntkAoE\":\"Remise appliquée pour <0/> le staking d’AAVE\",\"ntyFSE\":[[\"h\"],\"h\"],\"nwtY4N\":\"Quelque chose s’est mal passé\",\"nxyWvj\":\"Le retrait de ce montant réduira votre facteur santé et augmentera le risque de liquidation.\",\"o17QVP\":\"Votre facteur de santé et votre prêt à la valeur déterminent l'assurance de votre collatéral. Pour éviter les liquidations, vous pouvez fournir plus de garanties ou rembourser les positions d'emprunt.\",\"o1xc2V\":\"L'approvisionnement en aTokens n'est pas nul\",\"o4tCu3\":\"Emprunter de l’APY\",\"o5ooMr\":\"Dette\",\"o7J4JM\":\"Filtrer\",\"oHFrpj\":\"Temps de recharge pour déstaker\",\"oJ5ZiG\":\"L'utilisateur n'a pas de dette à taux variable impayée sur cette réserve\",\"oRBGin\":\"Veuillez connecter votre portefeuille pour pouvoir échanger vos jetons.\",\"oUwXhx\":\"Ressources de test\",\"oWklJD\":\"Le taux d'intérêt stable <0>restera le même pendant toute la durée de votre prêt. Recommandé pour les périodes de prêt à long terme et pour les utilisateurs qui préfèrent la prévisibilité.\",\"odnIK3\":\"Time remaining until the 48 hour withdraw period starts.\",\"oiK5nY\":\"The current incentives period, decided on by the Aave community, has ended. Governance is in the process on renewing, check for updates. <0>Learn more.\",\"olREoo\":\"All borrow positions outside of this category must be closed to enable this category.\",\"om/XHs\":\"Disponible au dépôt\",\"ov0+mq\":\"Eligible for the ZKSync Ignite program.\",\"ovT1pF\":[\"Per the community, the \",[\"market\"],\" has been frozen.\"],\"ow3fug\":\"Rien n’a été trouvé\",\"owSsI3\":\"Signatures prêtes\",\"p+R52m\":\"Accéder à Balancer Pool\",\"p2A+s1\":[\"La période de recharge est de \",[\"0\"],\". Après \",[\"1\"],\" de temps de recharge, vous entrerez dans la fenêtre de désengagement de \",[\"2\"],\". Vous continuerez à recevoir des récompenses pendant le temps de recharge et la fenêtre de retrait.\"],\"p2S64u\":\"Le ratio prêt/valeur des positions migrées entraînerait la liquidation. Augmenter les garanties migrées ou réduire les emprunts migrés pour continuer.\",\"p2Z2Qi\":\"Cet actif a atteint son plafond d'emprunt. Rien n'est disponible pour être emprunté à ce marché.\",\"p3j+mb\":\"Votre solde de récompenses est de 0\",\"p45alK\":\"Configurer la délégation\",\"p6u2s1\":\"Minimum amount of debt to be repaid\",\"pDgeaz\":[[\"title\"]],\"pdZqBk\":\"Le solde sous-jacent doit être supérieur à 0\",\"pgWG9H\":\"Pas assez de solde staké\",\"piPrJ7\":\"veuillez vérifier que le montant que vous souhaitez fournir n'est pas actuellement utilisé pour le staking. S'il est utilisé pour le staking, votre transaction peut échouer.\",\"pjO/iH\":\"Minimum amount received\",\"pooutM\":\"Voting is on\",\"pqaM5s\":\"Confirming transaction\",\"ptaxX3\":[\"Je comprends comment fonctionnent le temps de recharge (\",[\"0\"],\") et le retrait (\",[\"1\"],\")\"],\"py2iiY\":\"L'appelant de cette fonction doit être un pool\",\"q/51mF\":\"Migrer vers la V3\",\"q3df11\":\"Stratégie de taux d’intérêt\",\"q6lAbz\":\"Staké\",\"qB4kPi\":\"Fournir APY\",\"qENI8q\":\"Paramètres globaux\",\"qGz5zl\":\"Solde de garantie après remboursement\",\"qIW9ZH\":\"Amount staked\",\"qOqbD6\":\"copier l'erreur\",\"qXCkEM\":\"Veuillez connecter votre portefeuille pour voir vos fournitures, vos emprunts et vos positions ouvertes.\",\"qY2jnw\":\"Expiration invalide\",\"qf/fr+\":\"Intérêts courus\",\"qhhf9L\":\"Rewards available to claim\",\"quYPUU\":\"Variable interest rate will <0>fluctuate based on the market conditions.\",\"quzIeW\":\"User is in isolation mode or LTV is zero\",\"qvnz3q\":\"Montant non valide à brûler\",\"rHgdb0\":\"Migrate to Aave V3\",\"rOrHHe\":\"Le montant doit être supérieur à 0\",\"rQ+R+0\":\"Sélection d’actifs d’approvisionnement\",\"rSayea\":\"APY\",\"rTBDeu\":[\"L’actif ne peut pas être migré car vous disposez d’une garantie isolée dans \",[\"marketName\"],\" v3 Marché qui limite les actifs empruntables. Vous pouvez gérer vos garanties dans <0>\",[\"marketName\"],\" Tableau de bord V3\"],\"rcT+yy\":\"Afficher les actifs avec 0 solde\",\"rf8POi\":\"Montant de l’actif emprunté\",\"riNWOA\":\"E-Mode\",\"rjGI/Q\":\"Vie privée\",\"rnKPW1\":\"Watch a wallet balance in read-only mode\",\"ruc7X+\":\"Ajoutez stkAAVE pour voir l’APY d’emprunt avec la remise\",\"rvbaFU\":[\"Bridging \",[\"symbol\"]],\"rwVVB7\":\"Réclamez toutes les récompenses\",\"rwyUva\":\"Ces actifs sont temporairement gelés ou suspendus par des décisions de la communauté Aave, ce qui signifie qu’il n’est pas possible d’obtenir / emprunter ou d’échanger des taux de ces actifs. Les retraits et les remboursements de dettes sont autorisés. Suivez le <0>forum de gouvernance d’Aave pour d’autres mises à jour.\",\"rxJW5W\":\"Votre pouvoir de proposition est basé sur votre solde AAVE/stkAAVE et les délégations reçues.\",\"s2jJnW\":\"You don't have any bridge transactions\",\"s5wBAq\":[\"Unstake \",[\"symbol\"]],\"sJbIdI\":\"Enter ETH address or ENS\",\"sK+Nag\":\"Réviser tx\",\"sP2+gB\":\"NON\",\"sQv06Y\":\"pour\",\"sTtO6J\":\"Confirm transaction\",\"sXKb3l\":\"Exchange rate\",\"sb0q4+\":\"Vous unstaké ici\",\"smJNwH\":\"Disponible à emprunter\",\"solypO\":\"Le facteur de santé n'est pas inférieur au seuil\",\"sr0UJD\":\"Retourner\",\"ss5GCK\":\"L'adresse du fournisseur d'adresses du pool n'est pas valide\",\"swEgK4\":\"Vos informations de vote\",\"t+wtgf\":\"Aucun emprunt pour l'instant\",\"t/YqKh\":\"Remove\",\"t81DpC\":[\"Approuver \",[\"symbol\"],\" pour continuer\"],\"tCnbEs\":\"Prix Oracle\",\"tFZLf8\":\"Ce calcul de gaz n'est qu'une estimation. Votre portefeuille fixera le prix de la transaction. Vous pouvez modifier les paramètres de gaz directement depuis votre fournisseur de portefeuille.\",\"tHuvQI\":\"Accéder au tableau de bord V3\",\"tKv7cI\":\"Changer de position d’emprunt\",\"tOcg3N\":\"Étant donné que cet actif est gelé, les seules actions disponibles sont le retrait et le remboursement, accessibles depuis le <0>tableau de bord\",\"tOuXfv\":[\"Emprunter le montant à atteindre \",[\"0\"],\"% d’utilisation\"],\"te9Bfl\":\"S'il vous plaît, connectez votre portefeuille\",\"tt5yma\":\"Vos ressources\",\"ttoh5c\":\"Passer à\",\"u3ZeYl\":\"La transaction a échoué\",\"u706uF\":\"Prime flash non valide\",\"u8Gfu7\":[\"Aucun résultat de recherche\",[\"0\"]],\"uAQUqI\":\"Status\",\"uHMwk8\":\"Aucune ressource n’a été sélectionnée pour la migration.\",\"uJPHuY\":\"Migration\",\"uY8O30\":\"Pour continuer, vous devez autoriser les contrats intelligents Aave à déplacer vos fonds depuis votre portefeuille. En fonction de l’actif et du portefeuille que vous utilisez, cela se fait en signant le message d’autorisation (sans gaz) ou en soumettant une transaction d’approbation (nécessite du gaz). <0>Pour en savoir plus\",\"udFheE\":\"For repayment of a specific type of debt, the user needs to have debt that type\",\"ulNuNq\":\"Exporter des données vers\",\"ulup2p\":\"Acheter des crypto-monnaies avec des monnaies fiduciaires\",\"umICAY\":\"<0><1><2/>Ajoutez stkAAVE pour voir le taux d’emprunt avec escompte\",\"usB84Z\":\"Le montant maximum disponible pour emprunter est limité car le plafond d’emprunt du protocole est presque atteint.\",\"uwAUvj\":\"COPIER L’IMAGE\",\"v8x7Mg\":\"Garantie insuffisante pour couvrir une nouvelle position d’emprunt. Le portefeuille doit avoir une capacité d’emprunt restante pour effectuer le transfert de dette.\",\"vEqxH9\":\"Restauré\",\"vLyv1R\":\"Cacher\",\"vMba49\":\"L'emprunt n'est pas activé\",\"vMpNwt\":\"Approuvez avec\",\"vXIe7J\":\"Language\",\"vesuBJ\":\"Vous permet de décider si vous souhaitez utiliser un actif fourni en tant que collatéral. Un actif utilisé comme collatéral affectera votre pouvoir d'emprunt et votre Health Factor.\",\"w+V9Cx\":\"Stablecoin\",\"w/JtJ3\":\"L'offre de dette stable n'est pas nulle\",\"w4VBY+\":\"Récompenses APR\",\"w9dLMW\":[[\"label\"]],\"wAOL+X\":[\"Vous \",[\"action\"],\" <0/> \",[\"symbole\"]],\"wBIsjb\":\"Canal Discord\",\"wQZbc/\":\"L'appelant de la fonction n'est pas un AToken\",\"wRRqvW\":\"Vous n'avez pas de fournitures dans cette devise\",\"wZFvVU\":\"VOTER OUI\",\"wb/r1O\":[\"Faucet \",[\"0\"]],\"wdxz7K\":\"Source\",\"weH1nG\":\"Le protocole Aave est programmé pour toujours utiliser le prix de 1 GHO = 1 $. C’est différent de l’utilisation des prix du marché via des oracles pour d’autres actifs cryptographiques. Cela crée des opportunités d’arbitrage stabilisatrices lorsque le prix du GHO fluctue.\",\"wh7Ezv\":\"You have no AAVE/stkAAVE/aAave balance to delegate.\",\"wlsIx7\":\"Avec testnet Faucet, vous pouvez obtenir des ressources gratuites pour tester le protocole Aave. Assurez-vous de changer votre fournisseur de portefeuille pour le réseau de test approprié, sélectionnez l’actif souhaité et cliquez sur «\xA0Faucet\xA0» pour obtenir des jetons transférés vers votre portefeuille. Les actifs d’un réseau de test ne sont pas « réels », ce qui signifie qu’ils n’ont aucune valeur monétaire. <0>Pour en savoir plus\",\"wmE285\":\"Get ABP v2 Token\",\"wyRrcJ\":\"As a result of governance decisions, this ABPT staking pool is now deprecated. You have the flexibility to either migrate all of your tokens to v2 or unstake them without any cooldown period.\",\"x5KiLL\":\"Les ressources sélectionnées ont été migrées avec succès. Rendez-vous sur le tableau de bord du marché pour les voir.\",\"x7F2p6\":\"Différentiel de courant\",\"x7K5ib\":[\"Votre \",[\"networkName\"],\" Le portefeuille est vide. Obtenir un test gratuit \",[\"0\"],\" à\"],\"x9iLRD\":\"tokens, veuillez vous rendre sur\",\"xNy/UG\":\"Rembourser avec\",\"xPm8wv\":\"En savoir plus sur les risques encourus\",\"xXYpZl\":[[\"0\"],\" Faucet\"],\"xaVBSS\":\"Vos informations\",\"xaWZ6f\":\"Changement de type APY\",\"xh6k71\":\"L’utilisation des garanties est limitée en raison du mode d’isolation.\",\"xvIklc\":\"Flashloan est désactivé pour cet actif, cette position ne peut donc pas être migrée.\",\"y5rS9U\":\"Émigrer\",\"y66tBm\":[\"Activer \",[\"symbol\"],\" comme collatéral\"],\"yB1YpA\":\"Mode Sombre\",\"yCrG6m\":\"Taille totale du marché\",\"yJUUbn\":\"Aperçu des transactions\",\"yLGmLX\":[\"Remise en jeu \",[\"symbol\"]],\"yW1oWB\":\"APY type\",\"yYHqJe\":\"Pas une adresse valide\",\"yZwLw6\":\"Suivre le portefeuille\",\"yh2sjd\":[\"Impact sur les prix \",[\"0\"],\"%\"],\"yhvj6d\":\"Vous ne pouvez pas changer d'utilisation en tant que mode de garantie pour cette devise, car cela entraînera un appel de garantie\",\"ylmtBZ\":\"The app is running in fork mode.\",\"ymNY32\":[\"Il n'y a pas assez de fonds dans la \",[\"0\"],\" réserve pour emprunter\"],\"yz7wBu\":\"Fermer\",\"z4uGQg\":\"Le plafond de la dette est dépassé\",\"z5UQOM\":\"La garantie choisie ne peut être liquidée\",\"z5Y+p6\":[\"Fournir \",[\"symbole\"]],\"zCjNKs\":\"L'action ne peut pas être effectuée car la réserve est gelée\",\"zRHytX\":\"Plafond de la dette isolée\",\"zTOjMP\":\"La limite d’approvisionnement du protocole est de 100 % pour cet actif. D’autres approvisionnements ne sont pas disponibles.\",\"zVdRUG\":\"Submission did not work, please try again later or contact wecare@avara.xyz\",\"zevmS2\":\"<0><1><2/>Ajoutez <3/> stkAAVE pour emprunter à <4/> (remise maximale)\",\"zgtIDV\":\"Dette restante\",\"zmTPiV\":\"Bilan d'approvisionnement\",\"zpPbZl\":\"Paramètres du risque de liquidation\",\"zucql+\":\"Menu\",\"zwWKhA\":\"Apprendre encore plus\",\"zy9fXn\":[\"L’actif est gelé \",[\"marketName\"],\" v3, donc cette position ne peut pas être migrée.\"],\"zys+R6\":\"Faites attention à la congestion du réseau et aux prix de l’essence.\",\"zzzTXS\":\"Merit Program rewards are claimed through the\"}")}; \ No newline at end of file diff --git a/src/modules/umbrella/AvailableToStakeItem.tsx b/src/modules/umbrella/AvailableToStakeItem.tsx index 0a221f1114..c3c98986aa 100644 --- a/src/modules/umbrella/AvailableToStakeItem.tsx +++ b/src/modules/umbrella/AvailableToStakeItem.tsx @@ -28,10 +28,11 @@ export const AvailableToStakeItem = ({ stakeData }: { stakeData: MergedStakeData aToken: true, }); } - if (underlyingTokenBalance) { + if (underlyingTokenBalance && Number(underlyingTokenBalance) > 0) { icons.push({ - src: stakeData.stakeTokenSymbol, + src: stakeData.waTokenData.waTokenUnderlyingSymbol, aToken: false, + waToken: true, }); } @@ -92,11 +93,12 @@ export const AvailableToStakeTooltipContent = ({ stakeData }: { stakeData: Merge aToken /> )} - {underlyingTokenBalance && ( + {underlyingTokenBalance && Number(underlyingTokenBalance) > 0 && ( )} diff --git a/src/modules/umbrella/UmbrellaModalContent.tsx b/src/modules/umbrella/UmbrellaModalContent.tsx index 1f5ce3bc66..56d53d1828 100644 --- a/src/modules/umbrella/UmbrellaModalContent.tsx +++ b/src/modules/umbrella/UmbrellaModalContent.tsx @@ -52,8 +52,10 @@ const getInputTokens = (stakeData: MergedStakeData): StakeInputAsset[] => { }, { address: stakeData.waTokenData.waTokenAToken, - symbol: stakeData.waTokenData.waTokenATokenSymbol, - iconSymbol: stakeData.waTokenData.waTokenATokenSymbol, + // Note: using token symbol the same as underlying for aToken handling given we dont have tokens for "aBasSepUSDC" + symbol: stakeData.waTokenData.waTokenUnderlyingSymbol, + iconSymbol: stakeData.waTokenData.waTokenUnderlyingSymbol, + balance: stakeData.formattedBalances.underlyingWaTokenATokenBalance, rawBalance: stakeData.balances.underlyingWaTokenATokenBalance, aToken: true, @@ -61,6 +63,7 @@ const getInputTokens = (stakeData: MergedStakeData): StakeInputAsset[] => { ] : [ { + // stata tokens address: stakeData.stakeTokenUnderlying, symbol: stakeData.stakeTokenSymbol, iconSymbol: stakeData.stakeTokenSymbol, diff --git a/src/modules/umbrella/helpers/AmountAvailableItem.tsx b/src/modules/umbrella/helpers/AmountAvailableItem.tsx index 5d2fd366d0..ed5a818530 100644 --- a/src/modules/umbrella/helpers/AmountAvailableItem.tsx +++ b/src/modules/umbrella/helpers/AmountAvailableItem.tsx @@ -8,18 +8,25 @@ export const AmountAvailableItem = ({ name, value, aToken, + waToken, }: { symbol: string; name: string; value: string; aToken?: boolean; + waToken?: boolean; }) => { return ( - + {name} } diff --git a/src/modules/umbrella/helpers/MultiIcon.tsx b/src/modules/umbrella/helpers/MultiIcon.tsx index 88864495ed..977b689fc7 100644 --- a/src/modules/umbrella/helpers/MultiIcon.tsx +++ b/src/modules/umbrella/helpers/MultiIcon.tsx @@ -16,6 +16,7 @@ interface MultiIconWithTooltipProps extends MultiIconProps { export interface IconData { src: string; aToken: boolean; + waToken?: boolean; } const IconWrapper = styled(Box)<{ expanded: boolean }>(({ theme, expanded }) => ({ @@ -55,7 +56,7 @@ export function MultiIcon({ icons, onHover }: MultiIconProps) { {icons.map((icon, index) => ( - + ))} From 9e235d98d3be1e09977c3fd09b4e9580529619be Mon Sep 17 00:00:00 2001 From: Mark Hinschberger Date: Thu, 30 Jan 2025 16:45:18 +0000 Subject: [PATCH 062/110] feat: check balance on aTokens (#2327) --- src/hooks/useModal.tsx | 21 +- src/locales/el/messages.js | 2 +- src/locales/en/messages.js | 2 +- src/locales/en/messages.po | 8 +- src/locales/es/messages.js | 2 +- src/locales/fr/messages.js | 2 +- src/modules/umbrella/UmbrellaActions.tsx | 1 + src/modules/umbrella/UmbrellaModal.tsx | 29 +- src/modules/umbrella/UmbrellaModalContent.tsx | 94 ++++- .../umbrella/helpers/StakingDropdown.tsx | 17 +- .../services/types/IRewardsDistributor.ts | 175 +++----- .../types/IRewardsDistributor__factory.ts | 384 +++++++++--------- 12 files changed, 388 insertions(+), 349 deletions(-) diff --git a/src/hooks/useModal.tsx b/src/hooks/useModal.tsx index ea0b971c98..1061665abe 100644 --- a/src/hooks/useModal.tsx +++ b/src/hooks/useModal.tsx @@ -50,6 +50,8 @@ export interface ModalArgsType { representatives?: Array<{ chainId: ChainId; representative: string }>; chainId?: number; umbrellaAssetName?: string; + waTokenAToken?: string; + waTokenUnderlying?: string; } export type TxStateType = { @@ -101,7 +103,12 @@ export interface ModalContextType { openStakeCooldown: (stakeAssetName: Stake, icon: string) => void; openStakeRewardsClaim: (stakeAssetName: Stake, icon: string) => void; openStakeRewardsRestakeClaim: (stakeAssetName: Stake, icon: string) => void; - openUmbrella: (uStakeToken: string, icon: string) => void; + openUmbrella: ( + uStakeToken: string, + icon: string, + waTokenAToken: string, + waTokenUnderlying: string + ) => void; openUmbrellaStakeCooldown: (uStakeToken: string, icon: string) => void; openUmbrellaClaim: (uStakeToken: string) => void; openUmbrellaUnstake: (uStakeToken: string, icon: string) => void; @@ -273,12 +280,16 @@ export const ModalContextProvider: React.FC = ({ children }) setType(ModalType.StakeRewardsClaimRestake); setArgs({ stakeAssetName, icon }); }, - openUmbrella: (uStakeToken, icon) => { - console.log('HELLO!!!'); - trackEvent(GENERAL.OPEN_MODAL, { modal: 'Umbrella', uStakeToken: uStakeToken }); + openUmbrella: (uStakeToken, icon, waTokenAToken, waTokenUnderlying) => { + trackEvent(GENERAL.OPEN_MODAL, { + modal: 'Umbrella', + uStakeToken: uStakeToken, + waTokenAToken: waTokenAToken, + waTokenUnderlying: waTokenUnderlying, + }); setType(ModalType.Umbrella); - setArgs({ uStakeToken, icon }); + setArgs({ uStakeToken, icon, waTokenAToken, waTokenUnderlying }); }, openUmbrellaStakeCooldown: (uStakeToken, icon) => { trackEvent(GENERAL.OPEN_MODAL, { diff --git a/src/locales/el/messages.js b/src/locales/el/messages.js index 3a2f97bf64..3f89c566ee 100644 --- a/src/locales/el/messages.js +++ b/src/locales/el/messages.js @@ -1 +1 @@ -/*eslint-disable*/module.exports={messages:JSON.parse("{\"+0xecS\":[\"Εάν ΔΕΝ ξεκλειδώσετε εντός \",[\"0\"],\" του παραθύρου ξεκλειδώματος, θα πρέπει να ενεργοποιήσετε ξανά τη διαδικασία ψύξης.\"],\"+EGVI0\":\"Receive (est.)\",\"+VR63W\":[\"Η συμμετοχή σε αυτό το αποθεματικό \",[\"symbol\"],\" δίνει ετήσιες ανταμοιβές.\"],\"+bmKdK\":\"Use your AAVE, stkAAVE, or aAave balance to delegate your voting and proposition powers. You will not be sending any tokens, only the rights to vote and propose changes to the protocol. You can re-delegate or revoke power to self at any time.\",\"+eOPG+\":\"Φαίνεται ότι δεν μπορούμε να αλλάξουμε το δίκτυο αυτόματα. Ελέγξτε αν μπορείτε να το αλλάξετε από το πορτοφόλι.\",\"+i3Pd2\":\"Ανώτατο όριο δανεισμού\",\"+kLZGu\":\"Supplied asset amount\",\"+nuEh/\":\"Estimated time\",\"+xMFF8\":\"Remind me\",\"/57U31\":\"Amount to migrate\",\"/7ykiW\":\"Borrowing this amount will reduce your health factor and increase risk of liquidation.\",\"/YA5pU\":\"E-Mode increases your LTV for a selected category of assets, meaning that when E-mode is enabled, you will have higher borrowing power over assets of the same E-mode category which are defined by Aave Governance. You can enter E-Mode from your <0>Dashboard. To learn more about E-Mode and applied restrictionn, see the <1>help guide or the <2>Aave V3 Technical Paper.\",\"/izjs/\":\"Minimum staked Aave amount\",\"/jQctM\":\"To\",\"/lDBHm\":\"ΣΥΧΝΕΣ ΕΡΩΤΗΣΕΙΣ\",\"/yNlZf\":\"Ο σταθερός δανεισμός δεν είναι ενεργοποιημένος\",\"/yQcJM\":\"Συνολική αξία\",\"00AB2i\":\"Ο χρήστης δεν δανείστηκε το καθορισμένο νόμισμα\",\"00OflG\":\"There is not enough liquidity for the target asset to perform the switch. Try lowering the amount.\",\"08/rZ9\":\"The cooldown period is the time required prior to unstaking your tokens (20 days). You can only withdraw your assets from the Security Module after the cooldown period and within the unstake window.<0>Learn more\",\"0AmQcW\":\"Rate change\",\"0BF3yK\":\"Sorry, we couldn't find the page you were looking for.\",\"0TAbjq\":\"Recent Transactions\",\"0jhlyw\":\"Liquidation risk\",\"0ojY+Y\":\"Current v2 Balance\",\"0thX3P\":\"Collateral change\",\"0wGCWc\":\"Αυτό είναι το συνολικό ποσό που μπορείτε να προμηθεύσετε σε αυτό το αποθεματικό. Μπορείτε να προμηθεύσετε το υπόλοιπο του πορτοφολιού σας μέχρι να επιτευχθεί το ανώτατο όριο προμηθειών.\",\"1AsVfF\":\"Price data is not currently available for this reserve on the protocol subgraph\",\"1LjK22\":\"Transaction history\",\"1Onqx8\":[\"Έγκριση του \",[\"symbol\"],\"...\"],\"1Ue8sX\":\"Παρακαλούμε συνδέστε ένα πορτοφόλι για να δείτε τις προσωπικές σας πληροφορίες εδώ.\",\"1YH41K\":[\"After the cooldown period ends, you will enter the unstake window of \",[\"0\"],\". You will continue receiving rewards during cooldown and the unstake period.\"],\"1bpx9A\":\"...\",\"1kWUB+\":\"Ρευστοποίηση <0/> κατώτατο όριο\",\"1m9Qqc\":\"Withdrawing and Switching\",\"1oyh4g\":\"Borrow rate\",\"1t7rez\":\"Asset supply is limited to a certain amount to reduce protocol exposure to the asset and to help manage risks involved.\",\"2CAPu2\":\"You've successfully withdrew & switched tokens.\",\"2Eoi/a\":\"Προβολή λεπτομερειών\",\"2FYpfJ\":\"Περισσότερα\",\"2O3qp5\":\"Διαθέσιμη ρευστότητα\",\"2OM8/D\":[\"Asset cannot be migrated due to supply cap restriction in \",[\"marketName\"],\" v3 market.\"],\"2Q4GU4\":\"Blocked Address\",\"2ZGocC\":\"Aave is a fully decentralized, community governed protocol by the AAVE token-holders. AAVE token-holders collectively discuss, propose, and vote on upgrades to the protocol. AAVE token-holders (Ethereum network only) can either vote themselves on new proposals or delagate to an address of choice. To learn more check out the Governance\",\"2a6G7d\":\"Please enter a valid wallet address.\",\"2bAhR7\":\"Meet GHO\",\"2eBWE6\":\"I acknowledge the risks involved.\",\"2o/xRt\":\"Επίτευξη του ανώτατου ορίου εφοδιασμού στο αποθεματικό-στόχο. Δοκιμάστε να \\nμειώσετε την ποσότητα.\",\"2uJToh\":[[\"0\"],[\"name\"]],\"2x58bP\":\"Ο σταθερός δανεισμός είναι ενεργοποιημένος\",\"34Qfwy\":\"Υπέρβαση του ανώτατου ορίου δανεισμού\",\"39eQRj\":[\"Δανεισμός \",[\"symbol\"]],\"3BL1xB\":\"Σύνολο παρεχόμενων\",\"3BnIWi\":\"Switched\",\"3K0oMo\":\"Υπολειπόμενη προσφορά\",\"3MoZhl\":\"Δεν υπάρχουν επαρκείς εξασφαλίσεις για την κάλυψη ενός νέου δανείου\",\"3Np5O8\":[\"Προσφορά \",[\"symbol\"]],\"3O8YTV\":\"Total interest accrued\",\"3mXg0z\":\"Μέγιστο LTV\",\"3q3mFy\":\"Αποπληρωμή\",\"3qsjtp\":\"Ο σταθμισμένος μέσος όρος του APY για όλα τα παρεχόμενα περιουσιακά στοιχεία, συμπεριλαμβανομένων των κινήτρων.\",\"3rL+os\":\"Μπορείτε να αποσύρετε τα περιουσιακά σας στοιχεία από τη Μονάδα Ασφαλείας μόνο αφού λήξει η περίοδος αναμονής και το παράθυρο ξεκλειδώματος είναι ενεργό.\",\"42UgDM\":[\"Migrate to \",[\"0\"],\" v3 Market\"],\"49UFQA\":\"Αποτελέσματα ψηφοφορίας\",\"4DMZUI\":\"View Transactions\",\"4HtGBb\":\"ΜΕΓΙΣΤΟ\",\"4Y5H+g\":\"Terms\",\"4YYh4d\":\"Maximum available to borrow\",\"4iPAI3\":\"Minimum GHO borrow amount\",\"4lDFps\":\"Sign to continue\",\"4wyw8H\":\"Transactions\",\"5JSSxX\":[\"Your \",[\"networkName\"],\" wallet is empty. Get free test assets at\"],\"5K7kGO\":\"τεκμηρίωση\",\"5NOSGa\":\"Debt ceiling limits the amount possible to borrow against this asset by protocol users. Debt ceiling is specific to assets in isolation mode and is denoted in USD.\",\"5Ncc6j\":[\"Αυτό το περιουσιακό στοιχείο έχει σχεδόν φτάσει στο όριο της προσφοράς του. Μόνο \",[\"messageValue\"],\" μπορεί να παρασχεθεί σε αυτή την αγορά.\"],\"5cZ/KX\":\"Η προσφορά μεταβλητού χρέους δεν είναι μηδενική\",\"5che++\":\"Για να ζητήσετε πρόσβαση σε αυτή την αδειοδοτημένη αγορά, επισκεφθείτε την ιστοσελίδα: <0>Όνομα Παρόχου Πρόσβασης\",\"5ctNdV\":[\"Minimum \",[\"0\"],\" received\"],\"5hDe9v\":\"Απαιτούμενη δράση επιδότησης\",\"5rsnKT\":\"Διαθέσιμες ανταμοιβές\",\"5yC5m5\":\"View all votes\",\"6/dCYd\":\"Επισκόπηση\",\"60crCe\":\"All transactions\",\"62Xcjh\":\"Εγγύηση\",\"65A04M\":\"Ισπανικά\",\"6G8s+q\":\"Signing\",\"6Jrv+z\":[\"Αποπληρωμή \",[\"symbol\"]],\"6NGLTR\":\"Discountable amount\",\"6Xr0UU\":\"Ψύξη...\",\"6bxci/\":\"Δύναμη ψήφου\",\"6f8S68\":\"Αγορές\",\"6g1gi0\":\"Προτάσεις\",\"6gvoHP\":\"Copy error message\",\"6h3Q5G\":\"repaid\",\"6lFSyT\":\"Available to Stake\",\"6s8L6f\":\"Αλλαγή Δικτύου\",\"6yAAbq\":\"APY, borrow rate\",\"70wH1Q\":\"APR\",\"72c5Qo\":\"Total\",\"73Auuq\":\"Discount parameters are decided by the Aave community and may be changed over time. Check Governance for updates and vote to participate. <0>Learn more\",\"75qcAQ\":[[\"stepName\"]],\"7ITr5L\":\"Συντελεστής υγείας\",\"7T/o5R\":\"Επιτεύχθηκε\",\"7YlcXu\":\"Fork mode is ON\",\"7Z76Iw\":\"Borrowing is unavailable because you’re using Isolation mode. To manage Isolation mode visit your <0>Dashboard.\",\"7aKlMS\":\"Share on Lens\",\"7bdUsR\":\"Redeem as aToken\",\"7er5fP\":\"Διεκδικήστε τα όλα\",\"7hb2+s\":\"Time remaining until the withdraw period ends.\",\"7l88b8\":\"Data couldn't be fetched, please reload graph.\",\"7p5kLi\":\"Ταμπλό\",\"7sofdl\":\"Withdraw and Switch\",\"8+6BI0\":\"Προσοχή - Είστε πολύ κοντά στην ρευστοποίηση. Εξετάστε το ενδεχόμενο να καταθέσετε περισσότερες εγγυήσεις ή να εξοφλήσετε κάποιες από τις δανειακές σας θέσεις\",\"87pUEW\":[\"Το πορτοφόλι σας \",[\"name\"],\" είναι άδειο. Αγοράστε ή μεταφέρετε περιουσιακά στοιχεία.\"],\"8F1i42\":\"Page not found\",\"8G8M0u\":\"Loading data...\",\"8Iu1QS\":\"withdrew\",\"8JL93T\":\"Όλες οι προτάσεις\",\"8Q51DU\":\"Add to wallet\",\"8X/oyn\":\"Μη έγκυρο ποσό για νομισματοκοπία\",\"8Z5FPv\":\"Αποσυνδέστε το πορτοφόλι\",\"8Zz7s5\":\"περιουσιακά στοιχεία\",\"8aLW8H\":\"Balance to revoke\",\"8bOT3H\":\"Ποσοστό χρησιμοποίησης\",\"8sLe4/\":\"View contract\",\"8t/M0y\":\"Please connect your wallet to be able to bridge your tokens.\",\"8vETh9\":\"Εμφάνιση\",\"94OHPx\":\"Εισέρχεστε σε λειτουργία απομόνωσης\",\"9CDK3/\":[\"Ο δανεισμός δεν είναι επί του παρόντος διαθέσιμος για \",[\"0\"],\".\"],\"9GIj3z\":\"Μέγεθος Αποθεματικού\",\"9Knqb4\":\"Staking balance\",\"9OBKm7\":\"Απαρτία\",\"9QHoGr\":\"Τρέχουσες ψήφοι\",\"9Rw96f\":[\"Αυτό το περιουσιακό στοιχείο έχει σχεδόν φτάσει στο όριο δανεισμού του. Υπάρχει μόνο \",[\"messageValue\"],\" διαθέσιμο για δανεισμό από αυτή την αγορά.\"],\"9Xj/qR\":[\"Some migrated assets will not be used as collateral due to enabled isolation mode in \",[\"marketName\"],\" V3 Market. Visit <0>\",[\"marketName\"],\" V3 Dashboard to manage isolation mode.\"],\"9c6vDV\":\"Αυτό το περιουσιακό στοιχείο έχει φτάσει στο όριο της προσφοράς του. Τίποτα δεν είναι διαθέσιμο για προμήθεια από αυτή την αγορά.\",\"9kTWHA\":\"MAI has been paused due to a community decision. Supply, borrows and repays are impacted. <0>More details\",\"9lXchd\":\"Underlying token\",\"9rWaKF\":\"Bridged Via CCIP\",\"9xSooW\":\"Δεδομένου ότι πρόκειται για ένα δοκιμαστικό δίκτυο, μπορείτε να αποκτήσετε οποιοδήποτε από τα περιουσιακά στοιχεία αν έχετε ETH στο πορτοφόλι σας\",\"A/lwoe\":\"Choose one of the on-ramp services\",\"A6dCI6\":[\"Maximum amount available to borrow is <0/> \",[\"0\"],\" (<1/>).\"],\"AReoaV\":\"Τα δάνεια σας\",\"ARu1L4\":\"Repaid\",\"AV7cGz\":\"Αναθεώρηση λεπτομερειών έγκρισης συναλλαγής\",\"AZOjB8\":\"Fetching data...\",\"Ai0jas\":\"Join the community discussion\",\"Ajl2rq\":\"Η δύναμη δανεισμού και τα περιουσιακά στοιχεία είναι περιορισμένα λόγω της λειτουργίας απομόνωσης.\",\"AqgYNC\":\"Protocol borrow cap at 100% for this asset. Further borrowing unavailable.\",\"B3EcQR\":\"Thank you for voting!!\",\"B6aXGH\":\"Σταθερό\",\"B9Gqbz\":\"Variable rate\",\"BDFEd+\":\"stETH supplied as collateral will continue to accrue staking rewards provided by daily rebases.\",\"BE2mP0\":\"Borrowed assets\",\"BJyN77\":\"Due to health factor impact, a flashloan is required to perform this transaction, but Aave Governance has disabled flashloan availability for this asset. Try lowering the amount or supplying additional collateral.\",\"BNL4Ep\":\"Η χρήση εγγύησης είναι περιορισμένη λόγω της λειτουργίας απομόνωσης. <0>Μάθετε περισσότερα\",\"BQ/wCO\":\"Migrate your assets\",\"BjLdl1\":\"At a discount\",\"BnhYo8\":\"Κατηγορία περιουσιακών στοιχείων\",\"Bq9Y7e\":\"This asset is frozen due to an Aave community decision. <0>More details\",\"BqWMDJ\":\"Βρύση\",\"BqynZO\":\"Optimized for efficiency and risk by supporting blue-chip collateral assets\",\"Bsu7zX\":\"The fee includes the gas cost to complete the transaction on the destination chain and the fee paid to Chainlink CCIP service providers. You can chose to pay in the network token or GHO. <0>Learn more\",\"BwJKBw\":\"of\",\"C4/GSi\":\"Your balance of assets that are available to stake\",\"CDrsH+\":\"Techpaper\",\"CK1KXz\":\"Μεγιστο\",\"CMHmbm\":\"Slippage\",\"CZXzs4\":\"Greek\",\"CcRNG6\":\"Switching\",\"CkTRmy\":[\"Διεκδίκηση \",[\"symbol\"]],\"CsqtLm\":\"Please connect your wallet to see migration tool.\",\"CtGlFb\":[[\"networkName\"],\" Βρύση\"],\"Cxt2YY\":\"Watch wallet\",\"D33VQU\":\"This action will reduce health factor of V3 below liquidation threshold. Increase migrated collateral or reduce migrated borrow to continue.\",\"D8sc3k\":\"Stake balance\",\"D9BLRG\":\"This asset has been paused due to a community decision. Supply, withdraw, borrows and repays are impacted.\",\"DAma/S\":\"Η εγγύηση είναι (ως επί το πλείστον) το ίδιο νόμισμα που δανείζεται\",\"DCnFg0\":[\"Addresses (\",[\"0\"],\")\"],\"DG3Lv1\":\"I fully understand the risks of migrating.\",\"DONJcV\":\"Το υποκείμενο περιουσιακό στοιχείο δεν μπορεί να διασωθεί\",\"DR+4uL\":\"Supply balance after switch\",\"DWjrck\":[\"Asset cannot be migrated to \",[\"marketName\"],\" V3 Market due to E-mode restrictions. You can disable or manage E-mode categories in your <0>V3 Dashboard\"],\"Dj+3wB\":\"Aave ανά μήνα\",\"DptNvx\":\"Amount Staked\",\"DuEq2K\":\"Εξασφάλιση\",\"DxfsGs\":\"You can report incident to our <0>Discord or<1>Github.\",\"Dzma+E\":\"Main Ethereum market with the largest selection of assets and yield options\",\"E/QGRL\":\"Απενεργοποιημένο\",\"EBL9Gz\":\"COPIED!\",\"ES8dkb\":\"Fixed rate\",\"EZd3Dk\":[\"Restaking \",[\"symbol\"]],\"EZqFZ+\":\"Staking this asset will earn the underlying asset supply yield in additon to other configured rewards.\",\"Ebgc76\":[\"Ανάληψη \",[\"symbol\"]],\"EdQY6l\":\"Κανένα\",\"EjvKQ+\":\"Minimum USD value received\",\"Enslfm\":\"Destination\",\"EvE9nO\":[\"Reactivate cooldown period to unstake \",[\"0\"],\" \",[\"stakedToken\"]],\"EvECnL\":\"Migrate to v3\",\"EzMQbh\":\"The source chain time to finality is the main factor that determines the time to destination. <0>Learn more\",\"F40cwT\":\"Legacy Markets\",\"F6TdXL\":\"Μάθετε περισσότερα.\",\"FDDPeZ\":\"Users can stake their assets in the protocol and earn incentives. In the case of a shortfall event, your stake can be slashed to cover the deficit, providing an additional layer of protection for the protocol.\",\"FHlMf/\":\"Current v2 balance\",\"FHpxjF\":[\"Reserve factor is a percentage of interest which goes to a \",[\"0\"],\" that is controlled by Aave governance to promote ecosystem growth.\"],\"FOBZa6\":\"Δανεισμός χρησιμοποιημένης ισχύος\",\"FPKEug\":\"Η λειτουργία δεν υποστηρίζεται\",\"FbmMe7\":\"Linked addresses\",\"Fdp03t\":\"ενεργοποίηση\",\"Fjw9N+\":\"Περιουσιακά στοιχεία προς προμήθεια\",\"FmN0fk\":\"Restake\",\"GDGLIs\":\"GHO is a native decentralized, collateral-backed digital asset pegged to USD. It is created by users via borrowing against multiple collateral. When user repays their GHO borrow position, the protocol burns that user's GHO. All the interest payments accrued by minters of GHO would be directly transferred to the AaveDAO treasury.\",\"GQrBTq\":\"Switch E-Mode\",\"GWswcZ\":\"This asset is frozen due to an Aave Protocol Governance decision. On the 20th of December 2022, renFIL will no longer be supported and cannot be bridged back to its native network. It is recommended to withdraw supply positions and repay borrow positions so that renFIL can be bridged back to FIL before the deadline. After this date, it will no longer be possible to convert renFIL to FIL. <0>More details\",\"GX8GKD\":\"Περιουσιακά Στοιχεία\",\"GgEj+0\":\"Read-only mode. Connect to a wallet to perform transactions.\",\"GjkIKV\":\"τελειώνει\",\"GoK/QN\":\"Thank you for submitting feedback!\",\"GtP2hp\":[\"Ο δανεισμός δεν είναι διαθέσιμος επειδή έχετε ενεργοποιήσει τη λειτουργία Αποδοτικότητας (E-Mode) για την κατηγορία \",[\"0\"],\". Για να διαχειριστείτε τις κατηγορίες E-Mode επισκεφθείτε τον <0>Πίνακα ελέγχου.\"],\"H6Ma8Z\":\"Discount\",\"HB/wfS\":[[\"tooltipText\"]],\"HKDsQN\":\"Rewards can be claimed through\",\"Ha/U5f\":\"This is a program initiated and implemented by the decentralised ZKSync community. Aave Labs does not guarantee the program and accepts no liability.\",\"HciqKU\":\"This is a program initiated and implemented by the decentralised Aave community. Aave Labs does not guarantee the program and accepts no liability.\",\"Hi6Ttn\":\"Sorry, an unexpected error happened. In the meantime you may try reloading the page, or come back later.\",\"HkEDbS\":[[\"d\"],\"η\"],\"HmkYqM\":\"Παράθυρο ξεκλειδώματος\",\"HpK/8d\":\"Reload\",\"HrnC47\":\"Save and share\",\"HuVZMK\":\"Days\",\"HvJKMU\":[\"Asset cannot be migrated to \",[\"marketName\"],\" v3 Market since collateral asset will enable isolation mode.\"],\"Hvwnm9\":[\"Maximum amount available to supply is limited because protocol supply cap is at \",[\"0\"],\"%.\"],\"I8CX2c\":\"Το συνολικό ποσό των περιουσιακών σας στοιχείων σε δολάρια ΗΠΑ που μπορούν να χρησιμοποιηθούν ως εγγύηση για δανεισμό περιουσιακών στοιχείων.\",\"IAD2SB\":[\"Claiming \",[\"symbol\"]],\"IG9X9/\":\"Borrowing of this asset is limited to a certain amount to minimize liquidity pool insolvency.\",\"IOIx8L\":\"This asset is planned to be offboarded due to an Aave Protocol Governance decision. <0>More details\",\"IP+I/j\":\"Περίοδος ψύξης\",\"IaA40H\":\"Ρευστοποίηση στο\",\"J/hVSQ\":[[\"0\"]],\"JCoxL6\":\"Manage analytics\",\"JK9zf1\":[\"Estimated compounding interest, including discount for Staking \",[\"0\"],\"AAVE in Safety Module.\"],\"JOqFba\":[\"Unstaking \",[\"symbol\"]],\"JPrLjO\":\"Δεν μπορείτε να χρησιμοποιήσετε αυτό το νόμισμα ως εγγύηση\",\"JU6q+W\":\"Ανταμοιβή(ες) προς διεκδίκηση\",\"JYKRJS\":\"Κλειδώστε\",\"JZMxX0\":\"Δεν υπάρχει αρκετό υπόλοιπο στο πορτοφόλι σας\",\"Jgflkm\":\"Get GHO\",\"JoMQnI\":\"Υπόλοιπο πορτοφολιού\",\"JtwD8u\":\"Borrow balance after repay\",\"JumYTK\":\"Supplied assets\",\"K05qZY\":\"Withdraw & Switch\",\"KAz/NV\":\"Protocol debt ceiling is at 100% for this asset. Further borrowing against this asset is unavailable.\",\"KLXVqE\":[\"stETH tokens will be migrated to Wrapped stETH using Lido Protocol wrapper which leads to supply balance change after migration: \",[\"0\"]],\"KLd6ky\":\"Use connected account\",\"KRpokz\":\"VIEW TX\",\"KSlpka\":\"Αυτό αντιπροσωπεύει το κατώτατο όριο στο οποίο μια θέση δανεισμού θα θεωρηθεί υποεγγυημένη και θα υπόκειται σε ρευστοποίηση για κάθε εγγύηση. Για παράδειγμα, εάν μια εγγύηση έχει κατώτατο όριο ρευστοποίησης 80%, αυτό σημαίνει ότι η θέση θα ρευστοποιηθεί όταν η αξία του χρέους ανέρχεται στο 80% της αξίας της εγγύησης.\",\"KYAjf3\":\"Απομονωμένο\",\"KZwRuD\":[[\"notifyText\"]],\"KkPgim\":\"Switching E-Mode\",\"KnN1Tu\":\"Λήγει\",\"KoOBI2\":\"Due to internal stETH mechanics required for rebasing support, it is not possible to perform a collateral switch where stETH is the source token.\",\"KojyJ4\":\"Λάθος δίκτυο\",\"KsqhWn\":\"Κλείδωμα\",\"KuBTQq\":\"Εισάγετε διεύθυνση ETH\",\"KvG1xW\":\"Διεκδίκηση\",\"L+8Lzs\":\"Τρέχον LTV\",\"L+qiq+\":\"Αγορά\",\"LDzfVJ\":\"Send Feedback\",\"LIrMcF\":\"Δεν υπάρχει δικαίωμα ψήφου\",\"LL0zks\":\"Μπορεί να αποτελέσει εγγύηση\",\"LLdJWu\":\"Διεκδικήσιμο AAVE\",\"LSIpNK\":\"Δεν επιτρέπεται ο δανεισμός και η αποπληρωμή στο ίδιο block\",\"LVt3TI\":[\"<0>Slippage tolerance <1>\",[\"selectedSlippage\"],\"% <2>\",[\"0\"],\"\"],\"LjafV8\":\"Maximum collateral amount to use\",\"LtpQew\":\"Let us know how we can make the app better for you. For user support related inquiries please reach out on\",\"LvVpD/\":\"Emode\",\"M2sknc\":\"Tip: Try increasing slippage or reduce input amount\",\"M7wPsD\":\"Switch\",\"MFu33y\":\"Staking 00\",\"MIy2RJ\":\"Maximum amount received\",\"MZ/nQf\":\"Διεύθυνση παραλήπτη\",\"Ma/MtY\":\"προβολή κλειδώματος\",\"McHlGl\":\"APY change\",\"MeCCA+\":\"APY, μεταβλητό\",\"MghdTe\":\"Εάν ο συντελεστής υγείας πέσει κάτω από το 1, ενδέχεται να ενεργοποιηθεί η ρευστοποίηση των εγγυήσεών σας.\",\"Mm/DVQ\":\"Ακυρώσατε τη συναλλαγή.\",\"MnE2QX\":\"Borrow info\",\"MrmQHg\":\"View Bridge Transactions\",\"MuDFEQ\":\"Μη έγκυρη τιμή επιστροφής της συνάρτησης εκτελεστή flashloan\",\"N5kUMV\":\"Asset can be only used as collateral in isolation mode with limited borrowing power. To enter isolation mode, disable all other collateral.\",\"N6Pxr9\":\"View all\",\"NF0e1Q\":\"Εκκρεμεί...\",\"NK9ikO\":\"Wallet Balance\",\"NMt2CB\":\"Amount claimable\",\"NcFGxG\":\"Collector Contract\",\"NfpPeS\":\"Τίποτα κλειδωμένο\",\"Nh9DAo\":[[\"m\"],\"λ\"],\"O+sCUU\":\"Υπέρβαση του ανώτατου ορίου νομισματοκοπείου χωρίς αντίκρισμα\",\"O+tyU+\":[\"Maximum amount available to borrow against this asset is limited because debt ceiling is at \",[\"0\"],\"%.\"],\"O3oNi5\":\"Email\",\"OFjZGo\":\"Unstake\",\"OR8cYX\":\"Επισκόπηση πρότασης\",\"OYuJ9K\":\"Protocol debt ceiling is at 100% for this asset. Futher borrowing against this asset is unavailable.\",\"OfhWJH\":\"Reset\",\"Og2SKn\":\"απενεργοποιημένο\",\"On0aF2\":\"Website\",\"OsyKSt\":\"Ανάληψη\",\"P1dURE\":\"Revoke power\",\"P2WCD/\":[\"Underlying asset does not exist in \",[\"marketName\"],\" v3 Market, hence this position cannot be migrated.\"],\"P2sL6B\":\"Όταν πραγματοποιείται ρευστοποίηση, οι ρευστοποιητές επιστρέφουν έως και το 50% του ανεξόφλητου δανεισμένου ποσού για λογαριασμό του δανειολήπτη. Σε αντάλλαγμα, μπορούν να αγοράσουν τις εξασφαλίσεις με έκπτωση και να κρατήσουν τη διαφορά (ποινή ρευστοποίησης) ως μπόνους.\",\"P6sRoL\":\"Stake ABPT\",\"P72/OW\":\"Ο σταθμισμένος μέσος όρος του APY για όλα τα δανειακά περιουσιακά στοιχεία, συμπεριλαμβανομένων των κινήτρων.\",\"P7e6Ug\":\"Please connect your wallet to view transaction history.\",\"PByO0X\":\"Votes\",\"PI+kVe\":\"Disable fork\",\"PJK9u/\":\"Borrow apy\",\"PLUB/s\":\"Fee\",\"PP5ZA8\":[\"Participating in staking \",[\"symbol\"],\" gives annualized rewards. Your wallet balance is the sum of your aTokens and underlying assets. The breakdown to stake is below\"],\"PcBUgb\":\"Κατώτατο όριο ρευστοποίησης\",\"PjU6bu\":\"This asset is eligible for SPK incentive program. Aave Labs does not guarantee the program and accepts no liability.\",\"PpqD5g\":\"Η ενεργοποίηση αυτού του περιουσιακού στοιχείου ως εγγύηση αυξάνει τη δανειοληπτική σας ικανότητα και τον Συντελεστή Υγείας. Ωστόσο, μπορεί να ρευστοποιηθεί εάν ο συντελεστής υγείας σας πέσει κάτω από το 1.\",\"PsOFSf\":\"This action will reduce V2 health factor below liquidation threshold. retain collateral or migrate borrow position to continue.\",\"Pu4bI/\":[[\"currentMethod\"]],\"Q0LzKi\":\"View TX\",\"Q4eNqa\":\"The Aave Balancer Pool Token (ABPT) is a liquidity pool token. You can receive ABPT by depositing a combination of AAVE + wstETH in the Balancer liquidity pool. You can then stake your BPT in the Safety Module to secure the protocol and earn Safety Incentives.\",\"QQYsQ7\":\"Withdrawing\",\"QWYCs/\":\"Stake GHO\",\"R+30X3\":\"Δεν έχει επιτευχθεί\",\"RCU5PY\":\"Age\",\"RIfckG\":[\"Απενεργοποίηση \",[\"symbol\"],\" ως εγγύηση\"],\"RMtxNk\":\"Διαφορικό\",\"RNK49r\":\"Μη έγκυρη υπογραφή\",\"RS0o7b\":\"Κατάσταση\",\"RU+LqV\":\"Λεπτομέρειες πρότασης\",\"RbXH+k\":\"AAVE, GHO, and ABPT holders (Ethereum network only) can stake their assets in the Safety Module to add more security to the protocol and earn Safety Incentives. In the case of a shortfall event, your stake can be slashed to cover the deficit, providing an additional layer of protection for the protocol.\",\"RiSYV4\":\"Το περιουσιακό στοιχείο δεν περιλαμβάνεται στον κατάλογο\",\"Rj01Fz\":\"Σύνδεσμοι\",\"RmWFEe\":\"Κλείδωμα APR\",\"RoafuO\":\"Send feedback\",\"RtBLm7\":\"Ο συντελεστής υγείας είναι μικρότερος από το όριο ρευστοποίησης\",\"RxzN1M\":\"Ενεργοποιημένο\",\"SDav7h\":\"Κεφάλαια στην Μονάδα Ασφάλειας\",\"SENccp\":\"If the error continues to happen,<0/> you may report it to this\",\"SIWumd\":\"Show Frozen or paused assets\",\"SM58dD\":\"Amount in cooldown\",\"SSMiac\":\"Failed to load proposal voters. Please refresh the page.\",\"SSQVIz\":\"Liquidation Threshold\",\"SUb8x0\":\"Σύνολο διαθέσιμων\",\"SWIgh4\":\"Fees exceed wallet balance\",\"SY9hVo\":\"Read-only mode allows to see address positions in Aave, but you won't be able to perform transactions.\",\"SZRUQ4\":\"Max slippage\",\"Sa1UE/\":\"Protocol borrow cap is at 100% for this asset. Further borrowing unavailable.\",\"Sk2zW9\":\"Απενεργοποίηση E-Mode\",\"SxaD0o\":\"Ο πάροχος διευθύνσεων κοινόχρηστων ταμείων δεν είναι εγγεγραμμένος\",\"T/AIqG\":\"Protocol supply cap at 100% for this asset. Further supply unavailable.\",\"T0xCO9\":\"Can't validate the wallet address. Try again.\",\"T4OhVl\":\"GHO balance\",\"T6uYU2\":\"Δανεισμός\",\"TFxQlw\":\"Ποινή ρευστοποίησης\",\"TQ7WsV\":\"Available to stake\",\"TUI7iB\":\"To περιουσιακό στοιχείο μπορεί να χρησιμοποιηθεί ως εγγύηση μόνο σε λειτουργία απομόνωσης.\",\"TbjyhA\":\"Docs\",\"TduuS0\":\"Ο χρήστης δεν έχει ανεξόφλητο χρέος σταθερού επιτοκίου σε αυτό το αποθεματικό\",\"TeCFg/\":\"Borrow rate change\",\"Tg1JyO\":\"Bridge history\",\"TskbEN\":\"Holders of stkAAVE receive a discount on the GHO borrowing rate\",\"TszKts\":\"Borrow balance after switch\",\"TtZL6q\":\"Discount model parameters\",\"TwJI9F\":\"Asset has been successfully sent to CCIP contract. You can check the status of the transactions below\",\"Tz0GSZ\":\"blocked activities\",\"U/eBjN\":\"Reload the page\",\"U2r8nY\":\"Choose how much voting/proposition power to give to someone else by delegating some of your AAVE, stkAAVE or aAave balance. Your tokens will remain in your account, but your delegate will be able to vote or propose on your behalf. If your AAVE, stkAAVE or aAave balance changes, your delegate's voting/proposition power will be automatically adjusted.\",\"U8IubP\":\"The app is running in testnet mode. Learn how it works in\",\"U9btTk\":\"Το περιουσιακό στοιχείο δεν είναι δανείσιμο σε λειτουργία απομόνωσης\",\"UAOZRe\":\"Price impact is the spread between the total value of the entry tokens switched and the destination tokens obtained (in USD), which results from the limited liquidity of the trading pair.\",\"UE3KJZ\":\"Transaction history is not currently available for this market\",\"URmyfc\":\"Λεπτομέρειες\",\"UTTKmT\":\"Stake cooldown activated\",\"UXeR72\":\"Τα κεφάλαια αυτά έχουν δανειστεί και δεν είναι διαθέσιμα για ανάληψη αυτή τη στιγμή.\",\"UYb8CM\":\"Learn more about the SPK rewards\",\"UbRrG0\":\"Ο δείκτης μέγιστου LTV αντιπροσωπεύει τη μέγιστη δανειοληπτική ικανότητα μιας συγκεκριμένης εγγύησης. Για παράδειγμα, εάν μια εγγύηση έχει LTV 75%, ο χρήστης μπορεί να δανειστεί έως και 0,75 ETH στο κύριο νόμισμα για κάθε 1 ETH αξίας εγγύησης.\",\"UpndFj\":\"Δεν υπάρχουν ανταμοιβές για διεκδίκηση\",\"V0f2Xv\":\"Reserve factor\",\"V1HK43\":\"Migration risks\",\"VATFH9\":\"Covered debt\",\"VHOVEJ\":\"Συνδέστε το πορτοφόλι\",\"VMfYUK\":\"Ασφάλεια των κατατεθειμένων εξασφαλίσεών σας έναντι των δανειζόμενων περιουσιακών στοιχείων και της υποκείμενης αξίας τους.\",\"VOAZJh\":\"Σύνολο δανείων\",\"ViKYxK\":\"ΥΠΕΡ\",\"W1SSoD\":\"Αναθεώρηση λεπτομερειών συναλλαγής\",\"W5hVah\":\"Τίποτα δεν έχει παρασχεθεί ακόμη\",\"W5kTFy\":\"Voting\",\"W8ekPc\":\"Back to Dashboard\",\"WMPbRK\":\"Μη υποστηριζόμενο\",\"WNGZwH\":\"Το E-Mode αυξάνει το LTV σας για μια επιλεγμένη κατηγορία περιουσιακών στοιχείων έως και <0/>. <1>Μάθετε περισσότερα\",\"WPWG/y\":\"Κατάσταση & διαμόρφωση αποθεματικού\",\"WZLQSU\":\"Ο χρήστης δεν μπορεί να κάνει ανάληψη μεγαλύτερη από το διαθέσιμο υπόλοιπο\",\"WaZyaV\":\"<0>Ampleforth is a rebasing asset. Visit the <1>documentation to learn more.\",\"WfU+XN\":\"Because this asset is paused, no actions can be taken until further notice\",\"Wjmqs2\":\"No results found. You can import a custom token with a contract address\",\"WkZ6C6\":\"Για να δανειστείτε πρέπει να προσκομίσετε οποιοδήποτε περιουσιακό στοιχείο που θα χρησιμοποιηθεί ως εγγύηση.\",\"WyMiQm\":\"You've successfully switched tokens.\",\"X/ITG9\":\"Κείμενο σφάλματος αντιγραφής\",\"X3Pp6x\":\"Χρησιμοποιείται ως εγγύηση\",\"X4Zt7j\":\"Η ενέργεια δεν μπορεί να εκτελεστεί επειδή η εφεδρεία βρίσκεται σε παύση\",\"XBdKOj\":\"Representative smart contract wallet (ie. Safe) addresses on other chains.\",\"XZzneG\":\"Θα βγείτε από τη λειτουργία απομόνωσης και άλλα tokens μπορούν πλέον να χρησιμοποιηθούν ως εγγύηση\",\"Xg5y9S\":\"Amount to Bridge\",\"Xn4hUi\":\"Please always be aware of your <0>Health Factor (HF) when partially migrating a position and that your rates will be updated to V3 rates.\",\"Xy71ST\":\"Umbrella\",\"Y5kGkc\":\"ΨΗΦΙΣΤΕ ΚΑΤΑ\",\"YDIOks\":\"Ενεργοποίηση E-Mode\",\"YSodyW\":\"This action will reduce your health factor. Please be mindful of the increased risk of collateral liquidation.\",\"YXOWXM\":\"The total amount bridged minus CCIP fees. Paying in network token does not impact gho amount.\",\"YirHq7\":\"Feedback\",\"YogbCJ\":\"Testnet mode is ON\",\"YrDxdO\":\"Εάν το δάνειο προς αξία υπερβεί το όριο ρευστοποίησης, η παρεχόμενη εγγύηση σας μπορεί να ρευστοποιηθεί.\",\"YyIM65\":\"Δεν τηρήθηκαν οι όροι επανεξισορρόπησης των επιτοκίων\",\"YyydIq\":[\"Add \",[\"0\"],\" to wallet to track your balance.\"],\"ZBvhI+\":\"Διακυβέρνηση Aave\",\"ZIIRAd\":\"Raw-Ipfs\",\"ZRq4tX\":\"Λειτουργία αποδοτικότητας (E-Mode)\",\"ZSqEW+\":\"Manage E-Mode\",\"ZUFYFE\":\"Disable testnet\",\"Zbyywy\":\"Μέγιστη περικοπή\",\"ZfUGFb\":\"Πριν από την προμήθεια\",\"ZiXN+B\":\"Assets to stake\",\"ZlsSDH\":\"Αξία ρευστοποίησης\",\"ZrEc8j\":\"We couldn't find any assets related to your search. Try again with a different asset name, symbol, or address.\",\"ZsLF7e\":\"ενεργοποιημένο\",\"a0YQoQ\":\"Enter a valid address\",\"a2fBZn\":\"Χρόνος που απομένει για το ξεκλείδωμα\",\"a5RYZd\":\"Η απενεργοποίηση αυτού του περιουσιακού στοιχείου ως εγγύηση επηρεάζει τη δανειοληπτική σας ικανότητα και τον Συντελεστή Υγείας.\",\"a7u1N9\":\"Price\",\"a9D+6D\":\"Unstaked\",\"aEtiwq\":\"Ψηφίστε ΚΑΤΑ\",\"aMmFE1\":\"Buy Crypto With Fiat\",\"aOKIms\":\"Οι παράμετροι της συστοιχίας που θα έπρεπε να είναι ίσου μήκους δεν είναι\",\"aX31hk\":\"Your balance is lower than the selected amount.\",\"adUsDd\":\"An error has occurred fetching the proposal.\",\"al6Pyz\":\"Exceeds the discount\",\"aoXTT7\":\"Δανεισμός APY, μεταβλητό\",\"aqX1Yp\":\"This asset is eligible for rewards through SuperFest. Aave Labs does not guarantee the program and accepts no liability.\",\"avgETN\":\"Eligible for the Merit program.\",\"b4NS3e\":\"Προειδοποίηση περιόδου ψύξης\",\"bBHmeP\":\"Available to withdraw\",\"bNEQeI\":\"Cooldown\",\"bSruit\":\"ZKSync Ignite Program rewards are claimed through the\",\"bUUVED\":\"Περιουσιακό στοιχείο\",\"bXQ/Og\":\"Μοιραστείτε το στο twitter\",\"bXr0ee\":\"Τα απομονωμένα περιουσιακά στοιχεία έχουν περιορισμένη δανειοληπτική ικανότητα και άλλα περιουσιακά στοιχεία δεν μπορούν να χρησιμοποιηθούν ως εγγύηση.\",\"bYmAV1\":\"Addresses\",\"bguKoJ\":\"Το αιτούμενο ποσό είναι μεγαλύτερο από το μέγιστο μέγεθος δανείου στη λειτουργία σταθερού επιτοκίου\",\"bwSQI0\":\"Προσφορά\",\"bxN6EM\":\"Cannot disable E-Mode\",\"bxmzSh\":\"Δεν υπάρχουν επαρκείς εγγυήσεις για την αποπληρωμή αυτού του ποσού χρέους με\",\"c91vuQ\":\"Η διεύθυνση δεν είναι συμβόλαιο\",\"c97os2\":\"Aave aToken\",\"c9b44w\":\"Δεν μπορείτε να αποσύρετε αυτό το ποσό, διότι θα προκληθεί κλήση εγγύησης\",\"cBc+4A\":\"Αυτό είναι το συνολικό ποσό που μπορείτε να δανειστείτε. Μπορείτε να δανειστείτε με βάση την εξασφάλισή σας και μέχρι να επιτευχθεί το ανώτατο όριο δανεισμού.\",\"cIl5kp\":\"Your voting power is based on your AAVE/stkAAVE balance and received delegations.\",\"cLo09S\":\"Λεπτομέρειες κινδύνου\",\"cNT+ij\":\"Ο δανεισμός δεν είναι διαθέσιμος επειδή έχετε ενεργοποιήσει τη Λειτουργία Αποδοτικότητας (E-Mode) και τη λειτουργία Απομόνωσης. Για να διαχειριστείτε τη λειτουργία E-Mode και τη λειτουργία Απομόνωσης, επισκεφθείτε τον <0>Πίνακα ελέγχου.\",\"cZOeBk\":\"Something went wrong fetching bridge message, please try again later.\",\"ceix5S\":\"To submit a proposal for minor changes to the protocol, you'll need at least 80.00K power. If you want to change the core code base, you'll need 320k power.<0>Learn more.\",\"ciSsYT\":\"Staking APY\",\"ciybUa\":\"Ψηφίστε ΥΠΕΡ\",\"ckf7gX\":[\"Αποπληρώνοντας \",[\"symbol\"]],\"cp1ZDP\":[\"Bridge \",[\"symbol\"]],\"cqnmnD\":\"Effective interest rate\",\"cqwIvs\":\"Συζήτηση φόρουμ\",\"csDS2L\":\"Διαθέσιμο\",\"cu7Stb\":\"Δεν συμμετείχατε στην παρούσα πρόταση\",\"dE6BLF\":\"Διακυβέρνηση\",\"dEgA5A\":\"Cancel\",\"dIsyWh\":\"Η επικύρωση του Ltv απέτυχε\",\"dMtLDE\":\"to\",\"dOB5nW\":[\"Maximum amount available to supply is <0/> \",[\"0\"],\" (<1/>).\"],\"dVfODp\":\"Δεν έχετε αρκετά χρήματα στο πορτοφόλι σας για να αποπληρώσετε ολόκληρο το ποσό. Εάν προχωρήσετε στην αποπληρωμή με το τρέχον ποσό των χρημάτων σας, θα εξακολουθείτε να έχετε μια μικρή θέση δανεισμού στο ταμπλό σας.\",\"dXUQFX\":\"Περιουσιακά στοιχεία προς δανεισμό\",\"dgr1aY\":\"Borrowing is disabled due to an Aave community decision. <0>More details\",\"djsg0o\":\"Χρησιμοποίηση εγγυήσεων\",\"dpc0qG\":\"Μεταβλητό\",\"drdV8R\":\"Liquidation\",\"dxW8cS\":\"Aave debt token\",\"e4V3oW\":\"Top 10 addresses\",\"eD8WX/\":\"Η δράση απαιτεί ενεργό απόθεμα\",\"eJRJ04\":\"Amount to unstake\",\"eLh0cL\":\"Slippage is the difference between the quoted and received amounts from changing market conditions between the moment the transaction is submitted and its verification.\",\"ePK91l\":\"Edit\",\"eVpCmf\":\"Staking Rewards\",\"eVqvtf\":\"Bridge GHO\",\"eYdurp\":\"No transactions yet.\",\"ebLGGN\":\"Σύνολο δανεικών\",\"ecqEvn\":\"Το υπόλοιπο των εγγυήσεων είναι 0\",\"efdrrk\":\"Available on\",\"enruNF\":\"starts\",\"eqLYiD\":\"Ξεκλειδώστε τώρα\",\"euScGB\":\"APY with discount applied\",\"evw5ha\":\"Καθαρή αξία\",\"ezcU16\":\"Get ABP Token\",\"f3W0Ej\":[\"Αλλάξατε σε ποσοστό \",[\"0\"]],\"fH9i8k\":\"You've successfully switched borrow position.\",\"fHcELk\":\"Καθαρό APR\",\"fMJQZK\":\"Borrowed\",\"fZ5Vnu\":\"Received\",\"firl9Q\":\"Το τρέχον δάνειο προς αξία με βάση τις παρεχόμενες εξασφαλίσεις σας.\",\"flRCF/\":\"Staking discount\",\"fldjW9\":\"Preview tx and migrate\",\"fsBGk0\":\"Υπόλοιπο\",\"fu1Dbh\":[\"Ανάληψη \",[\"symbol\"]],\"fwjWSI\":\"Supplied\",\"fwyTMb\":\"Migrate to stkABPT v2\",\"g0mals\":\"You can not disable E-Mode because that could cause liquidation. To exit E-Mode supply or repay borrowed positions.\",\"g2UNkE\":\"Powered by\",\"g8KGoA\":\"FAQS\",\"g9zzqS\":\"Voted NAY\",\"gDd2gk\":\"about SuperFest.\",\"gFFh9h\":\"Όλα έτοιμα!\",\"gIMJlW\":\"Λειτουργία Testnet\",\"gOzPxe\":\"This asset is frozen due to an Aave Protocol Governance decision. <0>More details\",\"gTHi2T\":\"Ο χρήστης προσπαθεί να δανειστεί πολλαπλά περιουσιακά στοιχεία, συμπεριλαμβανομένου ενός απομονωμένου περιουσιακού στοιχείου\",\"gVW59Y\":\"Please connect your wallet to get free testnet assets.\",\"gcFNxP\":\"Approve Confirmed\",\"gncRUO\":\"This address is blocked on app.aave.com because it is associated with one or more\",\"goff7V\":\"Η μηδενική διεύθυνση δεν είναι έγκυρη\",\"gp+f1B\":\"Version 3\",\"gr8mYw\":\"You may borrow up to <0/> GHO at <1/> (max discount)\",\"gvTM4B\":\"Το καθαρό ΑΡΥ είναι η συνδυασμένη επίδραση όλων των θέσεων προσφοράς και δανεισμού στην καθαρή αξία, συμπεριλαμβανομένων των κινήτρων. Είναι δυνατόν να υπάρχει αρνητικό καθαρό APY εάν το χρεωστικό APY είναι υψηλότερο από το προσφερόμενο APY.\",\"gzcch9\":\"Μη έγκυρη αμοιβή πρωτοκόλλου γέφυρας\",\"h33MxW\":\"Representing smart contract wallet (ie. Safe) addresses on other chains.\",\"h3ilK+\":\".CSV\",\"hB23LY\":\"Activate Cooldown\",\"hIJzBh\":\"Available to Claim\",\"hIS4N0\":\"Καθαρό APY\",\"hRWvpI\":\"Claimed\",\"hdmy/o\":\"Το % της συνολικής δανειοληπτικής σας δύναμης που χρησιμοποιείται. Αυτό βασίζεται στο ποσό της παρεχόμενης εξασφάλισής σας και στο συνολικό ποσό που μπορείτε να δανειστείτε.\",\"hehnjM\":\"Ποσό\",\"hjDCQr\":\"Υπήρξε κάποιο σφάλμα. Προσπαθήστε να αλλάξετε τις παραμέτρους ή <0><1>αντιγράψτε το σφάλμα\",\"hom7qf\":\"Διεκδίκηση\",\"hpHJ4I\":\"Liquidated collateral\",\"hpuVIp\":\"Users who stake AAVE in Safety Module (i.e. stkAAVE holders) receive a discount on GHO borrow interest rate.\",\"huQ6Tz\":[\"Δανεισμός \",[\"symbol\"]],\"hxi7vE\":\"Borrow balance\",\"i/fZ2Z\":\"Staked Balance\",\"i2JTiw\":\"You may enter a custom amount in the field.\",\"iB5+/J\":\"About GHO\",\"iChbOF\":\"Ασυνεπείς παράμετροι flashloan\",\"iEPVHF\":\"Δεν έχει αρκετή δύναμη ψήφου για να συμμετάσχει στην παρούσα πρόταση\",\"iEW87X\":\"Delegated power\",\"iEju36\":[\"Ψηφίσατε \",[\"0\"]],\"iFq2YN\":\"Borrowable\",\"iGxyIA\":\"Safety Module\",\"iMVZk9\":\"Select slippage tolerance\",\"iPMIoT\":\"Εισάγετε ένα ποσό\",\"iSLIjg\":\"Connect\",\"iUo5rv\":\"tokens δεν είναι το ίδιο με το να τα κλειδώνετε. Εάν επιθυμείτε να κλειδώσετε τα\",\"iZxa38\":\"Use it to vote for or against active proposals.\",\"iboNXd\":\"Amount received\",\"if5PH+\":\"Collector Info\",\"igkfR1\":[\"In Isolation mode, you cannot supply other assets as collateral. A global debt ceiling limits the borrowing power of the isolated asset. To exit isolation mode disable \",[\"0\"],\" as collateral before borrowing another asset. Read more in our <0>FAQ\"],\"il0sEG\":\"H χρήση εγγυήσεων είναι περιορισμένη λόγω της λειτουργίας Απομόνωσης.\",\"j+K1Xj\":\"Amount After Fee\",\"jA2QeW\":\"Προμηθεύοντας το\",\"jFi7dz\":\"Interest rate that is determined by Aave Governance. This rate may be changed over time depending on the need for the GHO supply to contract/expand. <0>Learn more\",\"jG3UJ7\":\"Απενεργοποίηση E-Mode\",\"jKYzR1\":\"Ενεργοποίηση E-Mode\",\"jMam5g\":[[\"0\"],\" Υπόλοιπο\"],\"jSYv+Z\":\"Enabling E-Mode allows you to maximize your borrowing power, however, borrowing is restricted to assets within the selected category. <0>Learn more about how it works and the applied restrictions.\",\"jaKbwW\":[[\"s\"],\"δ\"],\"jbFMap\":\"Χρόνος ψύξης που έχει απομείνει\",\"jeMZNr\":[[\"0\"],\" on-ramp service is provided by External Provider and by selecting you agree to Terms of the Provider. Your access to the service might be reliant on the External Provider being operational.\"],\"jfl9OP\":\"Migrated\",\"jmXdoY\":\"Στο E-Mode ορισμένα περιουσιακά στοιχεία δεν είναι δανείσιμα. Βγείτε από το E-Mode για να αποκτήσετε πρόσβαση σε όλα τα περιουσιακά στοιχεία\",\"jpctdh\":\"View\",\"jqzUyM\":\"Μη διαθέσιμο\",\"k/sb6z\":\"Επιλέξτε γλώσσα\",\"k3wP3f\":\"<0>Attention: Parameter changes via governance can alter your account health factor and risk of liquidation. Follow the <1>Aave governance forum for updates.\",\"kACpF3\":[\"Διεκδίκηση \",[\"0\"]],\"kH6wUX\":\"Επίδραση στην τιμή\",\"kIC28N\":\"Available to claim\",\"kIpSye\":[[\"numSelected\"],\"/\",[\"numAvailable\"],\" assets selected\"],\"kN1Yg5\":\"Για την εξόφληση εκ μέρους ενός χρήστη απαιτείται ένα ρητό ποσό προς εξόφληση\",\"kRTD40\":[\"Repayment amount to reach \",[\"0\"],\"% utilization\"],\"kjN9tT\":\"Υπέρβαση του ανώτατου ορίου προσφοράς\",\"knxE+G\":\".JSON\",\"ks2LWT\":\"Το ανώτατο όριο χρέους δεν είναι μηδενικό\",\"kwwn6i\":\"Users who stake AAVE in Safety Module (i.e. stkAAVE holders) receive a discount on GHO borrow interest rate. The discount applies to 100 GHO for every 1 stkAAVE held. Use the calculator below to see GHO borrow rate with the discount applied.\",\"kz3wtK\":\"and about SPK program\",\"kzZyM4\":\"DAI balance will be converted via DSR contracts and then supplied as sDAI. Switching incurs no additional costs and no slippage.\",\"lNVG7i\":\"Select an asset\",\"lU2d1/\":[\"Asset cannot be migrated due to insufficient liquidity or borrow cap limitation in \",[\"marketName\"],\" v3 market.\"],\"lVhKKI\":\"Voted YAE\",\"lWLqxB\":\"We couldn't find any transactions related to your search. Try again with a different asset name, or reset filters.\",\"lYGfRP\":\"Αγγλικά\",\"lfEjIE\":\"Μάθετε περισσότερα στον οδηγό <0>Συχνών Ερωτήσεων\",\"lt6bpt\":\"Collateral to repay with\",\"m/IEhi\":\"Συνολικές εκπομπές ανά ημέρα\",\"m7r7Hh\":\"Selected borrow assets\",\"mDDK4p\":\"Balancer Pool\",\"mIM0qu\":\"Expected amount to repay\",\"mUAFd6\":\"Version 2\",\"masO5Z\":\"E-Mode increases your LTV for a selected category of assets. <0>Learn more\",\"mdNjKU\":[\"Your \",[\"name\"],\" wallet is empty. Purchase or transfer assets or use <0>\",[\"0\"],\" to transfer your \",[\"network\"],\" assets.\"],\"muiOng\":[\"Buy \",[\"cryptoSymbol\"],\" with Fiat\"],\"mvCXBY\":\"Stake AAVE\",\"mwdzil\":\"Εντάξει, Κλείσιμο\",\"mzI/c+\":\"Download\",\"mzdIia\":\"Το περιουσιακό στοιχείο δεν μπορεί να χρησιμοποιηθεί ως εγγύηση.\",\"n+SX4g\":\"Προγραμματιστές\",\"n8Psk4\":\"We couldn’t detect a wallet. Connect a wallet to stake and view your balance.\",\"nJIhzm\":\"Προσφορά apy\",\"nJgsQu\":\"Με δύναμη ψήφου <0/>\",\"nLC6tu\":\"Γαλλικά\",\"nN2T8p\":\"During the cooldown period, you will not earn any merit rewards. However, rewards earned up to this point will remain unaffected.\",\"nNHV0z\":\"Migrating multiple collaterals and borrowed assets at the same time can be an expensive operation and might fail in certain situations.<0>Therefore it’s not recommended to migrate positions with more than 5 assets (deposited + borrowed) at the same time.\",\"nNbnzu\":\"Proposition\",\"nOy4ob\":\"We suggest you go back to the Dashboard.\",\"nPGNMh\":\"Μπορεί να εκτελεστεί\",\"nUK1ou\":[\"Assets with zero LTV (\",[\"0\"],\") must be withdrawn or disabled as collateral to perform this action\"],\"nakd8r\":\"stkAAVE holders get a discount on GHO borrow rate\",\"nh2EJK\":[\"Παρακαλώ μεταβείτε στο \",[\"networkName\"],\".\"],\"njBeMm\":\"Both\",\"noN5Xf\":\"We couldn’t detect a wallet. Connect a wallet to view your staking positions and rewards.\",\"ntkAoE\":\"Discount applied for <0/> staking AAVE\",\"ntyFSE\":[[\"h\"],\"ω\"],\"nwtY4N\":\"Something went wrong\",\"nxyWvj\":\"Withdrawing this amount will reduce your health factor and increase risk of liquidation.\",\"o17QVP\":\"Ο συντελεστής υγείας και το δάνειο προς αξία καθορίζουν τη διασφάλιση των εξασφαλίσεών σας. Για να αποφύγετε τις ρευστοποιήσεις μπορείτε να παράσχετε περισσότερες εξασφαλίσεις ή να εξοφλήσετε δανειακές θέσεις.\",\"o1xc2V\":\"Η προσφορά AToken δεν είναι μηδενική\",\"o4tCu3\":\"Borrow APY\",\"o5ooMr\":\"Χρέος\",\"o7J4JM\":\"Φίλτρο\",\"oHFrpj\":\"Ψύξτε για ξεκλείδωμα\",\"oJ5ZiG\":\"Ο χρήστης δεν έχει ανεξόφλητο χρέος μεταβλητού επιτοκίου σε αυτό το αποθεματικό\",\"oRBGin\":\"Please connect your wallet to be able to switch your tokens.\",\"oUwXhx\":\"Test Assets\",\"oWklJD\":\"Το σταθερό επιτόκιο θα <0>μείνει το ίδιο για όλη τη διάρκεια του δανείου σας. Συνιστάται για μακροχρόνιες περιόδους δανεισμού και για χρήστες που προτιμούν την προβλεψιμότητα.\",\"odnIK3\":\"Time remaining until the 48 hour withdraw period starts.\",\"oiK5nY\":\"The current incentives period, decided on by the Aave community, has ended. Governance is in the process on renewing, check for updates. <0>Learn more.\",\"olREoo\":\"All borrow positions outside of this category must be closed to enable this category.\",\"om/XHs\":\"Διαθέσιμο για προμήθεια\",\"ov0+mq\":\"Eligible for the ZKSync Ignite program.\",\"ovT1pF\":[\"Per the community, the \",[\"market\"],\" has been frozen.\"],\"ow3fug\":\"Nothing found\",\"owSsI3\":\"Signatures ready\",\"p+R52m\":\"Go to Balancer Pool\",\"p2A+s1\":[\"Η περίοδος ψύξης είναι \",[\"0\"],\". Μετά την \",[\"1\"],\" περίοδο ψύξης, θα εισέλθετε στο παράθυρο ξεκλειδώματος \",[\"2\"],\". Θα συνεχίσετε να λαμβάνετε ανταμοιβές κατά τη διάρκεια της ψύξης και του παραθύρου ξεκλειδώματος.\"],\"p2S64u\":\"The loan to value of the migrated positions would cause liquidation. Increase migrated collateral or reduce migrated borrow to continue.\",\"p2Z2Qi\":\"Αυτό το περιουσιακό στοιχείο έχει φθάσει στο ανώτατο όριο δανεισμού του. Τίποτα δεν είναι διαθέσιμο για δανεισμό από αυτή την αγορά.\",\"p3j+mb\":\"Το υπόλοιπο της ανταμοιβής σας είναι 0\",\"p45alK\":\"Set up delegation\",\"p6u2s1\":\"Minimum amount of debt to be repaid\",\"pDgeaz\":[[\"title\"]],\"pdZqBk\":\"Το υποκείμενο υπόλοιπο πρέπει να είναι μεγαλύτερο από 0\",\"pgWG9H\":\"Δεν υπάρχει αρκετό κλειδωμένο υπόλοιπο\",\"piPrJ7\":\"παρακαλούμε ελέγξτε ότι το ποσό που θέλετε να παρέχετε δεν χρησιμοποιείται επί του παρόντος για κλείδωμα. Εάν χρησιμοποιείται για κλείδωμα, η συναλλαγή σας ενδέχεται να αποτύχει.\",\"pjO/iH\":\"Minimum amount received\",\"pooutM\":\"Voting is on\",\"pqaM5s\":\"Confirming transaction\",\"ptaxX3\":[\"Καταλαβαίνω πώς λειτουργεί η ψύξη (\",[\"0\"],\") και το ξεκλείδωμα (\",[\"1\"],\")\"],\"py2iiY\":\"Ο καλών αυτής της συνάρτησης πρέπει να είναι ένα κοινόχρηστο ταμείο\",\"q/51mF\":\"Migrate to V3\",\"q3df11\":\"Interest rate strategy\",\"q6lAbz\":\"Κλειδωμένο\",\"qB4kPi\":\"Προσφορά APY\",\"qENI8q\":\"Γενικές ρυθμίσεις\",\"qGz5zl\":\"Collateral balance after repay\",\"qIW9ZH\":\"Amount staked\",\"qOqbD6\":\"αντιγράψτε το σφάλμα\",\"qXCkEM\":\"Συνδέστε το πορτοφόλι σας για να δείτε τις προμήθειες, τα δάνεια και τις ανοιχτές θέσεις σας.\",\"qY2jnw\":\"Μη έγκυρη λήξη\",\"qf/fr+\":\"Interest accrued\",\"qhhf9L\":\"Rewards available to claim\",\"quYPUU\":\"Variable interest rate will <0>fluctuate based on the market conditions.\",\"quzIeW\":\"User is in isolation mode or LTV is zero\",\"qvnz3q\":\"Μη έγκυρη ποσότητα προς καύση\",\"rHgdb0\":\"Migrate to Aave V3\",\"rOrHHe\":\"Το ποσό πρέπει να είναι μεγαλύτερο από 0\",\"rQ+R+0\":\"Selected supply assets\",\"rSayea\":\"APY\",\"rTBDeu\":[\"Asset cannot be migrated because you have isolated collateral in \",[\"marketName\"],\" v3 Market which limits borrowable assets. You can manage your collateral in <0>\",[\"marketName\"],\" V3 Dashboard\"],\"rcT+yy\":\"Εμφάνιση περιουσιακών στοιχείων με υπόλοιπο 0\",\"rf8POi\":\"Borrowed asset amount\",\"riNWOA\":\"E-Mode\",\"rjGI/Q\":\"Privacy\",\"rnKPW1\":\"Watch a wallet balance in read-only mode\",\"ruc7X+\":\"Add stkAAVE to see borrow APY with the discount\",\"rvbaFU\":[\"Bridging \",[\"symbol\"]],\"rwVVB7\":\"Διεκδικήστε όλες τις ανταμοιβές\",\"rwyUva\":\"These assets are temporarily frozen or paused by Aave community decisions, meaning that further supply / borrow, or rate swap of these assets are unavailable. Withdrawals and debt repayments are allowed. Follow the <0>Aave governance forum for further updates.\",\"rxJW5W\":\"Your proposition power is based on your AAVE/stkAAVE balance and received delegations.\",\"s2jJnW\":\"You don't have any bridge transactions\",\"s5wBAq\":[\"Unstake \",[\"symbol\"]],\"sJbIdI\":\"Enter ETH address or ENS\",\"sK+Nag\":\"Αναθεώρηση συναλλαγής\",\"sP2+gB\":\"ΚΑΤΑ\",\"sQv06Y\":\"for\",\"sTtO6J\":\"Confirm transaction\",\"sXKb3l\":\"Exchange rate\",\"sb0q4+\":\"Μπορείτε να ξεκλειδώσετε εδώ\",\"smJNwH\":\"Διαθέσιμο για δανεισμό\",\"solypO\":\"Ο παράγοντας υγείας δεν είναι κάτω από το όριο\",\"sr0UJD\":\"Πηγαίνετε Πίσω\",\"ss5GCK\":\"Η διεύθυνση του παρόχου διευθύνσεων κοινόχρηστου ταμείου είναι άκυρη\",\"swEgK4\":\"Οι πληροφορίες ψήφου σας\",\"t+wtgf\":\"Τίποτα δανεισμένο ακόμα\",\"t/YqKh\":\"Remove\",\"t81DpC\":[\"Approve \",[\"symbol\"],\" to continue\"],\"tCnbEs\":\"Τιμή Oracle\",\"tFZLf8\":\"Αυτός ο υπολογισμός gas είναι μόνο μια εκτίμηση. Το πορτοφόλι σας θα καθορίσει την τιμή της συναλλαγής. Μπορείτε να τροποποιήσετε τις ρυθμίσεις gas απευθείας από τον πάροχο του πορτοφολιού σας.\",\"tHuvQI\":\"Go to V3 Dashboard\",\"tKv7cI\":\"Switch borrow position\",\"tOcg3N\":\"Since this asset is frozen, the only available actions are withdraw and repay which can be accessed from the <0>Dashboard\",\"tOuXfv\":[\"Borrow amount to reach \",[\"0\"],\"% utilization\"],\"te9Bfl\":\"Παρακαλώ, συνδέστε το πορτοφόλι σας\",\"tt5yma\":\"Οι προμήθειές σας\",\"ttoh5c\":\"Switch to\",\"u3ZeYl\":\"Η συναλλαγή απέτυχε\",\"u706uF\":\"Άκυρη πριμοδότηση flashloan\",\"u8Gfu7\":[\"No search results\",[\"0\"]],\"uAQUqI\":\"Status\",\"uHMwk8\":\"No assets selected to migrate.\",\"uJPHuY\":\"Migrating\",\"uY8O30\":\"To continue, you need to grant Aave smart contracts permission to move your funds from your wallet. Depending on the asset and wallet you use, it is done by signing the permission message (gas free), or by submitting an approval transaction (requires gas). <0>Learn more\",\"udFheE\":\"Για την αποπληρωμή ενός συγκεκριμένου τύπου χρέους, ο χρήστης πρέπει να έχει χρέος αυτού του τύπου\",\"ulNuNq\":\"Export data to\",\"ulup2p\":\"Buy Crypto with Fiat\",\"umICAY\":\"<0><1><2/>Add stkAAVE to see borrow rate with discount\",\"usB84Z\":\"Maximum amount available to borrow is limited because protocol borrow cap is nearly reached.\",\"uwAUvj\":\"COPY IMAGE\",\"v8x7Mg\":\"Insufficient collateral to cover new borrow position. Wallet must have borrowing power remaining to perform debt switch.\",\"vEqxH9\":\"Restaked\",\"vLyv1R\":\"Απόκρυψη\",\"vMba49\":\"Ο δανεισμός δεν είναι ενεργοποιημένος\",\"vMpNwt\":\"Approve with\",\"vXIe7J\":\"Γλώσσα\",\"vesuBJ\":\"Σας επιτρέπει να αποφασίσετε αν θα χρησιμοποιήσετε ένα παρεχόμενο περιουσιακό στοιχείο ως εγγύηση. Ένα περιουσιακό στοιχείο που χρησιμοποιείται ως εγγύηση θα επηρεάσει τη δανειοληπτική σας ικανότητα και τον συντελεστή υγείας.\",\"w+V9Cx\":\"Σταθερό νόμισμα\",\"w/JtJ3\":\"Η σταθερή προσφορά χρέους δεν είναι μηδενική\",\"w4VBY+\":\"Ανταμοιβές APR\",\"w9dLMW\":[[\"label\"]],\"wAOL+X\":[\"Εσείς \",[\"action\"],\" <0/> \",[\"symbol\"]],\"wBIsjb\":\"Discord channel\",\"wQZbc/\":\"Ο καλών της συνάρτησης δεν είναι AToken\",\"wRRqvW\":\"Δεν έχετε προμήθειες σε αυτό το νόμισμα\",\"wZFvVU\":\"ΨΗΦΙΣΤΕ ΥΠΕΡ\",\"wb/r1O\":[\"Βρύση \",[\"0\"]],\"wdxz7K\":\"Source\",\"weH1nG\":\"The Aave Protocol is programmed to always use the price of 1 GHO = $1. This is different from using market pricing via oracles for other crypto assets. This creates stabilizing arbitrage opportunities when the price of GHO fluctuates.\",\"wh7Ezv\":\"You have no AAVE/stkAAVE/aAave balance to delegate.\",\"wlsIx7\":\"With testnet Faucet you can get free assets to test the Aave Protocol. Make sure to switch your wallet provider to the appropriate testnet network, select desired asset, and click ‘Faucet’ to get tokens transferred to your wallet. The assets on a testnet are not “real,” meaning they have no monetary value. <0>Learn more\",\"wmE285\":\"Get ABP v2 Token\",\"wyRrcJ\":\"As a result of governance decisions, this ABPT staking pool is now deprecated. You have the flexibility to either migrate all of your tokens to v2 or unstake them without any cooldown period.\",\"x5KiLL\":\"Selected assets have successfully migrated. Visit the Market Dashboard to see them.\",\"x7F2p6\":\"Τρέχον διαφορικό\",\"x7K5ib\":[\"Your \",[\"networkName\"],\" wallet is empty. Get free test \",[\"0\"],\" at\"],\"x9iLRD\":\"tokens, παρακαλούμε μεταβείτε στο\",\"xNy/UG\":\"Αποπληρωμή με\",\"xPm8wv\":\"Μάθετε περισσότερα για τους κινδύνους\",\"xXYpZl\":[[\"0\"],\" Βρύση\"],\"xaVBSS\":\"Οι πληροφορίες σας\",\"xaWZ6f\":\"APY type change\",\"xh6k71\":\"Collateral usage is limited because of isolation mode.\",\"xvIklc\":\"Flashloan is disabled for this asset, hence this position cannot be migrated.\",\"y5rS9U\":\"Migrate\",\"y66tBm\":[\"Ενεργοποίηση \",[\"symbol\"],\" ως εγγύηση\"],\"yB1YpA\":\"Σκοτεινή λειτουργία\",\"yCrG6m\":\"Συνολικό μέγεθος της αγοράς\",\"yJUUbn\":\"Επισκόπηση συναλλαγής\",\"yLGmLX\":[\"Restake \",[\"symbol\"]],\"yW1oWB\":\"Τύπος APY\",\"yYHqJe\":\"Μη έγκυρη διεύθυνση\",\"yZwLw6\":\"Track wallet\",\"yh2sjd\":[\"Price impact \",[\"0\"],\"%\"],\"yhvj6d\":\"Δεν μπορείτε να αλλάξετε τη χρήση ως λειτουργία εγγύησης για αυτό το νόμισμα, διότι θα προκαλέσει κλήση εγγύησης\",\"ylmtBZ\":\"The app is running in fork mode.\",\"ymNY32\":[\"Δεν υπάρχουν αρκετά κεφάλαια στο\",[\"0\"],\"αποθεματικό για δανεισμό\"],\"yz7wBu\":\"Κλείσιμο\",\"z4uGQg\":\"Υπέρβαση του ανώτατου ορίου χρέους\",\"z5UQOM\":\"Η εγγύηση που έχει επιλεγεί δεν μπορεί να ρευστοποιηθεί\",\"z5Y+p6\":[\"Παροχή \",[\"symbol\"]],\"zCjNKs\":\"Η ενέργεια δεν μπορεί να εκτελεστεί επειδή το αποθεματικό έχει παγώσει\",\"zRHytX\":\"Isolated Debt Ceiling\",\"zTOjMP\":\"Protocol supply cap is at 100% for this asset. Further supply unavailable.\",\"zVdRUG\":\"Submission did not work, please try again later or contact wecare@avara.xyz\",\"zevmS2\":\"<0><1><2/>Add <3/> stkAAVE to borrow at <4/> (max discount)\",\"zgtIDV\":\"Υπολειπόμενο χρέος\",\"zmTPiV\":\"Υπόλοιπο προσφοράς\",\"zpPbZl\":\"Liquidation risk parameters\",\"zucql+\":\"Μενού\",\"zwWKhA\":\"Μάθετε περισσότερα\",\"zy9fXn\":[\"Asset is frozen in \",[\"marketName\"],\" v3 market, hence this position cannot be migrated.\"],\"zys+R6\":\"Be mindful of the network congestion and gas prices.\",\"zzzTXS\":\"Merit Program rewards are claimed through the\"}")}; \ No newline at end of file +/*eslint-disable*/module.exports={messages:JSON.parse("{\"+0xecS\":[\"Εάν ΔΕΝ ξεκλειδώσετε εντός \",[\"0\"],\" του παραθύρου ξεκλειδώματος, θα πρέπει να ενεργοποιήσετε ξανά τη διαδικασία ψύξης.\"],\"+EGVI0\":\"Receive (est.)\",\"+VR63W\":[\"Η συμμετοχή σε αυτό το αποθεματικό \",[\"symbol\"],\" δίνει ετήσιες ανταμοιβές.\"],\"+bmKdK\":\"Use your AAVE, stkAAVE, or aAave balance to delegate your voting and proposition powers. You will not be sending any tokens, only the rights to vote and propose changes to the protocol. You can re-delegate or revoke power to self at any time.\",\"+eOPG+\":\"Φαίνεται ότι δεν μπορούμε να αλλάξουμε το δίκτυο αυτόματα. Ελέγξτε αν μπορείτε να το αλλάξετε από το πορτοφόλι.\",\"+i3Pd2\":\"Ανώτατο όριο δανεισμού\",\"+kLZGu\":\"Supplied asset amount\",\"+nuEh/\":\"Estimated time\",\"+xMFF8\":\"Remind me\",\"/57U31\":\"Amount to migrate\",\"/7ykiW\":\"Borrowing this amount will reduce your health factor and increase risk of liquidation.\",\"/YA5pU\":\"E-Mode increases your LTV for a selected category of assets, meaning that when E-mode is enabled, you will have higher borrowing power over assets of the same E-mode category which are defined by Aave Governance. You can enter E-Mode from your <0>Dashboard. To learn more about E-Mode and applied restrictionn, see the <1>help guide or the <2>Aave V3 Technical Paper.\",\"/izjs/\":\"Minimum staked Aave amount\",\"/jQctM\":\"To\",\"/lDBHm\":\"ΣΥΧΝΕΣ ΕΡΩΤΗΣΕΙΣ\",\"/yNlZf\":\"Ο σταθερός δανεισμός δεν είναι ενεργοποιημένος\",\"/yQcJM\":\"Συνολική αξία\",\"00AB2i\":\"Ο χρήστης δεν δανείστηκε το καθορισμένο νόμισμα\",\"00OflG\":\"There is not enough liquidity for the target asset to perform the switch. Try lowering the amount.\",\"08/rZ9\":\"The cooldown period is the time required prior to unstaking your tokens (20 days). You can only withdraw your assets from the Security Module after the cooldown period and within the unstake window.<0>Learn more\",\"0AmQcW\":\"Rate change\",\"0BF3yK\":\"Sorry, we couldn't find the page you were looking for.\",\"0TAbjq\":\"Recent Transactions\",\"0jhlyw\":\"Liquidation risk\",\"0ojY+Y\":\"Current v2 Balance\",\"0thX3P\":\"Collateral change\",\"0wGCWc\":\"Αυτό είναι το συνολικό ποσό που μπορείτε να προμηθεύσετε σε αυτό το αποθεματικό. Μπορείτε να προμηθεύσετε το υπόλοιπο του πορτοφολιού σας μέχρι να επιτευχθεί το ανώτατο όριο προμηθειών.\",\"1AsVfF\":\"Price data is not currently available for this reserve on the protocol subgraph\",\"1LjK22\":\"Transaction history\",\"1Onqx8\":[\"Έγκριση του \",[\"symbol\"],\"...\"],\"1Ue8sX\":\"Παρακαλούμε συνδέστε ένα πορτοφόλι για να δείτε τις προσωπικές σας πληροφορίες εδώ.\",\"1YH41K\":[\"After the cooldown period ends, you will enter the unstake window of \",[\"0\"],\". You will continue receiving rewards during cooldown and the unstake period.\"],\"1bpx9A\":\"...\",\"1kWUB+\":\"Ρευστοποίηση <0/> κατώτατο όριο\",\"1m9Qqc\":\"Withdrawing and Switching\",\"1oyh4g\":\"Borrow rate\",\"1t7rez\":\"Asset supply is limited to a certain amount to reduce protocol exposure to the asset and to help manage risks involved.\",\"2CAPu2\":\"You've successfully withdrew & switched tokens.\",\"2Eoi/a\":\"Προβολή λεπτομερειών\",\"2FYpfJ\":\"Περισσότερα\",\"2O3qp5\":\"Διαθέσιμη ρευστότητα\",\"2OM8/D\":[\"Asset cannot be migrated due to supply cap restriction in \",[\"marketName\"],\" v3 market.\"],\"2Q4GU4\":\"Blocked Address\",\"2ZGocC\":\"Aave is a fully decentralized, community governed protocol by the AAVE token-holders. AAVE token-holders collectively discuss, propose, and vote on upgrades to the protocol. AAVE token-holders (Ethereum network only) can either vote themselves on new proposals or delagate to an address of choice. To learn more check out the Governance\",\"2a6G7d\":\"Please enter a valid wallet address.\",\"2bAhR7\":\"Meet GHO\",\"2eBWE6\":\"I acknowledge the risks involved.\",\"2o/xRt\":\"Επίτευξη του ανώτατου ορίου εφοδιασμού στο αποθεματικό-στόχο. Δοκιμάστε να \\nμειώσετε την ποσότητα.\",\"2uJToh\":[[\"0\"],[\"name\"]],\"2x58bP\":\"Ο σταθερός δανεισμός είναι ενεργοποιημένος\",\"34Qfwy\":\"Υπέρβαση του ανώτατου ορίου δανεισμού\",\"39eQRj\":[\"Δανεισμός \",[\"symbol\"]],\"3BL1xB\":\"Σύνολο παρεχόμενων\",\"3BnIWi\":\"Switched\",\"3K0oMo\":\"Υπολειπόμενη προσφορά\",\"3MoZhl\":\"Δεν υπάρχουν επαρκείς εξασφαλίσεις για την κάλυψη ενός νέου δανείου\",\"3Np5O8\":[\"Προσφορά \",[\"symbol\"]],\"3O8YTV\":\"Total interest accrued\",\"3mXg0z\":\"Μέγιστο LTV\",\"3q3mFy\":\"Αποπληρωμή\",\"3qsjtp\":\"Ο σταθμισμένος μέσος όρος του APY για όλα τα παρεχόμενα περιουσιακά στοιχεία, συμπεριλαμβανομένων των κινήτρων.\",\"3rL+os\":\"Μπορείτε να αποσύρετε τα περιουσιακά σας στοιχεία από τη Μονάδα Ασφαλείας μόνο αφού λήξει η περίοδος αναμονής και το παράθυρο ξεκλειδώματος είναι ενεργό.\",\"42UgDM\":[\"Migrate to \",[\"0\"],\" v3 Market\"],\"49UFQA\":\"Αποτελέσματα ψηφοφορίας\",\"4DMZUI\":\"View Transactions\",\"4HtGBb\":\"ΜΕΓΙΣΤΟ\",\"4Y5H+g\":\"Terms\",\"4YYh4d\":\"Maximum available to borrow\",\"4iPAI3\":\"Minimum GHO borrow amount\",\"4lDFps\":\"Sign to continue\",\"4wyw8H\":\"Transactions\",\"5JSSxX\":[\"Your \",[\"networkName\"],\" wallet is empty. Get free test assets at\"],\"5K7kGO\":\"τεκμηρίωση\",\"5NOSGa\":\"Debt ceiling limits the amount possible to borrow against this asset by protocol users. Debt ceiling is specific to assets in isolation mode and is denoted in USD.\",\"5Ncc6j\":[\"Αυτό το περιουσιακό στοιχείο έχει σχεδόν φτάσει στο όριο της προσφοράς του. Μόνο \",[\"messageValue\"],\" μπορεί να παρασχεθεί σε αυτή την αγορά.\"],\"5cZ/KX\":\"Η προσφορά μεταβλητού χρέους δεν είναι μηδενική\",\"5che++\":\"Για να ζητήσετε πρόσβαση σε αυτή την αδειοδοτημένη αγορά, επισκεφθείτε την ιστοσελίδα: <0>Όνομα Παρόχου Πρόσβασης\",\"5ctNdV\":[\"Minimum \",[\"0\"],\" received\"],\"5hDe9v\":\"Απαιτούμενη δράση επιδότησης\",\"5rsnKT\":\"Διαθέσιμες ανταμοιβές\",\"5yC5m5\":\"View all votes\",\"6/dCYd\":\"Επισκόπηση\",\"60crCe\":\"All transactions\",\"62Xcjh\":\"Εγγύηση\",\"65A04M\":\"Ισπανικά\",\"6G8s+q\":\"Signing\",\"6Jrv+z\":[\"Αποπληρωμή \",[\"symbol\"]],\"6NGLTR\":\"Discountable amount\",\"6Xr0UU\":\"Ψύξη...\",\"6bxci/\":\"Δύναμη ψήφου\",\"6f8S68\":\"Αγορές\",\"6g1gi0\":\"Προτάσεις\",\"6gvoHP\":\"Copy error message\",\"6h3Q5G\":\"repaid\",\"6lFSyT\":\"Available to Stake\",\"6s8L6f\":\"Αλλαγή Δικτύου\",\"6yAAbq\":\"APY, borrow rate\",\"70wH1Q\":\"APR\",\"72c5Qo\":\"Total\",\"73Auuq\":\"Discount parameters are decided by the Aave community and may be changed over time. Check Governance for updates and vote to participate. <0>Learn more\",\"75qcAQ\":[[\"stepName\"]],\"7ITr5L\":\"Συντελεστής υγείας\",\"7T/o5R\":\"Επιτεύχθηκε\",\"7YlcXu\":\"Fork mode is ON\",\"7Z76Iw\":\"Borrowing is unavailable because you’re using Isolation mode. To manage Isolation mode visit your <0>Dashboard.\",\"7aKlMS\":\"Share on Lens\",\"7bdUsR\":\"Redeem as aToken\",\"7er5fP\":\"Διεκδικήστε τα όλα\",\"7hb2+s\":\"Time remaining until the withdraw period ends.\",\"7l88b8\":\"Data couldn't be fetched, please reload graph.\",\"7p5kLi\":\"Ταμπλό\",\"7sofdl\":\"Withdraw and Switch\",\"8+6BI0\":\"Προσοχή - Είστε πολύ κοντά στην ρευστοποίηση. Εξετάστε το ενδεχόμενο να καταθέσετε περισσότερες εγγυήσεις ή να εξοφλήσετε κάποιες από τις δανειακές σας θέσεις\",\"87pUEW\":[\"Το πορτοφόλι σας \",[\"name\"],\" είναι άδειο. Αγοράστε ή μεταφέρετε περιουσιακά στοιχεία.\"],\"8F1i42\":\"Page not found\",\"8G8M0u\":\"Loading data...\",\"8Iu1QS\":\"withdrew\",\"8JL93T\":\"Όλες οι προτάσεις\",\"8Q51DU\":\"Add to wallet\",\"8X/oyn\":\"Μη έγκυρο ποσό για νομισματοκοπία\",\"8Z5FPv\":\"Αποσυνδέστε το πορτοφόλι\",\"8Zz7s5\":\"περιουσιακά στοιχεία\",\"8aLW8H\":\"Balance to revoke\",\"8bOT3H\":\"Ποσοστό χρησιμοποίησης\",\"8sLe4/\":\"View contract\",\"8t/M0y\":\"Please connect your wallet to be able to bridge your tokens.\",\"8vETh9\":\"Εμφάνιση\",\"94OHPx\":\"Εισέρχεστε σε λειτουργία απομόνωσης\",\"9CDK3/\":[\"Ο δανεισμός δεν είναι επί του παρόντος διαθέσιμος για \",[\"0\"],\".\"],\"9GIj3z\":\"Μέγεθος Αποθεματικού\",\"9Knqb4\":\"Staking balance\",\"9OBKm7\":\"Απαρτία\",\"9QHoGr\":\"Τρέχουσες ψήφοι\",\"9Rw96f\":[\"Αυτό το περιουσιακό στοιχείο έχει σχεδόν φτάσει στο όριο δανεισμού του. Υπάρχει μόνο \",[\"messageValue\"],\" διαθέσιμο για δανεισμό από αυτή την αγορά.\"],\"9Xj/qR\":[\"Some migrated assets will not be used as collateral due to enabled isolation mode in \",[\"marketName\"],\" V3 Market. Visit <0>\",[\"marketName\"],\" V3 Dashboard to manage isolation mode.\"],\"9c6vDV\":\"Αυτό το περιουσιακό στοιχείο έχει φτάσει στο όριο της προσφοράς του. Τίποτα δεν είναι διαθέσιμο για προμήθεια από αυτή την αγορά.\",\"9kTWHA\":\"MAI has been paused due to a community decision. Supply, borrows and repays are impacted. <0>More details\",\"9lXchd\":\"Underlying token\",\"9rWaKF\":\"Bridged Via CCIP\",\"9xSooW\":\"Δεδομένου ότι πρόκειται για ένα δοκιμαστικό δίκτυο, μπορείτε να αποκτήσετε οποιοδήποτε από τα περιουσιακά στοιχεία αν έχετε ETH στο πορτοφόλι σας\",\"A/lwoe\":\"Choose one of the on-ramp services\",\"A6dCI6\":[\"Maximum amount available to borrow is <0/> \",[\"0\"],\" (<1/>).\"],\"AReoaV\":\"Τα δάνεια σας\",\"ARu1L4\":\"Repaid\",\"AV7cGz\":\"Αναθεώρηση λεπτομερειών έγκρισης συναλλαγής\",\"AZOjB8\":\"Fetching data...\",\"Ai0jas\":\"Join the community discussion\",\"Ajl2rq\":\"Η δύναμη δανεισμού και τα περιουσιακά στοιχεία είναι περιορισμένα λόγω της λειτουργίας απομόνωσης.\",\"AqgYNC\":\"Protocol borrow cap at 100% for this asset. Further borrowing unavailable.\",\"B3EcQR\":\"Thank you for voting!!\",\"B6aXGH\":\"Σταθερό\",\"B9Gqbz\":\"Variable rate\",\"BDFEd+\":\"stETH supplied as collateral will continue to accrue staking rewards provided by daily rebases.\",\"BE2mP0\":\"Borrowed assets\",\"BJyN77\":\"Due to health factor impact, a flashloan is required to perform this transaction, but Aave Governance has disabled flashloan availability for this asset. Try lowering the amount or supplying additional collateral.\",\"BNL4Ep\":\"Η χρήση εγγύησης είναι περιορισμένη λόγω της λειτουργίας απομόνωσης. <0>Μάθετε περισσότερα\",\"BQ/wCO\":\"Migrate your assets\",\"BjLdl1\":\"At a discount\",\"BnhYo8\":\"Κατηγορία περιουσιακών στοιχείων\",\"Bq9Y7e\":\"This asset is frozen due to an Aave community decision. <0>More details\",\"BqWMDJ\":\"Βρύση\",\"BqynZO\":\"Optimized for efficiency and risk by supporting blue-chip collateral assets\",\"Bsu7zX\":\"The fee includes the gas cost to complete the transaction on the destination chain and the fee paid to Chainlink CCIP service providers. You can chose to pay in the network token or GHO. <0>Learn more\",\"BwJKBw\":\"of\",\"C4/GSi\":\"Your balance of assets that are available to stake\",\"CDrsH+\":\"Techpaper\",\"CK1KXz\":\"Μεγιστο\",\"CMHmbm\":\"Slippage\",\"CZXzs4\":\"Greek\",\"CcRNG6\":\"Switching\",\"CkTRmy\":[\"Διεκδίκηση \",[\"symbol\"]],\"CsqtLm\":\"Please connect your wallet to see migration tool.\",\"CtGlFb\":[[\"networkName\"],\" Βρύση\"],\"Cxt2YY\":\"Watch wallet\",\"D33VQU\":\"This action will reduce health factor of V3 below liquidation threshold. Increase migrated collateral or reduce migrated borrow to continue.\",\"D8sc3k\":\"Stake balance\",\"D9BLRG\":\"This asset has been paused due to a community decision. Supply, withdraw, borrows and repays are impacted.\",\"DAma/S\":\"Η εγγύηση είναι (ως επί το πλείστον) το ίδιο νόμισμα που δανείζεται\",\"DCnFg0\":[\"Addresses (\",[\"0\"],\")\"],\"DG3Lv1\":\"I fully understand the risks of migrating.\",\"DONJcV\":\"Το υποκείμενο περιουσιακό στοιχείο δεν μπορεί να διασωθεί\",\"DR+4uL\":\"Supply balance after switch\",\"DWjrck\":[\"Asset cannot be migrated to \",[\"marketName\"],\" V3 Market due to E-mode restrictions. You can disable or manage E-mode categories in your <0>V3 Dashboard\"],\"Dj+3wB\":\"Aave ανά μήνα\",\"DptNvx\":\"Amount Staked\",\"DuEq2K\":\"Εξασφάλιση\",\"DxfsGs\":\"You can report incident to our <0>Discord or<1>Github.\",\"Dzma+E\":\"Main Ethereum market with the largest selection of assets and yield options\",\"E/QGRL\":\"Απενεργοποιημένο\",\"EBL9Gz\":\"COPIED!\",\"ES8dkb\":\"Fixed rate\",\"EZd3Dk\":[\"Restaking \",[\"symbol\"]],\"EZqFZ+\":\"Staking this asset will earn the underlying asset supply yield in additon to other configured rewards.\",\"Ebgc76\":[\"Ανάληψη \",[\"symbol\"]],\"EdQY6l\":\"Κανένα\",\"EjvKQ+\":\"Minimum USD value received\",\"Enslfm\":\"Destination\",\"EvE9nO\":[\"Reactivate cooldown period to unstake \",[\"0\"],\" \",[\"stakedToken\"]],\"EvECnL\":\"Migrate to v3\",\"EzMQbh\":\"The source chain time to finality is the main factor that determines the time to destination. <0>Learn more\",\"F40cwT\":\"Legacy Markets\",\"F6TdXL\":\"Μάθετε περισσότερα.\",\"FDDPeZ\":\"Users can stake their assets in the protocol and earn incentives. In the case of a shortfall event, your stake can be slashed to cover the deficit, providing an additional layer of protection for the protocol.\",\"FHlMf/\":\"Current v2 balance\",\"FHpxjF\":[\"Reserve factor is a percentage of interest which goes to a \",[\"0\"],\" that is controlled by Aave governance to promote ecosystem growth.\"],\"FOBZa6\":\"Δανεισμός χρησιμοποιημένης ισχύος\",\"FPKEug\":\"Η λειτουργία δεν υποστηρίζεται\",\"FbmMe7\":\"Linked addresses\",\"Fdp03t\":\"ενεργοποίηση\",\"Fjw9N+\":\"Περιουσιακά στοιχεία προς προμήθεια\",\"FmN0fk\":\"Restake\",\"GDGLIs\":\"GHO is a native decentralized, collateral-backed digital asset pegged to USD. It is created by users via borrowing against multiple collateral. When user repays their GHO borrow position, the protocol burns that user's GHO. All the interest payments accrued by minters of GHO would be directly transferred to the AaveDAO treasury.\",\"GQrBTq\":\"Switch E-Mode\",\"GWswcZ\":\"This asset is frozen due to an Aave Protocol Governance decision. On the 20th of December 2022, renFIL will no longer be supported and cannot be bridged back to its native network. It is recommended to withdraw supply positions and repay borrow positions so that renFIL can be bridged back to FIL before the deadline. After this date, it will no longer be possible to convert renFIL to FIL. <0>More details\",\"GX8GKD\":\"Περιουσιακά Στοιχεία\",\"GgEj+0\":\"Read-only mode. Connect to a wallet to perform transactions.\",\"GjkIKV\":\"τελειώνει\",\"GoK/QN\":\"Thank you for submitting feedback!\",\"GtP2hp\":[\"Ο δανεισμός δεν είναι διαθέσιμος επειδή έχετε ενεργοποιήσει τη λειτουργία Αποδοτικότητας (E-Mode) για την κατηγορία \",[\"0\"],\". Για να διαχειριστείτε τις κατηγορίες E-Mode επισκεφθείτε τον <0>Πίνακα ελέγχου.\"],\"H6Ma8Z\":\"Discount\",\"HB/wfS\":[[\"tooltipText\"]],\"HKDsQN\":\"Rewards can be claimed through\",\"Ha/U5f\":\"This is a program initiated and implemented by the decentralised ZKSync community. Aave Labs does not guarantee the program and accepts no liability.\",\"HciqKU\":\"This is a program initiated and implemented by the decentralised Aave community. Aave Labs does not guarantee the program and accepts no liability.\",\"Hi6Ttn\":\"Sorry, an unexpected error happened. In the meantime you may try reloading the page, or come back later.\",\"HkEDbS\":[[\"d\"],\"η\"],\"HmkYqM\":\"Παράθυρο ξεκλειδώματος\",\"HpK/8d\":\"Reload\",\"HrnC47\":\"Save and share\",\"HuVZMK\":\"Days\",\"HvJKMU\":[\"Asset cannot be migrated to \",[\"marketName\"],\" v3 Market since collateral asset will enable isolation mode.\"],\"Hvwnm9\":[\"Maximum amount available to supply is limited because protocol supply cap is at \",[\"0\"],\"%.\"],\"I8CX2c\":\"Το συνολικό ποσό των περιουσιακών σας στοιχείων σε δολάρια ΗΠΑ που μπορούν να χρησιμοποιηθούν ως εγγύηση για δανεισμό περιουσιακών στοιχείων.\",\"IAD2SB\":[\"Claiming \",[\"symbol\"]],\"IG9X9/\":\"Borrowing of this asset is limited to a certain amount to minimize liquidity pool insolvency.\",\"IOIx8L\":\"This asset is planned to be offboarded due to an Aave Protocol Governance decision. <0>More details\",\"IP+I/j\":\"Περίοδος ψύξης\",\"IaA40H\":\"Ρευστοποίηση στο\",\"J/hVSQ\":[[\"0\"]],\"JCoxL6\":\"Manage analytics\",\"JK9zf1\":[\"Estimated compounding interest, including discount for Staking \",[\"0\"],\"AAVE in Safety Module.\"],\"JOqFba\":[\"Unstaking \",[\"symbol\"]],\"JPrLjO\":\"Δεν μπορείτε να χρησιμοποιήσετε αυτό το νόμισμα ως εγγύηση\",\"JU6q+W\":\"Ανταμοιβή(ες) προς διεκδίκηση\",\"JYKRJS\":\"Κλειδώστε\",\"JZMxX0\":\"Δεν υπάρχει αρκετό υπόλοιπο στο πορτοφόλι σας\",\"Jgflkm\":\"Get GHO\",\"JoMQnI\":\"Υπόλοιπο πορτοφολιού\",\"JtwD8u\":\"Borrow balance after repay\",\"JumYTK\":\"Supplied assets\",\"K05qZY\":\"Withdraw & Switch\",\"KAz/NV\":\"Protocol debt ceiling is at 100% for this asset. Further borrowing against this asset is unavailable.\",\"KLXVqE\":[\"stETH tokens will be migrated to Wrapped stETH using Lido Protocol wrapper which leads to supply balance change after migration: \",[\"0\"]],\"KLd6ky\":\"Use connected account\",\"KRpokz\":\"VIEW TX\",\"KSlpka\":\"Αυτό αντιπροσωπεύει το κατώτατο όριο στο οποίο μια θέση δανεισμού θα θεωρηθεί υποεγγυημένη και θα υπόκειται σε ρευστοποίηση για κάθε εγγύηση. Για παράδειγμα, εάν μια εγγύηση έχει κατώτατο όριο ρευστοποίησης 80%, αυτό σημαίνει ότι η θέση θα ρευστοποιηθεί όταν η αξία του χρέους ανέρχεται στο 80% της αξίας της εγγύησης.\",\"KYAjf3\":\"Απομονωμένο\",\"KZwRuD\":[[\"notifyText\"]],\"KkPgim\":\"Switching E-Mode\",\"KnN1Tu\":\"Λήγει\",\"KoOBI2\":\"Due to internal stETH mechanics required for rebasing support, it is not possible to perform a collateral switch where stETH is the source token.\",\"KojyJ4\":\"Λάθος δίκτυο\",\"KsqhWn\":\"Κλείδωμα\",\"KuBTQq\":\"Εισάγετε διεύθυνση ETH\",\"KvG1xW\":\"Διεκδίκηση\",\"L+8Lzs\":\"Τρέχον LTV\",\"L+qiq+\":\"Αγορά\",\"LDzfVJ\":\"Send Feedback\",\"LIrMcF\":\"Δεν υπάρχει δικαίωμα ψήφου\",\"LL0zks\":\"Μπορεί να αποτελέσει εγγύηση\",\"LLdJWu\":\"Διεκδικήσιμο AAVE\",\"LSIpNK\":\"Δεν επιτρέπεται ο δανεισμός και η αποπληρωμή στο ίδιο block\",\"LVt3TI\":[\"<0>Slippage tolerance <1>\",[\"selectedSlippage\"],\"% <2>\",[\"0\"],\"\"],\"LjafV8\":\"Maximum collateral amount to use\",\"LtpQew\":\"Let us know how we can make the app better for you. For user support related inquiries please reach out on\",\"LvVpD/\":\"Emode\",\"M2sknc\":\"Tip: Try increasing slippage or reduce input amount\",\"M7wPsD\":\"Switch\",\"MFu33y\":\"Staking 00\",\"MIy2RJ\":\"Maximum amount received\",\"MZ/nQf\":\"Διεύθυνση παραλήπτη\",\"Ma/MtY\":\"προβολή κλειδώματος\",\"McHlGl\":\"APY change\",\"MeCCA+\":\"APY, μεταβλητό\",\"MghdTe\":\"Εάν ο συντελεστής υγείας πέσει κάτω από το 1, ενδέχεται να ενεργοποιηθεί η ρευστοποίηση των εγγυήσεών σας.\",\"Mm/DVQ\":\"Ακυρώσατε τη συναλλαγή.\",\"MnE2QX\":\"Borrow info\",\"MrmQHg\":\"View Bridge Transactions\",\"MuDFEQ\":\"Μη έγκυρη τιμή επιστροφής της συνάρτησης εκτελεστή flashloan\",\"N5kUMV\":\"Asset can be only used as collateral in isolation mode with limited borrowing power. To enter isolation mode, disable all other collateral.\",\"N6Pxr9\":\"View all\",\"NF0e1Q\":\"Εκκρεμεί...\",\"NK9ikO\":\"Wallet Balance\",\"NMt2CB\":\"Amount claimable\",\"NcFGxG\":\"Collector Contract\",\"NfpPeS\":\"Τίποτα κλειδωμένο\",\"Nh9DAo\":[[\"m\"],\"λ\"],\"O+sCUU\":\"Υπέρβαση του ανώτατου ορίου νομισματοκοπείου χωρίς αντίκρισμα\",\"O+tyU+\":[\"Maximum amount available to borrow against this asset is limited because debt ceiling is at \",[\"0\"],\"%.\"],\"O3oNi5\":\"Email\",\"OFjZGo\":\"Unstake\",\"OR8cYX\":\"Επισκόπηση πρότασης\",\"OYuJ9K\":\"Protocol debt ceiling is at 100% for this asset. Futher borrowing against this asset is unavailable.\",\"OfhWJH\":\"Reset\",\"Og2SKn\":\"απενεργοποιημένο\",\"On0aF2\":\"Website\",\"OsyKSt\":\"Ανάληψη\",\"P1dURE\":\"Revoke power\",\"P2WCD/\":[\"Underlying asset does not exist in \",[\"marketName\"],\" v3 Market, hence this position cannot be migrated.\"],\"P2sL6B\":\"Όταν πραγματοποιείται ρευστοποίηση, οι ρευστοποιητές επιστρέφουν έως και το 50% του ανεξόφλητου δανεισμένου ποσού για λογαριασμό του δανειολήπτη. Σε αντάλλαγμα, μπορούν να αγοράσουν τις εξασφαλίσεις με έκπτωση και να κρατήσουν τη διαφορά (ποινή ρευστοποίησης) ως μπόνους.\",\"P6sRoL\":\"Stake ABPT\",\"P72/OW\":\"Ο σταθμισμένος μέσος όρος του APY για όλα τα δανειακά περιουσιακά στοιχεία, συμπεριλαμβανομένων των κινήτρων.\",\"P7e6Ug\":\"Please connect your wallet to view transaction history.\",\"PByO0X\":\"Votes\",\"PI+kVe\":\"Disable fork\",\"PJK9u/\":\"Borrow apy\",\"PLUB/s\":\"Fee\",\"PP5ZA8\":[\"Participating in staking \",[\"symbol\"],\" gives annualized rewards. Your wallet balance is the sum of your aTokens and underlying assets. The breakdown to stake is below\"],\"PcBUgb\":\"Κατώτατο όριο ρευστοποίησης\",\"PjU6bu\":\"This asset is eligible for SPK incentive program. Aave Labs does not guarantee the program and accepts no liability.\",\"PpqD5g\":\"Η ενεργοποίηση αυτού του περιουσιακού στοιχείου ως εγγύηση αυξάνει τη δανειοληπτική σας ικανότητα και τον Συντελεστή Υγείας. Ωστόσο, μπορεί να ρευστοποιηθεί εάν ο συντελεστής υγείας σας πέσει κάτω από το 1.\",\"PsOFSf\":\"This action will reduce V2 health factor below liquidation threshold. retain collateral or migrate borrow position to continue.\",\"Pu4bI/\":[[\"currentMethod\"]],\"Q0LzKi\":\"View TX\",\"Q4eNqa\":\"The Aave Balancer Pool Token (ABPT) is a liquidity pool token. You can receive ABPT by depositing a combination of AAVE + wstETH in the Balancer liquidity pool. You can then stake your BPT in the Safety Module to secure the protocol and earn Safety Incentives.\",\"QQYsQ7\":\"Withdrawing\",\"QWYCs/\":\"Stake GHO\",\"R+30X3\":\"Δεν έχει επιτευχθεί\",\"RCU5PY\":\"Age\",\"RIfckG\":[\"Απενεργοποίηση \",[\"symbol\"],\" ως εγγύηση\"],\"RMtxNk\":\"Διαφορικό\",\"RNK49r\":\"Μη έγκυρη υπογραφή\",\"RS0o7b\":\"Κατάσταση\",\"RU+LqV\":\"Λεπτομέρειες πρότασης\",\"RbXH+k\":\"AAVE, GHO, and ABPT holders (Ethereum network only) can stake their assets in the Safety Module to add more security to the protocol and earn Safety Incentives. In the case of a shortfall event, your stake can be slashed to cover the deficit, providing an additional layer of protection for the protocol.\",\"RiSYV4\":\"Το περιουσιακό στοιχείο δεν περιλαμβάνεται στον κατάλογο\",\"Rj01Fz\":\"Σύνδεσμοι\",\"RmWFEe\":\"Κλείδωμα APR\",\"RoafuO\":\"Send feedback\",\"RtBLm7\":\"Ο συντελεστής υγείας είναι μικρότερος από το όριο ρευστοποίησης\",\"RxzN1M\":\"Ενεργοποιημένο\",\"SDav7h\":\"Κεφάλαια στην Μονάδα Ασφάλειας\",\"SENccp\":\"If the error continues to happen,<0/> you may report it to this\",\"SIWumd\":\"Show Frozen or paused assets\",\"SM58dD\":\"Amount in cooldown\",\"SSMiac\":\"Failed to load proposal voters. Please refresh the page.\",\"SSQVIz\":\"Liquidation Threshold\",\"SUb8x0\":\"Σύνολο διαθέσιμων\",\"SWIgh4\":\"Fees exceed wallet balance\",\"SY9hVo\":\"Read-only mode allows to see address positions in Aave, but you won't be able to perform transactions.\",\"SZRUQ4\":\"Max slippage\",\"Sa1UE/\":\"Protocol borrow cap is at 100% for this asset. Further borrowing unavailable.\",\"Sk2zW9\":\"Απενεργοποίηση E-Mode\",\"SxaD0o\":\"Ο πάροχος διευθύνσεων κοινόχρηστων ταμείων δεν είναι εγγεγραμμένος\",\"T/AIqG\":\"Protocol supply cap at 100% for this asset. Further supply unavailable.\",\"T0xCO9\":\"Can't validate the wallet address. Try again.\",\"T4OhVl\":\"GHO balance\",\"T6uYU2\":\"Δανεισμός\",\"TFxQlw\":\"Ποινή ρευστοποίησης\",\"TQ7WsV\":\"Available to stake\",\"TUI7iB\":\"To περιουσιακό στοιχείο μπορεί να χρησιμοποιηθεί ως εγγύηση μόνο σε λειτουργία απομόνωσης.\",\"TbjyhA\":\"Docs\",\"TduuS0\":\"Ο χρήστης δεν έχει ανεξόφλητο χρέος σταθερού επιτοκίου σε αυτό το αποθεματικό\",\"TeCFg/\":\"Borrow rate change\",\"Tg1JyO\":\"Bridge history\",\"TskbEN\":\"Holders of stkAAVE receive a discount on the GHO borrowing rate\",\"TszKts\":\"Borrow balance after switch\",\"TtZL6q\":\"Discount model parameters\",\"TwJI9F\":\"Asset has been successfully sent to CCIP contract. You can check the status of the transactions below\",\"Tz0GSZ\":\"blocked activities\",\"U/eBjN\":\"Reload the page\",\"U2r8nY\":\"Choose how much voting/proposition power to give to someone else by delegating some of your AAVE, stkAAVE or aAave balance. Your tokens will remain in your account, but your delegate will be able to vote or propose on your behalf. If your AAVE, stkAAVE or aAave balance changes, your delegate's voting/proposition power will be automatically adjusted.\",\"U8IubP\":\"The app is running in testnet mode. Learn how it works in\",\"U9btTk\":\"Το περιουσιακό στοιχείο δεν είναι δανείσιμο σε λειτουργία απομόνωσης\",\"UAOZRe\":\"Price impact is the spread between the total value of the entry tokens switched and the destination tokens obtained (in USD), which results from the limited liquidity of the trading pair.\",\"UE3KJZ\":\"Transaction history is not currently available for this market\",\"URmyfc\":\"Λεπτομέρειες\",\"UTTKmT\":\"Stake cooldown activated\",\"UXeR72\":\"Τα κεφάλαια αυτά έχουν δανειστεί και δεν είναι διαθέσιμα για ανάληψη αυτή τη στιγμή.\",\"UYb8CM\":\"Learn more about the SPK rewards\",\"UbRrG0\":\"Ο δείκτης μέγιστου LTV αντιπροσωπεύει τη μέγιστη δανειοληπτική ικανότητα μιας συγκεκριμένης εγγύησης. Για παράδειγμα, εάν μια εγγύηση έχει LTV 75%, ο χρήστης μπορεί να δανειστεί έως και 0,75 ETH στο κύριο νόμισμα για κάθε 1 ETH αξίας εγγύησης.\",\"UpndFj\":\"Δεν υπάρχουν ανταμοιβές για διεκδίκηση\",\"V0f2Xv\":\"Reserve factor\",\"V1HK43\":\"Migration risks\",\"VATFH9\":\"Covered debt\",\"VHOVEJ\":\"Συνδέστε το πορτοφόλι\",\"VMfYUK\":\"Ασφάλεια των κατατεθειμένων εξασφαλίσεών σας έναντι των δανειζόμενων περιουσιακών στοιχείων και της υποκείμενης αξίας τους.\",\"VOAZJh\":\"Σύνολο δανείων\",\"ViKYxK\":\"ΥΠΕΡ\",\"W1SSoD\":\"Αναθεώρηση λεπτομερειών συναλλαγής\",\"W5hVah\":\"Τίποτα δεν έχει παρασχεθεί ακόμη\",\"W5kTFy\":\"Voting\",\"W8ekPc\":\"Back to Dashboard\",\"WMPbRK\":\"Μη υποστηριζόμενο\",\"WNGZwH\":\"Το E-Mode αυξάνει το LTV σας για μια επιλεγμένη κατηγορία περιουσιακών στοιχείων έως και <0/>. <1>Μάθετε περισσότερα\",\"WPWG/y\":\"Κατάσταση & διαμόρφωση αποθεματικού\",\"WZLQSU\":\"Ο χρήστης δεν μπορεί να κάνει ανάληψη μεγαλύτερη από το διαθέσιμο υπόλοιπο\",\"WaZyaV\":\"<0>Ampleforth is a rebasing asset. Visit the <1>documentation to learn more.\",\"WfU+XN\":\"Because this asset is paused, no actions can be taken until further notice\",\"Wjmqs2\":\"No results found. You can import a custom token with a contract address\",\"WkZ6C6\":\"Για να δανειστείτε πρέπει να προσκομίσετε οποιοδήποτε περιουσιακό στοιχείο που θα χρησιμοποιηθεί ως εγγύηση.\",\"WyMiQm\":\"You've successfully switched tokens.\",\"X/ITG9\":\"Κείμενο σφάλματος αντιγραφής\",\"X3Pp6x\":\"Χρησιμοποιείται ως εγγύηση\",\"X4Zt7j\":\"Η ενέργεια δεν μπορεί να εκτελεστεί επειδή η εφεδρεία βρίσκεται σε παύση\",\"XBdKOj\":\"Representative smart contract wallet (ie. Safe) addresses on other chains.\",\"XZzneG\":\"Θα βγείτε από τη λειτουργία απομόνωσης και άλλα tokens μπορούν πλέον να χρησιμοποιηθούν ως εγγύηση\",\"Xg5y9S\":\"Amount to Bridge\",\"Xn4hUi\":\"Please always be aware of your <0>Health Factor (HF) when partially migrating a position and that your rates will be updated to V3 rates.\",\"Xy71ST\":\"Umbrella\",\"Y5kGkc\":\"ΨΗΦΙΣΤΕ ΚΑΤΑ\",\"YDIOks\":\"Ενεργοποίηση E-Mode\",\"YSodyW\":\"This action will reduce your health factor. Please be mindful of the increased risk of collateral liquidation.\",\"YXOWXM\":\"The total amount bridged minus CCIP fees. Paying in network token does not impact gho amount.\",\"YirHq7\":\"Feedback\",\"YogbCJ\":\"Testnet mode is ON\",\"YrDxdO\":\"Εάν το δάνειο προς αξία υπερβεί το όριο ρευστοποίησης, η παρεχόμενη εγγύηση σας μπορεί να ρευστοποιηθεί.\",\"YyIM65\":\"Δεν τηρήθηκαν οι όροι επανεξισορρόπησης των επιτοκίων\",\"YyydIq\":[\"Add \",[\"0\"],\" to wallet to track your balance.\"],\"ZBvhI+\":\"Διακυβέρνηση Aave\",\"ZIIRAd\":\"Raw-Ipfs\",\"ZRq4tX\":\"Λειτουργία αποδοτικότητας (E-Mode)\",\"ZSqEW+\":\"Manage E-Mode\",\"ZUFYFE\":\"Disable testnet\",\"Zbyywy\":\"Μέγιστη περικοπή\",\"ZfUGFb\":\"Πριν από την προμήθεια\",\"ZiXN+B\":\"Assets to stake\",\"ZlsSDH\":\"Αξία ρευστοποίησης\",\"ZrEc8j\":\"We couldn't find any assets related to your search. Try again with a different asset name, symbol, or address.\",\"ZsLF7e\":\"ενεργοποιημένο\",\"a0YQoQ\":\"Enter a valid address\",\"a2fBZn\":\"Χρόνος που απομένει για το ξεκλείδωμα\",\"a5RYZd\":\"Η απενεργοποίηση αυτού του περιουσιακού στοιχείου ως εγγύηση επηρεάζει τη δανειοληπτική σας ικανότητα και τον Συντελεστή Υγείας.\",\"a7u1N9\":\"Price\",\"a9D+6D\":\"Unstaked\",\"aEtiwq\":\"Ψηφίστε ΚΑΤΑ\",\"aMmFE1\":\"Buy Crypto With Fiat\",\"aOKIms\":\"Οι παράμετροι της συστοιχίας που θα έπρεπε να είναι ίσου μήκους δεν είναι\",\"aX31hk\":\"Your balance is lower than the selected amount.\",\"adUsDd\":\"An error has occurred fetching the proposal.\",\"al6Pyz\":\"Exceeds the discount\",\"aoXTT7\":\"Δανεισμός APY, μεταβλητό\",\"aqX1Yp\":\"This asset is eligible for rewards through SuperFest. Aave Labs does not guarantee the program and accepts no liability.\",\"avgETN\":\"Eligible for the Merit program.\",\"b4NS3e\":\"Προειδοποίηση περιόδου ψύξης\",\"bBHmeP\":\"Available to withdraw\",\"bNEQeI\":\"Cooldown\",\"bSruit\":\"ZKSync Ignite Program rewards are claimed through the\",\"bUUVED\":\"Περιουσιακό στοιχείο\",\"bXQ/Og\":\"Μοιραστείτε το στο twitter\",\"bXr0ee\":\"Τα απομονωμένα περιουσιακά στοιχεία έχουν περιορισμένη δανειοληπτική ικανότητα και άλλα περιουσιακά στοιχεία δεν μπορούν να χρησιμοποιηθούν ως εγγύηση.\",\"bYmAV1\":\"Addresses\",\"bguKoJ\":\"Το αιτούμενο ποσό είναι μεγαλύτερο από το μέγιστο μέγεθος δανείου στη λειτουργία σταθερού επιτοκίου\",\"bwSQI0\":\"Προσφορά\",\"bxN6EM\":\"Cannot disable E-Mode\",\"bxmzSh\":\"Δεν υπάρχουν επαρκείς εγγυήσεις για την αποπληρωμή αυτού του ποσού χρέους με\",\"c91vuQ\":\"Η διεύθυνση δεν είναι συμβόλαιο\",\"c97os2\":\"Aave aToken\",\"c9b44w\":\"Δεν μπορείτε να αποσύρετε αυτό το ποσό, διότι θα προκληθεί κλήση εγγύησης\",\"cBc+4A\":\"Αυτό είναι το συνολικό ποσό που μπορείτε να δανειστείτε. Μπορείτε να δανειστείτε με βάση την εξασφάλισή σας και μέχρι να επιτευχθεί το ανώτατο όριο δανεισμού.\",\"cIl5kp\":\"Your voting power is based on your AAVE/stkAAVE balance and received delegations.\",\"cLo09S\":\"Λεπτομέρειες κινδύνου\",\"cNT+ij\":\"Ο δανεισμός δεν είναι διαθέσιμος επειδή έχετε ενεργοποιήσει τη Λειτουργία Αποδοτικότητας (E-Mode) και τη λειτουργία Απομόνωσης. Για να διαχειριστείτε τη λειτουργία E-Mode και τη λειτουργία Απομόνωσης, επισκεφθείτε τον <0>Πίνακα ελέγχου.\",\"cZOeBk\":\"Something went wrong fetching bridge message, please try again later.\",\"ceix5S\":\"To submit a proposal for minor changes to the protocol, you'll need at least 80.00K power. If you want to change the core code base, you'll need 320k power.<0>Learn more.\",\"ciSsYT\":\"Staking APY\",\"ciybUa\":\"Ψηφίστε ΥΠΕΡ\",\"ckf7gX\":[\"Αποπληρώνοντας \",[\"symbol\"]],\"cp1ZDP\":[\"Bridge \",[\"symbol\"]],\"cqnmnD\":\"Effective interest rate\",\"cqwIvs\":\"Συζήτηση φόρουμ\",\"csDS2L\":\"Διαθέσιμο\",\"cu7Stb\":\"Δεν συμμετείχατε στην παρούσα πρόταση\",\"dE6BLF\":\"Διακυβέρνηση\",\"dEgA5A\":\"Cancel\",\"dIsyWh\":\"Η επικύρωση του Ltv απέτυχε\",\"dMtLDE\":\"to\",\"dOB5nW\":[\"Maximum amount available to supply is <0/> \",[\"0\"],\" (<1/>).\"],\"dVfODp\":\"Δεν έχετε αρκετά χρήματα στο πορτοφόλι σας για να αποπληρώσετε ολόκληρο το ποσό. Εάν προχωρήσετε στην αποπληρωμή με το τρέχον ποσό των χρημάτων σας, θα εξακολουθείτε να έχετε μια μικρή θέση δανεισμού στο ταμπλό σας.\",\"dXUQFX\":\"Περιουσιακά στοιχεία προς δανεισμό\",\"dgr1aY\":\"Borrowing is disabled due to an Aave community decision. <0>More details\",\"djsg0o\":\"Χρησιμοποίηση εγγυήσεων\",\"dpc0qG\":\"Μεταβλητό\",\"drdV8R\":\"Liquidation\",\"dxW8cS\":\"Aave debt token\",\"e4V3oW\":\"Top 10 addresses\",\"eD8WX/\":\"Η δράση απαιτεί ενεργό απόθεμα\",\"eJRJ04\":\"Amount to unstake\",\"eLh0cL\":\"Slippage is the difference between the quoted and received amounts from changing market conditions between the moment the transaction is submitted and its verification.\",\"ePK91l\":\"Edit\",\"eVpCmf\":\"Staking Rewards\",\"eVqvtf\":\"Bridge GHO\",\"eYdurp\":\"No transactions yet.\",\"ebLGGN\":\"Σύνολο δανεικών\",\"ecqEvn\":\"Το υπόλοιπο των εγγυήσεων είναι 0\",\"efdrrk\":\"Available on\",\"enruNF\":\"starts\",\"eqLYiD\":\"Ξεκλειδώστε τώρα\",\"euScGB\":\"APY with discount applied\",\"evw5ha\":\"Καθαρή αξία\",\"ezcU16\":\"Get ABP Token\",\"f3W0Ej\":[\"Αλλάξατε σε ποσοστό \",[\"0\"]],\"fH9i8k\":\"You've successfully switched borrow position.\",\"fHcELk\":\"Καθαρό APR\",\"fMJQZK\":\"Borrowed\",\"fZ5Vnu\":\"Received\",\"firl9Q\":\"Το τρέχον δάνειο προς αξία με βάση τις παρεχόμενες εξασφαλίσεις σας.\",\"flRCF/\":\"Staking discount\",\"fldjW9\":\"Preview tx and migrate\",\"fsBGk0\":\"Υπόλοιπο\",\"fu1Dbh\":[\"Ανάληψη \",[\"symbol\"]],\"fwjWSI\":\"Supplied\",\"fwyTMb\":\"Migrate to stkABPT v2\",\"g0mals\":\"You can not disable E-Mode because that could cause liquidation. To exit E-Mode supply or repay borrowed positions.\",\"g2UNkE\":\"Powered by\",\"g8KGoA\":\"FAQS\",\"g9zzqS\":\"Voted NAY\",\"gDd2gk\":\"about SuperFest.\",\"gFFh9h\":\"Όλα έτοιμα!\",\"gIMJlW\":\"Λειτουργία Testnet\",\"gOzPxe\":\"This asset is frozen due to an Aave Protocol Governance decision. <0>More details\",\"gTHi2T\":\"Ο χρήστης προσπαθεί να δανειστεί πολλαπλά περιουσιακά στοιχεία, συμπεριλαμβανομένου ενός απομονωμένου περιουσιακού στοιχείου\",\"gVW59Y\":\"Please connect your wallet to get free testnet assets.\",\"gcFNxP\":\"Approve Confirmed\",\"gncRUO\":\"This address is blocked on app.aave.com because it is associated with one or more\",\"goff7V\":\"Η μηδενική διεύθυνση δεν είναι έγκυρη\",\"gp+f1B\":\"Version 3\",\"gr8mYw\":\"You may borrow up to <0/> GHO at <1/> (max discount)\",\"gvTM4B\":\"Το καθαρό ΑΡΥ είναι η συνδυασμένη επίδραση όλων των θέσεων προσφοράς και δανεισμού στην καθαρή αξία, συμπεριλαμβανομένων των κινήτρων. Είναι δυνατόν να υπάρχει αρνητικό καθαρό APY εάν το χρεωστικό APY είναι υψηλότερο από το προσφερόμενο APY.\",\"gzcch9\":\"Μη έγκυρη αμοιβή πρωτοκόλλου γέφυρας\",\"h33MxW\":\"Representing smart contract wallet (ie. Safe) addresses on other chains.\",\"h3ilK+\":\".CSV\",\"hB23LY\":\"Activate Cooldown\",\"hIJzBh\":\"Available to Claim\",\"hIS4N0\":\"Καθαρό APY\",\"hRWvpI\":\"Claimed\",\"hdmy/o\":\"Το % της συνολικής δανειοληπτικής σας δύναμης που χρησιμοποιείται. Αυτό βασίζεται στο ποσό της παρεχόμενης εξασφάλισής σας και στο συνολικό ποσό που μπορείτε να δανειστείτε.\",\"hehnjM\":\"Ποσό\",\"hjDCQr\":\"Υπήρξε κάποιο σφάλμα. Προσπαθήστε να αλλάξετε τις παραμέτρους ή <0><1>αντιγράψτε το σφάλμα\",\"hom7qf\":\"Διεκδίκηση\",\"hpHJ4I\":\"Liquidated collateral\",\"hpuVIp\":\"Users who stake AAVE in Safety Module (i.e. stkAAVE holders) receive a discount on GHO borrow interest rate.\",\"huQ6Tz\":[\"Δανεισμός \",[\"symbol\"]],\"hxi7vE\":\"Borrow balance\",\"i/fZ2Z\":\"Staked Balance\",\"i2JTiw\":\"You may enter a custom amount in the field.\",\"iB5+/J\":\"About GHO\",\"iChbOF\":\"Ασυνεπείς παράμετροι flashloan\",\"iEPVHF\":\"Δεν έχει αρκετή δύναμη ψήφου για να συμμετάσχει στην παρούσα πρόταση\",\"iEW87X\":\"Delegated power\",\"iEju36\":[\"Ψηφίσατε \",[\"0\"]],\"iFq2YN\":\"Borrowable\",\"iGxyIA\":\"Safety Module\",\"iMVZk9\":\"Select slippage tolerance\",\"iPMIoT\":\"Εισάγετε ένα ποσό\",\"iSLIjg\":\"Connect\",\"iUo5rv\":\"tokens δεν είναι το ίδιο με το να τα κλειδώνετε. Εάν επιθυμείτε να κλειδώσετε τα\",\"iZxa38\":\"Use it to vote for or against active proposals.\",\"iboNXd\":\"Amount received\",\"if5PH+\":\"Collector Info\",\"igkfR1\":[\"In Isolation mode, you cannot supply other assets as collateral. A global debt ceiling limits the borrowing power of the isolated asset. To exit isolation mode disable \",[\"0\"],\" as collateral before borrowing another asset. Read more in our <0>FAQ\"],\"il0sEG\":\"H χρήση εγγυήσεων είναι περιορισμένη λόγω της λειτουργίας Απομόνωσης.\",\"j+K1Xj\":\"Amount After Fee\",\"jA2QeW\":\"Προμηθεύοντας το\",\"jFi7dz\":\"Interest rate that is determined by Aave Governance. This rate may be changed over time depending on the need for the GHO supply to contract/expand. <0>Learn more\",\"jG3UJ7\":\"Απενεργοποίηση E-Mode\",\"jKYzR1\":\"Ενεργοποίηση E-Mode\",\"jMam5g\":[[\"0\"],\" Υπόλοιπο\"],\"jSYv+Z\":\"Enabling E-Mode allows you to maximize your borrowing power, however, borrowing is restricted to assets within the selected category. <0>Learn more about how it works and the applied restrictions.\",\"jaKbwW\":[[\"s\"],\"δ\"],\"jbFMap\":\"Χρόνος ψύξης που έχει απομείνει\",\"jeMZNr\":[[\"0\"],\" on-ramp service is provided by External Provider and by selecting you agree to Terms of the Provider. Your access to the service might be reliant on the External Provider being operational.\"],\"jfl9OP\":\"Migrated\",\"jmXdoY\":\"Στο E-Mode ορισμένα περιουσιακά στοιχεία δεν είναι δανείσιμα. Βγείτε από το E-Mode για να αποκτήσετε πρόσβαση σε όλα τα περιουσιακά στοιχεία\",\"jpctdh\":\"View\",\"jqzUyM\":\"Μη διαθέσιμο\",\"k/sb6z\":\"Επιλέξτε γλώσσα\",\"k3wP3f\":\"<0>Attention: Parameter changes via governance can alter your account health factor and risk of liquidation. Follow the <1>Aave governance forum for updates.\",\"kACpF3\":[\"Διεκδίκηση \",[\"0\"]],\"kH6wUX\":\"Επίδραση στην τιμή\",\"kIC28N\":\"Available to claim\",\"kIpSye\":[[\"numSelected\"],\"/\",[\"numAvailable\"],\" assets selected\"],\"kN1Yg5\":\"Για την εξόφληση εκ μέρους ενός χρήστη απαιτείται ένα ρητό ποσό προς εξόφληση\",\"kRTD40\":[\"Repayment amount to reach \",[\"0\"],\"% utilization\"],\"kgKqPv\":\"You can not stake this amount because it will cause collateral call\",\"kjN9tT\":\"Υπέρβαση του ανώτατου ορίου προσφοράς\",\"knxE+G\":\".JSON\",\"ks2LWT\":\"Το ανώτατο όριο χρέους δεν είναι μηδενικό\",\"kwwn6i\":\"Users who stake AAVE in Safety Module (i.e. stkAAVE holders) receive a discount on GHO borrow interest rate. The discount applies to 100 GHO for every 1 stkAAVE held. Use the calculator below to see GHO borrow rate with the discount applied.\",\"kz3wtK\":\"and about SPK program\",\"kzZyM4\":\"DAI balance will be converted via DSR contracts and then supplied as sDAI. Switching incurs no additional costs and no slippage.\",\"lNVG7i\":\"Select an asset\",\"lU2d1/\":[\"Asset cannot be migrated due to insufficient liquidity or borrow cap limitation in \",[\"marketName\"],\" v3 market.\"],\"lVhKKI\":\"Voted YAE\",\"lWLqxB\":\"We couldn't find any transactions related to your search. Try again with a different asset name, or reset filters.\",\"lYGfRP\":\"Αγγλικά\",\"lfEjIE\":\"Μάθετε περισσότερα στον οδηγό <0>Συχνών Ερωτήσεων\",\"lt6bpt\":\"Collateral to repay with\",\"m/IEhi\":\"Συνολικές εκπομπές ανά ημέρα\",\"m7r7Hh\":\"Selected borrow assets\",\"mDDK4p\":\"Balancer Pool\",\"mIM0qu\":\"Expected amount to repay\",\"mUAFd6\":\"Version 2\",\"masO5Z\":\"E-Mode increases your LTV for a selected category of assets. <0>Learn more\",\"mdNjKU\":[\"Your \",[\"name\"],\" wallet is empty. Purchase or transfer assets or use <0>\",[\"0\"],\" to transfer your \",[\"network\"],\" assets.\"],\"muiOng\":[\"Buy \",[\"cryptoSymbol\"],\" with Fiat\"],\"mvCXBY\":\"Stake AAVE\",\"mwdzil\":\"Εντάξει, Κλείσιμο\",\"mzI/c+\":\"Download\",\"mzdIia\":\"Το περιουσιακό στοιχείο δεν μπορεί να χρησιμοποιηθεί ως εγγύηση.\",\"n+SX4g\":\"Προγραμματιστές\",\"n8Psk4\":\"We couldn’t detect a wallet. Connect a wallet to stake and view your balance.\",\"nJIhzm\":\"Προσφορά apy\",\"nJgsQu\":\"Με δύναμη ψήφου <0/>\",\"nLC6tu\":\"Γαλλικά\",\"nN2T8p\":\"During the cooldown period, you will not earn any merit rewards. However, rewards earned up to this point will remain unaffected.\",\"nNHV0z\":\"Migrating multiple collaterals and borrowed assets at the same time can be an expensive operation and might fail in certain situations.<0>Therefore it’s not recommended to migrate positions with more than 5 assets (deposited + borrowed) at the same time.\",\"nNbnzu\":\"Proposition\",\"nOy4ob\":\"We suggest you go back to the Dashboard.\",\"nPGNMh\":\"Μπορεί να εκτελεστεί\",\"nUK1ou\":[\"Assets with zero LTV (\",[\"0\"],\") must be withdrawn or disabled as collateral to perform this action\"],\"nakd8r\":\"stkAAVE holders get a discount on GHO borrow rate\",\"nh2EJK\":[\"Παρακαλώ μεταβείτε στο \",[\"networkName\"],\".\"],\"njBeMm\":\"Both\",\"noN5Xf\":\"We couldn’t detect a wallet. Connect a wallet to view your staking positions and rewards.\",\"ntkAoE\":\"Discount applied for <0/> staking AAVE\",\"ntyFSE\":[[\"h\"],\"ω\"],\"nwtY4N\":\"Something went wrong\",\"nxyWvj\":\"Withdrawing this amount will reduce your health factor and increase risk of liquidation.\",\"o17QVP\":\"Ο συντελεστής υγείας και το δάνειο προς αξία καθορίζουν τη διασφάλιση των εξασφαλίσεών σας. Για να αποφύγετε τις ρευστοποιήσεις μπορείτε να παράσχετε περισσότερες εξασφαλίσεις ή να εξοφλήσετε δανειακές θέσεις.\",\"o1xc2V\":\"Η προσφορά AToken δεν είναι μηδενική\",\"o4tCu3\":\"Borrow APY\",\"o5ooMr\":\"Χρέος\",\"o7J4JM\":\"Φίλτρο\",\"oHFrpj\":\"Ψύξτε για ξεκλείδωμα\",\"oJ5ZiG\":\"Ο χρήστης δεν έχει ανεξόφλητο χρέος μεταβλητού επιτοκίου σε αυτό το αποθεματικό\",\"oRBGin\":\"Please connect your wallet to be able to switch your tokens.\",\"oUwXhx\":\"Test Assets\",\"oWklJD\":\"Το σταθερό επιτόκιο θα <0>μείνει το ίδιο για όλη τη διάρκεια του δανείου σας. Συνιστάται για μακροχρόνιες περιόδους δανεισμού και για χρήστες που προτιμούν την προβλεψιμότητα.\",\"odnIK3\":\"Time remaining until the 48 hour withdraw period starts.\",\"oiK5nY\":\"The current incentives period, decided on by the Aave community, has ended. Governance is in the process on renewing, check for updates. <0>Learn more.\",\"olREoo\":\"All borrow positions outside of this category must be closed to enable this category.\",\"om/XHs\":\"Διαθέσιμο για προμήθεια\",\"ov0+mq\":\"Eligible for the ZKSync Ignite program.\",\"ovT1pF\":[\"Per the community, the \",[\"market\"],\" has been frozen.\"],\"ow3fug\":\"Nothing found\",\"owSsI3\":\"Signatures ready\",\"p+R52m\":\"Go to Balancer Pool\",\"p2A+s1\":[\"Η περίοδος ψύξης είναι \",[\"0\"],\". Μετά την \",[\"1\"],\" περίοδο ψύξης, θα εισέλθετε στο παράθυρο ξεκλειδώματος \",[\"2\"],\". Θα συνεχίσετε να λαμβάνετε ανταμοιβές κατά τη διάρκεια της ψύξης και του παραθύρου ξεκλειδώματος.\"],\"p2S64u\":\"The loan to value of the migrated positions would cause liquidation. Increase migrated collateral or reduce migrated borrow to continue.\",\"p2Z2Qi\":\"Αυτό το περιουσιακό στοιχείο έχει φθάσει στο ανώτατο όριο δανεισμού του. Τίποτα δεν είναι διαθέσιμο για δανεισμό από αυτή την αγορά.\",\"p3j+mb\":\"Το υπόλοιπο της ανταμοιβής σας είναι 0\",\"p45alK\":\"Set up delegation\",\"p6u2s1\":\"Minimum amount of debt to be repaid\",\"pDgeaz\":[[\"title\"]],\"pdZqBk\":\"Το υποκείμενο υπόλοιπο πρέπει να είναι μεγαλύτερο από 0\",\"pgWG9H\":\"Δεν υπάρχει αρκετό κλειδωμένο υπόλοιπο\",\"piPrJ7\":\"παρακαλούμε ελέγξτε ότι το ποσό που θέλετε να παρέχετε δεν χρησιμοποιείται επί του παρόντος για κλείδωμα. Εάν χρησιμοποιείται για κλείδωμα, η συναλλαγή σας ενδέχεται να αποτύχει.\",\"pjO/iH\":\"Minimum amount received\",\"pooutM\":\"Voting is on\",\"pqaM5s\":\"Confirming transaction\",\"ptaxX3\":[\"Καταλαβαίνω πώς λειτουργεί η ψύξη (\",[\"0\"],\") και το ξεκλείδωμα (\",[\"1\"],\")\"],\"py2iiY\":\"Ο καλών αυτής της συνάρτησης πρέπει να είναι ένα κοινόχρηστο ταμείο\",\"q/51mF\":\"Migrate to V3\",\"q3df11\":\"Interest rate strategy\",\"q6lAbz\":\"Κλειδωμένο\",\"qB4kPi\":\"Προσφορά APY\",\"qENI8q\":\"Γενικές ρυθμίσεις\",\"qGz5zl\":\"Collateral balance after repay\",\"qIW9ZH\":\"Amount staked\",\"qOqbD6\":\"αντιγράψτε το σφάλμα\",\"qXCkEM\":\"Συνδέστε το πορτοφόλι σας για να δείτε τις προμήθειες, τα δάνεια και τις ανοιχτές θέσεις σας.\",\"qY2jnw\":\"Μη έγκυρη λήξη\",\"qf/fr+\":\"Interest accrued\",\"qhhf9L\":\"Rewards available to claim\",\"quYPUU\":\"Variable interest rate will <0>fluctuate based on the market conditions.\",\"quzIeW\":\"User is in isolation mode or LTV is zero\",\"qvnz3q\":\"Μη έγκυρη ποσότητα προς καύση\",\"rHgdb0\":\"Migrate to Aave V3\",\"rOrHHe\":\"Το ποσό πρέπει να είναι μεγαλύτερο από 0\",\"rQ+R+0\":\"Selected supply assets\",\"rSayea\":\"APY\",\"rTBDeu\":[\"Asset cannot be migrated because you have isolated collateral in \",[\"marketName\"],\" v3 Market which limits borrowable assets. You can manage your collateral in <0>\",[\"marketName\"],\" V3 Dashboard\"],\"rcT+yy\":\"Εμφάνιση περιουσιακών στοιχείων με υπόλοιπο 0\",\"rf8POi\":\"Borrowed asset amount\",\"riNWOA\":\"E-Mode\",\"rjGI/Q\":\"Privacy\",\"rnKPW1\":\"Watch a wallet balance in read-only mode\",\"ruc7X+\":\"Add stkAAVE to see borrow APY with the discount\",\"rvbaFU\":[\"Bridging \",[\"symbol\"]],\"rwVVB7\":\"Διεκδικήστε όλες τις ανταμοιβές\",\"rwyUva\":\"These assets are temporarily frozen or paused by Aave community decisions, meaning that further supply / borrow, or rate swap of these assets are unavailable. Withdrawals and debt repayments are allowed. Follow the <0>Aave governance forum for further updates.\",\"rxJW5W\":\"Your proposition power is based on your AAVE/stkAAVE balance and received delegations.\",\"s2jJnW\":\"You don't have any bridge transactions\",\"s5wBAq\":[\"Unstake \",[\"symbol\"]],\"sJbIdI\":\"Enter ETH address or ENS\",\"sK+Nag\":\"Αναθεώρηση συναλλαγής\",\"sP2+gB\":\"ΚΑΤΑ\",\"sQv06Y\":\"for\",\"sTtO6J\":\"Confirm transaction\",\"sXKb3l\":\"Exchange rate\",\"sb0q4+\":\"Μπορείτε να ξεκλειδώσετε εδώ\",\"smJNwH\":\"Διαθέσιμο για δανεισμό\",\"solypO\":\"Ο παράγοντας υγείας δεν είναι κάτω από το όριο\",\"sr0UJD\":\"Πηγαίνετε Πίσω\",\"ss5GCK\":\"Η διεύθυνση του παρόχου διευθύνσεων κοινόχρηστου ταμείου είναι άκυρη\",\"swEgK4\":\"Οι πληροφορίες ψήφου σας\",\"t+wtgf\":\"Τίποτα δανεισμένο ακόμα\",\"t/YqKh\":\"Remove\",\"t81DpC\":[\"Approve \",[\"symbol\"],\" to continue\"],\"tCnbEs\":\"Τιμή Oracle\",\"tFZLf8\":\"Αυτός ο υπολογισμός gas είναι μόνο μια εκτίμηση. Το πορτοφόλι σας θα καθορίσει την τιμή της συναλλαγής. Μπορείτε να τροποποιήσετε τις ρυθμίσεις gas απευθείας από τον πάροχο του πορτοφολιού σας.\",\"tHuvQI\":\"Go to V3 Dashboard\",\"tKv7cI\":\"Switch borrow position\",\"tOcg3N\":\"Since this asset is frozen, the only available actions are withdraw and repay which can be accessed from the <0>Dashboard\",\"tOuXfv\":[\"Borrow amount to reach \",[\"0\"],\"% utilization\"],\"te9Bfl\":\"Παρακαλώ, συνδέστε το πορτοφόλι σας\",\"tt5yma\":\"Οι προμήθειές σας\",\"ttoh5c\":\"Switch to\",\"u3ZeYl\":\"Η συναλλαγή απέτυχε\",\"u706uF\":\"Άκυρη πριμοδότηση flashloan\",\"u8Gfu7\":[\"No search results\",[\"0\"]],\"uAQUqI\":\"Status\",\"uHMwk8\":\"No assets selected to migrate.\",\"uJPHuY\":\"Migrating\",\"uY8O30\":\"To continue, you need to grant Aave smart contracts permission to move your funds from your wallet. Depending on the asset and wallet you use, it is done by signing the permission message (gas free), or by submitting an approval transaction (requires gas). <0>Learn more\",\"udFheE\":\"Για την αποπληρωμή ενός συγκεκριμένου τύπου χρέους, ο χρήστης πρέπει να έχει χρέος αυτού του τύπου\",\"ulNuNq\":\"Export data to\",\"ulup2p\":\"Buy Crypto with Fiat\",\"umICAY\":\"<0><1><2/>Add stkAAVE to see borrow rate with discount\",\"usB84Z\":\"Maximum amount available to borrow is limited because protocol borrow cap is nearly reached.\",\"uwAUvj\":\"COPY IMAGE\",\"v8x7Mg\":\"Insufficient collateral to cover new borrow position. Wallet must have borrowing power remaining to perform debt switch.\",\"vEqxH9\":\"Restaked\",\"vLyv1R\":\"Απόκρυψη\",\"vMba49\":\"Ο δανεισμός δεν είναι ενεργοποιημένος\",\"vMpNwt\":\"Approve with\",\"vXIe7J\":\"Γλώσσα\",\"vesuBJ\":\"Σας επιτρέπει να αποφασίσετε αν θα χρησιμοποιήσετε ένα παρεχόμενο περιουσιακό στοιχείο ως εγγύηση. Ένα περιουσιακό στοιχείο που χρησιμοποιείται ως εγγύηση θα επηρεάσει τη δανειοληπτική σας ικανότητα και τον συντελεστή υγείας.\",\"w+V9Cx\":\"Σταθερό νόμισμα\",\"w/JtJ3\":\"Η σταθερή προσφορά χρέους δεν είναι μηδενική\",\"w4VBY+\":\"Ανταμοιβές APR\",\"w9dLMW\":[[\"label\"]],\"wAOL+X\":[\"Εσείς \",[\"action\"],\" <0/> \",[\"symbol\"]],\"wBIsjb\":\"Discord channel\",\"wQZbc/\":\"Ο καλών της συνάρτησης δεν είναι AToken\",\"wRRqvW\":\"Δεν έχετε προμήθειες σε αυτό το νόμισμα\",\"wZFvVU\":\"ΨΗΦΙΣΤΕ ΥΠΕΡ\",\"wb/r1O\":[\"Βρύση \",[\"0\"]],\"wdxz7K\":\"Source\",\"weH1nG\":\"The Aave Protocol is programmed to always use the price of 1 GHO = $1. This is different from using market pricing via oracles for other crypto assets. This creates stabilizing arbitrage opportunities when the price of GHO fluctuates.\",\"wh7Ezv\":\"You have no AAVE/stkAAVE/aAave balance to delegate.\",\"wlsIx7\":\"With testnet Faucet you can get free assets to test the Aave Protocol. Make sure to switch your wallet provider to the appropriate testnet network, select desired asset, and click ‘Faucet’ to get tokens transferred to your wallet. The assets on a testnet are not “real,” meaning they have no monetary value. <0>Learn more\",\"wmE285\":\"Get ABP v2 Token\",\"wyRrcJ\":\"As a result of governance decisions, this ABPT staking pool is now deprecated. You have the flexibility to either migrate all of your tokens to v2 or unstake them without any cooldown period.\",\"x5KiLL\":\"Selected assets have successfully migrated. Visit the Market Dashboard to see them.\",\"x7F2p6\":\"Τρέχον διαφορικό\",\"x7K5ib\":[\"Your \",[\"networkName\"],\" wallet is empty. Get free test \",[\"0\"],\" at\"],\"x9iLRD\":\"tokens, παρακαλούμε μεταβείτε στο\",\"xNy/UG\":\"Αποπληρωμή με\",\"xPm8wv\":\"Μάθετε περισσότερα για τους κινδύνους\",\"xXYpZl\":[[\"0\"],\" Βρύση\"],\"xaVBSS\":\"Οι πληροφορίες σας\",\"xaWZ6f\":\"APY type change\",\"xh6k71\":\"Collateral usage is limited because of isolation mode.\",\"xvIklc\":\"Flashloan is disabled for this asset, hence this position cannot be migrated.\",\"y5rS9U\":\"Migrate\",\"y66tBm\":[\"Ενεργοποίηση \",[\"symbol\"],\" ως εγγύηση\"],\"yB1YpA\":\"Σκοτεινή λειτουργία\",\"yCrG6m\":\"Συνολικό μέγεθος της αγοράς\",\"yJUUbn\":\"Επισκόπηση συναλλαγής\",\"yLGmLX\":[\"Restake \",[\"symbol\"]],\"yW1oWB\":\"Τύπος APY\",\"yYHqJe\":\"Μη έγκυρη διεύθυνση\",\"yZwLw6\":\"Track wallet\",\"yh2sjd\":[\"Price impact \",[\"0\"],\"%\"],\"yhvj6d\":\"Δεν μπορείτε να αλλάξετε τη χρήση ως λειτουργία εγγύησης για αυτό το νόμισμα, διότι θα προκαλέσει κλήση εγγύησης\",\"ylmtBZ\":\"The app is running in fork mode.\",\"ymNY32\":[\"Δεν υπάρχουν αρκετά κεφάλαια στο\",[\"0\"],\"αποθεματικό για δανεισμό\"],\"yz7wBu\":\"Κλείσιμο\",\"z4uGQg\":\"Υπέρβαση του ανώτατου ορίου χρέους\",\"z5UQOM\":\"Η εγγύηση που έχει επιλεγεί δεν μπορεί να ρευστοποιηθεί\",\"z5Y+p6\":[\"Παροχή \",[\"symbol\"]],\"zCjNKs\":\"Η ενέργεια δεν μπορεί να εκτελεστεί επειδή το αποθεματικό έχει παγώσει\",\"zRHytX\":\"Isolated Debt Ceiling\",\"zTOjMP\":\"Protocol supply cap is at 100% for this asset. Further supply unavailable.\",\"zVdRUG\":\"Submission did not work, please try again later or contact wecare@avara.xyz\",\"zevmS2\":\"<0><1><2/>Add <3/> stkAAVE to borrow at <4/> (max discount)\",\"zgtIDV\":\"Υπολειπόμενο χρέος\",\"zmTPiV\":\"Υπόλοιπο προσφοράς\",\"zpPbZl\":\"Liquidation risk parameters\",\"zucql+\":\"Μενού\",\"zwWKhA\":\"Μάθετε περισσότερα\",\"zy9fXn\":[\"Asset is frozen in \",[\"marketName\"],\" v3 market, hence this position cannot be migrated.\"],\"zys+R6\":\"Be mindful of the network congestion and gas prices.\",\"zzzTXS\":\"Merit Program rewards are claimed through the\"}")}; \ No newline at end of file diff --git a/src/locales/en/messages.js b/src/locales/en/messages.js index 138c27fe51..aa059cb882 100644 --- a/src/locales/en/messages.js +++ b/src/locales/en/messages.js @@ -1 +1 @@ -/*eslint-disable*/module.exports={messages:JSON.parse("{\"+0xecS\":[\"If you DO NOT unstake within \",[\"0\"],\" of unstake window, you will need to activate cooldown process again.\"],\"+EGVI0\":\"Receive (est.)\",\"+VR63W\":[\"Participating in this \",[\"symbol\"],\" reserve gives annualized rewards.\"],\"+bmKdK\":\"Use your AAVE, stkAAVE, or aAave balance to delegate your voting and proposition powers. You will not be sending any tokens, only the rights to vote and propose changes to the protocol. You can re-delegate or revoke power to self at any time.\",\"+eOPG+\":\"Seems like we can't switch the network automatically. Please check if you can change it from the wallet.\",\"+i3Pd2\":\"Borrow cap\",\"+kLZGu\":\"Supplied asset amount\",\"+nuEh/\":\"Estimated time\",\"+xMFF8\":\"Remind me\",\"/57U31\":\"Amount to migrate\",\"/7ykiW\":\"Borrowing this amount will reduce your health factor and increase risk of liquidation.\",\"/YA5pU\":\"E-Mode increases your LTV for a selected category of assets, meaning that when E-mode is enabled, you will have higher borrowing power over assets of the same E-mode category which are defined by Aave Governance. You can enter E-Mode from your <0>Dashboard. To learn more about E-Mode and applied restrictionn, see the <1>help guide or the <2>Aave V3 Technical Paper.\",\"/izjs/\":\"Minimum staked Aave amount\",\"/jQctM\":\"To\",\"/lDBHm\":\"FAQ\",\"/yNlZf\":\"Stable borrowing is not enabled\",\"/yQcJM\":\"Total worth\",\"00AB2i\":\"User did not borrow the specified currency\",\"00OflG\":\"There is not enough liquidity for the target asset to perform the switch. Try lowering the amount.\",\"08/rZ9\":\"The cooldown period is the time required prior to unstaking your tokens (20 days). You can only withdraw your assets from the Security Module after the cooldown period and within the unstake window.<0>Learn more\",\"0AmQcW\":\"Rate change\",\"0BF3yK\":\"Sorry, we couldn't find the page you were looking for.\",\"0TAbjq\":\"Recent Transactions\",\"0jhlyw\":\"Liquidation risk\",\"0ojY+Y\":\"Current v2 Balance\",\"0thX3P\":\"Collateral change\",\"0wGCWc\":\"This is the total amount that you are able to supply to in this reserve. You are able to supply your wallet balance up until the supply cap is reached.\",\"1AsVfF\":\"Price data is not currently available for this reserve on the protocol subgraph\",\"1LjK22\":\"Transaction history\",\"1Onqx8\":[\"Approving \",[\"symbol\"],\"...\"],\"1Ue8sX\":\"Please connect a wallet to view your personal information here.\",\"1YH41K\":[\"After the cooldown period ends, you will enter the unstake window of \",[\"0\"],\". You will continue receiving rewards during cooldown and the unstake period.\"],\"1bpx9A\":\"...\",\"1kWUB+\":\"Liquidation <0/> threshold\",\"1m9Qqc\":\"Withdrawing and Switching\",\"1oyh4g\":\"Borrow rate\",\"1t7rez\":\"Asset supply is limited to a certain amount to reduce protocol exposure to the asset and to help manage risks involved.\",\"2CAPu2\":\"You've successfully withdrew & switched tokens.\",\"2Eoi/a\":\"View details\",\"2FYpfJ\":\"More\",\"2O3qp5\":\"Available liquidity\",\"2OM8/D\":[\"Asset cannot be migrated due to supply cap restriction in \",[\"marketName\"],\" v3 market.\"],\"2Q4GU4\":\"Blocked Address\",\"2ZGocC\":\"Aave is a fully decentralized, community governed protocol by the AAVE token-holders. AAVE token-holders collectively discuss, propose, and vote on upgrades to the protocol. AAVE token-holders (Ethereum network only) can either vote themselves on new proposals or delagate to an address of choice. To learn more check out the Governance\",\"2a6G7d\":\"Please enter a valid wallet address.\",\"2bAhR7\":\"Meet GHO\",\"2eBWE6\":\"I acknowledge the risks involved.\",\"2o/xRt\":\"Supply cap on target reserve reached. Try lowering the amount.\",\"2uJToh\":[[\"0\"],[\"name\"]],\"2x58bP\":\"Stable borrowing is enabled\",\"34Qfwy\":\"Borrow cap is exceeded\",\"39eQRj\":[\"Borrow \",[\"symbol\"]],\"3BL1xB\":\"Total supplied\",\"3BnIWi\":\"Switched\",\"3K0oMo\":\"Remaining supply\",\"3MoZhl\":\"There is not enough collateral to cover a new borrow\",\"3Np5O8\":[\"Supply \",[\"symbol\"]],\"3O8YTV\":\"Total interest accrued\",\"3mXg0z\":\"Max LTV\",\"3q3mFy\":\"Repay\",\"3qsjtp\":\"The weighted average of APY for all supplied assets, including incentives.\",\"3rL+os\":\"You can only withdraw your assets from the Security Module after the cooldown period ends and the unstake window is active.\",\"42UgDM\":[\"Migrate to \",[\"0\"],\" v3 Market\"],\"49UFQA\":\"Voting results\",\"4DMZUI\":\"View Transactions\",\"4HtGBb\":\"MAX\",\"4Y5H+g\":\"Terms\",\"4YYh4d\":\"Maximum available to borrow\",\"4iPAI3\":\"Minimum GHO borrow amount\",\"4lDFps\":\"Sign to continue\",\"4wyw8H\":\"Transactions\",\"5JSSxX\":[\"Your \",[\"networkName\"],\" wallet is empty. Get free test assets at\"],\"5K7kGO\":\"documentation\",\"5NOSGa\":\"Debt ceiling limits the amount possible to borrow against this asset by protocol users. Debt ceiling is specific to assets in isolation mode and is denoted in USD.\",\"5Ncc6j\":[\"This asset has almost reached its supply cap. There can only be \",[\"messageValue\"],\" supplied to this market.\"],\"5cZ/KX\":\"Variable debt supply is not zero\",\"5che++\":\"To request access for this permissioned market, please visit: <0>Acces Provider Name\",\"5ctNdV\":[\"Minimum \",[\"0\"],\" received\"],\"5hDe9v\":\"Allowance required action\",\"5rsnKT\":\"Available rewards\",\"5yC5m5\":\"View all votes\",\"6/dCYd\":\"Overview\",\"60crCe\":\"All transactions\",\"62Xcjh\":\"Collateral\",\"65A04M\":\"Spanish\",\"6G8s+q\":\"Signing\",\"6Jrv+z\":[\"Repay \",[\"symbol\"]],\"6NGLTR\":\"Discountable amount\",\"6Xr0UU\":\"Cooling down...\",\"6bxci/\":\"Voting power\",\"6f8S68\":\"Markets\",\"6g1gi0\":\"Proposals\",\"6gvoHP\":\"Copy error message\",\"6h3Q5G\":\"repaid\",\"6lFSyT\":\"Available to Stake\",\"6s8L6f\":\"Switch Network\",\"6yAAbq\":\"APY, borrow rate\",\"70wH1Q\":\"APR\",\"72c5Qo\":\"Total\",\"73Auuq\":\"Discount parameters are decided by the Aave community and may be changed over time. Check Governance for updates and vote to participate. <0>Learn more\",\"75qcAQ\":[[\"stepName\"]],\"7ITr5L\":\"Health factor\",\"7T/o5R\":\"Reached\",\"7YlcXu\":\"Fork mode is ON\",\"7Z76Iw\":\"Borrowing is unavailable because you’re using Isolation mode. To manage Isolation mode visit your <0>Dashboard.\",\"7aKlMS\":\"Share on Lens\",\"7bdUsR\":\"Redeem as aToken\",\"7er5fP\":\"Claim all\",\"7hb2+s\":\"Time remaining until the withdraw period ends.\",\"7l88b8\":\"Data couldn't be fetched, please reload graph.\",\"7p5kLi\":\"Dashboard\",\"7sofdl\":\"Withdraw and Switch\",\"8+6BI0\":\"Be careful - You are very close to liquidation. Consider depositing more collateral or paying down some of your borrowed positions\",\"87pUEW\":[\"Your \",[\"name\"],\" wallet is empty. Purchase or transfer assets.\"],\"8F1i42\":\"Page not found\",\"8G8M0u\":\"Loading data...\",\"8Iu1QS\":\"withdrew\",\"8JL93T\":\"All proposals\",\"8Q51DU\":\"Add to wallet\",\"8X/oyn\":\"Invalid amount to mint\",\"8Z5FPv\":\"Disconnect Wallet\",\"8Zz7s5\":\"assets\",\"8aLW8H\":\"Balance to revoke\",\"8bOT3H\":\"Utilization Rate\",\"8sLe4/\":\"View contract\",\"8t/M0y\":\"Please connect your wallet to be able to bridge your tokens.\",\"8vETh9\":\"Show\",\"94OHPx\":\"You are entering Isolation mode\",\"9CDK3/\":[\"Borrowing is currently unavailable for \",[\"0\"],\".\"],\"9GIj3z\":\"Reserve Size\",\"9Knqb4\":\"Staking balance\",\"9OBKm7\":\"Quorum\",\"9QHoGr\":\"Current votes\",\"9Rw96f\":[\"This asset has almost reached its borrow cap. There is only \",[\"messageValue\"],\" available to be borrowed from this market.\"],\"9Xj/qR\":[\"Some migrated assets will not be used as collateral due to enabled isolation mode in \",[\"marketName\"],\" V3 Market. Visit <0>\",[\"marketName\"],\" V3 Dashboard to manage isolation mode.\"],\"9c6vDV\":\"This asset has reached its supply cap. Nothing is available to be supplied from this market.\",\"9kTWHA\":\"MAI has been paused due to a community decision. Supply, borrows and repays are impacted. <0>More details\",\"9lXchd\":\"Underlying token\",\"9rWaKF\":\"Bridged Via CCIP\",\"9xSooW\":\"Since this is a test network, you can get any of the assets if you have ETH on your wallet\",\"A/lwoe\":\"Choose one of the on-ramp services\",\"A6dCI6\":[\"Maximum amount available to borrow is <0/> \",[\"0\"],\" (<1/>).\"],\"AReoaV\":\"Your borrows\",\"ARu1L4\":\"Repaid\",\"AV7cGz\":\"Review approval tx details\",\"AZOjB8\":\"Fetching data...\",\"Ai0jas\":\"Join the community discussion\",\"Ajl2rq\":\"Borrowing power and assets are limited due to Isolation mode.\",\"AqgYNC\":\"Protocol borrow cap at 100% for this asset. Further borrowing unavailable.\",\"B3EcQR\":\"Thank you for voting!!\",\"B6aXGH\":\"Stable\",\"B9Gqbz\":\"Variable rate\",\"BDFEd+\":\"stETH supplied as collateral will continue to accrue staking rewards provided by daily rebases.\",\"BE2mP0\":\"Borrowed assets\",\"BJyN77\":\"Due to health factor impact, a flashloan is required to perform this transaction, but Aave Governance has disabled flashloan availability for this asset. Try lowering the amount or supplying additional collateral.\",\"BNL4Ep\":\"Collateral usage is limited because of isolation mode. <0>Learn More\",\"BQ/wCO\":\"Migrate your assets\",\"BjLdl1\":\"At a discount\",\"BnhYo8\":\"Asset category\",\"Bq9Y7e\":\"This asset is frozen due to an Aave community decision. <0>More details\",\"BqWMDJ\":\"Faucet\",\"BqynZO\":\"Optimized for efficiency and risk by supporting blue-chip collateral assets\",\"Bsu7zX\":\"The fee includes the gas cost to complete the transaction on the destination chain and the fee paid to Chainlink CCIP service providers. You can chose to pay in the network token or GHO. <0>Learn more\",\"BwJKBw\":\"of\",\"C4/GSi\":\"Your balance of assets that are available to stake\",\"CDrsH+\":\"Techpaper\",\"CK1KXz\":\"Max\",\"CMHmbm\":\"Slippage\",\"CZXzs4\":\"Greek\",\"CcRNG6\":\"Switching\",\"CkTRmy\":[\"Claim \",[\"symbol\"]],\"CsqtLm\":\"Please connect your wallet to see migration tool.\",\"CtGlFb\":[[\"networkName\"],\" Faucet\"],\"Cxt2YY\":\"Watch wallet\",\"D33VQU\":\"This action will reduce health factor of V3 below liquidation threshold. Increase migrated collateral or reduce migrated borrow to continue.\",\"D8sc3k\":\"Stake balance\",\"D9BLRG\":\"This asset has been paused due to a community decision. Supply, withdraw, borrows and repays are impacted.\",\"DAma/S\":\"Collateral is (mostly) the same currency that is being borrowed\",\"DCnFg0\":[\"Addresses (\",[\"0\"],\")\"],\"DG3Lv1\":\"I fully understand the risks of migrating.\",\"DONJcV\":\"The underlying asset cannot be rescued\",\"DR+4uL\":\"Supply balance after switch\",\"DWjrck\":[\"Asset cannot be migrated to \",[\"marketName\"],\" V3 Market due to E-mode restrictions. You can disable or manage E-mode categories in your <0>V3 Dashboard\"],\"Dj+3wB\":\"Aave per month\",\"DptNvx\":\"Amount Staked\",\"DuEq2K\":\"Collateralization\",\"DxfsGs\":\"You can report incident to our <0>Discord or<1>Github.\",\"Dzma+E\":\"Main Ethereum market with the largest selection of assets and yield options\",\"E/QGRL\":\"Disabled\",\"EBL9Gz\":\"COPIED!\",\"ES8dkb\":\"Fixed rate\",\"EZd3Dk\":[\"Restaking \",[\"symbol\"]],\"EZqFZ+\":\"Staking this asset will earn the underlying asset supply yield in additon to other configured rewards.\",\"Ebgc76\":[\"Withdrawing \",[\"symbol\"]],\"EdQY6l\":\"None\",\"EjvKQ+\":\"Minimum USD value received\",\"Enslfm\":\"Destination\",\"EvE9nO\":[\"Reactivate cooldown period to unstake \",[\"0\"],\" \",[\"stakedToken\"]],\"EvECnL\":\"Migrate to v3\",\"EzMQbh\":\"The source chain time to finality is the main factor that determines the time to destination. <0>Learn more\",\"F40cwT\":\"Legacy Markets\",\"F6TdXL\":\"Learn more.\",\"FDDPeZ\":\"Users can stake their assets in the protocol and earn incentives. In the case of a shortfall event, your stake can be slashed to cover the deficit, providing an additional layer of protection for the protocol.\",\"FHlMf/\":\"Current v2 balance\",\"FHpxjF\":[\"Reserve factor is a percentage of interest which goes to a \",[\"0\"],\" that is controlled by Aave governance to promote ecosystem growth.\"],\"FOBZa6\":\"Borrow power used\",\"FPKEug\":\"Operation not supported\",\"FbmMe7\":\"Linked addresses\",\"Fdp03t\":\"on\",\"Fjw9N+\":\"Assets to supply\",\"FmN0fk\":\"Restake\",\"GDGLIs\":\"GHO is a native decentralized, collateral-backed digital asset pegged to USD. It is created by users via borrowing against multiple collateral. When user repays their GHO borrow position, the protocol burns that user's GHO. All the interest payments accrued by minters of GHO would be directly transferred to the AaveDAO treasury.\",\"GQrBTq\":\"Switch E-Mode\",\"GWswcZ\":\"This asset is frozen due to an Aave Protocol Governance decision. On the 20th of December 2022, renFIL will no longer be supported and cannot be bridged back to its native network. It is recommended to withdraw supply positions and repay borrow positions so that renFIL can be bridged back to FIL before the deadline. After this date, it will no longer be possible to convert renFIL to FIL. <0>More details\",\"GX8GKD\":\"Assets\",\"GgEj+0\":\"Read-only mode. Connect to a wallet to perform transactions.\",\"GjkIKV\":\"ends\",\"GoK/QN\":\"Thank you for submitting feedback!\",\"GtP2hp\":[\"Borrowing is unavailable because you’ve enabled Efficiency Mode (E-Mode) for \",[\"0\"],\" category. To manage E-Mode categories visit your <0>Dashboard.\"],\"H6Ma8Z\":\"Discount\",\"HB/wfS\":[[\"tooltipText\"]],\"HKDsQN\":\"Rewards can be claimed through\",\"Ha/U5f\":\"This is a program initiated and implemented by the decentralised ZKSync community. Aave Labs does not guarantee the program and accepts no liability.\",\"HciqKU\":\"This is a program initiated and implemented by the decentralised Aave community. Aave Labs does not guarantee the program and accepts no liability.\",\"Hi6Ttn\":\"Sorry, an unexpected error happened. In the meantime you may try reloading the page, or come back later.\",\"HkEDbS\":[[\"d\"],\"d\"],\"HmkYqM\":\"Unstake window\",\"HpK/8d\":\"Reload\",\"HrnC47\":\"Save and share\",\"HuVZMK\":\"Days\",\"HvJKMU\":[\"Asset cannot be migrated to \",[\"marketName\"],\" v3 Market since collateral asset will enable isolation mode.\"],\"Hvwnm9\":[\"Maximum amount available to supply is limited because protocol supply cap is at \",[\"0\"],\"%.\"],\"I8CX2c\":\"The total amount of your assets denominated in USD that can be used as collateral for borrowing assets.\",\"IAD2SB\":[\"Claiming \",[\"symbol\"]],\"IG9X9/\":\"Borrowing of this asset is limited to a certain amount to minimize liquidity pool insolvency.\",\"IOIx8L\":\"This asset is planned to be offboarded due to an Aave Protocol Governance decision. <0>More details\",\"IP+I/j\":\"Cooldown period\",\"IaA40H\":\"Liquidation at\",\"J/hVSQ\":[[\"0\"]],\"JCoxL6\":\"Manage analytics\",\"JK9zf1\":[\"Estimated compounding interest, including discount for Staking \",[\"0\"],\"AAVE in Safety Module.\"],\"JOqFba\":[\"Unstaking \",[\"symbol\"]],\"JPrLjO\":\"You can not use this currency as collateral\",\"JU6q+W\":\"Reward(s) to claim\",\"JYKRJS\":\"Stake\",\"JZMxX0\":\"Not enough balance on your wallet\",\"Jgflkm\":\"Get GHO\",\"JoMQnI\":\"Wallet balance\",\"JtwD8u\":\"Borrow balance after repay\",\"JumYTK\":\"Supplied assets\",\"K05qZY\":\"Withdraw & Switch\",\"KAz/NV\":\"Protocol debt ceiling is at 100% for this asset. Further borrowing against this asset is unavailable.\",\"KLXVqE\":[\"stETH tokens will be migrated to Wrapped stETH using Lido Protocol wrapper which leads to supply balance change after migration: \",[\"0\"]],\"KLd6ky\":\"Use connected account\",\"KRpokz\":\"VIEW TX\",\"KSlpka\":\"This represents the threshold at which a borrow position will be considered undercollateralized and subject to liquidation for each collateral. For example, if a collateral has a liquidation threshold of 80%, it means that the position will be liquidated when the debt value is worth 80% of the collateral value.\",\"KYAjf3\":\"Isolated\",\"KZwRuD\":[[\"notifyText\"]],\"KkPgim\":\"Switching E-Mode\",\"KnN1Tu\":\"Expires\",\"KoOBI2\":\"Due to internal stETH mechanics required for rebasing support, it is not possible to perform a collateral switch where stETH is the source token.\",\"KojyJ4\":\"Wrong Network\",\"KsqhWn\":\"Staking\",\"KuBTQq\":\"Enter ETH address\",\"KvG1xW\":\"Claiming\",\"L+8Lzs\":\"Current LTV\",\"L+qiq+\":\"Market\",\"LDzfVJ\":\"Send Feedback\",\"LIrMcF\":\"No voting power\",\"LL0zks\":\"Can be collateral\",\"LLdJWu\":\"Claimable AAVE\",\"LSIpNK\":\"Borrow and repay in same block is not allowed\",\"LVt3TI\":[\"<0>Slippage tolerance <1>\",[\"selectedSlippage\"],\"% <2>\",[\"0\"],\"\"],\"LjafV8\":\"Maximum collateral amount to use\",\"LtpQew\":\"Let us know how we can make the app better for you. For user support related inquiries please reach out on\",\"LvVpD/\":\"Emode\",\"M2sknc\":\"Tip: Try increasing slippage or reduce input amount\",\"M7wPsD\":\"Switch\",\"MFu33y\":\"Staking 00\",\"MIy2RJ\":\"Maximum amount received\",\"MZ/nQf\":\"Recipient address\",\"Ma/MtY\":\"staking view\",\"McHlGl\":\"APY change\",\"MeCCA+\":\"APY, variable\",\"MghdTe\":\"If the health factor goes below 1, the liquidation of your collateral might be triggered.\",\"Mm/DVQ\":\"You cancelled the transaction.\",\"MnE2QX\":\"Borrow info\",\"MrmQHg\":\"View Bridge Transactions\",\"MuDFEQ\":\"Invalid return value of the flashloan executor function\",\"N5kUMV\":\"Asset can be only used as collateral in isolation mode with limited borrowing power. To enter isolation mode, disable all other collateral.\",\"N6Pxr9\":\"View all\",\"NF0e1Q\":\"Pending...\",\"NK9ikO\":\"Wallet Balance\",\"NMt2CB\":\"Amount claimable\",\"NcFGxG\":\"Collector Contract\",\"NfpPeS\":\"Nothing staked\",\"Nh9DAo\":[[\"m\"],\"m\"],\"O+sCUU\":\"Unbacked mint cap is exceeded\",\"O+tyU+\":[\"Maximum amount available to borrow against this asset is limited because debt ceiling is at \",[\"0\"],\"%.\"],\"O3oNi5\":\"Email\",\"OFjZGo\":\"Unstake\",\"OR8cYX\":\"Proposal overview\",\"OYuJ9K\":\"Protocol debt ceiling is at 100% for this asset. Futher borrowing against this asset is unavailable.\",\"OfhWJH\":\"Reset\",\"Og2SKn\":\"disabled\",\"On0aF2\":\"Website\",\"OsyKSt\":\"Withdraw\",\"P1dURE\":\"Revoke power\",\"P2WCD/\":[\"Underlying asset does not exist in \",[\"marketName\"],\" v3 Market, hence this position cannot be migrated.\"],\"P2sL6B\":\"When a liquidation occurs, liquidators repay up to 50% of the outstanding borrowed amount on behalf of the borrower. In return, they can buy the collateral at a discount and keep the difference (liquidation penalty) as a bonus.\",\"P6sRoL\":\"Stake ABPT\",\"P72/OW\":\"The weighted average of APY for all borrowed assets, including incentives.\",\"P7e6Ug\":\"Please connect your wallet to view transaction history.\",\"PByO0X\":\"Votes\",\"PI+kVe\":\"Disable fork\",\"PJK9u/\":\"Borrow apy\",\"PLUB/s\":\"Fee\",\"PP5ZA8\":[\"Participating in staking \",[\"symbol\"],\" gives annualized rewards. Your wallet balance is the sum of your aTokens and underlying assets. The breakdown to stake is below\"],\"PcBUgb\":\"Liquidation threshold\",\"PjU6bu\":\"This asset is eligible for SPK incentive program. Aave Labs does not guarantee the program and accepts no liability.\",\"PpqD5g\":\"Enabling this asset as collateral increases your borrowing power and Health Factor. However, it can get liquidated if your health factor drops below 1.\",\"PsOFSf\":\"This action will reduce V2 health factor below liquidation threshold. retain collateral or migrate borrow position to continue.\",\"Pu4bI/\":[[\"currentMethod\"]],\"Q0LzKi\":\"View TX\",\"Q4eNqa\":\"The Aave Balancer Pool Token (ABPT) is a liquidity pool token. You can receive ABPT by depositing a combination of AAVE + wstETH in the Balancer liquidity pool. You can then stake your BPT in the Safety Module to secure the protocol and earn Safety Incentives.\",\"QQYsQ7\":\"Withdrawing\",\"QWYCs/\":\"Stake GHO\",\"R+30X3\":\"Not reached\",\"RCU5PY\":\"Age\",\"RIfckG\":[\"Disable \",[\"symbol\"],\" as collateral\"],\"RMtxNk\":\"Differential\",\"RNK49r\":\"Invalid signature\",\"RS0o7b\":\"State\",\"RU+LqV\":\"Proposal details\",\"RbXH+k\":\"AAVE, GHO, and ABPT holders (Ethereum network only) can stake their assets in the Safety Module to add more security to the protocol and earn Safety Incentives. In the case of a shortfall event, your stake can be slashed to cover the deficit, providing an additional layer of protection for the protocol.\",\"RiSYV4\":\"Asset is not listed\",\"Rj01Fz\":\"Links\",\"RmWFEe\":\"Staking APR\",\"RoafuO\":\"Send feedback\",\"RtBLm7\":\"Health factor is lesser than the liquidation threshold\",\"RxzN1M\":\"Enabled\",\"SDav7h\":\"Funds in the Safety Module\",\"SENccp\":\"If the error continues to happen,<0/> you may report it to this\",\"SIWumd\":\"Show Frozen or paused assets\",\"SM58dD\":\"Amount in cooldown\",\"SSMiac\":\"Failed to load proposal voters. Please refresh the page.\",\"SSQVIz\":\"Liquidation Threshold\",\"SUb8x0\":\"Total available\",\"SWIgh4\":\"Fees exceed wallet balance\",\"SY9hVo\":\"Read-only mode allows to see address positions in Aave, but you won't be able to perform transactions.\",\"SZRUQ4\":\"Max slippage\",\"Sa1UE/\":\"Protocol borrow cap is at 100% for this asset. Further borrowing unavailable.\",\"Sk2zW9\":\"Disabling E-Mode\",\"SxaD0o\":\"Pool addresses provider is not registered\",\"T/AIqG\":\"Protocol supply cap at 100% for this asset. Further supply unavailable.\",\"T0xCO9\":\"Can't validate the wallet address. Try again.\",\"T4OhVl\":\"GHO balance\",\"T6uYU2\":\"Borrow\",\"TFxQlw\":\"Liquidation penalty\",\"TQ7WsV\":\"Available to stake\",\"TUI7iB\":\"Asset can only be used as collateral in isolation mode only.\",\"TbjyhA\":\"Docs\",\"TduuS0\":\"User does not have outstanding stable rate debt on this reserve\",\"TeCFg/\":\"Borrow rate change\",\"Tg1JyO\":\"Bridge history\",\"TskbEN\":\"Holders of stkAAVE receive a discount on the GHO borrowing rate\",\"TszKts\":\"Borrow balance after switch\",\"TtZL6q\":\"Discount model parameters\",\"TwJI9F\":\"Asset has been successfully sent to CCIP contract. You can check the status of the transactions below\",\"Tz0GSZ\":\"blocked activities\",\"U/eBjN\":\"Reload the page\",\"U2r8nY\":\"Choose how much voting/proposition power to give to someone else by delegating some of your AAVE, stkAAVE or aAave balance. Your tokens will remain in your account, but your delegate will be able to vote or propose on your behalf. If your AAVE, stkAAVE or aAave balance changes, your delegate's voting/proposition power will be automatically adjusted.\",\"U8IubP\":\"The app is running in testnet mode. Learn how it works in\",\"U9btTk\":\"Asset is not borrowable in isolation mode\",\"UAOZRe\":\"Price impact is the spread between the total value of the entry tokens switched and the destination tokens obtained (in USD), which results from the limited liquidity of the trading pair.\",\"UE3KJZ\":\"Transaction history is not currently available for this market\",\"URmyfc\":\"Details\",\"UTTKmT\":\"Stake cooldown activated\",\"UXeR72\":\"These funds have been borrowed and are not available for withdrawal at this time.\",\"UYb8CM\":\"Learn more about the SPK rewards\",\"UbRrG0\":\"The Maximum LTV ratio represents the maximum borrowing power of a specific collateral. For example, if a collateral has an LTV of 75%, the user can borrow up to 0.75 worth of ETH in the principal currency for every 1 ETH worth of collateral.\",\"UpndFj\":\"No rewards to claim\",\"V0f2Xv\":\"Reserve factor\",\"V1HK43\":\"Migration risks\",\"VATFH9\":\"Covered debt\",\"VHOVEJ\":\"Connect wallet\",\"VMfYUK\":\"Safety of your deposited collateral against the borrowed assets and its underlying value.\",\"VOAZJh\":\"Total borrows\",\"ViKYxK\":\"YAE\",\"W1SSoD\":\"Review tx details\",\"W5hVah\":\"Nothing supplied yet\",\"W5kTFy\":\"Voting\",\"W8ekPc\":\"Back to Dashboard\",\"WMPbRK\":\"Unbacked\",\"WNGZwH\":\"E-Mode increases your LTV for a selected category of assets up to<0/>. <1>Learn more\",\"WPWG/y\":\"Reserve status & configuration\",\"WZLQSU\":\"User cannot withdraw more than the available balance\",\"WaZyaV\":\"<0>Ampleforth is a rebasing asset. Visit the <1>documentation to learn more.\",\"WfU+XN\":\"Because this asset is paused, no actions can be taken until further notice\",\"Wjmqs2\":\"No results found. You can import a custom token with a contract address\",\"WkZ6C6\":\"To borrow you need to supply any asset to be used as collateral.\",\"WyMiQm\":\"You've successfully switched tokens.\",\"X/ITG9\":\"Copy error text\",\"X3Pp6x\":\"Used as collateral\",\"X4Zt7j\":\"Action cannot be performed because the reserve is paused\",\"XBdKOj\":\"Representative smart contract wallet (ie. Safe) addresses on other chains.\",\"XZzneG\":\"You will exit isolation mode and other tokens can now be used as collateral\",\"Xg5y9S\":\"Amount to Bridge\",\"Xn4hUi\":\"Please always be aware of your <0>Health Factor (HF) when partially migrating a position and that your rates will be updated to V3 rates.\",\"Xy71ST\":\"Umbrella\",\"Y5kGkc\":\"VOTE NAY\",\"YDIOks\":\"Enabling E-Mode\",\"YSodyW\":\"This action will reduce your health factor. Please be mindful of the increased risk of collateral liquidation.\",\"YXOWXM\":\"The total amount bridged minus CCIP fees. Paying in network token does not impact gho amount.\",\"YirHq7\":\"Feedback\",\"YogbCJ\":\"Testnet mode is ON\",\"YrDxdO\":\"If your loan to value goes above the liquidation threshold your collateral supplied may be liquidated.\",\"YyIM65\":\"Interest rate rebalance conditions were not met\",\"YyydIq\":[\"Add \",[\"0\"],\" to wallet to track your balance.\"],\"ZBvhI+\":\"Aave Governance\",\"ZIIRAd\":\"Raw-Ipfs\",\"ZRq4tX\":\"Efficiency mode (E-Mode)\",\"ZSqEW+\":\"Manage E-Mode\",\"ZUFYFE\":\"Disable testnet\",\"Zbyywy\":\"Max slashing\",\"ZfUGFb\":\"Before supplying\",\"ZiXN+B\":\"Assets to stake\",\"ZlsSDH\":\"Liquidation value\",\"ZrEc8j\":\"We couldn't find any assets related to your search. Try again with a different asset name, symbol, or address.\",\"ZsLF7e\":\"enabled\",\"a0YQoQ\":\"Enter a valid address\",\"a2fBZn\":\"Time left to unstake\",\"a5RYZd\":\"Disabling this asset as collateral affects your borrowing power and Health Factor.\",\"a7u1N9\":\"Price\",\"a9D+6D\":\"Unstaked\",\"aEtiwq\":\"Vote NAY\",\"aMmFE1\":\"Buy Crypto With Fiat\",\"aOKIms\":\"Array parameters that should be equal length are not\",\"aX31hk\":\"Your balance is lower than the selected amount.\",\"adUsDd\":\"An error has occurred fetching the proposal.\",\"al6Pyz\":\"Exceeds the discount\",\"aoXTT7\":\"Borrow APY, variable\",\"aqX1Yp\":\"This asset is eligible for rewards through SuperFest. Aave Labs does not guarantee the program and accepts no liability.\",\"avgETN\":\"Eligible for the Merit program.\",\"b4NS3e\":\"Cooldown period warning\",\"bBHmeP\":\"Available to withdraw\",\"bNEQeI\":\"Cooldown\",\"bSruit\":\"ZKSync Ignite Program rewards are claimed through the\",\"bUUVED\":\"Asset\",\"bXQ/Og\":\"Share on twitter\",\"bXr0ee\":\"Isolated assets have limited borrowing power and other assets cannot be used as collateral.\",\"bYmAV1\":\"Addresses\",\"bguKoJ\":\"The requested amount is greater than the max loan size in stable rate mode\",\"bwSQI0\":\"Supply\",\"bxN6EM\":\"Cannot disable E-Mode\",\"bxmzSh\":\"Not enough collateral to repay this amount of debt with\",\"c91vuQ\":\"Address is not a contract\",\"c97os2\":\"Aave aToken\",\"c9b44w\":\"You can not withdraw this amount because it will cause collateral call\",\"cBc+4A\":\"This is the total amount available for you to borrow. You can borrow based on your collateral and until the borrow cap is reached.\",\"cIl5kp\":\"Your voting power is based on your AAVE/stkAAVE balance and received delegations.\",\"cLo09S\":\"Risk details\",\"cNT+ij\":\"Borrowing is unavailable because you’ve enabled Efficiency Mode (E-Mode) and Isolation mode. To manage E-Mode and Isolation mode visit your <0>Dashboard.\",\"cZOeBk\":\"Something went wrong fetching bridge message, please try again later.\",\"ceix5S\":\"To submit a proposal for minor changes to the protocol, you'll need at least 80.00K power. If you want to change the core code base, you'll need 320k power.<0>Learn more.\",\"ciSsYT\":\"Staking APY\",\"ciybUa\":\"Vote YAE\",\"ckf7gX\":[\"Repaying \",[\"symbol\"]],\"cp1ZDP\":[\"Bridge \",[\"symbol\"]],\"cqnmnD\":\"Effective interest rate\",\"cqwIvs\":\"Forum discussion\",\"csDS2L\":\"Available\",\"cu7Stb\":\"You did not participate in this proposal\",\"dE6BLF\":\"Governance\",\"dEgA5A\":\"Cancel\",\"dIsyWh\":\"Ltv validation failed\",\"dMtLDE\":\"to\",\"dOB5nW\":[\"Maximum amount available to supply is <0/> \",[\"0\"],\" (<1/>).\"],\"dVfODp\":\"You don’t have enough funds in your wallet to repay the full amount. If you proceed to repay with your current amount of funds, you will still have a small borrowing position in your dashboard.\",\"dXUQFX\":\"Assets to borrow\",\"dgr1aY\":\"Borrowing is disabled due to an Aave community decision. <0>More details\",\"djsg0o\":\"Collateral usage\",\"dpc0qG\":\"Variable\",\"drdV8R\":\"Liquidation\",\"dxW8cS\":\"Aave debt token\",\"e4V3oW\":\"Top 10 addresses\",\"eD8WX/\":\"Action requires an active reserve\",\"eJRJ04\":\"Amount to unstake\",\"eLh0cL\":\"Slippage is the difference between the quoted and received amounts from changing market conditions between the moment the transaction is submitted and its verification.\",\"ePK91l\":\"Edit\",\"eVpCmf\":\"Staking Rewards\",\"eVqvtf\":\"Bridge GHO\",\"eYdurp\":\"No transactions yet.\",\"ebLGGN\":\"Total borrowed\",\"ecqEvn\":\"The collateral balance is 0\",\"efdrrk\":\"Available on\",\"enruNF\":\"starts\",\"eqLYiD\":\"Unstake now\",\"euScGB\":\"APY with discount applied\",\"evw5ha\":\"Net worth\",\"ezcU16\":\"Get ABP Token\",\"f3W0Ej\":[\"You switched to \",[\"0\"],\" rate\"],\"fH9i8k\":\"You've successfully switched borrow position.\",\"fHcELk\":\"Net APR\",\"fMJQZK\":\"Borrowed\",\"fZ5Vnu\":\"Received\",\"firl9Q\":\"Your current loan to value based on your collateral supplied.\",\"flRCF/\":\"Staking discount\",\"fldjW9\":\"Preview tx and migrate\",\"fsBGk0\":\"Balance\",\"fu1Dbh\":[\"Withdraw \",[\"symbol\"]],\"fwjWSI\":\"Supplied\",\"fwyTMb\":\"Migrate to stkABPT v2\",\"g0mals\":\"You can not disable E-Mode because that could cause liquidation. To exit E-Mode supply or repay borrowed positions.\",\"g2UNkE\":\"Powered by\",\"g8KGoA\":\"FAQS\",\"g9zzqS\":\"Voted NAY\",\"gDd2gk\":\"about SuperFest.\",\"gFFh9h\":\"All done!\",\"gIMJlW\":\"Testnet mode\",\"gOzPxe\":\"This asset is frozen due to an Aave Protocol Governance decision. <0>More details\",\"gTHi2T\":\"User is trying to borrow multiple assets including a siloed one\",\"gVW59Y\":\"Please connect your wallet to get free testnet assets.\",\"gcFNxP\":\"Approve Confirmed\",\"gncRUO\":\"This address is blocked on app.aave.com because it is associated with one or more\",\"goff7V\":\"Zero address not valid\",\"gp+f1B\":\"Version 3\",\"gr8mYw\":\"You may borrow up to <0/> GHO at <1/> (max discount)\",\"gvTM4B\":\"Net APY is the combined effect of all supply and borrow positions on net worth, including incentives. It is possible to have a negative net APY if debt APY is higher than supply APY.\",\"gzcch9\":\"Invalid bridge protocol fee\",\"h33MxW\":\"Representing smart contract wallet (ie. Safe) addresses on other chains.\",\"h3ilK+\":\".CSV\",\"hB23LY\":\"Activate Cooldown\",\"hIJzBh\":\"Available to Claim\",\"hIS4N0\":\"Net APY\",\"hRWvpI\":\"Claimed\",\"hdmy/o\":\"The % of your total borrowing power used. This is based on the amount of your collateral supplied and the total amount that you can borrow.\",\"hehnjM\":\"Amount\",\"hjDCQr\":\"There was some error. Please try changing the parameters or <0><1>copy the error\",\"hom7qf\":\"Claim\",\"hpHJ4I\":\"Liquidated collateral\",\"hpuVIp\":\"Users who stake AAVE in Safety Module (i.e. stkAAVE holders) receive a discount on GHO borrow interest rate.\",\"huQ6Tz\":[\"Borrowing \",[\"symbol\"]],\"hxi7vE\":\"Borrow balance\",\"i/fZ2Z\":\"Staked Balance\",\"i2JTiw\":\"You may enter a custom amount in the field.\",\"iB5+/J\":\"About GHO\",\"iChbOF\":\"Inconsistent flashloan parameters\",\"iEPVHF\":\"Not enough voting power to participate in this proposal\",\"iEW87X\":\"Delegated power\",\"iEju36\":[\"You voted \",[\"0\"]],\"iFq2YN\":\"Borrowable\",\"iGxyIA\":\"Safety Module\",\"iMVZk9\":\"Select slippage tolerance\",\"iPMIoT\":\"Enter an amount\",\"iSLIjg\":\"Connect\",\"iUo5rv\":\"tokens is not the same as staking them. If you wish to stake your\",\"iZxa38\":\"Use it to vote for or against active proposals.\",\"iboNXd\":\"Amount received\",\"if5PH+\":\"Collector Info\",\"igkfR1\":[\"In Isolation mode, you cannot supply other assets as collateral. A global debt ceiling limits the borrowing power of the isolated asset. To exit isolation mode disable \",[\"0\"],\" as collateral before borrowing another asset. Read more in our <0>FAQ\"],\"il0sEG\":\"Collateral usage is limited because of Isolation mode.\",\"j+K1Xj\":\"Amount After Fee\",\"jA2QeW\":\"Supplying your\",\"jFi7dz\":\"Interest rate that is determined by Aave Governance. This rate may be changed over time depending on the need for the GHO supply to contract/expand. <0>Learn more\",\"jG3UJ7\":\"Disable E-Mode\",\"jKYzR1\":\"Enable E-Mode\",\"jMam5g\":[[\"0\"],\" Balance\"],\"jSYv+Z\":\"Enabling E-Mode allows you to maximize your borrowing power, however, borrowing is restricted to assets within the selected category. <0>Learn more about how it works and the applied restrictions.\",\"jaKbwW\":[[\"s\"],\"s\"],\"jbFMap\":\"Cooldown time left\",\"jeMZNr\":[[\"0\"],\" on-ramp service is provided by External Provider and by selecting you agree to Terms of the Provider. Your access to the service might be reliant on the External Provider being operational.\"],\"jfl9OP\":\"Migrated\",\"jmXdoY\":\"In E-Mode some assets are not borrowable. Exit E-Mode to get access to all assets\",\"jpctdh\":\"View\",\"jqzUyM\":\"Unavailable\",\"k/sb6z\":\"Select language\",\"k3wP3f\":\"<0>Attention: Parameter changes via governance can alter your account health factor and risk of liquidation. Follow the <1>Aave governance forum for updates.\",\"kACpF3\":[\"Claim \",[\"0\"]],\"kH6wUX\":\"Price impact\",\"kIC28N\":\"Available to claim\",\"kIpSye\":[[\"numSelected\"],\"/\",[\"numAvailable\"],\" assets selected\"],\"kN1Yg5\":\"To repay on behalf of a user an explicit amount to repay is needed\",\"kRTD40\":[\"Repayment amount to reach \",[\"0\"],\"% utilization\"],\"kjN9tT\":\"Supply cap is exceeded\",\"knxE+G\":\".JSON\",\"ks2LWT\":\"Debt ceiling is not zero\",\"kwwn6i\":\"Users who stake AAVE in Safety Module (i.e. stkAAVE holders) receive a discount on GHO borrow interest rate. The discount applies to 100 GHO for every 1 stkAAVE held. Use the calculator below to see GHO borrow rate with the discount applied.\",\"kz3wtK\":\"and about SPK program\",\"kzZyM4\":\"DAI balance will be converted via DSR contracts and then supplied as sDAI. Switching incurs no additional costs and no slippage.\",\"lNVG7i\":\"Select an asset\",\"lU2d1/\":[\"Asset cannot be migrated due to insufficient liquidity or borrow cap limitation in \",[\"marketName\"],\" v3 market.\"],\"lVhKKI\":\"Voted YAE\",\"lWLqxB\":\"We couldn't find any transactions related to your search. Try again with a different asset name, or reset filters.\",\"lYGfRP\":\"English\",\"lfEjIE\":\"Learn more in our <0>FAQ guide\",\"lt6bpt\":\"Collateral to repay with\",\"m/IEhi\":\"Total emission per day\",\"m7r7Hh\":\"Selected borrow assets\",\"mDDK4p\":\"Balancer Pool\",\"mIM0qu\":\"Expected amount to repay\",\"mUAFd6\":\"Version 2\",\"masO5Z\":\"E-Mode increases your LTV for a selected category of assets. <0>Learn more\",\"mdNjKU\":[\"Your \",[\"name\"],\" wallet is empty. Purchase or transfer assets or use <0>\",[\"0\"],\" to transfer your \",[\"network\"],\" assets.\"],\"muiOng\":[\"Buy \",[\"cryptoSymbol\"],\" with Fiat\"],\"mvCXBY\":\"Stake AAVE\",\"mwdzil\":\"Ok, Close\",\"mzI/c+\":\"Download\",\"mzdIia\":\"Asset cannot be used as collateral.\",\"n+SX4g\":\"Developers\",\"n8Psk4\":\"We couldn’t detect a wallet. Connect a wallet to stake and view your balance.\",\"nJIhzm\":\"Supply apy\",\"nJgsQu\":\"With a voting power of <0/>\",\"nLC6tu\":\"French\",\"nN2T8p\":\"During the cooldown period, you will not earn any merit rewards. However, rewards earned up to this point will remain unaffected.\",\"nNHV0z\":\"Migrating multiple collaterals and borrowed assets at the same time can be an expensive operation and might fail in certain situations.<0>Therefore it’s not recommended to migrate positions with more than 5 assets (deposited + borrowed) at the same time.\",\"nNbnzu\":\"Proposition\",\"nOy4ob\":\"We suggest you go back to the Dashboard.\",\"nPGNMh\":\"Can be executed\",\"nUK1ou\":[\"Assets with zero LTV (\",[\"0\"],\") must be withdrawn or disabled as collateral to perform this action\"],\"nakd8r\":\"stkAAVE holders get a discount on GHO borrow rate\",\"nh2EJK\":[\"Please switch to \",[\"networkName\"],\".\"],\"njBeMm\":\"Both\",\"noN5Xf\":\"We couldn’t detect a wallet. Connect a wallet to view your staking positions and rewards.\",\"ntkAoE\":\"Discount applied for <0/> staking AAVE\",\"ntyFSE\":[[\"h\"],\"h\"],\"nwtY4N\":\"Something went wrong\",\"nxyWvj\":\"Withdrawing this amount will reduce your health factor and increase risk of liquidation.\",\"o17QVP\":\"Your health factor and loan to value determine the assurance of your collateral. To avoid liquidations you can supply more collateral or repay borrow positions.\",\"o1xc2V\":\"AToken supply is not zero\",\"o4tCu3\":\"Borrow APY\",\"o5ooMr\":\"Debt\",\"o7J4JM\":\"Filter\",\"oHFrpj\":\"Cooldown to unstake\",\"oJ5ZiG\":\"User does not have outstanding variable rate debt on this reserve\",\"oRBGin\":\"Please connect your wallet to be able to switch your tokens.\",\"oUwXhx\":\"Test Assets\",\"oWklJD\":\"Stable interest rate will <0>stay the same for the duration of your loan. Recommended for long-term loan periods and for users who prefer predictability.\",\"odnIK3\":\"Time remaining until the 48 hour withdraw period starts.\",\"oiK5nY\":\"The current incentives period, decided on by the Aave community, has ended. Governance is in the process on renewing, check for updates. <0>Learn more.\",\"olREoo\":\"All borrow positions outside of this category must be closed to enable this category.\",\"om/XHs\":\"Available to supply\",\"ov0+mq\":\"Eligible for the ZKSync Ignite program.\",\"ovT1pF\":[\"Per the community, the \",[\"market\"],\" has been frozen.\"],\"ow3fug\":\"Nothing found\",\"owSsI3\":\"Signatures ready\",\"p+R52m\":\"Go to Balancer Pool\",\"p2A+s1\":[\"The cooldown period is \",[\"0\"],\". After \",[\"1\"],\" of cooldown, you will enter unstake window of \",[\"2\"],\". You will continue receiving rewards during cooldown and unstake window.\"],\"p2S64u\":\"The loan to value of the migrated positions would cause liquidation. Increase migrated collateral or reduce migrated borrow to continue.\",\"p2Z2Qi\":\"This asset has reached its borrow cap. Nothing is available to be borrowed from this market.\",\"p3j+mb\":\"Your reward balance is 0\",\"p45alK\":\"Set up delegation\",\"p6u2s1\":\"Minimum amount of debt to be repaid\",\"pDgeaz\":[[\"title\"]],\"pdZqBk\":\"The underlying balance needs to be greater than 0\",\"pgWG9H\":\"Not enough staked balance\",\"piPrJ7\":\"please check that the amount you want to supply is not currently being used for staking. If it is being used for staking, your transaction might fail.\",\"pjO/iH\":\"Minimum amount received\",\"pooutM\":\"Voting is on\",\"pqaM5s\":\"Confirming transaction\",\"ptaxX3\":[\"I understand how cooldown (\",[\"0\"],\") and unstaking (\",[\"1\"],\") work\"],\"py2iiY\":\"The caller of this function must be a pool\",\"q/51mF\":\"Migrate to V3\",\"q3df11\":\"Interest rate strategy\",\"q6lAbz\":\"Staked\",\"qB4kPi\":\"Supply APY\",\"qENI8q\":\"Global settings\",\"qGz5zl\":\"Collateral balance after repay\",\"qIW9ZH\":\"Amount staked\",\"qOqbD6\":\"copy the error\",\"qXCkEM\":\"Please connect your wallet to see your supplies, borrowings, and open positions.\",\"qY2jnw\":\"Invalid expiration\",\"qf/fr+\":\"Interest accrued\",\"qhhf9L\":\"Rewards available to claim\",\"quYPUU\":\"Variable interest rate will <0>fluctuate based on the market conditions.\",\"quzIeW\":\"User is in isolation mode or LTV is zero\",\"qvnz3q\":\"Invalid amount to burn\",\"rHgdb0\":\"Migrate to Aave V3\",\"rOrHHe\":\"Amount must be greater than 0\",\"rQ+R+0\":\"Selected supply assets\",\"rSayea\":\"APY\",\"rTBDeu\":[\"Asset cannot be migrated because you have isolated collateral in \",[\"marketName\"],\" v3 Market which limits borrowable assets. You can manage your collateral in <0>\",[\"marketName\"],\" V3 Dashboard\"],\"rcT+yy\":\"Show assets with 0 balance\",\"rf8POi\":\"Borrowed asset amount\",\"riNWOA\":\"E-Mode\",\"rjGI/Q\":\"Privacy\",\"rnKPW1\":\"Watch a wallet balance in read-only mode\",\"ruc7X+\":\"Add stkAAVE to see borrow APY with the discount\",\"rvbaFU\":[\"Bridging \",[\"symbol\"]],\"rwVVB7\":\"Claim all rewards\",\"rwyUva\":\"These assets are temporarily frozen or paused by Aave community decisions, meaning that further supply / borrow, or rate swap of these assets are unavailable. Withdrawals and debt repayments are allowed. Follow the <0>Aave governance forum for further updates.\",\"rxJW5W\":\"Your proposition power is based on your AAVE/stkAAVE balance and received delegations.\",\"s2jJnW\":\"You don't have any bridge transactions\",\"s5wBAq\":[\"Unstake \",[\"symbol\"]],\"sJbIdI\":\"Enter ETH address or ENS\",\"sK+Nag\":\"Review tx\",\"sP2+gB\":\"NAY\",\"sQv06Y\":\"for\",\"sTtO6J\":\"Confirm transaction\",\"sXKb3l\":\"Exchange rate\",\"sb0q4+\":\"You unstake here\",\"smJNwH\":\"Available to borrow\",\"solypO\":\"Health factor is not below the threshold\",\"sr0UJD\":\"Go Back\",\"ss5GCK\":\"The address of the pool addresses provider is invalid\",\"swEgK4\":\"Your voting info\",\"t+wtgf\":\"Nothing borrowed yet\",\"t/YqKh\":\"Remove\",\"t81DpC\":[\"Approve \",[\"symbol\"],\" to continue\"],\"tCnbEs\":\"Oracle price\",\"tFZLf8\":\"This gas calculation is only an estimation. Your wallet will set the price of the transaction. You can modify the gas settings directly from your wallet provider.\",\"tHuvQI\":\"Go to V3 Dashboard\",\"tKv7cI\":\"Switch borrow position\",\"tOcg3N\":\"Since this asset is frozen, the only available actions are withdraw and repay which can be accessed from the <0>Dashboard\",\"tOuXfv\":[\"Borrow amount to reach \",[\"0\"],\"% utilization\"],\"te9Bfl\":\"Please, connect your wallet\",\"tt5yma\":\"Your supplies\",\"ttoh5c\":\"Switch to\",\"u3ZeYl\":\"Transaction failed\",\"u706uF\":\"Invalid flashloan premium\",\"u8Gfu7\":[\"No search results\",[\"0\"]],\"uAQUqI\":\"Status\",\"uHMwk8\":\"No assets selected to migrate.\",\"uJPHuY\":\"Migrating\",\"uY8O30\":\"To continue, you need to grant Aave smart contracts permission to move your funds from your wallet. Depending on the asset and wallet you use, it is done by signing the permission message (gas free), or by submitting an approval transaction (requires gas). <0>Learn more\",\"udFheE\":\"For repayment of a specific type of debt, the user needs to have debt that type\",\"ulNuNq\":\"Export data to\",\"ulup2p\":\"Buy Crypto with Fiat\",\"umICAY\":\"<0><1><2/>Add stkAAVE to see borrow rate with discount\",\"usB84Z\":\"Maximum amount available to borrow is limited because protocol borrow cap is nearly reached.\",\"uwAUvj\":\"COPY IMAGE\",\"v8x7Mg\":\"Insufficient collateral to cover new borrow position. Wallet must have borrowing power remaining to perform debt switch.\",\"vEqxH9\":\"Restaked\",\"vLyv1R\":\"Hide\",\"vMba49\":\"Borrowing is not enabled\",\"vMpNwt\":\"Approve with\",\"vXIe7J\":\"Language\",\"vesuBJ\":\"Allows you to decide whether to use a supplied asset as collateral. An asset used as collateral will affect your borrowing power and health factor.\",\"w+V9Cx\":\"Stablecoin\",\"w/JtJ3\":\"Stable debt supply is not zero\",\"w4VBY+\":\"Rewards APR\",\"w9dLMW\":[[\"label\"]],\"wAOL+X\":[\"You \",[\"action\"],\" <0/> \",[\"symbol\"]],\"wBIsjb\":\"Discord channel\",\"wQZbc/\":\"The caller of the function is not an AToken\",\"wRRqvW\":\"You do not have supplies in this currency\",\"wZFvVU\":\"VOTE YAE\",\"wb/r1O\":[\"Faucet \",[\"0\"]],\"wdxz7K\":\"Source\",\"weH1nG\":\"The Aave Protocol is programmed to always use the price of 1 GHO = $1. This is different from using market pricing via oracles for other crypto assets. This creates stabilizing arbitrage opportunities when the price of GHO fluctuates.\",\"wh7Ezv\":\"You have no AAVE/stkAAVE/aAave balance to delegate.\",\"wlsIx7\":\"With testnet Faucet you can get free assets to test the Aave Protocol. Make sure to switch your wallet provider to the appropriate testnet network, select desired asset, and click ‘Faucet’ to get tokens transferred to your wallet. The assets on a testnet are not “real,” meaning they have no monetary value. <0>Learn more\",\"wmE285\":\"Get ABP v2 Token\",\"wyRrcJ\":\"As a result of governance decisions, this ABPT staking pool is now deprecated. You have the flexibility to either migrate all of your tokens to v2 or unstake them without any cooldown period.\",\"x5KiLL\":\"Selected assets have successfully migrated. Visit the Market Dashboard to see them.\",\"x7F2p6\":\"Current differential\",\"x7K5ib\":[\"Your \",[\"networkName\"],\" wallet is empty. Get free test \",[\"0\"],\" at\"],\"x9iLRD\":\"tokens, please go to the\",\"xNy/UG\":\"Repay with\",\"xPm8wv\":\"Learn more about risks involved\",\"xXYpZl\":[[\"0\"],\" Faucet\"],\"xaVBSS\":\"Your info\",\"xaWZ6f\":\"APY type change\",\"xh6k71\":\"Collateral usage is limited because of isolation mode.\",\"xvIklc\":\"Flashloan is disabled for this asset, hence this position cannot be migrated.\",\"y5rS9U\":\"Migrate\",\"y66tBm\":[\"Enable \",[\"symbol\"],\" as collateral\"],\"yB1YpA\":\"Dark mode\",\"yCrG6m\":\"Total market size\",\"yJUUbn\":\"Transaction overview\",\"yLGmLX\":[\"Restake \",[\"symbol\"]],\"yW1oWB\":\"APY type\",\"yYHqJe\":\"Not a valid address\",\"yZwLw6\":\"Track wallet\",\"yh2sjd\":[\"Price impact \",[\"0\"],\"%\"],\"yhvj6d\":\"You can not switch usage as collateral mode for this currency, because it will cause collateral call\",\"ylmtBZ\":\"The app is running in fork mode.\",\"ymNY32\":[\"There are not enough funds in the\",[\"0\"],\"reserve to borrow\"],\"yz7wBu\":\"Close\",\"z4uGQg\":\"Debt ceiling is exceeded\",\"z5UQOM\":\"The collateral chosen cannot be liquidated\",\"z5Y+p6\":[\"Supplying \",[\"symbol\"]],\"zCjNKs\":\"Action cannot be performed because the reserve is frozen\",\"zRHytX\":\"Isolated Debt Ceiling\",\"zTOjMP\":\"Protocol supply cap is at 100% for this asset. Further supply unavailable.\",\"zVdRUG\":\"Submission did not work, please try again later or contact wecare@avara.xyz\",\"zevmS2\":\"<0><1><2/>Add <3/> stkAAVE to borrow at <4/> (max discount)\",\"zgtIDV\":\"Remaining debt\",\"zmTPiV\":\"Supply balance\",\"zpPbZl\":\"Liquidation risk parameters\",\"zucql+\":\"Menu\",\"zwWKhA\":\"Learn more\",\"zy9fXn\":[\"Asset is frozen in \",[\"marketName\"],\" v3 market, hence this position cannot be migrated.\"],\"zys+R6\":\"Be mindful of the network congestion and gas prices.\",\"zzzTXS\":\"Merit Program rewards are claimed through the\"}")}; \ No newline at end of file +/*eslint-disable*/module.exports={messages:JSON.parse("{\"+0xecS\":[\"If you DO NOT unstake within \",[\"0\"],\" of unstake window, you will need to activate cooldown process again.\"],\"+EGVI0\":\"Receive (est.)\",\"+VR63W\":[\"Participating in this \",[\"symbol\"],\" reserve gives annualized rewards.\"],\"+bmKdK\":\"Use your AAVE, stkAAVE, or aAave balance to delegate your voting and proposition powers. You will not be sending any tokens, only the rights to vote and propose changes to the protocol. You can re-delegate or revoke power to self at any time.\",\"+eOPG+\":\"Seems like we can't switch the network automatically. Please check if you can change it from the wallet.\",\"+i3Pd2\":\"Borrow cap\",\"+kLZGu\":\"Supplied asset amount\",\"+nuEh/\":\"Estimated time\",\"+xMFF8\":\"Remind me\",\"/57U31\":\"Amount to migrate\",\"/7ykiW\":\"Borrowing this amount will reduce your health factor and increase risk of liquidation.\",\"/YA5pU\":\"E-Mode increases your LTV for a selected category of assets, meaning that when E-mode is enabled, you will have higher borrowing power over assets of the same E-mode category which are defined by Aave Governance. You can enter E-Mode from your <0>Dashboard. To learn more about E-Mode and applied restrictionn, see the <1>help guide or the <2>Aave V3 Technical Paper.\",\"/izjs/\":\"Minimum staked Aave amount\",\"/jQctM\":\"To\",\"/lDBHm\":\"FAQ\",\"/yNlZf\":\"Stable borrowing is not enabled\",\"/yQcJM\":\"Total worth\",\"00AB2i\":\"User did not borrow the specified currency\",\"00OflG\":\"There is not enough liquidity for the target asset to perform the switch. Try lowering the amount.\",\"08/rZ9\":\"The cooldown period is the time required prior to unstaking your tokens (20 days). You can only withdraw your assets from the Security Module after the cooldown period and within the unstake window.<0>Learn more\",\"0AmQcW\":\"Rate change\",\"0BF3yK\":\"Sorry, we couldn't find the page you were looking for.\",\"0TAbjq\":\"Recent Transactions\",\"0jhlyw\":\"Liquidation risk\",\"0ojY+Y\":\"Current v2 Balance\",\"0thX3P\":\"Collateral change\",\"0wGCWc\":\"This is the total amount that you are able to supply to in this reserve. You are able to supply your wallet balance up until the supply cap is reached.\",\"1AsVfF\":\"Price data is not currently available for this reserve on the protocol subgraph\",\"1LjK22\":\"Transaction history\",\"1Onqx8\":[\"Approving \",[\"symbol\"],\"...\"],\"1Ue8sX\":\"Please connect a wallet to view your personal information here.\",\"1YH41K\":[\"After the cooldown period ends, you will enter the unstake window of \",[\"0\"],\". You will continue receiving rewards during cooldown and the unstake period.\"],\"1bpx9A\":\"...\",\"1kWUB+\":\"Liquidation <0/> threshold\",\"1m9Qqc\":\"Withdrawing and Switching\",\"1oyh4g\":\"Borrow rate\",\"1t7rez\":\"Asset supply is limited to a certain amount to reduce protocol exposure to the asset and to help manage risks involved.\",\"2CAPu2\":\"You've successfully withdrew & switched tokens.\",\"2Eoi/a\":\"View details\",\"2FYpfJ\":\"More\",\"2O3qp5\":\"Available liquidity\",\"2OM8/D\":[\"Asset cannot be migrated due to supply cap restriction in \",[\"marketName\"],\" v3 market.\"],\"2Q4GU4\":\"Blocked Address\",\"2ZGocC\":\"Aave is a fully decentralized, community governed protocol by the AAVE token-holders. AAVE token-holders collectively discuss, propose, and vote on upgrades to the protocol. AAVE token-holders (Ethereum network only) can either vote themselves on new proposals or delagate to an address of choice. To learn more check out the Governance\",\"2a6G7d\":\"Please enter a valid wallet address.\",\"2bAhR7\":\"Meet GHO\",\"2eBWE6\":\"I acknowledge the risks involved.\",\"2o/xRt\":\"Supply cap on target reserve reached. Try lowering the amount.\",\"2uJToh\":[[\"0\"],[\"name\"]],\"2x58bP\":\"Stable borrowing is enabled\",\"34Qfwy\":\"Borrow cap is exceeded\",\"39eQRj\":[\"Borrow \",[\"symbol\"]],\"3BL1xB\":\"Total supplied\",\"3BnIWi\":\"Switched\",\"3K0oMo\":\"Remaining supply\",\"3MoZhl\":\"There is not enough collateral to cover a new borrow\",\"3Np5O8\":[\"Supply \",[\"symbol\"]],\"3O8YTV\":\"Total interest accrued\",\"3mXg0z\":\"Max LTV\",\"3q3mFy\":\"Repay\",\"3qsjtp\":\"The weighted average of APY for all supplied assets, including incentives.\",\"3rL+os\":\"You can only withdraw your assets from the Security Module after the cooldown period ends and the unstake window is active.\",\"42UgDM\":[\"Migrate to \",[\"0\"],\" v3 Market\"],\"49UFQA\":\"Voting results\",\"4DMZUI\":\"View Transactions\",\"4HtGBb\":\"MAX\",\"4Y5H+g\":\"Terms\",\"4YYh4d\":\"Maximum available to borrow\",\"4iPAI3\":\"Minimum GHO borrow amount\",\"4lDFps\":\"Sign to continue\",\"4wyw8H\":\"Transactions\",\"5JSSxX\":[\"Your \",[\"networkName\"],\" wallet is empty. Get free test assets at\"],\"5K7kGO\":\"documentation\",\"5NOSGa\":\"Debt ceiling limits the amount possible to borrow against this asset by protocol users. Debt ceiling is specific to assets in isolation mode and is denoted in USD.\",\"5Ncc6j\":[\"This asset has almost reached its supply cap. There can only be \",[\"messageValue\"],\" supplied to this market.\"],\"5cZ/KX\":\"Variable debt supply is not zero\",\"5che++\":\"To request access for this permissioned market, please visit: <0>Acces Provider Name\",\"5ctNdV\":[\"Minimum \",[\"0\"],\" received\"],\"5hDe9v\":\"Allowance required action\",\"5rsnKT\":\"Available rewards\",\"5yC5m5\":\"View all votes\",\"6/dCYd\":\"Overview\",\"60crCe\":\"All transactions\",\"62Xcjh\":\"Collateral\",\"65A04M\":\"Spanish\",\"6G8s+q\":\"Signing\",\"6Jrv+z\":[\"Repay \",[\"symbol\"]],\"6NGLTR\":\"Discountable amount\",\"6Xr0UU\":\"Cooling down...\",\"6bxci/\":\"Voting power\",\"6f8S68\":\"Markets\",\"6g1gi0\":\"Proposals\",\"6gvoHP\":\"Copy error message\",\"6h3Q5G\":\"repaid\",\"6lFSyT\":\"Available to Stake\",\"6s8L6f\":\"Switch Network\",\"6yAAbq\":\"APY, borrow rate\",\"70wH1Q\":\"APR\",\"72c5Qo\":\"Total\",\"73Auuq\":\"Discount parameters are decided by the Aave community and may be changed over time. Check Governance for updates and vote to participate. <0>Learn more\",\"75qcAQ\":[[\"stepName\"]],\"7ITr5L\":\"Health factor\",\"7T/o5R\":\"Reached\",\"7YlcXu\":\"Fork mode is ON\",\"7Z76Iw\":\"Borrowing is unavailable because you’re using Isolation mode. To manage Isolation mode visit your <0>Dashboard.\",\"7aKlMS\":\"Share on Lens\",\"7bdUsR\":\"Redeem as aToken\",\"7er5fP\":\"Claim all\",\"7hb2+s\":\"Time remaining until the withdraw period ends.\",\"7l88b8\":\"Data couldn't be fetched, please reload graph.\",\"7p5kLi\":\"Dashboard\",\"7sofdl\":\"Withdraw and Switch\",\"8+6BI0\":\"Be careful - You are very close to liquidation. Consider depositing more collateral or paying down some of your borrowed positions\",\"87pUEW\":[\"Your \",[\"name\"],\" wallet is empty. Purchase or transfer assets.\"],\"8F1i42\":\"Page not found\",\"8G8M0u\":\"Loading data...\",\"8Iu1QS\":\"withdrew\",\"8JL93T\":\"All proposals\",\"8Q51DU\":\"Add to wallet\",\"8X/oyn\":\"Invalid amount to mint\",\"8Z5FPv\":\"Disconnect Wallet\",\"8Zz7s5\":\"assets\",\"8aLW8H\":\"Balance to revoke\",\"8bOT3H\":\"Utilization Rate\",\"8sLe4/\":\"View contract\",\"8t/M0y\":\"Please connect your wallet to be able to bridge your tokens.\",\"8vETh9\":\"Show\",\"94OHPx\":\"You are entering Isolation mode\",\"9CDK3/\":[\"Borrowing is currently unavailable for \",[\"0\"],\".\"],\"9GIj3z\":\"Reserve Size\",\"9Knqb4\":\"Staking balance\",\"9OBKm7\":\"Quorum\",\"9QHoGr\":\"Current votes\",\"9Rw96f\":[\"This asset has almost reached its borrow cap. There is only \",[\"messageValue\"],\" available to be borrowed from this market.\"],\"9Xj/qR\":[\"Some migrated assets will not be used as collateral due to enabled isolation mode in \",[\"marketName\"],\" V3 Market. Visit <0>\",[\"marketName\"],\" V3 Dashboard to manage isolation mode.\"],\"9c6vDV\":\"This asset has reached its supply cap. Nothing is available to be supplied from this market.\",\"9kTWHA\":\"MAI has been paused due to a community decision. Supply, borrows and repays are impacted. <0>More details\",\"9lXchd\":\"Underlying token\",\"9rWaKF\":\"Bridged Via CCIP\",\"9xSooW\":\"Since this is a test network, you can get any of the assets if you have ETH on your wallet\",\"A/lwoe\":\"Choose one of the on-ramp services\",\"A6dCI6\":[\"Maximum amount available to borrow is <0/> \",[\"0\"],\" (<1/>).\"],\"AReoaV\":\"Your borrows\",\"ARu1L4\":\"Repaid\",\"AV7cGz\":\"Review approval tx details\",\"AZOjB8\":\"Fetching data...\",\"Ai0jas\":\"Join the community discussion\",\"Ajl2rq\":\"Borrowing power and assets are limited due to Isolation mode.\",\"AqgYNC\":\"Protocol borrow cap at 100% for this asset. Further borrowing unavailable.\",\"B3EcQR\":\"Thank you for voting!!\",\"B6aXGH\":\"Stable\",\"B9Gqbz\":\"Variable rate\",\"BDFEd+\":\"stETH supplied as collateral will continue to accrue staking rewards provided by daily rebases.\",\"BE2mP0\":\"Borrowed assets\",\"BJyN77\":\"Due to health factor impact, a flashloan is required to perform this transaction, but Aave Governance has disabled flashloan availability for this asset. Try lowering the amount or supplying additional collateral.\",\"BNL4Ep\":\"Collateral usage is limited because of isolation mode. <0>Learn More\",\"BQ/wCO\":\"Migrate your assets\",\"BjLdl1\":\"At a discount\",\"BnhYo8\":\"Asset category\",\"Bq9Y7e\":\"This asset is frozen due to an Aave community decision. <0>More details\",\"BqWMDJ\":\"Faucet\",\"BqynZO\":\"Optimized for efficiency and risk by supporting blue-chip collateral assets\",\"Bsu7zX\":\"The fee includes the gas cost to complete the transaction on the destination chain and the fee paid to Chainlink CCIP service providers. You can chose to pay in the network token or GHO. <0>Learn more\",\"BwJKBw\":\"of\",\"C4/GSi\":\"Your balance of assets that are available to stake\",\"CDrsH+\":\"Techpaper\",\"CK1KXz\":\"Max\",\"CMHmbm\":\"Slippage\",\"CZXzs4\":\"Greek\",\"CcRNG6\":\"Switching\",\"CkTRmy\":[\"Claim \",[\"symbol\"]],\"CsqtLm\":\"Please connect your wallet to see migration tool.\",\"CtGlFb\":[[\"networkName\"],\" Faucet\"],\"Cxt2YY\":\"Watch wallet\",\"D33VQU\":\"This action will reduce health factor of V3 below liquidation threshold. Increase migrated collateral or reduce migrated borrow to continue.\",\"D8sc3k\":\"Stake balance\",\"D9BLRG\":\"This asset has been paused due to a community decision. Supply, withdraw, borrows and repays are impacted.\",\"DAma/S\":\"Collateral is (mostly) the same currency that is being borrowed\",\"DCnFg0\":[\"Addresses (\",[\"0\"],\")\"],\"DG3Lv1\":\"I fully understand the risks of migrating.\",\"DONJcV\":\"The underlying asset cannot be rescued\",\"DR+4uL\":\"Supply balance after switch\",\"DWjrck\":[\"Asset cannot be migrated to \",[\"marketName\"],\" V3 Market due to E-mode restrictions. You can disable or manage E-mode categories in your <0>V3 Dashboard\"],\"Dj+3wB\":\"Aave per month\",\"DptNvx\":\"Amount Staked\",\"DuEq2K\":\"Collateralization\",\"DxfsGs\":\"You can report incident to our <0>Discord or<1>Github.\",\"Dzma+E\":\"Main Ethereum market with the largest selection of assets and yield options\",\"E/QGRL\":\"Disabled\",\"EBL9Gz\":\"COPIED!\",\"ES8dkb\":\"Fixed rate\",\"EZd3Dk\":[\"Restaking \",[\"symbol\"]],\"EZqFZ+\":\"Staking this asset will earn the underlying asset supply yield in additon to other configured rewards.\",\"Ebgc76\":[\"Withdrawing \",[\"symbol\"]],\"EdQY6l\":\"None\",\"EjvKQ+\":\"Minimum USD value received\",\"Enslfm\":\"Destination\",\"EvE9nO\":[\"Reactivate cooldown period to unstake \",[\"0\"],\" \",[\"stakedToken\"]],\"EvECnL\":\"Migrate to v3\",\"EzMQbh\":\"The source chain time to finality is the main factor that determines the time to destination. <0>Learn more\",\"F40cwT\":\"Legacy Markets\",\"F6TdXL\":\"Learn more.\",\"FDDPeZ\":\"Users can stake their assets in the protocol and earn incentives. In the case of a shortfall event, your stake can be slashed to cover the deficit, providing an additional layer of protection for the protocol.\",\"FHlMf/\":\"Current v2 balance\",\"FHpxjF\":[\"Reserve factor is a percentage of interest which goes to a \",[\"0\"],\" that is controlled by Aave governance to promote ecosystem growth.\"],\"FOBZa6\":\"Borrow power used\",\"FPKEug\":\"Operation not supported\",\"FbmMe7\":\"Linked addresses\",\"Fdp03t\":\"on\",\"Fjw9N+\":\"Assets to supply\",\"FmN0fk\":\"Restake\",\"GDGLIs\":\"GHO is a native decentralized, collateral-backed digital asset pegged to USD. It is created by users via borrowing against multiple collateral. When user repays their GHO borrow position, the protocol burns that user's GHO. All the interest payments accrued by minters of GHO would be directly transferred to the AaveDAO treasury.\",\"GQrBTq\":\"Switch E-Mode\",\"GWswcZ\":\"This asset is frozen due to an Aave Protocol Governance decision. On the 20th of December 2022, renFIL will no longer be supported and cannot be bridged back to its native network. It is recommended to withdraw supply positions and repay borrow positions so that renFIL can be bridged back to FIL before the deadline. After this date, it will no longer be possible to convert renFIL to FIL. <0>More details\",\"GX8GKD\":\"Assets\",\"GgEj+0\":\"Read-only mode. Connect to a wallet to perform transactions.\",\"GjkIKV\":\"ends\",\"GoK/QN\":\"Thank you for submitting feedback!\",\"GtP2hp\":[\"Borrowing is unavailable because you’ve enabled Efficiency Mode (E-Mode) for \",[\"0\"],\" category. To manage E-Mode categories visit your <0>Dashboard.\"],\"H6Ma8Z\":\"Discount\",\"HB/wfS\":[[\"tooltipText\"]],\"HKDsQN\":\"Rewards can be claimed through\",\"Ha/U5f\":\"This is a program initiated and implemented by the decentralised ZKSync community. Aave Labs does not guarantee the program and accepts no liability.\",\"HciqKU\":\"This is a program initiated and implemented by the decentralised Aave community. Aave Labs does not guarantee the program and accepts no liability.\",\"Hi6Ttn\":\"Sorry, an unexpected error happened. In the meantime you may try reloading the page, or come back later.\",\"HkEDbS\":[[\"d\"],\"d\"],\"HmkYqM\":\"Unstake window\",\"HpK/8d\":\"Reload\",\"HrnC47\":\"Save and share\",\"HuVZMK\":\"Days\",\"HvJKMU\":[\"Asset cannot be migrated to \",[\"marketName\"],\" v3 Market since collateral asset will enable isolation mode.\"],\"Hvwnm9\":[\"Maximum amount available to supply is limited because protocol supply cap is at \",[\"0\"],\"%.\"],\"I8CX2c\":\"The total amount of your assets denominated in USD that can be used as collateral for borrowing assets.\",\"IAD2SB\":[\"Claiming \",[\"symbol\"]],\"IG9X9/\":\"Borrowing of this asset is limited to a certain amount to minimize liquidity pool insolvency.\",\"IOIx8L\":\"This asset is planned to be offboarded due to an Aave Protocol Governance decision. <0>More details\",\"IP+I/j\":\"Cooldown period\",\"IaA40H\":\"Liquidation at\",\"J/hVSQ\":[[\"0\"]],\"JCoxL6\":\"Manage analytics\",\"JK9zf1\":[\"Estimated compounding interest, including discount for Staking \",[\"0\"],\"AAVE in Safety Module.\"],\"JOqFba\":[\"Unstaking \",[\"symbol\"]],\"JPrLjO\":\"You can not use this currency as collateral\",\"JU6q+W\":\"Reward(s) to claim\",\"JYKRJS\":\"Stake\",\"JZMxX0\":\"Not enough balance on your wallet\",\"Jgflkm\":\"Get GHO\",\"JoMQnI\":\"Wallet balance\",\"JtwD8u\":\"Borrow balance after repay\",\"JumYTK\":\"Supplied assets\",\"K05qZY\":\"Withdraw & Switch\",\"KAz/NV\":\"Protocol debt ceiling is at 100% for this asset. Further borrowing against this asset is unavailable.\",\"KLXVqE\":[\"stETH tokens will be migrated to Wrapped stETH using Lido Protocol wrapper which leads to supply balance change after migration: \",[\"0\"]],\"KLd6ky\":\"Use connected account\",\"KRpokz\":\"VIEW TX\",\"KSlpka\":\"This represents the threshold at which a borrow position will be considered undercollateralized and subject to liquidation for each collateral. For example, if a collateral has a liquidation threshold of 80%, it means that the position will be liquidated when the debt value is worth 80% of the collateral value.\",\"KYAjf3\":\"Isolated\",\"KZwRuD\":[[\"notifyText\"]],\"KkPgim\":\"Switching E-Mode\",\"KnN1Tu\":\"Expires\",\"KoOBI2\":\"Due to internal stETH mechanics required for rebasing support, it is not possible to perform a collateral switch where stETH is the source token.\",\"KojyJ4\":\"Wrong Network\",\"KsqhWn\":\"Staking\",\"KuBTQq\":\"Enter ETH address\",\"KvG1xW\":\"Claiming\",\"L+8Lzs\":\"Current LTV\",\"L+qiq+\":\"Market\",\"LDzfVJ\":\"Send Feedback\",\"LIrMcF\":\"No voting power\",\"LL0zks\":\"Can be collateral\",\"LLdJWu\":\"Claimable AAVE\",\"LSIpNK\":\"Borrow and repay in same block is not allowed\",\"LVt3TI\":[\"<0>Slippage tolerance <1>\",[\"selectedSlippage\"],\"% <2>\",[\"0\"],\"\"],\"LjafV8\":\"Maximum collateral amount to use\",\"LtpQew\":\"Let us know how we can make the app better for you. For user support related inquiries please reach out on\",\"LvVpD/\":\"Emode\",\"M2sknc\":\"Tip: Try increasing slippage or reduce input amount\",\"M7wPsD\":\"Switch\",\"MFu33y\":\"Staking 00\",\"MIy2RJ\":\"Maximum amount received\",\"MZ/nQf\":\"Recipient address\",\"Ma/MtY\":\"staking view\",\"McHlGl\":\"APY change\",\"MeCCA+\":\"APY, variable\",\"MghdTe\":\"If the health factor goes below 1, the liquidation of your collateral might be triggered.\",\"Mm/DVQ\":\"You cancelled the transaction.\",\"MnE2QX\":\"Borrow info\",\"MrmQHg\":\"View Bridge Transactions\",\"MuDFEQ\":\"Invalid return value of the flashloan executor function\",\"N5kUMV\":\"Asset can be only used as collateral in isolation mode with limited borrowing power. To enter isolation mode, disable all other collateral.\",\"N6Pxr9\":\"View all\",\"NF0e1Q\":\"Pending...\",\"NK9ikO\":\"Wallet Balance\",\"NMt2CB\":\"Amount claimable\",\"NcFGxG\":\"Collector Contract\",\"NfpPeS\":\"Nothing staked\",\"Nh9DAo\":[[\"m\"],\"m\"],\"O+sCUU\":\"Unbacked mint cap is exceeded\",\"O+tyU+\":[\"Maximum amount available to borrow against this asset is limited because debt ceiling is at \",[\"0\"],\"%.\"],\"O3oNi5\":\"Email\",\"OFjZGo\":\"Unstake\",\"OR8cYX\":\"Proposal overview\",\"OYuJ9K\":\"Protocol debt ceiling is at 100% for this asset. Futher borrowing against this asset is unavailable.\",\"OfhWJH\":\"Reset\",\"Og2SKn\":\"disabled\",\"On0aF2\":\"Website\",\"OsyKSt\":\"Withdraw\",\"P1dURE\":\"Revoke power\",\"P2WCD/\":[\"Underlying asset does not exist in \",[\"marketName\"],\" v3 Market, hence this position cannot be migrated.\"],\"P2sL6B\":\"When a liquidation occurs, liquidators repay up to 50% of the outstanding borrowed amount on behalf of the borrower. In return, they can buy the collateral at a discount and keep the difference (liquidation penalty) as a bonus.\",\"P6sRoL\":\"Stake ABPT\",\"P72/OW\":\"The weighted average of APY for all borrowed assets, including incentives.\",\"P7e6Ug\":\"Please connect your wallet to view transaction history.\",\"PByO0X\":\"Votes\",\"PI+kVe\":\"Disable fork\",\"PJK9u/\":\"Borrow apy\",\"PLUB/s\":\"Fee\",\"PP5ZA8\":[\"Participating in staking \",[\"symbol\"],\" gives annualized rewards. Your wallet balance is the sum of your aTokens and underlying assets. The breakdown to stake is below\"],\"PcBUgb\":\"Liquidation threshold\",\"PjU6bu\":\"This asset is eligible for SPK incentive program. Aave Labs does not guarantee the program and accepts no liability.\",\"PpqD5g\":\"Enabling this asset as collateral increases your borrowing power and Health Factor. However, it can get liquidated if your health factor drops below 1.\",\"PsOFSf\":\"This action will reduce V2 health factor below liquidation threshold. retain collateral or migrate borrow position to continue.\",\"Pu4bI/\":[[\"currentMethod\"]],\"Q0LzKi\":\"View TX\",\"Q4eNqa\":\"The Aave Balancer Pool Token (ABPT) is a liquidity pool token. You can receive ABPT by depositing a combination of AAVE + wstETH in the Balancer liquidity pool. You can then stake your BPT in the Safety Module to secure the protocol and earn Safety Incentives.\",\"QQYsQ7\":\"Withdrawing\",\"QWYCs/\":\"Stake GHO\",\"R+30X3\":\"Not reached\",\"RCU5PY\":\"Age\",\"RIfckG\":[\"Disable \",[\"symbol\"],\" as collateral\"],\"RMtxNk\":\"Differential\",\"RNK49r\":\"Invalid signature\",\"RS0o7b\":\"State\",\"RU+LqV\":\"Proposal details\",\"RbXH+k\":\"AAVE, GHO, and ABPT holders (Ethereum network only) can stake their assets in the Safety Module to add more security to the protocol and earn Safety Incentives. In the case of a shortfall event, your stake can be slashed to cover the deficit, providing an additional layer of protection for the protocol.\",\"RiSYV4\":\"Asset is not listed\",\"Rj01Fz\":\"Links\",\"RmWFEe\":\"Staking APR\",\"RoafuO\":\"Send feedback\",\"RtBLm7\":\"Health factor is lesser than the liquidation threshold\",\"RxzN1M\":\"Enabled\",\"SDav7h\":\"Funds in the Safety Module\",\"SENccp\":\"If the error continues to happen,<0/> you may report it to this\",\"SIWumd\":\"Show Frozen or paused assets\",\"SM58dD\":\"Amount in cooldown\",\"SSMiac\":\"Failed to load proposal voters. Please refresh the page.\",\"SSQVIz\":\"Liquidation Threshold\",\"SUb8x0\":\"Total available\",\"SWIgh4\":\"Fees exceed wallet balance\",\"SY9hVo\":\"Read-only mode allows to see address positions in Aave, but you won't be able to perform transactions.\",\"SZRUQ4\":\"Max slippage\",\"Sa1UE/\":\"Protocol borrow cap is at 100% for this asset. Further borrowing unavailable.\",\"Sk2zW9\":\"Disabling E-Mode\",\"SxaD0o\":\"Pool addresses provider is not registered\",\"T/AIqG\":\"Protocol supply cap at 100% for this asset. Further supply unavailable.\",\"T0xCO9\":\"Can't validate the wallet address. Try again.\",\"T4OhVl\":\"GHO balance\",\"T6uYU2\":\"Borrow\",\"TFxQlw\":\"Liquidation penalty\",\"TQ7WsV\":\"Available to stake\",\"TUI7iB\":\"Asset can only be used as collateral in isolation mode only.\",\"TbjyhA\":\"Docs\",\"TduuS0\":\"User does not have outstanding stable rate debt on this reserve\",\"TeCFg/\":\"Borrow rate change\",\"Tg1JyO\":\"Bridge history\",\"TskbEN\":\"Holders of stkAAVE receive a discount on the GHO borrowing rate\",\"TszKts\":\"Borrow balance after switch\",\"TtZL6q\":\"Discount model parameters\",\"TwJI9F\":\"Asset has been successfully sent to CCIP contract. You can check the status of the transactions below\",\"Tz0GSZ\":\"blocked activities\",\"U/eBjN\":\"Reload the page\",\"U2r8nY\":\"Choose how much voting/proposition power to give to someone else by delegating some of your AAVE, stkAAVE or aAave balance. Your tokens will remain in your account, but your delegate will be able to vote or propose on your behalf. If your AAVE, stkAAVE or aAave balance changes, your delegate's voting/proposition power will be automatically adjusted.\",\"U8IubP\":\"The app is running in testnet mode. Learn how it works in\",\"U9btTk\":\"Asset is not borrowable in isolation mode\",\"UAOZRe\":\"Price impact is the spread between the total value of the entry tokens switched and the destination tokens obtained (in USD), which results from the limited liquidity of the trading pair.\",\"UE3KJZ\":\"Transaction history is not currently available for this market\",\"URmyfc\":\"Details\",\"UTTKmT\":\"Stake cooldown activated\",\"UXeR72\":\"These funds have been borrowed and are not available for withdrawal at this time.\",\"UYb8CM\":\"Learn more about the SPK rewards\",\"UbRrG0\":\"The Maximum LTV ratio represents the maximum borrowing power of a specific collateral. For example, if a collateral has an LTV of 75%, the user can borrow up to 0.75 worth of ETH in the principal currency for every 1 ETH worth of collateral.\",\"UpndFj\":\"No rewards to claim\",\"V0f2Xv\":\"Reserve factor\",\"V1HK43\":\"Migration risks\",\"VATFH9\":\"Covered debt\",\"VHOVEJ\":\"Connect wallet\",\"VMfYUK\":\"Safety of your deposited collateral against the borrowed assets and its underlying value.\",\"VOAZJh\":\"Total borrows\",\"ViKYxK\":\"YAE\",\"W1SSoD\":\"Review tx details\",\"W5hVah\":\"Nothing supplied yet\",\"W5kTFy\":\"Voting\",\"W8ekPc\":\"Back to Dashboard\",\"WMPbRK\":\"Unbacked\",\"WNGZwH\":\"E-Mode increases your LTV for a selected category of assets up to<0/>. <1>Learn more\",\"WPWG/y\":\"Reserve status & configuration\",\"WZLQSU\":\"User cannot withdraw more than the available balance\",\"WaZyaV\":\"<0>Ampleforth is a rebasing asset. Visit the <1>documentation to learn more.\",\"WfU+XN\":\"Because this asset is paused, no actions can be taken until further notice\",\"Wjmqs2\":\"No results found. You can import a custom token with a contract address\",\"WkZ6C6\":\"To borrow you need to supply any asset to be used as collateral.\",\"WyMiQm\":\"You've successfully switched tokens.\",\"X/ITG9\":\"Copy error text\",\"X3Pp6x\":\"Used as collateral\",\"X4Zt7j\":\"Action cannot be performed because the reserve is paused\",\"XBdKOj\":\"Representative smart contract wallet (ie. Safe) addresses on other chains.\",\"XZzneG\":\"You will exit isolation mode and other tokens can now be used as collateral\",\"Xg5y9S\":\"Amount to Bridge\",\"Xn4hUi\":\"Please always be aware of your <0>Health Factor (HF) when partially migrating a position and that your rates will be updated to V3 rates.\",\"Xy71ST\":\"Umbrella\",\"Y5kGkc\":\"VOTE NAY\",\"YDIOks\":\"Enabling E-Mode\",\"YSodyW\":\"This action will reduce your health factor. Please be mindful of the increased risk of collateral liquidation.\",\"YXOWXM\":\"The total amount bridged minus CCIP fees. Paying in network token does not impact gho amount.\",\"YirHq7\":\"Feedback\",\"YogbCJ\":\"Testnet mode is ON\",\"YrDxdO\":\"If your loan to value goes above the liquidation threshold your collateral supplied may be liquidated.\",\"YyIM65\":\"Interest rate rebalance conditions were not met\",\"YyydIq\":[\"Add \",[\"0\"],\" to wallet to track your balance.\"],\"ZBvhI+\":\"Aave Governance\",\"ZIIRAd\":\"Raw-Ipfs\",\"ZRq4tX\":\"Efficiency mode (E-Mode)\",\"ZSqEW+\":\"Manage E-Mode\",\"ZUFYFE\":\"Disable testnet\",\"Zbyywy\":\"Max slashing\",\"ZfUGFb\":\"Before supplying\",\"ZiXN+B\":\"Assets to stake\",\"ZlsSDH\":\"Liquidation value\",\"ZrEc8j\":\"We couldn't find any assets related to your search. Try again with a different asset name, symbol, or address.\",\"ZsLF7e\":\"enabled\",\"a0YQoQ\":\"Enter a valid address\",\"a2fBZn\":\"Time left to unstake\",\"a5RYZd\":\"Disabling this asset as collateral affects your borrowing power and Health Factor.\",\"a7u1N9\":\"Price\",\"a9D+6D\":\"Unstaked\",\"aEtiwq\":\"Vote NAY\",\"aMmFE1\":\"Buy Crypto With Fiat\",\"aOKIms\":\"Array parameters that should be equal length are not\",\"aX31hk\":\"Your balance is lower than the selected amount.\",\"adUsDd\":\"An error has occurred fetching the proposal.\",\"al6Pyz\":\"Exceeds the discount\",\"aoXTT7\":\"Borrow APY, variable\",\"aqX1Yp\":\"This asset is eligible for rewards through SuperFest. Aave Labs does not guarantee the program and accepts no liability.\",\"avgETN\":\"Eligible for the Merit program.\",\"b4NS3e\":\"Cooldown period warning\",\"bBHmeP\":\"Available to withdraw\",\"bNEQeI\":\"Cooldown\",\"bSruit\":\"ZKSync Ignite Program rewards are claimed through the\",\"bUUVED\":\"Asset\",\"bXQ/Og\":\"Share on twitter\",\"bXr0ee\":\"Isolated assets have limited borrowing power and other assets cannot be used as collateral.\",\"bYmAV1\":\"Addresses\",\"bguKoJ\":\"The requested amount is greater than the max loan size in stable rate mode\",\"bwSQI0\":\"Supply\",\"bxN6EM\":\"Cannot disable E-Mode\",\"bxmzSh\":\"Not enough collateral to repay this amount of debt with\",\"c91vuQ\":\"Address is not a contract\",\"c97os2\":\"Aave aToken\",\"c9b44w\":\"You can not withdraw this amount because it will cause collateral call\",\"cBc+4A\":\"This is the total amount available for you to borrow. You can borrow based on your collateral and until the borrow cap is reached.\",\"cIl5kp\":\"Your voting power is based on your AAVE/stkAAVE balance and received delegations.\",\"cLo09S\":\"Risk details\",\"cNT+ij\":\"Borrowing is unavailable because you’ve enabled Efficiency Mode (E-Mode) and Isolation mode. To manage E-Mode and Isolation mode visit your <0>Dashboard.\",\"cZOeBk\":\"Something went wrong fetching bridge message, please try again later.\",\"ceix5S\":\"To submit a proposal for minor changes to the protocol, you'll need at least 80.00K power. If you want to change the core code base, you'll need 320k power.<0>Learn more.\",\"ciSsYT\":\"Staking APY\",\"ciybUa\":\"Vote YAE\",\"ckf7gX\":[\"Repaying \",[\"symbol\"]],\"cp1ZDP\":[\"Bridge \",[\"symbol\"]],\"cqnmnD\":\"Effective interest rate\",\"cqwIvs\":\"Forum discussion\",\"csDS2L\":\"Available\",\"cu7Stb\":\"You did not participate in this proposal\",\"dE6BLF\":\"Governance\",\"dEgA5A\":\"Cancel\",\"dIsyWh\":\"Ltv validation failed\",\"dMtLDE\":\"to\",\"dOB5nW\":[\"Maximum amount available to supply is <0/> \",[\"0\"],\" (<1/>).\"],\"dVfODp\":\"You don’t have enough funds in your wallet to repay the full amount. If you proceed to repay with your current amount of funds, you will still have a small borrowing position in your dashboard.\",\"dXUQFX\":\"Assets to borrow\",\"dgr1aY\":\"Borrowing is disabled due to an Aave community decision. <0>More details\",\"djsg0o\":\"Collateral usage\",\"dpc0qG\":\"Variable\",\"drdV8R\":\"Liquidation\",\"dxW8cS\":\"Aave debt token\",\"e4V3oW\":\"Top 10 addresses\",\"eD8WX/\":\"Action requires an active reserve\",\"eJRJ04\":\"Amount to unstake\",\"eLh0cL\":\"Slippage is the difference between the quoted and received amounts from changing market conditions between the moment the transaction is submitted and its verification.\",\"ePK91l\":\"Edit\",\"eVpCmf\":\"Staking Rewards\",\"eVqvtf\":\"Bridge GHO\",\"eYdurp\":\"No transactions yet.\",\"ebLGGN\":\"Total borrowed\",\"ecqEvn\":\"The collateral balance is 0\",\"efdrrk\":\"Available on\",\"enruNF\":\"starts\",\"eqLYiD\":\"Unstake now\",\"euScGB\":\"APY with discount applied\",\"evw5ha\":\"Net worth\",\"ezcU16\":\"Get ABP Token\",\"f3W0Ej\":[\"You switched to \",[\"0\"],\" rate\"],\"fH9i8k\":\"You've successfully switched borrow position.\",\"fHcELk\":\"Net APR\",\"fMJQZK\":\"Borrowed\",\"fZ5Vnu\":\"Received\",\"firl9Q\":\"Your current loan to value based on your collateral supplied.\",\"flRCF/\":\"Staking discount\",\"fldjW9\":\"Preview tx and migrate\",\"fsBGk0\":\"Balance\",\"fu1Dbh\":[\"Withdraw \",[\"symbol\"]],\"fwjWSI\":\"Supplied\",\"fwyTMb\":\"Migrate to stkABPT v2\",\"g0mals\":\"You can not disable E-Mode because that could cause liquidation. To exit E-Mode supply or repay borrowed positions.\",\"g2UNkE\":\"Powered by\",\"g8KGoA\":\"FAQS\",\"g9zzqS\":\"Voted NAY\",\"gDd2gk\":\"about SuperFest.\",\"gFFh9h\":\"All done!\",\"gIMJlW\":\"Testnet mode\",\"gOzPxe\":\"This asset is frozen due to an Aave Protocol Governance decision. <0>More details\",\"gTHi2T\":\"User is trying to borrow multiple assets including a siloed one\",\"gVW59Y\":\"Please connect your wallet to get free testnet assets.\",\"gcFNxP\":\"Approve Confirmed\",\"gncRUO\":\"This address is blocked on app.aave.com because it is associated with one or more\",\"goff7V\":\"Zero address not valid\",\"gp+f1B\":\"Version 3\",\"gr8mYw\":\"You may borrow up to <0/> GHO at <1/> (max discount)\",\"gvTM4B\":\"Net APY is the combined effect of all supply and borrow positions on net worth, including incentives. It is possible to have a negative net APY if debt APY is higher than supply APY.\",\"gzcch9\":\"Invalid bridge protocol fee\",\"h33MxW\":\"Representing smart contract wallet (ie. Safe) addresses on other chains.\",\"h3ilK+\":\".CSV\",\"hB23LY\":\"Activate Cooldown\",\"hIJzBh\":\"Available to Claim\",\"hIS4N0\":\"Net APY\",\"hRWvpI\":\"Claimed\",\"hdmy/o\":\"The % of your total borrowing power used. This is based on the amount of your collateral supplied and the total amount that you can borrow.\",\"hehnjM\":\"Amount\",\"hjDCQr\":\"There was some error. Please try changing the parameters or <0><1>copy the error\",\"hom7qf\":\"Claim\",\"hpHJ4I\":\"Liquidated collateral\",\"hpuVIp\":\"Users who stake AAVE in Safety Module (i.e. stkAAVE holders) receive a discount on GHO borrow interest rate.\",\"huQ6Tz\":[\"Borrowing \",[\"symbol\"]],\"hxi7vE\":\"Borrow balance\",\"i/fZ2Z\":\"Staked Balance\",\"i2JTiw\":\"You may enter a custom amount in the field.\",\"iB5+/J\":\"About GHO\",\"iChbOF\":\"Inconsistent flashloan parameters\",\"iEPVHF\":\"Not enough voting power to participate in this proposal\",\"iEW87X\":\"Delegated power\",\"iEju36\":[\"You voted \",[\"0\"]],\"iFq2YN\":\"Borrowable\",\"iGxyIA\":\"Safety Module\",\"iMVZk9\":\"Select slippage tolerance\",\"iPMIoT\":\"Enter an amount\",\"iSLIjg\":\"Connect\",\"iUo5rv\":\"tokens is not the same as staking them. If you wish to stake your\",\"iZxa38\":\"Use it to vote for or against active proposals.\",\"iboNXd\":\"Amount received\",\"if5PH+\":\"Collector Info\",\"igkfR1\":[\"In Isolation mode, you cannot supply other assets as collateral. A global debt ceiling limits the borrowing power of the isolated asset. To exit isolation mode disable \",[\"0\"],\" as collateral before borrowing another asset. Read more in our <0>FAQ\"],\"il0sEG\":\"Collateral usage is limited because of Isolation mode.\",\"j+K1Xj\":\"Amount After Fee\",\"jA2QeW\":\"Supplying your\",\"jFi7dz\":\"Interest rate that is determined by Aave Governance. This rate may be changed over time depending on the need for the GHO supply to contract/expand. <0>Learn more\",\"jG3UJ7\":\"Disable E-Mode\",\"jKYzR1\":\"Enable E-Mode\",\"jMam5g\":[[\"0\"],\" Balance\"],\"jSYv+Z\":\"Enabling E-Mode allows you to maximize your borrowing power, however, borrowing is restricted to assets within the selected category. <0>Learn more about how it works and the applied restrictions.\",\"jaKbwW\":[[\"s\"],\"s\"],\"jbFMap\":\"Cooldown time left\",\"jeMZNr\":[[\"0\"],\" on-ramp service is provided by External Provider and by selecting you agree to Terms of the Provider. Your access to the service might be reliant on the External Provider being operational.\"],\"jfl9OP\":\"Migrated\",\"jmXdoY\":\"In E-Mode some assets are not borrowable. Exit E-Mode to get access to all assets\",\"jpctdh\":\"View\",\"jqzUyM\":\"Unavailable\",\"k/sb6z\":\"Select language\",\"k3wP3f\":\"<0>Attention: Parameter changes via governance can alter your account health factor and risk of liquidation. Follow the <1>Aave governance forum for updates.\",\"kACpF3\":[\"Claim \",[\"0\"]],\"kH6wUX\":\"Price impact\",\"kIC28N\":\"Available to claim\",\"kIpSye\":[[\"numSelected\"],\"/\",[\"numAvailable\"],\" assets selected\"],\"kN1Yg5\":\"To repay on behalf of a user an explicit amount to repay is needed\",\"kRTD40\":[\"Repayment amount to reach \",[\"0\"],\"% utilization\"],\"kgKqPv\":\"You can not stake this amount because it will cause collateral call\",\"kjN9tT\":\"Supply cap is exceeded\",\"knxE+G\":\".JSON\",\"ks2LWT\":\"Debt ceiling is not zero\",\"kwwn6i\":\"Users who stake AAVE in Safety Module (i.e. stkAAVE holders) receive a discount on GHO borrow interest rate. The discount applies to 100 GHO for every 1 stkAAVE held. Use the calculator below to see GHO borrow rate with the discount applied.\",\"kz3wtK\":\"and about SPK program\",\"kzZyM4\":\"DAI balance will be converted via DSR contracts and then supplied as sDAI. Switching incurs no additional costs and no slippage.\",\"lNVG7i\":\"Select an asset\",\"lU2d1/\":[\"Asset cannot be migrated due to insufficient liquidity or borrow cap limitation in \",[\"marketName\"],\" v3 market.\"],\"lVhKKI\":\"Voted YAE\",\"lWLqxB\":\"We couldn't find any transactions related to your search. Try again with a different asset name, or reset filters.\",\"lYGfRP\":\"English\",\"lfEjIE\":\"Learn more in our <0>FAQ guide\",\"lt6bpt\":\"Collateral to repay with\",\"m/IEhi\":\"Total emission per day\",\"m7r7Hh\":\"Selected borrow assets\",\"mDDK4p\":\"Balancer Pool\",\"mIM0qu\":\"Expected amount to repay\",\"mUAFd6\":\"Version 2\",\"masO5Z\":\"E-Mode increases your LTV for a selected category of assets. <0>Learn more\",\"mdNjKU\":[\"Your \",[\"name\"],\" wallet is empty. Purchase or transfer assets or use <0>\",[\"0\"],\" to transfer your \",[\"network\"],\" assets.\"],\"muiOng\":[\"Buy \",[\"cryptoSymbol\"],\" with Fiat\"],\"mvCXBY\":\"Stake AAVE\",\"mwdzil\":\"Ok, Close\",\"mzI/c+\":\"Download\",\"mzdIia\":\"Asset cannot be used as collateral.\",\"n+SX4g\":\"Developers\",\"n8Psk4\":\"We couldn’t detect a wallet. Connect a wallet to stake and view your balance.\",\"nJIhzm\":\"Supply apy\",\"nJgsQu\":\"With a voting power of <0/>\",\"nLC6tu\":\"French\",\"nN2T8p\":\"During the cooldown period, you will not earn any merit rewards. However, rewards earned up to this point will remain unaffected.\",\"nNHV0z\":\"Migrating multiple collaterals and borrowed assets at the same time can be an expensive operation and might fail in certain situations.<0>Therefore it’s not recommended to migrate positions with more than 5 assets (deposited + borrowed) at the same time.\",\"nNbnzu\":\"Proposition\",\"nOy4ob\":\"We suggest you go back to the Dashboard.\",\"nPGNMh\":\"Can be executed\",\"nUK1ou\":[\"Assets with zero LTV (\",[\"0\"],\") must be withdrawn or disabled as collateral to perform this action\"],\"nakd8r\":\"stkAAVE holders get a discount on GHO borrow rate\",\"nh2EJK\":[\"Please switch to \",[\"networkName\"],\".\"],\"njBeMm\":\"Both\",\"noN5Xf\":\"We couldn’t detect a wallet. Connect a wallet to view your staking positions and rewards.\",\"ntkAoE\":\"Discount applied for <0/> staking AAVE\",\"ntyFSE\":[[\"h\"],\"h\"],\"nwtY4N\":\"Something went wrong\",\"nxyWvj\":\"Withdrawing this amount will reduce your health factor and increase risk of liquidation.\",\"o17QVP\":\"Your health factor and loan to value determine the assurance of your collateral. To avoid liquidations you can supply more collateral or repay borrow positions.\",\"o1xc2V\":\"AToken supply is not zero\",\"o4tCu3\":\"Borrow APY\",\"o5ooMr\":\"Debt\",\"o7J4JM\":\"Filter\",\"oHFrpj\":\"Cooldown to unstake\",\"oJ5ZiG\":\"User does not have outstanding variable rate debt on this reserve\",\"oRBGin\":\"Please connect your wallet to be able to switch your tokens.\",\"oUwXhx\":\"Test Assets\",\"oWklJD\":\"Stable interest rate will <0>stay the same for the duration of your loan. Recommended for long-term loan periods and for users who prefer predictability.\",\"odnIK3\":\"Time remaining until the 48 hour withdraw period starts.\",\"oiK5nY\":\"The current incentives period, decided on by the Aave community, has ended. Governance is in the process on renewing, check for updates. <0>Learn more.\",\"olREoo\":\"All borrow positions outside of this category must be closed to enable this category.\",\"om/XHs\":\"Available to supply\",\"ov0+mq\":\"Eligible for the ZKSync Ignite program.\",\"ovT1pF\":[\"Per the community, the \",[\"market\"],\" has been frozen.\"],\"ow3fug\":\"Nothing found\",\"owSsI3\":\"Signatures ready\",\"p+R52m\":\"Go to Balancer Pool\",\"p2A+s1\":[\"The cooldown period is \",[\"0\"],\". After \",[\"1\"],\" of cooldown, you will enter unstake window of \",[\"2\"],\". You will continue receiving rewards during cooldown and unstake window.\"],\"p2S64u\":\"The loan to value of the migrated positions would cause liquidation. Increase migrated collateral or reduce migrated borrow to continue.\",\"p2Z2Qi\":\"This asset has reached its borrow cap. Nothing is available to be borrowed from this market.\",\"p3j+mb\":\"Your reward balance is 0\",\"p45alK\":\"Set up delegation\",\"p6u2s1\":\"Minimum amount of debt to be repaid\",\"pDgeaz\":[[\"title\"]],\"pdZqBk\":\"The underlying balance needs to be greater than 0\",\"pgWG9H\":\"Not enough staked balance\",\"piPrJ7\":\"please check that the amount you want to supply is not currently being used for staking. If it is being used for staking, your transaction might fail.\",\"pjO/iH\":\"Minimum amount received\",\"pooutM\":\"Voting is on\",\"pqaM5s\":\"Confirming transaction\",\"ptaxX3\":[\"I understand how cooldown (\",[\"0\"],\") and unstaking (\",[\"1\"],\") work\"],\"py2iiY\":\"The caller of this function must be a pool\",\"q/51mF\":\"Migrate to V3\",\"q3df11\":\"Interest rate strategy\",\"q6lAbz\":\"Staked\",\"qB4kPi\":\"Supply APY\",\"qENI8q\":\"Global settings\",\"qGz5zl\":\"Collateral balance after repay\",\"qIW9ZH\":\"Amount staked\",\"qOqbD6\":\"copy the error\",\"qXCkEM\":\"Please connect your wallet to see your supplies, borrowings, and open positions.\",\"qY2jnw\":\"Invalid expiration\",\"qf/fr+\":\"Interest accrued\",\"qhhf9L\":\"Rewards available to claim\",\"quYPUU\":\"Variable interest rate will <0>fluctuate based on the market conditions.\",\"quzIeW\":\"User is in isolation mode or LTV is zero\",\"qvnz3q\":\"Invalid amount to burn\",\"rHgdb0\":\"Migrate to Aave V3\",\"rOrHHe\":\"Amount must be greater than 0\",\"rQ+R+0\":\"Selected supply assets\",\"rSayea\":\"APY\",\"rTBDeu\":[\"Asset cannot be migrated because you have isolated collateral in \",[\"marketName\"],\" v3 Market which limits borrowable assets. You can manage your collateral in <0>\",[\"marketName\"],\" V3 Dashboard\"],\"rcT+yy\":\"Show assets with 0 balance\",\"rf8POi\":\"Borrowed asset amount\",\"riNWOA\":\"E-Mode\",\"rjGI/Q\":\"Privacy\",\"rnKPW1\":\"Watch a wallet balance in read-only mode\",\"ruc7X+\":\"Add stkAAVE to see borrow APY with the discount\",\"rvbaFU\":[\"Bridging \",[\"symbol\"]],\"rwVVB7\":\"Claim all rewards\",\"rwyUva\":\"These assets are temporarily frozen or paused by Aave community decisions, meaning that further supply / borrow, or rate swap of these assets are unavailable. Withdrawals and debt repayments are allowed. Follow the <0>Aave governance forum for further updates.\",\"rxJW5W\":\"Your proposition power is based on your AAVE/stkAAVE balance and received delegations.\",\"s2jJnW\":\"You don't have any bridge transactions\",\"s5wBAq\":[\"Unstake \",[\"symbol\"]],\"sJbIdI\":\"Enter ETH address or ENS\",\"sK+Nag\":\"Review tx\",\"sP2+gB\":\"NAY\",\"sQv06Y\":\"for\",\"sTtO6J\":\"Confirm transaction\",\"sXKb3l\":\"Exchange rate\",\"sb0q4+\":\"You unstake here\",\"smJNwH\":\"Available to borrow\",\"solypO\":\"Health factor is not below the threshold\",\"sr0UJD\":\"Go Back\",\"ss5GCK\":\"The address of the pool addresses provider is invalid\",\"swEgK4\":\"Your voting info\",\"t+wtgf\":\"Nothing borrowed yet\",\"t/YqKh\":\"Remove\",\"t81DpC\":[\"Approve \",[\"symbol\"],\" to continue\"],\"tCnbEs\":\"Oracle price\",\"tFZLf8\":\"This gas calculation is only an estimation. Your wallet will set the price of the transaction. You can modify the gas settings directly from your wallet provider.\",\"tHuvQI\":\"Go to V3 Dashboard\",\"tKv7cI\":\"Switch borrow position\",\"tOcg3N\":\"Since this asset is frozen, the only available actions are withdraw and repay which can be accessed from the <0>Dashboard\",\"tOuXfv\":[\"Borrow amount to reach \",[\"0\"],\"% utilization\"],\"te9Bfl\":\"Please, connect your wallet\",\"tt5yma\":\"Your supplies\",\"ttoh5c\":\"Switch to\",\"u3ZeYl\":\"Transaction failed\",\"u706uF\":\"Invalid flashloan premium\",\"u8Gfu7\":[\"No search results\",[\"0\"]],\"uAQUqI\":\"Status\",\"uHMwk8\":\"No assets selected to migrate.\",\"uJPHuY\":\"Migrating\",\"uY8O30\":\"To continue, you need to grant Aave smart contracts permission to move your funds from your wallet. Depending on the asset and wallet you use, it is done by signing the permission message (gas free), or by submitting an approval transaction (requires gas). <0>Learn more\",\"udFheE\":\"For repayment of a specific type of debt, the user needs to have debt that type\",\"ulNuNq\":\"Export data to\",\"ulup2p\":\"Buy Crypto with Fiat\",\"umICAY\":\"<0><1><2/>Add stkAAVE to see borrow rate with discount\",\"usB84Z\":\"Maximum amount available to borrow is limited because protocol borrow cap is nearly reached.\",\"uwAUvj\":\"COPY IMAGE\",\"v8x7Mg\":\"Insufficient collateral to cover new borrow position. Wallet must have borrowing power remaining to perform debt switch.\",\"vEqxH9\":\"Restaked\",\"vLyv1R\":\"Hide\",\"vMba49\":\"Borrowing is not enabled\",\"vMpNwt\":\"Approve with\",\"vXIe7J\":\"Language\",\"vesuBJ\":\"Allows you to decide whether to use a supplied asset as collateral. An asset used as collateral will affect your borrowing power and health factor.\",\"w+V9Cx\":\"Stablecoin\",\"w/JtJ3\":\"Stable debt supply is not zero\",\"w4VBY+\":\"Rewards APR\",\"w9dLMW\":[[\"label\"]],\"wAOL+X\":[\"You \",[\"action\"],\" <0/> \",[\"symbol\"]],\"wBIsjb\":\"Discord channel\",\"wQZbc/\":\"The caller of the function is not an AToken\",\"wRRqvW\":\"You do not have supplies in this currency\",\"wZFvVU\":\"VOTE YAE\",\"wb/r1O\":[\"Faucet \",[\"0\"]],\"wdxz7K\":\"Source\",\"weH1nG\":\"The Aave Protocol is programmed to always use the price of 1 GHO = $1. This is different from using market pricing via oracles for other crypto assets. This creates stabilizing arbitrage opportunities when the price of GHO fluctuates.\",\"wh7Ezv\":\"You have no AAVE/stkAAVE/aAave balance to delegate.\",\"wlsIx7\":\"With testnet Faucet you can get free assets to test the Aave Protocol. Make sure to switch your wallet provider to the appropriate testnet network, select desired asset, and click ‘Faucet’ to get tokens transferred to your wallet. The assets on a testnet are not “real,” meaning they have no monetary value. <0>Learn more\",\"wmE285\":\"Get ABP v2 Token\",\"wyRrcJ\":\"As a result of governance decisions, this ABPT staking pool is now deprecated. You have the flexibility to either migrate all of your tokens to v2 or unstake them without any cooldown period.\",\"x5KiLL\":\"Selected assets have successfully migrated. Visit the Market Dashboard to see them.\",\"x7F2p6\":\"Current differential\",\"x7K5ib\":[\"Your \",[\"networkName\"],\" wallet is empty. Get free test \",[\"0\"],\" at\"],\"x9iLRD\":\"tokens, please go to the\",\"xNy/UG\":\"Repay with\",\"xPm8wv\":\"Learn more about risks involved\",\"xXYpZl\":[[\"0\"],\" Faucet\"],\"xaVBSS\":\"Your info\",\"xaWZ6f\":\"APY type change\",\"xh6k71\":\"Collateral usage is limited because of isolation mode.\",\"xvIklc\":\"Flashloan is disabled for this asset, hence this position cannot be migrated.\",\"y5rS9U\":\"Migrate\",\"y66tBm\":[\"Enable \",[\"symbol\"],\" as collateral\"],\"yB1YpA\":\"Dark mode\",\"yCrG6m\":\"Total market size\",\"yJUUbn\":\"Transaction overview\",\"yLGmLX\":[\"Restake \",[\"symbol\"]],\"yW1oWB\":\"APY type\",\"yYHqJe\":\"Not a valid address\",\"yZwLw6\":\"Track wallet\",\"yh2sjd\":[\"Price impact \",[\"0\"],\"%\"],\"yhvj6d\":\"You can not switch usage as collateral mode for this currency, because it will cause collateral call\",\"ylmtBZ\":\"The app is running in fork mode.\",\"ymNY32\":[\"There are not enough funds in the\",[\"0\"],\"reserve to borrow\"],\"yz7wBu\":\"Close\",\"z4uGQg\":\"Debt ceiling is exceeded\",\"z5UQOM\":\"The collateral chosen cannot be liquidated\",\"z5Y+p6\":[\"Supplying \",[\"symbol\"]],\"zCjNKs\":\"Action cannot be performed because the reserve is frozen\",\"zRHytX\":\"Isolated Debt Ceiling\",\"zTOjMP\":\"Protocol supply cap is at 100% for this asset. Further supply unavailable.\",\"zVdRUG\":\"Submission did not work, please try again later or contact wecare@avara.xyz\",\"zevmS2\":\"<0><1><2/>Add <3/> stkAAVE to borrow at <4/> (max discount)\",\"zgtIDV\":\"Remaining debt\",\"zmTPiV\":\"Supply balance\",\"zpPbZl\":\"Liquidation risk parameters\",\"zucql+\":\"Menu\",\"zwWKhA\":\"Learn more\",\"zy9fXn\":[\"Asset is frozen in \",[\"marketName\"],\" v3 market, hence this position cannot be migrated.\"],\"zys+R6\":\"Be mindful of the network congestion and gas prices.\",\"zzzTXS\":\"Merit Program rewards are claimed through the\"}")}; \ No newline at end of file diff --git a/src/locales/en/messages.po b/src/locales/en/messages.po index 9c4c9c7037..afce18b9b3 100644 --- a/src/locales/en/messages.po +++ b/src/locales/en/messages.po @@ -209,6 +209,7 @@ msgstr "Meet GHO" #: src/components/transactions/Borrow/BorrowAmountWarning.tsx #: src/components/transactions/Withdraw/WithdrawAndSwitchModalContent.tsx #: src/components/transactions/Withdraw/WithdrawModalContent.tsx +#: src/modules/umbrella/UmbrellaModalContent.tsx msgid "I acknowledge the risks involved." msgstr "I acknowledge the risks involved." @@ -1117,11 +1118,11 @@ msgstr "Reward(s) to claim" #: src/modules/staking/StakingPanel.tsx #: src/modules/staking/StakingPanel.tsx #: src/modules/umbrella/UmbrellaActions.tsx +#: src/modules/umbrella/UmbrellaModal.tsx msgid "Stake" msgstr "Stake" #: src/components/transactions/Stake/StakeModalContent.tsx -#: src/modules/umbrella/UmbrellaModalContent.tsx msgid "Not enough balance on your wallet" msgstr "Not enough balance on your wallet" @@ -2638,6 +2639,10 @@ msgstr "To repay on behalf of a user an explicit amount to repay is needed" msgid "Repayment amount to reach {0}% utilization" msgstr "Repayment amount to reach {0}% utilization" +#: src/modules/umbrella/UmbrellaModalContent.tsx +msgid "You can not stake this amount because it will cause collateral call" +msgstr "You can not stake this amount because it will cause collateral call" + #: src/ui-config/errorMapping.tsx msgid "Supply cap is exceeded" msgstr "Supply cap is exceeded" @@ -2818,6 +2823,7 @@ msgstr "Something went wrong" #: src/components/transactions/Withdraw/WithdrawAndSwitchModalContent.tsx #: src/components/transactions/Withdraw/WithdrawModalContent.tsx +#: src/modules/umbrella/UmbrellaModalContent.tsx msgid "Withdrawing this amount will reduce your health factor and increase risk of liquidation." msgstr "Withdrawing this amount will reduce your health factor and increase risk of liquidation." diff --git a/src/locales/es/messages.js b/src/locales/es/messages.js index c21733df57..b0cb1388a9 100644 --- a/src/locales/es/messages.js +++ b/src/locales/es/messages.js @@ -1 +1 @@ -/*eslint-disable*/module.exports={messages:JSON.parse("{\"+0xecS\":[\"Si NO unstakeas entre \",[\"0\"],\" de la ventana de unstakeo, necesitarás activar el proceso de cooldown de nuevo.\"],\"+EGVI0\":\"Recibir (est.)\",\"+VR63W\":[\"Participar en esta reserva de \",[\"symbol\"],\" da recompensas anuales.\"],\"+bmKdK\":\"Utiliza tu balance de AAVE, stkAAVE o aAava para delegar tu voto y poder de proposición. No enviarás ningún token, solo los derechos de votar y proponer cambios en el protocolo. Puedes volver a delegar o revocar el poder de vuelta en cualquier momento.\",\"+eOPG+\":\"Parece que no podemos cambiar la red automáticamente. Por favor, comprueba si puedes cambiarla desde la cartera.\",\"+i3Pd2\":\"Límite del préstamo\",\"+kLZGu\":\"Cantidad de activos suministrados\",\"+nuEh/\":\"Estimated time\",\"+xMFF8\":\"Remind me\",\"/57U31\":\"Cantidad para migrar\",\"/7ykiW\":\"Tomar prestado esta cantidad reducirá tu factor de salud y aumentará el riesgo de liquidación.\",\"/YA5pU\":\"E-Mode increases your LTV for a selected category of assets, meaning that when E-mode is enabled, you will have higher borrowing power over assets of the same E-mode category which are defined by Aave Governance. You can enter E-Mode from your <0>Dashboard. To learn more about E-Mode and applied restrictionn, see the <1>help guide or the <2>Aave V3 Technical Paper.\",\"/izjs/\":\"Cantidad mínima de Aave stakeado\",\"/jQctM\":\"To\",\"/lDBHm\":\"Preguntas frecuentes\",\"/yNlZf\":\"El préstamo estable no está habilitado\",\"/yQcJM\":\"Valor total\",\"00AB2i\":\"El usuario no tomó prestado el activo especificado\",\"00OflG\":\"No hay suficiente liquidez para que el activo seleccionado realice el cambio. Prueba reduciendo la cantidad.\",\"08/rZ9\":\"El periodo de cooldown es el tiempo requerido antes de unstakear tus tokens (20 días). Solo puedes retirar tus activos del Módulo de Seguridad después del periodo de cooldown y dentro de la ventana de unstakeo.<0>Aprende más\",\"0AmQcW\":\"Cambio de tasa\",\"0BF3yK\":\"Lo sentimos, no hemos podido encontrar la página que estabas buscando.\",\"0TAbjq\":\"Recent Transactions\",\"0jhlyw\":\"Riesgo de liquidación\",\"0ojY+Y\":\"Balance actual v2\",\"0thX3P\":\"Cambio de garantía\",\"0wGCWc\":\"Esta es la cantidad total que puedes suministrar en esta reserva. Puedes suministrar el balance de tu cartera hasta que se alcance el límite de suministro.\",\"1AsVfF\":\"Los datos de los precios no están disponibles actualmente para esta reserva en el subgraph del protocolo\",\"1LjK22\":\"Historial de transacciones\",\"1Onqx8\":[\"Aprobando \",[\"symbol\"],\"...\"],\"1Ue8sX\":\"Por favor conecta una cartera para ver tu información personal aquí.\",\"1YH41K\":[\"After the cooldown period ends, you will enter the unstake window of \",[\"0\"],\". You will continue receiving rewards during cooldown and the unstake period.\"],\"1bpx9A\":\"...\",\"1kWUB+\":\"Umbral <0/> de liquidación\",\"1m9Qqc\":\"Retirando y Cambiando\",\"1oyh4g\":\"Borrow rate\",\"1t7rez\":\"El suministro de activos está limitado a una cierta cantidad para reducir la exposición del protocolo a este activo y ayudar a manejar los riesgos implicados.\",\"2CAPu2\":\"Has retirado y cambiado tokens con éxito.\",\"2Eoi/a\":\"Ver detalles\",\"2FYpfJ\":\"Más\",\"2O3qp5\":\"Liquidez disponible\",\"2OM8/D\":[\"Este activo no se puede migrar debido a una restricción del límite de suministro en el mercado v3 de \",[\"marketName\"],\".\"],\"2Q4GU4\":\"Dirección bloqueada\",\"2ZGocC\":\"Aave es un protocolo totalmente descentralizado, gobernado por la comunidad de poseedores de tokens AAVE. Los poseedores de tokens AAVE discuten, proponen y votan colectivamente sobre las actualizaciones del protocolo. Los poseedores de tokens AAVE (solo en la red Ethereum) pueden votar ellos mismos sobre nuevas propuestas o delegarse a una dirección de su elección. Para aprender más, consulta la\",\"2a6G7d\":\"Por favor introduce una dirección de cartera válida.\",\"2bAhR7\":\"Conoce GHO\",\"2eBWE6\":\"Acepto los riesgos involucadros.\",\"2o/xRt\":\"Se ha alcanzado el límite de suministro en la reserva especificada. Prueba reduciendo la cantidad.\",\"2uJToh\":[[\"0\"],[\"name\"]],\"2x58bP\":\"El préstamo estable no está habilitado\",\"34Qfwy\":\"El límite del préstamo se ha sobrepasado\",\"39eQRj\":[\"Tomar prestado \",[\"symbol\"]],\"3BL1xB\":\"Total suministrado\",\"3BnIWi\":\"Cambiado\",\"3K0oMo\":\"Suministro restante\",\"3MoZhl\":\"No hay suficiente garantía para cubrir un nuevo préstamo\",\"3Np5O8\":[\"Suministrar \",[\"symbol\"]],\"3O8YTV\":\"Interés total acumulado\",\"3mXg0z\":\"LTV máximo\",\"3q3mFy\":\"Pagar\",\"3qsjtp\":\"El promedio ponderado de APY para todos los activos suministrados, incluidos los incentivos.\",\"3rL+os\":\"Solo puedes retirar tus activos del Módulo de Seguridad después de que finalice el período de cooldown y la ventana de unstakeo esté activa.\",\"42UgDM\":[\"Migrar al mercado V3 de \",[\"0\"]],\"49UFQA\":\"Resultados de la votación\",\"4DMZUI\":\"Ver Transacciones\",\"4HtGBb\":\"MAX\",\"4Y5H+g\":\"Términos\",\"4YYh4d\":\"Máximo disponible para tomar prestado\",\"4iPAI3\":\"Cantidad de préstamo mínima de GHO\",\"4lDFps\":\"Firma para continuar\",\"4wyw8H\":\"Transacciones\",\"5JSSxX\":[\"Tu cartera de \",[\"networkName\"],\" está vacía. Consigue activos de prueba gratis en\"],\"5K7kGO\":\"documentación\",\"5NOSGa\":\"El límite de deuda limita la cantidad posible que los usuarios del protocolo pueden tomar prestado contra este activo. El límite de deuda es específico para los activos en isolation mode y se indica en USD.\",\"5Ncc6j\":[\"Este activo casi ha alcanzado su límite de suministro. Solo se puede suministrar \",[\"messageValue\"],\" a este mercado.\"],\"5cZ/KX\":\"El suministro de deuda variable no es cero\",\"5che++\":\"Para solicitar acceso a este mercado, porfavor visita: <0>Nombre del proveedor de acceso\",\"5ctNdV\":[\"Mínimo \",[\"0\"],\" recibido\"],\"5hDe9v\":\"Acción de permiso requerida\",\"5rsnKT\":\"Recompensas disponibles\",\"5yC5m5\":\"Ver todos los votos\",\"6/dCYd\":\"Resumen\",\"60crCe\":\"Todas las transacciones\",\"62Xcjh\":\"Garantía\",\"65A04M\":\"Español\",\"6G8s+q\":\"Firmando\",\"6Jrv+z\":[\"Pagar \",[\"symbol\"]],\"6NGLTR\":\"Cantidad descontable\",\"6Xr0UU\":\"Cooling down...\",\"6bxci/\":\"Poder de votación\",\"6f8S68\":\"Mercados\",\"6g1gi0\":\"Propuestas\",\"6gvoHP\":\"Copiar mensaje de error\",\"6h3Q5G\":\"reembolsado\",\"6lFSyT\":\"Available to Stake\",\"6s8L6f\":\"Cambiar de red\",\"6yAAbq\":\"APY, tasa de préstamo\",\"70wH1Q\":\"APR\",\"72c5Qo\":\"Total\",\"73Auuq\":\"Los parámetros de descuento son decididos por la comunidad de Aave y pueden cambiar con el tiempo. Consulta el Gobierno para ver actualizaciones y vota para participar. <0>-Aprende más\",\"75qcAQ\":[[\"stepName\"]],\"7ITr5L\":\"Factor de salud\",\"7T/o5R\":\"Alcanzado\",\"7YlcXu\":\"El fork mode está activado\",\"7Z76Iw\":\"Tomar prestado no está disponible porque estás usando el Isolation mode. Para administrar el Isolation mode, visita tu <0>Panel de control.\",\"7aKlMS\":\"Compartir en Lens\",\"7bdUsR\":\"Redeem as aToken\",\"7er5fP\":\"Reclamar todo\",\"7hb2+s\":\"Time remaining until the withdraw period ends.\",\"7l88b8\":\"No se pudieron recuperar los datos, por favor recarga el gráfico.\",\"7p5kLi\":\"Panel de control\",\"7sofdl\":\"Retirar y Cambiar\",\"8+6BI0\":\"Ten cuidado - Estás muy cerca de la liquidación. Considera depositar más garantía o pagar alguno de tus préstamos\",\"87pUEW\":[\"Tu cartera de \",[\"name\"],\" está vacía. Compra o transfiere activos.\"],\"8F1i42\":\"Página no encontrada\",\"8G8M0u\":\"Cargando datos...\",\"8Iu1QS\":\"retirado\",\"8JL93T\":\"Todas las propuestas\",\"8Q51DU\":\"Añadir a la cartera\",\"8X/oyn\":\"Cantidad invalidad para generar\",\"8Z5FPv\":\"Desconectar cartera\",\"8Zz7s5\":\"activos\",\"8aLW8H\":\"Balance a revocar\",\"8bOT3H\":\"Tasa de uso\",\"8sLe4/\":\"Ver contrato\",\"8t/M0y\":\"Please connect your wallet to be able to bridge your tokens.\",\"8vETh9\":\"Mostrar\",\"94OHPx\":\"Estás entrando en el Isolation mode\",\"9CDK3/\":[\"Tomar prestado no está disponible actualmente para \",[\"0\"],\".\"],\"9GIj3z\":\"Tamaño de la reserva\",\"9Knqb4\":\"Balance stakeado\",\"9OBKm7\":\"Quorum\",\"9QHoGr\":\"Votos actuales\",\"9Rw96f\":[\"Este activo casi ha alcanzado su límite de préstamo. Solo hay \",[\"messageValue\"],\" disponibles para ser prestado de este mercado.\"],\"9Xj/qR\":[\"Algunos activos migrados no se utilizarán como garantía debido al isolation mode habilitado en el mercado V3 de \",[\"marketName\"],\". Visita el <0>Panel de control de \",[\"marketName\"],\" V3 para administrar el isolation mode.\"],\"9c6vDV\":\"Este activo ha alcanzado su límite de suministro. No queda nada disponible para ser suministrado desde este mercado.\",\"9kTWHA\":\"MAI ha sido pausado debido a una decisión de la comunidad. Los suministros, préstamos y pagos se han visto afectados. <0>Más información\",\"9lXchd\":\"Token subyacente\",\"9rWaKF\":\"Bridged Via CCIP\",\"9xSooW\":\"Puesto que esta es una red de pruebas, puedes obtener cualquiera de los activos si tienes ETH en tu cartera\",\"A/lwoe\":\"Elige uno de los servicios on-ramp\",\"A6dCI6\":[\"La máxima cantidad disponible para tomar prestado es <0/> \",[\"0\"],\" (<1/>).\"],\"AReoaV\":\"Tus préstamos\",\"ARu1L4\":\"Pagado\",\"AV7cGz\":\"Revisa los detalles del approve\",\"AZOjB8\":\"Recuperando datos...\",\"Ai0jas\":\"Únete a la discusión de la comunidad\",\"Ajl2rq\":\"El poder de préstamo y los activos están limitados debido al Isolation mode.\",\"AqgYNC\":\"El límite de préstamo del protocolo está al 100% para este activo. No es posible tomar más prestado.\",\"B3EcQR\":\"¡Gracias por votar!\",\"B6aXGH\":\"Estable\",\"B9Gqbz\":\"Tasa variable\",\"BDFEd+\":\"stETH suministrado como garantía continuará acumulando recompensas de staking proporcionadas por rebases diarios.\",\"BE2mP0\":\"Borrowed assets\",\"BJyN77\":\"Debido al impacto del factor de salud, se requiere un préstamo flash para realizar esta transacción, pero el Gobierno de Aave ha inhabilitado la disponibilidad de préstamos flash para este activo. Intenta reducir la cantidad o suministrar garantía adicional.\",\"BNL4Ep\":\"El uso como garantía está limitado debido al isolation mode. <0>Aprende más\",\"BQ/wCO\":\"Migrate your assets\",\"BjLdl1\":\"Con un descuento\",\"BnhYo8\":\"Categoría de activos\",\"Bq9Y7e\":\"Este activo está congelado debido a una decisión de la comunidad de Aave. <0>Más información\",\"BqWMDJ\":\"Faucet\",\"BqynZO\":\"Optimized for efficiency and risk by supporting blue-chip collateral assets\",\"Bsu7zX\":\"The fee includes the gas cost to complete the transaction on the destination chain and the fee paid to Chainlink CCIP service providers. You can chose to pay in the network token or GHO. <0>Learn more\",\"BwJKBw\":\"de\",\"C4/GSi\":\"Your balance of assets that are available to stake\",\"CDrsH+\":\"Documento técnico\",\"CK1KXz\":\"Max\",\"CMHmbm\":\"Deslizamiento\",\"CZXzs4\":\"Griego\",\"CcRNG6\":\"Cambiando\",\"CkTRmy\":[\"Reclamar \",[\"symbol\"]],\"CsqtLm\":\"Por favor conecta tu cartera para ver la herramienta de migración.\",\"CtGlFb\":[\"Faucet \",[\"networkName\"]],\"Cxt2YY\":\"Watch wallet\",\"D33VQU\":\"Esta acción reducirá el factor de salud de V3 por debajo del umbral de liquidación. Aumenta la garantía migrada o reduce el préstamo migrado para continuar.\",\"D8sc3k\":\"Stake balance\",\"D9BLRG\":\"Este activo ha sido pausado debido a una decisión de la comunidad. El suministro, los retiros, los préstamos y los pagos se han visto afectados.\",\"DAma/S\":\"La garantía es (en su mayoría) el mismo activo que se está tomando prestado\",\"DCnFg0\":[\"Direcciones (\",[\"0\"],\")\"],\"DG3Lv1\":\"Entiendo completamente los riesgos de migrar.\",\"DONJcV\":\"El activo base no puede ser rescatado\",\"DR+4uL\":\"Balance del suministro después del cambio\",\"DWjrck\":[\"Este activo no se puede migrar al mercado V3 de \",[\"marketName\"],\" debido a las restricciones del E-mode. Puedes deshabilitar o administrar las categorías del E-mode en tu <0>Panel de control V3\"],\"Dj+3wB\":\"Aave por mes\",\"DptNvx\":\"Amount Staked\",\"DuEq2K\":\"Colateralización\",\"DxfsGs\":\"Puedes reportar cualquier incidente a nuestro <0>Discord o <1>Github.\",\"Dzma+E\":\"Main Ethereum market with the largest selection of assets and yield options\",\"E/QGRL\":\"Deshabilitado\",\"EBL9Gz\":\"¡COPIADO!\",\"ES8dkb\":\"Interés fijo\",\"EZd3Dk\":[\"Restakeando \",[\"symbol\"]],\"EZqFZ+\":\"Staking this asset will earn the underlying asset supply yield in additon to other configured rewards.\",\"Ebgc76\":[\"Retirando \",[\"symbol\"]],\"EdQY6l\":\"Ninguno\",\"EjvKQ+\":\"Valor mínimo en USD recibido\",\"Enslfm\":\"Destination\",\"EvE9nO\":[\"Reactivar el periodo de cooldown para unstakear \",[\"0\"],\" \",[\"stakedToken\"]],\"EvECnL\":\"Migrar a V3\",\"EzMQbh\":\"The source chain time to finality is the main factor that determines the time to destination. <0>Learn more\",\"F40cwT\":\"Legacy Markets\",\"F6TdXL\":\"Aprende más.\",\"FDDPeZ\":\"Users can stake their assets in the protocol and earn incentives. In the case of a shortfall event, your stake can be slashed to cover the deficit, providing an additional layer of protection for the protocol.\",\"FHlMf/\":\"Balance actual v2\",\"FHpxjF\":[\"El factor de reserva es un porcentaje de interés que va a un \",[\"0\"],\" que es controlado por el gobierno de Aave para promover el crecimiento del ecosistema.\"],\"FOBZa6\":\"Capacidad de préstamo utilizada\",\"FPKEug\":\"Operación no soportada\",\"FbmMe7\":\"Direcciones vinculadas\",\"Fdp03t\":\"en\",\"Fjw9N+\":\"Activos a suministrar\",\"FmN0fk\":\"Restakear\",\"GDGLIs\":\"GHO es un activo nativo descentralizado, digital y respaldado por garantía, vinculado al USD. Es creado por los usuarios que lo toman prestado contra múltiples garantías. Cuando el usuario paga su posición de préstamo de GHO, el protocolo quema el GHO de ese usuario. Todos los pagos de interés acumulados por los acuñadores de GHO serán transferidos directamente a la tesorería de\xA0la\xA0DAO\xA0de\xA0Aave.\",\"GQrBTq\":\"Cambiar E-Mode\",\"GWswcZ\":\"Este activo está congelado debido a una decisión del Gobierno del Protocolo Aave. El 20 de diciembre de 2022, renFIL ya no será compatible y no se podrá conectar de nuevo a su red nativa. Se recomienda retirar las posiciones de suministro y pagar las posiciones de préstamo para que renFIL se pueda convertir de nuevo a FIL antes de la fecha límite. Después de esta fecha, ya no será posible convertir renFIL a FIL. <0>Más detalles\",\"GX8GKD\":\"Activos\",\"GgEj+0\":\"Modo de solo lectura. Conéctate a una cartera para realizar transacciones.\",\"GjkIKV\":\"finaliza\",\"GoK/QN\":\"Thank you for submitting feedback!\",\"GtP2hp\":[\"Tomar prestado no está disponible porque has habilitado el Efficieny Mode (E-Mode) para la categoría \",[\"0\"],\". Para manejar las categorías del E-Mode visita tu <0>Panel de control.\"],\"H6Ma8Z\":\"Descuento\",\"HB/wfS\":[[\"tooltipText\"]],\"HKDsQN\":\"Rewards can be claimed through\",\"Ha/U5f\":\"This is a program initiated and implemented by the decentralised ZKSync community. Aave Labs does not guarantee the program and accepts no liability.\",\"HciqKU\":\"This is a program initiated and implemented by the decentralised Aave community. Aave Labs does not guarantee the program and accepts no liability.\",\"Hi6Ttn\":\"Lo sentimos, se produjo un error imprevisto. Mientras tanto, puedes intentar recargar la página, o volver después.\",\"HkEDbS\":[[\"d\"],\"d\"],\"HmkYqM\":\"Ventana de unstakeo\",\"HpK/8d\":\"Recargar\",\"HrnC47\":\"Guardar y compartir\",\"HuVZMK\":\"Days\",\"HvJKMU\":[\"Este activo no se puede migrar al mercado v3 de \",[\"marketName\"],\", ya que el activo de garantía habilitará el isolation mode.\"],\"Hvwnm9\":[\"La cantidad máxima disponible para suministrar está limitada porque el límite de suministro del protocolo está al \",[\"0\"],\"%.\"],\"I8CX2c\":\"La cantidad total de tus activos denominados en USD que pueden ser usados como garantía para activos de préstamo.\",\"IAD2SB\":[\"Reclamando \",[\"symbol\"]],\"IG9X9/\":\"Tomar prestado este activo está limitado a una cierta cantidad para minimizar la insolvencia del fondo de liquidez.\",\"IOIx8L\":\"Está previsto que este activo se desvincule debido a una decisión del Gobierno del Protocolo Aave. <0>Más detalles\",\"IP+I/j\":\"Periodo de cooldown\",\"IaA40H\":\"Liquidación en\",\"J/hVSQ\":[[\"0\"]],\"JCoxL6\":\"Administrar analíticas\",\"JK9zf1\":[\"Interés compuesto estimado, incluyendo el descuento por Staking \",[\"0\"],\"AAVE en el Módulo de Seguridad.\"],\"JOqFba\":[\"Unstakeando \",[\"symbol\"]],\"JPrLjO\":\"No puedes usar este activo como garantía\",\"JU6q+W\":\"Recompensa(s) por reclamar\",\"JYKRJS\":\"Stakear\",\"JZMxX0\":\"No hay suficiente balance en tu cartera\",\"Jgflkm\":\"Obtener GHO\",\"JoMQnI\":\"Balance de la cartera\",\"JtwD8u\":\"Balance tomado prestado tras pagar\",\"JumYTK\":\"Supplied assets\",\"K05qZY\":\"Retirar y Cambiar\",\"KAz/NV\":\"El límite de deuda del protocolo está al 100% para este activo. No es posible tomar más prestado usando este activo como garantía.\",\"KLXVqE\":[\"Los tokens stETH se migrarán a Wrapped stETH usando el wrapper del protocolo de Lido, lo que provoca un cambio en el balance de suministro después de la migración: \",[\"0\"]],\"KLd6ky\":\"Use connected account\",\"KRpokz\":\"VER TX\",\"KSlpka\":\"Esto representa el umbral en el que un préstamo será considerado sin garantía suficiente y sujeto a la liquidación de la misma. Por ejemplo, si una garantía tiene un umbral de liquidación del 80 %, significa que el préstamo será liquidado cuando el valor de la deuda alcanze el 80% del valor de la garantía.\",\"KYAjf3\":\"Aislado\",\"KZwRuD\":[[\"notifyText\"]],\"KkPgim\":\"Cambiando E-Mode\",\"KnN1Tu\":\"Caduca\",\"KoOBI2\":\"Debido a mecánicas internas de stETH requeridas para el soporte del rebase, no es posible realizar un cambio de garantía donde stETH es el token de origen.\",\"KojyJ4\":\"Red incorrecta\",\"KsqhWn\":\"Staking\",\"KuBTQq\":\"Introduce la dirección ETH\",\"KvG1xW\":\"Reclamando\",\"L+8Lzs\":\"LTV actual\",\"L+qiq+\":\"Mercado\",\"LDzfVJ\":\"Send Feedback\",\"LIrMcF\":\"Sin poder de voto\",\"LL0zks\":\"Puede ser garantía\",\"LLdJWu\":\"AAVE Reclamable\",\"LSIpNK\":\"Tomar prestado y pagar en el mismo bloque no está permitido\",\"LVt3TI\":[\"<0>Tolerancia de deslizamiento <1>\",[\"selectedSlippage\"],\"% <2>\",[\"0\"],\"\"],\"LjafV8\":\"Maximum collateral amount to use\",\"LtpQew\":\"Let us know how we can make the app better for you. For user support related inquiries please reach out on\",\"LvVpD/\":\"Modo E\",\"M2sknc\":\"Tip: Intenta aumentar el deslizamiento o reduce la cantidad de entrada\",\"M7wPsD\":\"Cambiar\",\"MFu33y\":\"Staking 00\",\"MIy2RJ\":\"Maximum amount received\",\"MZ/nQf\":\"Dirección del destinatario\",\"Ma/MtY\":\"vista de stakeo\",\"McHlGl\":\"Cambio de APY\",\"MeCCA+\":\"APY, variable\",\"MghdTe\":\"Si el factor de salud se encuentra por debajo de 1, la liquidación de tu colateral puede ser activada.\",\"Mm/DVQ\":\"Has cancelado la transacción.\",\"MnE2QX\":\"Información de préstamo\",\"MrmQHg\":\"View Bridge Transactions\",\"MuDFEQ\":\"Valor de retorno inválido en la función executor del préstamo flash\",\"N5kUMV\":\"Este activo solo se puede utilizar como garantía en isolation mode con poder de préstamo limitado. Para entrar en el isolation mode, deshabilita todas las demás garantías.\",\"N6Pxr9\":\"View all\",\"NF0e1Q\":\"Pendiente...\",\"NK9ikO\":\"Balance de la cartera\",\"NMt2CB\":\"Cantidad reclamable\",\"NcFGxG\":\"Collector Contract\",\"NfpPeS\":\"Nada invertido\",\"Nh9DAo\":[[\"m\"],\"m\"],\"O+sCUU\":\"El límite de minteo sin respaldo ha sido excedido\",\"O+tyU+\":[\"La cantidad máxima disponible para tomar prestado contra este activo está limitada porque el límite de deuda está al \",[\"0\"],\"%.\"],\"O3oNi5\":\"Email\",\"OFjZGo\":\"Unstakear\",\"OR8cYX\":\"Resumen de la propuesta\",\"OYuJ9K\":\"El límite de deuda del protocolo está al 100% para este activo. No es posible tomar más prestado usando este activo como garantía.\",\"OfhWJH\":\"Restablecer\",\"Og2SKn\":\"deshabilitado\",\"On0aF2\":\"Página web\",\"OsyKSt\":\"Retirar\",\"P1dURE\":\"Revocar poder\",\"P2WCD/\":[\"El activo subyacente no existe en el mercado v3 de \",[\"marketName\"],\", por lo tanto, esta posición no se puede migrar.\"],\"P2sL6B\":\"Cuando ocurre una liquidación, los liquidadores pagan hasta el 50% de la cantidad pendiente del préstamo en nombre del prestatario. A cambio, pueden comprar la garantía con descuento y quedarse con la diferencia (sanción de liquidación) como bonificación.\",\"P6sRoL\":\"Stakea ABPT\",\"P72/OW\":\"El promedio ponderado de APY para todos los activos prestados, incluidos los incentivos.\",\"P7e6Ug\":\"Por favor conecta tu cartera para ver el historial de transacciones.\",\"PByO0X\":\"Votos\",\"PI+kVe\":\"Deshabilitar fork\",\"PJK9u/\":\"Apy préstamo\",\"PLUB/s\":\"Fee\",\"PP5ZA8\":[\"Participating in staking \",[\"symbol\"],\" gives annualized rewards. Your wallet balance is the sum of your aTokens and underlying assets. The breakdown to stake is below\"],\"PcBUgb\":\"Umbral de liquidación\",\"PjU6bu\":\"This asset is eligible for SPK incentive program. Aave Labs does not guarantee the program and accepts no liability.\",\"PpqD5g\":\"Habilitar este activo como garantía aumenta tu poder préstamo y el factor de salud. Sin embargo, puede ser liquidado si tu factor de salud cae por debajo de 1.\",\"PsOFSf\":\"Esta acción reducirá el factor de salud V2 por debajo del umbral de liquidación. Mantén la garantía o migra la posición de préstamo para continuar.\",\"Pu4bI/\":[[\"currentMethod\"]],\"Q0LzKi\":\"View TX\",\"Q4eNqa\":\"El Aave Balancer Pool Token (ABPT) es un token de pool de liquidez. Puedes recibir ABPT depositando una combinación de AAVE + wstETH en el pool de liquidez de Balancer. Luego puedes stakear tu BPT en el módulo de seguridad para asegurar el protocolo y ganar incentivos de seguridad.\",\"QQYsQ7\":\"Retirando\",\"QWYCs/\":\"Stakear GHO\",\"R+30X3\":\"No alcanzado\",\"RCU5PY\":\"Age\",\"RIfckG\":[\"Desactivar \",[\"symbol\"],\" como garantía\"],\"RMtxNk\":\"Diferencial\",\"RNK49r\":\"Firma inválida\",\"RS0o7b\":\"Estado\",\"RU+LqV\":\"Detalles de la propuesta\",\"RbXH+k\":\"Los poseedores de AAVE, GHO y ABPT (solo en la red de Ethereum) pueden stakear sus activos en el Módulo de Seguridad para añadir más seguridad al protocolo y obtener incentivos de seguridad. En el caso de un evento de shortfall, tu stakeo puede ser reducido para cubrir el déficit. proporcionando una capa adicional de protección para el protocolo.\",\"RiSYV4\":\"El activo no está listado\",\"Rj01Fz\":\"Enlaces\",\"RmWFEe\":\"Staking APR\",\"RoafuO\":\"Enviar feedback\",\"RtBLm7\":\"El factor de salud es menor que el umbral de liquidación\",\"RxzN1M\":\"Habilitado\",\"SDav7h\":\"Fondos en el Módulo de Seguridad\",\"SENccp\":\"Si el error persiste, <0/> podrías reportarlo a esto\",\"SIWumd\":\"Mostrar activos congelados o pausados\",\"SM58dD\":\"Cantidad en cooldown\",\"SSMiac\":\"Error al cargar los votantes de la propuesta. Por favor actualiza la página.\",\"SSQVIz\":\"Umbral de liquidación\",\"SUb8x0\":\"Total disponible\",\"SWIgh4\":\"Fees exceed wallet balance\",\"SY9hVo\":\"El modo de solo lectura permite ver las posiciones de las direcciones en Aave, pero no podrás realizar transacciones.\",\"SZRUQ4\":\"Deslizamiento máximo\",\"Sa1UE/\":\"El límite de préstamo del protocolo está al 100% para este activo. No es posible tomar más prestado.\",\"Sk2zW9\":\"Desactivando E-Mode\",\"SxaD0o\":\"La dirección del proveedor del pool no esta registrada\",\"T/AIqG\":\"El límite de suministro del protocolo está al 100% para este activo. No es posible suministrar más.\",\"T0xCO9\":\"No se puede validar la dirección de la cartera. Vuelve a intentarlo.\",\"T4OhVl\":\"GHO balance\",\"T6uYU2\":\"Tomar prestado\",\"TFxQlw\":\"Penalización de liquidación\",\"TQ7WsV\":\"Available to stake\",\"TUI7iB\":\"El activo solo puede usarse como garantía en el Isolation mode únicamente.\",\"TbjyhA\":\"Docs\",\"TduuS0\":\"El usuario no tiene deuda pendiente de tasa estable en esta reserva\",\"TeCFg/\":\"Cambio de tasa de préstamo\",\"Tg1JyO\":\"Bridge history\",\"TskbEN\":\"Los poseedores de stkAAVE reciben un descuento en la tasa de préstamo de GHO\",\"TszKts\":\"Balance de préstamo después del cambio\",\"TtZL6q\":\"Parámetros del modelo de descuento\",\"TwJI9F\":\"Asset has been successfully sent to CCIP contract. You can check the status of the transactions below\",\"Tz0GSZ\":\"actividades bloqueadas\",\"U/eBjN\":\"Recarga la página\",\"U2r8nY\":\"Elige cuánto poder de voto/proposición otorgar a otra persona delegando parte de tu balance de AAVe o stkAAVE. Tus tokens permanecerán en tu cuenta, pero tu delegado podrá votar o proponer en tu lugar. Si tu balance de AAVE, stkAAVE o aAave cambia, el poder de voto/proposición de tu delegado se ajustará automáticamente.\",\"U8IubP\":\"La aplicación se está ejecutando en testnet mode. Aprende como funciona en\",\"U9btTk\":\"El activo no se puede pedir prestado en isolation mode\",\"UAOZRe\":\"El impacto del precio es la diferencia entre el valor total de los tokens de entrada cambiados y los tokens de destino obtenidos (en USD), que resulta de la liquidez limitada del par de cambio.\",\"UE3KJZ\":\"El historial de transacciones no está disponible actualmente para este mercado\",\"URmyfc\":\"Detalles\",\"UTTKmT\":\"Cooldown de stakeo activado\",\"UXeR72\":\"Estos fondos se han tomado prestados y no están disponibles para su retirada en este momento.\",\"UYb8CM\":\"Learn more about the SPK rewards\",\"UbRrG0\":\"El ratio LTV máximo representa el poder de endeudamiento máximo de una garantía específica. Por ejemplo, si una garantía tiene un LTV del 75 %, el usuario puede pedir prestado hasta 0,75 ETH en la moneda principal por cada 1 ETH de garantía.\",\"UpndFj\":\"No hay recompensas para reclamar\",\"V0f2Xv\":\"Factor de reserva\",\"V1HK43\":\"Riesgos de migración\",\"VATFH9\":\"Deuda cubierta\",\"VHOVEJ\":\"Conectar cartera\",\"VMfYUK\":\"Seguridad de tu garantía depositada contra los activos prestados y su valor subyacente.\",\"VOAZJh\":\"Total de préstamos\",\"ViKYxK\":\"YAE\",\"W1SSoD\":\"Revisar detalles de la tx\",\"W5hVah\":\"Nada suministrado aún\",\"W5kTFy\":\"Votando\",\"W8ekPc\":\"Volver al panel de control\",\"WMPbRK\":\"No respaldado\",\"WNGZwH\":\"El E-Mode incrementa tu LTV para una categoría seleccionada de activos hasta el <0/>. <1>Aprende más\",\"WPWG/y\":\"Configuración y estado de la reserva\",\"WZLQSU\":\"El usuario no puede retirar más que el balance disponible\",\"WaZyaV\":\"<0>Ampleforth es un activo con rebase. Visita la <1>documentación para aprender más.\",\"WfU+XN\":\"Debido a que este activo está en pausa, no se pueden realizar acciones hasta nuevo aviso\",\"Wjmqs2\":\"No results found. You can import a custom token with a contract address\",\"WkZ6C6\":\"Para tomar prestado, necesitas suministrar cualquier activo para ser utilizado como garantía.\",\"WyMiQm\":\"Has cambiado los tokens con éxito.\",\"X/ITG9\":\"Copiar el texto del error\",\"X3Pp6x\":\"Utilizado como garantía\",\"X4Zt7j\":\"No se puede realizar la acción porque la reserva está pausada\",\"XBdKOj\":\"Direcciones de cartera de contrato inteligente representativas (Safe) en otras cadenas.\",\"XZzneG\":\"Saldrás del modo aislamiento y otros tokens pueden ser usados ahora como garantía\",\"Xg5y9S\":\"Amount to Bridge\",\"Xn4hUi\":\"Por favor ten siempre en cuenta tu <0>factor de salud (HF) cuando migres parcialmente una posición y que tus tasas serán actualizadas a tasas de la V3.\",\"Xy71ST\":\"Umbrella\",\"Y5kGkc\":\"VOTAR NO\",\"YDIOks\":\"Habilitar E-Mode\",\"YSodyW\":\"Esta acción reducirá tu factor de salud. Por favor ten en cuenta el riesgo incrementado de liquidación de la garantía.\",\"YXOWXM\":\"The total amount bridged minus CCIP fees. Paying in network token does not impact gho amount.\",\"YirHq7\":\"Feedback\",\"YogbCJ\":\"Testnet mode está ON\",\"YrDxdO\":\"Si tu relación préstamo-valor supera el umbral de liquidación, tu garantía puede ser liquidada.\",\"YyIM65\":\"No se cumplieron las condiciones de ajuste de tasas de interés\",\"YyydIq\":[\"Añade \",[\"0\"],\" a tu cartera para hacer un seguimiento del balance.\"],\"ZBvhI+\":\"Gobierno de Aave\",\"ZIIRAd\":\"Raw-Ipfs\",\"ZRq4tX\":\"Modo de eficiencia (E-Mode)\",\"ZSqEW+\":\"Manage E-Mode\",\"ZUFYFE\":\"Deshabilitar testnet\",\"Zbyywy\":\"Max slashing\",\"ZfUGFb\":\"Antes de suministrar\",\"ZiXN+B\":\"Assets to stake\",\"ZlsSDH\":\"Valor de liquidación\",\"ZrEc8j\":\"No pudimos encontrar ningún activo relacionado con tu búsqueda. Vuelve a intentarlo con un nombre diferente de activo, símbolo o dirección.\",\"ZsLF7e\":\"habilitado\",\"a0YQoQ\":\"Enter a valid address\",\"a2fBZn\":\"Tempo restante para unstakear\",\"a5RYZd\":\"Deshabilitar este activo como garantía afecta tu poder de préstamo y Factor de Salud.\",\"a7u1N9\":\"Precio\",\"a9D+6D\":\"Unstakeado\",\"aEtiwq\":\"Votar NO\",\"aMmFE1\":\"Comprar Crypto con Fiat\",\"aOKIms\":\"Los parámetros del array que deberían ser iguales en longitud no lo son\",\"aX31hk\":\"Tu balance es más bajo que la cantidad seleccionada.\",\"adUsDd\":\"Se ha producido un error al recuperar la propuesta.\",\"al6Pyz\":\"Supera el descuento\",\"aoXTT7\":\"APY préstamo, variable\",\"aqX1Yp\":\"This asset is eligible for rewards through SuperFest. Aave Labs does not guarantee the program and accepts no liability.\",\"avgETN\":\"Eligible for the Merit program.\",\"b4NS3e\":\"Advertencia periodo de cooldown\",\"bBHmeP\":\"Available to withdraw\",\"bNEQeI\":\"Cooldown\",\"bSruit\":\"ZKSync Ignite Program rewards are claimed through the\",\"bUUVED\":\"Activo\",\"bXQ/Og\":\"Compartir en twitter\",\"bXr0ee\":\"Los activos aislados han limitado tu capacidad de préstamo y otros activos no pueden ser usados como garantía.\",\"bYmAV1\":\"Direcciones\",\"bguKoJ\":\"La cantidad solicitada es mayor que el tamaño máximo del préstamo en el modo de tasa estable\",\"bwSQI0\":\"Suministrar\",\"bxN6EM\":\"No se puede deshabilitar E-Mode\",\"bxmzSh\":\"No hay suficiente garantía para pagar esta cantidad de deuda con\",\"c91vuQ\":\"La dirección no es un contrato\",\"c97os2\":\"aToken de Aave\",\"c9b44w\":\"No puedes retirar esta cantidad porque causará una liquidación\",\"cBc+4A\":\"Esta es la cantidad total disponible que puedes tomar prestada. Puedes tomar prestado basado en tu garantía y hasta que el límite de préstamo se alcance.\",\"cIl5kp\":\"Tu poder de voto se basa en tu balance de AAVE/stkAAVE y delegaciones recibidas.\",\"cLo09S\":\"Detalles de riesgo\",\"cNT+ij\":\"Tomar prestado no está disponible porque has habilitado el Efficiency Mode (E-Mode) y el Isolation mode. Para administrar el E-Mode y el Isolation Mode, visita tu <0>Panel de control.\",\"cZOeBk\":\"Something went wrong fetching bridge message, please try again later.\",\"ceix5S\":\"Para enviar una propuesta de cambios menores al protocolo, necesitarás al menos 80K de poder. Si deseas cambiar la base central del código, necesitarás un poder de 320K.<0>Aprende más\",\"ciSsYT\":\"Staking APY\",\"ciybUa\":\"Votar SI\",\"ckf7gX\":[\"Pagando \",[\"symbol\"]],\"cp1ZDP\":[\"Bridge \",[\"symbol\"]],\"cqnmnD\":\"Tasa de interés efectiva\",\"cqwIvs\":\"Hilo de discusión del foro\",\"csDS2L\":\"Disponible\",\"cu7Stb\":\"No has participado en esta propuesta\",\"dE6BLF\":\"Gobierno\",\"dEgA5A\":\"Cancelar\",\"dIsyWh\":\"La validación del LTV ha fallado\",\"dMtLDE\":\"para\",\"dOB5nW\":[\"La cantidad máxima disponible para suministrar es <0/> \",[\"0\"],\" (<1/>).\"],\"dVfODp\":\"No tienes suficientes fondos en tu cartera para pagar la cantidad total. Si procedes a pagar con tu cantidad actual de fondos, aún tendrás un pequeño préstamo en tu panel de control.\",\"dXUQFX\":\"Activos a tomar prestado\",\"dgr1aY\":\"Tomar prestado está deshabilitado debido a una decisión de la comunidad de Aave. <0>Más información\",\"djsg0o\":\"Uso de la garantía\",\"dpc0qG\":\"Variable\",\"drdV8R\":\"Liquidación\",\"dxW8cS\":\"Token de deuda de Aave\",\"e4V3oW\":\"Top 10 direcciones\",\"eD8WX/\":\"La acción requiere una reserva activa\",\"eJRJ04\":\"Cantidad para unstakear\",\"eLh0cL\":\"El deslizamiento es la diferencia entre las cantidades calculadas y las recibidas debido a las condiciones cambiantes del mercado entre el momento en que se envía la transacción y su verificación.\",\"ePK91l\":\"Editar\",\"eVpCmf\":\"Recompensas de Staking\",\"eVqvtf\":\"Bridge GHO\",\"eYdurp\":\"Aún no hay transacciones.\",\"ebLGGN\":\"Total tomado prestado\",\"ecqEvn\":\"El balance de garantía es 0\",\"efdrrk\":\"Disponible en\",\"enruNF\":\"empieza\",\"eqLYiD\":\"Unstakea ahora\",\"euScGB\":\"APY con descuento aplicado\",\"evw5ha\":\"Valor neto\",\"ezcU16\":\"Obtener Token ABP\",\"f3W0Ej\":[\"Has cambiado a tasa \",[\"0\"]],\"fH9i8k\":\"Has cambiado con éxito la posición de préstamo.\",\"fHcELk\":\"APR Neto\",\"fMJQZK\":\"Prestado\",\"fZ5Vnu\":\"Recibido\",\"firl9Q\":\"Tu actual relación préstamo-valor basado en tu garantía suministrada.\",\"flRCF/\":\"Descuento por staking\",\"fldjW9\":\"Previsualizar la tx y migrar\",\"fsBGk0\":\"Balance\",\"fu1Dbh\":[\"Retirar \",[\"symbol\"]],\"fwjWSI\":\"Suministrado\",\"fwyTMb\":\"Migrar a stkABPT v2\",\"g0mals\":\"You can not disable E-Mode because that could cause liquidation. To exit E-Mode supply or repay borrowed positions.\",\"g2UNkE\":\"Powered by\",\"g8KGoA\":\"FAQS\",\"g9zzqS\":\"Votó NAY\",\"gDd2gk\":\"about SuperFest.\",\"gFFh9h\":\"¡Todo listo!\",\"gIMJlW\":\"Testnet mode\",\"gOzPxe\":\"Este activo está congelado debido a una decisión del Gobierno del Protocolo Aave. <0>More información\",\"gTHi2T\":\"El usuario está intentando tomar prestado múltiples activos incluido uno aislado\",\"gVW59Y\":\"Por favor conecta tu cartera para obtener activos testnet gratis.\",\"gcFNxP\":\"Aprobación confirmada\",\"gncRUO\":\"Esta dirección está bloqueada en app.aave.com porque está asociada con una o más\",\"goff7V\":\"Dirección cero no válida\",\"gp+f1B\":\"Versión 3\",\"gr8mYw\":\"Puedes tomar prestado hasta <0/> GHO al <1/> (descuento máximo)\",\"gvTM4B\":\"El APY neto es el efecto combinado de todos los suministros y préstamos sobre total, incluidos los incentivos. Es posible tener un APY neto negativo si el APY de la deuda es mayor que el APY de suministro.\",\"gzcch9\":\"Comisión de puente de protocolo inválida\",\"h33MxW\":\"Direcciones de cartera de contrato inteligente representantes (Safe) en otras cadenas.\",\"h3ilK+\":\".CSV\",\"hB23LY\":\"Activar Cooldown\",\"hIJzBh\":\"Available to Claim\",\"hIS4N0\":\"APY neto\",\"hRWvpI\":\"Reclamado\",\"hdmy/o\":\"El % de tu poder de préstamo total utilizado. Esto se basa en la cantidad de tu garantía suministrada y la cantidad total que puedes pedir prestado.\",\"hehnjM\":\"Cantidad\",\"hjDCQr\":\"Hubo un error. Por favor intenta cambiar los parámetros o <0><1>copiar el error\",\"hom7qf\":\"Reclamar\",\"hpHJ4I\":\"Garantía liquidada\",\"hpuVIp\":\"Users who stake AAVE in Safety Module (i.e. stkAAVE holders) receive a discount on GHO borrow interest rate.\",\"huQ6Tz\":[\"Tomando prestado \",[\"symbol\"]],\"hxi7vE\":\"Balance tomado prestado\",\"i/fZ2Z\":\"Staked Balance\",\"i2JTiw\":\"Puedes ingresar una cantidad específica en el campo.\",\"iB5+/J\":\"Sobre GHO\",\"iChbOF\":\"Parámetros inconsistentes del préstamo flash\",\"iEPVHF\":\"No hay suficiente poder de voto para participar en esta propuesta\",\"iEW87X\":\"Poder delegado\",\"iEju36\":[\"Has votado \",[\"0\"]],\"iFq2YN\":\"Borrowable\",\"iGxyIA\":\"Safety Module\",\"iMVZk9\":\"Seleccionar tolerancia de deslizamiento\",\"iPMIoT\":\"Ingresa una cantidad\",\"iSLIjg\":\"Conectar\",\"iUo5rv\":\"tokens no es lo mismo que stakearlos. Si deseas stakearlos\",\"iZxa38\":\"Úsalo para votar a favor o en contra de propuestas activas.\",\"iboNXd\":\"Amount received\",\"if5PH+\":\"Collector Info\",\"igkfR1\":[\"En el Isolation mode, no puedes suministrar otros activos como garantía. Un límite de deuda global limita la capacidad de préstamo del activo aislado. Para salir del Isolation mode, deshabilita \",[\"0\"],\" como garantía antes de tomar prestado otro activo. Lee más en nuestras <0>preguntas frecuentes \"],\"il0sEG\":\"El uso de garantías está limitado debido al Isolation mode.\",\"j+K1Xj\":\"Amount After Fee\",\"jA2QeW\":\"Suministrando tu\",\"jFi7dz\":\"Tasa de interés determinada por el gobierno de Aave. Esta tasa puede cambiar con el tiempo dependiendo de la necesidad de que el suministro de GHO se contraiga/expanda. <0>Aprende más\",\"jG3UJ7\":\"Desactivar el E-Mode\",\"jKYzR1\":\"Habilitar E-Mode\",\"jMam5g\":[\"Balance \",[\"0\"]],\"jSYv+Z\":\"Enabling E-Mode allows you to maximize your borrowing power, however, borrowing is restricted to assets within the selected category. <0>Learn more about how it works and the applied restrictions.\",\"jaKbwW\":[[\"s\"],\"s\"],\"jbFMap\":\"Periodo restante de cooldown\",\"jeMZNr\":[[\"0\"],\" el servicio on-ramp es proporcionado por proveedores externos y al seleccionarlo, estás aceptando los términos de dichos proveedores. Tu acceso al servicio podría depender de que el proveedor externo esté operativo.\"],\"jfl9OP\":\"Migrado\",\"jmXdoY\":\"En E-Mode algunos activos no se pueden pedir prestados. Sal del E-Mode para obtener acceso a todos los activos\",\"jpctdh\":\"Ver\",\"jqzUyM\":\"No disponible\",\"k/sb6z\":\"Seleccionar idioma\",\"k3wP3f\":\"<0>Atención: Los cambios de parámetros a través de la gobernanza pueden alterar el factor de salud de tu cuenta y el riesgo de liquidación. Sigue el <1>foro de gobierno de Aave para mantenerte actualizado.\",\"kACpF3\":[\"Reclamar \",[\"0\"]],\"kH6wUX\":\"Impacto del precio\",\"kIC28N\":\"Available to claim\",\"kIpSye\":[[\"numSelected\"],\"/\",[\"numAvailable\"],\" activos seleccionados\"],\"kN1Yg5\":\"Para pagar en nombre de un usuario, se necesita una cantidad explícita para pagar\",\"kRTD40\":[\"Cantidad a pagar para alcanzar el \",[\"0\"],\"% de utilización\"],\"kjN9tT\":\"El límite de suministro se ha sobrepasado\",\"knxE+G\":\".JSON\",\"ks2LWT\":\"El límite de deuda no es cero\",\"kwwn6i\":\"Los usuarios que stakean AAVE en el Modulo de Seguridad (es decir, poseedores de stkAAVE) reciben un descuento en la tasa de interés de préstamo de GHO. Este descuento se aplica a 100 GHO por cada 1 stkAAVE en posesión. Usa el calculador de abajo para ver la tasa de préstamo de GHO con el descuento aplicado.\",\"kz3wtK\":\"and about SPK program\",\"kzZyM4\":\"El balance de DAI se convertirá a través de los contratos de DSR y luego se suministrará como sDAI. El cambio no genera costos adicionales ni deslizamientos.\",\"lNVG7i\":\"Selecciona un activo\",\"lU2d1/\":[\"Este activo no se puede migrar debido a una liquidez insuficiente o a una limitación del límite de préstamo en el mercado v3 de \",[\"marketName\"],\".\"],\"lVhKKI\":\"Votó YAE\",\"lWLqxB\":\"No pudimos encontrar ninguna transacción relacionada con tu búsqueda. Vuelve a intentarlo con un nombre de activo diferente o restablece los filtros.\",\"lYGfRP\":\"Inglés\",\"lfEjIE\":\"Aprende más en nuestra guía <0>Preguntas frecuentes\",\"lt6bpt\":\"Garantía a pagar con\",\"m/IEhi\":\"Emisiones totales por día\",\"m7r7Hh\":\"Activos de préstamo seleccionados\",\"mDDK4p\":\"Pool de Balancer\",\"mIM0qu\":\"Cantidad esperada a pagar\",\"mUAFd6\":\"Versión 2\",\"masO5Z\":\"E-Mode increases your LTV for a selected category of assets. <0>Learn more\",\"mdNjKU\":[\"Tu cartera de \",[\"name\"],\" está vacía. Compra o transfiere activos o usa <0>\",[\"0\"],\" para transferir tus activos de \",[\"network\"],\".\"],\"muiOng\":[\"Comprar \",[\"cryptoSymbol\"],\" con Fiat\"],\"mvCXBY\":\"Stakea AAVE\",\"mwdzil\":\"Vale, cerrar\",\"mzI/c+\":\"Descargar\",\"mzdIia\":\"Este activo no puede usarse como garantía.\",\"n+SX4g\":\"Desarrolladores\",\"n8Psk4\":\"No podemos detectar una cartera. Conecta una cartera para stakear y ver tu balance.\",\"nJIhzm\":\"Apy de suministro\",\"nJgsQu\":\"Con un poder de votación de <0/>\",\"nLC6tu\":\"Francés\",\"nN2T8p\":\"During the cooldown period, you will not earn any merit rewards. However, rewards earned up to this point will remain unaffected.\",\"nNHV0z\":\"Migrar múltiples garantías y activos prestados al mismo tiempo puede ser una operación costosa y podría fallar en ciertas situaciones.<0>Por lo tanto, no se recomienda migrar posiciones con más de 5 activos (depositados + tomados prestados) al mismo tiempo.\",\"nNbnzu\":\"Proposición\",\"nOy4ob\":\"Te sugerimos volver al Panel de control.\",\"nPGNMh\":\"Puede ser ejecutado\",\"nUK1ou\":[\"Assets with zero LTV (\",[\"0\"],\") must be withdrawn or disabled as collateral to perform this action\"],\"nakd8r\":\"poseedores de stkAAVE obtienen un descuento en la tasa de préstamo de GHO\",\"nh2EJK\":[\"Por favor, cambia a \",[\"networkName\"],\".\"],\"njBeMm\":\"Ambos\",\"noN5Xf\":\"We couldn’t detect a wallet. Connect a wallet to view your staking positions and rewards.\",\"ntkAoE\":\"Descuento aplicado para <0/> AAVE stakeados\",\"ntyFSE\":[[\"h\"],\"h\"],\"nwtY4N\":\"Se produjo un error\",\"nxyWvj\":\"Retirar esta cantidad reducirá tu factor de salud y aumentará el riesgo de liquidación.\",\"o17QVP\":\"Tu factor de salud y la relación préstamo-valor determinan la seguridad de tu garantía. Para evitar liquidaciones, puedes suministrar más garantía o pagar las posiciones de préstamo.\",\"o1xc2V\":\"El balance de AToken no es cero\",\"o4tCu3\":\"APY préstamo\",\"o5ooMr\":\"Deuda\",\"o7J4JM\":\"Filtro\",\"oHFrpj\":\"Cooldown para undstakear\",\"oJ5ZiG\":\"El usuario no tiene deuda pendiente de tasa variable en esta reserva\",\"oRBGin\":\"Por favor conecta tu cartera para cambiar tus tokens.\",\"oUwXhx\":\"Activos de prueba\",\"oWklJD\":\"La tasa de interés estable <0>permanecerá igual durante la duración de su préstamo. Está recomendado para los períodos de préstamo a largo plazo y para los usuarios que prefieren la previsibilidad.\",\"odnIK3\":\"Time remaining until the 48 hour withdraw period starts.\",\"oiK5nY\":\"The current incentives period, decided on by the Aave community, has ended. Governance is in the process on renewing, check for updates. <0>Learn more.\",\"olREoo\":\"All borrow positions outside of this category must be closed to enable this category.\",\"om/XHs\":\"Disponible para suministrar\",\"ov0+mq\":\"Eligible for the ZKSync Ignite program.\",\"ovT1pF\":[\"Per the community, the \",[\"market\"],\" has been frozen.\"],\"ow3fug\":\"Sin resultados\",\"owSsI3\":\"Firmas listas\",\"p+R52m\":\"Ir al pool de Balancer\",\"p2A+s1\":[\"El periodo de cooldown es \",[\"0\"],\". Después \",[\"1\"],\" del cooldown, entrarás a la ventana de unstakeo de \",[\"2\"],\". Continuarás recibiendo premios durante el cooldown y la ventana de unstakeo.\"],\"p2S64u\":\"La relación préstamo-valor de las posiciones migradas provocaría la liquidación. Aumenta la garantía migrada o reduce el préstamo migrado para continuar.\",\"p2Z2Qi\":\"Este activo ha alcanzado su límite de préstamo. No queda nada disponible para ser prestado de este mercado.\",\"p3j+mb\":\"Tu balance de recompensa es 0\",\"p45alK\":\"Configurar la delegación\",\"p6u2s1\":\"Minimum amount of debt to be repaid\",\"pDgeaz\":[[\"title\"]],\"pdZqBk\":\"El balance subyacente debe ser mayor que 0\",\"pgWG9H\":\"No hay suficiente balance stakeado\",\"piPrJ7\":\"por favor comprueba que la cantidad que deseas depositar no está siendo utilizada actualmente para stakear. Si está utilizando para stakear, tu transacción podría fallar.\",\"pjO/iH\":\"Cantidad mínima recibida\",\"pooutM\":\"La votación está activa\",\"pqaM5s\":\"Confirmando transacción\",\"ptaxX3\":[\"Entiendo como el cooldown (\",[\"0\"],\") y el proceso de unstaking (\",[\"1\"],\") funcionan\"],\"py2iiY\":\"La función debe ser llamada por un pool\",\"q/51mF\":\"Migrar a V3\",\"q3df11\":\"Estrategia de tasa de interés\",\"q6lAbz\":\"Stakeado\",\"qB4kPi\":\"Suministrar APY\",\"qENI8q\":\"Configuración global\",\"qGz5zl\":\"Balance de la garantía tras pagar\",\"qIW9ZH\":\"Amount staked\",\"qOqbD6\":\"copiar el error\",\"qXCkEM\":\"Por favor, conecta tu cartera para ver tus suministros, préstamos y posiciones abiertas.\",\"qY2jnw\":\"Expiración inválida\",\"qf/fr+\":\"Interés acumulado\",\"qhhf9L\":\"Rewards available to claim\",\"quYPUU\":\"Variable interest rate will <0>fluctuate based on the market conditions.\",\"quzIeW\":\"User is in isolation mode or LTV is zero\",\"qvnz3q\":\"Cantidad inválida para quemar\",\"rHgdb0\":\"Migrate to Aave V3\",\"rOrHHe\":\"La cantidad debe ser mayor que 0\",\"rQ+R+0\":\"Activos de suministro seleccionados\",\"rSayea\":\"APY\",\"rTBDeu\":[\"Este activo no se puede migrar porque tienes una garantía en Isolation Mode en el mercado v3 de \",[\"marketName\"],\" que limita los activos prestados. Puedes administrar tu garantía en el <0>Panel de control V3 de \",[\"marketName\"],\"\"],\"rcT+yy\":\"Mostrar activos con 0 balance\",\"rf8POi\":\"Cantidad de activos tomados prestados\",\"riNWOA\":\"E-Mode\",\"rjGI/Q\":\"Privacidad\",\"rnKPW1\":\"Watch a wallet balance in read-only mode\",\"ruc7X+\":\"Añade stkAAVE para ver el APY de préstamo con el descuento\",\"rvbaFU\":[\"Bridging \",[\"symbol\"]],\"rwVVB7\":\"Reclamar todas las recompensas\",\"rwyUva\":\"Estos activos están temporalmente congelados o pausados por decisiones de la comunidad de Aave, lo que significa que no se puede suministrar / tomar prestado o intercambiar tasas de estos activos. Se permiten retiros y pagos de deuda. Sigue el <0>foro de gobierno de Aave para más actualizaciones.\",\"rxJW5W\":\"Tu poder de proposición se basa en tu balance de AAVE/stkAAVE y delegaciones recibidas.\",\"s2jJnW\":\"You don't have any bridge transactions\",\"s5wBAq\":[\"Unstakear \",[\"symbol\"]],\"sJbIdI\":\"Enter ETH address or ENS\",\"sK+Nag\":\"Revisión tx\",\"sP2+gB\":\"NO\",\"sQv06Y\":\"para\",\"sTtO6J\":\"Confirmar transacción\",\"sXKb3l\":\"Tasa de cambio\",\"sb0q4+\":\"Unstakea aquí\",\"smJNwH\":\"Disponible para tomar prestado\",\"solypO\":\"El factor de salud no está por debajo del umbral\",\"sr0UJD\":\"Volver atrás\",\"ss5GCK\":\"La dirección del proveedor del grupo de direcciones no es válida\",\"swEgK4\":\"Tu información de voto\",\"t+wtgf\":\"Nada tomado prestado aún\",\"t/YqKh\":\"Eliminar\",\"t81DpC\":[\"Aprueba \",[\"symbol\"],\" para continuar\"],\"tCnbEs\":\"Precio del oráculo\",\"tFZLf8\":\"Este cálculo de gas es solo una estimación. Tu cartera establecerá el precio de la transacción. Puedes modificar la configuración de gas directamente desde tu proveedor de cartera.\",\"tHuvQI\":\"Ir al panel de control V3\",\"tKv7cI\":\"Cambiar posición de préstamo\",\"tOcg3N\":\"Dado que este activo está congelado, las únicas acciones disponibles son retirar y pagar, a las que se puede acceder desde el <0>Panel de control\",\"tOuXfv\":[\"Cantidad a tomar prestado para alcanzar el \",[\"0\"],\"% de utilización\"],\"te9Bfl\":\"Por favor, conecta tu cartera\",\"tt5yma\":\"Tus suministros\",\"ttoh5c\":\"Cambiar a\",\"u3ZeYl\":\"Error en la transacción\",\"u706uF\":\"Préstamo flash inválido\",\"u8Gfu7\":[\"Sin resultados de búsqueda\",[\"0\"]],\"uAQUqI\":\"Status\",\"uHMwk8\":\"No hay activos seleccionados para migrar.\",\"uJPHuY\":\"Migrando\",\"uY8O30\":\"Para continuar, necesitas otorgar permiso a los contratos inteligentes de Aave para mover tus fondos de tu cartera. Según el activo y la cartera que uses, se hace firmando el mensaje de permiso (sin coste de gas), o enviando una transacción de aprobación (requiere coste de gas). <0>Aprende más\",\"udFheE\":\"Para el pago de un tipo específico de deuda, el usuario necesita tener una deuda de ese tipo\",\"ulNuNq\":\"Exportar datos a\",\"ulup2p\":\"Comprar Crypto con Fiat\",\"umICAY\":\"<0><1><2/>Añade stkAAVE para ver la tasa de préstamo con descuento\",\"usB84Z\":\"La cantidad máxima disponible para tomar prestado está limitada porque casi se ha alcanzado el límite de préstamo del protocolo.\",\"uwAUvj\":\"COPIAR IMAGEN\",\"v8x7Mg\":\"Garantía insuficiente para cubrir la nueva posición de préstamo. La cartera debe tener poder de préstamo suficiente para realizar el cambio de deuda.\",\"vEqxH9\":\"Restakeado\",\"vLyv1R\":\"Ocultar\",\"vMba49\":\"Tomar prestado no está habilitado\",\"vMpNwt\":\"Aprobar con\",\"vXIe7J\":\"Idioma\",\"vesuBJ\":\"Te permite decidir si utilizar un activo suministrado como garantía. Un activo utilizado como garantía afectará a tu poder de préstamo y factor de salud.\",\"w+V9Cx\":\"Stablecoin\",\"w/JtJ3\":\"El balance de deuda estable no es cero\",\"w4VBY+\":\"APR de recompensas\",\"w9dLMW\":[[\"label\"]],\"wAOL+X\":[\"Tu \",[\"action\"],\" <0/> \",[\"symbol\"]],\"wBIsjb\":\"Canal de Discord\",\"wQZbc/\":\"El llamador de la función no es un AToken\",\"wRRqvW\":\"No tienes suministros en este activo\",\"wZFvVU\":\"VOTAR SI\",\"wb/r1O\":[\"Faucet \",[\"0\"]],\"wdxz7K\":\"Source\",\"weH1nG\":\"El Protocolo Aave está programado para usar siempre el precio de 1 GHO = $1. Esto es diferente del uso del precio de mercado a través de oráculos para otros criptoactivos. Esto crea oportunidades de arbitraje estabilizadoras cuando el precio de GHO fluctúa.\",\"wh7Ezv\":\"No tienes balance de AAVE/stkAAVE/aAave para delegar.\",\"wlsIx7\":\"Con la testnet Faucet puedes obtener activos gratuitos para probar el Protocolo Aave. Asegúrate de cambiar tu proveedor de cartera a la red de testnet adecuada, selecciona el activo deseado y haz clic en \\\"Faucet\\\" para obtener tokens transferidos a tu cartera. Los activos de una testnet no son \\\"reales\\\", lo que significada que no tienen valor monetario. <0>Aprende más\",\"wmE285\":\"Obtener Token ABP v2\",\"wyRrcJ\":\"Como resultado de las decisiones del gobierno, este pool de stakeo de ABPT está obsoleto. Tienes la flexibilidad de migrar todos tus tokens a v2 o unstakearlos sin ningún periodo de cooldown.\",\"x5KiLL\":\"Los activos seleccionados se han migrado correctamente. Visita el panel de control del mercado para verlos.\",\"x7F2p6\":\"Diferencial actual\",\"x7K5ib\":[\"Tu cartera de \",[\"networkName\"],\" está vacía. Consigue \",[\"0\"],\" de prueba gratis en\"],\"x9iLRD\":\"tokens, por favor ve al\",\"xNy/UG\":\"Pagar con\",\"xPm8wv\":\"Aprende más sobre los riesgos involucrados\",\"xXYpZl\":[[\"0\"],\" Faucet\"],\"xaVBSS\":\"Tu información\",\"xaWZ6f\":\"Cambio tipo de APY\",\"xh6k71\":\"El uso de garantías está limitado debido al isolation mode.\",\"xvIklc\":\"El préstamo flash está deshabilitado para este activo, por lo tanto, esta posición no se puede migrar.\",\"y5rS9U\":\"Migrar\",\"y66tBm\":[\"Habilitar \",[\"symbol\"],\" como garantía\"],\"yB1YpA\":\"Modo oscuro\",\"yCrG6m\":\"Tamaño total del mercado\",\"yJUUbn\":\"Resumen de la transacción\",\"yLGmLX\":[\"Restakear \",[\"symbol\"]],\"yW1oWB\":\"Tipo APY\",\"yYHqJe\":\"Dirección no válida\",\"yZwLw6\":\"Haz seguimiento de tu cartera\",\"yh2sjd\":[\"Impacto en el precio \",[\"0\"],\"%\"],\"yhvj6d\":\"No puedes cambiar el uso como modo de garantía para este activo, porque causará una liquidación\",\"ylmtBZ\":\"La aplicación se ejecuta en fork mode.\",\"ymNY32\":[\"No hay fondos suficientes en la reserva\",[\"0\"],\"para tomar prestado\"],\"yz7wBu\":\"Cerrar\",\"z4uGQg\":\"El límite de deuda está sobrepasado\",\"z5UQOM\":\"La garantía elegida no puede ser liquidada\",\"z5Y+p6\":[\"Suministrando \",[\"symbol\"]],\"zCjNKs\":\"No se puede realizar la acción porque la reserva está congelada\",\"zRHytX\":\"Límite de deuda aislado\",\"zTOjMP\":\"El límite de suministro del protocolo está al 100% para este activo. No es posible suministrar más.\",\"zVdRUG\":\"Submission did not work, please try again later or contact wecare@avara.xyz\",\"zevmS2\":\"<0><1><2/>añade <3/> stkAAVE para tomar prestado al <4/> (descuento máximo)\",\"zgtIDV\":\"Deuda restante\",\"zmTPiV\":\"Balance de suministro\",\"zpPbZl\":\"Parámetros de riesgo de liquidación\",\"zucql+\":\"Menú\",\"zwWKhA\":\"Aprende más\",\"zy9fXn\":[\"Este activo está congelado en el mercado v3 de \",[\"marketName\"],\", por lo tanto, esta posición no se puede migrar.\"],\"zys+R6\":\"Ten en cuenta la congestión de la red y los precios del gas.\",\"zzzTXS\":\"Merit Program rewards are claimed through the\"}")}; \ No newline at end of file +/*eslint-disable*/module.exports={messages:JSON.parse("{\"+0xecS\":[\"Si NO unstakeas entre \",[\"0\"],\" de la ventana de unstakeo, necesitarás activar el proceso de cooldown de nuevo.\"],\"+EGVI0\":\"Recibir (est.)\",\"+VR63W\":[\"Participar en esta reserva de \",[\"symbol\"],\" da recompensas anuales.\"],\"+bmKdK\":\"Utiliza tu balance de AAVE, stkAAVE o aAava para delegar tu voto y poder de proposición. No enviarás ningún token, solo los derechos de votar y proponer cambios en el protocolo. Puedes volver a delegar o revocar el poder de vuelta en cualquier momento.\",\"+eOPG+\":\"Parece que no podemos cambiar la red automáticamente. Por favor, comprueba si puedes cambiarla desde la cartera.\",\"+i3Pd2\":\"Límite del préstamo\",\"+kLZGu\":\"Cantidad de activos suministrados\",\"+nuEh/\":\"Estimated time\",\"+xMFF8\":\"Remind me\",\"/57U31\":\"Cantidad para migrar\",\"/7ykiW\":\"Tomar prestado esta cantidad reducirá tu factor de salud y aumentará el riesgo de liquidación.\",\"/YA5pU\":\"E-Mode increases your LTV for a selected category of assets, meaning that when E-mode is enabled, you will have higher borrowing power over assets of the same E-mode category which are defined by Aave Governance. You can enter E-Mode from your <0>Dashboard. To learn more about E-Mode and applied restrictionn, see the <1>help guide or the <2>Aave V3 Technical Paper.\",\"/izjs/\":\"Cantidad mínima de Aave stakeado\",\"/jQctM\":\"To\",\"/lDBHm\":\"Preguntas frecuentes\",\"/yNlZf\":\"El préstamo estable no está habilitado\",\"/yQcJM\":\"Valor total\",\"00AB2i\":\"El usuario no tomó prestado el activo especificado\",\"00OflG\":\"No hay suficiente liquidez para que el activo seleccionado realice el cambio. Prueba reduciendo la cantidad.\",\"08/rZ9\":\"El periodo de cooldown es el tiempo requerido antes de unstakear tus tokens (20 días). Solo puedes retirar tus activos del Módulo de Seguridad después del periodo de cooldown y dentro de la ventana de unstakeo.<0>Aprende más\",\"0AmQcW\":\"Cambio de tasa\",\"0BF3yK\":\"Lo sentimos, no hemos podido encontrar la página que estabas buscando.\",\"0TAbjq\":\"Recent Transactions\",\"0jhlyw\":\"Riesgo de liquidación\",\"0ojY+Y\":\"Balance actual v2\",\"0thX3P\":\"Cambio de garantía\",\"0wGCWc\":\"Esta es la cantidad total que puedes suministrar en esta reserva. Puedes suministrar el balance de tu cartera hasta que se alcance el límite de suministro.\",\"1AsVfF\":\"Los datos de los precios no están disponibles actualmente para esta reserva en el subgraph del protocolo\",\"1LjK22\":\"Historial de transacciones\",\"1Onqx8\":[\"Aprobando \",[\"symbol\"],\"...\"],\"1Ue8sX\":\"Por favor conecta una cartera para ver tu información personal aquí.\",\"1YH41K\":[\"After the cooldown period ends, you will enter the unstake window of \",[\"0\"],\". You will continue receiving rewards during cooldown and the unstake period.\"],\"1bpx9A\":\"...\",\"1kWUB+\":\"Umbral <0/> de liquidación\",\"1m9Qqc\":\"Retirando y Cambiando\",\"1oyh4g\":\"Borrow rate\",\"1t7rez\":\"El suministro de activos está limitado a una cierta cantidad para reducir la exposición del protocolo a este activo y ayudar a manejar los riesgos implicados.\",\"2CAPu2\":\"Has retirado y cambiado tokens con éxito.\",\"2Eoi/a\":\"Ver detalles\",\"2FYpfJ\":\"Más\",\"2O3qp5\":\"Liquidez disponible\",\"2OM8/D\":[\"Este activo no se puede migrar debido a una restricción del límite de suministro en el mercado v3 de \",[\"marketName\"],\".\"],\"2Q4GU4\":\"Dirección bloqueada\",\"2ZGocC\":\"Aave es un protocolo totalmente descentralizado, gobernado por la comunidad de poseedores de tokens AAVE. Los poseedores de tokens AAVE discuten, proponen y votan colectivamente sobre las actualizaciones del protocolo. Los poseedores de tokens AAVE (solo en la red Ethereum) pueden votar ellos mismos sobre nuevas propuestas o delegarse a una dirección de su elección. Para aprender más, consulta la\",\"2a6G7d\":\"Por favor introduce una dirección de cartera válida.\",\"2bAhR7\":\"Conoce GHO\",\"2eBWE6\":\"Acepto los riesgos involucadros.\",\"2o/xRt\":\"Se ha alcanzado el límite de suministro en la reserva especificada. Prueba reduciendo la cantidad.\",\"2uJToh\":[[\"0\"],[\"name\"]],\"2x58bP\":\"El préstamo estable no está habilitado\",\"34Qfwy\":\"El límite del préstamo se ha sobrepasado\",\"39eQRj\":[\"Tomar prestado \",[\"symbol\"]],\"3BL1xB\":\"Total suministrado\",\"3BnIWi\":\"Cambiado\",\"3K0oMo\":\"Suministro restante\",\"3MoZhl\":\"No hay suficiente garantía para cubrir un nuevo préstamo\",\"3Np5O8\":[\"Suministrar \",[\"symbol\"]],\"3O8YTV\":\"Interés total acumulado\",\"3mXg0z\":\"LTV máximo\",\"3q3mFy\":\"Pagar\",\"3qsjtp\":\"El promedio ponderado de APY para todos los activos suministrados, incluidos los incentivos.\",\"3rL+os\":\"Solo puedes retirar tus activos del Módulo de Seguridad después de que finalice el período de cooldown y la ventana de unstakeo esté activa.\",\"42UgDM\":[\"Migrar al mercado V3 de \",[\"0\"]],\"49UFQA\":\"Resultados de la votación\",\"4DMZUI\":\"Ver Transacciones\",\"4HtGBb\":\"MAX\",\"4Y5H+g\":\"Términos\",\"4YYh4d\":\"Máximo disponible para tomar prestado\",\"4iPAI3\":\"Cantidad de préstamo mínima de GHO\",\"4lDFps\":\"Firma para continuar\",\"4wyw8H\":\"Transacciones\",\"5JSSxX\":[\"Tu cartera de \",[\"networkName\"],\" está vacía. Consigue activos de prueba gratis en\"],\"5K7kGO\":\"documentación\",\"5NOSGa\":\"El límite de deuda limita la cantidad posible que los usuarios del protocolo pueden tomar prestado contra este activo. El límite de deuda es específico para los activos en isolation mode y se indica en USD.\",\"5Ncc6j\":[\"Este activo casi ha alcanzado su límite de suministro. Solo se puede suministrar \",[\"messageValue\"],\" a este mercado.\"],\"5cZ/KX\":\"El suministro de deuda variable no es cero\",\"5che++\":\"Para solicitar acceso a este mercado, porfavor visita: <0>Nombre del proveedor de acceso\",\"5ctNdV\":[\"Mínimo \",[\"0\"],\" recibido\"],\"5hDe9v\":\"Acción de permiso requerida\",\"5rsnKT\":\"Recompensas disponibles\",\"5yC5m5\":\"Ver todos los votos\",\"6/dCYd\":\"Resumen\",\"60crCe\":\"Todas las transacciones\",\"62Xcjh\":\"Garantía\",\"65A04M\":\"Español\",\"6G8s+q\":\"Firmando\",\"6Jrv+z\":[\"Pagar \",[\"symbol\"]],\"6NGLTR\":\"Cantidad descontable\",\"6Xr0UU\":\"Cooling down...\",\"6bxci/\":\"Poder de votación\",\"6f8S68\":\"Mercados\",\"6g1gi0\":\"Propuestas\",\"6gvoHP\":\"Copiar mensaje de error\",\"6h3Q5G\":\"reembolsado\",\"6lFSyT\":\"Available to Stake\",\"6s8L6f\":\"Cambiar de red\",\"6yAAbq\":\"APY, tasa de préstamo\",\"70wH1Q\":\"APR\",\"72c5Qo\":\"Total\",\"73Auuq\":\"Los parámetros de descuento son decididos por la comunidad de Aave y pueden cambiar con el tiempo. Consulta el Gobierno para ver actualizaciones y vota para participar. <0>-Aprende más\",\"75qcAQ\":[[\"stepName\"]],\"7ITr5L\":\"Factor de salud\",\"7T/o5R\":\"Alcanzado\",\"7YlcXu\":\"El fork mode está activado\",\"7Z76Iw\":\"Tomar prestado no está disponible porque estás usando el Isolation mode. Para administrar el Isolation mode, visita tu <0>Panel de control.\",\"7aKlMS\":\"Compartir en Lens\",\"7bdUsR\":\"Redeem as aToken\",\"7er5fP\":\"Reclamar todo\",\"7hb2+s\":\"Time remaining until the withdraw period ends.\",\"7l88b8\":\"No se pudieron recuperar los datos, por favor recarga el gráfico.\",\"7p5kLi\":\"Panel de control\",\"7sofdl\":\"Retirar y Cambiar\",\"8+6BI0\":\"Ten cuidado - Estás muy cerca de la liquidación. Considera depositar más garantía o pagar alguno de tus préstamos\",\"87pUEW\":[\"Tu cartera de \",[\"name\"],\" está vacía. Compra o transfiere activos.\"],\"8F1i42\":\"Página no encontrada\",\"8G8M0u\":\"Cargando datos...\",\"8Iu1QS\":\"retirado\",\"8JL93T\":\"Todas las propuestas\",\"8Q51DU\":\"Añadir a la cartera\",\"8X/oyn\":\"Cantidad invalidad para generar\",\"8Z5FPv\":\"Desconectar cartera\",\"8Zz7s5\":\"activos\",\"8aLW8H\":\"Balance a revocar\",\"8bOT3H\":\"Tasa de uso\",\"8sLe4/\":\"Ver contrato\",\"8t/M0y\":\"Please connect your wallet to be able to bridge your tokens.\",\"8vETh9\":\"Mostrar\",\"94OHPx\":\"Estás entrando en el Isolation mode\",\"9CDK3/\":[\"Tomar prestado no está disponible actualmente para \",[\"0\"],\".\"],\"9GIj3z\":\"Tamaño de la reserva\",\"9Knqb4\":\"Balance stakeado\",\"9OBKm7\":\"Quorum\",\"9QHoGr\":\"Votos actuales\",\"9Rw96f\":[\"Este activo casi ha alcanzado su límite de préstamo. Solo hay \",[\"messageValue\"],\" disponibles para ser prestado de este mercado.\"],\"9Xj/qR\":[\"Algunos activos migrados no se utilizarán como garantía debido al isolation mode habilitado en el mercado V3 de \",[\"marketName\"],\". Visita el <0>Panel de control de \",[\"marketName\"],\" V3 para administrar el isolation mode.\"],\"9c6vDV\":\"Este activo ha alcanzado su límite de suministro. No queda nada disponible para ser suministrado desde este mercado.\",\"9kTWHA\":\"MAI ha sido pausado debido a una decisión de la comunidad. Los suministros, préstamos y pagos se han visto afectados. <0>Más información\",\"9lXchd\":\"Token subyacente\",\"9rWaKF\":\"Bridged Via CCIP\",\"9xSooW\":\"Puesto que esta es una red de pruebas, puedes obtener cualquiera de los activos si tienes ETH en tu cartera\",\"A/lwoe\":\"Elige uno de los servicios on-ramp\",\"A6dCI6\":[\"La máxima cantidad disponible para tomar prestado es <0/> \",[\"0\"],\" (<1/>).\"],\"AReoaV\":\"Tus préstamos\",\"ARu1L4\":\"Pagado\",\"AV7cGz\":\"Revisa los detalles del approve\",\"AZOjB8\":\"Recuperando datos...\",\"Ai0jas\":\"Únete a la discusión de la comunidad\",\"Ajl2rq\":\"El poder de préstamo y los activos están limitados debido al Isolation mode.\",\"AqgYNC\":\"El límite de préstamo del protocolo está al 100% para este activo. No es posible tomar más prestado.\",\"B3EcQR\":\"¡Gracias por votar!\",\"B6aXGH\":\"Estable\",\"B9Gqbz\":\"Tasa variable\",\"BDFEd+\":\"stETH suministrado como garantía continuará acumulando recompensas de staking proporcionadas por rebases diarios.\",\"BE2mP0\":\"Borrowed assets\",\"BJyN77\":\"Debido al impacto del factor de salud, se requiere un préstamo flash para realizar esta transacción, pero el Gobierno de Aave ha inhabilitado la disponibilidad de préstamos flash para este activo. Intenta reducir la cantidad o suministrar garantía adicional.\",\"BNL4Ep\":\"El uso como garantía está limitado debido al isolation mode. <0>Aprende más\",\"BQ/wCO\":\"Migrate your assets\",\"BjLdl1\":\"Con un descuento\",\"BnhYo8\":\"Categoría de activos\",\"Bq9Y7e\":\"Este activo está congelado debido a una decisión de la comunidad de Aave. <0>Más información\",\"BqWMDJ\":\"Faucet\",\"BqynZO\":\"Optimized for efficiency and risk by supporting blue-chip collateral assets\",\"Bsu7zX\":\"The fee includes the gas cost to complete the transaction on the destination chain and the fee paid to Chainlink CCIP service providers. You can chose to pay in the network token or GHO. <0>Learn more\",\"BwJKBw\":\"de\",\"C4/GSi\":\"Your balance of assets that are available to stake\",\"CDrsH+\":\"Documento técnico\",\"CK1KXz\":\"Max\",\"CMHmbm\":\"Deslizamiento\",\"CZXzs4\":\"Griego\",\"CcRNG6\":\"Cambiando\",\"CkTRmy\":[\"Reclamar \",[\"symbol\"]],\"CsqtLm\":\"Por favor conecta tu cartera para ver la herramienta de migración.\",\"CtGlFb\":[\"Faucet \",[\"networkName\"]],\"Cxt2YY\":\"Watch wallet\",\"D33VQU\":\"Esta acción reducirá el factor de salud de V3 por debajo del umbral de liquidación. Aumenta la garantía migrada o reduce el préstamo migrado para continuar.\",\"D8sc3k\":\"Stake balance\",\"D9BLRG\":\"Este activo ha sido pausado debido a una decisión de la comunidad. El suministro, los retiros, los préstamos y los pagos se han visto afectados.\",\"DAma/S\":\"La garantía es (en su mayoría) el mismo activo que se está tomando prestado\",\"DCnFg0\":[\"Direcciones (\",[\"0\"],\")\"],\"DG3Lv1\":\"Entiendo completamente los riesgos de migrar.\",\"DONJcV\":\"El activo base no puede ser rescatado\",\"DR+4uL\":\"Balance del suministro después del cambio\",\"DWjrck\":[\"Este activo no se puede migrar al mercado V3 de \",[\"marketName\"],\" debido a las restricciones del E-mode. Puedes deshabilitar o administrar las categorías del E-mode en tu <0>Panel de control V3\"],\"Dj+3wB\":\"Aave por mes\",\"DptNvx\":\"Amount Staked\",\"DuEq2K\":\"Colateralización\",\"DxfsGs\":\"Puedes reportar cualquier incidente a nuestro <0>Discord o <1>Github.\",\"Dzma+E\":\"Main Ethereum market with the largest selection of assets and yield options\",\"E/QGRL\":\"Deshabilitado\",\"EBL9Gz\":\"¡COPIADO!\",\"ES8dkb\":\"Interés fijo\",\"EZd3Dk\":[\"Restakeando \",[\"symbol\"]],\"EZqFZ+\":\"Staking this asset will earn the underlying asset supply yield in additon to other configured rewards.\",\"Ebgc76\":[\"Retirando \",[\"symbol\"]],\"EdQY6l\":\"Ninguno\",\"EjvKQ+\":\"Valor mínimo en USD recibido\",\"Enslfm\":\"Destination\",\"EvE9nO\":[\"Reactivar el periodo de cooldown para unstakear \",[\"0\"],\" \",[\"stakedToken\"]],\"EvECnL\":\"Migrar a V3\",\"EzMQbh\":\"The source chain time to finality is the main factor that determines the time to destination. <0>Learn more\",\"F40cwT\":\"Legacy Markets\",\"F6TdXL\":\"Aprende más.\",\"FDDPeZ\":\"Users can stake their assets in the protocol and earn incentives. In the case of a shortfall event, your stake can be slashed to cover the deficit, providing an additional layer of protection for the protocol.\",\"FHlMf/\":\"Balance actual v2\",\"FHpxjF\":[\"El factor de reserva es un porcentaje de interés que va a un \",[\"0\"],\" que es controlado por el gobierno de Aave para promover el crecimiento del ecosistema.\"],\"FOBZa6\":\"Capacidad de préstamo utilizada\",\"FPKEug\":\"Operación no soportada\",\"FbmMe7\":\"Direcciones vinculadas\",\"Fdp03t\":\"en\",\"Fjw9N+\":\"Activos a suministrar\",\"FmN0fk\":\"Restakear\",\"GDGLIs\":\"GHO es un activo nativo descentralizado, digital y respaldado por garantía, vinculado al USD. Es creado por los usuarios que lo toman prestado contra múltiples garantías. Cuando el usuario paga su posición de préstamo de GHO, el protocolo quema el GHO de ese usuario. Todos los pagos de interés acumulados por los acuñadores de GHO serán transferidos directamente a la tesorería de\xA0la\xA0DAO\xA0de\xA0Aave.\",\"GQrBTq\":\"Cambiar E-Mode\",\"GWswcZ\":\"Este activo está congelado debido a una decisión del Gobierno del Protocolo Aave. El 20 de diciembre de 2022, renFIL ya no será compatible y no se podrá conectar de nuevo a su red nativa. Se recomienda retirar las posiciones de suministro y pagar las posiciones de préstamo para que renFIL se pueda convertir de nuevo a FIL antes de la fecha límite. Después de esta fecha, ya no será posible convertir renFIL a FIL. <0>Más detalles\",\"GX8GKD\":\"Activos\",\"GgEj+0\":\"Modo de solo lectura. Conéctate a una cartera para realizar transacciones.\",\"GjkIKV\":\"finaliza\",\"GoK/QN\":\"Thank you for submitting feedback!\",\"GtP2hp\":[\"Tomar prestado no está disponible porque has habilitado el Efficieny Mode (E-Mode) para la categoría \",[\"0\"],\". Para manejar las categorías del E-Mode visita tu <0>Panel de control.\"],\"H6Ma8Z\":\"Descuento\",\"HB/wfS\":[[\"tooltipText\"]],\"HKDsQN\":\"Rewards can be claimed through\",\"Ha/U5f\":\"This is a program initiated and implemented by the decentralised ZKSync community. Aave Labs does not guarantee the program and accepts no liability.\",\"HciqKU\":\"This is a program initiated and implemented by the decentralised Aave community. Aave Labs does not guarantee the program and accepts no liability.\",\"Hi6Ttn\":\"Lo sentimos, se produjo un error imprevisto. Mientras tanto, puedes intentar recargar la página, o volver después.\",\"HkEDbS\":[[\"d\"],\"d\"],\"HmkYqM\":\"Ventana de unstakeo\",\"HpK/8d\":\"Recargar\",\"HrnC47\":\"Guardar y compartir\",\"HuVZMK\":\"Days\",\"HvJKMU\":[\"Este activo no se puede migrar al mercado v3 de \",[\"marketName\"],\", ya que el activo de garantía habilitará el isolation mode.\"],\"Hvwnm9\":[\"La cantidad máxima disponible para suministrar está limitada porque el límite de suministro del protocolo está al \",[\"0\"],\"%.\"],\"I8CX2c\":\"La cantidad total de tus activos denominados en USD que pueden ser usados como garantía para activos de préstamo.\",\"IAD2SB\":[\"Reclamando \",[\"symbol\"]],\"IG9X9/\":\"Tomar prestado este activo está limitado a una cierta cantidad para minimizar la insolvencia del fondo de liquidez.\",\"IOIx8L\":\"Está previsto que este activo se desvincule debido a una decisión del Gobierno del Protocolo Aave. <0>Más detalles\",\"IP+I/j\":\"Periodo de cooldown\",\"IaA40H\":\"Liquidación en\",\"J/hVSQ\":[[\"0\"]],\"JCoxL6\":\"Administrar analíticas\",\"JK9zf1\":[\"Interés compuesto estimado, incluyendo el descuento por Staking \",[\"0\"],\"AAVE en el Módulo de Seguridad.\"],\"JOqFba\":[\"Unstakeando \",[\"symbol\"]],\"JPrLjO\":\"No puedes usar este activo como garantía\",\"JU6q+W\":\"Recompensa(s) por reclamar\",\"JYKRJS\":\"Stakear\",\"JZMxX0\":\"No hay suficiente balance en tu cartera\",\"Jgflkm\":\"Obtener GHO\",\"JoMQnI\":\"Balance de la cartera\",\"JtwD8u\":\"Balance tomado prestado tras pagar\",\"JumYTK\":\"Supplied assets\",\"K05qZY\":\"Retirar y Cambiar\",\"KAz/NV\":\"El límite de deuda del protocolo está al 100% para este activo. No es posible tomar más prestado usando este activo como garantía.\",\"KLXVqE\":[\"Los tokens stETH se migrarán a Wrapped stETH usando el wrapper del protocolo de Lido, lo que provoca un cambio en el balance de suministro después de la migración: \",[\"0\"]],\"KLd6ky\":\"Use connected account\",\"KRpokz\":\"VER TX\",\"KSlpka\":\"Esto representa el umbral en el que un préstamo será considerado sin garantía suficiente y sujeto a la liquidación de la misma. Por ejemplo, si una garantía tiene un umbral de liquidación del 80 %, significa que el préstamo será liquidado cuando el valor de la deuda alcanze el 80% del valor de la garantía.\",\"KYAjf3\":\"Aislado\",\"KZwRuD\":[[\"notifyText\"]],\"KkPgim\":\"Cambiando E-Mode\",\"KnN1Tu\":\"Caduca\",\"KoOBI2\":\"Debido a mecánicas internas de stETH requeridas para el soporte del rebase, no es posible realizar un cambio de garantía donde stETH es el token de origen.\",\"KojyJ4\":\"Red incorrecta\",\"KsqhWn\":\"Staking\",\"KuBTQq\":\"Introduce la dirección ETH\",\"KvG1xW\":\"Reclamando\",\"L+8Lzs\":\"LTV actual\",\"L+qiq+\":\"Mercado\",\"LDzfVJ\":\"Send Feedback\",\"LIrMcF\":\"Sin poder de voto\",\"LL0zks\":\"Puede ser garantía\",\"LLdJWu\":\"AAVE Reclamable\",\"LSIpNK\":\"Tomar prestado y pagar en el mismo bloque no está permitido\",\"LVt3TI\":[\"<0>Tolerancia de deslizamiento <1>\",[\"selectedSlippage\"],\"% <2>\",[\"0\"],\"\"],\"LjafV8\":\"Maximum collateral amount to use\",\"LtpQew\":\"Let us know how we can make the app better for you. For user support related inquiries please reach out on\",\"LvVpD/\":\"Modo E\",\"M2sknc\":\"Tip: Intenta aumentar el deslizamiento o reduce la cantidad de entrada\",\"M7wPsD\":\"Cambiar\",\"MFu33y\":\"Staking 00\",\"MIy2RJ\":\"Maximum amount received\",\"MZ/nQf\":\"Dirección del destinatario\",\"Ma/MtY\":\"vista de stakeo\",\"McHlGl\":\"Cambio de APY\",\"MeCCA+\":\"APY, variable\",\"MghdTe\":\"Si el factor de salud se encuentra por debajo de 1, la liquidación de tu colateral puede ser activada.\",\"Mm/DVQ\":\"Has cancelado la transacción.\",\"MnE2QX\":\"Información de préstamo\",\"MrmQHg\":\"View Bridge Transactions\",\"MuDFEQ\":\"Valor de retorno inválido en la función executor del préstamo flash\",\"N5kUMV\":\"Este activo solo se puede utilizar como garantía en isolation mode con poder de préstamo limitado. Para entrar en el isolation mode, deshabilita todas las demás garantías.\",\"N6Pxr9\":\"View all\",\"NF0e1Q\":\"Pendiente...\",\"NK9ikO\":\"Balance de la cartera\",\"NMt2CB\":\"Cantidad reclamable\",\"NcFGxG\":\"Collector Contract\",\"NfpPeS\":\"Nada invertido\",\"Nh9DAo\":[[\"m\"],\"m\"],\"O+sCUU\":\"El límite de minteo sin respaldo ha sido excedido\",\"O+tyU+\":[\"La cantidad máxima disponible para tomar prestado contra este activo está limitada porque el límite de deuda está al \",[\"0\"],\"%.\"],\"O3oNi5\":\"Email\",\"OFjZGo\":\"Unstakear\",\"OR8cYX\":\"Resumen de la propuesta\",\"OYuJ9K\":\"El límite de deuda del protocolo está al 100% para este activo. No es posible tomar más prestado usando este activo como garantía.\",\"OfhWJH\":\"Restablecer\",\"Og2SKn\":\"deshabilitado\",\"On0aF2\":\"Página web\",\"OsyKSt\":\"Retirar\",\"P1dURE\":\"Revocar poder\",\"P2WCD/\":[\"El activo subyacente no existe en el mercado v3 de \",[\"marketName\"],\", por lo tanto, esta posición no se puede migrar.\"],\"P2sL6B\":\"Cuando ocurre una liquidación, los liquidadores pagan hasta el 50% de la cantidad pendiente del préstamo en nombre del prestatario. A cambio, pueden comprar la garantía con descuento y quedarse con la diferencia (sanción de liquidación) como bonificación.\",\"P6sRoL\":\"Stakea ABPT\",\"P72/OW\":\"El promedio ponderado de APY para todos los activos prestados, incluidos los incentivos.\",\"P7e6Ug\":\"Por favor conecta tu cartera para ver el historial de transacciones.\",\"PByO0X\":\"Votos\",\"PI+kVe\":\"Deshabilitar fork\",\"PJK9u/\":\"Apy préstamo\",\"PLUB/s\":\"Fee\",\"PP5ZA8\":[\"Participating in staking \",[\"symbol\"],\" gives annualized rewards. Your wallet balance is the sum of your aTokens and underlying assets. The breakdown to stake is below\"],\"PcBUgb\":\"Umbral de liquidación\",\"PjU6bu\":\"This asset is eligible for SPK incentive program. Aave Labs does not guarantee the program and accepts no liability.\",\"PpqD5g\":\"Habilitar este activo como garantía aumenta tu poder préstamo y el factor de salud. Sin embargo, puede ser liquidado si tu factor de salud cae por debajo de 1.\",\"PsOFSf\":\"Esta acción reducirá el factor de salud V2 por debajo del umbral de liquidación. Mantén la garantía o migra la posición de préstamo para continuar.\",\"Pu4bI/\":[[\"currentMethod\"]],\"Q0LzKi\":\"View TX\",\"Q4eNqa\":\"El Aave Balancer Pool Token (ABPT) es un token de pool de liquidez. Puedes recibir ABPT depositando una combinación de AAVE + wstETH en el pool de liquidez de Balancer. Luego puedes stakear tu BPT en el módulo de seguridad para asegurar el protocolo y ganar incentivos de seguridad.\",\"QQYsQ7\":\"Retirando\",\"QWYCs/\":\"Stakear GHO\",\"R+30X3\":\"No alcanzado\",\"RCU5PY\":\"Age\",\"RIfckG\":[\"Desactivar \",[\"symbol\"],\" como garantía\"],\"RMtxNk\":\"Diferencial\",\"RNK49r\":\"Firma inválida\",\"RS0o7b\":\"Estado\",\"RU+LqV\":\"Detalles de la propuesta\",\"RbXH+k\":\"Los poseedores de AAVE, GHO y ABPT (solo en la red de Ethereum) pueden stakear sus activos en el Módulo de Seguridad para añadir más seguridad al protocolo y obtener incentivos de seguridad. En el caso de un evento de shortfall, tu stakeo puede ser reducido para cubrir el déficit. proporcionando una capa adicional de protección para el protocolo.\",\"RiSYV4\":\"El activo no está listado\",\"Rj01Fz\":\"Enlaces\",\"RmWFEe\":\"Staking APR\",\"RoafuO\":\"Enviar feedback\",\"RtBLm7\":\"El factor de salud es menor que el umbral de liquidación\",\"RxzN1M\":\"Habilitado\",\"SDav7h\":\"Fondos en el Módulo de Seguridad\",\"SENccp\":\"Si el error persiste, <0/> podrías reportarlo a esto\",\"SIWumd\":\"Mostrar activos congelados o pausados\",\"SM58dD\":\"Cantidad en cooldown\",\"SSMiac\":\"Error al cargar los votantes de la propuesta. Por favor actualiza la página.\",\"SSQVIz\":\"Umbral de liquidación\",\"SUb8x0\":\"Total disponible\",\"SWIgh4\":\"Fees exceed wallet balance\",\"SY9hVo\":\"El modo de solo lectura permite ver las posiciones de las direcciones en Aave, pero no podrás realizar transacciones.\",\"SZRUQ4\":\"Deslizamiento máximo\",\"Sa1UE/\":\"El límite de préstamo del protocolo está al 100% para este activo. No es posible tomar más prestado.\",\"Sk2zW9\":\"Desactivando E-Mode\",\"SxaD0o\":\"La dirección del proveedor del pool no esta registrada\",\"T/AIqG\":\"El límite de suministro del protocolo está al 100% para este activo. No es posible suministrar más.\",\"T0xCO9\":\"No se puede validar la dirección de la cartera. Vuelve a intentarlo.\",\"T4OhVl\":\"GHO balance\",\"T6uYU2\":\"Tomar prestado\",\"TFxQlw\":\"Penalización de liquidación\",\"TQ7WsV\":\"Available to stake\",\"TUI7iB\":\"El activo solo puede usarse como garantía en el Isolation mode únicamente.\",\"TbjyhA\":\"Docs\",\"TduuS0\":\"El usuario no tiene deuda pendiente de tasa estable en esta reserva\",\"TeCFg/\":\"Cambio de tasa de préstamo\",\"Tg1JyO\":\"Bridge history\",\"TskbEN\":\"Los poseedores de stkAAVE reciben un descuento en la tasa de préstamo de GHO\",\"TszKts\":\"Balance de préstamo después del cambio\",\"TtZL6q\":\"Parámetros del modelo de descuento\",\"TwJI9F\":\"Asset has been successfully sent to CCIP contract. You can check the status of the transactions below\",\"Tz0GSZ\":\"actividades bloqueadas\",\"U/eBjN\":\"Recarga la página\",\"U2r8nY\":\"Elige cuánto poder de voto/proposición otorgar a otra persona delegando parte de tu balance de AAVe o stkAAVE. Tus tokens permanecerán en tu cuenta, pero tu delegado podrá votar o proponer en tu lugar. Si tu balance de AAVE, stkAAVE o aAave cambia, el poder de voto/proposición de tu delegado se ajustará automáticamente.\",\"U8IubP\":\"La aplicación se está ejecutando en testnet mode. Aprende como funciona en\",\"U9btTk\":\"El activo no se puede pedir prestado en isolation mode\",\"UAOZRe\":\"El impacto del precio es la diferencia entre el valor total de los tokens de entrada cambiados y los tokens de destino obtenidos (en USD), que resulta de la liquidez limitada del par de cambio.\",\"UE3KJZ\":\"El historial de transacciones no está disponible actualmente para este mercado\",\"URmyfc\":\"Detalles\",\"UTTKmT\":\"Cooldown de stakeo activado\",\"UXeR72\":\"Estos fondos se han tomado prestados y no están disponibles para su retirada en este momento.\",\"UYb8CM\":\"Learn more about the SPK rewards\",\"UbRrG0\":\"El ratio LTV máximo representa el poder de endeudamiento máximo de una garantía específica. Por ejemplo, si una garantía tiene un LTV del 75 %, el usuario puede pedir prestado hasta 0,75 ETH en la moneda principal por cada 1 ETH de garantía.\",\"UpndFj\":\"No hay recompensas para reclamar\",\"V0f2Xv\":\"Factor de reserva\",\"V1HK43\":\"Riesgos de migración\",\"VATFH9\":\"Deuda cubierta\",\"VHOVEJ\":\"Conectar cartera\",\"VMfYUK\":\"Seguridad de tu garantía depositada contra los activos prestados y su valor subyacente.\",\"VOAZJh\":\"Total de préstamos\",\"ViKYxK\":\"YAE\",\"W1SSoD\":\"Revisar detalles de la tx\",\"W5hVah\":\"Nada suministrado aún\",\"W5kTFy\":\"Votando\",\"W8ekPc\":\"Volver al panel de control\",\"WMPbRK\":\"No respaldado\",\"WNGZwH\":\"El E-Mode incrementa tu LTV para una categoría seleccionada de activos hasta el <0/>. <1>Aprende más\",\"WPWG/y\":\"Configuración y estado de la reserva\",\"WZLQSU\":\"El usuario no puede retirar más que el balance disponible\",\"WaZyaV\":\"<0>Ampleforth es un activo con rebase. Visita la <1>documentación para aprender más.\",\"WfU+XN\":\"Debido a que este activo está en pausa, no se pueden realizar acciones hasta nuevo aviso\",\"Wjmqs2\":\"No results found. You can import a custom token with a contract address\",\"WkZ6C6\":\"Para tomar prestado, necesitas suministrar cualquier activo para ser utilizado como garantía.\",\"WyMiQm\":\"Has cambiado los tokens con éxito.\",\"X/ITG9\":\"Copiar el texto del error\",\"X3Pp6x\":\"Utilizado como garantía\",\"X4Zt7j\":\"No se puede realizar la acción porque la reserva está pausada\",\"XBdKOj\":\"Direcciones de cartera de contrato inteligente representativas (Safe) en otras cadenas.\",\"XZzneG\":\"Saldrás del modo aislamiento y otros tokens pueden ser usados ahora como garantía\",\"Xg5y9S\":\"Amount to Bridge\",\"Xn4hUi\":\"Por favor ten siempre en cuenta tu <0>factor de salud (HF) cuando migres parcialmente una posición y que tus tasas serán actualizadas a tasas de la V3.\",\"Xy71ST\":\"Umbrella\",\"Y5kGkc\":\"VOTAR NO\",\"YDIOks\":\"Habilitar E-Mode\",\"YSodyW\":\"Esta acción reducirá tu factor de salud. Por favor ten en cuenta el riesgo incrementado de liquidación de la garantía.\",\"YXOWXM\":\"The total amount bridged minus CCIP fees. Paying in network token does not impact gho amount.\",\"YirHq7\":\"Feedback\",\"YogbCJ\":\"Testnet mode está ON\",\"YrDxdO\":\"Si tu relación préstamo-valor supera el umbral de liquidación, tu garantía puede ser liquidada.\",\"YyIM65\":\"No se cumplieron las condiciones de ajuste de tasas de interés\",\"YyydIq\":[\"Añade \",[\"0\"],\" a tu cartera para hacer un seguimiento del balance.\"],\"ZBvhI+\":\"Gobierno de Aave\",\"ZIIRAd\":\"Raw-Ipfs\",\"ZRq4tX\":\"Modo de eficiencia (E-Mode)\",\"ZSqEW+\":\"Manage E-Mode\",\"ZUFYFE\":\"Deshabilitar testnet\",\"Zbyywy\":\"Max slashing\",\"ZfUGFb\":\"Antes de suministrar\",\"ZiXN+B\":\"Assets to stake\",\"ZlsSDH\":\"Valor de liquidación\",\"ZrEc8j\":\"No pudimos encontrar ningún activo relacionado con tu búsqueda. Vuelve a intentarlo con un nombre diferente de activo, símbolo o dirección.\",\"ZsLF7e\":\"habilitado\",\"a0YQoQ\":\"Enter a valid address\",\"a2fBZn\":\"Tempo restante para unstakear\",\"a5RYZd\":\"Deshabilitar este activo como garantía afecta tu poder de préstamo y Factor de Salud.\",\"a7u1N9\":\"Precio\",\"a9D+6D\":\"Unstakeado\",\"aEtiwq\":\"Votar NO\",\"aMmFE1\":\"Comprar Crypto con Fiat\",\"aOKIms\":\"Los parámetros del array que deberían ser iguales en longitud no lo son\",\"aX31hk\":\"Tu balance es más bajo que la cantidad seleccionada.\",\"adUsDd\":\"Se ha producido un error al recuperar la propuesta.\",\"al6Pyz\":\"Supera el descuento\",\"aoXTT7\":\"APY préstamo, variable\",\"aqX1Yp\":\"This asset is eligible for rewards through SuperFest. Aave Labs does not guarantee the program and accepts no liability.\",\"avgETN\":\"Eligible for the Merit program.\",\"b4NS3e\":\"Advertencia periodo de cooldown\",\"bBHmeP\":\"Available to withdraw\",\"bNEQeI\":\"Cooldown\",\"bSruit\":\"ZKSync Ignite Program rewards are claimed through the\",\"bUUVED\":\"Activo\",\"bXQ/Og\":\"Compartir en twitter\",\"bXr0ee\":\"Los activos aislados han limitado tu capacidad de préstamo y otros activos no pueden ser usados como garantía.\",\"bYmAV1\":\"Direcciones\",\"bguKoJ\":\"La cantidad solicitada es mayor que el tamaño máximo del préstamo en el modo de tasa estable\",\"bwSQI0\":\"Suministrar\",\"bxN6EM\":\"No se puede deshabilitar E-Mode\",\"bxmzSh\":\"No hay suficiente garantía para pagar esta cantidad de deuda con\",\"c91vuQ\":\"La dirección no es un contrato\",\"c97os2\":\"aToken de Aave\",\"c9b44w\":\"No puedes retirar esta cantidad porque causará una liquidación\",\"cBc+4A\":\"Esta es la cantidad total disponible que puedes tomar prestada. Puedes tomar prestado basado en tu garantía y hasta que el límite de préstamo se alcance.\",\"cIl5kp\":\"Tu poder de voto se basa en tu balance de AAVE/stkAAVE y delegaciones recibidas.\",\"cLo09S\":\"Detalles de riesgo\",\"cNT+ij\":\"Tomar prestado no está disponible porque has habilitado el Efficiency Mode (E-Mode) y el Isolation mode. Para administrar el E-Mode y el Isolation Mode, visita tu <0>Panel de control.\",\"cZOeBk\":\"Something went wrong fetching bridge message, please try again later.\",\"ceix5S\":\"Para enviar una propuesta de cambios menores al protocolo, necesitarás al menos 80K de poder. Si deseas cambiar la base central del código, necesitarás un poder de 320K.<0>Aprende más\",\"ciSsYT\":\"Staking APY\",\"ciybUa\":\"Votar SI\",\"ckf7gX\":[\"Pagando \",[\"symbol\"]],\"cp1ZDP\":[\"Bridge \",[\"symbol\"]],\"cqnmnD\":\"Tasa de interés efectiva\",\"cqwIvs\":\"Hilo de discusión del foro\",\"csDS2L\":\"Disponible\",\"cu7Stb\":\"No has participado en esta propuesta\",\"dE6BLF\":\"Gobierno\",\"dEgA5A\":\"Cancelar\",\"dIsyWh\":\"La validación del LTV ha fallado\",\"dMtLDE\":\"para\",\"dOB5nW\":[\"La cantidad máxima disponible para suministrar es <0/> \",[\"0\"],\" (<1/>).\"],\"dVfODp\":\"No tienes suficientes fondos en tu cartera para pagar la cantidad total. Si procedes a pagar con tu cantidad actual de fondos, aún tendrás un pequeño préstamo en tu panel de control.\",\"dXUQFX\":\"Activos a tomar prestado\",\"dgr1aY\":\"Tomar prestado está deshabilitado debido a una decisión de la comunidad de Aave. <0>Más información\",\"djsg0o\":\"Uso de la garantía\",\"dpc0qG\":\"Variable\",\"drdV8R\":\"Liquidación\",\"dxW8cS\":\"Token de deuda de Aave\",\"e4V3oW\":\"Top 10 direcciones\",\"eD8WX/\":\"La acción requiere una reserva activa\",\"eJRJ04\":\"Cantidad para unstakear\",\"eLh0cL\":\"El deslizamiento es la diferencia entre las cantidades calculadas y las recibidas debido a las condiciones cambiantes del mercado entre el momento en que se envía la transacción y su verificación.\",\"ePK91l\":\"Editar\",\"eVpCmf\":\"Recompensas de Staking\",\"eVqvtf\":\"Bridge GHO\",\"eYdurp\":\"Aún no hay transacciones.\",\"ebLGGN\":\"Total tomado prestado\",\"ecqEvn\":\"El balance de garantía es 0\",\"efdrrk\":\"Disponible en\",\"enruNF\":\"empieza\",\"eqLYiD\":\"Unstakea ahora\",\"euScGB\":\"APY con descuento aplicado\",\"evw5ha\":\"Valor neto\",\"ezcU16\":\"Obtener Token ABP\",\"f3W0Ej\":[\"Has cambiado a tasa \",[\"0\"]],\"fH9i8k\":\"Has cambiado con éxito la posición de préstamo.\",\"fHcELk\":\"APR Neto\",\"fMJQZK\":\"Prestado\",\"fZ5Vnu\":\"Recibido\",\"firl9Q\":\"Tu actual relación préstamo-valor basado en tu garantía suministrada.\",\"flRCF/\":\"Descuento por staking\",\"fldjW9\":\"Previsualizar la tx y migrar\",\"fsBGk0\":\"Balance\",\"fu1Dbh\":[\"Retirar \",[\"symbol\"]],\"fwjWSI\":\"Suministrado\",\"fwyTMb\":\"Migrar a stkABPT v2\",\"g0mals\":\"You can not disable E-Mode because that could cause liquidation. To exit E-Mode supply or repay borrowed positions.\",\"g2UNkE\":\"Powered by\",\"g8KGoA\":\"FAQS\",\"g9zzqS\":\"Votó NAY\",\"gDd2gk\":\"about SuperFest.\",\"gFFh9h\":\"¡Todo listo!\",\"gIMJlW\":\"Testnet mode\",\"gOzPxe\":\"Este activo está congelado debido a una decisión del Gobierno del Protocolo Aave. <0>More información\",\"gTHi2T\":\"El usuario está intentando tomar prestado múltiples activos incluido uno aislado\",\"gVW59Y\":\"Por favor conecta tu cartera para obtener activos testnet gratis.\",\"gcFNxP\":\"Aprobación confirmada\",\"gncRUO\":\"Esta dirección está bloqueada en app.aave.com porque está asociada con una o más\",\"goff7V\":\"Dirección cero no válida\",\"gp+f1B\":\"Versión 3\",\"gr8mYw\":\"Puedes tomar prestado hasta <0/> GHO al <1/> (descuento máximo)\",\"gvTM4B\":\"El APY neto es el efecto combinado de todos los suministros y préstamos sobre total, incluidos los incentivos. Es posible tener un APY neto negativo si el APY de la deuda es mayor que el APY de suministro.\",\"gzcch9\":\"Comisión de puente de protocolo inválida\",\"h33MxW\":\"Direcciones de cartera de contrato inteligente representantes (Safe) en otras cadenas.\",\"h3ilK+\":\".CSV\",\"hB23LY\":\"Activar Cooldown\",\"hIJzBh\":\"Available to Claim\",\"hIS4N0\":\"APY neto\",\"hRWvpI\":\"Reclamado\",\"hdmy/o\":\"El % de tu poder de préstamo total utilizado. Esto se basa en la cantidad de tu garantía suministrada y la cantidad total que puedes pedir prestado.\",\"hehnjM\":\"Cantidad\",\"hjDCQr\":\"Hubo un error. Por favor intenta cambiar los parámetros o <0><1>copiar el error\",\"hom7qf\":\"Reclamar\",\"hpHJ4I\":\"Garantía liquidada\",\"hpuVIp\":\"Users who stake AAVE in Safety Module (i.e. stkAAVE holders) receive a discount on GHO borrow interest rate.\",\"huQ6Tz\":[\"Tomando prestado \",[\"symbol\"]],\"hxi7vE\":\"Balance tomado prestado\",\"i/fZ2Z\":\"Staked Balance\",\"i2JTiw\":\"Puedes ingresar una cantidad específica en el campo.\",\"iB5+/J\":\"Sobre GHO\",\"iChbOF\":\"Parámetros inconsistentes del préstamo flash\",\"iEPVHF\":\"No hay suficiente poder de voto para participar en esta propuesta\",\"iEW87X\":\"Poder delegado\",\"iEju36\":[\"Has votado \",[\"0\"]],\"iFq2YN\":\"Borrowable\",\"iGxyIA\":\"Safety Module\",\"iMVZk9\":\"Seleccionar tolerancia de deslizamiento\",\"iPMIoT\":\"Ingresa una cantidad\",\"iSLIjg\":\"Conectar\",\"iUo5rv\":\"tokens no es lo mismo que stakearlos. Si deseas stakearlos\",\"iZxa38\":\"Úsalo para votar a favor o en contra de propuestas activas.\",\"iboNXd\":\"Amount received\",\"if5PH+\":\"Collector Info\",\"igkfR1\":[\"En el Isolation mode, no puedes suministrar otros activos como garantía. Un límite de deuda global limita la capacidad de préstamo del activo aislado. Para salir del Isolation mode, deshabilita \",[\"0\"],\" como garantía antes de tomar prestado otro activo. Lee más en nuestras <0>preguntas frecuentes \"],\"il0sEG\":\"El uso de garantías está limitado debido al Isolation mode.\",\"j+K1Xj\":\"Amount After Fee\",\"jA2QeW\":\"Suministrando tu\",\"jFi7dz\":\"Tasa de interés determinada por el gobierno de Aave. Esta tasa puede cambiar con el tiempo dependiendo de la necesidad de que el suministro de GHO se contraiga/expanda. <0>Aprende más\",\"jG3UJ7\":\"Desactivar el E-Mode\",\"jKYzR1\":\"Habilitar E-Mode\",\"jMam5g\":[\"Balance \",[\"0\"]],\"jSYv+Z\":\"Enabling E-Mode allows you to maximize your borrowing power, however, borrowing is restricted to assets within the selected category. <0>Learn more about how it works and the applied restrictions.\",\"jaKbwW\":[[\"s\"],\"s\"],\"jbFMap\":\"Periodo restante de cooldown\",\"jeMZNr\":[[\"0\"],\" el servicio on-ramp es proporcionado por proveedores externos y al seleccionarlo, estás aceptando los términos de dichos proveedores. Tu acceso al servicio podría depender de que el proveedor externo esté operativo.\"],\"jfl9OP\":\"Migrado\",\"jmXdoY\":\"En E-Mode algunos activos no se pueden pedir prestados. Sal del E-Mode para obtener acceso a todos los activos\",\"jpctdh\":\"Ver\",\"jqzUyM\":\"No disponible\",\"k/sb6z\":\"Seleccionar idioma\",\"k3wP3f\":\"<0>Atención: Los cambios de parámetros a través de la gobernanza pueden alterar el factor de salud de tu cuenta y el riesgo de liquidación. Sigue el <1>foro de gobierno de Aave para mantenerte actualizado.\",\"kACpF3\":[\"Reclamar \",[\"0\"]],\"kH6wUX\":\"Impacto del precio\",\"kIC28N\":\"Available to claim\",\"kIpSye\":[[\"numSelected\"],\"/\",[\"numAvailable\"],\" activos seleccionados\"],\"kN1Yg5\":\"Para pagar en nombre de un usuario, se necesita una cantidad explícita para pagar\",\"kRTD40\":[\"Cantidad a pagar para alcanzar el \",[\"0\"],\"% de utilización\"],\"kgKqPv\":\"You can not stake this amount because it will cause collateral call\",\"kjN9tT\":\"El límite de suministro se ha sobrepasado\",\"knxE+G\":\".JSON\",\"ks2LWT\":\"El límite de deuda no es cero\",\"kwwn6i\":\"Los usuarios que stakean AAVE en el Modulo de Seguridad (es decir, poseedores de stkAAVE) reciben un descuento en la tasa de interés de préstamo de GHO. Este descuento se aplica a 100 GHO por cada 1 stkAAVE en posesión. Usa el calculador de abajo para ver la tasa de préstamo de GHO con el descuento aplicado.\",\"kz3wtK\":\"and about SPK program\",\"kzZyM4\":\"El balance de DAI se convertirá a través de los contratos de DSR y luego se suministrará como sDAI. El cambio no genera costos adicionales ni deslizamientos.\",\"lNVG7i\":\"Selecciona un activo\",\"lU2d1/\":[\"Este activo no se puede migrar debido a una liquidez insuficiente o a una limitación del límite de préstamo en el mercado v3 de \",[\"marketName\"],\".\"],\"lVhKKI\":\"Votó YAE\",\"lWLqxB\":\"No pudimos encontrar ninguna transacción relacionada con tu búsqueda. Vuelve a intentarlo con un nombre de activo diferente o restablece los filtros.\",\"lYGfRP\":\"Inglés\",\"lfEjIE\":\"Aprende más en nuestra guía <0>Preguntas frecuentes\",\"lt6bpt\":\"Garantía a pagar con\",\"m/IEhi\":\"Emisiones totales por día\",\"m7r7Hh\":\"Activos de préstamo seleccionados\",\"mDDK4p\":\"Pool de Balancer\",\"mIM0qu\":\"Cantidad esperada a pagar\",\"mUAFd6\":\"Versión 2\",\"masO5Z\":\"E-Mode increases your LTV for a selected category of assets. <0>Learn more\",\"mdNjKU\":[\"Tu cartera de \",[\"name\"],\" está vacía. Compra o transfiere activos o usa <0>\",[\"0\"],\" para transferir tus activos de \",[\"network\"],\".\"],\"muiOng\":[\"Comprar \",[\"cryptoSymbol\"],\" con Fiat\"],\"mvCXBY\":\"Stakea AAVE\",\"mwdzil\":\"Vale, cerrar\",\"mzI/c+\":\"Descargar\",\"mzdIia\":\"Este activo no puede usarse como garantía.\",\"n+SX4g\":\"Desarrolladores\",\"n8Psk4\":\"No podemos detectar una cartera. Conecta una cartera para stakear y ver tu balance.\",\"nJIhzm\":\"Apy de suministro\",\"nJgsQu\":\"Con un poder de votación de <0/>\",\"nLC6tu\":\"Francés\",\"nN2T8p\":\"During the cooldown period, you will not earn any merit rewards. However, rewards earned up to this point will remain unaffected.\",\"nNHV0z\":\"Migrar múltiples garantías y activos prestados al mismo tiempo puede ser una operación costosa y podría fallar en ciertas situaciones.<0>Por lo tanto, no se recomienda migrar posiciones con más de 5 activos (depositados + tomados prestados) al mismo tiempo.\",\"nNbnzu\":\"Proposición\",\"nOy4ob\":\"Te sugerimos volver al Panel de control.\",\"nPGNMh\":\"Puede ser ejecutado\",\"nUK1ou\":[\"Assets with zero LTV (\",[\"0\"],\") must be withdrawn or disabled as collateral to perform this action\"],\"nakd8r\":\"poseedores de stkAAVE obtienen un descuento en la tasa de préstamo de GHO\",\"nh2EJK\":[\"Por favor, cambia a \",[\"networkName\"],\".\"],\"njBeMm\":\"Ambos\",\"noN5Xf\":\"We couldn’t detect a wallet. Connect a wallet to view your staking positions and rewards.\",\"ntkAoE\":\"Descuento aplicado para <0/> AAVE stakeados\",\"ntyFSE\":[[\"h\"],\"h\"],\"nwtY4N\":\"Se produjo un error\",\"nxyWvj\":\"Retirar esta cantidad reducirá tu factor de salud y aumentará el riesgo de liquidación.\",\"o17QVP\":\"Tu factor de salud y la relación préstamo-valor determinan la seguridad de tu garantía. Para evitar liquidaciones, puedes suministrar más garantía o pagar las posiciones de préstamo.\",\"o1xc2V\":\"El balance de AToken no es cero\",\"o4tCu3\":\"APY préstamo\",\"o5ooMr\":\"Deuda\",\"o7J4JM\":\"Filtro\",\"oHFrpj\":\"Cooldown para undstakear\",\"oJ5ZiG\":\"El usuario no tiene deuda pendiente de tasa variable en esta reserva\",\"oRBGin\":\"Por favor conecta tu cartera para cambiar tus tokens.\",\"oUwXhx\":\"Activos de prueba\",\"oWklJD\":\"La tasa de interés estable <0>permanecerá igual durante la duración de su préstamo. Está recomendado para los períodos de préstamo a largo plazo y para los usuarios que prefieren la previsibilidad.\",\"odnIK3\":\"Time remaining until the 48 hour withdraw period starts.\",\"oiK5nY\":\"The current incentives period, decided on by the Aave community, has ended. Governance is in the process on renewing, check for updates. <0>Learn more.\",\"olREoo\":\"All borrow positions outside of this category must be closed to enable this category.\",\"om/XHs\":\"Disponible para suministrar\",\"ov0+mq\":\"Eligible for the ZKSync Ignite program.\",\"ovT1pF\":[\"Per the community, the \",[\"market\"],\" has been frozen.\"],\"ow3fug\":\"Sin resultados\",\"owSsI3\":\"Firmas listas\",\"p+R52m\":\"Ir al pool de Balancer\",\"p2A+s1\":[\"El periodo de cooldown es \",[\"0\"],\". Después \",[\"1\"],\" del cooldown, entrarás a la ventana de unstakeo de \",[\"2\"],\". Continuarás recibiendo premios durante el cooldown y la ventana de unstakeo.\"],\"p2S64u\":\"La relación préstamo-valor de las posiciones migradas provocaría la liquidación. Aumenta la garantía migrada o reduce el préstamo migrado para continuar.\",\"p2Z2Qi\":\"Este activo ha alcanzado su límite de préstamo. No queda nada disponible para ser prestado de este mercado.\",\"p3j+mb\":\"Tu balance de recompensa es 0\",\"p45alK\":\"Configurar la delegación\",\"p6u2s1\":\"Minimum amount of debt to be repaid\",\"pDgeaz\":[[\"title\"]],\"pdZqBk\":\"El balance subyacente debe ser mayor que 0\",\"pgWG9H\":\"No hay suficiente balance stakeado\",\"piPrJ7\":\"por favor comprueba que la cantidad que deseas depositar no está siendo utilizada actualmente para stakear. Si está utilizando para stakear, tu transacción podría fallar.\",\"pjO/iH\":\"Cantidad mínima recibida\",\"pooutM\":\"La votación está activa\",\"pqaM5s\":\"Confirmando transacción\",\"ptaxX3\":[\"Entiendo como el cooldown (\",[\"0\"],\") y el proceso de unstaking (\",[\"1\"],\") funcionan\"],\"py2iiY\":\"La función debe ser llamada por un pool\",\"q/51mF\":\"Migrar a V3\",\"q3df11\":\"Estrategia de tasa de interés\",\"q6lAbz\":\"Stakeado\",\"qB4kPi\":\"Suministrar APY\",\"qENI8q\":\"Configuración global\",\"qGz5zl\":\"Balance de la garantía tras pagar\",\"qIW9ZH\":\"Amount staked\",\"qOqbD6\":\"copiar el error\",\"qXCkEM\":\"Por favor, conecta tu cartera para ver tus suministros, préstamos y posiciones abiertas.\",\"qY2jnw\":\"Expiración inválida\",\"qf/fr+\":\"Interés acumulado\",\"qhhf9L\":\"Rewards available to claim\",\"quYPUU\":\"Variable interest rate will <0>fluctuate based on the market conditions.\",\"quzIeW\":\"User is in isolation mode or LTV is zero\",\"qvnz3q\":\"Cantidad inválida para quemar\",\"rHgdb0\":\"Migrate to Aave V3\",\"rOrHHe\":\"La cantidad debe ser mayor que 0\",\"rQ+R+0\":\"Activos de suministro seleccionados\",\"rSayea\":\"APY\",\"rTBDeu\":[\"Este activo no se puede migrar porque tienes una garantía en Isolation Mode en el mercado v3 de \",[\"marketName\"],\" que limita los activos prestados. Puedes administrar tu garantía en el <0>Panel de control V3 de \",[\"marketName\"],\"\"],\"rcT+yy\":\"Mostrar activos con 0 balance\",\"rf8POi\":\"Cantidad de activos tomados prestados\",\"riNWOA\":\"E-Mode\",\"rjGI/Q\":\"Privacidad\",\"rnKPW1\":\"Watch a wallet balance in read-only mode\",\"ruc7X+\":\"Añade stkAAVE para ver el APY de préstamo con el descuento\",\"rvbaFU\":[\"Bridging \",[\"symbol\"]],\"rwVVB7\":\"Reclamar todas las recompensas\",\"rwyUva\":\"Estos activos están temporalmente congelados o pausados por decisiones de la comunidad de Aave, lo que significa que no se puede suministrar / tomar prestado o intercambiar tasas de estos activos. Se permiten retiros y pagos de deuda. Sigue el <0>foro de gobierno de Aave para más actualizaciones.\",\"rxJW5W\":\"Tu poder de proposición se basa en tu balance de AAVE/stkAAVE y delegaciones recibidas.\",\"s2jJnW\":\"You don't have any bridge transactions\",\"s5wBAq\":[\"Unstakear \",[\"symbol\"]],\"sJbIdI\":\"Enter ETH address or ENS\",\"sK+Nag\":\"Revisión tx\",\"sP2+gB\":\"NO\",\"sQv06Y\":\"para\",\"sTtO6J\":\"Confirmar transacción\",\"sXKb3l\":\"Tasa de cambio\",\"sb0q4+\":\"Unstakea aquí\",\"smJNwH\":\"Disponible para tomar prestado\",\"solypO\":\"El factor de salud no está por debajo del umbral\",\"sr0UJD\":\"Volver atrás\",\"ss5GCK\":\"La dirección del proveedor del grupo de direcciones no es válida\",\"swEgK4\":\"Tu información de voto\",\"t+wtgf\":\"Nada tomado prestado aún\",\"t/YqKh\":\"Eliminar\",\"t81DpC\":[\"Aprueba \",[\"symbol\"],\" para continuar\"],\"tCnbEs\":\"Precio del oráculo\",\"tFZLf8\":\"Este cálculo de gas es solo una estimación. Tu cartera establecerá el precio de la transacción. Puedes modificar la configuración de gas directamente desde tu proveedor de cartera.\",\"tHuvQI\":\"Ir al panel de control V3\",\"tKv7cI\":\"Cambiar posición de préstamo\",\"tOcg3N\":\"Dado que este activo está congelado, las únicas acciones disponibles son retirar y pagar, a las que se puede acceder desde el <0>Panel de control\",\"tOuXfv\":[\"Cantidad a tomar prestado para alcanzar el \",[\"0\"],\"% de utilización\"],\"te9Bfl\":\"Por favor, conecta tu cartera\",\"tt5yma\":\"Tus suministros\",\"ttoh5c\":\"Cambiar a\",\"u3ZeYl\":\"Error en la transacción\",\"u706uF\":\"Préstamo flash inválido\",\"u8Gfu7\":[\"Sin resultados de búsqueda\",[\"0\"]],\"uAQUqI\":\"Status\",\"uHMwk8\":\"No hay activos seleccionados para migrar.\",\"uJPHuY\":\"Migrando\",\"uY8O30\":\"Para continuar, necesitas otorgar permiso a los contratos inteligentes de Aave para mover tus fondos de tu cartera. Según el activo y la cartera que uses, se hace firmando el mensaje de permiso (sin coste de gas), o enviando una transacción de aprobación (requiere coste de gas). <0>Aprende más\",\"udFheE\":\"Para el pago de un tipo específico de deuda, el usuario necesita tener una deuda de ese tipo\",\"ulNuNq\":\"Exportar datos a\",\"ulup2p\":\"Comprar Crypto con Fiat\",\"umICAY\":\"<0><1><2/>Añade stkAAVE para ver la tasa de préstamo con descuento\",\"usB84Z\":\"La cantidad máxima disponible para tomar prestado está limitada porque casi se ha alcanzado el límite de préstamo del protocolo.\",\"uwAUvj\":\"COPIAR IMAGEN\",\"v8x7Mg\":\"Garantía insuficiente para cubrir la nueva posición de préstamo. La cartera debe tener poder de préstamo suficiente para realizar el cambio de deuda.\",\"vEqxH9\":\"Restakeado\",\"vLyv1R\":\"Ocultar\",\"vMba49\":\"Tomar prestado no está habilitado\",\"vMpNwt\":\"Aprobar con\",\"vXIe7J\":\"Idioma\",\"vesuBJ\":\"Te permite decidir si utilizar un activo suministrado como garantía. Un activo utilizado como garantía afectará a tu poder de préstamo y factor de salud.\",\"w+V9Cx\":\"Stablecoin\",\"w/JtJ3\":\"El balance de deuda estable no es cero\",\"w4VBY+\":\"APR de recompensas\",\"w9dLMW\":[[\"label\"]],\"wAOL+X\":[\"Tu \",[\"action\"],\" <0/> \",[\"symbol\"]],\"wBIsjb\":\"Canal de Discord\",\"wQZbc/\":\"El llamador de la función no es un AToken\",\"wRRqvW\":\"No tienes suministros en este activo\",\"wZFvVU\":\"VOTAR SI\",\"wb/r1O\":[\"Faucet \",[\"0\"]],\"wdxz7K\":\"Source\",\"weH1nG\":\"El Protocolo Aave está programado para usar siempre el precio de 1 GHO = $1. Esto es diferente del uso del precio de mercado a través de oráculos para otros criptoactivos. Esto crea oportunidades de arbitraje estabilizadoras cuando el precio de GHO fluctúa.\",\"wh7Ezv\":\"No tienes balance de AAVE/stkAAVE/aAave para delegar.\",\"wlsIx7\":\"Con la testnet Faucet puedes obtener activos gratuitos para probar el Protocolo Aave. Asegúrate de cambiar tu proveedor de cartera a la red de testnet adecuada, selecciona el activo deseado y haz clic en \\\"Faucet\\\" para obtener tokens transferidos a tu cartera. Los activos de una testnet no son \\\"reales\\\", lo que significada que no tienen valor monetario. <0>Aprende más\",\"wmE285\":\"Obtener Token ABP v2\",\"wyRrcJ\":\"Como resultado de las decisiones del gobierno, este pool de stakeo de ABPT está obsoleto. Tienes la flexibilidad de migrar todos tus tokens a v2 o unstakearlos sin ningún periodo de cooldown.\",\"x5KiLL\":\"Los activos seleccionados se han migrado correctamente. Visita el panel de control del mercado para verlos.\",\"x7F2p6\":\"Diferencial actual\",\"x7K5ib\":[\"Tu cartera de \",[\"networkName\"],\" está vacía. Consigue \",[\"0\"],\" de prueba gratis en\"],\"x9iLRD\":\"tokens, por favor ve al\",\"xNy/UG\":\"Pagar con\",\"xPm8wv\":\"Aprende más sobre los riesgos involucrados\",\"xXYpZl\":[[\"0\"],\" Faucet\"],\"xaVBSS\":\"Tu información\",\"xaWZ6f\":\"Cambio tipo de APY\",\"xh6k71\":\"El uso de garantías está limitado debido al isolation mode.\",\"xvIklc\":\"El préstamo flash está deshabilitado para este activo, por lo tanto, esta posición no se puede migrar.\",\"y5rS9U\":\"Migrar\",\"y66tBm\":[\"Habilitar \",[\"symbol\"],\" como garantía\"],\"yB1YpA\":\"Modo oscuro\",\"yCrG6m\":\"Tamaño total del mercado\",\"yJUUbn\":\"Resumen de la transacción\",\"yLGmLX\":[\"Restakear \",[\"symbol\"]],\"yW1oWB\":\"Tipo APY\",\"yYHqJe\":\"Dirección no válida\",\"yZwLw6\":\"Haz seguimiento de tu cartera\",\"yh2sjd\":[\"Impacto en el precio \",[\"0\"],\"%\"],\"yhvj6d\":\"No puedes cambiar el uso como modo de garantía para este activo, porque causará una liquidación\",\"ylmtBZ\":\"La aplicación se ejecuta en fork mode.\",\"ymNY32\":[\"No hay fondos suficientes en la reserva\",[\"0\"],\"para tomar prestado\"],\"yz7wBu\":\"Cerrar\",\"z4uGQg\":\"El límite de deuda está sobrepasado\",\"z5UQOM\":\"La garantía elegida no puede ser liquidada\",\"z5Y+p6\":[\"Suministrando \",[\"symbol\"]],\"zCjNKs\":\"No se puede realizar la acción porque la reserva está congelada\",\"zRHytX\":\"Límite de deuda aislado\",\"zTOjMP\":\"El límite de suministro del protocolo está al 100% para este activo. No es posible suministrar más.\",\"zVdRUG\":\"Submission did not work, please try again later or contact wecare@avara.xyz\",\"zevmS2\":\"<0><1><2/>añade <3/> stkAAVE para tomar prestado al <4/> (descuento máximo)\",\"zgtIDV\":\"Deuda restante\",\"zmTPiV\":\"Balance de suministro\",\"zpPbZl\":\"Parámetros de riesgo de liquidación\",\"zucql+\":\"Menú\",\"zwWKhA\":\"Aprende más\",\"zy9fXn\":[\"Este activo está congelado en el mercado v3 de \",[\"marketName\"],\", por lo tanto, esta posición no se puede migrar.\"],\"zys+R6\":\"Ten en cuenta la congestión de la red y los precios del gas.\",\"zzzTXS\":\"Merit Program rewards are claimed through the\"}")}; \ No newline at end of file diff --git a/src/locales/fr/messages.js b/src/locales/fr/messages.js index 7bfe6e949d..3c1a3a33c7 100644 --- a/src/locales/fr/messages.js +++ b/src/locales/fr/messages.js @@ -1 +1 @@ -/*eslint-disable*/module.exports={messages:JSON.parse("{\"+0xecS\":[\"Si vous NE vous désengagez PAS dans les \",[\"0\"],\" de la fenêtre de désengagement, vous devrez réactiver le processus de refroidissement.\"],\"+EGVI0\":\"Recevoir (est.)\",\"+VR63W\":[\"Participer à cette réserve \",[\"symbol\"],\" donne des récompenses annualisées.\"],\"+bmKdK\":\"Use your AAVE, stkAAVE, or aAave balance to delegate your voting and proposition powers. You will not be sending any tokens, only the rights to vote and propose changes to the protocol. You can re-delegate or revoke power to self at any time.\",\"+eOPG+\":\"On dirait que nous ne pouvons pas changer de réseau automatiquement. Veuillez vérifier si vous pouvez le changer depuis le portefeuille.\",\"+i3Pd2\":\"Limite d'emprunt\",\"+kLZGu\":\"Montant de l’actif fourni\",\"+nuEh/\":\"Estimated time\",\"+xMFF8\":\"Remind me\",\"/57U31\":\"Amount to migrate\",\"/7ykiW\":\"Emprunter ce montant réduira votre facteur santé et augmentera le risque de liquidation.\",\"/YA5pU\":\"E-Mode increases your LTV for a selected category of assets, meaning that when E-mode is enabled, you will have higher borrowing power over assets of the same E-mode category which are defined by Aave Governance. You can enter E-Mode from your <0>Dashboard. To learn more about E-Mode and applied restrictionn, see the <1>help guide or the <2>Aave V3 Technical Paper.\",\"/izjs/\":\"Montant minimum d’Aave mis en jeu\",\"/jQctM\":\"To\",\"/lDBHm\":\"FAQ\",\"/yNlZf\":\"L'emprunt stable n'est pas activé\",\"/yQcJM\":\"Valeur totale\",\"00AB2i\":\"L'utilisateur n'a pas emprunté la devise spécifiée\",\"00OflG\":\"Il n’y a pas assez de liquidités pour que l’actif cible puisse effectuer le changement. Essayez de réduire le montant.\",\"08/rZ9\":\"La période de recharge est le temps nécessaire avant de retirer vos jetons (20 jours). Vous ne pouvez retirer vos actifs du module de sécurité qu’après la période de recharge et pendant la période de désenjeu. <0>Pour en savoir plus\",\"0AmQcW\":\"Changement de taux\",\"0BF3yK\":\"Désolé, nous n’avons pas trouvé la page que vous cherchiez.\",\"0TAbjq\":\"Recent Transactions\",\"0jhlyw\":\"Risque de liquidation\",\"0ojY+Y\":\"Solde actuel v2\",\"0thX3P\":\"Modification des garanties\",\"0wGCWc\":\"Il s'agit du montant total que vous pouvez emprunter. Vous pouvez emprunter en fonction de votre garantie et jusqu'à ce que le plafond d'emprunt soit atteint.\",\"1AsVfF\":\"À l’heure actuelle, les données sur les prix ne sont pas disponibles pour cette réserve dans le sous-graphe du protocole\",\"1LjK22\":\"Historique des transactions\",\"1Onqx8\":[\"Approuver \",[\"symbol\"],\"...\"],\"1Ue8sX\":\"Veuillez connecter un portefeuille pour afficher vos informations personnelles ici.\",\"1YH41K\":[\"After the cooldown period ends, you will enter the unstake window of \",[\"0\"],\". You will continue receiving rewards during cooldown and the unstake period.\"],\"1bpx9A\":\"...\",\"1kWUB+\":\"Seuil de liquidation <0/>\",\"1m9Qqc\":\"Retrait et changement\",\"1oyh4g\":\"Borrow rate\",\"1t7rez\":\"L’offre d’actifs est limitée à un certain montant afin de réduire l’exposition du protocole à l’actif et d’aider à gérer les risques encourus.\",\"2CAPu2\":\"Vous avez retiré et échangé des jetons avec succès.\",\"2Eoi/a\":\"Voir détails\",\"2FYpfJ\":\"Plus\",\"2O3qp5\":\"Liquidités disponibles\",\"2OM8/D\":[\"L’actif ne peut pas être migré en raison d’une restriction de plafond d’approvisionnement dans \",[\"marketName\"],\" v3 marché.\"],\"2Q4GU4\":\"Adresse bloquée\",\"2ZGocC\":\"Aave est un protocole entièrement décentralisé et régi par la communauté par les détenteurs de jetons AAVE. Les détenteurs de jetons AAVE discutent, proposent et votent collectivement sur les mises à niveau du protocole. Les détenteurs de jetons AAVE (réseau Ethereum uniquement) peuvent soit voter eux-mêmes sur de nouvelles propositions, soit choisir l’adresse de leur choix. Pour en savoir plus, consultez la page Gouvernance\",\"2a6G7d\":\"Veuillez saisir une adresse de portefeuille valide.\",\"2bAhR7\":\"Rencontrez GHO\",\"2eBWE6\":\"Je reconnais les risques encourus.\",\"2o/xRt\":\"Plafond d'approvisionnement sur la réserve cible atteint. Essayez de réduire le montant.\",\"2uJToh\":[[\"0\"],[\"name\"]],\"2x58bP\":\"L'emprunt stable est activé\",\"34Qfwy\":\"Le plafond d'emprunt est dépassé\",\"39eQRj\":[\"Emprunter \",[\"symbole\"]],\"3BL1xB\":\"Total fourni\",\"3BnIWi\":\"Commuté\",\"3K0oMo\":\"Offre restante\",\"3MoZhl\":\"Il n'y a pas assez de collatéral pour couvrir un nouvel emprunt\",\"3Np5O8\":[\"Fournir \",[\"symbole\"]],\"3O8YTV\":\"Total des intérêts courus\",\"3mXg0z\":\"Max LTV\",\"3q3mFy\":\"Rembourser\",\"3qsjtp\":\"La moyenne pondérée de l'APY pour tous les actifs fournis, y compris les incitations.\",\"3rL+os\":\"Vous ne pouvez retirer vos actifs du module de sécurité qu'après la fin de la période de refroidissement et que la fenêtre de retrait est active.\",\"42UgDM\":[\"Migrer vers \",[\"0\"],\" Marché v3\"],\"49UFQA\":\"Résultats du vote\",\"4DMZUI\":\"Afficher les transactions\",\"4HtGBb\":\"MAX\",\"4Y5H+g\":\"Petits caractères\",\"4YYh4d\":\"Maximum available to borrow\",\"4iPAI3\":\"Montant minimum d’emprunt GHO\",\"4lDFps\":\"Signez pour continuer\",\"4wyw8H\":\"Transactions\",\"5JSSxX\":[\"Votre \",[\"networkName\"],\" Le portefeuille est vide. Obtenez des ressources de test gratuites à l’adresse suivante :\"],\"5K7kGO\":\"documentation\",\"5NOSGa\":\"Le plafond de la dette limite le montant que les utilisateurs du protocole peuvent emprunter sur cet actif. Le plafond de la dette est spécifique aux actifs isolés et est indiqué en USD.\",\"5Ncc6j\":[\"Cet actif a presque atteint son plafond d'offre. Il ne peut y avoir que \",[\"messageValue\"],\" fourni à ce marché.\"],\"5cZ/KX\":\"L'offre de dette variable n'est pas nulle\",\"5che++\":\"Pour demander l'accès à ce marché autorisé, veuillez consulter\xA0: <0>Nom du fournisseur d'accès\",\"5ctNdV\":[\"Minimum \",[\"0\"],\" reçu\"],\"5hDe9v\":\"Allocation action requise\",\"5rsnKT\":\"Récompenses disponibles\",\"5yC5m5\":\"Voir tous les votes\",\"6/dCYd\":\"Aperçu\",\"60crCe\":\"Toutes les transactions\",\"62Xcjh\":\"Collatérale\",\"65A04M\":\"Espagnol\",\"6G8s+q\":\"Signature\",\"6Jrv+z\":[\"Rembourser \",[\"symbole\"]],\"6NGLTR\":\"Montant actualisable\",\"6Xr0UU\":\"Refroidissement...\",\"6bxci/\":\"Pouvoir de vote\",\"6f8S68\":\"Marchés\",\"6g1gi0\":\"Les propositions\",\"6gvoHP\":\"Copier le message d’erreur\",\"6h3Q5G\":\"Remboursé\",\"6lFSyT\":\"Available to Stake\",\"6s8L6f\":\"Changer de réseau\",\"6yAAbq\":\"APY, borrow rate\",\"70wH1Q\":\"APR\",\"72c5Qo\":\"Total\",\"73Auuq\":\"Les paramètres de remise sont décidés par la communauté Aave et peuvent être modifiés au fil du temps. Consultez la section Gouvernance pour les mises à jour et votez pour participer. <0>Pour en savoir plus\",\"75qcAQ\":[[\"stepName\"]],\"7ITr5L\":\"Facteur de santé\",\"7T/o5R\":\"Atteint\",\"7YlcXu\":\"Fork mode is ON\",\"7Z76Iw\":\"L’emprunt n’est pas disponible car vous utilisez le mode Isolation. Pour gérer le mode d’isolation, rendez-vous sur votre <0>tableau de bord.\",\"7aKlMS\":\"Partager sur Lens\",\"7bdUsR\":\"Redeem as aToken\",\"7er5fP\":\"Réclamer tout\",\"7hb2+s\":\"Time remaining until the withdraw period ends.\",\"7l88b8\":\"Les données n’ont pas pu être récupérées, veuillez recharger le graphique.\",\"7p5kLi\":\"Tableau de bord\",\"7sofdl\":\"Retrait et échange\",\"8+6BI0\":\"Soyez prudent - Vous êtes très proche de la liquidation. Envisagez de déposer plus de collatéral ou de rembourser certaines de vos positions empruntées\",\"87pUEW\":[\"Votre \",[\"name\"],\" Le portefeuille est vide. Acheter ou transférer des actifs.\"],\"8F1i42\":\"Page introuvable\",\"8G8M0u\":\"Chargement des données...\",\"8Iu1QS\":\"Retiré\",\"8JL93T\":\"Toutes les propositions\",\"8Q51DU\":\"Ajouter au portefeuille\",\"8X/oyn\":\"Montant invalide à frapper\",\"8Z5FPv\":\"Déconnecter le portefeuille\",\"8Zz7s5\":\"actifs\",\"8aLW8H\":\"Solde à révoquer\",\"8bOT3H\":\"Taux d'utilisation\",\"8sLe4/\":\"Voir le contrat\",\"8t/M0y\":\"Please connect your wallet to be able to bridge your tokens.\",\"8vETh9\":\"Montrer\",\"94OHPx\":\"Vous entrez en mode Isolation\",\"9CDK3/\":[\"L'emprunt n'est actuellement pas disponible pour \",[\"0\"],\".\"],\"9GIj3z\":\"Taille de réserve\",\"9Knqb4\":\"Solde de mise en jeu\",\"9OBKm7\":\"Quorum\",\"9QHoGr\":\"Votes actuels\",\"9Rw96f\":[\"Cet actif a presque atteint son plafond d'emprunt. Il n'y a que \",[\"messageValue\"],\" disponible pour être emprunté sur ce marché.\"],\"9Xj/qR\":[\"Certaines ressources migrées ne seront pas utilisées comme garantie en raison de l’activation du mode d’isolement dans \",[\"marketName\"],\" Marché V3. Visite <0>\",[\"marketName\"],\" Tableau de bord V3 pour gérer le mode d’isolation.\"],\"9c6vDV\":\"Cet actif a atteint son plafond d'offre. Rien n'est disponible pour être fourni à partir de ce marché.\",\"9kTWHA\":\"L’AMI a été suspendu en raison d’une décision de la communauté. L’offre, les emprunts et les remboursements sont impactés. <0>Plus d’informations\",\"9lXchd\":\"Jeton sous-jacent\",\"9rWaKF\":\"Bridged Via CCIP\",\"9xSooW\":\"Comme il s'agit d'un réseau de test, vous pouvez obtenir n'importe lequel des actifs si vous avez ETH dans votre portefeuille\",\"A/lwoe\":\"Choisissez l’un des services de rampe d’accès\",\"A6dCI6\":[\"Le montant maximal disponible pour emprunter est de <0/> \",[\"0\"],\" (<1/>).\"],\"AReoaV\":\"Vos emprunts\",\"ARu1L4\":\"Remboursé\",\"AV7cGz\":\"Examiner les détails de la taxe d'approbation\",\"AZOjB8\":\"Récupération de données...\",\"Ai0jas\":\"Rejoignez la discussion de la communauté\",\"Ajl2rq\":\"Le pouvoir d'emprunt et les actifs sont limités en raison du mode d'isolement.\",\"AqgYNC\":\"Plafond d’emprunt du protocole à 100% pour cet actif. Il n’est pas possible d’emprunter davantage.\",\"B3EcQR\":\"Merci d’avoir voté\xA0!!\",\"B6aXGH\":\"Stable\",\"B9Gqbz\":\"Taux variable\",\"BDFEd+\":\"Les stETH fournis en garantie continueront d’accumuler des récompenses de staking fournies par les rebasages quotidiens.\",\"BE2mP0\":\"Borrowed assets\",\"BJyN77\":\"Due to health factor impact, a flashloan is required to perform this transaction, but Aave Governance has disabled flashloan availability for this asset. Try lowering the amount or supplying additional collateral.\",\"BNL4Ep\":\"L'utilisation de la garantie est limitée en raison du mode d'isolement. <0>En savoir plus\",\"BQ/wCO\":\"Migrate your assets\",\"BjLdl1\":\"À prix réduit\",\"BnhYo8\":\"Catégorie d'actifs\",\"Bq9Y7e\":\"Cet actif est gelé en raison d’une décision de la communauté Aave. <0>Plus d’informations\",\"BqWMDJ\":\"Faucet\",\"BqynZO\":\"Optimized for efficiency and risk by supporting blue-chip collateral assets\",\"Bsu7zX\":\"The fee includes the gas cost to complete the transaction on the destination chain and the fee paid to Chainlink CCIP service providers. You can chose to pay in the network token or GHO. <0>Learn more\",\"BwJKBw\":\"de\",\"C4/GSi\":\"Your balance of assets that are available to stake\",\"CDrsH+\":\"Fiche technique\",\"CK1KXz\":\"Max\",\"CMHmbm\":\"Glissement\",\"CZXzs4\":\"Grec\",\"CcRNG6\":\"Transistor\",\"CkTRmy\":[\"Revendication \",[\"symbol\"]],\"CsqtLm\":\"Veuillez connecter votre portefeuille pour voir l’outil de migration.\",\"CtGlFb\":[[\"networkName\"],\" Robinet\"],\"Cxt2YY\":\"Watch wallet\",\"D33VQU\":\"Cette action réduira le facteur de santé de V3 en dessous du seuil de liquidation. Augmenter les garanties migrées ou réduire les emprunts migrés pour continuer.\",\"D8sc3k\":\"Stake balance\",\"D9BLRG\":\"This asset has been paused due to a community decision. Supply, withdraw, borrows and repays are impacted.\",\"DAma/S\":\"La garantie est (principalement) la même devise que celle qui est empruntée\",\"DCnFg0\":[\"Adresses (\",[\"0\"],\")\"],\"DG3Lv1\":\"Je comprends parfaitement les risques liés à la migration.\",\"DONJcV\":\"L'actif sous-jacent ne peut pas être sauvé\",\"DR+4uL\":\"Bilan de l’alimentation après le changement\",\"DWjrck\":[\"La ressource ne peut pas être migrée vers \",[\"marketName\"],\" V3 Market en raison des restrictions du mode E. Vous pouvez désactiver ou gérer les catégories du mode E dans votre <0>tableau de bord V3\"],\"Dj+3wB\":\"Aave par mois\",\"DptNvx\":\"Amount Staked\",\"DuEq2K\":\"Collatéralisation\",\"DxfsGs\":\"Vous pouvez signaler un incident sur notre <0>Discord ou<1>Github.\",\"Dzma+E\":\"Main Ethereum market with the largest selection of assets and yield options\",\"E/QGRL\":\"Désactivé\",\"EBL9Gz\":\"COPIÉ!\",\"ES8dkb\":\"Taux fixe\",\"EZd3Dk\":[\"Reprise \",[\"symbol\"]],\"EZqFZ+\":\"Staking this asset will earn the underlying asset supply yield in additon to other configured rewards.\",\"Ebgc76\":[\"Retrait \",[\"symbole\"]],\"EdQY6l\":\"Aucun/Aucune\",\"EjvKQ+\":\"Valeur minimale en USD reçue\",\"Enslfm\":\"Destination\",\"EvE9nO\":[\"Réactiver la période de recharge pour annuler le pieu \",[\"0\"],\" \",[\"stakedToken\"]],\"EvECnL\":\"Migrer vers la v3\",\"EzMQbh\":\"The source chain time to finality is the main factor that determines the time to destination. <0>Learn more\",\"F40cwT\":\"Legacy Markets\",\"F6TdXL\":\"Pour en savoir plus.\",\"FDDPeZ\":\"Users can stake their assets in the protocol and earn incentives. In the case of a shortfall event, your stake can be slashed to cover the deficit, providing an additional layer of protection for the protocol.\",\"FHlMf/\":\"Solde actuel de la v2\",\"FHpxjF\":[\"Le facteur de réserve est un pourcentage de l’intérêt qui va à un \",[\"0\"],\" qui est contrôlé par la gouvernance Aave pour promouvoir la croissance de l’écosystème.\"],\"FOBZa6\":\"Puissance d'emprunt utilisée\",\"FPKEug\":\"Opération non prise en charge\",\"FbmMe7\":\"Linked addresses\",\"Fdp03t\":\"sur\",\"Fjw9N+\":\"Actifs à déposer\",\"FmN0fk\":\"Remise en jeu\",\"GDGLIs\":\"GHO est un actif numérique natif décentralisé et adossé à des garanties, indexé sur le dollar américain. Il est créé par les utilisateurs en empruntant contre plusieurs garanties. Lorsque l’utilisateur rembourse sa position d’emprunt de HO, le protocole brûle le GHO de cet utilisateur. Tous les paiements d’intérêts accumulés par les minters de GHO seraient directement transférés à la trésorerie d’AaveDAO.\",\"GQrBTq\":\"Changer de mode E\",\"GWswcZ\":\"Cet actif est gelé en raison d’une décision de gouvernance du protocole Aave. Le 20 décembre 2022, renFIL ne sera plus pris en charge et ne pourra plus être reconnecté à son réseau natif. Il est recommandé de retirer les positions d’offre et de rembourser les positions d’emprunt afin que renFIL puisse être relié à FIL avant la date limite. Après cette date, il ne sera plus possible de convertir renFIL en FIL. <0>Plus d’informations\",\"GX8GKD\":\"Actifs\",\"GgEj+0\":\"Mode lecture seule. Connectez-vous à un portefeuille pour effectuer des transactions.\",\"GjkIKV\":\"Prend fin\",\"GoK/QN\":\"Thank you for submitting feedback!\",\"GtP2hp\":[\"L'emprunt n'est pas disponible, car vous avez activé le mode d'efficacité (E-Mode) pour la catégorie \",[\"0\"],\". Pour gérer les catégories E-Mode, visitez votre <0>tableau de bord.\"],\"H6Ma8Z\":\"Rabais\",\"HB/wfS\":[[\"tooltipText\"]],\"HKDsQN\":\"Rewards can be claimed through\",\"Ha/U5f\":\"This is a program initiated and implemented by the decentralised ZKSync community. Aave Labs does not guarantee the program and accepts no liability.\",\"HciqKU\":\"This is a program initiated and implemented by the decentralised Aave community. Aave Labs does not guarantee the program and accepts no liability.\",\"Hi6Ttn\":\"Désolé, une erreur inattendue s’est produite. En attendant, vous pouvez essayer de recharger la page, ou revenir plus tard.\",\"HkEDbS\":[[\"d\"],\"d\"],\"HmkYqM\":\"Fenêtre d'arrêt de staking\",\"HpK/8d\":\"Recharger\",\"HrnC47\":\"Enregistrer et partager\",\"HuVZMK\":\"Days\",\"HvJKMU\":[\"La ressource ne peut pas être migrée vers \",[\"marketName\"],\" v3 Marché puisque l’actif collatéral activera le mode d’isolation.\"],\"Hvwnm9\":[\"La quantité maximale disponible pour l’approvisionnement est limitée parce que le plafond d’approvisionnement du protocole est à \",[\"0\"],\"%.\"],\"I8CX2c\":\"Le montant total de vos actifs libellés en USD qui peut être utilisé comme garantie pour emprunter des actifs.\",\"IAD2SB\":[\"Prétendant \",[\"symbol\"]],\"IG9X9/\":\"L’emprunt de cet actif est limité à un certain montant afin de minimiser l’insolvabilité du pool de liquidités.\",\"IOIx8L\":\"Il est prévu que cet actif soit désactivé en raison d’une décision de gouvernance du protocole Aave. <0>Plus d’informations\",\"IP+I/j\":\"Période de recharge\",\"IaA40H\":\"Liquidation à\",\"J/hVSQ\":[[\"0\"]],\"JCoxL6\":\"Gérer l’analytique\",\"JK9zf1\":[\"Intérêts composés estimés, y compris l’escompte pour le jalonnement \",[\"0\"],\"AAVE dans le module de sécurité.\"],\"JOqFba\":[\"Déjalonnement \",[\"symbol\"]],\"JPrLjO\":\"Vous ne pouvez pas utiliser cette devise comme garantie\",\"JU6q+W\":\"Récompense(s) à réclamer\",\"JYKRJS\":\"Stake\",\"JZMxX0\":\"Pas assez de solde sur votre portefeuille\",\"Jgflkm\":\"Get GHO\",\"JoMQnI\":\"Solde du portefeuille\",\"JtwD8u\":\"Emprunter le solde après le remboursement\",\"JumYTK\":\"Supplied assets\",\"K05qZY\":\"Retrait et échange\",\"KAz/NV\":\"Le plafond d’endettement du protocole est de 100% pour cet actif. Il n’est pas possible d’emprunter davantage sur cet actif.\",\"KLXVqE\":[\"Les tokens stETH seront migrés vers Wrapped stETH à l’aide du wrapper Lido Protocol, ce qui entraîne une modification de l’équilibre de l’offre après la migration : \",[\"0\"]],\"KLd6ky\":\"Use connected account\",\"KRpokz\":\"VOIR TX\",\"KSlpka\":\"Cela représente le seuil auquel une position d'emprunt sera considérée comme sous-garantie et sujette à liquidation pour chaque garantie. Par exemple, si une garantie a un seuil de liquidation de 80\xA0%, cela signifie que la position sera liquidée lorsque la valeur de la dette vaut 80 % de la valeur de la garantie.\",\"KYAjf3\":\"Isolé\",\"KZwRuD\":[[\"notifyText\"]],\"KkPgim\":\"Changement de mode E\",\"KnN1Tu\":\"Expire\",\"KoOBI2\":\"En raison de la mécanique interne de stETH requise pour le rebasage de la prise en charge, il n’est pas possible d’effectuer un changement de garantie où stETH est le jeton source.\",\"KojyJ4\":\"Mauvais réseau\",\"KsqhWn\":\"Staking\",\"KuBTQq\":\"Entrez l'adresse ETH\",\"KvG1xW\":\"Réclamer\",\"L+8Lzs\":\"LTV actuelle\",\"L+qiq+\":\"Marché\",\"LDzfVJ\":\"Send Feedback\",\"LIrMcF\":\"Pas de pouvoir de vote\",\"LL0zks\":\"Peut être collatéral\",\"LLdJWu\":\"AAVE Réclamable\",\"LSIpNK\":\"Emprunter et rembourser dans le même bloc n'est pas autorisé\",\"LVt3TI\":[\"<0>Tolérance de glissement <1>\",[\"selectedSlippage\"],\"% <2>\",[\"0\"],\"\"],\"LjafV8\":\"Maximum collateral amount to use\",\"LtpQew\":\"Let us know how we can make the app better for you. For user support related inquiries please reach out on\",\"LvVpD/\":\"Emode\",\"M2sknc\":\"Astuce : Essayez d’augmenter le glissement ou de réduire la quantité d’entrée\",\"M7wPsD\":\"Interrupteur\",\"MFu33y\":\"Staking 00\",\"MIy2RJ\":\"Maximum amount received\",\"MZ/nQf\":\"Adresse du destinataire\",\"Ma/MtY\":\"vue de staking\",\"McHlGl\":\"Changement d’APY\",\"MeCCA+\":\"APY, variable\",\"MghdTe\":\"Si le facteur de santé descend en dessous de 1, la liquidation de votre collatéral peut être déclenchée.\",\"Mm/DVQ\":\"Vous avez annulé la transaction.\",\"MnE2QX\":\"Emprunter des informations\",\"MrmQHg\":\"View Bridge Transactions\",\"MuDFEQ\":\"Valeur de retour invalide de la fonction flashloan executor\",\"N5kUMV\":\"L’actif ne peut être utilisé comme garantie qu’en mode isolé avec un pouvoir d’emprunt limité. Pour passer en mode d’isolation, désactivez toutes les autres garanties.\",\"N6Pxr9\":\"View all\",\"NF0e1Q\":\"En attente...\",\"NK9ikO\":\"Solde du portefeuille\",\"NMt2CB\":\"Montant réclamable\",\"NcFGxG\":\"Contrat de collectionneur\",\"NfpPeS\":\"Rien staké\",\"Nh9DAo\":[[\"m\"],\"m\"],\"O+sCUU\":\"Le plafond de mintage non soutenu est dépassé\",\"O+tyU+\":[\"Le montant maximal disponible pour emprunter sur cet actif est limité car le plafond de la dette est à \",[\"0\"],\"%.\"],\"O3oNi5\":\"Email\",\"OFjZGo\":\"Unstake\",\"OR8cYX\":\"Aperçu de la proposition\",\"OYuJ9K\":\"Le plafond d’endettement du protocole est de 100% pour cet actif. Il n’est pas possible d’emprunter sur cet actif.\",\"OfhWJH\":\"Réinitialisation\",\"Og2SKn\":\"handicapé\",\"On0aF2\":\"Site internet\",\"OsyKSt\":\"Retirer\",\"P1dURE\":\"Révoquer le pouvoir\",\"P2WCD/\":[\"L’actif sous-jacent n’existe pas dans \",[\"marketName\"],\" v3 Market, par conséquent, cette position ne peut pas être migrée.\"],\"P2sL6B\":\"Lorsqu'une liquidation survient, les liquidateurs remboursent jusqu'à 50 % de l'encours emprunté au nom de l'emprunteur. En contrepartie, ils peuvent acheter le collatéral à prix réduit et conserver la différence (pénalité de liquidation) en bonus.\",\"P6sRoL\":\"Mise en jeu ABPT\",\"P72/OW\":\"La moyenne pondérée de l'APY pour tous les actifs empruntés, y compris les incitatifs.\",\"P7e6Ug\":\"Veuillez connecter votre portefeuille pour consulter l’historique des transactions.\",\"PByO0X\":\"Votes\",\"PI+kVe\":\"Disable fork\",\"PJK9u/\":\"Emprunter apy\",\"PLUB/s\":\"Fee\",\"PP5ZA8\":[\"Participating in staking \",[\"symbol\"],\" gives annualized rewards. Your wallet balance is the sum of your aTokens and underlying assets. The breakdown to stake is below\"],\"PcBUgb\":\"Seuil de liquidation\",\"PjU6bu\":\"This asset is eligible for SPK incentive program. Aave Labs does not guarantee the program and accepts no liability.\",\"PpqD5g\":\"L'activation de cet actif comme garantie augmente votre pouvoir d'emprunt et votre facteur de santé. Cependant, il peut être liquidé si votre facteur de santé tombe en dessous de 1.\",\"PsOFSf\":\"Cette action réduira le facteur de santé V2 en dessous du seuil de liquidation. Conservez la garantie ou migrez la position d’emprunt pour continuer.\",\"Pu4bI/\":[[\"currentMethod\"]],\"Q0LzKi\":\"View TX\",\"Q4eNqa\":\"The Aave Balancer Pool Token (ABPT) is a liquidity pool token. You can receive ABPT by depositing a combination of AAVE + wstETH in the Balancer liquidity pool. You can then stake your BPT in the Safety Module to secure the protocol and earn Safety Incentives.\",\"QQYsQ7\":\"Withdrawing\",\"QWYCs/\":\"Stake GHO\",\"R+30X3\":\"Non atteint\",\"RCU5PY\":\"Age\",\"RIfckG\":[\"Désactiver \",[\"symbol\"],\" comme garantie\"],\"RMtxNk\":\"Différentiel\",\"RNK49r\":\"Signature non valide\",\"RS0o7b\":\"État\",\"RU+LqV\":\"Détails de la proposition\",\"RbXH+k\":\"AAVE, GHO, and ABPT holders (Ethereum network only) can stake their assets in the Safety Module to add more security to the protocol and earn Safety Incentives. In the case of a shortfall event, your stake can be slashed to cover the deficit, providing an additional layer of protection for the protocol.\",\"RiSYV4\":\"L'actif n'est pas répertorié\",\"Rj01Fz\":\"Liens\",\"RmWFEe\":\"APR staké\",\"RoafuO\":\"Envoyer des commentaires\",\"RtBLm7\":\"Le facteur santé est inférieur au seuil de liquidation\",\"RxzN1M\":\"Activé\",\"SDav7h\":\"Fonds dans le Safety Module\",\"SENccp\":\"Si l’erreur persiste,<0/> vous pouvez la signaler à ce\",\"SIWumd\":\"Afficher les ressources gelées ou mises en pause\",\"SM58dD\":\"Quantité en temps de recharge\",\"SSMiac\":\"Impossible de charger les votants de proposition. Veuillez rafraîchir la page.\",\"SSQVIz\":\"Seuil de liquidation\",\"SUb8x0\":\"Total disponible\",\"SWIgh4\":\"Fees exceed wallet balance\",\"SY9hVo\":\"Le mode lecture seule permet de voir les positions d’adresses dans Aave, mais vous ne pourrez pas effectuer de transactions.\",\"SZRUQ4\":\"Glissement maximal\",\"Sa1UE/\":\"Le plafond d’emprunt du protocole est de 100 % pour cet actif. Il n’est pas possible d’emprunter davantage.\",\"Sk2zW9\":\"Désactiver le E-mode\",\"SxaD0o\":\"Le fournisseur d'adresses de pool n'est pas enregistré\",\"T/AIqG\":\"Limite d’approvisionnement du protocole à 100 % pour cet actif. D’autres approvisionnements ne sont pas disponibles.\",\"T0xCO9\":\"Can't validate the wallet address. Try again.\",\"T4OhVl\":\"GHO balance\",\"T6uYU2\":\"Emprunter\",\"TFxQlw\":\"Pénalité de liquidation\",\"TQ7WsV\":\"Available to stake\",\"TUI7iB\":\"L'actif ne peut être utilisé comme garantie qu'en mode isolé.\",\"TbjyhA\":\"Docs\",\"TduuS0\":\"L'utilisateur n'a pas de dette à taux stable impayée sur cette réserve\",\"TeCFg/\":\"Modification du taux d’emprunt\",\"Tg1JyO\":\"Bridge history\",\"TskbEN\":\"Les détenteurs de stkAAVE bénéficient d’une réduction sur le taux d’emprunt GHO\",\"TszKts\":\"Emprunter le solde après le changement\",\"TtZL6q\":\"Paramètres du modèle de remise\",\"TwJI9F\":\"Asset has been successfully sent to CCIP contract. You can check the status of the transactions below\",\"Tz0GSZ\":\"Activités bloquées\",\"U/eBjN\":\"Recharger la page\",\"U2r8nY\":\"Choose how much voting/proposition power to give to someone else by delegating some of your AAVE, stkAAVE or aAave balance. Your tokens will remain in your account, but your delegate will be able to vote or propose on your behalf. If your AAVE, stkAAVE or aAave balance changes, your delegate's voting/proposition power will be automatically adjusted.\",\"U8IubP\":\"L’application s’exécute en mode réseau de test. Découvrez comment cela fonctionne dans\",\"U9btTk\":\"L'actif n'est pas empruntable en mode d'isolement\",\"UAOZRe\":\"L’impact sur les prix est l’écart entre la valeur totale des tokens d’entrée échangés et les tokens de destination obtenus (en USD), qui résulte de la liquidité limitée de la paire de trading.\",\"UE3KJZ\":\"L’historique des transactions n’est actuellement pas disponible pour ce marché\",\"URmyfc\":\"Détails\",\"UTTKmT\":\"Temps de recharge de la mise activé\",\"UXeR72\":\"Ces fonds ont été empruntés et ne peuvent pas être retirés pour le moment.\",\"UYb8CM\":\"Learn more about the SPK rewards\",\"UbRrG0\":\"Le ratio LTV maximum représente le pouvoir d'emprunt maximum d'une garantie spécifique. Par exemple, si une garantie a un LTV de 75 %, l'utilisateur peut emprunter jusqu'à 0,75 ETH dans la devise principale pour chaque 1 ETH de garantie.\",\"UpndFj\":\"Aucune récompense à réclamer\",\"V0f2Xv\":\"Facteur de réserve\",\"V1HK43\":\"Risques liés à la migration\",\"VATFH9\":\"Dette couverte\",\"VHOVEJ\":\"Connecter le portefeuille\",\"VMfYUK\":\"Sécurité de votre garantie déposée contre les actifs empruntés et sa valeur sous-jacente.\",\"VOAZJh\":\"Total des emprunts\",\"ViKYxK\":\"YAE\",\"W1SSoD\":\"Examiner les détails de la transaction\",\"W5hVah\":\"Rien fourni pour le moment\",\"W5kTFy\":\"Vote\",\"W8ekPc\":\"Retour au tableau de bord\",\"WMPbRK\":\"Sans support\",\"WNGZwH\":\"E-Mode augmente votre LTV pour une catégorie d'actifs sélectionnée jusqu'à <0/>. <1>En savoir plus\",\"WPWG/y\":\"Statut et configuration de la réserve\",\"WZLQSU\":\"L'utilisateur ne peut pas retirer plus que le solde disponible\",\"WaZyaV\":\"<0>Ampleforth est un actif de rebasage. Consultez la <1>documentation pour en savoir plus.\",\"WfU+XN\":\"Étant donné que cette ressource est suspendue, aucune action ne peut être entreprise jusqu’à nouvel ordre\",\"Wjmqs2\":\"No results found. You can import a custom token with a contract address\",\"WkZ6C6\":\"Pour emprunter, vous devez fournir tout actif à utiliser comme garantie.\",\"WyMiQm\":\"Vous avez réussi à changer de jeton.\",\"X/ITG9\":\"Copier le texte d'erreur\",\"X3Pp6x\":\"Utilisé comme collatéral\",\"X4Zt7j\":\"L'action ne peut pas être effectuée car la réserve est mise en pause\",\"XBdKOj\":\"Representative smart contract wallet (ie. Safe) addresses on other chains.\",\"XZzneG\":\"Vous quitterez le mode d'isolement et d'autres jetons peuvent désormais être utilisés comme collatéral\",\"Xg5y9S\":\"Amount to Bridge\",\"Xn4hUi\":\"Veuillez toujours tenir compte de votre <0>facteur de santé (HF) lors de la migration partielle d’une position et que vos tarifs seront mis à jour vers les taux V3.\",\"Xy71ST\":\"Umbrella\",\"Y5kGkc\":\"VOTER NON\",\"YDIOks\":\"Activation du E-Mode\",\"YSodyW\":\"Cette action réduira votre facteur de santé. Veuillez garder à l’esprit le risque accru de liquidation des garanties.\",\"YXOWXM\":\"The total amount bridged minus CCIP fees. Paying in network token does not impact gho amount.\",\"YirHq7\":\"Feedback\",\"YogbCJ\":\"Le mode réseau de test est activé\",\"YrDxdO\":\"Si votre prêt à la valeur dépasse le seuil de liquidation, votre garantie fournie peut être liquidée.\",\"YyIM65\":\"Les conditions de rééquilibrage des taux d'intérêt n'ont pas été remplies\",\"YyydIq\":[\"Ajouter \",[\"0\"],\" à Wallet pour suivre votre solde.\"],\"ZBvhI+\":\"Gouvernance Aave\",\"ZIIRAd\":\"Raw-Ipfs\",\"ZRq4tX\":\"Mode efficacité (E-Mode)\",\"ZSqEW+\":\"Manage E-Mode\",\"ZUFYFE\":\"Désactiver le réseau de test\",\"Zbyywy\":\"Coupure maximale\",\"ZfUGFb\":\"Avant de déposer\",\"ZiXN+B\":\"Assets to stake\",\"ZlsSDH\":\"Valeur de liquidation\",\"ZrEc8j\":\"Nous n’avons trouvé aucun élément lié à votre recherche. Réessayez avec un autre nom, symbole ou adresse de ressource.\",\"ZsLF7e\":\"Activé\",\"a0YQoQ\":\"Enter a valid address\",\"a2fBZn\":\"Temps restant pour dépiquer\",\"a5RYZd\":\"La désactivation de cet actif en tant que garantie affecte votre pouvoir d'emprunt et votre facteur de santé.\",\"a7u1N9\":\"Prix\",\"a9D+6D\":\"Non jalonné\",\"aEtiwq\":\"Vote NAY\",\"aMmFE1\":\"Acheter des crypto-monnaies avec des monnaies fiduciaires\",\"aOKIms\":\"Les paramètres de tableau devraient être de même longueur ne sont pas\",\"aX31hk\":\"Votre solde est inférieur au montant sélectionné.\",\"adUsDd\":\"An error has occurred fetching the proposal.\",\"al6Pyz\":\"Dépasse la remise\",\"aoXTT7\":\"Prêt APY, variable\",\"aqX1Yp\":\"This asset is eligible for rewards through SuperFest. Aave Labs does not guarantee the program and accepts no liability.\",\"avgETN\":\"Eligible for the Merit program.\",\"b4NS3e\":\"Avertissement de période de refroidissement\",\"bBHmeP\":\"Available to withdraw\",\"bNEQeI\":\"Cooldown\",\"bSruit\":\"ZKSync Ignite Program rewards are claimed through the\",\"bUUVED\":\"Actif\",\"bXQ/Og\":\"Partager sur Twitter\",\"bXr0ee\":\"Les actifs isolés ont un pouvoir d'emprunt limité et les autres actifs ne peuvent pas être utilisés comme garantie.\",\"bYmAV1\":\"Adresses\",\"bguKoJ\":\"Le montant demandé est supérieur au montant maximum du prêt en mode taux stable\",\"bwSQI0\":\"Fournir\",\"bxN6EM\":\"Impossible de désactiver le mode E\",\"bxmzSh\":\"Pas assez de collatéral pour rembourser ce montant de dette avec\",\"c91vuQ\":\"L'adresse n'est pas un contrat\",\"c97os2\":\"Aave aToken\",\"c9b44w\":\"Vous ne pouvez pas retirer ce montant car cela entraînera un appel de garantie\",\"cBc+4A\":\"Il s'agit du montant total que vous pouvez emprunter. Vous pouvez emprunter en fonction de votre garantie et jusqu'à ce que le plafond d'emprunt soit atteint.\",\"cIl5kp\":\"Votre pouvoir de vote est basé sur votre solde AAVE/stkAAVE et les délégations reçues.\",\"cLo09S\":\"Détails des risques\",\"cNT+ij\":\"L'emprunt n'est pas disponible car vous avez activé le mode Efficacité (E-Mode) et le mode Isolation. Pour gérer le mode E et le mode Isolation, rendez-vous sur votre <0>tableau de bord.\",\"cZOeBk\":\"Something went wrong fetching bridge message, please try again later.\",\"ceix5S\":\"Pour soumettre une proposition de modifications mineures du protocole, vous aurez besoin d’une puissance d’au moins 80,00 K. Si vous souhaitez modifier la base de code de base, vous aurez besoin d’une puissance de 320k. <0>Pour en savoir plus.\",\"ciSsYT\":\"Staking APY\",\"ciybUa\":\"Vote YAE\",\"ckf7gX\":[\"Remboursement \",[\"symbole\"]],\"cp1ZDP\":[\"Bridge \",[\"symbol\"]],\"cqnmnD\":\"Taux d’intérêt effectif\",\"cqwIvs\":\"Discussion de forum\",\"csDS2L\":\"Disponible\",\"cu7Stb\":\"Vous n'avez pas participé à cette proposition\",\"dE6BLF\":\"Gouvernance\",\"dEgA5A\":\"Annuler\",\"dIsyWh\":\"Échec de la validation LTV\",\"dMtLDE\":\"À\",\"dOB5nW\":[\"La quantité maximale disponible pour la fourniture est de <0/> \",[\"0\"],\" (<1/>).\"],\"dVfODp\":\"Vous n'avez pas assez de fonds dans votre portefeuille pour rembourser le montant total. Si vous continuez à rembourser avec votre montant actuel de fonds, vous aurez toujours une petite position d'emprunt dans votre tableau de bord.\",\"dXUQFX\":\"Actifs à emprunter\",\"dgr1aY\":\"L’emprunt est désactivé en raison d’une décision de la communauté Aave. <0>Plus d’informations\",\"djsg0o\":\"Usage de collatéral\",\"dpc0qG\":\"Variable\",\"drdV8R\":\"Liquidation\",\"dxW8cS\":\"Jeton de dette Aave\",\"e4V3oW\":\"Top 10 des adresses\",\"eD8WX/\":\"L'action nécessite une réserve active\",\"eJRJ04\":\"Montant à la mise en jeu\",\"eLh0cL\":\"Le slippage est la différence entre les montants cotés et reçus en raison de l’évolution des conditions du marché entre le moment où la transaction est soumise et sa vérification.\",\"ePK91l\":\"Edit\",\"eVpCmf\":\"Récompenses de staking\",\"eVqvtf\":\"Bridge GHO\",\"eYdurp\":\"Aucune transaction n’a encore été effectuée.\",\"ebLGGN\":\"Total emprunté\",\"ecqEvn\":\"Le solde de la garantie est de 0\",\"efdrrk\":\"Disponible sur\",\"enruNF\":\"Commence\",\"eqLYiD\":\"Arrêter de staker maintenant\",\"euScGB\":\"APY avec remise appliquée\",\"evw5ha\":\"Valeur nette\",\"ezcU16\":\"Obtenir le jeton ABP\",\"f3W0Ej\":[\"Vous êtes passé au tarif \",[\"0\"]],\"fH9i8k\":\"Vous avez réussi à changer de position d’emprunt.\",\"fHcELk\":\"APR Net\",\"fMJQZK\":\"Emprunté\",\"fZ5Vnu\":\"Reçu\",\"firl9Q\":\"Votre prêt actuel à la valeur en fonction de votre collatéral fournie.\",\"flRCF/\":\"Remise sur le staking\",\"fldjW9\":\"Prévisualiser tx et migrer\",\"fsBGk0\":\"Solde\",\"fu1Dbh\":[\"Retirer \",[\"symbole\"]],\"fwjWSI\":\"Fourni\",\"fwyTMb\":\"Migrate to stkABPT v2\",\"g0mals\":\"You can not disable E-Mode because that could cause liquidation. To exit E-Mode supply or repay borrowed positions.\",\"g2UNkE\":\"Alimenté par\",\"g8KGoA\":\"Foire aux questions\",\"g9zzqS\":\"A voté NAY\",\"gDd2gk\":\"about SuperFest.\",\"gFFh9h\":\"Tout est fait !\",\"gIMJlW\":\"Mode réseau test\",\"gOzPxe\":\"Cet actif est gelé en raison d’une décision de gouvernance du protocole Aave. <0>Plus d’informations\",\"gTHi2T\":\"L'utilisateur essaie d'emprunter plusieurs actifs, y compris un en silo\",\"gVW59Y\":\"Veuillez connecter votre portefeuille pour obtenir des ressources de réseau de test gratuites.\",\"gcFNxP\":\"Approuver Confirmé\",\"gncRUO\":\"Cette adresse est bloquée sur app.aave.com car elle est associée à un ou plusieurs\",\"goff7V\":\"Adresse zéro non-valide\",\"gp+f1B\":\"Variante 3\",\"gr8mYw\":\"Vous pouvez emprunter jusqu’à GHO à <0/> <1/> (rabais maximum)\",\"gvTM4B\":\"L'APY net est l'effet combiné de toutes les positions d'offre et d'emprunt sur la valeur nette, y compris les incitations. Il est possible d'avoir un APY net négatif si l'APY de la dette est supérieur à l'APY de l'offre.\",\"gzcch9\":\"Frais de protocole de pont invalide\",\"h33MxW\":\"Representing smart contract wallet (ie. Safe) addresses on other chains.\",\"h3ilK+\":\". .CSV\",\"hB23LY\":\"Activer le temps de recharge\",\"hIJzBh\":\"Available to Claim\",\"hIS4N0\":\"APY Net\",\"hRWvpI\":\"Revendiqué\",\"hdmy/o\":\"Le % de votre pouvoir d'emprunt total utilisé. Ceci est basé sur le montant de votre garantie fournie et le montant total que vous pouvez emprunter.\",\"hehnjM\":\"Montant\",\"hjDCQr\":\"Il y a eu une erreur. Veuillez essayer de modifier les paramètres ou <0><1>copier l'erreur\",\"hom7qf\":\"Réclamer\",\"hpHJ4I\":\"Garantie liquidée\",\"hpuVIp\":\"Users who stake AAVE in Safety Module (i.e. stkAAVE holders) receive a discount on GHO borrow interest rate.\",\"huQ6Tz\":[\"Emprunter \",[\"symbole\"]],\"hxi7vE\":\"Emprunter le solde\",\"i/fZ2Z\":\"Staked Balance\",\"i2JTiw\":\"Vous pouvez saisir un montant personnalisé dans le champ.\",\"iB5+/J\":\"À propos de GHO\",\"iChbOF\":\"Paramètres de prêt flash incohérents\",\"iEPVHF\":\"Pas assez de pouvoir de vote pour participer à cette proposition\",\"iEW87X\":\"Délégation de pouvoirs\",\"iEju36\":[\"Vous avez voté \",[\"0\"]],\"iFq2YN\":\"Borrowable\",\"iGxyIA\":\"Safety Module\",\"iMVZk9\":\"Sélectionner la tolérance de glissement\",\"iPMIoT\":\"Entrez un montant\",\"iSLIjg\":\"Connect\",\"iUo5rv\":\"tokens n'est pas la même chose que de les staker . Si vous souhaitez staker votre\",\"iZxa38\":\"Utilisez-le pour voter pour ou contre les propositions actives.\",\"iboNXd\":\"Amount received\",\"if5PH+\":\"Informations sur le collectionneur\",\"igkfR1\":[\"En mode Isolation, vous ne pouvez pas fournir d’autres actifs en garantie. Un plafond d’endettement global limite le pouvoir d’emprunt de l’actif isolé. Pour quitter le mode d’isolement, désactivez \",[\"0\"],\" en garantie avant d’emprunter un autre actif. Pour en savoir plus, consultez notre <0>FAQ\"],\"il0sEG\":\"L'utilisation du collatéral est limitée en raison du mode d'isolation.\",\"j+K1Xj\":\"Amount After Fee\",\"jA2QeW\":\"Fournir votre\",\"jFi7dz\":\"Interest rate that is determined by Aave Governance. This rate may be changed over time depending on the need for the GHO supply to contract/expand. <0>Learn more\",\"jG3UJ7\":\"Désactiver le E-mode\",\"jKYzR1\":\"Activer le E-Mode\",\"jMam5g\":[[\"0\"],\" Balance\"],\"jSYv+Z\":\"Enabling E-Mode allows you to maximize your borrowing power, however, borrowing is restricted to assets within the selected category. <0>Learn more about how it works and the applied restrictions.\",\"jaKbwW\":[[\"s\"],\"s\"],\"jbFMap\":\"Temps de recharge restant\",\"jeMZNr\":[[\"0\"],\" Le service de rampe d’accès est fourni par le fournisseur externe et, en le sélectionnant, vous acceptez les conditions du fournisseur. Votre accès au service peut dépendre de l’opérationnalité du fournisseur externe.\"],\"jfl9OP\":\"Migré\",\"jmXdoY\":\"En E-Mode, certains actifs ne sont pas empruntables. Quittez le E-mode pour accéder à tous les actifs\",\"jpctdh\":\"Vue\",\"jqzUyM\":\"Non disponible\",\"k/sb6z\":\"Choisir la langue\",\"k3wP3f\":\"<0>Attention: Les changements de paramètres via la gouvernance peuvent modifier le facteur de santé de votre compte et le risque de liquidation. Suivez le <1>forum de gouvernance d’Aave pour les mises à jour.\",\"kACpF3\":[\"Réclamer \",[\"0\"]],\"kH6wUX\":\"Impact sur les prix\",\"kIC28N\":\"Available to claim\",\"kIpSye\":[[\"numSelected\"],\"/\",[\"numAvailable\"],\" Actifs sélectionnés\"],\"kN1Yg5\":\"Pour rembourser au nom d'un utilisateur, un montant explicite à rembourser est nécessaire\",\"kRTD40\":[\"Montant de remboursement à atteindre \",[\"0\"],\"% d’utilisation\"],\"kjN9tT\":\"Le plafond d'approvisionnement est dépassé\",\"knxE+G\":\". JSON (en anglais seulement)\",\"ks2LWT\":\"Le plafond de la dette n'est pas nul\",\"kwwn6i\":\"Les utilisateurs qui misent des AAVE dans le module de sécurité (c’est-à-dire les détenteurs de stkAAVE) bénéficient d’une réduction sur le taux d’intérêt d’emprunt de HO. La réduction s’applique à 100 GHO pour chaque 1 stkAAVE détenu. Utilisez le calculateur ci-dessous pour voir le taux d’emprunt GHO avec le rabais appliqué.\",\"kz3wtK\":\"and about SPK program\",\"kzZyM4\":\"DAI balance will be converted via DSR contracts and then supplied as sDAI. Switching incurs no additional costs and no slippage.\",\"lNVG7i\":\"Sélectionner une ressource\",\"lU2d1/\":[\"L’actif ne peut pas être migré en raison d’une liquidité insuffisante ou d’une limitation du plafond d’emprunt \",[\"marketName\"],\" v3 marché.\"],\"lVhKKI\":\"A voté YAE\",\"lWLqxB\":\"Nous n’avons trouvé aucune transaction liée à votre recherche. Réessayez avec un autre nom de ressource ou réinitialisez les filtres.\",\"lYGfRP\":\"Anglais\",\"lfEjIE\":\"En savoir plus dans notre <0>guide FAQ\",\"lt6bpt\":\"Garantie à rembourser\",\"m/IEhi\":\"Émission totale par jour\",\"m7r7Hh\":\"Sélection d’actifs d’emprunt\",\"mDDK4p\":\"Balancer Pool\",\"mIM0qu\":\"Montant prévu à rembourser\",\"mUAFd6\":\"Variante 2\",\"masO5Z\":\"E-Mode increases your LTV for a selected category of assets. <0>Learn more\",\"mdNjKU\":[\"Votre \",[\"name\"],\" Le portefeuille est vide. Acheter ou transférer des actifs ou utiliser <0>\",[\"0\"],\" pour transférer votre \",[\"network\"],\" actif.\"],\"muiOng\":[\"Acheter \",[\"cryptoSymbol\"],\" avec Fiat\"],\"mvCXBY\":\"Mise en jeu AAVE\",\"mwdzil\":\"D'accord, fermer\",\"mzI/c+\":\"Télécharger\",\"mzdIia\":\"L'actif ne peut pas être utilisé comme collatéral.\",\"n+SX4g\":\"Développeurs\",\"n8Psk4\":\"Nous n’avons pas pu détecter de portefeuille. Connectez un portefeuille pour staker et consulter votre solde.\",\"nJIhzm\":\"Fournir apy\",\"nJgsQu\":\"Avec un pouvoir de vote de <0/>\",\"nLC6tu\":\"Français\",\"nN2T8p\":\"During the cooldown period, you will not earn any merit rewards. However, rewards earned up to this point will remain unaffected.\",\"nNHV0z\":\"La migration simultanée de plusieurs garanties et d’actifs empruntés peut s’avérer coûteuse et peut échouer dans certaines situations. <0>Par conséquent, il n’est pas recommandé de migrer des positions avec plus de 5 actifs (déposés + empruntés) en même temps.\",\"nNbnzu\":\"Proposition\",\"nOy4ob\":\"Nous vous suggérons de revenir au tableau de bord.\",\"nPGNMh\":\"Peut être exécuté\",\"nUK1ou\":[\"Assets with zero LTV (\",[\"0\"],\") must be withdrawn or disabled as collateral to perform this action\"],\"nakd8r\":\"Les détenteurs de stkAAVE bénéficient d’une réduction sur le taux d’emprunt GHO\",\"nh2EJK\":[\"Veuillez passer à \",[\"networkName\"],\".\"],\"njBeMm\":\"Les deux\",\"noN5Xf\":\"We couldn’t detect a wallet. Connect a wallet to view your staking positions and rewards.\",\"ntkAoE\":\"Remise appliquée pour <0/> le staking d’AAVE\",\"ntyFSE\":[[\"h\"],\"h\"],\"nwtY4N\":\"Quelque chose s’est mal passé\",\"nxyWvj\":\"Le retrait de ce montant réduira votre facteur santé et augmentera le risque de liquidation.\",\"o17QVP\":\"Votre facteur de santé et votre prêt à la valeur déterminent l'assurance de votre collatéral. Pour éviter les liquidations, vous pouvez fournir plus de garanties ou rembourser les positions d'emprunt.\",\"o1xc2V\":\"L'approvisionnement en aTokens n'est pas nul\",\"o4tCu3\":\"Emprunter de l’APY\",\"o5ooMr\":\"Dette\",\"o7J4JM\":\"Filtrer\",\"oHFrpj\":\"Temps de recharge pour déstaker\",\"oJ5ZiG\":\"L'utilisateur n'a pas de dette à taux variable impayée sur cette réserve\",\"oRBGin\":\"Veuillez connecter votre portefeuille pour pouvoir échanger vos jetons.\",\"oUwXhx\":\"Ressources de test\",\"oWklJD\":\"Le taux d'intérêt stable <0>restera le même pendant toute la durée de votre prêt. Recommandé pour les périodes de prêt à long terme et pour les utilisateurs qui préfèrent la prévisibilité.\",\"odnIK3\":\"Time remaining until the 48 hour withdraw period starts.\",\"oiK5nY\":\"The current incentives period, decided on by the Aave community, has ended. Governance is in the process on renewing, check for updates. <0>Learn more.\",\"olREoo\":\"All borrow positions outside of this category must be closed to enable this category.\",\"om/XHs\":\"Disponible au dépôt\",\"ov0+mq\":\"Eligible for the ZKSync Ignite program.\",\"ovT1pF\":[\"Per the community, the \",[\"market\"],\" has been frozen.\"],\"ow3fug\":\"Rien n’a été trouvé\",\"owSsI3\":\"Signatures prêtes\",\"p+R52m\":\"Accéder à Balancer Pool\",\"p2A+s1\":[\"La période de recharge est de \",[\"0\"],\". Après \",[\"1\"],\" de temps de recharge, vous entrerez dans la fenêtre de désengagement de \",[\"2\"],\". Vous continuerez à recevoir des récompenses pendant le temps de recharge et la fenêtre de retrait.\"],\"p2S64u\":\"Le ratio prêt/valeur des positions migrées entraînerait la liquidation. Augmenter les garanties migrées ou réduire les emprunts migrés pour continuer.\",\"p2Z2Qi\":\"Cet actif a atteint son plafond d'emprunt. Rien n'est disponible pour être emprunté à ce marché.\",\"p3j+mb\":\"Votre solde de récompenses est de 0\",\"p45alK\":\"Configurer la délégation\",\"p6u2s1\":\"Minimum amount of debt to be repaid\",\"pDgeaz\":[[\"title\"]],\"pdZqBk\":\"Le solde sous-jacent doit être supérieur à 0\",\"pgWG9H\":\"Pas assez de solde staké\",\"piPrJ7\":\"veuillez vérifier que le montant que vous souhaitez fournir n'est pas actuellement utilisé pour le staking. S'il est utilisé pour le staking, votre transaction peut échouer.\",\"pjO/iH\":\"Minimum amount received\",\"pooutM\":\"Voting is on\",\"pqaM5s\":\"Confirming transaction\",\"ptaxX3\":[\"Je comprends comment fonctionnent le temps de recharge (\",[\"0\"],\") et le retrait (\",[\"1\"],\")\"],\"py2iiY\":\"L'appelant de cette fonction doit être un pool\",\"q/51mF\":\"Migrer vers la V3\",\"q3df11\":\"Stratégie de taux d’intérêt\",\"q6lAbz\":\"Staké\",\"qB4kPi\":\"Fournir APY\",\"qENI8q\":\"Paramètres globaux\",\"qGz5zl\":\"Solde de garantie après remboursement\",\"qIW9ZH\":\"Amount staked\",\"qOqbD6\":\"copier l'erreur\",\"qXCkEM\":\"Veuillez connecter votre portefeuille pour voir vos fournitures, vos emprunts et vos positions ouvertes.\",\"qY2jnw\":\"Expiration invalide\",\"qf/fr+\":\"Intérêts courus\",\"qhhf9L\":\"Rewards available to claim\",\"quYPUU\":\"Variable interest rate will <0>fluctuate based on the market conditions.\",\"quzIeW\":\"User is in isolation mode or LTV is zero\",\"qvnz3q\":\"Montant non valide à brûler\",\"rHgdb0\":\"Migrate to Aave V3\",\"rOrHHe\":\"Le montant doit être supérieur à 0\",\"rQ+R+0\":\"Sélection d’actifs d’approvisionnement\",\"rSayea\":\"APY\",\"rTBDeu\":[\"L’actif ne peut pas être migré car vous disposez d’une garantie isolée dans \",[\"marketName\"],\" v3 Marché qui limite les actifs empruntables. Vous pouvez gérer vos garanties dans <0>\",[\"marketName\"],\" Tableau de bord V3\"],\"rcT+yy\":\"Afficher les actifs avec 0 solde\",\"rf8POi\":\"Montant de l’actif emprunté\",\"riNWOA\":\"E-Mode\",\"rjGI/Q\":\"Vie privée\",\"rnKPW1\":\"Watch a wallet balance in read-only mode\",\"ruc7X+\":\"Ajoutez stkAAVE pour voir l’APY d’emprunt avec la remise\",\"rvbaFU\":[\"Bridging \",[\"symbol\"]],\"rwVVB7\":\"Réclamez toutes les récompenses\",\"rwyUva\":\"Ces actifs sont temporairement gelés ou suspendus par des décisions de la communauté Aave, ce qui signifie qu’il n’est pas possible d’obtenir / emprunter ou d’échanger des taux de ces actifs. Les retraits et les remboursements de dettes sont autorisés. Suivez le <0>forum de gouvernance d’Aave pour d’autres mises à jour.\",\"rxJW5W\":\"Votre pouvoir de proposition est basé sur votre solde AAVE/stkAAVE et les délégations reçues.\",\"s2jJnW\":\"You don't have any bridge transactions\",\"s5wBAq\":[\"Unstake \",[\"symbol\"]],\"sJbIdI\":\"Enter ETH address or ENS\",\"sK+Nag\":\"Réviser tx\",\"sP2+gB\":\"NON\",\"sQv06Y\":\"pour\",\"sTtO6J\":\"Confirm transaction\",\"sXKb3l\":\"Exchange rate\",\"sb0q4+\":\"Vous unstaké ici\",\"smJNwH\":\"Disponible à emprunter\",\"solypO\":\"Le facteur de santé n'est pas inférieur au seuil\",\"sr0UJD\":\"Retourner\",\"ss5GCK\":\"L'adresse du fournisseur d'adresses du pool n'est pas valide\",\"swEgK4\":\"Vos informations de vote\",\"t+wtgf\":\"Aucun emprunt pour l'instant\",\"t/YqKh\":\"Remove\",\"t81DpC\":[\"Approuver \",[\"symbol\"],\" pour continuer\"],\"tCnbEs\":\"Prix Oracle\",\"tFZLf8\":\"Ce calcul de gaz n'est qu'une estimation. Votre portefeuille fixera le prix de la transaction. Vous pouvez modifier les paramètres de gaz directement depuis votre fournisseur de portefeuille.\",\"tHuvQI\":\"Accéder au tableau de bord V3\",\"tKv7cI\":\"Changer de position d’emprunt\",\"tOcg3N\":\"Étant donné que cet actif est gelé, les seules actions disponibles sont le retrait et le remboursement, accessibles depuis le <0>tableau de bord\",\"tOuXfv\":[\"Emprunter le montant à atteindre \",[\"0\"],\"% d’utilisation\"],\"te9Bfl\":\"S'il vous plaît, connectez votre portefeuille\",\"tt5yma\":\"Vos ressources\",\"ttoh5c\":\"Passer à\",\"u3ZeYl\":\"La transaction a échoué\",\"u706uF\":\"Prime flash non valide\",\"u8Gfu7\":[\"Aucun résultat de recherche\",[\"0\"]],\"uAQUqI\":\"Status\",\"uHMwk8\":\"Aucune ressource n’a été sélectionnée pour la migration.\",\"uJPHuY\":\"Migration\",\"uY8O30\":\"Pour continuer, vous devez autoriser les contrats intelligents Aave à déplacer vos fonds depuis votre portefeuille. En fonction de l’actif et du portefeuille que vous utilisez, cela se fait en signant le message d’autorisation (sans gaz) ou en soumettant une transaction d’approbation (nécessite du gaz). <0>Pour en savoir plus\",\"udFheE\":\"For repayment of a specific type of debt, the user needs to have debt that type\",\"ulNuNq\":\"Exporter des données vers\",\"ulup2p\":\"Acheter des crypto-monnaies avec des monnaies fiduciaires\",\"umICAY\":\"<0><1><2/>Ajoutez stkAAVE pour voir le taux d’emprunt avec escompte\",\"usB84Z\":\"Le montant maximum disponible pour emprunter est limité car le plafond d’emprunt du protocole est presque atteint.\",\"uwAUvj\":\"COPIER L’IMAGE\",\"v8x7Mg\":\"Garantie insuffisante pour couvrir une nouvelle position d’emprunt. Le portefeuille doit avoir une capacité d’emprunt restante pour effectuer le transfert de dette.\",\"vEqxH9\":\"Restauré\",\"vLyv1R\":\"Cacher\",\"vMba49\":\"L'emprunt n'est pas activé\",\"vMpNwt\":\"Approuvez avec\",\"vXIe7J\":\"Language\",\"vesuBJ\":\"Vous permet de décider si vous souhaitez utiliser un actif fourni en tant que collatéral. Un actif utilisé comme collatéral affectera votre pouvoir d'emprunt et votre Health Factor.\",\"w+V9Cx\":\"Stablecoin\",\"w/JtJ3\":\"L'offre de dette stable n'est pas nulle\",\"w4VBY+\":\"Récompenses APR\",\"w9dLMW\":[[\"label\"]],\"wAOL+X\":[\"Vous \",[\"action\"],\" <0/> \",[\"symbole\"]],\"wBIsjb\":\"Canal Discord\",\"wQZbc/\":\"L'appelant de la fonction n'est pas un AToken\",\"wRRqvW\":\"Vous n'avez pas de fournitures dans cette devise\",\"wZFvVU\":\"VOTER OUI\",\"wb/r1O\":[\"Faucet \",[\"0\"]],\"wdxz7K\":\"Source\",\"weH1nG\":\"Le protocole Aave est programmé pour toujours utiliser le prix de 1 GHO = 1 $. C’est différent de l’utilisation des prix du marché via des oracles pour d’autres actifs cryptographiques. Cela crée des opportunités d’arbitrage stabilisatrices lorsque le prix du GHO fluctue.\",\"wh7Ezv\":\"You have no AAVE/stkAAVE/aAave balance to delegate.\",\"wlsIx7\":\"Avec testnet Faucet, vous pouvez obtenir des ressources gratuites pour tester le protocole Aave. Assurez-vous de changer votre fournisseur de portefeuille pour le réseau de test approprié, sélectionnez l’actif souhaité et cliquez sur «\xA0Faucet\xA0» pour obtenir des jetons transférés vers votre portefeuille. Les actifs d’un réseau de test ne sont pas « réels », ce qui signifie qu’ils n’ont aucune valeur monétaire. <0>Pour en savoir plus\",\"wmE285\":\"Get ABP v2 Token\",\"wyRrcJ\":\"As a result of governance decisions, this ABPT staking pool is now deprecated. You have the flexibility to either migrate all of your tokens to v2 or unstake them without any cooldown period.\",\"x5KiLL\":\"Les ressources sélectionnées ont été migrées avec succès. Rendez-vous sur le tableau de bord du marché pour les voir.\",\"x7F2p6\":\"Différentiel de courant\",\"x7K5ib\":[\"Votre \",[\"networkName\"],\" Le portefeuille est vide. Obtenir un test gratuit \",[\"0\"],\" à\"],\"x9iLRD\":\"tokens, veuillez vous rendre sur\",\"xNy/UG\":\"Rembourser avec\",\"xPm8wv\":\"En savoir plus sur les risques encourus\",\"xXYpZl\":[[\"0\"],\" Faucet\"],\"xaVBSS\":\"Vos informations\",\"xaWZ6f\":\"Changement de type APY\",\"xh6k71\":\"L’utilisation des garanties est limitée en raison du mode d’isolation.\",\"xvIklc\":\"Flashloan est désactivé pour cet actif, cette position ne peut donc pas être migrée.\",\"y5rS9U\":\"Émigrer\",\"y66tBm\":[\"Activer \",[\"symbol\"],\" comme collatéral\"],\"yB1YpA\":\"Mode Sombre\",\"yCrG6m\":\"Taille totale du marché\",\"yJUUbn\":\"Aperçu des transactions\",\"yLGmLX\":[\"Remise en jeu \",[\"symbol\"]],\"yW1oWB\":\"APY type\",\"yYHqJe\":\"Pas une adresse valide\",\"yZwLw6\":\"Suivre le portefeuille\",\"yh2sjd\":[\"Impact sur les prix \",[\"0\"],\"%\"],\"yhvj6d\":\"Vous ne pouvez pas changer d'utilisation en tant que mode de garantie pour cette devise, car cela entraînera un appel de garantie\",\"ylmtBZ\":\"The app is running in fork mode.\",\"ymNY32\":[\"Il n'y a pas assez de fonds dans la \",[\"0\"],\" réserve pour emprunter\"],\"yz7wBu\":\"Fermer\",\"z4uGQg\":\"Le plafond de la dette est dépassé\",\"z5UQOM\":\"La garantie choisie ne peut être liquidée\",\"z5Y+p6\":[\"Fournir \",[\"symbole\"]],\"zCjNKs\":\"L'action ne peut pas être effectuée car la réserve est gelée\",\"zRHytX\":\"Plafond de la dette isolée\",\"zTOjMP\":\"La limite d’approvisionnement du protocole est de 100 % pour cet actif. D’autres approvisionnements ne sont pas disponibles.\",\"zVdRUG\":\"Submission did not work, please try again later or contact wecare@avara.xyz\",\"zevmS2\":\"<0><1><2/>Ajoutez <3/> stkAAVE pour emprunter à <4/> (remise maximale)\",\"zgtIDV\":\"Dette restante\",\"zmTPiV\":\"Bilan d'approvisionnement\",\"zpPbZl\":\"Paramètres du risque de liquidation\",\"zucql+\":\"Menu\",\"zwWKhA\":\"Apprendre encore plus\",\"zy9fXn\":[\"L’actif est gelé \",[\"marketName\"],\" v3, donc cette position ne peut pas être migrée.\"],\"zys+R6\":\"Faites attention à la congestion du réseau et aux prix de l’essence.\",\"zzzTXS\":\"Merit Program rewards are claimed through the\"}")}; \ No newline at end of file +/*eslint-disable*/module.exports={messages:JSON.parse("{\"+0xecS\":[\"Si vous NE vous désengagez PAS dans les \",[\"0\"],\" de la fenêtre de désengagement, vous devrez réactiver le processus de refroidissement.\"],\"+EGVI0\":\"Recevoir (est.)\",\"+VR63W\":[\"Participer à cette réserve \",[\"symbol\"],\" donne des récompenses annualisées.\"],\"+bmKdK\":\"Use your AAVE, stkAAVE, or aAave balance to delegate your voting and proposition powers. You will not be sending any tokens, only the rights to vote and propose changes to the protocol. You can re-delegate or revoke power to self at any time.\",\"+eOPG+\":\"On dirait que nous ne pouvons pas changer de réseau automatiquement. Veuillez vérifier si vous pouvez le changer depuis le portefeuille.\",\"+i3Pd2\":\"Limite d'emprunt\",\"+kLZGu\":\"Montant de l’actif fourni\",\"+nuEh/\":\"Estimated time\",\"+xMFF8\":\"Remind me\",\"/57U31\":\"Amount to migrate\",\"/7ykiW\":\"Emprunter ce montant réduira votre facteur santé et augmentera le risque de liquidation.\",\"/YA5pU\":\"E-Mode increases your LTV for a selected category of assets, meaning that when E-mode is enabled, you will have higher borrowing power over assets of the same E-mode category which are defined by Aave Governance. You can enter E-Mode from your <0>Dashboard. To learn more about E-Mode and applied restrictionn, see the <1>help guide or the <2>Aave V3 Technical Paper.\",\"/izjs/\":\"Montant minimum d’Aave mis en jeu\",\"/jQctM\":\"To\",\"/lDBHm\":\"FAQ\",\"/yNlZf\":\"L'emprunt stable n'est pas activé\",\"/yQcJM\":\"Valeur totale\",\"00AB2i\":\"L'utilisateur n'a pas emprunté la devise spécifiée\",\"00OflG\":\"Il n’y a pas assez de liquidités pour que l’actif cible puisse effectuer le changement. Essayez de réduire le montant.\",\"08/rZ9\":\"La période de recharge est le temps nécessaire avant de retirer vos jetons (20 jours). Vous ne pouvez retirer vos actifs du module de sécurité qu’après la période de recharge et pendant la période de désenjeu. <0>Pour en savoir plus\",\"0AmQcW\":\"Changement de taux\",\"0BF3yK\":\"Désolé, nous n’avons pas trouvé la page que vous cherchiez.\",\"0TAbjq\":\"Recent Transactions\",\"0jhlyw\":\"Risque de liquidation\",\"0ojY+Y\":\"Solde actuel v2\",\"0thX3P\":\"Modification des garanties\",\"0wGCWc\":\"Il s'agit du montant total que vous pouvez emprunter. Vous pouvez emprunter en fonction de votre garantie et jusqu'à ce que le plafond d'emprunt soit atteint.\",\"1AsVfF\":\"À l’heure actuelle, les données sur les prix ne sont pas disponibles pour cette réserve dans le sous-graphe du protocole\",\"1LjK22\":\"Historique des transactions\",\"1Onqx8\":[\"Approuver \",[\"symbol\"],\"...\"],\"1Ue8sX\":\"Veuillez connecter un portefeuille pour afficher vos informations personnelles ici.\",\"1YH41K\":[\"After the cooldown period ends, you will enter the unstake window of \",[\"0\"],\". You will continue receiving rewards during cooldown and the unstake period.\"],\"1bpx9A\":\"...\",\"1kWUB+\":\"Seuil de liquidation <0/>\",\"1m9Qqc\":\"Retrait et changement\",\"1oyh4g\":\"Borrow rate\",\"1t7rez\":\"L’offre d’actifs est limitée à un certain montant afin de réduire l’exposition du protocole à l’actif et d’aider à gérer les risques encourus.\",\"2CAPu2\":\"Vous avez retiré et échangé des jetons avec succès.\",\"2Eoi/a\":\"Voir détails\",\"2FYpfJ\":\"Plus\",\"2O3qp5\":\"Liquidités disponibles\",\"2OM8/D\":[\"L’actif ne peut pas être migré en raison d’une restriction de plafond d’approvisionnement dans \",[\"marketName\"],\" v3 marché.\"],\"2Q4GU4\":\"Adresse bloquée\",\"2ZGocC\":\"Aave est un protocole entièrement décentralisé et régi par la communauté par les détenteurs de jetons AAVE. Les détenteurs de jetons AAVE discutent, proposent et votent collectivement sur les mises à niveau du protocole. Les détenteurs de jetons AAVE (réseau Ethereum uniquement) peuvent soit voter eux-mêmes sur de nouvelles propositions, soit choisir l’adresse de leur choix. Pour en savoir plus, consultez la page Gouvernance\",\"2a6G7d\":\"Veuillez saisir une adresse de portefeuille valide.\",\"2bAhR7\":\"Rencontrez GHO\",\"2eBWE6\":\"Je reconnais les risques encourus.\",\"2o/xRt\":\"Plafond d'approvisionnement sur la réserve cible atteint. Essayez de réduire le montant.\",\"2uJToh\":[[\"0\"],[\"name\"]],\"2x58bP\":\"L'emprunt stable est activé\",\"34Qfwy\":\"Le plafond d'emprunt est dépassé\",\"39eQRj\":[\"Emprunter \",[\"symbole\"]],\"3BL1xB\":\"Total fourni\",\"3BnIWi\":\"Commuté\",\"3K0oMo\":\"Offre restante\",\"3MoZhl\":\"Il n'y a pas assez de collatéral pour couvrir un nouvel emprunt\",\"3Np5O8\":[\"Fournir \",[\"symbole\"]],\"3O8YTV\":\"Total des intérêts courus\",\"3mXg0z\":\"Max LTV\",\"3q3mFy\":\"Rembourser\",\"3qsjtp\":\"La moyenne pondérée de l'APY pour tous les actifs fournis, y compris les incitations.\",\"3rL+os\":\"Vous ne pouvez retirer vos actifs du module de sécurité qu'après la fin de la période de refroidissement et que la fenêtre de retrait est active.\",\"42UgDM\":[\"Migrer vers \",[\"0\"],\" Marché v3\"],\"49UFQA\":\"Résultats du vote\",\"4DMZUI\":\"Afficher les transactions\",\"4HtGBb\":\"MAX\",\"4Y5H+g\":\"Petits caractères\",\"4YYh4d\":\"Maximum available to borrow\",\"4iPAI3\":\"Montant minimum d’emprunt GHO\",\"4lDFps\":\"Signez pour continuer\",\"4wyw8H\":\"Transactions\",\"5JSSxX\":[\"Votre \",[\"networkName\"],\" Le portefeuille est vide. Obtenez des ressources de test gratuites à l’adresse suivante :\"],\"5K7kGO\":\"documentation\",\"5NOSGa\":\"Le plafond de la dette limite le montant que les utilisateurs du protocole peuvent emprunter sur cet actif. Le plafond de la dette est spécifique aux actifs isolés et est indiqué en USD.\",\"5Ncc6j\":[\"Cet actif a presque atteint son plafond d'offre. Il ne peut y avoir que \",[\"messageValue\"],\" fourni à ce marché.\"],\"5cZ/KX\":\"L'offre de dette variable n'est pas nulle\",\"5che++\":\"Pour demander l'accès à ce marché autorisé, veuillez consulter\xA0: <0>Nom du fournisseur d'accès\",\"5ctNdV\":[\"Minimum \",[\"0\"],\" reçu\"],\"5hDe9v\":\"Allocation action requise\",\"5rsnKT\":\"Récompenses disponibles\",\"5yC5m5\":\"Voir tous les votes\",\"6/dCYd\":\"Aperçu\",\"60crCe\":\"Toutes les transactions\",\"62Xcjh\":\"Collatérale\",\"65A04M\":\"Espagnol\",\"6G8s+q\":\"Signature\",\"6Jrv+z\":[\"Rembourser \",[\"symbole\"]],\"6NGLTR\":\"Montant actualisable\",\"6Xr0UU\":\"Refroidissement...\",\"6bxci/\":\"Pouvoir de vote\",\"6f8S68\":\"Marchés\",\"6g1gi0\":\"Les propositions\",\"6gvoHP\":\"Copier le message d’erreur\",\"6h3Q5G\":\"Remboursé\",\"6lFSyT\":\"Available to Stake\",\"6s8L6f\":\"Changer de réseau\",\"6yAAbq\":\"APY, borrow rate\",\"70wH1Q\":\"APR\",\"72c5Qo\":\"Total\",\"73Auuq\":\"Les paramètres de remise sont décidés par la communauté Aave et peuvent être modifiés au fil du temps. Consultez la section Gouvernance pour les mises à jour et votez pour participer. <0>Pour en savoir plus\",\"75qcAQ\":[[\"stepName\"]],\"7ITr5L\":\"Facteur de santé\",\"7T/o5R\":\"Atteint\",\"7YlcXu\":\"Fork mode is ON\",\"7Z76Iw\":\"L’emprunt n’est pas disponible car vous utilisez le mode Isolation. Pour gérer le mode d’isolation, rendez-vous sur votre <0>tableau de bord.\",\"7aKlMS\":\"Partager sur Lens\",\"7bdUsR\":\"Redeem as aToken\",\"7er5fP\":\"Réclamer tout\",\"7hb2+s\":\"Time remaining until the withdraw period ends.\",\"7l88b8\":\"Les données n’ont pas pu être récupérées, veuillez recharger le graphique.\",\"7p5kLi\":\"Tableau de bord\",\"7sofdl\":\"Retrait et échange\",\"8+6BI0\":\"Soyez prudent - Vous êtes très proche de la liquidation. Envisagez de déposer plus de collatéral ou de rembourser certaines de vos positions empruntées\",\"87pUEW\":[\"Votre \",[\"name\"],\" Le portefeuille est vide. Acheter ou transférer des actifs.\"],\"8F1i42\":\"Page introuvable\",\"8G8M0u\":\"Chargement des données...\",\"8Iu1QS\":\"Retiré\",\"8JL93T\":\"Toutes les propositions\",\"8Q51DU\":\"Ajouter au portefeuille\",\"8X/oyn\":\"Montant invalide à frapper\",\"8Z5FPv\":\"Déconnecter le portefeuille\",\"8Zz7s5\":\"actifs\",\"8aLW8H\":\"Solde à révoquer\",\"8bOT3H\":\"Taux d'utilisation\",\"8sLe4/\":\"Voir le contrat\",\"8t/M0y\":\"Please connect your wallet to be able to bridge your tokens.\",\"8vETh9\":\"Montrer\",\"94OHPx\":\"Vous entrez en mode Isolation\",\"9CDK3/\":[\"L'emprunt n'est actuellement pas disponible pour \",[\"0\"],\".\"],\"9GIj3z\":\"Taille de réserve\",\"9Knqb4\":\"Solde de mise en jeu\",\"9OBKm7\":\"Quorum\",\"9QHoGr\":\"Votes actuels\",\"9Rw96f\":[\"Cet actif a presque atteint son plafond d'emprunt. Il n'y a que \",[\"messageValue\"],\" disponible pour être emprunté sur ce marché.\"],\"9Xj/qR\":[\"Certaines ressources migrées ne seront pas utilisées comme garantie en raison de l’activation du mode d’isolement dans \",[\"marketName\"],\" Marché V3. Visite <0>\",[\"marketName\"],\" Tableau de bord V3 pour gérer le mode d’isolation.\"],\"9c6vDV\":\"Cet actif a atteint son plafond d'offre. Rien n'est disponible pour être fourni à partir de ce marché.\",\"9kTWHA\":\"L’AMI a été suspendu en raison d’une décision de la communauté. L’offre, les emprunts et les remboursements sont impactés. <0>Plus d’informations\",\"9lXchd\":\"Jeton sous-jacent\",\"9rWaKF\":\"Bridged Via CCIP\",\"9xSooW\":\"Comme il s'agit d'un réseau de test, vous pouvez obtenir n'importe lequel des actifs si vous avez ETH dans votre portefeuille\",\"A/lwoe\":\"Choisissez l’un des services de rampe d’accès\",\"A6dCI6\":[\"Le montant maximal disponible pour emprunter est de <0/> \",[\"0\"],\" (<1/>).\"],\"AReoaV\":\"Vos emprunts\",\"ARu1L4\":\"Remboursé\",\"AV7cGz\":\"Examiner les détails de la taxe d'approbation\",\"AZOjB8\":\"Récupération de données...\",\"Ai0jas\":\"Rejoignez la discussion de la communauté\",\"Ajl2rq\":\"Le pouvoir d'emprunt et les actifs sont limités en raison du mode d'isolement.\",\"AqgYNC\":\"Plafond d’emprunt du protocole à 100% pour cet actif. Il n’est pas possible d’emprunter davantage.\",\"B3EcQR\":\"Merci d’avoir voté\xA0!!\",\"B6aXGH\":\"Stable\",\"B9Gqbz\":\"Taux variable\",\"BDFEd+\":\"Les stETH fournis en garantie continueront d’accumuler des récompenses de staking fournies par les rebasages quotidiens.\",\"BE2mP0\":\"Borrowed assets\",\"BJyN77\":\"Due to health factor impact, a flashloan is required to perform this transaction, but Aave Governance has disabled flashloan availability for this asset. Try lowering the amount or supplying additional collateral.\",\"BNL4Ep\":\"L'utilisation de la garantie est limitée en raison du mode d'isolement. <0>En savoir plus\",\"BQ/wCO\":\"Migrate your assets\",\"BjLdl1\":\"À prix réduit\",\"BnhYo8\":\"Catégorie d'actifs\",\"Bq9Y7e\":\"Cet actif est gelé en raison d’une décision de la communauté Aave. <0>Plus d’informations\",\"BqWMDJ\":\"Faucet\",\"BqynZO\":\"Optimized for efficiency and risk by supporting blue-chip collateral assets\",\"Bsu7zX\":\"The fee includes the gas cost to complete the transaction on the destination chain and the fee paid to Chainlink CCIP service providers. You can chose to pay in the network token or GHO. <0>Learn more\",\"BwJKBw\":\"de\",\"C4/GSi\":\"Your balance of assets that are available to stake\",\"CDrsH+\":\"Fiche technique\",\"CK1KXz\":\"Max\",\"CMHmbm\":\"Glissement\",\"CZXzs4\":\"Grec\",\"CcRNG6\":\"Transistor\",\"CkTRmy\":[\"Revendication \",[\"symbol\"]],\"CsqtLm\":\"Veuillez connecter votre portefeuille pour voir l’outil de migration.\",\"CtGlFb\":[[\"networkName\"],\" Robinet\"],\"Cxt2YY\":\"Watch wallet\",\"D33VQU\":\"Cette action réduira le facteur de santé de V3 en dessous du seuil de liquidation. Augmenter les garanties migrées ou réduire les emprunts migrés pour continuer.\",\"D8sc3k\":\"Stake balance\",\"D9BLRG\":\"This asset has been paused due to a community decision. Supply, withdraw, borrows and repays are impacted.\",\"DAma/S\":\"La garantie est (principalement) la même devise que celle qui est empruntée\",\"DCnFg0\":[\"Adresses (\",[\"0\"],\")\"],\"DG3Lv1\":\"Je comprends parfaitement les risques liés à la migration.\",\"DONJcV\":\"L'actif sous-jacent ne peut pas être sauvé\",\"DR+4uL\":\"Bilan de l’alimentation après le changement\",\"DWjrck\":[\"La ressource ne peut pas être migrée vers \",[\"marketName\"],\" V3 Market en raison des restrictions du mode E. Vous pouvez désactiver ou gérer les catégories du mode E dans votre <0>tableau de bord V3\"],\"Dj+3wB\":\"Aave par mois\",\"DptNvx\":\"Amount Staked\",\"DuEq2K\":\"Collatéralisation\",\"DxfsGs\":\"Vous pouvez signaler un incident sur notre <0>Discord ou<1>Github.\",\"Dzma+E\":\"Main Ethereum market with the largest selection of assets and yield options\",\"E/QGRL\":\"Désactivé\",\"EBL9Gz\":\"COPIÉ!\",\"ES8dkb\":\"Taux fixe\",\"EZd3Dk\":[\"Reprise \",[\"symbol\"]],\"EZqFZ+\":\"Staking this asset will earn the underlying asset supply yield in additon to other configured rewards.\",\"Ebgc76\":[\"Retrait \",[\"symbole\"]],\"EdQY6l\":\"Aucun/Aucune\",\"EjvKQ+\":\"Valeur minimale en USD reçue\",\"Enslfm\":\"Destination\",\"EvE9nO\":[\"Réactiver la période de recharge pour annuler le pieu \",[\"0\"],\" \",[\"stakedToken\"]],\"EvECnL\":\"Migrer vers la v3\",\"EzMQbh\":\"The source chain time to finality is the main factor that determines the time to destination. <0>Learn more\",\"F40cwT\":\"Legacy Markets\",\"F6TdXL\":\"Pour en savoir plus.\",\"FDDPeZ\":\"Users can stake their assets in the protocol and earn incentives. In the case of a shortfall event, your stake can be slashed to cover the deficit, providing an additional layer of protection for the protocol.\",\"FHlMf/\":\"Solde actuel de la v2\",\"FHpxjF\":[\"Le facteur de réserve est un pourcentage de l’intérêt qui va à un \",[\"0\"],\" qui est contrôlé par la gouvernance Aave pour promouvoir la croissance de l’écosystème.\"],\"FOBZa6\":\"Puissance d'emprunt utilisée\",\"FPKEug\":\"Opération non prise en charge\",\"FbmMe7\":\"Linked addresses\",\"Fdp03t\":\"sur\",\"Fjw9N+\":\"Actifs à déposer\",\"FmN0fk\":\"Remise en jeu\",\"GDGLIs\":\"GHO est un actif numérique natif décentralisé et adossé à des garanties, indexé sur le dollar américain. Il est créé par les utilisateurs en empruntant contre plusieurs garanties. Lorsque l’utilisateur rembourse sa position d’emprunt de HO, le protocole brûle le GHO de cet utilisateur. Tous les paiements d’intérêts accumulés par les minters de GHO seraient directement transférés à la trésorerie d’AaveDAO.\",\"GQrBTq\":\"Changer de mode E\",\"GWswcZ\":\"Cet actif est gelé en raison d’une décision de gouvernance du protocole Aave. Le 20 décembre 2022, renFIL ne sera plus pris en charge et ne pourra plus être reconnecté à son réseau natif. Il est recommandé de retirer les positions d’offre et de rembourser les positions d’emprunt afin que renFIL puisse être relié à FIL avant la date limite. Après cette date, il ne sera plus possible de convertir renFIL en FIL. <0>Plus d’informations\",\"GX8GKD\":\"Actifs\",\"GgEj+0\":\"Mode lecture seule. Connectez-vous à un portefeuille pour effectuer des transactions.\",\"GjkIKV\":\"Prend fin\",\"GoK/QN\":\"Thank you for submitting feedback!\",\"GtP2hp\":[\"L'emprunt n'est pas disponible, car vous avez activé le mode d'efficacité (E-Mode) pour la catégorie \",[\"0\"],\". Pour gérer les catégories E-Mode, visitez votre <0>tableau de bord.\"],\"H6Ma8Z\":\"Rabais\",\"HB/wfS\":[[\"tooltipText\"]],\"HKDsQN\":\"Rewards can be claimed through\",\"Ha/U5f\":\"This is a program initiated and implemented by the decentralised ZKSync community. Aave Labs does not guarantee the program and accepts no liability.\",\"HciqKU\":\"This is a program initiated and implemented by the decentralised Aave community. Aave Labs does not guarantee the program and accepts no liability.\",\"Hi6Ttn\":\"Désolé, une erreur inattendue s’est produite. En attendant, vous pouvez essayer de recharger la page, ou revenir plus tard.\",\"HkEDbS\":[[\"d\"],\"d\"],\"HmkYqM\":\"Fenêtre d'arrêt de staking\",\"HpK/8d\":\"Recharger\",\"HrnC47\":\"Enregistrer et partager\",\"HuVZMK\":\"Days\",\"HvJKMU\":[\"La ressource ne peut pas être migrée vers \",[\"marketName\"],\" v3 Marché puisque l’actif collatéral activera le mode d’isolation.\"],\"Hvwnm9\":[\"La quantité maximale disponible pour l’approvisionnement est limitée parce que le plafond d’approvisionnement du protocole est à \",[\"0\"],\"%.\"],\"I8CX2c\":\"Le montant total de vos actifs libellés en USD qui peut être utilisé comme garantie pour emprunter des actifs.\",\"IAD2SB\":[\"Prétendant \",[\"symbol\"]],\"IG9X9/\":\"L’emprunt de cet actif est limité à un certain montant afin de minimiser l’insolvabilité du pool de liquidités.\",\"IOIx8L\":\"Il est prévu que cet actif soit désactivé en raison d’une décision de gouvernance du protocole Aave. <0>Plus d’informations\",\"IP+I/j\":\"Période de recharge\",\"IaA40H\":\"Liquidation à\",\"J/hVSQ\":[[\"0\"]],\"JCoxL6\":\"Gérer l’analytique\",\"JK9zf1\":[\"Intérêts composés estimés, y compris l’escompte pour le jalonnement \",[\"0\"],\"AAVE dans le module de sécurité.\"],\"JOqFba\":[\"Déjalonnement \",[\"symbol\"]],\"JPrLjO\":\"Vous ne pouvez pas utiliser cette devise comme garantie\",\"JU6q+W\":\"Récompense(s) à réclamer\",\"JYKRJS\":\"Stake\",\"JZMxX0\":\"Pas assez de solde sur votre portefeuille\",\"Jgflkm\":\"Get GHO\",\"JoMQnI\":\"Solde du portefeuille\",\"JtwD8u\":\"Emprunter le solde après le remboursement\",\"JumYTK\":\"Supplied assets\",\"K05qZY\":\"Retrait et échange\",\"KAz/NV\":\"Le plafond d’endettement du protocole est de 100% pour cet actif. Il n’est pas possible d’emprunter davantage sur cet actif.\",\"KLXVqE\":[\"Les tokens stETH seront migrés vers Wrapped stETH à l’aide du wrapper Lido Protocol, ce qui entraîne une modification de l’équilibre de l’offre après la migration : \",[\"0\"]],\"KLd6ky\":\"Use connected account\",\"KRpokz\":\"VOIR TX\",\"KSlpka\":\"Cela représente le seuil auquel une position d'emprunt sera considérée comme sous-garantie et sujette à liquidation pour chaque garantie. Par exemple, si une garantie a un seuil de liquidation de 80\xA0%, cela signifie que la position sera liquidée lorsque la valeur de la dette vaut 80 % de la valeur de la garantie.\",\"KYAjf3\":\"Isolé\",\"KZwRuD\":[[\"notifyText\"]],\"KkPgim\":\"Changement de mode E\",\"KnN1Tu\":\"Expire\",\"KoOBI2\":\"En raison de la mécanique interne de stETH requise pour le rebasage de la prise en charge, il n’est pas possible d’effectuer un changement de garantie où stETH est le jeton source.\",\"KojyJ4\":\"Mauvais réseau\",\"KsqhWn\":\"Staking\",\"KuBTQq\":\"Entrez l'adresse ETH\",\"KvG1xW\":\"Réclamer\",\"L+8Lzs\":\"LTV actuelle\",\"L+qiq+\":\"Marché\",\"LDzfVJ\":\"Send Feedback\",\"LIrMcF\":\"Pas de pouvoir de vote\",\"LL0zks\":\"Peut être collatéral\",\"LLdJWu\":\"AAVE Réclamable\",\"LSIpNK\":\"Emprunter et rembourser dans le même bloc n'est pas autorisé\",\"LVt3TI\":[\"<0>Tolérance de glissement <1>\",[\"selectedSlippage\"],\"% <2>\",[\"0\"],\"\"],\"LjafV8\":\"Maximum collateral amount to use\",\"LtpQew\":\"Let us know how we can make the app better for you. For user support related inquiries please reach out on\",\"LvVpD/\":\"Emode\",\"M2sknc\":\"Astuce : Essayez d’augmenter le glissement ou de réduire la quantité d’entrée\",\"M7wPsD\":\"Interrupteur\",\"MFu33y\":\"Staking 00\",\"MIy2RJ\":\"Maximum amount received\",\"MZ/nQf\":\"Adresse du destinataire\",\"Ma/MtY\":\"vue de staking\",\"McHlGl\":\"Changement d’APY\",\"MeCCA+\":\"APY, variable\",\"MghdTe\":\"Si le facteur de santé descend en dessous de 1, la liquidation de votre collatéral peut être déclenchée.\",\"Mm/DVQ\":\"Vous avez annulé la transaction.\",\"MnE2QX\":\"Emprunter des informations\",\"MrmQHg\":\"View Bridge Transactions\",\"MuDFEQ\":\"Valeur de retour invalide de la fonction flashloan executor\",\"N5kUMV\":\"L’actif ne peut être utilisé comme garantie qu’en mode isolé avec un pouvoir d’emprunt limité. Pour passer en mode d’isolation, désactivez toutes les autres garanties.\",\"N6Pxr9\":\"View all\",\"NF0e1Q\":\"En attente...\",\"NK9ikO\":\"Solde du portefeuille\",\"NMt2CB\":\"Montant réclamable\",\"NcFGxG\":\"Contrat de collectionneur\",\"NfpPeS\":\"Rien staké\",\"Nh9DAo\":[[\"m\"],\"m\"],\"O+sCUU\":\"Le plafond de mintage non soutenu est dépassé\",\"O+tyU+\":[\"Le montant maximal disponible pour emprunter sur cet actif est limité car le plafond de la dette est à \",[\"0\"],\"%.\"],\"O3oNi5\":\"Email\",\"OFjZGo\":\"Unstake\",\"OR8cYX\":\"Aperçu de la proposition\",\"OYuJ9K\":\"Le plafond d’endettement du protocole est de 100% pour cet actif. Il n’est pas possible d’emprunter sur cet actif.\",\"OfhWJH\":\"Réinitialisation\",\"Og2SKn\":\"handicapé\",\"On0aF2\":\"Site internet\",\"OsyKSt\":\"Retirer\",\"P1dURE\":\"Révoquer le pouvoir\",\"P2WCD/\":[\"L’actif sous-jacent n’existe pas dans \",[\"marketName\"],\" v3 Market, par conséquent, cette position ne peut pas être migrée.\"],\"P2sL6B\":\"Lorsqu'une liquidation survient, les liquidateurs remboursent jusqu'à 50 % de l'encours emprunté au nom de l'emprunteur. En contrepartie, ils peuvent acheter le collatéral à prix réduit et conserver la différence (pénalité de liquidation) en bonus.\",\"P6sRoL\":\"Mise en jeu ABPT\",\"P72/OW\":\"La moyenne pondérée de l'APY pour tous les actifs empruntés, y compris les incitatifs.\",\"P7e6Ug\":\"Veuillez connecter votre portefeuille pour consulter l’historique des transactions.\",\"PByO0X\":\"Votes\",\"PI+kVe\":\"Disable fork\",\"PJK9u/\":\"Emprunter apy\",\"PLUB/s\":\"Fee\",\"PP5ZA8\":[\"Participating in staking \",[\"symbol\"],\" gives annualized rewards. Your wallet balance is the sum of your aTokens and underlying assets. The breakdown to stake is below\"],\"PcBUgb\":\"Seuil de liquidation\",\"PjU6bu\":\"This asset is eligible for SPK incentive program. Aave Labs does not guarantee the program and accepts no liability.\",\"PpqD5g\":\"L'activation de cet actif comme garantie augmente votre pouvoir d'emprunt et votre facteur de santé. Cependant, il peut être liquidé si votre facteur de santé tombe en dessous de 1.\",\"PsOFSf\":\"Cette action réduira le facteur de santé V2 en dessous du seuil de liquidation. Conservez la garantie ou migrez la position d’emprunt pour continuer.\",\"Pu4bI/\":[[\"currentMethod\"]],\"Q0LzKi\":\"View TX\",\"Q4eNqa\":\"The Aave Balancer Pool Token (ABPT) is a liquidity pool token. You can receive ABPT by depositing a combination of AAVE + wstETH in the Balancer liquidity pool. You can then stake your BPT in the Safety Module to secure the protocol and earn Safety Incentives.\",\"QQYsQ7\":\"Withdrawing\",\"QWYCs/\":\"Stake GHO\",\"R+30X3\":\"Non atteint\",\"RCU5PY\":\"Age\",\"RIfckG\":[\"Désactiver \",[\"symbol\"],\" comme garantie\"],\"RMtxNk\":\"Différentiel\",\"RNK49r\":\"Signature non valide\",\"RS0o7b\":\"État\",\"RU+LqV\":\"Détails de la proposition\",\"RbXH+k\":\"AAVE, GHO, and ABPT holders (Ethereum network only) can stake their assets in the Safety Module to add more security to the protocol and earn Safety Incentives. In the case of a shortfall event, your stake can be slashed to cover the deficit, providing an additional layer of protection for the protocol.\",\"RiSYV4\":\"L'actif n'est pas répertorié\",\"Rj01Fz\":\"Liens\",\"RmWFEe\":\"APR staké\",\"RoafuO\":\"Envoyer des commentaires\",\"RtBLm7\":\"Le facteur santé est inférieur au seuil de liquidation\",\"RxzN1M\":\"Activé\",\"SDav7h\":\"Fonds dans le Safety Module\",\"SENccp\":\"Si l’erreur persiste,<0/> vous pouvez la signaler à ce\",\"SIWumd\":\"Afficher les ressources gelées ou mises en pause\",\"SM58dD\":\"Quantité en temps de recharge\",\"SSMiac\":\"Impossible de charger les votants de proposition. Veuillez rafraîchir la page.\",\"SSQVIz\":\"Seuil de liquidation\",\"SUb8x0\":\"Total disponible\",\"SWIgh4\":\"Fees exceed wallet balance\",\"SY9hVo\":\"Le mode lecture seule permet de voir les positions d’adresses dans Aave, mais vous ne pourrez pas effectuer de transactions.\",\"SZRUQ4\":\"Glissement maximal\",\"Sa1UE/\":\"Le plafond d’emprunt du protocole est de 100 % pour cet actif. Il n’est pas possible d’emprunter davantage.\",\"Sk2zW9\":\"Désactiver le E-mode\",\"SxaD0o\":\"Le fournisseur d'adresses de pool n'est pas enregistré\",\"T/AIqG\":\"Limite d’approvisionnement du protocole à 100 % pour cet actif. D’autres approvisionnements ne sont pas disponibles.\",\"T0xCO9\":\"Can't validate the wallet address. Try again.\",\"T4OhVl\":\"GHO balance\",\"T6uYU2\":\"Emprunter\",\"TFxQlw\":\"Pénalité de liquidation\",\"TQ7WsV\":\"Available to stake\",\"TUI7iB\":\"L'actif ne peut être utilisé comme garantie qu'en mode isolé.\",\"TbjyhA\":\"Docs\",\"TduuS0\":\"L'utilisateur n'a pas de dette à taux stable impayée sur cette réserve\",\"TeCFg/\":\"Modification du taux d’emprunt\",\"Tg1JyO\":\"Bridge history\",\"TskbEN\":\"Les détenteurs de stkAAVE bénéficient d’une réduction sur le taux d’emprunt GHO\",\"TszKts\":\"Emprunter le solde après le changement\",\"TtZL6q\":\"Paramètres du modèle de remise\",\"TwJI9F\":\"Asset has been successfully sent to CCIP contract. You can check the status of the transactions below\",\"Tz0GSZ\":\"Activités bloquées\",\"U/eBjN\":\"Recharger la page\",\"U2r8nY\":\"Choose how much voting/proposition power to give to someone else by delegating some of your AAVE, stkAAVE or aAave balance. Your tokens will remain in your account, but your delegate will be able to vote or propose on your behalf. If your AAVE, stkAAVE or aAave balance changes, your delegate's voting/proposition power will be automatically adjusted.\",\"U8IubP\":\"L’application s’exécute en mode réseau de test. Découvrez comment cela fonctionne dans\",\"U9btTk\":\"L'actif n'est pas empruntable en mode d'isolement\",\"UAOZRe\":\"L’impact sur les prix est l’écart entre la valeur totale des tokens d’entrée échangés et les tokens de destination obtenus (en USD), qui résulte de la liquidité limitée de la paire de trading.\",\"UE3KJZ\":\"L’historique des transactions n’est actuellement pas disponible pour ce marché\",\"URmyfc\":\"Détails\",\"UTTKmT\":\"Temps de recharge de la mise activé\",\"UXeR72\":\"Ces fonds ont été empruntés et ne peuvent pas être retirés pour le moment.\",\"UYb8CM\":\"Learn more about the SPK rewards\",\"UbRrG0\":\"Le ratio LTV maximum représente le pouvoir d'emprunt maximum d'une garantie spécifique. Par exemple, si une garantie a un LTV de 75 %, l'utilisateur peut emprunter jusqu'à 0,75 ETH dans la devise principale pour chaque 1 ETH de garantie.\",\"UpndFj\":\"Aucune récompense à réclamer\",\"V0f2Xv\":\"Facteur de réserve\",\"V1HK43\":\"Risques liés à la migration\",\"VATFH9\":\"Dette couverte\",\"VHOVEJ\":\"Connecter le portefeuille\",\"VMfYUK\":\"Sécurité de votre garantie déposée contre les actifs empruntés et sa valeur sous-jacente.\",\"VOAZJh\":\"Total des emprunts\",\"ViKYxK\":\"YAE\",\"W1SSoD\":\"Examiner les détails de la transaction\",\"W5hVah\":\"Rien fourni pour le moment\",\"W5kTFy\":\"Vote\",\"W8ekPc\":\"Retour au tableau de bord\",\"WMPbRK\":\"Sans support\",\"WNGZwH\":\"E-Mode augmente votre LTV pour une catégorie d'actifs sélectionnée jusqu'à <0/>. <1>En savoir plus\",\"WPWG/y\":\"Statut et configuration de la réserve\",\"WZLQSU\":\"L'utilisateur ne peut pas retirer plus que le solde disponible\",\"WaZyaV\":\"<0>Ampleforth est un actif de rebasage. Consultez la <1>documentation pour en savoir plus.\",\"WfU+XN\":\"Étant donné que cette ressource est suspendue, aucune action ne peut être entreprise jusqu’à nouvel ordre\",\"Wjmqs2\":\"No results found. You can import a custom token with a contract address\",\"WkZ6C6\":\"Pour emprunter, vous devez fournir tout actif à utiliser comme garantie.\",\"WyMiQm\":\"Vous avez réussi à changer de jeton.\",\"X/ITG9\":\"Copier le texte d'erreur\",\"X3Pp6x\":\"Utilisé comme collatéral\",\"X4Zt7j\":\"L'action ne peut pas être effectuée car la réserve est mise en pause\",\"XBdKOj\":\"Representative smart contract wallet (ie. Safe) addresses on other chains.\",\"XZzneG\":\"Vous quitterez le mode d'isolement et d'autres jetons peuvent désormais être utilisés comme collatéral\",\"Xg5y9S\":\"Amount to Bridge\",\"Xn4hUi\":\"Veuillez toujours tenir compte de votre <0>facteur de santé (HF) lors de la migration partielle d’une position et que vos tarifs seront mis à jour vers les taux V3.\",\"Xy71ST\":\"Umbrella\",\"Y5kGkc\":\"VOTER NON\",\"YDIOks\":\"Activation du E-Mode\",\"YSodyW\":\"Cette action réduira votre facteur de santé. Veuillez garder à l’esprit le risque accru de liquidation des garanties.\",\"YXOWXM\":\"The total amount bridged minus CCIP fees. Paying in network token does not impact gho amount.\",\"YirHq7\":\"Feedback\",\"YogbCJ\":\"Le mode réseau de test est activé\",\"YrDxdO\":\"Si votre prêt à la valeur dépasse le seuil de liquidation, votre garantie fournie peut être liquidée.\",\"YyIM65\":\"Les conditions de rééquilibrage des taux d'intérêt n'ont pas été remplies\",\"YyydIq\":[\"Ajouter \",[\"0\"],\" à Wallet pour suivre votre solde.\"],\"ZBvhI+\":\"Gouvernance Aave\",\"ZIIRAd\":\"Raw-Ipfs\",\"ZRq4tX\":\"Mode efficacité (E-Mode)\",\"ZSqEW+\":\"Manage E-Mode\",\"ZUFYFE\":\"Désactiver le réseau de test\",\"Zbyywy\":\"Coupure maximale\",\"ZfUGFb\":\"Avant de déposer\",\"ZiXN+B\":\"Assets to stake\",\"ZlsSDH\":\"Valeur de liquidation\",\"ZrEc8j\":\"Nous n’avons trouvé aucun élément lié à votre recherche. Réessayez avec un autre nom, symbole ou adresse de ressource.\",\"ZsLF7e\":\"Activé\",\"a0YQoQ\":\"Enter a valid address\",\"a2fBZn\":\"Temps restant pour dépiquer\",\"a5RYZd\":\"La désactivation de cet actif en tant que garantie affecte votre pouvoir d'emprunt et votre facteur de santé.\",\"a7u1N9\":\"Prix\",\"a9D+6D\":\"Non jalonné\",\"aEtiwq\":\"Vote NAY\",\"aMmFE1\":\"Acheter des crypto-monnaies avec des monnaies fiduciaires\",\"aOKIms\":\"Les paramètres de tableau devraient être de même longueur ne sont pas\",\"aX31hk\":\"Votre solde est inférieur au montant sélectionné.\",\"adUsDd\":\"An error has occurred fetching the proposal.\",\"al6Pyz\":\"Dépasse la remise\",\"aoXTT7\":\"Prêt APY, variable\",\"aqX1Yp\":\"This asset is eligible for rewards through SuperFest. Aave Labs does not guarantee the program and accepts no liability.\",\"avgETN\":\"Eligible for the Merit program.\",\"b4NS3e\":\"Avertissement de période de refroidissement\",\"bBHmeP\":\"Available to withdraw\",\"bNEQeI\":\"Cooldown\",\"bSruit\":\"ZKSync Ignite Program rewards are claimed through the\",\"bUUVED\":\"Actif\",\"bXQ/Og\":\"Partager sur Twitter\",\"bXr0ee\":\"Les actifs isolés ont un pouvoir d'emprunt limité et les autres actifs ne peuvent pas être utilisés comme garantie.\",\"bYmAV1\":\"Adresses\",\"bguKoJ\":\"Le montant demandé est supérieur au montant maximum du prêt en mode taux stable\",\"bwSQI0\":\"Fournir\",\"bxN6EM\":\"Impossible de désactiver le mode E\",\"bxmzSh\":\"Pas assez de collatéral pour rembourser ce montant de dette avec\",\"c91vuQ\":\"L'adresse n'est pas un contrat\",\"c97os2\":\"Aave aToken\",\"c9b44w\":\"Vous ne pouvez pas retirer ce montant car cela entraînera un appel de garantie\",\"cBc+4A\":\"Il s'agit du montant total que vous pouvez emprunter. Vous pouvez emprunter en fonction de votre garantie et jusqu'à ce que le plafond d'emprunt soit atteint.\",\"cIl5kp\":\"Votre pouvoir de vote est basé sur votre solde AAVE/stkAAVE et les délégations reçues.\",\"cLo09S\":\"Détails des risques\",\"cNT+ij\":\"L'emprunt n'est pas disponible car vous avez activé le mode Efficacité (E-Mode) et le mode Isolation. Pour gérer le mode E et le mode Isolation, rendez-vous sur votre <0>tableau de bord.\",\"cZOeBk\":\"Something went wrong fetching bridge message, please try again later.\",\"ceix5S\":\"Pour soumettre une proposition de modifications mineures du protocole, vous aurez besoin d’une puissance d’au moins 80,00 K. Si vous souhaitez modifier la base de code de base, vous aurez besoin d’une puissance de 320k. <0>Pour en savoir plus.\",\"ciSsYT\":\"Staking APY\",\"ciybUa\":\"Vote YAE\",\"ckf7gX\":[\"Remboursement \",[\"symbole\"]],\"cp1ZDP\":[\"Bridge \",[\"symbol\"]],\"cqnmnD\":\"Taux d’intérêt effectif\",\"cqwIvs\":\"Discussion de forum\",\"csDS2L\":\"Disponible\",\"cu7Stb\":\"Vous n'avez pas participé à cette proposition\",\"dE6BLF\":\"Gouvernance\",\"dEgA5A\":\"Annuler\",\"dIsyWh\":\"Échec de la validation LTV\",\"dMtLDE\":\"À\",\"dOB5nW\":[\"La quantité maximale disponible pour la fourniture est de <0/> \",[\"0\"],\" (<1/>).\"],\"dVfODp\":\"Vous n'avez pas assez de fonds dans votre portefeuille pour rembourser le montant total. Si vous continuez à rembourser avec votre montant actuel de fonds, vous aurez toujours une petite position d'emprunt dans votre tableau de bord.\",\"dXUQFX\":\"Actifs à emprunter\",\"dgr1aY\":\"L’emprunt est désactivé en raison d’une décision de la communauté Aave. <0>Plus d’informations\",\"djsg0o\":\"Usage de collatéral\",\"dpc0qG\":\"Variable\",\"drdV8R\":\"Liquidation\",\"dxW8cS\":\"Jeton de dette Aave\",\"e4V3oW\":\"Top 10 des adresses\",\"eD8WX/\":\"L'action nécessite une réserve active\",\"eJRJ04\":\"Montant à la mise en jeu\",\"eLh0cL\":\"Le slippage est la différence entre les montants cotés et reçus en raison de l’évolution des conditions du marché entre le moment où la transaction est soumise et sa vérification.\",\"ePK91l\":\"Edit\",\"eVpCmf\":\"Récompenses de staking\",\"eVqvtf\":\"Bridge GHO\",\"eYdurp\":\"Aucune transaction n’a encore été effectuée.\",\"ebLGGN\":\"Total emprunté\",\"ecqEvn\":\"Le solde de la garantie est de 0\",\"efdrrk\":\"Disponible sur\",\"enruNF\":\"Commence\",\"eqLYiD\":\"Arrêter de staker maintenant\",\"euScGB\":\"APY avec remise appliquée\",\"evw5ha\":\"Valeur nette\",\"ezcU16\":\"Obtenir le jeton ABP\",\"f3W0Ej\":[\"Vous êtes passé au tarif \",[\"0\"]],\"fH9i8k\":\"Vous avez réussi à changer de position d’emprunt.\",\"fHcELk\":\"APR Net\",\"fMJQZK\":\"Emprunté\",\"fZ5Vnu\":\"Reçu\",\"firl9Q\":\"Votre prêt actuel à la valeur en fonction de votre collatéral fournie.\",\"flRCF/\":\"Remise sur le staking\",\"fldjW9\":\"Prévisualiser tx et migrer\",\"fsBGk0\":\"Solde\",\"fu1Dbh\":[\"Retirer \",[\"symbole\"]],\"fwjWSI\":\"Fourni\",\"fwyTMb\":\"Migrate to stkABPT v2\",\"g0mals\":\"You can not disable E-Mode because that could cause liquidation. To exit E-Mode supply or repay borrowed positions.\",\"g2UNkE\":\"Alimenté par\",\"g8KGoA\":\"Foire aux questions\",\"g9zzqS\":\"A voté NAY\",\"gDd2gk\":\"about SuperFest.\",\"gFFh9h\":\"Tout est fait !\",\"gIMJlW\":\"Mode réseau test\",\"gOzPxe\":\"Cet actif est gelé en raison d’une décision de gouvernance du protocole Aave. <0>Plus d’informations\",\"gTHi2T\":\"L'utilisateur essaie d'emprunter plusieurs actifs, y compris un en silo\",\"gVW59Y\":\"Veuillez connecter votre portefeuille pour obtenir des ressources de réseau de test gratuites.\",\"gcFNxP\":\"Approuver Confirmé\",\"gncRUO\":\"Cette adresse est bloquée sur app.aave.com car elle est associée à un ou plusieurs\",\"goff7V\":\"Adresse zéro non-valide\",\"gp+f1B\":\"Variante 3\",\"gr8mYw\":\"Vous pouvez emprunter jusqu’à GHO à <0/> <1/> (rabais maximum)\",\"gvTM4B\":\"L'APY net est l'effet combiné de toutes les positions d'offre et d'emprunt sur la valeur nette, y compris les incitations. Il est possible d'avoir un APY net négatif si l'APY de la dette est supérieur à l'APY de l'offre.\",\"gzcch9\":\"Frais de protocole de pont invalide\",\"h33MxW\":\"Representing smart contract wallet (ie. Safe) addresses on other chains.\",\"h3ilK+\":\". .CSV\",\"hB23LY\":\"Activer le temps de recharge\",\"hIJzBh\":\"Available to Claim\",\"hIS4N0\":\"APY Net\",\"hRWvpI\":\"Revendiqué\",\"hdmy/o\":\"Le % de votre pouvoir d'emprunt total utilisé. Ceci est basé sur le montant de votre garantie fournie et le montant total que vous pouvez emprunter.\",\"hehnjM\":\"Montant\",\"hjDCQr\":\"Il y a eu une erreur. Veuillez essayer de modifier les paramètres ou <0><1>copier l'erreur\",\"hom7qf\":\"Réclamer\",\"hpHJ4I\":\"Garantie liquidée\",\"hpuVIp\":\"Users who stake AAVE in Safety Module (i.e. stkAAVE holders) receive a discount on GHO borrow interest rate.\",\"huQ6Tz\":[\"Emprunter \",[\"symbole\"]],\"hxi7vE\":\"Emprunter le solde\",\"i/fZ2Z\":\"Staked Balance\",\"i2JTiw\":\"Vous pouvez saisir un montant personnalisé dans le champ.\",\"iB5+/J\":\"À propos de GHO\",\"iChbOF\":\"Paramètres de prêt flash incohérents\",\"iEPVHF\":\"Pas assez de pouvoir de vote pour participer à cette proposition\",\"iEW87X\":\"Délégation de pouvoirs\",\"iEju36\":[\"Vous avez voté \",[\"0\"]],\"iFq2YN\":\"Borrowable\",\"iGxyIA\":\"Safety Module\",\"iMVZk9\":\"Sélectionner la tolérance de glissement\",\"iPMIoT\":\"Entrez un montant\",\"iSLIjg\":\"Connect\",\"iUo5rv\":\"tokens n'est pas la même chose que de les staker . Si vous souhaitez staker votre\",\"iZxa38\":\"Utilisez-le pour voter pour ou contre les propositions actives.\",\"iboNXd\":\"Amount received\",\"if5PH+\":\"Informations sur le collectionneur\",\"igkfR1\":[\"En mode Isolation, vous ne pouvez pas fournir d’autres actifs en garantie. Un plafond d’endettement global limite le pouvoir d’emprunt de l’actif isolé. Pour quitter le mode d’isolement, désactivez \",[\"0\"],\" en garantie avant d’emprunter un autre actif. Pour en savoir plus, consultez notre <0>FAQ\"],\"il0sEG\":\"L'utilisation du collatéral est limitée en raison du mode d'isolation.\",\"j+K1Xj\":\"Amount After Fee\",\"jA2QeW\":\"Fournir votre\",\"jFi7dz\":\"Interest rate that is determined by Aave Governance. This rate may be changed over time depending on the need for the GHO supply to contract/expand. <0>Learn more\",\"jG3UJ7\":\"Désactiver le E-mode\",\"jKYzR1\":\"Activer le E-Mode\",\"jMam5g\":[[\"0\"],\" Balance\"],\"jSYv+Z\":\"Enabling E-Mode allows you to maximize your borrowing power, however, borrowing is restricted to assets within the selected category. <0>Learn more about how it works and the applied restrictions.\",\"jaKbwW\":[[\"s\"],\"s\"],\"jbFMap\":\"Temps de recharge restant\",\"jeMZNr\":[[\"0\"],\" Le service de rampe d’accès est fourni par le fournisseur externe et, en le sélectionnant, vous acceptez les conditions du fournisseur. Votre accès au service peut dépendre de l’opérationnalité du fournisseur externe.\"],\"jfl9OP\":\"Migré\",\"jmXdoY\":\"En E-Mode, certains actifs ne sont pas empruntables. Quittez le E-mode pour accéder à tous les actifs\",\"jpctdh\":\"Vue\",\"jqzUyM\":\"Non disponible\",\"k/sb6z\":\"Choisir la langue\",\"k3wP3f\":\"<0>Attention: Les changements de paramètres via la gouvernance peuvent modifier le facteur de santé de votre compte et le risque de liquidation. Suivez le <1>forum de gouvernance d’Aave pour les mises à jour.\",\"kACpF3\":[\"Réclamer \",[\"0\"]],\"kH6wUX\":\"Impact sur les prix\",\"kIC28N\":\"Available to claim\",\"kIpSye\":[[\"numSelected\"],\"/\",[\"numAvailable\"],\" Actifs sélectionnés\"],\"kN1Yg5\":\"Pour rembourser au nom d'un utilisateur, un montant explicite à rembourser est nécessaire\",\"kRTD40\":[\"Montant de remboursement à atteindre \",[\"0\"],\"% d’utilisation\"],\"kgKqPv\":\"You can not stake this amount because it will cause collateral call\",\"kjN9tT\":\"Le plafond d'approvisionnement est dépassé\",\"knxE+G\":\". JSON (en anglais seulement)\",\"ks2LWT\":\"Le plafond de la dette n'est pas nul\",\"kwwn6i\":\"Les utilisateurs qui misent des AAVE dans le module de sécurité (c’est-à-dire les détenteurs de stkAAVE) bénéficient d’une réduction sur le taux d’intérêt d’emprunt de HO. La réduction s’applique à 100 GHO pour chaque 1 stkAAVE détenu. Utilisez le calculateur ci-dessous pour voir le taux d’emprunt GHO avec le rabais appliqué.\",\"kz3wtK\":\"and about SPK program\",\"kzZyM4\":\"DAI balance will be converted via DSR contracts and then supplied as sDAI. Switching incurs no additional costs and no slippage.\",\"lNVG7i\":\"Sélectionner une ressource\",\"lU2d1/\":[\"L’actif ne peut pas être migré en raison d’une liquidité insuffisante ou d’une limitation du plafond d’emprunt \",[\"marketName\"],\" v3 marché.\"],\"lVhKKI\":\"A voté YAE\",\"lWLqxB\":\"Nous n’avons trouvé aucune transaction liée à votre recherche. Réessayez avec un autre nom de ressource ou réinitialisez les filtres.\",\"lYGfRP\":\"Anglais\",\"lfEjIE\":\"En savoir plus dans notre <0>guide FAQ\",\"lt6bpt\":\"Garantie à rembourser\",\"m/IEhi\":\"Émission totale par jour\",\"m7r7Hh\":\"Sélection d’actifs d’emprunt\",\"mDDK4p\":\"Balancer Pool\",\"mIM0qu\":\"Montant prévu à rembourser\",\"mUAFd6\":\"Variante 2\",\"masO5Z\":\"E-Mode increases your LTV for a selected category of assets. <0>Learn more\",\"mdNjKU\":[\"Votre \",[\"name\"],\" Le portefeuille est vide. Acheter ou transférer des actifs ou utiliser <0>\",[\"0\"],\" pour transférer votre \",[\"network\"],\" actif.\"],\"muiOng\":[\"Acheter \",[\"cryptoSymbol\"],\" avec Fiat\"],\"mvCXBY\":\"Mise en jeu AAVE\",\"mwdzil\":\"D'accord, fermer\",\"mzI/c+\":\"Télécharger\",\"mzdIia\":\"L'actif ne peut pas être utilisé comme collatéral.\",\"n+SX4g\":\"Développeurs\",\"n8Psk4\":\"Nous n’avons pas pu détecter de portefeuille. Connectez un portefeuille pour staker et consulter votre solde.\",\"nJIhzm\":\"Fournir apy\",\"nJgsQu\":\"Avec un pouvoir de vote de <0/>\",\"nLC6tu\":\"Français\",\"nN2T8p\":\"During the cooldown period, you will not earn any merit rewards. However, rewards earned up to this point will remain unaffected.\",\"nNHV0z\":\"La migration simultanée de plusieurs garanties et d’actifs empruntés peut s’avérer coûteuse et peut échouer dans certaines situations. <0>Par conséquent, il n’est pas recommandé de migrer des positions avec plus de 5 actifs (déposés + empruntés) en même temps.\",\"nNbnzu\":\"Proposition\",\"nOy4ob\":\"Nous vous suggérons de revenir au tableau de bord.\",\"nPGNMh\":\"Peut être exécuté\",\"nUK1ou\":[\"Assets with zero LTV (\",[\"0\"],\") must be withdrawn or disabled as collateral to perform this action\"],\"nakd8r\":\"Les détenteurs de stkAAVE bénéficient d’une réduction sur le taux d’emprunt GHO\",\"nh2EJK\":[\"Veuillez passer à \",[\"networkName\"],\".\"],\"njBeMm\":\"Les deux\",\"noN5Xf\":\"We couldn’t detect a wallet. Connect a wallet to view your staking positions and rewards.\",\"ntkAoE\":\"Remise appliquée pour <0/> le staking d’AAVE\",\"ntyFSE\":[[\"h\"],\"h\"],\"nwtY4N\":\"Quelque chose s’est mal passé\",\"nxyWvj\":\"Le retrait de ce montant réduira votre facteur santé et augmentera le risque de liquidation.\",\"o17QVP\":\"Votre facteur de santé et votre prêt à la valeur déterminent l'assurance de votre collatéral. Pour éviter les liquidations, vous pouvez fournir plus de garanties ou rembourser les positions d'emprunt.\",\"o1xc2V\":\"L'approvisionnement en aTokens n'est pas nul\",\"o4tCu3\":\"Emprunter de l’APY\",\"o5ooMr\":\"Dette\",\"o7J4JM\":\"Filtrer\",\"oHFrpj\":\"Temps de recharge pour déstaker\",\"oJ5ZiG\":\"L'utilisateur n'a pas de dette à taux variable impayée sur cette réserve\",\"oRBGin\":\"Veuillez connecter votre portefeuille pour pouvoir échanger vos jetons.\",\"oUwXhx\":\"Ressources de test\",\"oWklJD\":\"Le taux d'intérêt stable <0>restera le même pendant toute la durée de votre prêt. Recommandé pour les périodes de prêt à long terme et pour les utilisateurs qui préfèrent la prévisibilité.\",\"odnIK3\":\"Time remaining until the 48 hour withdraw period starts.\",\"oiK5nY\":\"The current incentives period, decided on by the Aave community, has ended. Governance is in the process on renewing, check for updates. <0>Learn more.\",\"olREoo\":\"All borrow positions outside of this category must be closed to enable this category.\",\"om/XHs\":\"Disponible au dépôt\",\"ov0+mq\":\"Eligible for the ZKSync Ignite program.\",\"ovT1pF\":[\"Per the community, the \",[\"market\"],\" has been frozen.\"],\"ow3fug\":\"Rien n’a été trouvé\",\"owSsI3\":\"Signatures prêtes\",\"p+R52m\":\"Accéder à Balancer Pool\",\"p2A+s1\":[\"La période de recharge est de \",[\"0\"],\". Après \",[\"1\"],\" de temps de recharge, vous entrerez dans la fenêtre de désengagement de \",[\"2\"],\". Vous continuerez à recevoir des récompenses pendant le temps de recharge et la fenêtre de retrait.\"],\"p2S64u\":\"Le ratio prêt/valeur des positions migrées entraînerait la liquidation. Augmenter les garanties migrées ou réduire les emprunts migrés pour continuer.\",\"p2Z2Qi\":\"Cet actif a atteint son plafond d'emprunt. Rien n'est disponible pour être emprunté à ce marché.\",\"p3j+mb\":\"Votre solde de récompenses est de 0\",\"p45alK\":\"Configurer la délégation\",\"p6u2s1\":\"Minimum amount of debt to be repaid\",\"pDgeaz\":[[\"title\"]],\"pdZqBk\":\"Le solde sous-jacent doit être supérieur à 0\",\"pgWG9H\":\"Pas assez de solde staké\",\"piPrJ7\":\"veuillez vérifier que le montant que vous souhaitez fournir n'est pas actuellement utilisé pour le staking. S'il est utilisé pour le staking, votre transaction peut échouer.\",\"pjO/iH\":\"Minimum amount received\",\"pooutM\":\"Voting is on\",\"pqaM5s\":\"Confirming transaction\",\"ptaxX3\":[\"Je comprends comment fonctionnent le temps de recharge (\",[\"0\"],\") et le retrait (\",[\"1\"],\")\"],\"py2iiY\":\"L'appelant de cette fonction doit être un pool\",\"q/51mF\":\"Migrer vers la V3\",\"q3df11\":\"Stratégie de taux d’intérêt\",\"q6lAbz\":\"Staké\",\"qB4kPi\":\"Fournir APY\",\"qENI8q\":\"Paramètres globaux\",\"qGz5zl\":\"Solde de garantie après remboursement\",\"qIW9ZH\":\"Amount staked\",\"qOqbD6\":\"copier l'erreur\",\"qXCkEM\":\"Veuillez connecter votre portefeuille pour voir vos fournitures, vos emprunts et vos positions ouvertes.\",\"qY2jnw\":\"Expiration invalide\",\"qf/fr+\":\"Intérêts courus\",\"qhhf9L\":\"Rewards available to claim\",\"quYPUU\":\"Variable interest rate will <0>fluctuate based on the market conditions.\",\"quzIeW\":\"User is in isolation mode or LTV is zero\",\"qvnz3q\":\"Montant non valide à brûler\",\"rHgdb0\":\"Migrate to Aave V3\",\"rOrHHe\":\"Le montant doit être supérieur à 0\",\"rQ+R+0\":\"Sélection d’actifs d’approvisionnement\",\"rSayea\":\"APY\",\"rTBDeu\":[\"L’actif ne peut pas être migré car vous disposez d’une garantie isolée dans \",[\"marketName\"],\" v3 Marché qui limite les actifs empruntables. Vous pouvez gérer vos garanties dans <0>\",[\"marketName\"],\" Tableau de bord V3\"],\"rcT+yy\":\"Afficher les actifs avec 0 solde\",\"rf8POi\":\"Montant de l’actif emprunté\",\"riNWOA\":\"E-Mode\",\"rjGI/Q\":\"Vie privée\",\"rnKPW1\":\"Watch a wallet balance in read-only mode\",\"ruc7X+\":\"Ajoutez stkAAVE pour voir l’APY d’emprunt avec la remise\",\"rvbaFU\":[\"Bridging \",[\"symbol\"]],\"rwVVB7\":\"Réclamez toutes les récompenses\",\"rwyUva\":\"Ces actifs sont temporairement gelés ou suspendus par des décisions de la communauté Aave, ce qui signifie qu’il n’est pas possible d’obtenir / emprunter ou d’échanger des taux de ces actifs. Les retraits et les remboursements de dettes sont autorisés. Suivez le <0>forum de gouvernance d’Aave pour d’autres mises à jour.\",\"rxJW5W\":\"Votre pouvoir de proposition est basé sur votre solde AAVE/stkAAVE et les délégations reçues.\",\"s2jJnW\":\"You don't have any bridge transactions\",\"s5wBAq\":[\"Unstake \",[\"symbol\"]],\"sJbIdI\":\"Enter ETH address or ENS\",\"sK+Nag\":\"Réviser tx\",\"sP2+gB\":\"NON\",\"sQv06Y\":\"pour\",\"sTtO6J\":\"Confirm transaction\",\"sXKb3l\":\"Exchange rate\",\"sb0q4+\":\"Vous unstaké ici\",\"smJNwH\":\"Disponible à emprunter\",\"solypO\":\"Le facteur de santé n'est pas inférieur au seuil\",\"sr0UJD\":\"Retourner\",\"ss5GCK\":\"L'adresse du fournisseur d'adresses du pool n'est pas valide\",\"swEgK4\":\"Vos informations de vote\",\"t+wtgf\":\"Aucun emprunt pour l'instant\",\"t/YqKh\":\"Remove\",\"t81DpC\":[\"Approuver \",[\"symbol\"],\" pour continuer\"],\"tCnbEs\":\"Prix Oracle\",\"tFZLf8\":\"Ce calcul de gaz n'est qu'une estimation. Votre portefeuille fixera le prix de la transaction. Vous pouvez modifier les paramètres de gaz directement depuis votre fournisseur de portefeuille.\",\"tHuvQI\":\"Accéder au tableau de bord V3\",\"tKv7cI\":\"Changer de position d’emprunt\",\"tOcg3N\":\"Étant donné que cet actif est gelé, les seules actions disponibles sont le retrait et le remboursement, accessibles depuis le <0>tableau de bord\",\"tOuXfv\":[\"Emprunter le montant à atteindre \",[\"0\"],\"% d’utilisation\"],\"te9Bfl\":\"S'il vous plaît, connectez votre portefeuille\",\"tt5yma\":\"Vos ressources\",\"ttoh5c\":\"Passer à\",\"u3ZeYl\":\"La transaction a échoué\",\"u706uF\":\"Prime flash non valide\",\"u8Gfu7\":[\"Aucun résultat de recherche\",[\"0\"]],\"uAQUqI\":\"Status\",\"uHMwk8\":\"Aucune ressource n’a été sélectionnée pour la migration.\",\"uJPHuY\":\"Migration\",\"uY8O30\":\"Pour continuer, vous devez autoriser les contrats intelligents Aave à déplacer vos fonds depuis votre portefeuille. En fonction de l’actif et du portefeuille que vous utilisez, cela se fait en signant le message d’autorisation (sans gaz) ou en soumettant une transaction d’approbation (nécessite du gaz). <0>Pour en savoir plus\",\"udFheE\":\"For repayment of a specific type of debt, the user needs to have debt that type\",\"ulNuNq\":\"Exporter des données vers\",\"ulup2p\":\"Acheter des crypto-monnaies avec des monnaies fiduciaires\",\"umICAY\":\"<0><1><2/>Ajoutez stkAAVE pour voir le taux d’emprunt avec escompte\",\"usB84Z\":\"Le montant maximum disponible pour emprunter est limité car le plafond d’emprunt du protocole est presque atteint.\",\"uwAUvj\":\"COPIER L’IMAGE\",\"v8x7Mg\":\"Garantie insuffisante pour couvrir une nouvelle position d’emprunt. Le portefeuille doit avoir une capacité d’emprunt restante pour effectuer le transfert de dette.\",\"vEqxH9\":\"Restauré\",\"vLyv1R\":\"Cacher\",\"vMba49\":\"L'emprunt n'est pas activé\",\"vMpNwt\":\"Approuvez avec\",\"vXIe7J\":\"Language\",\"vesuBJ\":\"Vous permet de décider si vous souhaitez utiliser un actif fourni en tant que collatéral. Un actif utilisé comme collatéral affectera votre pouvoir d'emprunt et votre Health Factor.\",\"w+V9Cx\":\"Stablecoin\",\"w/JtJ3\":\"L'offre de dette stable n'est pas nulle\",\"w4VBY+\":\"Récompenses APR\",\"w9dLMW\":[[\"label\"]],\"wAOL+X\":[\"Vous \",[\"action\"],\" <0/> \",[\"symbole\"]],\"wBIsjb\":\"Canal Discord\",\"wQZbc/\":\"L'appelant de la fonction n'est pas un AToken\",\"wRRqvW\":\"Vous n'avez pas de fournitures dans cette devise\",\"wZFvVU\":\"VOTER OUI\",\"wb/r1O\":[\"Faucet \",[\"0\"]],\"wdxz7K\":\"Source\",\"weH1nG\":\"Le protocole Aave est programmé pour toujours utiliser le prix de 1 GHO = 1 $. C’est différent de l’utilisation des prix du marché via des oracles pour d’autres actifs cryptographiques. Cela crée des opportunités d’arbitrage stabilisatrices lorsque le prix du GHO fluctue.\",\"wh7Ezv\":\"You have no AAVE/stkAAVE/aAave balance to delegate.\",\"wlsIx7\":\"Avec testnet Faucet, vous pouvez obtenir des ressources gratuites pour tester le protocole Aave. Assurez-vous de changer votre fournisseur de portefeuille pour le réseau de test approprié, sélectionnez l’actif souhaité et cliquez sur «\xA0Faucet\xA0» pour obtenir des jetons transférés vers votre portefeuille. Les actifs d’un réseau de test ne sont pas « réels », ce qui signifie qu’ils n’ont aucune valeur monétaire. <0>Pour en savoir plus\",\"wmE285\":\"Get ABP v2 Token\",\"wyRrcJ\":\"As a result of governance decisions, this ABPT staking pool is now deprecated. You have the flexibility to either migrate all of your tokens to v2 or unstake them without any cooldown period.\",\"x5KiLL\":\"Les ressources sélectionnées ont été migrées avec succès. Rendez-vous sur le tableau de bord du marché pour les voir.\",\"x7F2p6\":\"Différentiel de courant\",\"x7K5ib\":[\"Votre \",[\"networkName\"],\" Le portefeuille est vide. Obtenir un test gratuit \",[\"0\"],\" à\"],\"x9iLRD\":\"tokens, veuillez vous rendre sur\",\"xNy/UG\":\"Rembourser avec\",\"xPm8wv\":\"En savoir plus sur les risques encourus\",\"xXYpZl\":[[\"0\"],\" Faucet\"],\"xaVBSS\":\"Vos informations\",\"xaWZ6f\":\"Changement de type APY\",\"xh6k71\":\"L’utilisation des garanties est limitée en raison du mode d’isolation.\",\"xvIklc\":\"Flashloan est désactivé pour cet actif, cette position ne peut donc pas être migrée.\",\"y5rS9U\":\"Émigrer\",\"y66tBm\":[\"Activer \",[\"symbol\"],\" comme collatéral\"],\"yB1YpA\":\"Mode Sombre\",\"yCrG6m\":\"Taille totale du marché\",\"yJUUbn\":\"Aperçu des transactions\",\"yLGmLX\":[\"Remise en jeu \",[\"symbol\"]],\"yW1oWB\":\"APY type\",\"yYHqJe\":\"Pas une adresse valide\",\"yZwLw6\":\"Suivre le portefeuille\",\"yh2sjd\":[\"Impact sur les prix \",[\"0\"],\"%\"],\"yhvj6d\":\"Vous ne pouvez pas changer d'utilisation en tant que mode de garantie pour cette devise, car cela entraînera un appel de garantie\",\"ylmtBZ\":\"The app is running in fork mode.\",\"ymNY32\":[\"Il n'y a pas assez de fonds dans la \",[\"0\"],\" réserve pour emprunter\"],\"yz7wBu\":\"Fermer\",\"z4uGQg\":\"Le plafond de la dette est dépassé\",\"z5UQOM\":\"La garantie choisie ne peut être liquidée\",\"z5Y+p6\":[\"Fournir \",[\"symbole\"]],\"zCjNKs\":\"L'action ne peut pas être effectuée car la réserve est gelée\",\"zRHytX\":\"Plafond de la dette isolée\",\"zTOjMP\":\"La limite d’approvisionnement du protocole est de 100 % pour cet actif. D’autres approvisionnements ne sont pas disponibles.\",\"zVdRUG\":\"Submission did not work, please try again later or contact wecare@avara.xyz\",\"zevmS2\":\"<0><1><2/>Ajoutez <3/> stkAAVE pour emprunter à <4/> (remise maximale)\",\"zgtIDV\":\"Dette restante\",\"zmTPiV\":\"Bilan d'approvisionnement\",\"zpPbZl\":\"Paramètres du risque de liquidation\",\"zucql+\":\"Menu\",\"zwWKhA\":\"Apprendre encore plus\",\"zy9fXn\":[\"L’actif est gelé \",[\"marketName\"],\" v3, donc cette position ne peut pas être migrée.\"],\"zys+R6\":\"Faites attention à la congestion du réseau et aux prix de l’essence.\",\"zzzTXS\":\"Merit Program rewards are claimed through the\"}")}; \ No newline at end of file diff --git a/src/modules/umbrella/UmbrellaActions.tsx b/src/modules/umbrella/UmbrellaActions.tsx index 19e6b3cc57..d01df0d9c7 100644 --- a/src/modules/umbrella/UmbrellaActions.tsx +++ b/src/modules/umbrella/UmbrellaActions.tsx @@ -247,6 +247,7 @@ export const UmbrellaActions = ({ tryPermit={permitAvailable} actionInProgressText={Staking} sx={sx} + blocked={blocked} // event={STAKE.STAKE_BUTTON_MODAL} {...props} /> diff --git a/src/modules/umbrella/UmbrellaModal.tsx b/src/modules/umbrella/UmbrellaModal.tsx index ad2ce65b3a..048db3bf9d 100644 --- a/src/modules/umbrella/UmbrellaModal.tsx +++ b/src/modules/umbrella/UmbrellaModal.tsx @@ -1,13 +1,21 @@ +import { Trans } from '@lingui/macro'; import React from 'react'; import { BasicModal } from 'src/components/primitives/BasicModal'; +import { ModalWrapper } from 'src/components/transactions/FlowCommons/ModalWrapper'; +import { UserAuthenticated } from 'src/components/UserAuthenticated'; import { useUmbrellaSummary } from 'src/hooks/stake/useUmbrellaSummary'; -import { ModalType, useModalContext } from 'src/hooks/useModal'; +import { ModalContextType, ModalType, useModalContext } from 'src/hooks/useModal'; import { useRootStore } from 'src/store/root'; import { UmbrellaModalContent } from './UmbrellaModalContent'; export const UmbrellaModal = () => { - const { type, close, args } = useModalContext(); + const { type, close, args } = useModalContext() as ModalContextType<{ + waTokenUnderlying: string; + uStakeToken: string; + icon: string; + }>; + const currentMarketData = useRootStore((store) => store.currentMarketData); const { data } = useUmbrellaSummary(currentMarketData); @@ -18,7 +26,22 @@ export const UmbrellaModal = () => { return ( - {args?.icon && stakeData && } + Stake} underlyingAsset={args.waTokenUnderlying}> + {(params) => ( + + {(user) => + args?.icon && stakeData ? ( + + ) : null + } + + )} + ); }; diff --git a/src/modules/umbrella/UmbrellaModalContent.tsx b/src/modules/umbrella/UmbrellaModalContent.tsx index 56d53d1828..cd17bd2710 100644 --- a/src/modules/umbrella/UmbrellaModalContent.tsx +++ b/src/modules/umbrella/UmbrellaModalContent.tsx @@ -1,8 +1,9 @@ import { ChainId } from '@aave/contract-helpers'; import { valueToBigNumber } from '@aave/math-utils'; import { Trans } from '@lingui/macro'; -import { Typography } from '@mui/material'; +import { Box, Checkbox, Typography } from '@mui/material'; import React, { useRef, useState } from 'react'; +import { Warning } from 'src/components/primitives/Warning'; import { AssetInput } from 'src/components/transactions/AssetInput'; import { TxErrorView } from 'src/components/transactions/FlowCommons/Error'; import { GasEstimationError } from 'src/components/transactions/FlowCommons/GasEstimationError'; @@ -14,11 +15,17 @@ import { import { TxModalTitle } from 'src/components/transactions/FlowCommons/TxModalTitle'; import { ChangeNetworkWarning } from 'src/components/transactions/Warnings/ChangeNetworkWarning'; import { CooldownWarning } from 'src/components/Warnings/CooldownWarning'; +import { + ComputedReserveData, + ComputedUserReserveData, + ExtendedFormattedUser, +} from 'src/hooks/app-data-provider/useAppDataProvider'; import { MergedStakeData } from 'src/hooks/stake/useUmbrellaSummary'; import { useIsWrongNetwork } from 'src/hooks/useIsWrongNetwork'; import { useModalContext } from 'src/hooks/useModal'; import { useWeb3Context } from 'src/libs/hooks/useWeb3Context'; import { useRootStore } from 'src/store/root'; +import { calculateHFAfterWithdraw } from 'src/utils/hfUtils'; import { STAKE } from 'src/utils/mixPanelEvents'; import { UmbrellaActions } from './UmbrellaActions'; @@ -26,6 +33,9 @@ import { UmbrellaActions } from './UmbrellaActions'; export type StakeProps = { stakeData: MergedStakeData; icon: string; + user: ExtendedFormattedUser; + userReserve: ComputedUserReserveData; + poolReserve: ComputedReserveData; }; export enum ErrorType { NOT_ENOUGH_BALANCE, @@ -73,10 +83,11 @@ const getInputTokens = (stakeData: MergedStakeData): StakeInputAsset[] => { ]; }; -export const UmbrellaModalContent = ({ stakeData }: StakeProps) => { +export const UmbrellaModalContent = ({ stakeData, user, userReserve, poolReserve }: StakeProps) => { const { readOnlyModeAddress } = useWeb3Context(); const { gasLimit, mainTxState: txState, txError } = useModalContext(); const currentNetworkConfig = useRootStore((store) => store.currentNetworkConfig); + const [riskCheckboxAccepted, setRiskCheckboxAccepted] = useState(false); // states const [_amount, setAmount] = useState(''); @@ -95,21 +106,6 @@ export const UmbrellaModalContent = ({ stakeData }: StakeProps) => { setAmount(value); }; - // error handler - let blockingError: ErrorType | undefined = undefined; - if (valueToBigNumber(amount).gt(inputToken.balance)) { - blockingError = ErrorType.NOT_ENOUGH_BALANCE; - } - - const handleBlocked = () => { - switch (blockingError) { - case ErrorType.NOT_ENOUGH_BALANCE: - return Not enough balance on your wallet; - default: - return null; - } - }; - const { isWrongNetwork, requiredChainId } = useIsWrongNetwork(); if (txError && txError.blocking) { @@ -120,6 +116,27 @@ export const UmbrellaModalContent = ({ stakeData }: StakeProps) => { Staked} amount={amountRef.current} symbol={'test'} /> ); + let healthFactorAfterStake = valueToBigNumber(1.6); + if (inputToken.aToken) { + // We use same function for checking HF as withdraw + healthFactorAfterStake = calculateHFAfterWithdraw({ + user, + userReserve, + poolReserve, + withdrawAmount: amount, + }); + } + + const displayRiskCheckbox = + healthFactorAfterStake.toNumber() >= 1 && + healthFactorAfterStake.toNumber() < 1.5 && + userReserve.usageAsCollateralEnabledOnUser; + + let displayBlockingStake = undefined; + if (healthFactorAfterStake.lt('1') && user.totalBorrowsMarketReferenceCurrency !== '0') { + displayBlockingStake = true; + } + return ( <> @@ -146,9 +163,10 @@ export const UmbrellaModalContent = ({ stakeData }: StakeProps) => { maxValue={inputToken.balance} balanceText={Wallet balance} /> - {blockingError !== undefined && ( - - {handleBlocked()} + + {displayBlockingStake && ( + + You can not stake this amount because it will cause collateral call )} @@ -162,12 +180,46 @@ export const UmbrellaModalContent = ({ stakeData }: StakeProps) => { {txError && } + {displayRiskCheckbox && ( + <> + + + Withdrawing this amount will reduce your health factor and increase risk of + liquidation. + + + + { + setRiskCheckboxAccepted(!riskCheckboxAccepted); + }} + size="small" + /> + + I acknowledge the risks involved. + + + + )} + openUmbrella(stakeData.stakeToken, stakeData.stakeTokenSymbol)} + onClick={() => + openUmbrella( + stakeData.stakeToken, + stakeData.stakeTokenSymbol, + stakeData.waTokenData.waTokenAToken, + stakeData.waTokenData.waTokenUnderlying + ) + } size="medium" > @@ -142,7 +149,13 @@ export const StakingDropdown = ({ stakeData }: { stakeData: MergedStakeData }) = { handleClose(); - openUmbrella(stakeData.stakeToken, stakeData.stakeTokenSymbol); + openUmbrella( + stakeData.stakeToken, + stakeData.stakeTokenSymbol, + + stakeData.waTokenData.waTokenAToken, + stakeData.waTokenData.waTokenUnderlying + ); }} > diff --git a/src/modules/umbrella/services/types/IRewardsDistributor.ts b/src/modules/umbrella/services/types/IRewardsDistributor.ts index 1bcec5357f..c93081ba8b 100644 --- a/src/modules/umbrella/services/types/IRewardsDistributor.ts +++ b/src/modules/umbrella/services/types/IRewardsDistributor.ts @@ -12,19 +12,10 @@ import type { PopulatedTransaction, Signer, utils, -} from "ethers"; -import type { - FunctionFragment, - Result, - EventFragment, -} from "@ethersproject/abi"; -import type { Listener, Provider } from "@ethersproject/providers"; -import type { - TypedEventFilter, - TypedEvent, - TypedListener, - OnEvent, -} from "./common"; +} from 'ethers'; +import type { FunctionFragment, Result, EventFragment } from '@ethersproject/abi'; +import type { Listener, Provider } from '@ethersproject/providers'; +import type { TypedEventFilter, TypedEvent, TypedListener, OnEvent } from './common'; export declare namespace IRewardsStructs { export type SignatureParamsStruct = { @@ -42,112 +33,75 @@ export declare namespace IRewardsStructs { export interface IRewardsDistributorInterface extends utils.Interface { functions: { - "claimAllRewards(address,address)": FunctionFragment; - "claimAllRewardsOnBehalf(address,address,address)": FunctionFragment; - "claimAllRewardsPermit(address,address,address,uint256,(uint8,bytes32,bytes32))": FunctionFragment; - "claimSelectedRewards(address,address[],address)": FunctionFragment; - "claimSelectedRewardsOnBehalf(address,address[],address,address)": FunctionFragment; - "claimSelectedRewardsPermit(address,address[],address,address,uint256,(uint8,bytes32,bytes32))": FunctionFragment; - "setClaimer(address,bool)": FunctionFragment; - "setClaimer(address,address,bool)": FunctionFragment; + 'claimAllRewards(address,address)': FunctionFragment; + 'claimAllRewardsOnBehalf(address,address,address)': FunctionFragment; + 'claimAllRewardsPermit(address,address,address,uint256,(uint8,bytes32,bytes32))': FunctionFragment; + 'claimSelectedRewards(address,address[],address)': FunctionFragment; + 'claimSelectedRewardsOnBehalf(address,address[],address,address)': FunctionFragment; + 'claimSelectedRewardsPermit(address,address[],address,address,uint256,(uint8,bytes32,bytes32))': FunctionFragment; + 'setClaimer(address,bool)': FunctionFragment; + 'setClaimer(address,address,bool)': FunctionFragment; }; getFunction( nameOrSignatureOrTopic: - | "claimAllRewards" - | "claimAllRewardsOnBehalf" - | "claimAllRewardsPermit" - | "claimSelectedRewards" - | "claimSelectedRewardsOnBehalf" - | "claimSelectedRewardsPermit" - | "setClaimer(address,bool)" - | "setClaimer(address,address,bool)" + | 'claimAllRewards' + | 'claimAllRewardsOnBehalf' + | 'claimAllRewardsPermit' + | 'claimSelectedRewards' + | 'claimSelectedRewardsOnBehalf' + | 'claimSelectedRewardsPermit' + | 'setClaimer(address,bool)' + | 'setClaimer(address,address,bool)' ): FunctionFragment; + encodeFunctionData(functionFragment: 'claimAllRewards', values: [string, string]): string; encodeFunctionData( - functionFragment: "claimAllRewards", - values: [string, string] - ): string; - encodeFunctionData( - functionFragment: "claimAllRewardsOnBehalf", + functionFragment: 'claimAllRewardsOnBehalf', values: [string, string, string] ): string; encodeFunctionData( - functionFragment: "claimAllRewardsPermit", - values: [ - string, - string, - string, - BigNumberish, - IRewardsStructs.SignatureParamsStruct - ] + functionFragment: 'claimAllRewardsPermit', + values: [string, string, string, BigNumberish, IRewardsStructs.SignatureParamsStruct] ): string; encodeFunctionData( - functionFragment: "claimSelectedRewards", + functionFragment: 'claimSelectedRewards', values: [string, string[], string] ): string; encodeFunctionData( - functionFragment: "claimSelectedRewardsOnBehalf", + functionFragment: 'claimSelectedRewardsOnBehalf', values: [string, string[], string, string] ): string; encodeFunctionData( - functionFragment: "claimSelectedRewardsPermit", - values: [ - string, - string[], - string, - string, - BigNumberish, - IRewardsStructs.SignatureParamsStruct - ] + functionFragment: 'claimSelectedRewardsPermit', + values: [string, string[], string, string, BigNumberish, IRewardsStructs.SignatureParamsStruct] ): string; encodeFunctionData( - functionFragment: "setClaimer(address,bool)", + functionFragment: 'setClaimer(address,bool)', values: [string, boolean] ): string; encodeFunctionData( - functionFragment: "setClaimer(address,address,bool)", + functionFragment: 'setClaimer(address,address,bool)', values: [string, string, boolean] ): string; + decodeFunctionResult(functionFragment: 'claimAllRewards', data: BytesLike): Result; + decodeFunctionResult(functionFragment: 'claimAllRewardsOnBehalf', data: BytesLike): Result; + decodeFunctionResult(functionFragment: 'claimAllRewardsPermit', data: BytesLike): Result; + decodeFunctionResult(functionFragment: 'claimSelectedRewards', data: BytesLike): Result; + decodeFunctionResult(functionFragment: 'claimSelectedRewardsOnBehalf', data: BytesLike): Result; + decodeFunctionResult(functionFragment: 'claimSelectedRewardsPermit', data: BytesLike): Result; + decodeFunctionResult(functionFragment: 'setClaimer(address,bool)', data: BytesLike): Result; decodeFunctionResult( - functionFragment: "claimAllRewards", - data: BytesLike - ): Result; - decodeFunctionResult( - functionFragment: "claimAllRewardsOnBehalf", - data: BytesLike - ): Result; - decodeFunctionResult( - functionFragment: "claimAllRewardsPermit", - data: BytesLike - ): Result; - decodeFunctionResult( - functionFragment: "claimSelectedRewards", - data: BytesLike - ): Result; - decodeFunctionResult( - functionFragment: "claimSelectedRewardsOnBehalf", - data: BytesLike - ): Result; - decodeFunctionResult( - functionFragment: "claimSelectedRewardsPermit", - data: BytesLike - ): Result; - decodeFunctionResult( - functionFragment: "setClaimer(address,bool)", - data: BytesLike - ): Result; - decodeFunctionResult( - functionFragment: "setClaimer(address,address,bool)", + functionFragment: 'setClaimer(address,address,bool)', data: BytesLike ): Result; events: { - "ClaimerSet(address,address,bool)": EventFragment; + 'ClaimerSet(address,address,bool)': EventFragment; }; - getEvent(nameOrSignatureOrTopic: "ClaimerSet"): EventFragment; + getEvent(nameOrSignatureOrTopic: 'ClaimerSet'): EventFragment; } export interface ClaimerSetEventObject { @@ -155,10 +109,7 @@ export interface ClaimerSetEventObject { claimer: string; flag: boolean; } -export type ClaimerSetEvent = TypedEvent< - [string, string, boolean], - ClaimerSetEventObject ->; +export type ClaimerSetEvent = TypedEvent<[string, string, boolean], ClaimerSetEventObject>; export type ClaimerSetEventFilter = TypedEventFilter; @@ -179,9 +130,7 @@ export interface IRewardsDistributor extends BaseContract { eventFilter?: TypedEventFilter ): Array>; listeners(eventName?: string): Array; - removeAllListeners( - eventFilter: TypedEventFilter - ): this; + removeAllListeners(eventFilter: TypedEventFilter): this; removeAllListeners(eventName?: string): this; off: OnEvent; on: OnEvent; @@ -236,13 +185,13 @@ export interface IRewardsDistributor extends BaseContract { overrides?: Overrides & { from?: string } ): Promise; - "setClaimer(address,bool)"( + 'setClaimer(address,bool)'( claimer: string, flag: boolean, overrides?: Overrides & { from?: string } ): Promise; - "setClaimer(address,address,bool)"( + 'setClaimer(address,address,bool)'( user: string, claimer: string, flag: boolean, @@ -297,13 +246,13 @@ export interface IRewardsDistributor extends BaseContract { overrides?: Overrides & { from?: string } ): Promise; - "setClaimer(address,bool)"( + 'setClaimer(address,bool)'( claimer: string, flag: boolean, overrides?: Overrides & { from?: string } ): Promise; - "setClaimer(address,address,bool)"( + 'setClaimer(address,address,bool)'( user: string, claimer: string, flag: boolean, @@ -315,18 +264,14 @@ export interface IRewardsDistributor extends BaseContract { asset: string, receiver: string, overrides?: CallOverrides - ): Promise< - [string[], BigNumber[]] & { rewards: string[]; amounts: BigNumber[] } - >; + ): Promise<[string[], BigNumber[]] & { rewards: string[]; amounts: BigNumber[] }>; claimAllRewardsOnBehalf( asset: string, user: string, receiver: string, overrides?: CallOverrides - ): Promise< - [string[], BigNumber[]] & { rewards: string[]; amounts: BigNumber[] } - >; + ): Promise<[string[], BigNumber[]] & { rewards: string[]; amounts: BigNumber[] }>; claimAllRewardsPermit( asset: string, @@ -335,9 +280,7 @@ export interface IRewardsDistributor extends BaseContract { deadline: BigNumberish, sig: IRewardsStructs.SignatureParamsStruct, overrides?: CallOverrides - ): Promise< - [string[], BigNumber[]] & { rewards: string[]; amounts: BigNumber[] } - >; + ): Promise<[string[], BigNumber[]] & { rewards: string[]; amounts: BigNumber[] }>; claimSelectedRewards( asset: string, @@ -364,13 +307,13 @@ export interface IRewardsDistributor extends BaseContract { overrides?: CallOverrides ): Promise; - "setClaimer(address,bool)"( + 'setClaimer(address,bool)'( claimer: string, flag: boolean, overrides?: CallOverrides ): Promise; - "setClaimer(address,address,bool)"( + 'setClaimer(address,address,bool)'( user: string, claimer: string, flag: boolean, @@ -379,16 +322,12 @@ export interface IRewardsDistributor extends BaseContract { }; filters: { - "ClaimerSet(address,address,bool)"( - user?: string | null, - claimer?: string | null, - flag?: null - ): ClaimerSetEventFilter; - ClaimerSet( + 'ClaimerSet(address,address,bool)'( user?: string | null, claimer?: string | null, flag?: null ): ClaimerSetEventFilter; + ClaimerSet(user?: string | null, claimer?: string | null, flag?: null): ClaimerSetEventFilter; }; estimateGas: { @@ -439,13 +378,13 @@ export interface IRewardsDistributor extends BaseContract { overrides?: Overrides & { from?: string } ): Promise; - "setClaimer(address,bool)"( + 'setClaimer(address,bool)'( claimer: string, flag: boolean, overrides?: Overrides & { from?: string } ): Promise; - "setClaimer(address,address,bool)"( + 'setClaimer(address,address,bool)'( user: string, claimer: string, flag: boolean, @@ -501,13 +440,13 @@ export interface IRewardsDistributor extends BaseContract { overrides?: Overrides & { from?: string } ): Promise; - "setClaimer(address,bool)"( + 'setClaimer(address,bool)'( claimer: string, flag: boolean, overrides?: Overrides & { from?: string } ): Promise; - "setClaimer(address,address,bool)"( + 'setClaimer(address,address,bool)'( user: string, claimer: string, flag: boolean, diff --git a/src/modules/umbrella/services/types/IRewardsDistributor__factory.ts b/src/modules/umbrella/services/types/IRewardsDistributor__factory.ts index d424c43196..c7a878eca9 100644 --- a/src/modules/umbrella/services/types/IRewardsDistributor__factory.ts +++ b/src/modules/umbrella/services/types/IRewardsDistributor__factory.ts @@ -2,368 +2,365 @@ /* tslint:disable */ /* eslint-disable */ -import { Contract, Signer, utils } from "ethers"; -import type { Provider } from "@ethersproject/providers"; -import type { - IRewardsDistributor, - IRewardsDistributorInterface, -} from "./IRewardsDistributor"; +import { Contract, Signer, utils } from 'ethers'; +import type { Provider } from '@ethersproject/providers'; +import type { IRewardsDistributor, IRewardsDistributorInterface } from './IRewardsDistributor'; const _abi = [ { - type: "function", - name: "claimAllRewards", + type: 'function', + name: 'claimAllRewards', inputs: [ { - name: "asset", - type: "address", - internalType: "address", + name: 'asset', + type: 'address', + internalType: 'address', }, { - name: "receiver", - type: "address", - internalType: "address", + name: 'receiver', + type: 'address', + internalType: 'address', }, ], outputs: [ { - name: "rewards", - type: "address[]", - internalType: "address[]", + name: 'rewards', + type: 'address[]', + internalType: 'address[]', }, { - name: "amounts", - type: "uint256[]", - internalType: "uint256[]", + name: 'amounts', + type: 'uint256[]', + internalType: 'uint256[]', }, ], - stateMutability: "nonpayable", + stateMutability: 'nonpayable', }, { - type: "function", - name: "claimAllRewardsOnBehalf", + type: 'function', + name: 'claimAllRewardsOnBehalf', inputs: [ { - name: "asset", - type: "address", - internalType: "address", + name: 'asset', + type: 'address', + internalType: 'address', }, { - name: "user", - type: "address", - internalType: "address", + name: 'user', + type: 'address', + internalType: 'address', }, { - name: "receiver", - type: "address", - internalType: "address", + name: 'receiver', + type: 'address', + internalType: 'address', }, ], outputs: [ { - name: "rewards", - type: "address[]", - internalType: "address[]", + name: 'rewards', + type: 'address[]', + internalType: 'address[]', }, { - name: "amounts", - type: "uint256[]", - internalType: "uint256[]", + name: 'amounts', + type: 'uint256[]', + internalType: 'uint256[]', }, ], - stateMutability: "nonpayable", + stateMutability: 'nonpayable', }, { - type: "function", - name: "claimAllRewardsPermit", + type: 'function', + name: 'claimAllRewardsPermit', inputs: [ { - name: "asset", - type: "address", - internalType: "address", + name: 'asset', + type: 'address', + internalType: 'address', }, { - name: "user", - type: "address", - internalType: "address", + name: 'user', + type: 'address', + internalType: 'address', }, { - name: "receiver", - type: "address", - internalType: "address", + name: 'receiver', + type: 'address', + internalType: 'address', }, { - name: "deadline", - type: "uint256", - internalType: "uint256", + name: 'deadline', + type: 'uint256', + internalType: 'uint256', }, { - name: "sig", - type: "tuple", - internalType: "struct IRewardsStructs.SignatureParams", + name: 'sig', + type: 'tuple', + internalType: 'struct IRewardsStructs.SignatureParams', components: [ { - name: "v", - type: "uint8", - internalType: "uint8", + name: 'v', + type: 'uint8', + internalType: 'uint8', }, { - name: "r", - type: "bytes32", - internalType: "bytes32", + name: 'r', + type: 'bytes32', + internalType: 'bytes32', }, { - name: "s", - type: "bytes32", - internalType: "bytes32", + name: 's', + type: 'bytes32', + internalType: 'bytes32', }, ], }, ], outputs: [ { - name: "rewards", - type: "address[]", - internalType: "address[]", + name: 'rewards', + type: 'address[]', + internalType: 'address[]', }, { - name: "amounts", - type: "uint256[]", - internalType: "uint256[]", + name: 'amounts', + type: 'uint256[]', + internalType: 'uint256[]', }, ], - stateMutability: "nonpayable", + stateMutability: 'nonpayable', }, { - type: "function", - name: "claimSelectedRewards", + type: 'function', + name: 'claimSelectedRewards', inputs: [ { - name: "asset", - type: "address", - internalType: "address", + name: 'asset', + type: 'address', + internalType: 'address', }, { - name: "rewards", - type: "address[]", - internalType: "address[]", + name: 'rewards', + type: 'address[]', + internalType: 'address[]', }, { - name: "receiver", - type: "address", - internalType: "address", + name: 'receiver', + type: 'address', + internalType: 'address', }, ], outputs: [ { - name: "amounts", - type: "uint256[]", - internalType: "uint256[]", + name: 'amounts', + type: 'uint256[]', + internalType: 'uint256[]', }, ], - stateMutability: "nonpayable", + stateMutability: 'nonpayable', }, { - type: "function", - name: "claimSelectedRewardsOnBehalf", + type: 'function', + name: 'claimSelectedRewardsOnBehalf', inputs: [ { - name: "asset", - type: "address", - internalType: "address", + name: 'asset', + type: 'address', + internalType: 'address', }, { - name: "rewards", - type: "address[]", - internalType: "address[]", + name: 'rewards', + type: 'address[]', + internalType: 'address[]', }, { - name: "user", - type: "address", - internalType: "address", + name: 'user', + type: 'address', + internalType: 'address', }, { - name: "receiver", - type: "address", - internalType: "address", + name: 'receiver', + type: 'address', + internalType: 'address', }, ], outputs: [ { - name: "amounts", - type: "uint256[]", - internalType: "uint256[]", + name: 'amounts', + type: 'uint256[]', + internalType: 'uint256[]', }, ], - stateMutability: "nonpayable", + stateMutability: 'nonpayable', }, { - type: "function", - name: "claimSelectedRewardsPermit", + type: 'function', + name: 'claimSelectedRewardsPermit', inputs: [ { - name: "asset", - type: "address", - internalType: "address", + name: 'asset', + type: 'address', + internalType: 'address', }, { - name: "rewards", - type: "address[]", - internalType: "address[]", + name: 'rewards', + type: 'address[]', + internalType: 'address[]', }, { - name: "user", - type: "address", - internalType: "address", + name: 'user', + type: 'address', + internalType: 'address', }, { - name: "receiver", - type: "address", - internalType: "address", + name: 'receiver', + type: 'address', + internalType: 'address', }, { - name: "deadline", - type: "uint256", - internalType: "uint256", + name: 'deadline', + type: 'uint256', + internalType: 'uint256', }, { - name: "sig", - type: "tuple", - internalType: "struct IRewardsStructs.SignatureParams", + name: 'sig', + type: 'tuple', + internalType: 'struct IRewardsStructs.SignatureParams', components: [ { - name: "v", - type: "uint8", - internalType: "uint8", + name: 'v', + type: 'uint8', + internalType: 'uint8', }, { - name: "r", - type: "bytes32", - internalType: "bytes32", + name: 'r', + type: 'bytes32', + internalType: 'bytes32', }, { - name: "s", - type: "bytes32", - internalType: "bytes32", + name: 's', + type: 'bytes32', + internalType: 'bytes32', }, ], }, ], outputs: [ { - name: "amounts", - type: "uint256[]", - internalType: "uint256[]", + name: 'amounts', + type: 'uint256[]', + internalType: 'uint256[]', }, ], - stateMutability: "nonpayable", + stateMutability: 'nonpayable', }, { - type: "function", - name: "setClaimer", + type: 'function', + name: 'setClaimer', inputs: [ { - name: "claimer", - type: "address", - internalType: "address", + name: 'claimer', + type: 'address', + internalType: 'address', }, { - name: "flag", - type: "bool", - internalType: "bool", + name: 'flag', + type: 'bool', + internalType: 'bool', }, ], outputs: [], - stateMutability: "nonpayable", + stateMutability: 'nonpayable', }, { - type: "function", - name: "setClaimer", + type: 'function', + name: 'setClaimer', inputs: [ { - name: "user", - type: "address", - internalType: "address", + name: 'user', + type: 'address', + internalType: 'address', }, { - name: "claimer", - type: "address", - internalType: "address", + name: 'claimer', + type: 'address', + internalType: 'address', }, { - name: "flag", - type: "bool", - internalType: "bool", + name: 'flag', + type: 'bool', + internalType: 'bool', }, ], outputs: [], - stateMutability: "nonpayable", + stateMutability: 'nonpayable', }, { - type: "event", - name: "ClaimerSet", + type: 'event', + name: 'ClaimerSet', inputs: [ { - name: "user", - type: "address", + name: 'user', + type: 'address', indexed: true, - internalType: "address", + internalType: 'address', }, { - name: "claimer", - type: "address", + name: 'claimer', + type: 'address', indexed: true, - internalType: "address", + internalType: 'address', }, { - name: "flag", - type: "bool", + name: 'flag', + type: 'bool', indexed: false, - internalType: "bool", + internalType: 'bool', }, ], anonymous: false, }, { - type: "error", - name: "ClaimerNotAuthorized", + type: 'error', + name: 'ClaimerNotAuthorized', inputs: [ { - name: "claimer", - type: "address", - internalType: "address", + name: 'claimer', + type: 'address', + internalType: 'address', }, { - name: "user", - type: "address", - internalType: "address", + name: 'user', + type: 'address', + internalType: 'address', }, ], }, { - type: "error", - name: "ExpiredSignature", + type: 'error', + name: 'ExpiredSignature', inputs: [ { - name: "deadline", - type: "uint256", - internalType: "uint256", + name: 'deadline', + type: 'uint256', + internalType: 'uint256', }, ], }, { - type: "error", - name: "InvalidSigner", + type: 'error', + name: 'InvalidSigner', inputs: [ { - name: "signer", - type: "address", - internalType: "address", + name: 'signer', + type: 'address', + internalType: 'address', }, { - name: "owner", - type: "address", - internalType: "address", + name: 'owner', + type: 'address', + internalType: 'address', }, ], }, @@ -374,10 +371,7 @@ export class IRewardsDistributor__factory { static createInterface(): IRewardsDistributorInterface { return new utils.Interface(_abi) as IRewardsDistributorInterface; } - static connect( - address: string, - signerOrProvider: Signer | Provider - ): IRewardsDistributor { + static connect(address: string, signerOrProvider: Signer | Provider): IRewardsDistributor { return new Contract(address, _abi, signerOrProvider) as IRewardsDistributor; } } From 5d32ba0bc2cf45aaa9fe5b21c36624d14233cbb7 Mon Sep 17 00:00:00 2001 From: Mark Grothe Date: Thu, 30 Jan 2025 11:12:47 -0600 Subject: [PATCH 063/110] fix: token symbol --- src/modules/umbrella/UmbrellaModalContent.tsx | 8 ++++---- 1 file changed, 4 insertions(+), 4 deletions(-) diff --git a/src/modules/umbrella/UmbrellaModalContent.tsx b/src/modules/umbrella/UmbrellaModalContent.tsx index cd17bd2710..7e3812249f 100644 --- a/src/modules/umbrella/UmbrellaModalContent.tsx +++ b/src/modules/umbrella/UmbrellaModalContent.tsx @@ -53,6 +53,7 @@ export interface StakeInputAsset { const getInputTokens = (stakeData: MergedStakeData): StakeInputAsset[] => { return stakeData.underlyingIsWaToken ? [ + // stata token { address: stakeData.waTokenData.waTokenUnderlying, symbol: stakeData.waTokenData.waTokenUnderlyingSymbol, @@ -63,7 +64,7 @@ const getInputTokens = (stakeData: MergedStakeData): StakeInputAsset[] => { { address: stakeData.waTokenData.waTokenAToken, // Note: using token symbol the same as underlying for aToken handling given we dont have tokens for "aBasSepUSDC" - symbol: stakeData.waTokenData.waTokenUnderlyingSymbol, + symbol: `a${stakeData.waTokenData.waTokenUnderlyingSymbol}`, iconSymbol: stakeData.waTokenData.waTokenUnderlyingSymbol, balance: stakeData.formattedBalances.underlyingWaTokenATokenBalance, @@ -73,10 +74,9 @@ const getInputTokens = (stakeData: MergedStakeData): StakeInputAsset[] => { ] : [ { - // stata tokens address: stakeData.stakeTokenUnderlying, - symbol: stakeData.stakeTokenSymbol, - iconSymbol: stakeData.stakeTokenSymbol, + symbol: stakeData.underlyingTokenSymbol, + iconSymbol: stakeData.underlyingTokenSymbol, balance: stakeData.formattedBalances.underlyingTokenBalance, rawBalance: stakeData.balances.underlyingTokenBalance, }, From 62bde3b2fc873e47dfa23b1cb84cd36c1ae003c9 Mon Sep 17 00:00:00 2001 From: Mark Grothe Date: Fri, 31 Jan 2025 15:42:41 -0600 Subject: [PATCH 064/110] feat: show hf change on stake --- src/components/Warnings/CooldownWarning.tsx | 14 ++- .../FlowCommons/TxModalDetails.tsx | 15 +-- src/hooks/stake/useUmbrellaSummary.ts | 39 ++++---- .../StakeAssets/UmbrellaAssetsList.tsx | 2 - .../UmbrellaAssetsListContainer.tsx | 99 ++++--------------- src/modules/umbrella/UmbrellaModalContent.tsx | 63 ++++++------ 6 files changed, 86 insertions(+), 146 deletions(-) diff --git a/src/components/Warnings/CooldownWarning.tsx b/src/components/Warnings/CooldownWarning.tsx index ec913810e9..c33e74e2db 100644 --- a/src/components/Warnings/CooldownWarning.tsx +++ b/src/components/Warnings/CooldownWarning.tsx @@ -1,12 +1,17 @@ import { Trans } from '@lingui/macro'; import { Typography } from '@mui/material'; +import { SecondsToString } from 'src/modules/staking/StakingPanel'; import { useRootStore } from 'src/store/root'; import { GENERAL } from 'src/utils/mixPanelEvents'; import { Link } from '../primitives/Link'; import { Warning } from '../primitives/Warning'; -export const CooldownWarning = () => { +const TWENTY_DAYS = 20 * 24 * 60 * 60; + +export const CooldownWarning = ({ cooldownSeconds }: { cooldownSeconds?: number }) => { + const cooldownTime = cooldownSeconds || TWENTY_DAYS; + const trackEvent = useRootStore((store) => store.trackEvent); return ( @@ -15,9 +20,10 @@ export const CooldownWarning = () => { - The cooldown period is the time required prior to unstaking your tokens (20 days). You can - only withdraw your assets from the Security Module after the cooldown period and within - the unstake window. + The cooldown period is the time required prior to unstaking your tokens ( + + ). You can only withdraw your assets from the Security Module after the cooldown period + and within the unstake window. { return ( @@ -379,14 +380,8 @@ export const DetailsCooldownLine = ({ ) : ( - - - Days + + )} diff --git a/src/hooks/stake/useUmbrellaSummary.ts b/src/hooks/stake/useUmbrellaSummary.ts index b46905d411..bb081718dd 100644 --- a/src/hooks/stake/useUmbrellaSummary.ts +++ b/src/hooks/stake/useUmbrellaSummary.ts @@ -9,6 +9,10 @@ import { } from 'src/modules/umbrella/services/StakeDataProviderService'; import { MarketDataType } from 'src/ui-config/marketsConfig'; +import { + ExtendedFormattedUser, + useExtendedUserSummaryAndIncentives, +} from '../pool/useExtendedUserSummaryAndIncentives'; import { combineQueries } from '../pool/utils'; interface FormattedBalance { @@ -48,10 +52,17 @@ export interface MergedStakeData extends StakeData { weightedAverageApy: string; } -const formatUmbrellaSummary = (stakeData: StakeData[], userStakeData: StakeUserData[]) => { +const formatUmbrellaSummary = ( + stakeData: StakeData[], + userStakeData: StakeUserData[], + user: ExtendedFormattedUser +) => { let aggregatedTotalStakedUSD = valueToBigNumber('0'); let weightedApySum = valueToBigNumber('0'); let apyTotalWeight = valueToBigNumber('0'); + + const userReservesData = user.userReservesData; + stakeData.forEach((stakeItem) => { const matchingBalance = userStakeData.find( (balanceItem) => balanceItem.stakeToken.toLowerCase() === stakeItem.stakeToken.toLowerCase() @@ -113,6 +124,12 @@ const formatUmbrellaSummary = (stakeData: StakeData[], userStakeData: StakeUserD stakeItem.underlyingTokenDecimals ); + // we use the userReserve to get the aToken balance which takes into account accrued interest + const userReserve = userReservesData?.find( + (r) => + r.reserve.aTokenAddress.toLowerCase() === stakeItem.waTokenData.waTokenAToken.toLowerCase() + ); + acc.push({ ...stakeItem, balances: matchingBalance.balances, @@ -129,10 +146,7 @@ const formatUmbrellaSummary = (stakeData: StakeData[], userStakeData: StakeUserD matchingBalance.balances.underlyingWaTokenBalance, stakeItem.underlyingTokenDecimals ), - underlyingWaTokenATokenBalance: normalize( - matchingBalance.balances.underlyingWaTokenATokenBalance, - stakeItem.underlyingTokenDecimals - ), + underlyingWaTokenATokenBalance: userReserve?.underlyingBalance || '0', }, formattedRewards: matchingBalance.rewards.map((reward) => { const rewardData = stakeItem.rewards.find( @@ -181,20 +195,11 @@ const formatUmbrellaSummary = (stakeData: StakeData[], userStakeData: StakeUserD export const useUmbrellaSummary = (marketData: MarketDataType) => { const stakeDataQuery = useStakeData(marketData); const userStakeDataQuery = useUserStakeData(marketData); + const userReservesQuery = useExtendedUserSummaryAndIncentives(marketData); + const { data, isPending } = combineQueries( - [stakeDataQuery, userStakeDataQuery] as const, + [stakeDataQuery, userStakeDataQuery, userReservesQuery] as const, formatUmbrellaSummary ); return { data, loading: isPending }; }; - -export const useUmbrellaSummaryFor = (uStakeToken: string, marketData: MarketDataType) => { - const stakeDataQuery = useStakeData(marketData, { - select: (stakeData) => stakeData.filter((s) => s.stakeToken === uStakeToken), - }); - const userStakeDataQuery = useUserStakeData(marketData, { - select: (userData) => userData.filter((s) => s.stakeToken === uStakeToken), - }); - - return combineQueries([stakeDataQuery, userStakeDataQuery] as const, formatUmbrellaSummary); -}; diff --git a/src/modules/umbrella/StakeAssets/UmbrellaAssetsList.tsx b/src/modules/umbrella/StakeAssets/UmbrellaAssetsList.tsx index 50a46307d5..251598a621 100644 --- a/src/modules/umbrella/StakeAssets/UmbrellaAssetsList.tsx +++ b/src/modules/umbrella/StakeAssets/UmbrellaAssetsList.tsx @@ -6,7 +6,6 @@ import { useMemo, useState } from 'react'; import { ListColumn } from 'src/components/lists/ListColumn'; import { ListHeaderTitle } from 'src/components/lists/ListHeaderTitle'; import { ListHeaderWrapper } from 'src/components/lists/ListHeaderWrapper'; -import { ComputedReserveData } from 'src/hooks/app-data-provider/useAppDataProvider'; import { MergedStakeData } from 'src/hooks/stake/useUmbrellaSummary'; import { @@ -63,7 +62,6 @@ const listHeaders = [ ]; type UmbrelaAssetsListProps = { - reserves: ComputedReserveData[]; loading: boolean; stakedDataWithTokenBalances: MergedStakeData[]; isLoadingStakedDataWithTokenBalances: boolean; diff --git a/src/modules/umbrella/StakeAssets/UmbrellaAssetsListContainer.tsx b/src/modules/umbrella/StakeAssets/UmbrellaAssetsListContainer.tsx index f502054568..3812353c2f 100644 --- a/src/modules/umbrella/StakeAssets/UmbrellaAssetsListContainer.tsx +++ b/src/modules/umbrella/StakeAssets/UmbrellaAssetsListContainer.tsx @@ -1,4 +1,3 @@ -import { API_ETH_MOCK_ADDRESS } from '@aave/contract-helpers'; import { Trans } from '@lingui/macro'; import { useMediaQuery, useTheme } from '@mui/material'; import { useState } from 'react'; @@ -10,41 +9,16 @@ import { TitleWithSearchBar } from 'src/components/TitleWithSearchBar'; import { useAppDataContext } from 'src/hooks/app-data-provider/useAppDataProvider'; import { useUmbrellaSummary } from 'src/hooks/stake/useUmbrellaSummary'; import { useRootStore } from 'src/store/root'; -import { fetchIconSymbolAndName } from 'src/ui-config/reservePatches'; -import { getGhoReserve, GHO_MINTING_MARKETS, GHO_SYMBOL } from 'src/utils/ghoUtilities'; import { useShallow } from 'zustand/shallow'; // import { GENERAL } from '../../../utils/mixPanelEvents'; // import { useStakeData } from '../hooks/useStakeData'; import UmbrellaAssetsList from './UmbrellaAssetsList'; -function shouldDisplayGhoBanner(marketTitle: string, searchTerm: string): boolean { - // GHO banner is only displayed on markets where new GHO is mintable (i.e. Ethereum) - // If GHO is listed as a reserve, then it will be displayed in the normal market asset list - if (!GHO_MINTING_MARKETS.includes(marketTitle)) { - return false; - } - - if (!searchTerm) { - return true; - } - - const normalizedSearchTerm = searchTerm.toLowerCase().trim(); - return ( - normalizedSearchTerm.length <= 3 && GHO_SYMBOL.toLowerCase().includes(normalizedSearchTerm) - ); -} - export const UmbrellaAssetsListContainer = () => { - const { reserves, loading } = useAppDataContext(); + const { loading } = useAppDataContext(); - const [currentMarket, currentNetworkConfig, currentMarketData] = useRootStore( - useShallow((store) => [ - store.currentMarket, - store.currentNetworkConfig, - store.currentMarketData, - ]) - ); + const [currentMarketData] = useRootStore(useShallow((store) => [store.currentMarketData])); const { data: stakedDataWithTokenBalances, loading: isLoadingStakedDataWithTokenBalances } = useUmbrellaSummary(currentMarketData); @@ -53,44 +27,12 @@ export const UmbrellaAssetsListContainer = () => { const { breakpoints } = useTheme(); const sm = useMediaQuery(breakpoints.down('sm')); - const ghoReserve = getGhoReserve(reserves); - const displayGhoBanner = shouldDisplayGhoBanner(currentMarket, searchTerm); - - const filteredData = reserves - // Filter out any non-active reserves - .filter((res) => res.isActive) - // Filter out GHO if the banner is being displayed - .filter((res) => (displayGhoBanner ? res !== ghoReserve : true)) - // filter out any that don't meet search term criteria - .filter((res) => { - if (!searchTerm) return true; - const term = searchTerm.toLowerCase().trim(); - - return ( - res.symbol.toLowerCase().includes(term) || - res.name.toLowerCase().includes(term) || - res.underlyingAsset.toLowerCase().includes(term) - ); - }) - // Transform the object for list to consume it - .map((reserve) => ({ - ...reserve, - ...(reserve.isWrappedBaseAsset - ? fetchIconSymbolAndName({ - symbol: currentNetworkConfig.baseAssetSymbol, - underlyingAsset: API_ETH_MOCK_ADDRESS.toLowerCase(), - }) - : {}), - })); + const filteredData = stakedDataWithTokenBalances?.filter((res) => { + if (!searchTerm) return true; + const term = searchTerm.toLowerCase().trim(); - const filteredStakedData = - stakedDataWithTokenBalances?.filter((stakedAsset) => - filteredData.some( - (reserve) => - reserve.underlyingAsset.toLowerCase() === - stakedAsset.waTokenData.waTokenUnderlying.toLowerCase() - ) - ) ?? []; + return res.symbol.toLowerCase().includes(term) || res.iconSymbol.toLowerCase().includes(term); + }); return ( { } > - {!loading && - !isLoadingStakedDataWithTokenBalances && - (filteredData.length === 0 || !filteredStakedData) && ( - - We couldn't find any assets related to your search. Try again with a different - asset name, symbol, or address. - - } - /> - )} + {!loading && !isLoadingStakedDataWithTokenBalances && !filteredData && ( + + We couldn't find any assets related to your search. Try again with a different + asset name, symbol, or address. + + } + /> + )} ); }; diff --git a/src/modules/umbrella/UmbrellaModalContent.tsx b/src/modules/umbrella/UmbrellaModalContent.tsx index 7e3812249f..9c57fe1789 100644 --- a/src/modules/umbrella/UmbrellaModalContent.tsx +++ b/src/modules/umbrella/UmbrellaModalContent.tsx @@ -1,5 +1,5 @@ import { ChainId } from '@aave/contract-helpers'; -import { valueToBigNumber } from '@aave/math-utils'; +import { USD_DECIMALS, valueToBigNumber } from '@aave/math-utils'; import { Trans } from '@lingui/macro'; import { Box, Checkbox, Typography } from '@mui/material'; import React, { useRef, useState } from 'react'; @@ -10,10 +10,10 @@ import { GasEstimationError } from 'src/components/transactions/FlowCommons/GasE import { TxSuccessView } from 'src/components/transactions/FlowCommons/Success'; import { DetailsCooldownLine, + DetailsHFLine, + DetailsNumberLine, TxModalDetails, } from 'src/components/transactions/FlowCommons/TxModalDetails'; -import { TxModalTitle } from 'src/components/transactions/FlowCommons/TxModalTitle'; -import { ChangeNetworkWarning } from 'src/components/transactions/Warnings/ChangeNetworkWarning'; import { CooldownWarning } from 'src/components/Warnings/CooldownWarning'; import { ComputedReserveData, @@ -23,8 +23,6 @@ import { import { MergedStakeData } from 'src/hooks/stake/useUmbrellaSummary'; import { useIsWrongNetwork } from 'src/hooks/useIsWrongNetwork'; import { useModalContext } from 'src/hooks/useModal'; -import { useWeb3Context } from 'src/libs/hooks/useWeb3Context'; -import { useRootStore } from 'src/store/root'; import { calculateHFAfterWithdraw } from 'src/utils/hfUtils'; import { STAKE } from 'src/utils/mixPanelEvents'; @@ -47,7 +45,6 @@ export interface StakeInputAsset { address: string; aToken?: boolean; balance: string; - rawBalance: string; } const getInputTokens = (stakeData: MergedStakeData): StakeInputAsset[] => { @@ -59,16 +56,13 @@ const getInputTokens = (stakeData: MergedStakeData): StakeInputAsset[] => { symbol: stakeData.waTokenData.waTokenUnderlyingSymbol, iconSymbol: stakeData.waTokenData.waTokenUnderlyingSymbol, balance: stakeData.formattedBalances.underlyingWaTokenBalance, - rawBalance: stakeData.balances.underlyingWaTokenBalance, }, { address: stakeData.waTokenData.waTokenAToken, // Note: using token symbol the same as underlying for aToken handling given we dont have tokens for "aBasSepUSDC" symbol: `a${stakeData.waTokenData.waTokenUnderlyingSymbol}`, iconSymbol: stakeData.waTokenData.waTokenUnderlyingSymbol, - balance: stakeData.formattedBalances.underlyingWaTokenATokenBalance, - rawBalance: stakeData.balances.underlyingWaTokenATokenBalance, aToken: true, }, ] @@ -78,15 +72,12 @@ const getInputTokens = (stakeData: MergedStakeData): StakeInputAsset[] => { symbol: stakeData.underlyingTokenSymbol, iconSymbol: stakeData.underlyingTokenSymbol, balance: stakeData.formattedBalances.underlyingTokenBalance, - rawBalance: stakeData.balances.underlyingTokenBalance, }, ]; }; export const UmbrellaModalContent = ({ stakeData, user, userReserve, poolReserve }: StakeProps) => { - const { readOnlyModeAddress } = useWeb3Context(); const { gasLimit, mainTxState: txState, txError } = useModalContext(); - const currentNetworkConfig = useRootStore((store) => store.currentNetworkConfig); const [riskCheckboxAccepted, setRiskCheckboxAccepted] = useState(false); // states @@ -97,8 +88,11 @@ export const UmbrellaModalContent = ({ stakeData, user, userReserve, poolReserve const [inputToken, setInputToken] = useState(assets[0]); + const underlyingBalance = valueToBigNumber(inputToken.balance || '0'); + const isMaxSelected = _amount === '-1'; const amount = isMaxSelected ? inputToken.balance : _amount; + const stakingAToken = inputToken.aToken; const handleChange = (value: string) => { const maxSelected = value === '-1'; @@ -106,7 +100,7 @@ export const UmbrellaModalContent = ({ stakeData, user, userReserve, poolReserve setAmount(value); }; - const { isWrongNetwork, requiredChainId } = useIsWrongNetwork(); + const { isWrongNetwork } = useIsWrongNetwork(); if (txError && txError.blocking) { return ; @@ -117,7 +111,7 @@ export const UmbrellaModalContent = ({ stakeData, user, userReserve, poolReserve ); let healthFactorAfterStake = valueToBigNumber(1.6); - if (inputToken.aToken) { + if (stakingAToken) { // We use same function for checking HF as withdraw healthFactorAfterStake = calculateHFAfterWithdraw({ user, @@ -137,26 +131,20 @@ export const UmbrellaModalContent = ({ stakeData, user, userReserve, poolReserve displayBlockingStake = true; } + const amountInUsd = valueToBigNumber(amount || '0') + .multipliedBy(stakeData.stakeTokenPrice) + .shiftedBy(-USD_DECIMALS) + .toString(); + return ( <> - - - {isWrongNetwork && !readOnlyModeAddress && ( - - )} - - + )} - {/* Staking APR} - value={Number(stakeData?.stakeApy || '0') / 10000} - percent - /> */} - + {stakingAToken && ( + <> + Remaining supply} + value={underlyingBalance.minus(amount || '0').toString(10)} + symbol={inputToken.symbol} + /> + + + )} + {txError && } From f9f1c56d9066ae698367419e9f408b1e41171e9f Mon Sep 17 00:00:00 2001 From: Mark Grothe Date: Fri, 31 Jan 2025 16:12:30 -0600 Subject: [PATCH 065/110] fix: token spacing --- src/modules/umbrella/helpers/MultiIcon.tsx | 1 + 1 file changed, 1 insertion(+) diff --git a/src/modules/umbrella/helpers/MultiIcon.tsx b/src/modules/umbrella/helpers/MultiIcon.tsx index 977b689fc7..139e101f11 100644 --- a/src/modules/umbrella/helpers/MultiIcon.tsx +++ b/src/modules/umbrella/helpers/MultiIcon.tsx @@ -22,6 +22,7 @@ export interface IconData { const IconWrapper = styled(Box)<{ expanded: boolean }>(({ theme, expanded }) => ({ display: 'flex', alignItems: 'center', + gap: expanded ? '2px' : '0', transition: theme.transitions.create('width'), width: expanded ? 'auto' : 'fit-content', maxWidth: '240px', From 1a5d504fbf066cdd31fe59fceb852f4583e28584 Mon Sep 17 00:00:00 2001 From: Mark Grothe Date: Fri, 31 Jan 2025 16:16:37 -0600 Subject: [PATCH 066/110] fix: icon color --- src/modules/umbrella/helpers/StakingDropdown.tsx | 6 ++---- 1 file changed, 2 insertions(+), 4 deletions(-) diff --git a/src/modules/umbrella/helpers/StakingDropdown.tsx b/src/modules/umbrella/helpers/StakingDropdown.tsx index 5ccbcb6e2f..25dba9ae70 100644 --- a/src/modules/umbrella/helpers/StakingDropdown.tsx +++ b/src/modules/umbrella/helpers/StakingDropdown.tsx @@ -37,7 +37,7 @@ export const StakingDropdown = ({ stakeData }: { stakeData: MergedStakeData }) = const { openUmbrella, openUmbrellaStakeCooldown, openUmbrellaUnstake, openUmbrellaClaim } = useModalContext(); const now = useCurrentTimestamp(1); - const { breakpoints } = useTheme(); + const { breakpoints, palette } = useTheme(); const { addERC20Token } = useWeb3Context(); const isMobile = useMediaQuery(breakpoints.down('lg')); @@ -181,9 +181,7 @@ export const StakingDropdown = ({ stakeData }: { stakeData: MergedStakeData }) = }); }} > - + Add token to wallet From b5cdc7d0a4268f000766dfd7cced495f4103352f Mon Sep 17 00:00:00 2001 From: Mark Grothe Date: Fri, 31 Jan 2025 16:29:05 -0600 Subject: [PATCH 067/110] fix: cooldown --- src/modules/umbrella/StakeCooldownModal.tsx | 15 ++++++++++++--- .../umbrella/StakeCooldownModalContent.tsx | 19 ++++--------------- .../umbrella/helpers/StakingDropdown.tsx | 2 +- 3 files changed, 17 insertions(+), 19 deletions(-) diff --git a/src/modules/umbrella/StakeCooldownModal.tsx b/src/modules/umbrella/StakeCooldownModal.tsx index 866d3e1bd7..a65242bf6b 100644 --- a/src/modules/umbrella/StakeCooldownModal.tsx +++ b/src/modules/umbrella/StakeCooldownModal.tsx @@ -1,16 +1,25 @@ import React from 'react'; import { BasicModal } from 'src/components/primitives/BasicModal'; +import { useUmbrellaSummary } from 'src/hooks/stake/useUmbrellaSummary'; import { ModalType, useModalContext } from 'src/hooks/useModal'; +import { useRootStore } from 'src/store/root'; import { StakeCooldownModalContent } from './StakeCooldownModalContent'; export const StakeCooldownModal = () => { const { type, close, args } = useModalContext(); + + const currentMarketData = useRootStore((store) => store.currentMarketData); + + const { data } = useUmbrellaSummary(currentMarketData); + + const stakeData = data?.find( + (item) => item.stakeToken.toLowerCase() === args?.uStakeToken?.toLowerCase() + ); + return ( - {args?.uStakeToken && args.icon && ( - - )} + {stakeData && } ); }; diff --git a/src/modules/umbrella/StakeCooldownModalContent.tsx b/src/modules/umbrella/StakeCooldownModalContent.tsx index f2d89ad800..a57fc6ed0b 100644 --- a/src/modules/umbrella/StakeCooldownModalContent.tsx +++ b/src/modules/umbrella/StakeCooldownModalContent.tsx @@ -18,7 +18,7 @@ import { TxModalTitle } from 'src/components/transactions/FlowCommons/TxModalTit import { GasStation } from 'src/components/transactions/GasStation/GasStation'; import { ChangeNetworkWarning } from 'src/components/transactions/Warnings/ChangeNetworkWarning'; import { timeMessage } from 'src/helpers/timeHelper'; -import { useUmbrellaSummaryFor } from 'src/hooks/stake/useUmbrellaSummary'; +import { MergedStakeData } from 'src/hooks/stake/useUmbrellaSummary'; import { useModalContext } from 'src/hooks/useModal'; import { useWeb3Context } from 'src/libs/hooks/useWeb3Context'; import { useRootStore } from 'src/store/root'; @@ -26,11 +26,6 @@ import { GENERAL } from 'src/utils/mixPanelEvents'; import { StakeCooldownActions } from './StakeCooldownActions'; -export type StakeCooldownProps = { - stakeToken: string; - icon: string; -}; - export enum ErrorType { NOT_ENOUGH_BALANCE, ALREADY_ON_COOLDOWN, @@ -43,21 +38,15 @@ type CalendarEvent = { description: string; }; -export const StakeCooldownModalContent = ({ stakeToken, icon }: StakeCooldownProps) => { +export const StakeCooldownModalContent = ({ stakeData }: { stakeData: MergedStakeData }) => { const { chainId: connectedChainId, readOnlyModeAddress } = useWeb3Context(); const { gasLimit, mainTxState: txState, txError } = useModalContext(); const trackEvent = useRootStore((store) => store.trackEvent); - const currentMarketData = useRootStore((store) => store.currentMarketData); const currentNetworkConfig = useRootStore((store) => store.currentNetworkConfig); const currentChainId = useRootStore((store) => store.currentChainId); - // states const [cooldownCheck, setCooldownCheck] = useState(false); - const { data } = useUmbrellaSummaryFor(stakeToken, currentMarketData); - const stakeData = data?.[0]; - - // Cooldown logic const stakeCooldownSeconds = stakeData?.cooldownSeconds || 0; const stakeUnstakeWindow = stakeData?.unstakeWindowSeconds || 0; @@ -182,7 +171,7 @@ export const StakeCooldownModalContent = ({ stakeToken, icon }: StakeCooldownPro Amount to unstake - + @@ -352,7 +341,7 @@ export const StakeCooldownModalContent = ({ stakeToken, icon }: StakeCooldownPro sx={{ mt: '48px' }} isWrongNetwork={isWrongNetwork} blocked={blockingError !== undefined || !cooldownCheck} - selectedToken={stakeToken} + selectedToken={stakeData.stakeToken} amountToCooldown={amountToCooldown} /> diff --git a/src/modules/umbrella/helpers/StakingDropdown.tsx b/src/modules/umbrella/helpers/StakingDropdown.tsx index 25dba9ae70..9e23f1896e 100644 --- a/src/modules/umbrella/helpers/StakingDropdown.tsx +++ b/src/modules/umbrella/helpers/StakingDropdown.tsx @@ -130,7 +130,7 @@ export const StakingDropdown = ({ stakeData }: { stakeData: MergedStakeData }) = > - Cooldown + Cooldown to unstake ) : ( From 1e6405d0278e17bb80b8cf857bf3c70db666ed7a Mon Sep 17 00:00:00 2001 From: Mark Grothe Date: Fri, 31 Jan 2025 17:14:33 -0600 Subject: [PATCH 068/110] fix: cleanup --- src/modules/umbrella/AvailableToClaimItem.tsx | 14 +++--- src/modules/umbrella/AvailableToStakeItem.tsx | 14 +++--- .../StakeAssets/UmbrellaAssetsListItem.tsx | 50 ------------------- .../UmbrellaAssetsListMobileItem.tsx | 4 +- src/modules/umbrella/StakingApyItem.tsx | 14 +++--- src/modules/umbrella/UmbrellaModalContent.tsx | 6 ++- .../umbrella/helpers/StakingDropdown.tsx | 38 ++++++-------- 7 files changed, 46 insertions(+), 94 deletions(-) delete mode 100644 src/modules/umbrella/StakeAssets/UmbrellaAssetsListItem.tsx diff --git a/src/modules/umbrella/AvailableToClaimItem.tsx b/src/modules/umbrella/AvailableToClaimItem.tsx index a5c481559e..be90addcc9 100644 --- a/src/modules/umbrella/AvailableToClaimItem.tsx +++ b/src/modules/umbrella/AvailableToClaimItem.tsx @@ -1,5 +1,5 @@ import { Trans } from '@lingui/macro'; -import { Box, Stack, Typography, useMediaQuery, useTheme } from '@mui/material'; +import { Box, Stack, Typography } from '@mui/material'; import { FormattedNumber } from 'src/components/primitives/FormattedNumber'; import { TokenIcon } from 'src/components/primitives/TokenIcon'; import { MergedStakeData } from 'src/hooks/stake/useUmbrellaSummary'; @@ -7,7 +7,13 @@ import { MergedStakeData } from 'src/hooks/stake/useUmbrellaSummary'; import { AmountAvailableItem } from './helpers/AmountAvailableItem'; import { MultiIconWithTooltip } from './helpers/MultiIcon'; -export const AvailableToClaimItem = ({ stakeData }: { stakeData: MergedStakeData }) => { +export const AvailableToClaimItem = ({ + stakeData, + isMobile, +}: { + stakeData: MergedStakeData; + isMobile?: boolean; +}) => { const icons = stakeData.formattedRewards.map((reward) => ({ src: reward.rewardTokenSymbol, aToken: false, @@ -18,10 +24,6 @@ export const AvailableToClaimItem = ({ stakeData }: { stakeData: MergedStakeData 0 ); - const { breakpoints } = useTheme(); - - const isMobile = useMediaQuery(breakpoints.down('lg')); - return ( { +export const AvailableToStakeItem = ({ + stakeData, + isMobile, +}: { + stakeData: MergedStakeData; + isMobile?: boolean; +}) => { const { underlyingWaTokenBalance, underlyingWaTokenATokenBalance, underlyingTokenBalance } = stakeData.formattedBalances; - const { breakpoints } = useTheme(); - - const isMobile = useMediaQuery(breakpoints.down('lg')); - const icons = []; if (underlyingTokenBalance) { icons.push({ diff --git a/src/modules/umbrella/StakeAssets/UmbrellaAssetsListItem.tsx b/src/modules/umbrella/StakeAssets/UmbrellaAssetsListItem.tsx deleted file mode 100644 index 436bee58d2..0000000000 --- a/src/modules/umbrella/StakeAssets/UmbrellaAssetsListItem.tsx +++ /dev/null @@ -1,50 +0,0 @@ -import { Box, Typography } from '@mui/material'; -import { MergedStakeData } from 'src/hooks/stake/useUmbrellaSummary'; - -import { ListColumn } from '../../../components/lists/ListColumn'; -import { ListItem } from '../../../components/lists/ListItem'; -import { TokenIcon } from '../../../components/primitives/TokenIcon'; - -export const UmbrellaAssetsListItem = ({ ...reserve }: MergedStakeData) => { - // const [trackEvent, currentMarket] = useRootStore( - // useShallow((store) => [store.trackEvent, store.currentMarket]) - // ); - - return ( - { - // trackEvent(MARKETS.DETAILS_NAVIGATION, { - // type: 'Row', - // assetName: reserve.name, - // asset: reserve.underlyingAsset, - // market: currentMarket, - // }); - // router.push(ROUTES.reserveOverview(reserve.underlyingAsset, currentMarket)); - // }} - sx={{ cursor: 'pointer' }} - button - data-cy={`marketListItemListItem_${reserve.symbol.toUpperCase()}`} - > - - - - - {reserve.name} - - - - - {reserve.symbol} - - - - - - ); -}; diff --git a/src/modules/umbrella/StakeAssets/UmbrellaAssetsListMobileItem.tsx b/src/modules/umbrella/StakeAssets/UmbrellaAssetsListMobileItem.tsx index b923fad6a5..53a27eee70 100644 --- a/src/modules/umbrella/StakeAssets/UmbrellaAssetsListMobileItem.tsx +++ b/src/modules/umbrella/StakeAssets/UmbrellaAssetsListMobileItem.tsx @@ -49,7 +49,7 @@ export const UmbrellaAssetsListMobileItem = ({ ...umbrellaStakeAsset }: MergedSt mb={3} align="flex-start" > - + Available to claim} captionVariant="description" mb={3}> @@ -62,7 +62,7 @@ export const UmbrellaAssetsListMobileItem = ({ ...umbrellaStakeAsset }: MergedSt textAlign: 'center', }} > - + diff --git a/src/modules/umbrella/StakingApyItem.tsx b/src/modules/umbrella/StakingApyItem.tsx index 5195b064ec..43d6d53fc0 100644 --- a/src/modules/umbrella/StakingApyItem.tsx +++ b/src/modules/umbrella/StakingApyItem.tsx @@ -1,5 +1,5 @@ import { Trans } from '@lingui/macro'; -import { Box, Stack, Typography, useMediaQuery, useTheme } from '@mui/material'; +import { Box, Stack, Typography } from '@mui/material'; import { ReactElement } from 'react'; import { FormattedNumber } from 'src/components/primitives/FormattedNumber'; import { Row } from 'src/components/primitives/Row'; @@ -9,13 +9,15 @@ import { MergedStakeData } from 'src/hooks/stake/useUmbrellaSummary'; import { IconData, MultiIconWithTooltip } from './helpers/MultiIcon'; -export const StakingApyItem = ({ stakeData }: { stakeData: MergedStakeData }) => { +export const StakingApyItem = ({ + stakeData, + isMobile, +}: { + stakeData: MergedStakeData; + isMobile?: boolean; +}) => { const { reserves } = useAppDataContext(); - const { breakpoints } = useTheme(); - - const isMobile = useMediaQuery(breakpoints.down('lg')); - let netAPY = 0; const icons: IconData[] = []; const stakeRewards: StakingReward[] = []; diff --git a/src/modules/umbrella/UmbrellaModalContent.tsx b/src/modules/umbrella/UmbrellaModalContent.tsx index 9c57fe1789..ae5fecc57c 100644 --- a/src/modules/umbrella/UmbrellaModalContent.tsx +++ b/src/modules/umbrella/UmbrellaModalContent.tsx @@ -107,7 +107,11 @@ export const UmbrellaModalContent = ({ stakeData, user, userReserve, poolReserve } if (txState.success) return ( - Staked} amount={amountRef.current} symbol={'test'} /> + Staked} + amount={amountRef.current} + symbol={inputToken.symbol} + /> ); let healthFactorAfterStake = valueToBigNumber(1.6); diff --git a/src/modules/umbrella/helpers/StakingDropdown.tsx b/src/modules/umbrella/helpers/StakingDropdown.tsx index 9e23f1896e..236aa3111a 100644 --- a/src/modules/umbrella/helpers/StakingDropdown.tsx +++ b/src/modules/umbrella/helpers/StakingDropdown.tsx @@ -1,10 +1,9 @@ import { Trans } from '@lingui/macro'; import AccessTimeIcon from '@mui/icons-material/AccessTime'; -import AddIcon from '@mui/icons-material/Add'; import AddOutlinedIcon from '@mui/icons-material/AddOutlined'; import MoreHorizIcon from '@mui/icons-material/MoreHoriz'; import StartIcon from '@mui/icons-material/Start'; -import { useMediaQuery, useTheme } from '@mui/material'; +import { Button, useMediaQuery, useTheme } from '@mui/material'; import IconButton from '@mui/material/IconButton'; import Menu from '@mui/material/Menu'; import MenuItem from '@mui/material/MenuItem'; @@ -70,27 +69,20 @@ export const StakingDropdown = ({ stakeData }: { stakeData: MergedStakeData }) = return (
{stakeData.balances.stakeTokenBalance === '0' ? ( - <> - - openUmbrella( - stakeData.stakeToken, - stakeData.stakeTokenSymbol, - stakeData.waTokenData.waTokenAToken, - stakeData.waTokenData.waTokenUnderlying - ) - } - size="medium" - > - - - + ) : ( <> Date: Fri, 31 Jan 2025 17:26:38 -0600 Subject: [PATCH 069/110] fix: non waToken stake --- src/modules/umbrella/UmbrellaModal.tsx | 10 +++++++++- 1 file changed, 9 insertions(+), 1 deletion(-) diff --git a/src/modules/umbrella/UmbrellaModal.tsx b/src/modules/umbrella/UmbrellaModal.tsx index 048db3bf9d..edd00b2c77 100644 --- a/src/modules/umbrella/UmbrellaModal.tsx +++ b/src/modules/umbrella/UmbrellaModal.tsx @@ -1,3 +1,4 @@ +import { API_ETH_MOCK_ADDRESS } from '@aave/contract-helpers'; import { Trans } from '@lingui/macro'; import React from 'react'; import { BasicModal } from 'src/components/primitives/BasicModal'; @@ -6,6 +7,7 @@ import { UserAuthenticated } from 'src/components/UserAuthenticated'; import { useUmbrellaSummary } from 'src/hooks/stake/useUmbrellaSummary'; import { ModalContextType, ModalType, useModalContext } from 'src/hooks/useModal'; import { useRootStore } from 'src/store/root'; +import { zeroAddress } from 'viem'; import { UmbrellaModalContent } from './UmbrellaModalContent'; @@ -24,9 +26,15 @@ export const UmbrellaModal = () => { (item) => item.stakeToken.toLowerCase() === args?.uStakeToken?.toLowerCase() ); + // If there is no waTokenUnderlying, then just use the mock address so there's no errors thrown. + // The underlying asset is only needed in the case when dealing with waTokens anyway, in which + // case we need to fetch the user reserves so we can calculate health factor changes on stake. + const underlyingAsset = + args.waTokenUnderlying === zeroAddress ? API_ETH_MOCK_ADDRESS : args.waTokenUnderlying; + return ( - Stake} underlyingAsset={args.waTokenUnderlying}> + Stake} underlyingAsset={underlyingAsset}> {(params) => ( {(user) => From 0b57a418e32eaac8d5cebf8d773a5728b42fd3f6 Mon Sep 17 00:00:00 2001 From: Mark Grothe Date: Mon, 3 Feb 2025 09:27:36 -0600 Subject: [PATCH 070/110] fix: cleanup --- src/modules/umbrella/AmountStakedItem.tsx | 20 +++++++++++++------ .../UmbrellaAssetsListMobileItem.tsx | 2 +- .../umbrella/StakeCooldownModalContent.tsx | 2 +- .../umbrella/helpers/StakingDropdown.tsx | 9 +++++++++ 4 files changed, 25 insertions(+), 8 deletions(-) diff --git a/src/modules/umbrella/AmountStakedItem.tsx b/src/modules/umbrella/AmountStakedItem.tsx index 9433d97534..71d0d435f4 100644 --- a/src/modules/umbrella/AmountStakedItem.tsx +++ b/src/modules/umbrella/AmountStakedItem.tsx @@ -5,6 +5,7 @@ import { formatUnits } from 'ethers/lib/utils'; import { ReactElement } from 'react'; import { ContentWithTooltip } from 'src/components/ContentWithTooltip'; import { FormattedNumber } from 'src/components/primitives/FormattedNumber'; +import { ReserveSubheader } from 'src/components/ReserveSubheader'; import { timeMessage } from 'src/helpers/timeHelper'; import { MergedStakeData } from 'src/hooks/stake/useUmbrellaSummary'; import { useCurrentTimestamp } from 'src/hooks/useCurrentTimestamp'; @@ -30,12 +31,19 @@ export const AmountStakedItem = ({ stakeData }: { stakeData: MergedStakeData }) return ( - + {!isCooldownActive && !isUnstakeWindowActive ? ( + <> + + + + ) : ( + + )} {isCooldownActive && ( - + - Amount to unstake + Amount available to unstake diff --git a/src/modules/umbrella/helpers/StakingDropdown.tsx b/src/modules/umbrella/helpers/StakingDropdown.tsx index 236aa3111a..f3994f8fdb 100644 --- a/src/modules/umbrella/helpers/StakingDropdown.tsx +++ b/src/modules/umbrella/helpers/StakingDropdown.tsx @@ -66,10 +66,19 @@ export const StakingDropdown = ({ stakeData }: { stakeData: MergedStakeData }) = setAnchorEl(null); }; + const { underlyingWaTokenBalance, underlyingWaTokenATokenBalance, underlyingTokenBalance } = + stakeData.formattedBalances; + + const totalAvailableToStake = + Number(underlyingTokenBalance) + + Number(underlyingWaTokenBalance) + + Number(underlyingWaTokenATokenBalance); + return (
{stakeData.balances.stakeTokenBalance === '0' ? ( + + + )} ); }; diff --git a/yarn.lock b/yarn.lock index c0ee6e086e..0310103f16 100644 --- a/yarn.lock +++ b/yarn.lock @@ -2,17 +2,17 @@ # yarn lockfile v1 -"@aave/contract-helpers@1.33.2-d7b5fc6518ec53eaec0bb5a9eed8ec27ea784234.0+0ab017e": - version "1.33.2-d7b5fc6518ec53eaec0bb5a9eed8ec27ea784234.0" - resolved "https://registry.yarnpkg.com/@aave/contract-helpers/-/contract-helpers-1.33.2-d7b5fc6518ec53eaec0bb5a9eed8ec27ea784234.0.tgz#a8ae2fe08d2c970036e7d9730a5383e7e7a23e1a" - integrity sha512-TMCp2rp+HpVQD1pI/cCnOdY9WSRhSbp+uxbCMkqrt3VyrQs/4fi/NPTPu0C9Blf4yN+r3hEAPXH/nSrmFVmoxg== +"@aave/contract-helpers@1.33.2-5d41c2b71aef3dc0142968e2c61bb997a1daef78.0+bbfe1c8": + version "1.33.2-5d41c2b71aef3dc0142968e2c61bb997a1daef78.0" + resolved "https://registry.yarnpkg.com/@aave/contract-helpers/-/contract-helpers-1.33.2-5d41c2b71aef3dc0142968e2c61bb997a1daef78.0.tgz#c52ed8862a40c05cb13b583bd77b9e971ca3e659" + integrity sha512-dmE6rwyIta+wSwLjroohfwQV6RM9eTLGMaVwfhygu4J1skBghXjWE3vvtlw/lPbqYjGWDOk8ztT95bGuuC/yTw== dependencies: isomorphic-unfetch "^3.1.0" -"@aave/math-utils@1.33.2-d7b5fc6518ec53eaec0bb5a9eed8ec27ea784234.0+0ab017e": - version "1.33.2-d7b5fc6518ec53eaec0bb5a9eed8ec27ea784234.0" - resolved "https://registry.yarnpkg.com/@aave/math-utils/-/math-utils-1.33.2-d7b5fc6518ec53eaec0bb5a9eed8ec27ea784234.0.tgz#4b82afae5972ccb4eb5b1e31ee0a9be46e978806" - integrity sha512-0XFzEPnYTcHgTikfvikIlVpFypVmeJsb3jXL/Us8V+VU4BAx7wA0y8PWsIiSItGbg5LA3au9K6SbkzuSw3W48g== +"@aave/math-utils@1.33.2-5d41c2b71aef3dc0142968e2c61bb997a1daef78.0+bbfe1c8": + version "1.33.2-5d41c2b71aef3dc0142968e2c61bb997a1daef78.0" + resolved "https://registry.yarnpkg.com/@aave/math-utils/-/math-utils-1.33.2-5d41c2b71aef3dc0142968e2c61bb997a1daef78.0.tgz#4cd02cfe5d92ea7a2c042f089fc9c4a3def649cb" + integrity sha512-r14TIUUp7hR0xCNJhfnas4P3ou0gFioLuauCTAoEijDZEkejnRn6SFB9Fm011BvzdqgjucqkfMcbaJRiimMuyQ== "@adobe/css-tools@^4.0.1": version "4.4.1"