From 33d4d6d67e0a64f9534c8fc720a328203f1f305d Mon Sep 17 00:00:00 2001 From: mark hinschberger Date: Thu, 9 Apr 2026 19:36:32 +0100 Subject: [PATCH 1/8] feat: rework network selector with popover, search, and grouped categories Replace MUI Select dropdown with a wider Popover-based market selector. Markets are now grouped by Ethereum, L2 Networks, and Other Chains in a 3-column grid layout. Adds search filtering, horizontal pinned favorites row, selected market indicator with gradient accent bar, and removes the deprecated V2 toggle. --- src/components/MarketSwitcher.tsx | 752 ++++++++++++++++-------------- src/locales/el/messages.js | 2 +- src/locales/en/messages.js | 2 +- src/locales/en/messages.po | 28 +- src/locales/es/messages.js | 2 +- src/locales/fr/messages.js | 2 +- 6 files changed, 426 insertions(+), 362 deletions(-) diff --git a/src/components/MarketSwitcher.tsx b/src/components/MarketSwitcher.tsx index 5672b3cde9..02a39b61d8 100644 --- a/src/components/MarketSwitcher.tsx +++ b/src/components/MarketSwitcher.tsx @@ -4,9 +4,9 @@ import { Trans } from '@lingui/macro'; import { Box, BoxProps, + Divider, IconButton, - ListItemText, - MenuItem, + Popover, SvgIcon, TextField, Tooltip, @@ -14,7 +14,7 @@ import { useMediaQuery, useTheme, } from '@mui/material'; -import React, { useState } from 'react'; +import React, { useMemo, useRef, useState } from 'react'; import { useRootStore } from 'src/store/root'; import { BaseNetworkConfig } from 'src/ui-config/networksConfig'; import { DASHBOARD } from 'src/utils/events'; @@ -29,8 +29,6 @@ import { networkConfigs, STAGING_ENV, } from '../utils/marketsAndNetworksConfig'; -import StyledToggleButton from './StyledToggleButton'; -import StyledToggleButtonGroup from './StyledToggleButtonGroup'; export const getMarketInfoById = (marketId: CustomMarket) => { const market: MarketDataType = marketsData[marketId as CustomMarket]; @@ -113,12 +111,44 @@ export const MarketLogo = ({ size, logo, testChainName, sx }: MarketLogoProps) = ); }; -enum SelectedMarketVersion { - V2, - V3, -} +type MarketCategory = 'ethereum' | 'l2' | 'other'; -// Custom market order requested by BD - TODO: move logic to the backend base on TVL +const MARKET_CATEGORY: Record = { + // Ethereum mainnet instances + Core: 'ethereum', + Prime: 'ethereum', + Plasma: 'ethereum', + EtherFi: 'ethereum', + 'Aave Horizon': 'ethereum', + // L2 networks + Base: 'l2', + Arbitrum: 'l2', + OP: 'l2', + Mantle: 'l2', + Linea: 'l2', + Scroll: 'l2', + ZKsync: 'l2', + Polygon: 'l2', + Ink: 'l2', + 'X Layer': 'l2', + Celo: 'l2', + Soneium: 'l2', + MegaETH: 'l2', + Metis: 'l2', + // Other L1 chains + Avalanche: 'other', + 'BNB Chain': 'other', + Gnosis: 'other', + Sonic: 'other', + Aptos: 'other', +}; + +const getMarketCategory = (marketId: CustomMarket): MarketCategory => { + const { market } = getMarketInfoById(marketId); + return MARKET_CATEGORY[market.marketTitle] ?? 'other'; +}; + +// Custom market order requested by BD - TODO: move logic to the backend based on TVL const MARKET_ORDER_BY_TITLE: { [title: string]: number } = { Core: 0, Prime: 1, @@ -148,14 +178,15 @@ const MARKET_ORDER_BY_TITLE: { [title: string]: number } = { const getMarketOrder = (marketId: CustomMarket): number => { const { market } = getMarketInfoById(marketId); - const marketTitle = market.marketTitle; - return MARKET_ORDER_BY_TITLE[marketTitle] ?? 999; // Default to end if not found + return MARKET_ORDER_BY_TITLE[market.marketTitle] ?? 999; }; export const MarketSwitcher = () => { - const [selectedMarketVersion, setSelectedMarketVersion] = useState( - SelectedMarketVersion.V3 - ); + const [anchorEl, setAnchorEl] = useState(null); + const [searchQuery, setSearchQuery] = useState(''); + const searchRef = useRef(null); + const open = Boolean(anchorEl); + const theme = useTheme(); const upToLG = useMediaQuery(theme.breakpoints.up('lg')); const downToXSM = useMediaQuery(theme.breakpoints.down('xsm')); @@ -164,33 +195,32 @@ export const MarketSwitcher = () => { ); const isFavoriteMarket = useRootStore((store) => store.isFavoriteMarket); const toggleFavoriteMarket = useRootStore((store) => store.toggleFavoriteMarket); - // Subscribe to favoriteMarkets to trigger re-renders when favorites change - useRootStore((store) => store.favoriteMarkets); + const favoriteMarkets = useRootStore((store) => store.favoriteMarkets); - const isV3MarketsAvailable = availableMarkets - .map((marketId: CustomMarket) => { - const { market } = getMarketInfoById(marketId); + const handleOpen = (event: React.MouseEvent) => { + setAnchorEl(event.currentTarget); + }; - return market.v3; - }) - .some((item) => !!item); + const handleClose = () => { + setAnchorEl(null); + setSearchQuery(''); + }; - const handleMarketSelect = (e: React.ChangeEvent) => { - const selectedMarket = e.target.value as CustomMarket; - const market = marketsData[selectedMarket]; - trackEvent(DASHBOARD.CHANGE_MARKET, { market: selectedMarket }); + const handleSelectMarket = (marketId: CustomMarket) => { + const market = marketsData[marketId]; + trackEvent(DASHBOARD.CHANGE_MARKET, { market: marketId }); if (market.externalUrl) { window.open(market.externalUrl, '_blank'); return; } - setCurrentMarket(selectedMarket); + setCurrentMarket(marketId); + handleClose(); }; const handleStarClick = (e: React.MouseEvent, marketId: CustomMarket) => { e.stopPropagation(); - e.preventDefault(); toggleFavoriteMarket(marketId); }; @@ -204,343 +234,365 @@ export const MarketSwitcher = () => { ), }; + // Filter to V3 markets only + const v3Markets = useMemo(() => availableMarkets.filter((id) => marketsData[id].v3), []); + + const { pinned, ethereum, l2, other } = useMemo(() => { + const query = searchQuery.toLowerCase(); + const filtered = v3Markets.filter((id) => { + const { market } = getMarketInfoById(id); + return market.marketTitle.toLowerCase().includes(query); + }); + + const sorted = filtered.slice().sort((a, b) => getMarketOrder(a) - getMarketOrder(b)); + const pinned = sorted.filter((id) => isFavoriteMarket(id)); + const pinnedSet = new Set(pinned); + const unpinned = sorted.filter((id) => !pinnedSet.has(id)); + + return { + pinned, + ethereum: unpinned.filter((id) => getMarketCategory(id) === 'ethereum'), + l2: unpinned.filter((id) => getMarketCategory(id) === 'l2'), + other: unpinned.filter((id) => getMarketCategory(id) === 'other'), + }; + }, [v3Markets, searchQuery, favoriteMarkets, isFavoriteMarket]); + + // --- Render helpers --- + + const renderPinnedChip = (marketId: CustomMarket) => { + const { market, logo } = getMarketInfoById(marketId); + const marketNaming = getMarketHelpData(market.marketTitle); + const isSelected = marketId === currentMarket; + return ( + handleSelectMarket(marketId)} + sx={{ + display: 'flex', + alignItems: 'center', + gap: 0.75, + px: 1.5, + py: 0.5, + borderRadius: '16px', + border: '1px solid', + borderColor: isSelected ? 'primary.main' : 'divider', + bgcolor: isSelected ? 'action.selected' : 'transparent', + cursor: 'pointer', + '&:hover': { bgcolor: 'action.hover' }, + flexShrink: 0, + }} + > + + + + + {marketNaming.name} + + + ); + }; + + const renderGridItem = (marketId: CustomMarket) => { + const { market, logo } = getMarketInfoById(marketId); + const marketNaming = getMarketHelpData(market.marketTitle); + const isFavorite = isFavoriteMarket(marketId); + const isSelected = marketId === currentMarket; + return ( + handleSelectMarket(marketId)} + sx={{ + display: 'flex', + alignItems: 'center', + py: 1.25, + px: 1.5, + width: '33.33%', + boxSizing: 'border-box', + borderRadius: '8px', + cursor: 'pointer', + position: 'relative', + bgcolor: isSelected ? 'action.selected' : 'transparent', + '&:hover': { bgcolor: isSelected ? 'action.selected' : 'action.hover' }, + // Star hidden by default, shown on hover or when favorited + '& .grid-star': { + opacity: isFavorite ? 1 : 0, + transition: 'opacity 0.15s', + }, + '&:hover .grid-star': { + opacity: 1, + }, + }} + > + {isSelected && ( + theme.palette.gradients.aaveGradient, + }} + /> + )} + + + + + {marketNaming.name} + + {market.externalUrl && ( + + + + )} + handleStarClick(e, marketId)} + sx={{ padding: '1px', ml: 0.5, flexShrink: 0 }} + > + + + + + + ); + }; + + const sectionHeader = (label: React.ReactNode) => ( + + {label} + + ); + + const noResults = + pinned.length === 0 && ethereum.length === 0 && l2.length === 0 && other.length === 0; + + // --- Current market display (trigger) --- + + const { market: currentMarketData, logo: currentLogo } = getMarketInfoById(currentMarket); + const currentMarketNaming = getMarketHelpData(currentMarketData.marketTitle); + 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'} - - {market.v3 ? ( - - theme.palette.gradients.aaveGradient, - display: 'flex', - alignItems: 'center', - }} - > - V3 - - - - - - ) : ( - - - V2 - - - - - - )} + <> + {/* Trigger */} + + + + + + {currentMarketNaming.name} {currentMarketData.isFork ? 'Fork' : ''} + {upToLG && (currentMarket === 'proto_mainnet_v3' || currentMarket === 'proto_lido_v3') + ? 'Instance' + : ' Market'} + + + {currentMarketData.v3 ? ( + theme.palette.gradients.aaveGradient, + display: 'flex', + alignItems: 'center', + }} + > + V3 - - - {marketBlurbs[currentMarket] && ( - - {marketBlurbs[currentMarket]} - + V2 + )} + + + - ); - }, - - 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, - }, + + + + {marketBlurbs[currentMarket] && ( + + {marketBlurbs[currentMarket]} + + )} + + + {/* Popover */} + searchRef.current?.focus(), + }} + slotProps={{ + paper: { variant: 'outlined', elevation: 0, + sx: { + width: 480, + maxHeight: 520, + overflow: 'hidden', + display: 'flex', + flexDirection: 'column', + mt: 1, + }, }, - }, - }} - > - - - - {ENABLE_TESTNET || STAGING_ENV ? 'Select Aave Testnet Market' : 'Select Aave Market'} - - - - {isV3MarketsAvailable && ( - - { - if (value === SelectedMarketVersion.V2) { - window.open('https://v2-market.aave.com/', '_blank', 'noopener'); - return; - } - if (value !== null) { - setSelectedMarketVersion(value); - } - }} + }} + > + {/* Fixed header with search */} + + + + {ENABLE_TESTNET || STAGING_ENV ? 'Select Aave Testnet Market' : 'Select Aave Market'} + + + setSearchQuery(e.target.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', + '& .MuiOutlinedInput-root': { + borderRadius: '8px', + height: '36px', + }, }} - > - + /> + + + {/* Scrollable content */} + + {/* Pinned row */} + {pinned.length > 0 && ( + theme.palette.gradients.aaveGradient, - backgroundClip: 'text', - color: 'transparent', - } - : { - color: theme.palette.mode === 'dark' ? '#0F121D' : '#FFFFFF', - } - } + variant="secondary12" + color="text.secondary" + sx={{ textTransform: 'uppercase', letterSpacing: '0.08em', mb: 1 }} > - Version 3 + Pinned - - - theme.palette.gradients.aaveGradient, - backgroundClip: 'text', - color: 'transparent', - } - : { - display: 'flex', - flexDirection: 'row', - alignItems: 'center', - color: theme.palette.mode === 'dark' ? '#0F121D' : '#FFFFFF', - } - } - > - Version 2 - - - + + {pinned.map(renderPinnedChip)} + + + + )} + + {/* Ethereum */} + {ethereum.length > 0 && ( + + {sectionHeader(Ethereum)} + {ethereum.map(renderGridItem)} + + + )} + + {/* L2 Networks */} + {l2.length > 0 && ( + + {sectionHeader(L2 Networks)} + {l2.map(renderGridItem)} + + + )} + + {/* Other Chains */} + {other.length > 0 && ( + + {sectionHeader(Other Chains)} + {other.map(renderGridItem)} + + )} + + {/* No results */} + {noResults && ( + + + No markets found - - + + )} - )} - {availableMarkets - .slice() // Create a copy to avoid mutating the original array - .sort((a, b) => { - const aIsFavorite = isFavoriteMarket(a); - const bIsFavorite = isFavoriteMarket(b); - - // If both are favorites or both are not favorites, maintain custom order - if (aIsFavorite === bIsFavorite) { - return getMarketOrder(a) - getMarketOrder(b); - } - - // Otherwise, favorites come first - return aIsFavorite ? -1 : 1; - }) - .map((marketId: CustomMarket) => { - const { market, logo } = getMarketInfoById(marketId); - const marketNaming = getMarketHelpData(market.marketTitle); - const isFavorite = isFavoriteMarket(marketId); - return ( - - - - {marketNaming.name} {market.isFork ? 'Fork' : ''} - - - - {marketNaming.testChainName} - - - {market.externalUrl && ( - - - - )} - - handleStarClick(e, marketId)} - sx={{ - padding: '2px', - '&:hover': { - backgroundColor: 'rgba(255, 255, 255, 0.1)', - }, - }} - > - - - - - - - - - ); - })} - + + ); }; diff --git a/src/locales/el/messages.js b/src/locales/el/messages.js index 51c0efbfbc..d871470ea0 100644 --- a/src/locales/el/messages.js +++ b/src/locales/el/messages.js @@ -1 +1 @@ -/*eslint-disable*/module.exports={messages:JSON.parse("{\"+0xecS\":[\"Εάν ΔΕΝ ξεκλειδώσετε εντός \",[\"0\"],\" του παραθύρου ξεκλειδώματος, θα πρέπει να ενεργοποιήσετε ξανά τη διαδικασία ψύξης.\"],\"+5vxU4\":\"Reward APY at target liquidity\",\"+9RBfc\":\"Thank you for submitting your inquiry!\",\"+F6nAX\":\"Save with sGHO\",\"+KaZP2\":\"Aave Labs does not guarantee the program and accepts no liability.\",\"+Nk14N\":\"Savings GHO token\",\"+VR63W\":[\"Η συμμετοχή σε αυτό το αποθεματικό \",[\"symbol\"],\" δίνει ετήσιες ανταμοιβές.\"],\"+XNrRN\":\"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 restrictions, see the <1>help guide or the <2>Aave V3 Technical Paper.\",\"+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.\",\"+i3Pd2\":\"Ανώτατο όριο δανεισμού\",\"+nuEh/\":\"Estimated time\",\"+xMFF8\":\"Remind me\",\"/+Vmgq\":\"Total amount of underlying assets staked. This number represents the combined sum of your original asset and the corresponding aTokens staked in Umbrella.\",\"/1Qot4\":\"Protocol Rewards\",\"/1xACT\":\"Reward APY adjusts with total staked amount, following a curve that targets optimal staking levels.\",\"/57U31\":\"Amount to migrate\",\"/7ykiW\":\"Borrowing this amount will reduce your health factor and increase risk of liquidation.\",\"/FwCXs\":[[\"0\"],\" \",[\"symbol\"],\"...\"],\"/LCAwL\":\"In progress\",\"/ZyLeG\":\"Amount available to unstake\",\"/jQctM\":\"To\",\"/lDBHm\":\"ΣΥΧΝΕΣ ΕΡΩΤΗΣΕΙΣ\",\"/lMWs6\":[\"Deposit GHO and earn up to <0>\",[\"0\"],\"% APY\"],\"/yNlZf\":\"Ο σταθερός δανεισμός δεν είναι ενεργοποιημένος\",\"/yQcJM\":\"Συνολική αξία\",\"00AB2i\":\"Ο χρήστης δεν δανείστηκε το καθορισμένο νόμισμα\",\"02/4d1\":\"We suggest you go back to the home page.\",\"0AmQcW\":\"Rate change\",\"0BF3yK\":\"Sorry, we couldn't find the page you were looking for.\",\"0RrIzN\":\"Select token\",\"0TAbjq\":\"Recent Transactions\",\"0jhlyw\":\"Liquidation risk\",\"0ojY+Y\":\"Current v2 Balance\",\"0r31vq\":\"Reward Token\",\"0thX3P\":\"Collateral change\",\"0wGCWc\":\"Αυτό είναι το συνολικό ποσό που μπορείτε να προμηθεύσετε σε αυτό το αποθεματικό. Μπορείτε να προμηθεύσετε το υπόλοιπο του πορτοφολιού σας μέχρι να επιτευχθεί το ανώτατο όριο προμηθειών.\",\"11xQTX\":[\"This asset is eligible for \",[\"0\"],\" Ethena Rewards.\"],\"18GnfY\":[\"Repay \",[\"0\"]],\"1AsVfF\":\"Price data is not currently available for this reserve on the protocol subgraph\",\"1LjK22\":\"Transaction history\",\"1PMU2v\":\"Learn more about the risks.\",\"1Ue8sX\":\"Παρακαλούμε συνδέστε ένα πορτοφόλι για να δείτε τις προσωπικές σας πληροφορίες εδώ.\",\"1W8DZp\":\"USDT on Ethereum requires approval reset before a new approval. This will require an additional transaction.\",\"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/> κατώτατο όριο\",\"1t7rez\":\"Asset supply is limited to a certain amount to reduce protocol exposure to the asset and to help manage risks involved.\",\"2/aIvj\":\"Cancellation submited\",\"2C40JO\":[\"This transaction will switch E-Mode from \",[\"0\"],\" to \",[\"1\"],\". Borrowing will be restricted to assets within the new category.\"],\"2Eoi/a\":\"Προβολή λεπτομερειών\",\"2FYpfJ\":\"Περισσότερα\",\"2O3qp5\":\"Διαθέσιμη ρευστότητα\",\"2OIfa1\":\"Please connect your wallet to swap collateral.\",\"2OM8/D\":[\"Asset cannot be migrated due to supply cap restriction in \",[\"marketName\"],\" v3 market.\"],\"2RtYM0\":\"Need help? Our support team can assist.\",\"2RubOP\":\"Initiate Withdraw\",\"2S7oCr\":[\"This asset is eligible for the Ether.fi Loyalty program with a <0>x\",[\"multiplier\"],\" multiplier.\"],\"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.\",\"2eBWE6\":\"I acknowledge the risks involved.\",\"2r2h/U\":\"Total Deposited\",\"2uJToh\":[[\"0\"],[\"name\"]],\"2x1UO0\":\"Favourited\",\"2x58bP\":\"Ο σταθερός δανεισμός είναι ενεργοποιημένος\",\"34Qfwy\":\"Υπέρβαση του ανώτατου ορίου δανεισμού\",\"39eQRj\":[\"Δανεισμός \",[\"symbol\"]],\"3BL1xB\":\"Σύνολο παρεχόμενων\",\"3K0oMo\":\"Υπολειπόμενη προσφορά\",\"3MoZhl\":\"Δεν υπάρχουν επαρκείς εξασφαλίσεις για την κάλυψη ενός νέου δανείου\",\"3NO6VI\":[[\"0\"],\" Balance\",[\"1\"]],\"3Np5O8\":[\"Προσφορά \",[\"symbol\"]],\"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\",\"4fCwrW\":\"or from the\",\"4lDFps\":\"Sign to continue\",\"4p5njr\":\"Total amount staked\",\"4wyw8H\":\"Transactions\",\"5+lhtA\":\"For swapping safety module assets please unstake your position <0>here.\",\"53r7O1\":[\"High price impact (<0>\",[\"0\"],\"%)! This route will return \",[\"1\"],\" due to low liquidity or small order size.\"],\"5CCqcz\":\"Fees help support the user experience and security of the Aave application. <0>Learn more.\",\"5JSSxX\":[\"Your \",[\"networkName\"],\" wallet is empty. Get free test assets at\"],\"5K3B36\":\"We couldn't find any assets related to your search. Try again with a different category.\",\"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\"],\" μπορεί να παρασχεθεί σε αυτή την αγορά.\"],\"5RzvNm\":\"Aave Shield: Transaction blocked\",\"5cZ/KX\":\"Η προσφορά μεταβλητού χρέους δεν είναι μηδενική\",\"5che++\":\"Για να ζητήσετε πρόσβαση σε αυτή την αδειοδοτημένη αγορά, επισκεφθείτε την ιστοσελίδα: <0>Όνομα Παρόχου Πρόσβασης\",\"5ctNdV\":[\"Minimum \",[\"0\"],\" received\"],\"5hDe9v\":\"Απαιτούμενη δράση επιδότησης\",\"5rsnKT\":\"Διαθέσιμες ανταμοιβές\",\"5ty6hB\":\"Claiming individual protocol reward only. Merit rewards excluded - select \\\"claim all\\\" to include merit rewards.\",\"5vxk14\":\"To continue, you need to grant 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\",\"5yC5m5\":\"View all votes\",\"6/dCYd\":\"Επισκόπηση\",\"60crCe\":\"All transactions\",\"62Xcjh\":\"Εγγύηση\",\"65A04M\":\"Ισπανικά\",\"68ANm7\":\"Withdrawing GHO\",\"6G8s+q\":\"Signing\",\"6Jrv+z\":[\"Αποπληρωμή \",[\"symbol\"]],\"6SC+v0\":[\"Disable \",[\"0\"],\" as collateral to use this category. These assets would have 0% LTV.\"],\"6Xr0UU\":\"Ψύξη...\",\"6bxci/\":\"Δύναμη ψήφου\",\"6f8S68\":\"Αγορές\",\"6g1gi0\":\"Προτάσεις\",\"6gvoHP\":\"Copy error message\",\"6h3Q5G\":\"repaid\",\"6lFSyT\":\"Available to Stake\",\"6lGV3K\":\"Show less\",\"6s8L6f\":\"Αλλαγή Δικτύου\",\"70wH1Q\":\"APR\",\"72c5Qo\":\"Total\",\"75qcAQ\":[[\"stepName\"]],\"7ITr5L\":\"Συντελεστής υγείας\",\"7R/kqr\":\"The cooldown period is the time required prior to unstaking your tokens (<0/>). You can only withdraw your assets from the Security Module after the cooldown period and within the unstake window. <1>Learn more\",\"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\",\"7c6Gy8\":\"Learn more about Sonic Rewards program\",\"7er5fP\":\"Διεκδικήστε τα όλα\",\"7hb2+s\":\"Time remaining until the withdraw period ends.\",\"7i1oxe\":\"Withdrawing and Swapping\",\"7l88b8\":\"Data couldn't be fetched, please reload graph.\",\"7p5kLi\":\"Ταμπλό\",\"8+6BI0\":\"Προσοχή - Είστε πολύ κοντά στην ρευστοποίηση. Εξετάστε το ενδεχόμενο να καταθέσετε περισσότερες εγγυήσεις ή να εξοφλήσετε κάποιες από τις δανειακές σας θέσεις\",\"87pUEW\":[\"Το πορτοφόλι σας \",[\"name\"],\" είναι άδειο. Αγοράστε ή μεταφέρετε περιουσιακά στοιχεία.\"],\"8F1i42\":\"Page not found\",\"8G8M0u\":\"Loading data...\",\"8Iu1QS\":\"withdrew\",\"8JL93T\":\"Όλες οι προτάσεις\",\"8Q51DU\":\"Add to wallet\",\"8X/oyn\":\"Μη έγκυρο ποσό για νομισματοκοπία\",\"8Xaoyr\":\"View on CCIP Explorer\",\"8Z5FPv\":\"Αποσυνδέστε το πορτοφόλι\",\"8Zz7s5\":\"περιουσιακά στοιχεία\",\"8aLW8H\":\"Balance to revoke\",\"8bOT3H\":\"Ποσοστό χρησιμοποίησης\",\"8d61xO\":\"The Ink instance is governed by the Ink Foundation\",\"8sLe4/\":\"View contract\",\"8ss7VF\":\"Transaction cancelled\",\"8t/M0y\":\"Please connect your wallet to be able to bridge your tokens.\",\"8u3DDw\":[\"Swap \",[\"0\"],\" collateral\"],\"8vETh9\":\"Εμφάνιση\",\"93T2Os\":\"Total deposited\",\"94OHPx\":\"Εισέρχεστε σε λειτουργία απομόνωσης\",\"9CDK3/\":[\"Ο δανεισμός δεν είναι επί του παρόντος διαθέσιμος για \",[\"0\"],\".\"],\"9GIj3z\":\"Μέγεθος Αποθεματικού\",\"9ITYjl\":\"%\",\"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.\"],\"9YcC7V\":\"Select Categories\",\"9c6vDV\":\"Αυτό το περιουσιακό στοιχείο έχει φτάσει στο όριο της προσφοράς του. Τίποτα δεν είναι διαθέσιμο για προμήθεια από αυτή την αγορά.\",\"9iDHmv\":\"Collateral Swap\",\"9kTWHA\":\"MAI has been paused due to a community decision. Supply, borrows and repays are impacted. <0>More details\",\"9lXchd\":\"Underlying token\",\"9xSooW\":\"Δεδομένου ότι πρόκειται για ένα δοκιμαστικό δίκτυο, μπορείτε να αποκτήσετε οποιοδήποτε από τα περιουσιακά στοιχεία αν έχετε ETH στο πορτοφόλι σας\",\"9y0Q0y\":[\"There is not enough liquidity in \",[\"symbol\"],\" to complete this swap. Try lowering the amount.\"],\"9zzsBx\":\"This is a program initiated by the Aave DAO and implemented by Merkl. Aave Labs does not guarantee the program and accepts no liability.\",\"A/lwoe\":\"Choose one of the on-ramp services\",\"A6dCI6\":[\"Maximum amount available to borrow is <0/> \",[\"0\"],\" (<1/>).\"],\"ACUEES\":\"Check errors\",\"AReoaV\":\"Τα δάνεια σας\",\"AV7cGz\":\"Αναθεώρηση λεπτομερειών έγκρισης συναλλαγής\",\"AZOjB8\":\"Fetching data...\",\"Ai0jas\":\"Join the community discussion\",\"Ajl2rq\":\"Η δύναμη δανεισμού και τα περιουσιακά στοιχεία είναι περιορισμένα λόγω της λειτουργίας απομόνωσης.\",\"AqgYNC\":\"Protocol borrow cap at 100% for this asset. Further borrowing unavailable.\",\"B6zvhF\":\"Shares\",\"BDFEd+\":\"stETH supplied as collateral will continue to accrue staking rewards provided by daily rebases.\",\"BE2mP0\":\"Borrowed assets\",\"BNL4Ep\":\"Η χρήση εγγύησης είναι περιορισμένη λόγω της λειτουργίας απομόνωσης. <0>Μάθετε περισσότερα\",\"BQ+4lu\":\"Swap saved in your <0>history section.\",\"BQ/wCO\":\"Migrate your assets\",\"BaCmXf\":\"AAVE 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.\",\"Baj2MJ\":\"Savings\",\"BnhYo8\":\"Κατηγορία περιουσιακών στοιχείων\",\"Bo6b9i\":\"Withdraw GHO\",\"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\",\"C4qYyX\":[\"Repay \",[\"0\"],\" with \",[\"1\"]],\"C5jQc6\":\"GHO Balance\",\"C7hM0q\":\"Country (optional)\",\"CDrsH+\":\"Techpaper\",\"CGiscJ\":\"You've successfully submitted an order.\",\"CK1KXz\":\"Μεγιστο\",\"COUcFd\":\"Points\",\"CZXzs4\":\"Greek\",\"CkTRmy\":[\"Διεκδίκηση \",[\"symbol\"]],\"CrrC++\":\"Position swaps are disabled for this asset due to security reasons.\",\"CsqtLm\":\"Please connect your wallet to see migration tool.\",\"CtGlFb\":[[\"networkName\"],\" Βρύση\"],\"CuAHqa\":\"Protocol Incentives\",\"Cxt2YY\":\"Watch wallet\",\"D33VQU\":\"This action will reduce health factor of V3 below liquidation threshold. Increase migrated collateral or reduce migrated borrow to continue.\",\"D4Q4h/\":\"Gas estimation error\",\"D79cZK\":\"Instant\",\"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\"],\"DhaOWH\":\"Stake your Aave aTokens or underlying assets to earn rewards. In case of a shortfall event, your stake may be slashed to cover the deficit.\",\"Dj+3wB\":\"Aave ανά μήνα\",\"DlRHbH\":\"Claiming all protocol rewards only. Merit rewards excluded - select \\\"claim all\\\" to include merit rewards.\",\"DuEq2K\":\"Εξασφάλιση\",\"Dzma+E\":\"Main Ethereum market with the largest selection of assets and yield options\",\"E/QGRL\":\"Απενεργοποιημένο\",\"E6UoJs\":\"Estimated compounding 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.\",\"ETtXJg\":\"Share my wallet address to help the support team resolve my issue\",\"EZd3Dk\":[\"Restaking \",[\"symbol\"]],\"Ebgc76\":[\"Ανάληψη \",[\"symbol\"]],\"EdQY6l\":\"Κανένα\",\"Ef7StM\":\"Unknown\",\"Ehzc//\":[\"Swapping \",[\"0\"],\" debt\"],\"Ekea1N\":\"We couldn't detect a wallet. Connect a wallet to stake and view your balance.\",\"Enslfm\":\"Destination\",\"EvE9nO\":[\"Reactivate cooldown period to unstake \",[\"0\"],\" \",[\"stakedToken\"]],\"EvECnL\":\"Migrate to v3\",\"EyYG53\":\"Get support\",\"EzMQbh\":\"The source chain time to finality is the main factor that determines the time to destination. <0>Learn more\",\"F40cwT\":\"Legacy Markets\",\"F6TdXL\":\"Μάθετε περισσότερα.\",\"F6pfE9\":\"Active\",\"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\",\"G15AUr\":\"Sending cancel...\",\"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\":\"τελειώνει\",\"GtP2hp\":[\"Ο δανεισμός δεν είναι διαθέσιμος επειδή έχετε ενεργοποιήσει τη λειτουργία Αποδοτικότητας (E-Mode) για την κατηγορία \",[\"0\"],\". Για να διαχειριστείτε τις κατηγορίες E-Mode επισκεφθείτε τον <0>Πίνακα ελέγχου.\"],\"Gz07IS\":\"Your health factor after this swap will be critically low and may result in liquidation. Please choose a different asset or reduce the swap amount to stay safe.\",\"H1oAjw\":[[\"selectedCount\"],\" Categories\"],\"HB/wfS\":[[\"tooltipText\"]],\"HD4KkW\":[\"Swapping \",[\"0\"],\" collateral\"],\"HKDsQN\":\"Rewards can be claimed through\",\"Hi6Ttn\":\"Sorry, an unexpected error happened. In the meantime you may try reloading the page, or come back later.\",\"HkEDbS\":[[\"d\"],\"η\"],\"HlWGZc\":[\"Your \",[\"0\"],\" balance is lower than the selected amount.\"],\"HmkYqM\":\"Παράθυρο ξεκλειδώματος\",\"HpK/8d\":\"Reload\",\"HtBqo9\":\"sGHO\",\"HtuY7v\":\"Please connect your wallet to swap tokens.\",\"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\"],\"%.\"],\"I4Cxlm\":\"E-Mode required\",\"I8CX2c\":\"Το συνολικό ποσό των περιουσιακών σας στοιχείων σε δολάρια ΗΠΑ που μπορούν να χρησιμοποιηθούν ως εγγύηση για δανεισμό περιουσιακών στοιχείων.\",\"IAD2SB\":[\"Claiming \",[\"symbol\"]],\"IG9X9/\":\"Borrowing of this asset is limited to a certain amount to minimize liquidity pool insolvency.\",\"ILXMQA\":\"The Safety Module has been upgraded to <0>Umbrella, a new system that introduces automated slashing, aToken staking, and improved incentives design.\",\"IN8luu\":\"All done\",\"IOIx8L\":\"This asset is planned to be offboarded due to an Aave Protocol Governance decision. <0>More details\",\"IP+I/j\":\"Περίοδος ψύξης\",\"IaA40H\":\"Ρευστοποίηση στο\",\"IhAc6F\":\"Costs & Fees\",\"ImxB3A\":\"deposited\",\"IrtO2E\":\"You have assets with zero LTV that are blocking this operation. Please withdraw them or disable them as collateral first.\",\"J/hVSQ\":[[\"0\"]],\"JCoxL6\":\"Manage analytics\",\"JEdlTC\":\"Stablecoins\",\"JOqFba\":[\"Unstaking \",[\"symbol\"]],\"JPHuMW\":\"Swapping\",\"JPhc4G\":\"ETH Correlated\",\"JPrLjO\":\"Δεν μπορείτε να χρησιμοποιήσετε αυτό το νόμισμα ως εγγύηση\",\"JYKRJS\":\"Κλειδώστε\",\"JZMxX0\":\"Δεν υπάρχει αρκετό υπόλοιπο στο πορτοφόλι σας\",\"Jgflkm\":\"Get GHO\",\"JoMQnI\":\"Υπόλοιπο πορτοφολιού\",\"JtwD8u\":\"Borrow balance after repay\",\"JumYTK\":\"Supplied assets\",\"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\",\"KSlpka\":\"Αυτό αντιπροσωπεύει το κατώτατο όριο στο οποίο μια θέση δανεισμού θα θεωρηθεί υποεγγυημένη και θα υπόκειται σε ρευστοποίηση για κάθε εγγύηση. Για παράδειγμα, εάν μια εγγύηση έχει κατώτατο όριο ρευστοποίησης 80%, αυτό σημαίνει ότι η θέση θα ρευστοποιηθεί όταν η αξία του χρέους ανέρχεται στο 80% της αξίας της εγγύησης.\",\"KYAjf3\":\"Απομονωμένο\",\"KkJaLD\":\"Borrow:\",\"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\":\"Λάθος δίκτυο\",\"KqoLVC\":\"Merkl rewards are claimed through the\",\"KsqhWn\":\"Κλείδωμα\",\"KuBTQq\":\"Εισάγετε διεύθυνση ETH\",\"KvG1xW\":\"Διεκδίκηση\",\"L+8Lzs\":\"Τρέχον LTV\",\"L+qiq+\":\"Αγορά\",\"L2tU22\":\"Learn more about Ethena Rewards program\",\"L3ZyJR\":[[\"popularSectionTitle\"]],\"LEdkyb\":\"Rewards to claim\",\"LIrMcF\":\"Δεν υπάρχει δικαίωμα ψήφου\",\"LL0zks\":\"Μπορεί να αποτελέσει εγγύηση\",\"LLdJWu\":\"Διεκδικήσιμο AAVE\",\"LSIpNK\":\"Δεν επιτρέπεται ο δανεισμός και η αποπληρωμή στο ίδιο block\",\"LVt3TI\":[\"<0>Slippage tolerance <1>\",[\"selectedSlippage\"],\"% <2>\",[\"0\"],\"\"],\"Lhf8zD\":\"Waiting for actions...\",\"Lp2cTp\":\"Eligible for incentives through Merkl.\",\"LvVpD/\":\"Emode\",\"Ly2enB\":\"This will cancel the order via an on-chain transaction. Note that the order will not be marked as cancelled in the CoW Protocol system, but will remain open and expire naturally. Keep in mind that a solver may already have filled your order.\",\"M1RnFv\":\"Expired\",\"M2sknc\":\"Tip: Try increasing slippage or reduce input amount\",\"MKiONF\":\"Activating Cooldown\",\"MOvzXm\":\"Comparing best rates...\",\"MRwaR4\":\"This will require two separate transactions: one to change E-Mode and one to supply.\",\"MZ/nQf\":\"Διεύθυνση παραλήπτη\",\"MZbQHL\":\"No results found.\",\"Ma/MtY\":\"προβολή κλειδώματος\",\"McHlGl\":\"APY change\",\"MeCCA+\":\"APY, μεταβλητό\",\"MghdTe\":\"Εάν ο συντελεστής υγείας πέσει κάτω από το 1, ενδέχεται να ενεργοποιηθεί η ρευστοποίηση των εγγυήσεών σας.\",\"MlRlXX\":\"Current APY\",\"Mm/DVQ\":\"Ακυρώσατε τη συναλλαγή.\",\"MnE2QX\":\"Borrow info\",\"MuDFEQ\":\"Μη έγκυρη τιμή επιστροφής της συνάρτησης εκτελεστή flashloan\",\"My0ZGV\":\"Learn more about the Kernel points distribution\",\"N+3mX2\":\"Please connect your wallet to swap debt.\",\"N40H+G\":\"All\",\"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\",\"ND1ISA\":\"Weekly Rewards\",\"NF0e1Q\":\"Εκκρεμεί...\",\"NK9ikO\":\"Wallet Balance\",\"NMt2CB\":\"Amount claimable\",\"Na7NlU\":[[\"remainingCustomMessage\"]],\"NcFGxG\":\"Collector Contract\",\"NfpPeS\":\"Τίποτα κλειδωμένο\",\"Nh9DAo\":[[\"m\"],\"λ\"],\"Npz7kI\":\"Inquiry\",\"O+sCUU\":\"Υπέρβαση του ανώτατου ορίου νομισματοκοπείου χωρίς αντίκρισμα\",\"O+tyU+\":[\"Maximum amount available to borrow against this asset is limited because debt ceiling is at \",[\"0\"],\"%.\"],\"O3oNi5\":\"Email\",\"OC4Tzv\":\"here\",\"OFjZGo\":\"Unstake\",\"OR8cYX\":\"Επισκόπηση πρότασης\",\"OYuJ9K\":\"Protocol debt ceiling is at 100% for this asset. Futher borrowing against this asset is unavailable.\",\"OfhWJH\":\"Reset\",\"Og2SKn\":\"απενεργοποιημένο\",\"OiykRd\":\"Deposit GHO\",\"On0aF2\":\"Website\",\"OqAwLU\":\"Protocol APY\",\"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\":\"Κατώτατο όριο ρευστοποίησης\",\"PctCOf\":\"A temporary contract will be used to execute the trade. Your wallet may show a warning for approving a new or empty address.\",\"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.\",\"QONKTE\":\"Merit Rewards\",\"QQYsQ7\":\"Withdrawing\",\"QZEgwS\":\"Execution fee\",\"R+30X3\":\"Δεν έχει επιτευχθεί\",\"R9Khdg\":\"Auto\",\"RCU5PY\":\"Age\",\"RIfckG\":[\"Απενεργοποίηση \",[\"symbol\"],\" ως εγγύηση\"],\"RMtxNk\":\"Διαφορικό\",\"RNK49r\":\"Μη έγκυρη υπογραφή\",\"RS0o7b\":\"Κατάσταση\",\"RTG4/6\":\"There are no stake assets configured for this market\",\"RU+LqV\":\"Λεπτομέρειες πρότασης\",\"RYfdBk\":\"Visit <0><1>https://aave.self.xyz/ to get started with Self’s ZK-powered proof-of-humanity authentication.\",\"RZbjLY\":[\"See \",[\"0\"],\" more\"],\"Rg4K+m\":\"Cannot switch to this category\",\"RiSYV4\":\"Το περιουσιακό στοιχείο δεν περιλαμβάνεται στον κατάλογο\",\"Rj01Fz\":\"Σύνδεσμοι\",\"RmWFEe\":\"Κλείδωμα APR\",\"RtBLm7\":\"Ο συντελεστής υγείας είναι μικρότερος από το όριο ρευστοποίησης\",\"RvF1Ts\":\"stkGHO is now Savings GHO\",\"RxzN1M\":\"Ενεργοποιημένο\",\"SBv4zo\":[[\"0\"],\" collateral would have 0% LTV in this category. Disable \",[\"1\"],\" as collateral to use this option.\"],\"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\",\"SNmu1z\":\"Shares are Umbrella Stake Tokens you receive when staking. They represent your ownership in the pool, and the amount of underlying you can redeem depends on the current exchange rate between shares and the underlying.\",\"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\",\"SZkDmY\":\"The swap could not be completed. Try increasing slippage or changing the amount.\",\"Sa1UE/\":\"Protocol borrow cap is at 100% for this asset. Further borrowing unavailable.\",\"Sk2zW9\":\"Απενεργοποίηση E-Mode\",\"St4jqF\":\"This list may not include all your swaps.\",\"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\":\"Ποινή ρευστοποίησης\",\"TLJkuL\":\"Category assets\",\"TQ7WsV\":\"Available to stake\",\"TUI7iB\":\"To περιουσιακό στοιχείο μπορεί να χρησιμοποιηθεί ως εγγύηση μόνο σε λειτουργία απομόνωσης.\",\"TbjyhA\":\"Docs\",\"TduuS0\":\"Ο χρήστης δεν έχει ανεξόφλητο χρέος σταθερού επιτοκίου σε αυτό το αποθεματικό\",\"Tg1JyO\":\"Bridge history\",\"TszKts\":\"Borrow balance after switch\",\"Tw07Vv\":\"Show assets with small balance\",\"TwJI9F\":\"Asset has been successfully sent to CCIP contract. You can check the status of the transactions below\",\"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.\",\"UMgOim\":\"Send cancel\",\"URmyfc\":\"Λεπτομέρειες\",\"UTTKmT\":\"Stake cooldown activated\",\"UXeR72\":\"Τα κεφάλαια αυτά έχουν δανειστεί και δεν είναι διαθέσιμα για ανάληψη αυτή τη στιγμή.\",\"UYb8CM\":\"Learn more about the SPK rewards\",\"UbRrG0\":\"Ο δείκτης μέγιστου LTV αντιπροσωπεύει τη μέγιστη δανειοληπτική ικανότητα μιας συγκεκριμένης εγγύησης. Για παράδειγμα, εάν μια εγγύηση έχει LTV 75%, ο χρήστης μπορεί να δανειστεί έως και 0,75 ETH στο κύριο νόμισμα για κάθε 1 ETH αξίας εγγύησης.\",\"UiO4Hu\":[\"You'll need to wait \",[\"0\"],\" before you can unstake your tokens. This cooldown starts when you request to unstake. Once it ends, you can withdraw during the unstake window.\"],\"UpndFj\":\"Δεν υπάρχουν ανταμοιβές για διεκδίκηση\",\"V0f2Xv\":\"Reserve factor\",\"V1HK43\":\"Migration risks\",\"V7QGpc\":\"I understand the liquidation risk and want to proceed\",\"V7SFse\":[\"I confirm the swap knowing that I could lose up to <0>\",[\"0\"],\"% on this swap.\"],\"VATFH9\":\"Covered debt\",\"VHOVEJ\":\"Συνδέστε το πορτοφόλι\",\"VMfYUK\":\"Ασφάλεια των κατατεθειμένων εξασφαλίσεών σας έναντι των δανειζόμενων περιουσιακών στοιχείων και της υποκείμενης αξίας τους.\",\"VOAZJh\":\"Σύνολο δανείων\",\"ViKYxK\":\"ΥΠΕΡ\",\"VnQFYr\":\"Claiming all merit rewards only\",\"W1SSoD\":\"Αναθεώρηση λεπτομερειών συναλλαγής\",\"W5hVah\":\"Τίποτα δεν έχει παρασχεθεί ακόμη\",\"W5kTFy\":\"Voting\",\"WHrVwg\":\"Loading quote...\",\"WMJGls\":\"Estimated Costs & Fees\",\"WNGZwH\":\"Το E-Mode αυξάνει το LTV σας για μια επιλεγμένη κατηγορία περιουσιακών στοιχείων έως και <0/>. <1>Μάθετε περισσότερα\",\"WPWG/y\":\"Κατάσταση & διαμόρφωση αποθεματικού\",\"WS67YQ\":\"Let us know how we can help you. You may also consider joining our community\",\"WT188T\":\"Withdraw & Swap\",\"WZLQSU\":\"Ο χρήστης δεν μπορεί να κάνει ανάληψη μεγαλύτερη από το διαθέσιμο υπόλοιπο\",\"WaZyaV\":\"<0>Ampleforth is a rebasing asset. Visit the <1>documentation to learn more.\",\"WbTDwg\":\"In Progress\",\"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\":\"Για να δανειστείτε πρέπει να προσκομίσετε οποιοδήποτε περιουσιακό στοιχείο που θα χρησιμοποιηθεί ως εγγύηση.\",\"X/ITG9\":\"Κείμενο σφάλματος αντιγραφής\",\"X3Pp6x\":\"Χρησιμοποιείται ως εγγύηση\",\"X4Zt7j\":\"Η ενέργεια δεν μπορεί να εκτελεστεί επειδή η εφεδρεία βρίσκεται σε παύση\",\"X4tRM3\":[[\"0\"],\" \",[\"symbol\"],\" to continue\"],\"XBdKOj\":\"Representative smart contract wallet (ie. Safe) addresses on other chains.\",\"XPN5UR\":\"User denied the operation.\",\"XYLcNv\":\"Support\",\"XZzneG\":\"Θα βγείτε από τη λειτουργία απομόνωσης και άλλα tokens μπορούν πλέον να χρησιμοποιηθούν ως εγγύηση\",\"Xe5bTg\":\"Deposit APR\",\"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.\",\"XwKkg/\":\"Staked Underlying\",\"Xy+o6U\":\"For security reasons, limit orders are not supported for Native tokens. To place a limit order, use the wrapped version.\",\"Xy71ST\":\"Umbrella\",\"Y+hUcK\":\"Merit Program and Self rewards can be claimed\",\"Y46iXX\":\"The order could't be filled.\",\"Y5Orec\":\"Collateral options\",\"Y5kGkc\":\"ΨΗΦΙΣΤΕ ΚΑΤΑ\",\"YD+nXc\":\"Aave Shield\",\"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.\",\"Ya/che\":\"Stake token shares\",\"Ykj2Om\":\"Default slippage\",\"YogbCJ\":\"Testnet mode is ON\",\"YrDxdO\":\"Εάν το δάνειο προς αξία υπερβεί το όριο ρευστοποίησης, η παρεχόμενη εγγύηση σας μπορεί να ρευστοποιηθεί.\",\"YrcHPy\":\"VIEW\",\"YyIM65\":\"Δεν τηρήθηκαν οι όροι επανεξισορρόπησης των επιτοκίων\",\"YyydIq\":[\"Add \",[\"0\"],\" to wallet to track your balance.\"],\"Z3FXyt\":\"Loading...\",\"Z99M+T\":\"This is an off-chain operation. Keep in mind that a solver may already have filled your order.\",\"ZBvhI+\":\"Διακυβέρνηση Aave\",\"ZIIRAd\":\"Raw-Ipfs\",\"ZRq4tX\":\"Λειτουργία αποδοτικότητας (E-Mode)\",\"ZRuM45\":\"These are the estimated costs associated with your limit swap, including costs and fees. Consider these costs when setting your order amounts to help optimize execution and maximize your chances of filling the order.\",\"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\",\"aCgA+I\":\"E-Mode change\",\"aEtiwq\":\"Ψηφίστε ΚΑΤΑ\",\"aMmFE1\":\"Buy Crypto With Fiat\",\"aOKIms\":\"Οι παράμετροι της συστοιχίας που θα έπρεπε να είναι ίσου μήκους δεν είναι\",\"aQYztl\":[\"Repaying \",[\"0\"]],\"aXgo8+\":\"from the\",\"adUsDd\":\"An error has occurred fetching the proposal.\",\"afk1Wt\":[\"This asset can only be used as collateral in E-Mode: \",[\"0\"]],\"aoXTT7\":\"Δανεισμός APY, μεταβλητό\",\"aqX1Yp\":\"This asset is eligible for rewards through SuperFest. Aave Labs does not guarantee the program and accepts no liability.\",\"b4NS3e\":\"Προειδοποίηση περιόδου ψύξης\",\"bBHmeP\":\"Available to withdraw\",\"bNEQeI\":\"Cooldown\",\"bUUVED\":\"Περιουσιακό στοιχείο\",\"bXQ/Og\":\"Μοιραστείτε το στο twitter\",\"bXr0ee\":\"Τα απομονωμένα περιουσιακά στοιχεία έχουν περιορισμένη δανειοληπτική ικανότητα και άλλα περιουσιακά στοιχεία δεν μπορούν να χρησιμοποιηθούν ως εγγύηση.\",\"bYmAV1\":\"Addresses\",\"bYtb3C\":\"Network costs\",\"bguKoJ\":\"Το αιτούμενο ποσό είναι μεγαλύτερο από το μέγιστο μέγεθος δανείου στη λειτουργία σταθερού επιτοκίου\",\"bm/mjh\":\"This is a program initiated and implemented by the Aave Chan Initiative (ACI). Aave Labs does not guarantee the program and accepts no liability.\",\"bq0uL+\":\"supply\",\"bwSQI0\":\"Προσφορά\",\"bxN6EM\":\"Cannot disable E-Mode\",\"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.\",\"cc6gEH\":\"Incentives APR\",\"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\"]],\"cqwIvs\":\"Συζήτηση φόρουμ\",\"csDS2L\":\"Διαθέσιμο\",\"cu7Stb\":\"Δεν συμμετείχατε στην παρούσα πρόταση\",\"cuxGZP\":\"Low health factor after swap. Your position will carry a higher risk of liquidation.\",\"d9YZVR\":\"Principle Tokens\",\"dE6BLF\":\"Διακυβέρνηση\",\"dEgA5A\":\"Cancel\",\"dIsyWh\":\"Η επικύρωση του Ltv απέτυχε\",\"dOB5nW\":[\"Maximum amount available to supply is <0/> \",[\"0\"],\" (<1/>).\"],\"dVfODp\":\"Δεν έχετε αρκετά χρήματα στο πορτοφόλι σας για να αποπληρώσετε ολόκληρο το ποσό. Εάν προχωρήσετε στην αποπληρωμή με το τρέχον ποσό των χρημάτων σας, θα εξακολουθείτε να έχετε μια μικρή θέση δανεισμού στο ταμπλό σας.\",\"dXUQFX\":\"Περιουσιακά στοιχεία προς δανεισμό\",\"dYG3JG\":\"Data couldn't be loaded.\",\"dZQvSq\":\"Please review the swap values before confirming.\",\"dfDzrk\":[\"Supply cap reached for \",[\"symbol\"],\". Reduce the amount or choose a different asset.\"],\"dgr1aY\":\"Borrowing is disabled due to an Aave community decision. <0>More details\",\"djsg0o\":\"Χρησιμοποίηση εγγυήσεων\",\"drdV8R\":\"Liquidation\",\"dxW8cS\":\"Aave debt token\",\"e/ghIe\":[\"This transaction will enable E-Mode (\",[\"0\"],\"). Borrowing will be restricted to assets within this category.\"],\"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\",\"eQ0Wu0\":\"Please connect a wallet to view your balance here.\",\"eVpCmf\":\"Staking Rewards\",\"eVqvtf\":\"Bridge GHO\",\"eYdurp\":\"No transactions yet.\",\"ebLGGN\":\"Σύνολο δανεικών\",\"ecqEvn\":\"Το υπόλοιπο των εγγυήσεων είναι 0\",\"edXiYw\":[\"You've successfully swapped \",[\"0\"],\".\"],\"efdrrk\":\"Available on\",\"enruNF\":\"starts\",\"eqLYiD\":\"Ξεκλειδώστε τώρα\",\"evw5ha\":\"Καθαρή αξία\",\"ezcU16\":\"Get ABP Token\",\"f2e3vu\":[\"Deposit GHO into savings GHO (sGHO) and earn <0>\",[\"0\"],\"% APY on your GHO holdings. There are no lockups, no rehypothecation, and you can withdraw anytime. Simply deposit GHO, receive sGHO tokens representing your balance, and watch your savings grow earning claimable rewards from merit.\"],\"f3W0Ej\":[\"Αλλάξατε σε ποσοστό \",[\"0\"]],\"fMJQZK\":\"Borrowed\",\"fZ5Vnu\":\"Received\",\"firl9Q\":\"Το τρέχον δάνειο προς αξία με βάση τις παρεχόμενες εξασφαλίσεις σας.\",\"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\",\"g4Ius4\":\"This is the fee for executing position changes, set by governance.\",\"g8KGoA\":\"FAQS\",\"g9zzqS\":\"Voted NAY\",\"gDd2gk\":\"about SuperFest.\",\"gIMJlW\":\"Λειτουργία Testnet\",\"gK+IvE\":\"Withdraw and Swap\",\"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\",\"gjxiVa\":[\"This swap has a price impact of \",[\"0\"],\"%, which exceeds the 25% safety threshold. To proceed, disable Aave Shield in the settings menu.\"],\"goff7V\":\"Η μηδενική διεύθυνση δεν είναι έγκυρη\",\"gp+f1B\":\"Version 3\",\"gvTM4B\":\"Το καθαρό ΑΡΥ είναι η συνδυασμένη επίδραση όλων των θέσεων προσφοράς και δανεισμού στην καθαρή αξία, συμπεριλαμβανομένων των κινήτρων. Είναι δυνατόν να υπάρχει αρνητικό καθαρό APY εάν το χρεωστικό APY είναι υψηλότερο από το προσφερόμενο APY.\",\"gzcch9\":\"Μη έγκυρη αμοιβή πρωτοκόλλου γέφυρας\",\"h33MxW\":\"Representing smart contract wallet (ie. Safe) addresses on other chains.\",\"h3ilK+\":\".CSV\",\"h5hG6q\":\"This is the cost of settling your order on-chain, including gas and any LP fees.\",\"hB23LY\":\"Activate Cooldown\",\"hIJzBh\":\"Available to Claim\",\"hIS4N0\":\"Καθαρό APY\",\"hQRttt\":\"Submit\",\"hRWvpI\":\"Claimed\",\"hb8ajh\":\"Debt Swap\",\"hdmy/o\":\"Το % της συνολικής δανειοληπτικής σας δύναμης που χρησιμοποιείται. Αυτό βασίζεται στο ποσό της παρεχόμενης εξασφάλισής σας και στο συνολικό ποσό που μπορείτε να δανειστείτε.\",\"hehnjM\":\"Ποσό\",\"hjDCQr\":\"Υπήρξε κάποιο σφάλμα. Προσπαθήστε να αλλάξετε τις παραμέτρους ή <0><1>αντιγράψτε το σφάλμα\",\"hom7qf\":\"Διεκδίκηση\",\"hpHJ4I\":\"Liquidated collateral\",\"hrhwub\":\"dashboard\",\"huQ6Tz\":[\"Δανεισμός \",[\"symbol\"]],\"hxYu+F\":\"Borrow: All eligible assets\",\"i/fZ2Z\":\"Staked Balance\",\"i9qiyR\":\"Expires in\",\"iB5+/J\":\"About GHO\",\"iChbOF\":\"Ασυνεπείς παράμετροι flashloan\",\"iEPVHF\":\"Δεν έχει αρκετή δύναμη ψήφου για να συμμετάσχει στην παρούσα πρόταση\",\"iEW87X\":\"Delegated power\",\"iEju36\":[\"Ψηφίσατε \",[\"0\"]],\"iFq2YN\":\"Borrowable\",\"iGxyIA\":\"Safety Module\",\"iIuDE1\":\"Estimated weekly rewards based on your current sGHO balance and APR. Actual rewards may vary depending on market conditions.\",\"iKfD53\":\"Transaction history for Plasma not supported yet, coming soon.\",\"iMVZk9\":\"Select slippage tolerance\",\"iNYgey\":\"Get Support\",\"iPMIoT\":\"Εισάγετε ένα ποσό\",\"iSLIjg\":\"Connect\",\"iUo5rv\":\"tokens δεν είναι το ίδιο με το να τα κλειδώνετε. Εάν επιθυμείτε να κλειδώσετε τα\",\"iZxa38\":\"Use it to vote for or against active proposals.\",\"iboNXd\":\"Amount received\",\"iddNqA\":\"This transaction will disable E-Mode. All assets will revert to their base LTV and liquidation thresholds.\",\"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\"],\"ih/VjN\":\"Staking this amount will reduce your health factor and increase risk of liquidation.\",\"il0sEG\":\"H χρήση εγγυήσεων είναι περιορισμένη λόγω της λειτουργίας Απομόνωσης.\",\"j+K1Xj\":\"Amount After Fee\",\"j4SXZo\":\"Claim all merit rewards\",\"j7JHV+\":\"Total APY\",\"j8cF1R\":\"Cooling down\",\"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\",\"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.\",\"jZkYWO\":\"Boosted LTV\",\"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 για να αποκτήσετε πρόσβαση σε όλα τα περιουσιακά στοιχεία\",\"jqVo/k\":\"here.\",\"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\"],\"kMi0nz\":\"sGHO Merit APY History\",\"kN1Yg5\":\"Για την εξόφληση εκ μέρους ενός χρήστη απαιτείται ένα ρητό ποσό προς εξόφληση\",\"kRTD40\":[\"Repayment amount to reach \",[\"0\"],\"% utilization\"],\"kgKqPv\":\"You can not stake this amount because it will cause collateral call\",\"kj3M8S\":\"Deposit\",\"kjN9tT\":\"Υπέρβαση του ανώτατου ορίου προσφοράς\",\"kn+s7w\":[[\"0\"],\" collateral would have 0% LTV without E-Mode. Disable \",[\"1\"],\" as collateral to use this option.\"],\"knxE+G\":\".JSON\",\"ks2LWT\":\"Το ανώτατο όριο χρέους δεν είναι μηδενικό\",\"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.\",\"kzeZTm\":\"LTV\",\"lCF0wC\":\"Refresh\",\"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.\",\"lXb3Ih\":[\"This asset has 0 LTV and cannot be used as collateral. Enable an E-Mode to use \",[\"symbol\"],\" as collateral.\"],\"lXj2Sq\":\"Repay with Collateral\",\"lYGfRP\":\"Αγγλικά\",\"lfEjIE\":\"Μάθετε περισσότερα στον οδηγό <0>Συχνών Ερωτήσεων\",\"ljF4ko\":\"The selected rate is lower than the market price. You might incur a loss if you proceed.\",\"lqCWte\":[\"Deposit GHO and earn \",[\"0\"],\"% APY\"],\"lu7f+8\":\"Blocked by Shield\",\"m/IEhi\":\"Συνολικές εκπομπές ανά ημέρα\",\"m7r7Hh\":\"Selected borrow assets\",\"mDDK4p\":\"Balancer Pool\",\"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.\"],\"me5LMQ\":\"Checking approval\",\"mogZv0\":\"Favourite\",\"muiOng\":[\"Buy \",[\"cryptoSymbol\"],\" with Fiat\"],\"mvCXBY\":\"Stake AAVE\",\"mwdzil\":\"Εντάξει, Κλείσιμο\",\"mzDAU3\":\"Savings GHO (sGHO)\",\"mzdIia\":\"Το περιουσιακό στοιχείο δεν μπορεί να χρησιμοποιηθεί ως εγγύηση.\",\"n+SX4g\":\"Προγραμματιστές\",\"n1na81\":\"No eligible assets to swap.\",\"n4PWtp\":\"Depositing\",\"nJIhzm\":\"Προσφορά apy\",\"nJgsQu\":\"Με δύναμη ψήφου <0/>\",\"nLC6tu\":\"Γαλλικά\",\"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\",\"nPGNMh\":\"Μπορεί να εκτελεστεί\",\"nUK1ou\":[\"Assets with zero LTV (\",[\"0\"],\") must be withdrawn or disabled as collateral to perform this action\"],\"neITkT\":\"This asset has 0% LTV, meaning it does not contribute to borrowing power. Existing positions with this asset as collateral still count toward the liquidation threshold and protect your health factor. New positions cannot enable this asset as collateral.\",\"njBeMm\":\"Both\",\"ntyFSE\":[[\"h\"],\"ω\"],\"nwIsn4\":\"After the cooldown is initiated, you will be able to withdraw your assets immediatley.\",\"nweCqF\":\"Cancelling order...\",\"nwtY4N\":\"Something went wrong\",\"nxyWvj\":\"Withdrawing this amount will reduce your health factor and increase risk of liquidation.\",\"o17QVP\":\"Ο συντελεστής υγείας και το δάνειο προς αξία καθορίζουν τη διασφάλιση των εξασφαλίσεών σας. Για να αποφύγετε τις ρευστοποιήσεις μπορείτε να παράσχετε περισσότερες εξασφαλίσεις ή να εξοφλήσετε δανειακές θέσεις.\",\"o1xc2V\":\"Η προσφορά AToken δεν είναι μηδενική\",\"o5ooMr\":\"Χρέος\",\"o7J4JM\":\"Φίλτρο\",\"o7Yloh\":\"Learn more about the Ether.fi program\",\"oHFrpj\":\"Ψύξτε για ξεκλείδωμα\",\"oJ5ZiG\":\"Ο χρήστης δεν έχει ανεξόφλητο χρέος μεταβλητού επιτοκίου σε αυτό το αποθεματικό\",\"oUwXhx\":\"Test Assets\",\"oWQnqT\":\"Staking this asset will earn the underlying asset supply yield in addition to other configured rewards.\",\"oWklJD\":\"Το σταθερό επιτόκιο θα <0>μείνει το ίδιο για όλη τη διάρκεια του δανείου σας. Συνιστάται για μακροχρόνιες περιόδους δανεισμού και για χρήστες που προτιμούν την προβλεψιμότητα.\",\"odnIK3\":\"Time remaining until the 48 hour withdraw period starts.\",\"ogU9GD\":\"Target liquidity\",\"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.\",\"om/XHs\":\"Διαθέσιμο για προμήθεια\",\"omq5qJ\":\"Claiming all protocol rewards and merit rewards together\",\"ovBPCi\":\"Default\",\"ovT1pF\":[\"Per the community, the \",[\"market\"],\" has been frozen.\"],\"ow3fug\":\"Nothing found\",\"owSsI3\":\"Signatures ready\",\"p+R52m\":\"Go to Balancer Pool\",\"p2S64u\":\"The loan to value of the migrated positions would cause liquidation. Increase migrated collateral or reduce migrated borrow to continue.\",\"p2Z2Qi\":\"Αυτό το περιουσιακό στοιχείο έχει φθάσει στο ανώτατο όριο δανεισμού του. Τίποτα δεν είναι διαθέσιμο για δανεισμό από αυτή την αγορά.\",\"p45alK\":\"Set up delegation\",\"pDgeaz\":[[\"title\"]],\"pdZqBk\":\"Το υποκείμενο υπόλοιπο πρέπει να είναι μεγαλύτερο από 0\",\"pgWG9H\":\"Δεν υπάρχει αρκετό κλειδωμένο υπόλοιπο\",\"ph9+uj\":[\"Switching to \",[\"networkName\"],\"...\"],\"piPrJ7\":\"παρακαλούμε ελέγξτε ότι το ποσό που θέλετε να παρέχετε δεν χρησιμοποιείται επί του παρόντος για κλείδωμα. Εάν χρησιμοποιείται για κλείδωμα, η συναλλαγή σας ενδέχεται να αποτύχει.\",\"pjO/iH\":\"Minimum amount received\",\"pooutM\":\"Voting is on\",\"pqaM5s\":\"Confirming transaction\",\"ptaxX3\":[\"Καταλαβαίνω πώς λειτουργεί η ψύξη (\",[\"0\"],\") και το ξεκλείδωμα (\",[\"1\"],\")\"],\"pup/ej\":\"Net Protocol Incentives\",\"py2iiY\":\"Ο καλών αυτής της συνάρτησης πρέπει να είναι ένα κοινόχρηστο ταμείο\",\"q/51mF\":\"Migrate to V3\",\"q3df11\":\"Interest rate strategy\",\"q6lAbz\":\"Κλειδωμένο\",\"qB4kPi\":\"Προσφορά APY\",\"qENI8q\":\"Γενικές ρυθμίσεις\",\"qGz5zl\":\"Collateral balance after repay\",\"qKfida\":\"Staked tokens are wrapped and use an exchange rate. You may see fewer token shares, but the value matches your deposit and will grow as yield accrues.\",\"qOqbD6\":\"αντιγράψτε το σφάλμα\",\"qXCkEM\":\"Συνδέστε το πορτοφόλι σας για να δείτε τις προμήθειες, τα δάνεια και τις ανοιχτές θέσεις σας.\",\"qY2jnw\":\"Μη έγκυρη λήξη\",\"qhhf9L\":\"Rewards available to claim\",\"qtS7wW\":\"Thank you for voting\",\"quYPUU\":\"Variable interest rate will <0>fluctuate based on the market conditions.\",\"quzIeW\":\"User is in isolation mode or LTV is zero\",\"qvnz3q\":\"Μη έγκυρη ποσότητα προς καύση\",\"qz6JVE\":[\"Your order amounts are \",[\"0\"],\" less favorable by \",[\"1\"],\"% to the liquidity provider than recommended. This order may not be executed.\"],\"qz9c6b\":[\"Repaying \",[\"0\"],\" with \",[\"1\"]],\"qzFp5D\":\"All Categories\",\"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\",\"riNWOA\":\"E-Mode\",\"rjGI/Q\":\"Privacy\",\"rnKPW1\":\"Watch a wallet balance in read-only mode\",\"rojvRp\":\"Approval by signature not available\",\"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\",\"t/ct9N\":\"Auto Slippage\",\"tBIz3I\":[\"Supply \",[\"0\"],\" and double your yield by <0><1>verifying your humanity through Self for \",[\"1\"],\" per user.\"],\"tCnbEs\":\"Τιμή Oracle\",\"tFZLf8\":\"Αυτός ο υπολογισμός gas είναι μόνο μια εκτίμηση. Το πορτοφόλι σας θα καθορίσει την τιμή της συναλλαγής. Μπορείτε να τροποποιήσετε τις ρυθμίσεις gas απευθείας από τον πάροχο του πορτοφολιού σας.\",\"tHuvQI\":\"Go to V3 Dashboard\",\"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\"],\"tVJk4q\":\"Cancel order\",\"te9Bfl\":\"Παρακαλώ, συνδέστε το πορτοφόλι σας\",\"tj6dr4\":\"Merit Program rewards can be claimed\",\"tt5yma\":\"Οι προμήθειές σας\",\"tw6G0s\":[\"You must disable \",[\"0\"],\" as collateral before exiting E-Mode. These assets have 0 LTV outside of E-Mode and cannot be used as collateral.\"],\"u3ZeYl\":\"Η συναλλαγή απέτυχε\",\"u706uF\":\"Άκυρη πριμοδότηση flashloan\",\"u8Gfu7\":[\"No search results\",[\"0\"]],\"uAQUqI\":\"Status\",\"uGG4Lk\":\"Claim all protocol rewards\",\"uHMwk8\":\"No assets selected to migrate.\",\"uI3SjW\":\"Connection Error\",\"uJOI6M\":\"Tip: Try improving your order parameters\",\"uJPHuY\":\"Migrating\",\"uRXR6h\":[\"Swap \",[\"0\"],\" debt\"],\"uZiu4N\":\"There is an active order for the same sell asset (avoid nonce reuse).\",\"udFheE\":\"Για την αποπληρωμή ενός συγκεκριμένου τύπου χρέους, ο χρήστης πρέπει να έχει χρέος αυτού του τύπου\",\"ulNuNq\":\"Export data to\",\"ulup2p\":\"Buy Crypto with Fiat\",\"usB84Z\":\"Maximum amount available to borrow is limited because protocol borrow cap is nearly reached.\",\"uyLjNw\":\"Custom slippage\",\"v+Fu0z\":\"This asset is eligible for Kernel points incentive program. Aave Labs does not guarantee the program and accepts no liability.\",\"v0CIlJ\":\"You have no rewards to claim at this time.\",\"v8x7Mg\":\"Insufficient collateral to cover new borrow position. Wallet must have borrowing power remaining to perform debt switch.\",\"vEqxH9\":\"Restaked\",\"vH2C/2\":\"Swap\",\"vLyv1R\":\"Απόκρυψη\",\"vMba49\":\"Ο δανεισμός δεν είναι ενεργοποιημένος\",\"vMpNwt\":\"Approve with\",\"vNAHA2\":\"PTs\",\"vXIe7J\":\"Γλώσσα\",\"vesuBJ\":\"Σας επιτρέπει να αποφασίσετε αν θα χρησιμοποιήσετε ένα παρεχόμενο περιουσιακό στοιχείο ως εγγύηση. Ένα περιουσιακό στοιχείο που χρησιμοποιείται ως εγγύηση θα επηρεάσει τη δανειοληπτική σας ικανότητα και τον συντελεστή υγείας.\",\"vv7kpg\":\"Cancelled\",\"w+V9Cx\":\"Σταθερό νόμισμα\",\"w/JtJ3\":\"Η σταθερή προσφορά χρέους δεν είναι μηδενική\",\"w1f8Ky\":\"Savings GHO\",\"w4VBY+\":\"Ανταμοιβές APR\",\"w9dLMW\":[[\"label\"]],\"wAOL+X\":[\"Εσείς \",[\"action\"],\" <0/> \",[\"symbol\"]],\"wBIsjb\":\"Discord channel\",\"wQZbc/\":\"Ο καλών της συνάρτησης δεν είναι AToken\",\"wRRqvW\":\"Δεν έχετε προμήθειες σε αυτό το νόμισμα\",\"wZFvVU\":\"ΨΗΦΙΣΤΕ ΥΠΕΡ\",\"wapGcj\":[[\"message\"]],\"wb/r1O\":[\"Βρύση \",[\"0\"]],\"wdxz7K\":\"Source\",\"weC8IO\":\"All Rewards\",\"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\",\"wuMdlk\":[\"This asset is eligible for \",[\"0\"],\" Sonic Rewards.\"],\"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.\",\"x+QJ9y\":[\"Category \",[\"selectedEmodeId\"]],\"x0TRLG\":[\"Repay your \",[\"0\"],\" \",[\"1\",\"plural\",{\"one\":\"borrow\",\"other\":\"borrows\"}],\" to use this category.\"],\"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\"]],\"yRkqG9\":\"Limit\",\"yYHqJe\":\"Μη έγκυρη διεύθυνση\",\"yZ5ngq\":\"Transaction details not available\",\"yZwLw6\":\"Track wallet\",\"yh2sjd\":[\"Price impact \",[\"0\"],\"%\"],\"yhvj6d\":\"Δεν μπορείτε να αλλάξετε τη χρήση ως λειτουργία εγγύησης για αυτό το νόμισμα, διότι θα προκαλέσει κλήση εγγύησης\",\"ylmtBZ\":\"The app is running in fork mode.\",\"ymNY32\":[\"Δεν υπάρχουν αρκετά κεφάλαια στο\",[\"0\"],\"αποθεματικό για δανεισμό\"],\"yv/Kz/\":\"Back home\",\"yz7wBu\":\"Κλείσιμο\",\"z4uGQg\":\"Υπέρβαση του ανώτατου ορίου χρέους\",\"z5JUmg\":[\"Estimated costs are \",[\"0\"],\"% of the sell amount. This order is unlikely to be filled.\"],\"z5UQOM\":\"Η εγγύηση που έχει επιλεγεί δεν μπορεί να ρευστοποιηθεί\",\"z5Y+p6\":[\"Παροχή \",[\"symbol\"]],\"zCjNKs\":\"Η ενέργεια δεν μπορεί να εκτελεστεί επειδή το αποθεματικό έχει παγώσει\",\"zNgzxM\":\"Excludes variable supply APY\",\"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\",\"zZmf1N\":\"Filled\",\"zgtIDV\":\"Υπολειπόμενο χρέος\",\"zmTPiV\":\"Υπόλοιπο προσφοράς\",\"zpPbZl\":\"Liquidation risk parameters\",\"zqp4Tm\":\"Unable to Connect\",\"zr58Jd\":\"Umbrella is the upgraded version of the Safety Module. Manage your previously staked assets\",\"zucql+\":\"Μενού\",\"zv/j10\":[\"Active \",[\"0\"],\" borrow is not compatible with this category. Repay your \",[\"1\"],\" borrow to use this option.\"],\"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.\",\"+EGVI0\":\"Receive (est.)\",\"+Tzhaj\":\"You've successfully swapped borrow position.\",\"+eOPG+\":\"Φαίνεται ότι δεν μπορούμε να αλλάξουμε το δίκτυο αυτόματα. Ελέγξτε αν μπορείτε να το αλλάξετε από το πορτοφόλι.\",\"+kLZGu\":\"Supplied asset amount\",\"/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\",\"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\",\"1Onqx8\":[\"Έγκριση του \",[\"symbol\"],\"...\"],\"1m9Qqc\":\"Withdrawing and Switching\",\"1oyh4g\":\"Borrow rate\",\"2Q4GU4\":\"Blocked Address\",\"2bAhR7\":\"Meet GHO\",\"2o/xRt\":\"Επίτευξη του ανώτατου ορίου εφοδιασμού στο αποθεματικό-στόχο. Δοκιμάστε να \\nμειώσετε την ποσότητα.\",\"3O8YTV\":\"Total interest accrued\",\"4iPAI3\":\"Minimum GHO borrow amount\",\"6NGLTR\":\"Discountable amount\",\"6yAAbq\":\"APY, borrow rate\",\"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\",\"7sofdl\":\"Withdraw and Switch\",\"9rWaKF\":\"Bridged Via CCIP\",\"ARu1L4\":\"Repaid\",\"B6aXGH\":\"Σταθερό\",\"B9Gqbz\":\"Variable rate\",\"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.\",\"BjLdl1\":\"At a discount\",\"CMHmbm\":\"Slippage\",\"DxfsGs\":\"You can report incident to our <0>Discord or<1>Github.\",\"EBL9Gz\":\"COPIED!\",\"ES8dkb\":\"Fixed rate\",\"GoK/QN\":\"Thank you for submitting feedback!\",\"H6Ma8Z\":\"Discount\",\"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.\",\"HrnC47\":\"Save and share\",\"JK9zf1\":[\"Estimated compounding interest, including discount for Staking \",[\"0\"],\"AAVE in Safety Module.\"],\"JU6q+W\":\"Ανταμοιβή(ες) προς διεκδίκηση\",\"K05qZY\":\"Withdraw & Switch\",\"KRpokz\":\"VIEW TX\",\"KZwRuD\":[[\"notifyText\"]],\"LDzfVJ\":\"Send Feedback\",\"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\",\"MIy2RJ\":\"Maximum amount received\",\"MrmQHg\":\"View Bridge Transactions\",\"N7dVh7\":\"Swap to\",\"QSh9Sn\":\"Swapped\",\"QWYCs/\":\"Stake GHO\",\"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.\",\"RoafuO\":\"Send feedback\",\"SSMiac\":\"Failed to load proposal voters. Please refresh the page.\",\"TeCFg/\":\"Borrow rate change\",\"TskbEN\":\"Holders of stkAAVE receive a discount on the GHO borrowing rate\",\"TtZL6q\":\"Discount model parameters\",\"Tz0GSZ\":\"blocked activities\",\"UE3KJZ\":\"Transaction history is not currently available for this market\",\"W8ekPc\":\"Back to Dashboard\",\"WMPbRK\":\"Μη υποστηριζόμενο\",\"YirHq7\":\"Feedback\",\"aX31hk\":\"Your balance is lower than the selected amount.\",\"al6Pyz\":\"Exceeds the discount\",\"avgETN\":\"Eligible for the Merit program.\",\"bSc4Zw\":\"Swaping\",\"bSruit\":\"ZKSync Ignite Program rewards are claimed through the\",\"bxmzSh\":\"Δεν υπάρχουν επαρκείς εγγυήσεις για την αποπληρωμή αυτού του ποσού χρέους με\",\"cqnmnD\":\"Effective interest rate\",\"dMtLDE\":\"to\",\"dpc0qG\":\"Μεταβλητό\",\"euScGB\":\"APY with discount applied\",\"fHcELk\":\"Καθαρό APR\",\"flRCF/\":\"Staking discount\",\"gncRUO\":\"This address is blocked on app.aave.com because it is associated with one or more\",\"gr8mYw\":\"You may borrow up to <0/> GHO at <1/> (max discount)\",\"hpuVIp\":\"Users who stake AAVE in Safety Module (i.e. stkAAVE holders) receive a discount on GHO borrow interest rate.\",\"hxi7vE\":\"Borrow balance\",\"i2JTiw\":\"You may enter a custom amount in the field.\",\"jMam5g\":[[\"0\"],\" Υπόλοιπο\"],\"jpctdh\":\"View\",\"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.\",\"lNVG7i\":\"Select an asset\",\"lt6bpt\":\"Collateral to repay with\",\"mIM0qu\":\"Expected amount to repay\",\"mzI/c+\":\"Download\",\"n8Psk4\":\"We couldn’t detect a wallet. Connect a wallet to stake and view your balance.\",\"nOy4ob\":\"We suggest you go back to the Dashboard.\",\"nakd8r\":\"stkAAVE holders get a discount on GHO borrow rate\",\"nh2EJK\":[\"Παρακαλώ μεταβείτε στο \",[\"networkName\"],\".\"],\"ntkAoE\":\"Discount applied for <0/> staking AAVE\",\"o4tCu3\":\"Borrow APY\",\"olREoo\":\"All borrow positions outside of this category must be closed to enable this category.\",\"ov0+mq\":\"Eligible for the ZKSync Ignite program.\",\"p2A+s1\":[\"Η περίοδος ψύξης είναι \",[\"0\"],\". Μετά την \",[\"1\"],\" περίοδο ψύξης, θα εισέλθετε στο παράθυρο ξεκλειδώματος \",[\"2\"],\". Θα συνεχίσετε να λαμβάνετε ανταμοιβές κατά τη διάρκεια της ψύξης και του παραθύρου ξεκλειδώματος.\"],\"p3j+mb\":\"Το υπόλοιπο της ανταμοιβής σας είναι 0\",\"p6u2s1\":\"Minimum amount of debt to be repaid\",\"qFD/ij\":\"You've successfully withdrew & swapped tokens.\",\"qT4Lfg\":\"You've successfully swapped tokens.\",\"qf/fr+\":\"Interest accrued\",\"rf8POi\":\"Borrowed asset amount\",\"ruc7X+\":\"Add stkAAVE to see borrow APY with the discount\",\"t81DpC\":[\"Approve \",[\"symbol\"],\" to continue\"],\"umICAY\":\"<0><1><2/>Add stkAAVE to see borrow rate with discount\",\"uwAUvj\":\"COPY IMAGE\",\"wyi0tk\":\"Swap borrow position\",\"yW1oWB\":\"Τύπος APY\",\"zevmS2\":\"<0><1><2/>Add <3/> stkAAVE to borrow at <4/> (max discount)\",\"zzzTXS\":\"Merit Program rewards are claimed through the\"}")}; \ No newline at end of file +/*eslint-disable*/module.exports={messages:JSON.parse("{\"+0xecS\":[\"Εάν ΔΕΝ ξεκλειδώσετε εντός \",[\"0\"],\" του παραθύρου ξεκλειδώματος, θα πρέπει να ενεργοποιήσετε ξανά τη διαδικασία ψύξης.\"],\"+5vxU4\":\"Reward APY at target liquidity\",\"+9RBfc\":\"Thank you for submitting your inquiry!\",\"+F6nAX\":\"Save with sGHO\",\"+KaZP2\":\"Aave Labs does not guarantee the program and accepts no liability.\",\"+Nk14N\":\"Savings GHO token\",\"+VR63W\":[\"Η συμμετοχή σε αυτό το αποθεματικό \",[\"symbol\"],\" δίνει ετήσιες ανταμοιβές.\"],\"+XNrRN\":\"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 restrictions, see the <1>help guide or the <2>Aave V3 Technical Paper.\",\"+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.\",\"+i3Pd2\":\"Ανώτατο όριο δανεισμού\",\"+nuEh/\":\"Estimated time\",\"+xMFF8\":\"Remind me\",\"/+Vmgq\":\"Total amount of underlying assets staked. This number represents the combined sum of your original asset and the corresponding aTokens staked in Umbrella.\",\"/1Qot4\":\"Protocol Rewards\",\"/1xACT\":\"Reward APY adjusts with total staked amount, following a curve that targets optimal staking levels.\",\"/57U31\":\"Amount to migrate\",\"/7ykiW\":\"Borrowing this amount will reduce your health factor and increase risk of liquidation.\",\"/FwCXs\":[[\"0\"],\" \",[\"symbol\"],\"...\"],\"/LCAwL\":\"In progress\",\"/ZyLeG\":\"Amount available to unstake\",\"/jQctM\":\"To\",\"/lDBHm\":\"ΣΥΧΝΕΣ ΕΡΩΤΗΣΕΙΣ\",\"/lMWs6\":[\"Deposit GHO and earn up to <0>\",[\"0\"],\"% APY\"],\"/yNlZf\":\"Ο σταθερός δανεισμός δεν είναι ενεργοποιημένος\",\"/yQcJM\":\"Συνολική αξία\",\"00AB2i\":\"Ο χρήστης δεν δανείστηκε το καθορισμένο νόμισμα\",\"02/4d1\":\"We suggest you go back to the home page.\",\"0AmQcW\":\"Rate change\",\"0BF3yK\":\"Sorry, we couldn't find the page you were looking for.\",\"0RrIzN\":\"Select token\",\"0TAbjq\":\"Recent Transactions\",\"0jhlyw\":\"Liquidation risk\",\"0ojY+Y\":\"Current v2 Balance\",\"0r31vq\":\"Reward Token\",\"0thX3P\":\"Collateral change\",\"0wGCWc\":\"Αυτό είναι το συνολικό ποσό που μπορείτε να προμηθεύσετε σε αυτό το αποθεματικό. Μπορείτε να προμηθεύσετε το υπόλοιπο του πορτοφολιού σας μέχρι να επιτευχθεί το ανώτατο όριο προμηθειών.\",\"11xQTX\":[\"This asset is eligible for \",[\"0\"],\" Ethena Rewards.\"],\"18GnfY\":[\"Repay \",[\"0\"]],\"1AsVfF\":\"Price data is not currently available for this reserve on the protocol subgraph\",\"1LjK22\":\"Transaction history\",\"1PMU2v\":\"Learn more about the risks.\",\"1Ue8sX\":\"Παρακαλούμε συνδέστε ένα πορτοφόλι για να δείτε τις προσωπικές σας πληροφορίες εδώ.\",\"1W8DZp\":\"USDT on Ethereum requires approval reset before a new approval. This will require an additional transaction.\",\"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/> κατώτατο όριο\",\"1t7rez\":\"Asset supply is limited to a certain amount to reduce protocol exposure to the asset and to help manage risks involved.\",\"2/aIvj\":\"Cancellation submited\",\"2C40JO\":[\"This transaction will switch E-Mode from \",[\"0\"],\" to \",[\"1\"],\". Borrowing will be restricted to assets within the new category.\"],\"2Eoi/a\":\"Προβολή λεπτομερειών\",\"2FYpfJ\":\"Περισσότερα\",\"2O3qp5\":\"Διαθέσιμη ρευστότητα\",\"2OIfa1\":\"Please connect your wallet to swap collateral.\",\"2OM8/D\":[\"Asset cannot be migrated due to supply cap restriction in \",[\"marketName\"],\" v3 market.\"],\"2RtYM0\":\"Need help? Our support team can assist.\",\"2RubOP\":\"Initiate Withdraw\",\"2S7oCr\":[\"This asset is eligible for the Ether.fi Loyalty program with a <0>x\",[\"multiplier\"],\" multiplier.\"],\"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.\",\"2eBWE6\":\"I acknowledge the risks involved.\",\"2r2h/U\":\"Total Deposited\",\"2uJToh\":[[\"0\"],[\"name\"]],\"2x1UO0\":\"Favourited\",\"2x58bP\":\"Ο σταθερός δανεισμός είναι ενεργοποιημένος\",\"34Qfwy\":\"Υπέρβαση του ανώτατου ορίου δανεισμού\",\"39eQRj\":[\"Δανεισμός \",[\"symbol\"]],\"3BL1xB\":\"Σύνολο παρεχόμενων\",\"3K0oMo\":\"Υπολειπόμενη προσφορά\",\"3MoZhl\":\"Δεν υπάρχουν επαρκείς εξασφαλίσεις για την κάλυψη ενός νέου δανείου\",\"3NO6VI\":[[\"0\"],\" Balance\",[\"1\"]],\"3Np5O8\":[\"Προσφορά \",[\"symbol\"]],\"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\",\"4fCwrW\":\"or from the\",\"4lDFps\":\"Sign to continue\",\"4p5njr\":\"Total amount staked\",\"4wyw8H\":\"Transactions\",\"5+lhtA\":\"For swapping safety module assets please unstake your position <0>here.\",\"53r7O1\":[\"High price impact (<0>\",[\"0\"],\"%)! This route will return \",[\"1\"],\" due to low liquidity or small order size.\"],\"5CCqcz\":\"Fees help support the user experience and security of the Aave application. <0>Learn more.\",\"5JSSxX\":[\"Your \",[\"networkName\"],\" wallet is empty. Get free test assets at\"],\"5K3B36\":\"We couldn't find any assets related to your search. Try again with a different category.\",\"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\"],\" μπορεί να παρασχεθεί σε αυτή την αγορά.\"],\"5RzvNm\":\"Aave Shield: Transaction blocked\",\"5cZ/KX\":\"Η προσφορά μεταβλητού χρέους δεν είναι μηδενική\",\"5che++\":\"Για να ζητήσετε πρόσβαση σε αυτή την αδειοδοτημένη αγορά, επισκεφθείτε την ιστοσελίδα: <0>Όνομα Παρόχου Πρόσβασης\",\"5ctNdV\":[\"Minimum \",[\"0\"],\" received\"],\"5hDe9v\":\"Απαιτούμενη δράση επιδότησης\",\"5rsnKT\":\"Διαθέσιμες ανταμοιβές\",\"5ty6hB\":\"Claiming individual protocol reward only. Merit rewards excluded - select \\\"claim all\\\" to include merit rewards.\",\"5vxk14\":\"To continue, you need to grant 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\",\"5yC5m5\":\"View all votes\",\"6/dCYd\":\"Επισκόπηση\",\"60crCe\":\"All transactions\",\"62Xcjh\":\"Εγγύηση\",\"65A04M\":\"Ισπανικά\",\"68ANm7\":\"Withdrawing GHO\",\"6G8s+q\":\"Signing\",\"6Jrv+z\":[\"Αποπληρωμή \",[\"symbol\"]],\"6SC+v0\":[\"Disable \",[\"0\"],\" as collateral to use this category. These assets would have 0% LTV.\"],\"6Xr0UU\":\"Ψύξη...\",\"6bxci/\":\"Δύναμη ψήφου\",\"6f8S68\":\"Αγορές\",\"6g1gi0\":\"Προτάσεις\",\"6gvoHP\":\"Copy error message\",\"6h3Q5G\":\"repaid\",\"6lFSyT\":\"Available to Stake\",\"6lGV3K\":\"Show less\",\"6s8L6f\":\"Αλλαγή Δικτύου\",\"70wH1Q\":\"APR\",\"72c5Qo\":\"Total\",\"75qcAQ\":[[\"stepName\"]],\"7ITr5L\":\"Συντελεστής υγείας\",\"7R/kqr\":\"The cooldown period is the time required prior to unstaking your tokens (<0/>). You can only withdraw your assets from the Security Module after the cooldown period and within the unstake window. <1>Learn more\",\"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\",\"7c6Gy8\":\"Learn more about Sonic Rewards program\",\"7er5fP\":\"Διεκδικήστε τα όλα\",\"7hb2+s\":\"Time remaining until the withdraw period ends.\",\"7i1oxe\":\"Withdrawing and Swapping\",\"7l88b8\":\"Data couldn't be fetched, please reload graph.\",\"7p5kLi\":\"Ταμπλό\",\"8+6BI0\":\"Προσοχή - Είστε πολύ κοντά στην ρευστοποίηση. Εξετάστε το ενδεχόμενο να καταθέσετε περισσότερες εγγυήσεις ή να εξοφλήσετε κάποιες από τις δανειακές σας θέσεις\",\"87pUEW\":[\"Το πορτοφόλι σας \",[\"name\"],\" είναι άδειο. Αγοράστε ή μεταφέρετε περιουσιακά στοιχεία.\"],\"8F1i42\":\"Page not found\",\"8G8M0u\":\"Loading data...\",\"8Iu1QS\":\"withdrew\",\"8JL93T\":\"Όλες οι προτάσεις\",\"8Q51DU\":\"Add to wallet\",\"8X/oyn\":\"Μη έγκυρο ποσό για νομισματοκοπία\",\"8Xaoyr\":\"View on CCIP Explorer\",\"8Z5FPv\":\"Αποσυνδέστε το πορτοφόλι\",\"8Zz7s5\":\"περιουσιακά στοιχεία\",\"8aLW8H\":\"Balance to revoke\",\"8bOT3H\":\"Ποσοστό χρησιμοποίησης\",\"8d61xO\":\"The Ink instance is governed by the Ink Foundation\",\"8sLe4/\":\"View contract\",\"8ss7VF\":\"Transaction cancelled\",\"8t/M0y\":\"Please connect your wallet to be able to bridge your tokens.\",\"8u3DDw\":[\"Swap \",[\"0\"],\" collateral\"],\"8vETh9\":\"Εμφάνιση\",\"93T2Os\":\"Total deposited\",\"94OHPx\":\"Εισέρχεστε σε λειτουργία απομόνωσης\",\"9CDK3/\":[\"Ο δανεισμός δεν είναι επί του παρόντος διαθέσιμος για \",[\"0\"],\".\"],\"9GIj3z\":\"Μέγεθος Αποθεματικού\",\"9ITYjl\":\"%\",\"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.\"],\"9YcC7V\":\"Select Categories\",\"9c6vDV\":\"Αυτό το περιουσιακό στοιχείο έχει φτάσει στο όριο της προσφοράς του. Τίποτα δεν είναι διαθέσιμο για προμήθεια από αυτή την αγορά.\",\"9iDHmv\":\"Collateral Swap\",\"9kTWHA\":\"MAI has been paused due to a community decision. Supply, borrows and repays are impacted. <0>More details\",\"9lXchd\":\"Underlying token\",\"9xSooW\":\"Δεδομένου ότι πρόκειται για ένα δοκιμαστικό δίκτυο, μπορείτε να αποκτήσετε οποιοδήποτε από τα περιουσιακά στοιχεία αν έχετε ETH στο πορτοφόλι σας\",\"9y0Q0y\":[\"There is not enough liquidity in \",[\"symbol\"],\" to complete this swap. Try lowering the amount.\"],\"9zzsBx\":\"This is a program initiated by the Aave DAO and implemented by Merkl. Aave Labs does not guarantee the program and accepts no liability.\",\"A/lwoe\":\"Choose one of the on-ramp services\",\"A6dCI6\":[\"Maximum amount available to borrow is <0/> \",[\"0\"],\" (<1/>).\"],\"ACUEES\":\"Check errors\",\"AReoaV\":\"Τα δάνεια σας\",\"AV7cGz\":\"Αναθεώρηση λεπτομερειών έγκρισης συναλλαγής\",\"AZOjB8\":\"Fetching data...\",\"Ai0jas\":\"Join the community discussion\",\"Ajl2rq\":\"Η δύναμη δανεισμού και τα περιουσιακά στοιχεία είναι περιορισμένα λόγω της λειτουργίας απομόνωσης.\",\"AqgYNC\":\"Protocol borrow cap at 100% for this asset. Further borrowing unavailable.\",\"B6zvhF\":\"Shares\",\"BDFEd+\":\"stETH supplied as collateral will continue to accrue staking rewards provided by daily rebases.\",\"BE2mP0\":\"Borrowed assets\",\"BNL4Ep\":\"Η χρήση εγγύησης είναι περιορισμένη λόγω της λειτουργίας απομόνωσης. <0>Μάθετε περισσότερα\",\"BQ+4lu\":\"Swap saved in your <0>history section.\",\"BQ/wCO\":\"Migrate your assets\",\"BaCmXf\":\"AAVE 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.\",\"Baj2MJ\":\"Savings\",\"BnhYo8\":\"Κατηγορία περιουσιακών στοιχείων\",\"Bo6b9i\":\"Withdraw GHO\",\"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\",\"C4qYyX\":[\"Repay \",[\"0\"],\" with \",[\"1\"]],\"C5jQc6\":\"GHO Balance\",\"C7hM0q\":\"Country (optional)\",\"CDrsH+\":\"Techpaper\",\"CGiscJ\":\"You've successfully submitted an order.\",\"CK1KXz\":\"Μεγιστο\",\"COUcFd\":\"Points\",\"CZXzs4\":\"Greek\",\"CkTRmy\":[\"Διεκδίκηση \",[\"symbol\"]],\"CrrC++\":\"Position swaps are disabled for this asset due to security reasons.\",\"CsqtLm\":\"Please connect your wallet to see migration tool.\",\"CtGlFb\":[[\"networkName\"],\" Βρύση\"],\"CuAHqa\":\"Protocol Incentives\",\"Cxt2YY\":\"Watch wallet\",\"D33VQU\":\"This action will reduce health factor of V3 below liquidation threshold. Increase migrated collateral or reduce migrated borrow to continue.\",\"D4Q4h/\":\"Gas estimation error\",\"D79cZK\":\"Instant\",\"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\"],\"DhaOWH\":\"Stake your Aave aTokens or underlying assets to earn rewards. In case of a shortfall event, your stake may be slashed to cover the deficit.\",\"Dj+3wB\":\"Aave ανά μήνα\",\"DlRHbH\":\"Claiming all protocol rewards only. Merit rewards excluded - select \\\"claim all\\\" to include merit rewards.\",\"DuEq2K\":\"Εξασφάλιση\",\"Dzma+E\":\"Main Ethereum market with the largest selection of assets and yield options\",\"E/QGRL\":\"Απενεργοποιημένο\",\"E6UoJs\":\"Estimated compounding 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.\",\"ETtXJg\":\"Share my wallet address to help the support team resolve my issue\",\"EZd3Dk\":[\"Restaking \",[\"symbol\"]],\"Ebgc76\":[\"Ανάληψη \",[\"symbol\"]],\"EdQY6l\":\"Κανένα\",\"Ef7StM\":\"Unknown\",\"Ehzc//\":[\"Swapping \",[\"0\"],\" debt\"],\"Ekea1N\":\"We couldn't detect a wallet. Connect a wallet to stake and view your balance.\",\"Enslfm\":\"Destination\",\"EvE9nO\":[\"Reactivate cooldown period to unstake \",[\"0\"],\" \",[\"stakedToken\"]],\"EvECnL\":\"Migrate to v3\",\"EyYG53\":\"Get support\",\"EzMQbh\":\"The source chain time to finality is the main factor that determines the time to destination. <0>Learn more\",\"F40cwT\":\"Legacy Markets\",\"F6TdXL\":\"Μάθετε περισσότερα.\",\"F6pfE9\":\"Active\",\"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\":\"Η λειτουργία δεν υποστηρίζεται\",\"FTRJ1l\":\"L2 Networks\",\"FbmMe7\":\"Linked addresses\",\"Fdp03t\":\"ενεργοποίηση\",\"Fjw9N+\":\"Περιουσιακά στοιχεία προς προμήθεια\",\"FmN0fk\":\"Restake\",\"G15AUr\":\"Sending cancel...\",\"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\":\"τελειώνει\",\"GtP2hp\":[\"Ο δανεισμός δεν είναι διαθέσιμος επειδή έχετε ενεργοποιήσει τη λειτουργία Αποδοτικότητας (E-Mode) για την κατηγορία \",[\"0\"],\". Για να διαχειριστείτε τις κατηγορίες E-Mode επισκεφθείτε τον <0>Πίνακα ελέγχου.\"],\"Gz07IS\":\"Your health factor after this swap will be critically low and may result in liquidation. Please choose a different asset or reduce the swap amount to stay safe.\",\"H1oAjw\":[[\"selectedCount\"],\" Categories\"],\"HB/wfS\":[[\"tooltipText\"]],\"HD4KkW\":[\"Swapping \",[\"0\"],\" collateral\"],\"HKDsQN\":\"Rewards can be claimed through\",\"Hi6Ttn\":\"Sorry, an unexpected error happened. In the meantime you may try reloading the page, or come back later.\",\"HkEDbS\":[[\"d\"],\"η\"],\"HlWGZc\":[\"Your \",[\"0\"],\" balance is lower than the selected amount.\"],\"HmkYqM\":\"Παράθυρο ξεκλειδώματος\",\"HpK/8d\":\"Reload\",\"HtBqo9\":\"sGHO\",\"HtuY7v\":\"Please connect your wallet to swap tokens.\",\"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\"],\"%.\"],\"I4Cxlm\":\"E-Mode required\",\"I8CX2c\":\"Το συνολικό ποσό των περιουσιακών σας στοιχείων σε δολάρια ΗΠΑ που μπορούν να χρησιμοποιηθούν ως εγγύηση για δανεισμό περιουσιακών στοιχείων.\",\"IAD2SB\":[\"Claiming \",[\"symbol\"]],\"IG9X9/\":\"Borrowing of this asset is limited to a certain amount to minimize liquidity pool insolvency.\",\"ILXMQA\":\"The Safety Module has been upgraded to <0>Umbrella, a new system that introduces automated slashing, aToken staking, and improved incentives design.\",\"IN8luu\":\"All done\",\"IOIx8L\":\"This asset is planned to be offboarded due to an Aave Protocol Governance decision. <0>More details\",\"IP+I/j\":\"Περίοδος ψύξης\",\"IaA40H\":\"Ρευστοποίηση στο\",\"IhAc6F\":\"Costs & Fees\",\"ImxB3A\":\"deposited\",\"IrtO2E\":\"You have assets with zero LTV that are blocking this operation. Please withdraw them or disable them as collateral first.\",\"J/hVSQ\":[[\"0\"]],\"JCoxL6\":\"Manage analytics\",\"JEdlTC\":\"Stablecoins\",\"JOqFba\":[\"Unstaking \",[\"symbol\"]],\"JPHuMW\":\"Swapping\",\"JPhc4G\":\"ETH Correlated\",\"JPrLjO\":\"Δεν μπορείτε να χρησιμοποιήσετε αυτό το νόμισμα ως εγγύηση\",\"JYKRJS\":\"Κλειδώστε\",\"JZMxX0\":\"Δεν υπάρχει αρκετό υπόλοιπο στο πορτοφόλι σας\",\"Jgflkm\":\"Get GHO\",\"JoMQnI\":\"Υπόλοιπο πορτοφολιού\",\"JtwD8u\":\"Borrow balance after repay\",\"JumYTK\":\"Supplied assets\",\"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\",\"KSlpka\":\"Αυτό αντιπροσωπεύει το κατώτατο όριο στο οποίο μια θέση δανεισμού θα θεωρηθεί υποεγγυημένη και θα υπόκειται σε ρευστοποίηση για κάθε εγγύηση. Για παράδειγμα, εάν μια εγγύηση έχει κατώτατο όριο ρευστοποίησης 80%, αυτό σημαίνει ότι η θέση θα ρευστοποιηθεί όταν η αξία του χρέους ανέρχεται στο 80% της αξίας της εγγύησης.\",\"KYAjf3\":\"Απομονωμένο\",\"KkJaLD\":\"Borrow:\",\"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\":\"Λάθος δίκτυο\",\"KqoLVC\":\"Merkl rewards are claimed through the\",\"KsqhWn\":\"Κλείδωμα\",\"KuBTQq\":\"Εισάγετε διεύθυνση ETH\",\"KvG1xW\":\"Διεκδίκηση\",\"L+8Lzs\":\"Τρέχον LTV\",\"L+qiq+\":\"Αγορά\",\"L2tU22\":\"Learn more about Ethena Rewards program\",\"L3ZyJR\":[[\"popularSectionTitle\"]],\"LEdkyb\":\"Rewards to claim\",\"LIrMcF\":\"Δεν υπάρχει δικαίωμα ψήφου\",\"LL0zks\":\"Μπορεί να αποτελέσει εγγύηση\",\"LLdJWu\":\"Διεκδικήσιμο AAVE\",\"LSIpNK\":\"Δεν επιτρέπεται ο δανεισμός και η αποπληρωμή στο ίδιο block\",\"LVt3TI\":[\"<0>Slippage tolerance <1>\",[\"selectedSlippage\"],\"% <2>\",[\"0\"],\"\"],\"Lhf8zD\":\"Waiting for actions...\",\"Lp2cTp\":\"Eligible for incentives through Merkl.\",\"LvVpD/\":\"Emode\",\"Ly2enB\":\"This will cancel the order via an on-chain transaction. Note that the order will not be marked as cancelled in the CoW Protocol system, but will remain open and expire naturally. Keep in mind that a solver may already have filled your order.\",\"M1RnFv\":\"Expired\",\"M2sknc\":\"Tip: Try increasing slippage or reduce input amount\",\"MKiONF\":\"Activating Cooldown\",\"MOvzXm\":\"Comparing best rates...\",\"MRwaR4\":\"This will require two separate transactions: one to change E-Mode and one to supply.\",\"MZ/nQf\":\"Διεύθυνση παραλήπτη\",\"MZbQHL\":\"No results found.\",\"Ma/MtY\":\"προβολή κλειδώματος\",\"McHlGl\":\"APY change\",\"MeCCA+\":\"APY, μεταβλητό\",\"MghdTe\":\"Εάν ο συντελεστής υγείας πέσει κάτω από το 1, ενδέχεται να ενεργοποιηθεί η ρευστοποίηση των εγγυήσεών σας.\",\"MlRlXX\":\"Current APY\",\"Mm/DVQ\":\"Ακυρώσατε τη συναλλαγή.\",\"MnE2QX\":\"Borrow info\",\"MuDFEQ\":\"Μη έγκυρη τιμή επιστροφής της συνάρτησης εκτελεστή flashloan\",\"My0ZGV\":\"Learn more about the Kernel points distribution\",\"N+3mX2\":\"Please connect your wallet to swap debt.\",\"N39Ax4\":\"Ethereum\",\"N40H+G\":\"All\",\"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\",\"ND1ISA\":\"Weekly Rewards\",\"NF0e1Q\":\"Εκκρεμεί...\",\"NK9ikO\":\"Wallet Balance\",\"NMt2CB\":\"Amount claimable\",\"Na7NlU\":[[\"remainingCustomMessage\"]],\"NcFGxG\":\"Collector Contract\",\"NfpPeS\":\"Τίποτα κλειδωμένο\",\"Nh9DAo\":[[\"m\"],\"λ\"],\"Npz7kI\":\"Inquiry\",\"O+sCUU\":\"Υπέρβαση του ανώτατου ορίου νομισματοκοπείου χωρίς αντίκρισμα\",\"O+tyU+\":[\"Maximum amount available to borrow against this asset is limited because debt ceiling is at \",[\"0\"],\"%.\"],\"O3oNi5\":\"Email\",\"OC4Tzv\":\"here\",\"OFjZGo\":\"Unstake\",\"OR8cYX\":\"Επισκόπηση πρότασης\",\"OYuJ9K\":\"Protocol debt ceiling is at 100% for this asset. Futher borrowing against this asset is unavailable.\",\"OfhWJH\":\"Reset\",\"Og2SKn\":\"απενεργοποιημένο\",\"OiykRd\":\"Deposit GHO\",\"On0aF2\":\"Website\",\"OqAwLU\":\"Protocol APY\",\"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\":\"Κατώτατο όριο ρευστοποίησης\",\"PctCOf\":\"A temporary contract will be used to execute the trade. Your wallet may show a warning for approving a new or empty address.\",\"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.\",\"QONKTE\":\"Merit Rewards\",\"QQYsQ7\":\"Withdrawing\",\"QZEgwS\":\"Execution fee\",\"R+30X3\":\"Δεν έχει επιτευχθεί\",\"R9Khdg\":\"Auto\",\"RCU5PY\":\"Age\",\"RIfckG\":[\"Απενεργοποίηση \",[\"symbol\"],\" ως εγγύηση\"],\"RMtxNk\":\"Διαφορικό\",\"RNK49r\":\"Μη έγκυρη υπογραφή\",\"RS0o7b\":\"Κατάσταση\",\"RTG4/6\":\"There are no stake assets configured for this market\",\"RU+LqV\":\"Λεπτομέρειες πρότασης\",\"RYfdBk\":\"Visit <0><1>https://aave.self.xyz/ to get started with Self’s ZK-powered proof-of-humanity authentication.\",\"RZbjLY\":[\"See \",[\"0\"],\" more\"],\"Rg4K+m\":\"Cannot switch to this category\",\"RiSYV4\":\"Το περιουσιακό στοιχείο δεν περιλαμβάνεται στον κατάλογο\",\"Rj01Fz\":\"Σύνδεσμοι\",\"RmWFEe\":\"Κλείδωμα APR\",\"RtBLm7\":\"Ο συντελεστής υγείας είναι μικρότερος από το όριο ρευστοποίησης\",\"RvF1Ts\":\"stkGHO is now Savings GHO\",\"RxzN1M\":\"Ενεργοποιημένο\",\"SBv4zo\":[[\"0\"],\" collateral would have 0% LTV in this category. Disable \",[\"1\"],\" as collateral to use this option.\"],\"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\",\"SNmu1z\":\"Shares are Umbrella Stake Tokens you receive when staking. They represent your ownership in the pool, and the amount of underlying you can redeem depends on the current exchange rate between shares and the underlying.\",\"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\",\"SZkDmY\":\"The swap could not be completed. Try increasing slippage or changing the amount.\",\"Sa1UE/\":\"Protocol borrow cap is at 100% for this asset. Further borrowing unavailable.\",\"Sk2zW9\":\"Απενεργοποίηση E-Mode\",\"St4jqF\":\"This list may not include all your swaps.\",\"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\":\"Ποινή ρευστοποίησης\",\"TLJkuL\":\"Category assets\",\"TQ7WsV\":\"Available to stake\",\"TUI7iB\":\"To περιουσιακό στοιχείο μπορεί να χρησιμοποιηθεί ως εγγύηση μόνο σε λειτουργία απομόνωσης.\",\"TbjyhA\":\"Docs\",\"TduuS0\":\"Ο χρήστης δεν έχει ανεξόφλητο χρέος σταθερού επιτοκίου σε αυτό το αποθεματικό\",\"Tg1JyO\":\"Bridge history\",\"TszKts\":\"Borrow balance after switch\",\"Tw07Vv\":\"Show assets with small balance\",\"TwJI9F\":\"Asset has been successfully sent to CCIP contract. You can check the status of the transactions below\",\"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.\",\"UMgOim\":\"Send cancel\",\"URmyfc\":\"Λεπτομέρειες\",\"UTTKmT\":\"Stake cooldown activated\",\"UXeR72\":\"Τα κεφάλαια αυτά έχουν δανειστεί και δεν είναι διαθέσιμα για ανάληψη αυτή τη στιγμή.\",\"UYb8CM\":\"Learn more about the SPK rewards\",\"UbRrG0\":\"Ο δείκτης μέγιστου LTV αντιπροσωπεύει τη μέγιστη δανειοληπτική ικανότητα μιας συγκεκριμένης εγγύησης. Για παράδειγμα, εάν μια εγγύηση έχει LTV 75%, ο χρήστης μπορεί να δανειστεί έως και 0,75 ETH στο κύριο νόμισμα για κάθε 1 ETH αξίας εγγύησης.\",\"UiO4Hu\":[\"You'll need to wait \",[\"0\"],\" before you can unstake your tokens. This cooldown starts when you request to unstake. Once it ends, you can withdraw during the unstake window.\"],\"UpndFj\":\"Δεν υπάρχουν ανταμοιβές για διεκδίκηση\",\"V0f2Xv\":\"Reserve factor\",\"V1HK43\":\"Migration risks\",\"V7QGpc\":\"I understand the liquidation risk and want to proceed\",\"V7SFse\":[\"I confirm the swap knowing that I could lose up to <0>\",[\"0\"],\"% on this swap.\"],\"VATFH9\":\"Covered debt\",\"VHOVEJ\":\"Συνδέστε το πορτοφόλι\",\"VMfYUK\":\"Ασφάλεια των κατατεθειμένων εξασφαλίσεών σας έναντι των δανειζόμενων περιουσιακών στοιχείων και της υποκείμενης αξίας τους.\",\"VOAZJh\":\"Σύνολο δανείων\",\"ViKYxK\":\"ΥΠΕΡ\",\"VnQFYr\":\"Claiming all merit rewards only\",\"W1SSoD\":\"Αναθεώρηση λεπτομερειών συναλλαγής\",\"W5hVah\":\"Τίποτα δεν έχει παρασχεθεί ακόμη\",\"W5kTFy\":\"Voting\",\"WHrVwg\":\"Loading quote...\",\"WMJGls\":\"Estimated Costs & Fees\",\"WNGZwH\":\"Το E-Mode αυξάνει το LTV σας για μια επιλεγμένη κατηγορία περιουσιακών στοιχείων έως και <0/>. <1>Μάθετε περισσότερα\",\"WPWG/y\":\"Κατάσταση & διαμόρφωση αποθεματικού\",\"WS67YQ\":\"Let us know how we can help you. You may also consider joining our community\",\"WT188T\":\"Withdraw & Swap\",\"WZLQSU\":\"Ο χρήστης δεν μπορεί να κάνει ανάληψη μεγαλύτερη από το διαθέσιμο υπόλοιπο\",\"WaZyaV\":\"<0>Ampleforth is a rebasing asset. Visit the <1>documentation to learn more.\",\"WbTDwg\":\"In Progress\",\"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\":\"Για να δανειστείτε πρέπει να προσκομίσετε οποιοδήποτε περιουσιακό στοιχείο που θα χρησιμοποιηθεί ως εγγύηση.\",\"X/ITG9\":\"Κείμενο σφάλματος αντιγραφής\",\"X3Pp6x\":\"Χρησιμοποιείται ως εγγύηση\",\"X4Zt7j\":\"Η ενέργεια δεν μπορεί να εκτελεστεί επειδή η εφεδρεία βρίσκεται σε παύση\",\"X4tRM3\":[[\"0\"],\" \",[\"symbol\"],\" to continue\"],\"XBdKOj\":\"Representative smart contract wallet (ie. Safe) addresses on other chains.\",\"XPN5UR\":\"User denied the operation.\",\"XYLcNv\":\"Support\",\"XZzneG\":\"Θα βγείτε από τη λειτουργία απομόνωσης και άλλα tokens μπορούν πλέον να χρησιμοποιηθούν ως εγγύηση\",\"Xe5bTg\":\"Deposit APR\",\"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.\",\"XwKkg/\":\"Staked Underlying\",\"Xy+o6U\":\"For security reasons, limit orders are not supported for Native tokens. To place a limit order, use the wrapped version.\",\"Xy71ST\":\"Umbrella\",\"Y+hUcK\":\"Merit Program and Self rewards can be claimed\",\"Y46iXX\":\"The order could't be filled.\",\"Y5Orec\":\"Collateral options\",\"Y5kGkc\":\"ΨΗΦΙΣΤΕ ΚΑΤΑ\",\"YD+nXc\":\"Aave Shield\",\"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.\",\"Ya/che\":\"Stake token shares\",\"Ykj2Om\":\"Default slippage\",\"YogbCJ\":\"Testnet mode is ON\",\"YrDxdO\":\"Εάν το δάνειο προς αξία υπερβεί το όριο ρευστοποίησης, η παρεχόμενη εγγύηση σας μπορεί να ρευστοποιηθεί.\",\"YrcHPy\":\"VIEW\",\"YyIM65\":\"Δεν τηρήθηκαν οι όροι επανεξισορρόπησης των επιτοκίων\",\"YyydIq\":[\"Add \",[\"0\"],\" to wallet to track your balance.\"],\"Z3FXyt\":\"Loading...\",\"Z99M+T\":\"This is an off-chain operation. Keep in mind that a solver may already have filled your order.\",\"ZBvhI+\":\"Διακυβέρνηση Aave\",\"ZIIRAd\":\"Raw-Ipfs\",\"ZRq4tX\":\"Λειτουργία αποδοτικότητας (E-Mode)\",\"ZRuM45\":\"These are the estimated costs associated with your limit swap, including costs and fees. Consider these costs when setting your order amounts to help optimize execution and maximize your chances of filling the order.\",\"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\",\"aCgA+I\":\"E-Mode change\",\"aEtiwq\":\"Ψηφίστε ΚΑΤΑ\",\"aMmFE1\":\"Buy Crypto With Fiat\",\"aOKIms\":\"Οι παράμετροι της συστοιχίας που θα έπρεπε να είναι ίσου μήκους δεν είναι\",\"aQYztl\":[\"Repaying \",[\"0\"]],\"aXgo8+\":\"from the\",\"adUsDd\":\"An error has occurred fetching the proposal.\",\"afk1Wt\":[\"This asset can only be used as collateral in E-Mode: \",[\"0\"]],\"aoXTT7\":\"Δανεισμός APY, μεταβλητό\",\"aqX1Yp\":\"This asset is eligible for rewards through SuperFest. Aave Labs does not guarantee the program and accepts no liability.\",\"b4NS3e\":\"Προειδοποίηση περιόδου ψύξης\",\"bBHmeP\":\"Available to withdraw\",\"bNEQeI\":\"Cooldown\",\"bUUVED\":\"Περιουσιακό στοιχείο\",\"bXQ/Og\":\"Μοιραστείτε το στο twitter\",\"bXr0ee\":\"Τα απομονωμένα περιουσιακά στοιχεία έχουν περιορισμένη δανειοληπτική ικανότητα και άλλα περιουσιακά στοιχεία δεν μπορούν να χρησιμοποιηθούν ως εγγύηση.\",\"bYmAV1\":\"Addresses\",\"bYtb3C\":\"Network costs\",\"bguKoJ\":\"Το αιτούμενο ποσό είναι μεγαλύτερο από το μέγιστο μέγεθος δανείου στη λειτουργία σταθερού επιτοκίου\",\"bm/mjh\":\"This is a program initiated and implemented by the Aave Chan Initiative (ACI). Aave Labs does not guarantee the program and accepts no liability.\",\"bq0uL+\":\"supply\",\"bwSQI0\":\"Προσφορά\",\"bxN6EM\":\"Cannot disable E-Mode\",\"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.\",\"cc6gEH\":\"Incentives APR\",\"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\"]],\"cqwIvs\":\"Συζήτηση φόρουμ\",\"csDS2L\":\"Διαθέσιμο\",\"cu7Stb\":\"Δεν συμμετείχατε στην παρούσα πρόταση\",\"cuxGZP\":\"Low health factor after swap. Your position will carry a higher risk of liquidation.\",\"d9YZVR\":\"Principle Tokens\",\"dE6BLF\":\"Διακυβέρνηση\",\"dEgA5A\":\"Cancel\",\"dIsyWh\":\"Η επικύρωση του Ltv απέτυχε\",\"dOB5nW\":[\"Maximum amount available to supply is <0/> \",[\"0\"],\" (<1/>).\"],\"dVfODp\":\"Δεν έχετε αρκετά χρήματα στο πορτοφόλι σας για να αποπληρώσετε ολόκληρο το ποσό. Εάν προχωρήσετε στην αποπληρωμή με το τρέχον ποσό των χρημάτων σας, θα εξακολουθείτε να έχετε μια μικρή θέση δανεισμού στο ταμπλό σας.\",\"dXUQFX\":\"Περιουσιακά στοιχεία προς δανεισμό\",\"dYG3JG\":\"Data couldn't be loaded.\",\"dZQvSq\":\"Please review the swap values before confirming.\",\"dfDzrk\":[\"Supply cap reached for \",[\"symbol\"],\". Reduce the amount or choose a different asset.\"],\"dgr1aY\":\"Borrowing is disabled due to an Aave community decision. <0>More details\",\"djsg0o\":\"Χρησιμοποίηση εγγυήσεων\",\"drdV8R\":\"Liquidation\",\"dxW8cS\":\"Aave debt token\",\"e/ghIe\":[\"This transaction will enable E-Mode (\",[\"0\"],\"). Borrowing will be restricted to assets within this category.\"],\"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\",\"eQ0Wu0\":\"Please connect a wallet to view your balance here.\",\"eVpCmf\":\"Staking Rewards\",\"eVqvtf\":\"Bridge GHO\",\"eYdurp\":\"No transactions yet.\",\"ebLGGN\":\"Σύνολο δανεικών\",\"ecqEvn\":\"Το υπόλοιπο των εγγυήσεων είναι 0\",\"edXiYw\":[\"You've successfully swapped \",[\"0\"],\".\"],\"efdrrk\":\"Available on\",\"enruNF\":\"starts\",\"eqLYiD\":\"Ξεκλειδώστε τώρα\",\"evw5ha\":\"Καθαρή αξία\",\"ezcU16\":\"Get ABP Token\",\"f2e3vu\":[\"Deposit GHO into savings GHO (sGHO) and earn <0>\",[\"0\"],\"% APY on your GHO holdings. There are no lockups, no rehypothecation, and you can withdraw anytime. Simply deposit GHO, receive sGHO tokens representing your balance, and watch your savings grow earning claimable rewards from merit.\"],\"f3W0Ej\":[\"Αλλάξατε σε ποσοστό \",[\"0\"]],\"fMJQZK\":\"Borrowed\",\"fZ5Vnu\":\"Received\",\"firl9Q\":\"Το τρέχον δάνειο προς αξία με βάση τις παρεχόμενες εξασφαλίσεις σας.\",\"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\",\"g4Ius4\":\"This is the fee for executing position changes, set by governance.\",\"g8KGoA\":\"FAQS\",\"g9zzqS\":\"Voted NAY\",\"gDd2gk\":\"about SuperFest.\",\"gIMJlW\":\"Λειτουργία Testnet\",\"gK+IvE\":\"Withdraw and Swap\",\"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\",\"gjxiVa\":[\"This swap has a price impact of \",[\"0\"],\"%, which exceeds the 25% safety threshold. To proceed, disable Aave Shield in the settings menu.\"],\"goff7V\":\"Η μηδενική διεύθυνση δεν είναι έγκυρη\",\"gvTM4B\":\"Το καθαρό ΑΡΥ είναι η συνδυασμένη επίδραση όλων των θέσεων προσφοράς και δανεισμού στην καθαρή αξία, συμπεριλαμβανομένων των κινήτρων. Είναι δυνατόν να υπάρχει αρνητικό καθαρό APY εάν το χρεωστικό APY είναι υψηλότερο από το προσφερόμενο APY.\",\"gzcch9\":\"Μη έγκυρη αμοιβή πρωτοκόλλου γέφυρας\",\"h33MxW\":\"Representing smart contract wallet (ie. Safe) addresses on other chains.\",\"h3ilK+\":\".CSV\",\"h5hG6q\":\"This is the cost of settling your order on-chain, including gas and any LP fees.\",\"hB23LY\":\"Activate Cooldown\",\"hIJzBh\":\"Available to Claim\",\"hIS4N0\":\"Καθαρό APY\",\"hQRttt\":\"Submit\",\"hRWvpI\":\"Claimed\",\"hStpnK\":\"Other Chains\",\"hb8ajh\":\"Debt Swap\",\"hdmy/o\":\"Το % της συνολικής δανειοληπτικής σας δύναμης που χρησιμοποιείται. Αυτό βασίζεται στο ποσό της παρεχόμενης εξασφάλισής σας και στο συνολικό ποσό που μπορείτε να δανειστείτε.\",\"hehnjM\":\"Ποσό\",\"hjDCQr\":\"Υπήρξε κάποιο σφάλμα. Προσπαθήστε να αλλάξετε τις παραμέτρους ή <0><1>αντιγράψτε το σφάλμα\",\"hom7qf\":\"Διεκδίκηση\",\"hpHJ4I\":\"Liquidated collateral\",\"hrhwub\":\"dashboard\",\"huQ6Tz\":[\"Δανεισμός \",[\"symbol\"]],\"hxYu+F\":\"Borrow: All eligible assets\",\"i/fZ2Z\":\"Staked Balance\",\"i9qiyR\":\"Expires in\",\"iB5+/J\":\"About GHO\",\"iChbOF\":\"Ασυνεπείς παράμετροι flashloan\",\"iEPVHF\":\"Δεν έχει αρκετή δύναμη ψήφου για να συμμετάσχει στην παρούσα πρόταση\",\"iEW87X\":\"Delegated power\",\"iEju36\":[\"Ψηφίσατε \",[\"0\"]],\"iFq2YN\":\"Borrowable\",\"iGxyIA\":\"Safety Module\",\"iIuDE1\":\"Estimated weekly rewards based on your current sGHO balance and APR. Actual rewards may vary depending on market conditions.\",\"iKfD53\":\"Transaction history for Plasma not supported yet, coming soon.\",\"iMVZk9\":\"Select slippage tolerance\",\"iNYgey\":\"Get Support\",\"iPMIoT\":\"Εισάγετε ένα ποσό\",\"iSLIjg\":\"Connect\",\"iUo5rv\":\"tokens δεν είναι το ίδιο με το να τα κλειδώνετε. Εάν επιθυμείτε να κλειδώσετε τα\",\"iZxa38\":\"Use it to vote for or against active proposals.\",\"iboNXd\":\"Amount received\",\"iddNqA\":\"This transaction will disable E-Mode. All assets will revert to their base LTV and liquidation thresholds.\",\"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\"],\"ih/VjN\":\"Staking this amount will reduce your health factor and increase risk of liquidation.\",\"il0sEG\":\"H χρήση εγγυήσεων είναι περιορισμένη λόγω της λειτουργίας Απομόνωσης.\",\"j+K1Xj\":\"Amount After Fee\",\"j4SXZo\":\"Claim all merit rewards\",\"j7JHV+\":\"Total APY\",\"j8cF1R\":\"Cooling down\",\"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\",\"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.\",\"jZkYWO\":\"Boosted LTV\",\"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 για να αποκτήσετε πρόσβαση σε όλα τα περιουσιακά στοιχεία\",\"jqVo/k\":\"here.\",\"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\"],\"kMi0nz\":\"sGHO Merit APY History\",\"kN1Yg5\":\"Για την εξόφληση εκ μέρους ενός χρήστη απαιτείται ένα ρητό ποσό προς εξόφληση\",\"kNiQp6\":\"Pinned\",\"kRTD40\":[\"Repayment amount to reach \",[\"0\"],\"% utilization\"],\"kgKqPv\":\"You can not stake this amount because it will cause collateral call\",\"kj3M8S\":\"Deposit\",\"kjN9tT\":\"Υπέρβαση του ανώτατου ορίου προσφοράς\",\"kn+s7w\":[[\"0\"],\" collateral would have 0% LTV without E-Mode. Disable \",[\"1\"],\" as collateral to use this option.\"],\"knxE+G\":\".JSON\",\"ks2LWT\":\"Το ανώτατο όριο χρέους δεν είναι μηδενικό\",\"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.\",\"kzeZTm\":\"LTV\",\"lCF0wC\":\"Refresh\",\"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.\",\"lXb3Ih\":[\"This asset has 0 LTV and cannot be used as collateral. Enable an E-Mode to use \",[\"symbol\"],\" as collateral.\"],\"lXj2Sq\":\"Repay with Collateral\",\"lYGfRP\":\"Αγγλικά\",\"lfEjIE\":\"Μάθετε περισσότερα στον οδηγό <0>Συχνών Ερωτήσεων\",\"ljF4ko\":\"The selected rate is lower than the market price. You might incur a loss if you proceed.\",\"lqCWte\":[\"Deposit GHO and earn \",[\"0\"],\"% APY\"],\"lu7f+8\":\"Blocked by Shield\",\"m/IEhi\":\"Συνολικές εκπομπές ανά ημέρα\",\"m7r7Hh\":\"Selected borrow assets\",\"mDDK4p\":\"Balancer Pool\",\"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.\"],\"me5LMQ\":\"Checking approval\",\"mogZv0\":\"Favourite\",\"muiOng\":[\"Buy \",[\"cryptoSymbol\"],\" with Fiat\"],\"mvCXBY\":\"Stake AAVE\",\"mwdzil\":\"Εντάξει, Κλείσιμο\",\"mzDAU3\":\"Savings GHO (sGHO)\",\"mzdIia\":\"Το περιουσιακό στοιχείο δεν μπορεί να χρησιμοποιηθεί ως εγγύηση.\",\"n+SX4g\":\"Προγραμματιστές\",\"n1na81\":\"No eligible assets to swap.\",\"n4PWtp\":\"Depositing\",\"nJIhzm\":\"Προσφορά apy\",\"nJgsQu\":\"Με δύναμη ψήφου <0/>\",\"nLC6tu\":\"Γαλλικά\",\"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\",\"nPGNMh\":\"Μπορεί να εκτελεστεί\",\"nUK1ou\":[\"Assets with zero LTV (\",[\"0\"],\") must be withdrawn or disabled as collateral to perform this action\"],\"neITkT\":\"This asset has 0% LTV, meaning it does not contribute to borrowing power. Existing positions with this asset as collateral still count toward the liquidation threshold and protect your health factor. New positions cannot enable this asset as collateral.\",\"njBeMm\":\"Both\",\"ntyFSE\":[[\"h\"],\"ω\"],\"nwIsn4\":\"After the cooldown is initiated, you will be able to withdraw your assets immediatley.\",\"nweCqF\":\"Cancelling order...\",\"nwtY4N\":\"Something went wrong\",\"nxyWvj\":\"Withdrawing this amount will reduce your health factor and increase risk of liquidation.\",\"o17QVP\":\"Ο συντελεστής υγείας και το δάνειο προς αξία καθορίζουν τη διασφάλιση των εξασφαλίσεών σας. Για να αποφύγετε τις ρευστοποιήσεις μπορείτε να παράσχετε περισσότερες εξασφαλίσεις ή να εξοφλήσετε δανειακές θέσεις.\",\"o1xc2V\":\"Η προσφορά AToken δεν είναι μηδενική\",\"o5ooMr\":\"Χρέος\",\"o7J4JM\":\"Φίλτρο\",\"o7Yloh\":\"Learn more about the Ether.fi program\",\"oHFrpj\":\"Ψύξτε για ξεκλείδωμα\",\"oJ5ZiG\":\"Ο χρήστης δεν έχει ανεξόφλητο χρέος μεταβλητού επιτοκίου σε αυτό το αποθεματικό\",\"oUwXhx\":\"Test Assets\",\"oWQnqT\":\"Staking this asset will earn the underlying asset supply yield in addition to other configured rewards.\",\"oWklJD\":\"Το σταθερό επιτόκιο θα <0>μείνει το ίδιο για όλη τη διάρκεια του δανείου σας. Συνιστάται για μακροχρόνιες περιόδους δανεισμού και για χρήστες που προτιμούν την προβλεψιμότητα.\",\"odnIK3\":\"Time remaining until the 48 hour withdraw period starts.\",\"ogU9GD\":\"Target liquidity\",\"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.\",\"om/XHs\":\"Διαθέσιμο για προμήθεια\",\"omq5qJ\":\"Claiming all protocol rewards and merit rewards together\",\"ovBPCi\":\"Default\",\"ovT1pF\":[\"Per the community, the \",[\"market\"],\" has been frozen.\"],\"ow3fug\":\"Nothing found\",\"owSsI3\":\"Signatures ready\",\"p+R52m\":\"Go to Balancer Pool\",\"p2S64u\":\"The loan to value of the migrated positions would cause liquidation. Increase migrated collateral or reduce migrated borrow to continue.\",\"p2Z2Qi\":\"Αυτό το περιουσιακό στοιχείο έχει φθάσει στο ανώτατο όριο δανεισμού του. Τίποτα δεν είναι διαθέσιμο για δανεισμό από αυτή την αγορά.\",\"p45alK\":\"Set up delegation\",\"pDgeaz\":[[\"title\"]],\"pdZqBk\":\"Το υποκείμενο υπόλοιπο πρέπει να είναι μεγαλύτερο από 0\",\"pgWG9H\":\"Δεν υπάρχει αρκετό κλειδωμένο υπόλοιπο\",\"ph9+uj\":[\"Switching to \",[\"networkName\"],\"...\"],\"piPrJ7\":\"παρακαλούμε ελέγξτε ότι το ποσό που θέλετε να παρέχετε δεν χρησιμοποιείται επί του παρόντος για κλείδωμα. Εάν χρησιμοποιείται για κλείδωμα, η συναλλαγή σας ενδέχεται να αποτύχει.\",\"pjO/iH\":\"Minimum amount received\",\"pooutM\":\"Voting is on\",\"pqaM5s\":\"Confirming transaction\",\"ptaxX3\":[\"Καταλαβαίνω πώς λειτουργεί η ψύξη (\",[\"0\"],\") και το ξεκλείδωμα (\",[\"1\"],\")\"],\"pup/ej\":\"Net Protocol Incentives\",\"py2iiY\":\"Ο καλών αυτής της συνάρτησης πρέπει να είναι ένα κοινόχρηστο ταμείο\",\"q/51mF\":\"Migrate to V3\",\"q3df11\":\"Interest rate strategy\",\"q6lAbz\":\"Κλειδωμένο\",\"qB4kPi\":\"Προσφορά APY\",\"qENI8q\":\"Γενικές ρυθμίσεις\",\"qGz5zl\":\"Collateral balance after repay\",\"qKfida\":\"Staked tokens are wrapped and use an exchange rate. You may see fewer token shares, but the value matches your deposit and will grow as yield accrues.\",\"qOqbD6\":\"αντιγράψτε το σφάλμα\",\"qXCkEM\":\"Συνδέστε το πορτοφόλι σας για να δείτε τις προμήθειες, τα δάνεια και τις ανοιχτές θέσεις σας.\",\"qY2jnw\":\"Μη έγκυρη λήξη\",\"qhhf9L\":\"Rewards available to claim\",\"qtS7wW\":\"Thank you for voting\",\"quYPUU\":\"Variable interest rate will <0>fluctuate based on the market conditions.\",\"quzIeW\":\"User is in isolation mode or LTV is zero\",\"qvnz3q\":\"Μη έγκυρη ποσότητα προς καύση\",\"qz6JVE\":[\"Your order amounts are \",[\"0\"],\" less favorable by \",[\"1\"],\"% to the liquidity provider than recommended. This order may not be executed.\"],\"qz9c6b\":[\"Repaying \",[\"0\"],\" with \",[\"1\"]],\"qzFp5D\":\"All Categories\",\"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\",\"riNWOA\":\"E-Mode\",\"rjGI/Q\":\"Privacy\",\"rnKPW1\":\"Watch a wallet balance in read-only mode\",\"rojvRp\":\"Approval by signature not available\",\"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\",\"t/ct9N\":\"Auto Slippage\",\"tBIz3I\":[\"Supply \",[\"0\"],\" and double your yield by <0><1>verifying your humanity through Self for \",[\"1\"],\" per user.\"],\"tCnbEs\":\"Τιμή Oracle\",\"tFZLf8\":\"Αυτός ο υπολογισμός gas είναι μόνο μια εκτίμηση. Το πορτοφόλι σας θα καθορίσει την τιμή της συναλλαγής. Μπορείτε να τροποποιήσετε τις ρυθμίσεις gas απευθείας από τον πάροχο του πορτοφολιού σας.\",\"tHuvQI\":\"Go to V3 Dashboard\",\"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\"],\"tVJk4q\":\"Cancel order\",\"te9Bfl\":\"Παρακαλώ, συνδέστε το πορτοφόλι σας\",\"tj6dr4\":\"Merit Program rewards can be claimed\",\"tt5yma\":\"Οι προμήθειές σας\",\"tw6G0s\":[\"You must disable \",[\"0\"],\" as collateral before exiting E-Mode. These assets have 0 LTV outside of E-Mode and cannot be used as collateral.\"],\"u3ZeYl\":\"Η συναλλαγή απέτυχε\",\"u706uF\":\"Άκυρη πριμοδότηση flashloan\",\"u8Gfu7\":[\"No search results\",[\"0\"]],\"uAQUqI\":\"Status\",\"uGG4Lk\":\"Claim all protocol rewards\",\"uHMwk8\":\"No assets selected to migrate.\",\"uI3SjW\":\"Connection Error\",\"uJOI6M\":\"Tip: Try improving your order parameters\",\"uJPHuY\":\"Migrating\",\"uRXR6h\":[\"Swap \",[\"0\"],\" debt\"],\"uZiu4N\":\"There is an active order for the same sell asset (avoid nonce reuse).\",\"udFheE\":\"Για την αποπληρωμή ενός συγκεκριμένου τύπου χρέους, ο χρήστης πρέπει να έχει χρέος αυτού του τύπου\",\"ulNuNq\":\"Export data to\",\"ulup2p\":\"Buy Crypto with Fiat\",\"usB84Z\":\"Maximum amount available to borrow is limited because protocol borrow cap is nearly reached.\",\"uyLjNw\":\"Custom slippage\",\"v+Fu0z\":\"This asset is eligible for Kernel points incentive program. Aave Labs does not guarantee the program and accepts no liability.\",\"v0CIlJ\":\"You have no rewards to claim at this time.\",\"v8x7Mg\":\"Insufficient collateral to cover new borrow position. Wallet must have borrowing power remaining to perform debt switch.\",\"vEqxH9\":\"Restaked\",\"vH2C/2\":\"Swap\",\"vLyv1R\":\"Απόκρυψη\",\"vMba49\":\"Ο δανεισμός δεν είναι ενεργοποιημένος\",\"vMpNwt\":\"Approve with\",\"vNAHA2\":\"PTs\",\"vXIe7J\":\"Γλώσσα\",\"vesuBJ\":\"Σας επιτρέπει να αποφασίσετε αν θα χρησιμοποιήσετε ένα παρεχόμενο περιουσιακό στοιχείο ως εγγύηση. Ένα περιουσιακό στοιχείο που χρησιμοποιείται ως εγγύηση θα επηρεάσει τη δανειοληπτική σας ικανότητα και τον συντελεστή υγείας.\",\"vv7kpg\":\"Cancelled\",\"w+V9Cx\":\"Σταθερό νόμισμα\",\"w/JtJ3\":\"Η σταθερή προσφορά χρέους δεν είναι μηδενική\",\"w1f8Ky\":\"Savings GHO\",\"w4VBY+\":\"Ανταμοιβές APR\",\"w9dLMW\":[[\"label\"]],\"wAOL+X\":[\"Εσείς \",[\"action\"],\" <0/> \",[\"symbol\"]],\"wBIsjb\":\"Discord channel\",\"wQZbc/\":\"Ο καλών της συνάρτησης δεν είναι AToken\",\"wRRqvW\":\"Δεν έχετε προμήθειες σε αυτό το νόμισμα\",\"wZFvVU\":\"ΨΗΦΙΣΤΕ ΥΠΕΡ\",\"wapGcj\":[[\"message\"]],\"wb/r1O\":[\"Βρύση \",[\"0\"]],\"wdxz7K\":\"Source\",\"weC8IO\":\"All Rewards\",\"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.\",\"wjFWDB\":\"No markets found\",\"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\",\"wuMdlk\":[\"This asset is eligible for \",[\"0\"],\" Sonic Rewards.\"],\"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.\",\"x+QJ9y\":[\"Category \",[\"selectedEmodeId\"]],\"x0TRLG\":[\"Repay your \",[\"0\"],\" \",[\"1\",\"plural\",{\"one\":\"borrow\",\"other\":\"borrows\"}],\" to use this category.\"],\"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\"]],\"yRkqG9\":\"Limit\",\"yYHqJe\":\"Μη έγκυρη διεύθυνση\",\"yZ5ngq\":\"Transaction details not available\",\"yZwLw6\":\"Track wallet\",\"yh2sjd\":[\"Price impact \",[\"0\"],\"%\"],\"yhvj6d\":\"Δεν μπορείτε να αλλάξετε τη χρήση ως λειτουργία εγγύησης για αυτό το νόμισμα, διότι θα προκαλέσει κλήση εγγύησης\",\"ylmtBZ\":\"The app is running in fork mode.\",\"ymNY32\":[\"Δεν υπάρχουν αρκετά κεφάλαια στο\",[\"0\"],\"αποθεματικό για δανεισμό\"],\"yv/Kz/\":\"Back home\",\"yz7wBu\":\"Κλείσιμο\",\"z4uGQg\":\"Υπέρβαση του ανώτατου ορίου χρέους\",\"z5JUmg\":[\"Estimated costs are \",[\"0\"],\"% of the sell amount. This order is unlikely to be filled.\"],\"z5UQOM\":\"Η εγγύηση που έχει επιλεγεί δεν μπορεί να ρευστοποιηθεί\",\"z5Y+p6\":[\"Παροχή \",[\"symbol\"]],\"zCjNKs\":\"Η ενέργεια δεν μπορεί να εκτελεστεί επειδή το αποθεματικό έχει παγώσει\",\"zNgzxM\":\"Excludes variable supply APY\",\"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\",\"zZmf1N\":\"Filled\",\"zgtIDV\":\"Υπολειπόμενο χρέος\",\"zmTPiV\":\"Υπόλοιπο προσφοράς\",\"zpPbZl\":\"Liquidation risk parameters\",\"zqp4Tm\":\"Unable to Connect\",\"zr58Jd\":\"Umbrella is the upgraded version of the Safety Module. Manage your previously staked assets\",\"zucql+\":\"Μενού\",\"zv/j10\":[\"Active \",[\"0\"],\" borrow is not compatible with this category. Repay your \",[\"1\"],\" borrow to use this option.\"],\"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.\",\"+EGVI0\":\"Receive (est.)\",\"+Tzhaj\":\"You've successfully swapped borrow position.\",\"+eOPG+\":\"Φαίνεται ότι δεν μπορούμε να αλλάξουμε το δίκτυο αυτόματα. Ελέγξτε αν μπορείτε να το αλλάξετε από το πορτοφόλι.\",\"+kLZGu\":\"Supplied asset amount\",\"/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\",\"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\",\"1Onqx8\":[\"Έγκριση του \",[\"symbol\"],\"...\"],\"1m9Qqc\":\"Withdrawing and Switching\",\"1oyh4g\":\"Borrow rate\",\"2Q4GU4\":\"Blocked Address\",\"2bAhR7\":\"Meet GHO\",\"2o/xRt\":\"Επίτευξη του ανώτατου ορίου εφοδιασμού στο αποθεματικό-στόχο. Δοκιμάστε να \\nμειώσετε την ποσότητα.\",\"3O8YTV\":\"Total interest accrued\",\"4iPAI3\":\"Minimum GHO borrow amount\",\"6NGLTR\":\"Discountable amount\",\"6yAAbq\":\"APY, borrow rate\",\"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\",\"7sofdl\":\"Withdraw and Switch\",\"9rWaKF\":\"Bridged Via CCIP\",\"ARu1L4\":\"Repaid\",\"B6aXGH\":\"Σταθερό\",\"B9Gqbz\":\"Variable rate\",\"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.\",\"BjLdl1\":\"At a discount\",\"CMHmbm\":\"Slippage\",\"DxfsGs\":\"You can report incident to our <0>Discord or<1>Github.\",\"EBL9Gz\":\"COPIED!\",\"ES8dkb\":\"Fixed rate\",\"GoK/QN\":\"Thank you for submitting feedback!\",\"H6Ma8Z\":\"Discount\",\"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.\",\"HrnC47\":\"Save and share\",\"JK9zf1\":[\"Estimated compounding interest, including discount for Staking \",[\"0\"],\"AAVE in Safety Module.\"],\"JU6q+W\":\"Ανταμοιβή(ες) προς διεκδίκηση\",\"K05qZY\":\"Withdraw & Switch\",\"KRpokz\":\"VIEW TX\",\"KZwRuD\":[[\"notifyText\"]],\"LDzfVJ\":\"Send Feedback\",\"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\",\"MIy2RJ\":\"Maximum amount received\",\"MrmQHg\":\"View Bridge Transactions\",\"N7dVh7\":\"Swap to\",\"QSh9Sn\":\"Swapped\",\"QWYCs/\":\"Stake GHO\",\"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.\",\"RoafuO\":\"Send feedback\",\"SSMiac\":\"Failed to load proposal voters. Please refresh the page.\",\"TeCFg/\":\"Borrow rate change\",\"TskbEN\":\"Holders of stkAAVE receive a discount on the GHO borrowing rate\",\"TtZL6q\":\"Discount model parameters\",\"Tz0GSZ\":\"blocked activities\",\"UE3KJZ\":\"Transaction history is not currently available for this market\",\"W8ekPc\":\"Back to Dashboard\",\"WMPbRK\":\"Μη υποστηριζόμενο\",\"YirHq7\":\"Feedback\",\"aX31hk\":\"Your balance is lower than the selected amount.\",\"al6Pyz\":\"Exceeds the discount\",\"avgETN\":\"Eligible for the Merit program.\",\"bSc4Zw\":\"Swaping\",\"bSruit\":\"ZKSync Ignite Program rewards are claimed through the\",\"bxmzSh\":\"Δεν υπάρχουν επαρκείς εγγυήσεις για την αποπληρωμή αυτού του ποσού χρέους με\",\"cqnmnD\":\"Effective interest rate\",\"dMtLDE\":\"to\",\"dpc0qG\":\"Μεταβλητό\",\"euScGB\":\"APY with discount applied\",\"fHcELk\":\"Καθαρό APR\",\"flRCF/\":\"Staking discount\",\"gncRUO\":\"This address is blocked on app.aave.com because it is associated with one or more\",\"gp+f1B\":\"Version 3\",\"gr8mYw\":\"You may borrow up to <0/> GHO at <1/> (max discount)\",\"hpuVIp\":\"Users who stake AAVE in Safety Module (i.e. stkAAVE holders) receive a discount on GHO borrow interest rate.\",\"hxi7vE\":\"Borrow balance\",\"i2JTiw\":\"You may enter a custom amount in the field.\",\"jMam5g\":[[\"0\"],\" Υπόλοιπο\"],\"jpctdh\":\"View\",\"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.\",\"lNVG7i\":\"Select an asset\",\"lt6bpt\":\"Collateral to repay with\",\"mIM0qu\":\"Expected amount to repay\",\"mUAFd6\":\"Version 2\",\"mzI/c+\":\"Download\",\"n8Psk4\":\"We couldn’t detect a wallet. Connect a wallet to stake and view your balance.\",\"nOy4ob\":\"We suggest you go back to the Dashboard.\",\"nakd8r\":\"stkAAVE holders get a discount on GHO borrow rate\",\"nh2EJK\":[\"Παρακαλώ μεταβείτε στο \",[\"networkName\"],\".\"],\"ntkAoE\":\"Discount applied for <0/> staking AAVE\",\"o4tCu3\":\"Borrow APY\",\"olREoo\":\"All borrow positions outside of this category must be closed to enable this category.\",\"ov0+mq\":\"Eligible for the ZKSync Ignite program.\",\"p2A+s1\":[\"Η περίοδος ψύξης είναι \",[\"0\"],\". Μετά την \",[\"1\"],\" περίοδο ψύξης, θα εισέλθετε στο παράθυρο ξεκλειδώματος \",[\"2\"],\". Θα συνεχίσετε να λαμβάνετε ανταμοιβές κατά τη διάρκεια της ψύξης και του παραθύρου ξεκλειδώματος.\"],\"p3j+mb\":\"Το υπόλοιπο της ανταμοιβής σας είναι 0\",\"p6u2s1\":\"Minimum amount of debt to be repaid\",\"qFD/ij\":\"You've successfully withdrew & swapped tokens.\",\"qT4Lfg\":\"You've successfully swapped tokens.\",\"qf/fr+\":\"Interest accrued\",\"rf8POi\":\"Borrowed asset amount\",\"ruc7X+\":\"Add stkAAVE to see borrow APY with the discount\",\"t81DpC\":[\"Approve \",[\"symbol\"],\" to continue\"],\"umICAY\":\"<0><1><2/>Add stkAAVE to see borrow rate with discount\",\"uwAUvj\":\"COPY IMAGE\",\"wyi0tk\":\"Swap borrow position\",\"yW1oWB\":\"Τύπος APY\",\"zevmS2\":\"<0><1><2/>Add <3/> stkAAVE to borrow at <4/> (max discount)\",\"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 ce460b0531..4e9194b9d9 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.\"],\"+5vxU4\":\"Reward APY at target liquidity\",\"+9RBfc\":\"Thank you for submitting your inquiry!\",\"+F6nAX\":\"Save with sGHO\",\"+KaZP2\":\"Aave Labs does not guarantee the program and accepts no liability.\",\"+Nk14N\":\"Savings GHO token\",\"+VR63W\":[\"Participating in this \",[\"symbol\"],\" reserve gives annualized rewards.\"],\"+XNrRN\":\"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 restrictions, see the <1>help guide or the <2>Aave V3 Technical Paper.\",\"+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.\",\"+i3Pd2\":\"Borrow cap\",\"+nuEh/\":\"Estimated time\",\"+xMFF8\":\"Remind me\",\"/+Vmgq\":\"Total amount of underlying assets staked. This number represents the combined sum of your original asset and the corresponding aTokens staked in Umbrella.\",\"/1Qot4\":\"Protocol Rewards\",\"/1xACT\":\"Reward APY adjusts with total staked amount, following a curve that targets optimal staking levels.\",\"/57U31\":\"Amount to migrate\",\"/7ykiW\":\"Borrowing this amount will reduce your health factor and increase risk of liquidation.\",\"/FwCXs\":[[\"0\"],\" \",[\"symbol\"],\"...\"],\"/LCAwL\":\"In progress\",\"/ZyLeG\":\"Amount available to unstake\",\"/jQctM\":\"To\",\"/lDBHm\":\"FAQ\",\"/lMWs6\":[\"Deposit GHO and earn up to <0>\",[\"0\"],\"% APY\"],\"/yNlZf\":\"Stable borrowing is not enabled\",\"/yQcJM\":\"Total worth\",\"00AB2i\":\"User did not borrow the specified currency\",\"02/4d1\":\"We suggest you go back to the home page.\",\"0AmQcW\":\"Rate change\",\"0BF3yK\":\"Sorry, we couldn't find the page you were looking for.\",\"0RrIzN\":\"Select token\",\"0TAbjq\":\"Recent Transactions\",\"0jhlyw\":\"Liquidation risk\",\"0ojY+Y\":\"Current v2 Balance\",\"0r31vq\":\"Reward Token\",\"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.\",\"11xQTX\":[\"This asset is eligible for \",[\"0\"],\" Ethena Rewards.\"],\"18GnfY\":[\"Repay \",[\"0\"]],\"1AsVfF\":\"Price data is not currently available for this reserve on the protocol subgraph\",\"1LjK22\":\"Transaction history\",\"1PMU2v\":\"Learn more about the risks.\",\"1Ue8sX\":\"Please connect a wallet to view your personal information here.\",\"1W8DZp\":\"USDT on Ethereum requires approval reset before a new approval. This will require an additional transaction.\",\"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\",\"1t7rez\":\"Asset supply is limited to a certain amount to reduce protocol exposure to the asset and to help manage risks involved.\",\"2/aIvj\":\"Cancellation submited\",\"2C40JO\":[\"This transaction will switch E-Mode from \",[\"0\"],\" to \",[\"1\"],\". Borrowing will be restricted to assets within the new category.\"],\"2Eoi/a\":\"View details\",\"2FYpfJ\":\"More\",\"2O3qp5\":\"Available liquidity\",\"2OIfa1\":\"Please connect your wallet to swap collateral.\",\"2OM8/D\":[\"Asset cannot be migrated due to supply cap restriction in \",[\"marketName\"],\" v3 market.\"],\"2RtYM0\":\"Need help? Our support team can assist.\",\"2RubOP\":\"Initiate Withdraw\",\"2S7oCr\":[\"This asset is eligible for the Ether.fi Loyalty program with a <0>x\",[\"multiplier\"],\" multiplier.\"],\"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.\",\"2eBWE6\":\"I acknowledge the risks involved.\",\"2r2h/U\":\"Total Deposited\",\"2uJToh\":[[\"0\"],[\"name\"]],\"2x1UO0\":\"Favourited\",\"2x58bP\":\"Stable borrowing is enabled\",\"34Qfwy\":\"Borrow cap is exceeded\",\"39eQRj\":[\"Borrow \",[\"symbol\"]],\"3BL1xB\":\"Total supplied\",\"3K0oMo\":\"Remaining supply\",\"3MoZhl\":\"There is not enough collateral to cover a new borrow\",\"3NO6VI\":[[\"0\"],\" Balance\",[\"1\"]],\"3Np5O8\":[\"Supply \",[\"symbol\"]],\"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\",\"4fCwrW\":\"or from the\",\"4lDFps\":\"Sign to continue\",\"4p5njr\":\"Total amount staked\",\"4wyw8H\":\"Transactions\",\"5+lhtA\":\"For swapping safety module assets please unstake your position <0>here.\",\"53r7O1\":[\"High price impact (<0>\",[\"0\"],\"%)! This route will return \",[\"1\"],\" due to low liquidity or small order size.\"],\"5CCqcz\":\"Fees help support the user experience and security of the Aave application. <0>Learn more.\",\"5JSSxX\":[\"Your \",[\"networkName\"],\" wallet is empty. Get free test assets at\"],\"5K3B36\":\"We couldn't find any assets related to your search. Try again with a different category.\",\"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.\"],\"5RzvNm\":\"Aave Shield: Transaction blocked\",\"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\",\"5ty6hB\":\"Claiming individual protocol reward only. Merit rewards excluded - select \\\"claim all\\\" to include merit rewards.\",\"5vxk14\":\"To continue, you need to grant 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\",\"5yC5m5\":\"View all votes\",\"6/dCYd\":\"Overview\",\"60crCe\":\"All transactions\",\"62Xcjh\":\"Collateral\",\"65A04M\":\"Spanish\",\"68ANm7\":\"Withdrawing GHO\",\"6G8s+q\":\"Signing\",\"6Jrv+z\":[\"Repay \",[\"symbol\"]],\"6SC+v0\":[\"Disable \",[\"0\"],\" as collateral to use this category. These assets would have 0% LTV.\"],\"6Xr0UU\":\"Cooling down...\",\"6bxci/\":\"Voting power\",\"6f8S68\":\"Markets\",\"6g1gi0\":\"Proposals\",\"6gvoHP\":\"Copy error message\",\"6h3Q5G\":\"repaid\",\"6lFSyT\":\"Available to Stake\",\"6lGV3K\":\"Show less\",\"6s8L6f\":\"Switch Network\",\"70wH1Q\":\"APR\",\"72c5Qo\":\"Total\",\"75qcAQ\":[[\"stepName\"]],\"7ITr5L\":\"Health factor\",\"7R/kqr\":\"The cooldown period is the time required prior to unstaking your tokens (<0/>). You can only withdraw your assets from the Security Module after the cooldown period and within the unstake window. <1>Learn more\",\"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\",\"7c6Gy8\":\"Learn more about Sonic Rewards program\",\"7er5fP\":\"Claim all\",\"7hb2+s\":\"Time remaining until the withdraw period ends.\",\"7i1oxe\":\"Withdrawing and Swapping\",\"7l88b8\":\"Data couldn't be fetched, please reload graph.\",\"7p5kLi\":\"Dashboard\",\"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\",\"8Xaoyr\":\"View on CCIP Explorer\",\"8Z5FPv\":\"Disconnect Wallet\",\"8Zz7s5\":\"assets\",\"8aLW8H\":\"Balance to revoke\",\"8bOT3H\":\"Utilization Rate\",\"8d61xO\":\"The Ink instance is governed by the Ink Foundation\",\"8sLe4/\":\"View contract\",\"8ss7VF\":\"Transaction cancelled\",\"8t/M0y\":\"Please connect your wallet to be able to bridge your tokens.\",\"8u3DDw\":[\"Swap \",[\"0\"],\" collateral\"],\"8vETh9\":\"Show\",\"93T2Os\":\"Total deposited\",\"94OHPx\":\"You are entering Isolation mode\",\"9CDK3/\":[\"Borrowing is currently unavailable for \",[\"0\"],\".\"],\"9GIj3z\":\"Reserve Size\",\"9ITYjl\":\"%\",\"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.\"],\"9YcC7V\":\"Select Categories\",\"9c6vDV\":\"This asset has reached its supply cap. Nothing is available to be supplied from this market.\",\"9iDHmv\":\"Collateral Swap\",\"9kTWHA\":\"MAI has been paused due to a community decision. Supply, borrows and repays are impacted. <0>More details\",\"9lXchd\":\"Underlying token\",\"9xSooW\":\"Since this is a test network, you can get any of the assets if you have ETH on your wallet\",\"9y0Q0y\":[\"There is not enough liquidity in \",[\"symbol\"],\" to complete this swap. Try lowering the amount.\"],\"9zzsBx\":\"This is a program initiated by the Aave DAO and implemented by Merkl. Aave Labs does not guarantee the program and accepts no liability.\",\"A/lwoe\":\"Choose one of the on-ramp services\",\"A6dCI6\":[\"Maximum amount available to borrow is <0/> \",[\"0\"],\" (<1/>).\"],\"ACUEES\":\"Check errors\",\"AReoaV\":\"Your borrows\",\"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.\",\"B6zvhF\":\"Shares\",\"BDFEd+\":\"stETH supplied as collateral will continue to accrue staking rewards provided by daily rebases.\",\"BE2mP0\":\"Borrowed assets\",\"BNL4Ep\":\"Collateral usage is limited because of isolation mode. <0>Learn More\",\"BQ+4lu\":\"Swap saved in your <0>history section.\",\"BQ/wCO\":\"Migrate your assets\",\"BaCmXf\":\"AAVE 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.\",\"Baj2MJ\":\"Savings\",\"BnhYo8\":\"Asset category\",\"Bo6b9i\":\"Withdraw GHO\",\"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\",\"C4qYyX\":[\"Repay \",[\"0\"],\" with \",[\"1\"]],\"C5jQc6\":\"GHO Balance\",\"C7hM0q\":\"Country (optional)\",\"CDrsH+\":\"Techpaper\",\"CGiscJ\":\"You've successfully submitted an order.\",\"CK1KXz\":\"Max\",\"COUcFd\":\"Points\",\"CZXzs4\":\"Greek\",\"CkTRmy\":[\"Claim \",[\"symbol\"]],\"CrrC++\":\"Position swaps are disabled for this asset due to security reasons.\",\"CsqtLm\":\"Please connect your wallet to see migration tool.\",\"CtGlFb\":[[\"networkName\"],\" Faucet\"],\"CuAHqa\":\"Protocol Incentives\",\"Cxt2YY\":\"Watch wallet\",\"D33VQU\":\"This action will reduce health factor of V3 below liquidation threshold. Increase migrated collateral or reduce migrated borrow to continue.\",\"D4Q4h/\":\"Gas estimation error\",\"D79cZK\":\"Instant\",\"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\"],\"DhaOWH\":\"Stake your Aave aTokens or underlying assets to earn rewards. In case of a shortfall event, your stake may be slashed to cover the deficit.\",\"Dj+3wB\":\"Aave per month\",\"DlRHbH\":\"Claiming all protocol rewards only. Merit rewards excluded - select \\\"claim all\\\" to include merit rewards.\",\"DuEq2K\":\"Collateralization\",\"Dzma+E\":\"Main Ethereum market with the largest selection of assets and yield options\",\"E/QGRL\":\"Disabled\",\"E6UoJs\":\"Estimated compounding 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.\",\"ETtXJg\":\"Share my wallet address to help the support team resolve my issue\",\"EZd3Dk\":[\"Restaking \",[\"symbol\"]],\"Ebgc76\":[\"Withdrawing \",[\"symbol\"]],\"EdQY6l\":\"None\",\"Ef7StM\":\"Unknown\",\"Ehzc//\":[\"Swapping \",[\"0\"],\" debt\"],\"Ekea1N\":\"We couldn't detect a wallet. Connect a wallet to stake and view your balance.\",\"Enslfm\":\"Destination\",\"EvE9nO\":[\"Reactivate cooldown period to unstake \",[\"0\"],\" \",[\"stakedToken\"]],\"EvECnL\":\"Migrate to v3\",\"EyYG53\":\"Get support\",\"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.\",\"F6pfE9\":\"Active\",\"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\",\"G15AUr\":\"Sending cancel...\",\"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\",\"GtP2hp\":[\"Borrowing is unavailable because you’ve enabled Efficiency Mode (E-Mode) for \",[\"0\"],\" category. To manage E-Mode categories visit your <0>Dashboard.\"],\"Gz07IS\":\"Your health factor after this swap will be critically low and may result in liquidation. Please choose a different asset or reduce the swap amount to stay safe.\",\"H1oAjw\":[[\"selectedCount\"],\" Categories\"],\"HB/wfS\":[[\"tooltipText\"]],\"HD4KkW\":[\"Swapping \",[\"0\"],\" collateral\"],\"HKDsQN\":\"Rewards can be claimed through\",\"Hi6Ttn\":\"Sorry, an unexpected error happened. In the meantime you may try reloading the page, or come back later.\",\"HkEDbS\":[[\"d\"],\"d\"],\"HlWGZc\":[\"Your \",[\"0\"],\" balance is lower than the selected amount.\"],\"HmkYqM\":\"Unstake window\",\"HpK/8d\":\"Reload\",\"HtBqo9\":\"sGHO\",\"HtuY7v\":\"Please connect your wallet to swap tokens.\",\"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\"],\"%.\"],\"I4Cxlm\":\"E-Mode required\",\"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.\",\"ILXMQA\":\"The Safety Module has been upgraded to <0>Umbrella, a new system that introduces automated slashing, aToken staking, and improved incentives design.\",\"IN8luu\":\"All done\",\"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\",\"IhAc6F\":\"Costs & Fees\",\"ImxB3A\":\"deposited\",\"IrtO2E\":\"You have assets with zero LTV that are blocking this operation. Please withdraw them or disable them as collateral first.\",\"J/hVSQ\":[[\"0\"]],\"JCoxL6\":\"Manage analytics\",\"JEdlTC\":\"Stablecoins\",\"JOqFba\":[\"Unstaking \",[\"symbol\"]],\"JPHuMW\":\"Swapping\",\"JPhc4G\":\"ETH Correlated\",\"JPrLjO\":\"You can not use this currency as collateral\",\"JYKRJS\":\"Stake\",\"JZMxX0\":\"Not enough balance on your wallet\",\"Jgflkm\":\"Get GHO\",\"JoMQnI\":\"Wallet balance\",\"JtwD8u\":\"Borrow balance after repay\",\"JumYTK\":\"Supplied assets\",\"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\",\"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\",\"KkJaLD\":\"Borrow:\",\"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\",\"KqoLVC\":\"Merkl rewards are claimed through the\",\"KsqhWn\":\"Staking\",\"KuBTQq\":\"Enter ETH address\",\"KvG1xW\":\"Claiming\",\"L+8Lzs\":\"Current LTV\",\"L+qiq+\":\"Market\",\"L2tU22\":\"Learn more about Ethena Rewards program\",\"L3ZyJR\":[[\"popularSectionTitle\"]],\"LEdkyb\":\"Rewards to claim\",\"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\"],\"\"],\"Lhf8zD\":\"Waiting for actions...\",\"Lp2cTp\":\"Eligible for incentives through Merkl.\",\"LvVpD/\":\"Emode\",\"Ly2enB\":\"This will cancel the order via an on-chain transaction. Note that the order will not be marked as cancelled in the CoW Protocol system, but will remain open and expire naturally. Keep in mind that a solver may already have filled your order.\",\"M1RnFv\":\"Expired\",\"M2sknc\":\"Tip: Try increasing slippage or reduce input amount\",\"MKiONF\":\"Activating Cooldown\",\"MOvzXm\":\"Comparing best rates...\",\"MRwaR4\":\"This will require two separate transactions: one to change E-Mode and one to supply.\",\"MZ/nQf\":\"Recipient address\",\"MZbQHL\":\"No results found.\",\"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.\",\"MlRlXX\":\"Current APY\",\"Mm/DVQ\":\"You cancelled the transaction.\",\"MnE2QX\":\"Borrow info\",\"MuDFEQ\":\"Invalid return value of the flashloan executor function\",\"My0ZGV\":\"Learn more about the Kernel points distribution\",\"N+3mX2\":\"Please connect your wallet to swap debt.\",\"N40H+G\":\"All\",\"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\",\"ND1ISA\":\"Weekly Rewards\",\"NF0e1Q\":\"Pending...\",\"NK9ikO\":\"Wallet Balance\",\"NMt2CB\":\"Amount claimable\",\"Na7NlU\":[[\"remainingCustomMessage\"]],\"NcFGxG\":\"Collector Contract\",\"NfpPeS\":\"Nothing staked\",\"Nh9DAo\":[[\"m\"],\"m\"],\"Npz7kI\":\"Inquiry\",\"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\",\"OC4Tzv\":\"here\",\"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\",\"OiykRd\":\"Deposit GHO\",\"On0aF2\":\"Website\",\"OqAwLU\":\"Protocol APY\",\"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\",\"PctCOf\":\"A temporary contract will be used to execute the trade. Your wallet may show a warning for approving a new or empty address.\",\"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.\",\"QONKTE\":\"Merit Rewards\",\"QQYsQ7\":\"Withdrawing\",\"QZEgwS\":\"Execution fee\",\"R+30X3\":\"Not reached\",\"R9Khdg\":\"Auto\",\"RCU5PY\":\"Age\",\"RIfckG\":[\"Disable \",[\"symbol\"],\" as collateral\"],\"RMtxNk\":\"Differential\",\"RNK49r\":\"Invalid signature\",\"RS0o7b\":\"State\",\"RTG4/6\":\"There are no stake assets configured for this market\",\"RU+LqV\":\"Proposal details\",\"RYfdBk\":\"Visit <0><1>https://aave.self.xyz/ to get started with Self’s ZK-powered proof-of-humanity authentication.\",\"RZbjLY\":[\"See \",[\"0\"],\" more\"],\"Rg4K+m\":\"Cannot switch to this category\",\"RiSYV4\":\"Asset is not listed\",\"Rj01Fz\":\"Links\",\"RmWFEe\":\"Staking APR\",\"RtBLm7\":\"Health factor is lesser than the liquidation threshold\",\"RvF1Ts\":\"stkGHO is now Savings GHO\",\"RxzN1M\":\"Enabled\",\"SBv4zo\":[[\"0\"],\" collateral would have 0% LTV in this category. Disable \",[\"1\"],\" as collateral to use this option.\"],\"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\",\"SNmu1z\":\"Shares are Umbrella Stake Tokens you receive when staking. They represent your ownership in the pool, and the amount of underlying you can redeem depends on the current exchange rate between shares and the underlying.\",\"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\",\"SZkDmY\":\"The swap could not be completed. Try increasing slippage or changing the amount.\",\"Sa1UE/\":\"Protocol borrow cap is at 100% for this asset. Further borrowing unavailable.\",\"Sk2zW9\":\"Disabling E-Mode\",\"St4jqF\":\"This list may not include all your swaps.\",\"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\",\"TLJkuL\":\"Category assets\",\"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\",\"Tg1JyO\":\"Bridge history\",\"TszKts\":\"Borrow balance after switch\",\"Tw07Vv\":\"Show assets with small balance\",\"TwJI9F\":\"Asset has been successfully sent to CCIP contract. You can check the status of the transactions below\",\"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.\",\"UMgOim\":\"Send cancel\",\"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.\",\"UiO4Hu\":[\"You'll need to wait \",[\"0\"],\" before you can unstake your tokens. This cooldown starts when you request to unstake. Once it ends, you can withdraw during the unstake window.\"],\"UpndFj\":\"No rewards to claim\",\"V0f2Xv\":\"Reserve factor\",\"V1HK43\":\"Migration risks\",\"V7QGpc\":\"I understand the liquidation risk and want to proceed\",\"V7SFse\":[\"I confirm the swap knowing that I could lose up to <0>\",[\"0\"],\"% on this swap.\"],\"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\",\"VnQFYr\":\"Claiming all merit rewards only\",\"W1SSoD\":\"Review tx details\",\"W5hVah\":\"Nothing supplied yet\",\"W5kTFy\":\"Voting\",\"WHrVwg\":\"Loading quote...\",\"WMJGls\":\"Estimated Costs & Fees\",\"WNGZwH\":\"E-Mode increases your LTV for a selected category of assets up to<0/>. <1>Learn more\",\"WPWG/y\":\"Reserve status & configuration\",\"WS67YQ\":\"Let us know how we can help you. You may also consider joining our community\",\"WT188T\":\"Withdraw & Swap\",\"WZLQSU\":\"User cannot withdraw more than the available balance\",\"WaZyaV\":\"<0>Ampleforth is a rebasing asset. Visit the <1>documentation to learn more.\",\"WbTDwg\":\"In Progress\",\"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.\",\"X/ITG9\":\"Copy error text\",\"X3Pp6x\":\"Used as collateral\",\"X4Zt7j\":\"Action cannot be performed because the reserve is paused\",\"X4tRM3\":[[\"0\"],\" \",[\"symbol\"],\" to continue\"],\"XBdKOj\":\"Representative smart contract wallet (ie. Safe) addresses on other chains.\",\"XPN5UR\":\"User denied the operation.\",\"XYLcNv\":\"Support\",\"XZzneG\":\"You will exit isolation mode and other tokens can now be used as collateral\",\"Xe5bTg\":\"Deposit APR\",\"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.\",\"XwKkg/\":\"Staked Underlying\",\"Xy+o6U\":\"For security reasons, limit orders are not supported for Native tokens. To place a limit order, use the wrapped version.\",\"Xy71ST\":\"Umbrella\",\"Y+hUcK\":\"Merit Program and Self rewards can be claimed\",\"Y46iXX\":\"The order could't be filled.\",\"Y5Orec\":\"Collateral options\",\"Y5kGkc\":\"VOTE NAY\",\"YD+nXc\":\"Aave Shield\",\"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.\",\"Ya/che\":\"Stake token shares\",\"Ykj2Om\":\"Default slippage\",\"YogbCJ\":\"Testnet mode is ON\",\"YrDxdO\":\"If your loan to value goes above the liquidation threshold your collateral supplied may be liquidated.\",\"YrcHPy\":\"VIEW\",\"YyIM65\":\"Interest rate rebalance conditions were not met\",\"YyydIq\":[\"Add \",[\"0\"],\" to wallet to track your balance.\"],\"Z3FXyt\":\"Loading...\",\"Z99M+T\":\"This is an off-chain operation. Keep in mind that a solver may already have filled your order.\",\"ZBvhI+\":\"Aave Governance\",\"ZIIRAd\":\"Raw-Ipfs\",\"ZRq4tX\":\"Efficiency mode (E-Mode)\",\"ZRuM45\":\"These are the estimated costs associated with your limit swap, including costs and fees. Consider these costs when setting your order amounts to help optimize execution and maximize your chances of filling the order.\",\"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\",\"aCgA+I\":\"E-Mode change\",\"aEtiwq\":\"Vote NAY\",\"aMmFE1\":\"Buy Crypto With Fiat\",\"aOKIms\":\"Array parameters that should be equal length are not\",\"aQYztl\":[\"Repaying \",[\"0\"]],\"aXgo8+\":\"from the\",\"adUsDd\":\"An error has occurred fetching the proposal.\",\"afk1Wt\":[\"This asset can only be used as collateral in E-Mode: \",[\"0\"]],\"aoXTT7\":\"Borrow APY, variable\",\"aqX1Yp\":\"This asset is eligible for rewards through SuperFest. Aave Labs does not guarantee the program and accepts no liability.\",\"b4NS3e\":\"Cooldown period warning\",\"bBHmeP\":\"Available to withdraw\",\"bNEQeI\":\"Cooldown\",\"bUUVED\":\"Asset\",\"bXQ/Og\":\"Share on twitter\",\"bXr0ee\":\"Isolated assets have limited borrowing power and other assets cannot be used as collateral.\",\"bYmAV1\":\"Addresses\",\"bYtb3C\":\"Network costs\",\"bguKoJ\":\"The requested amount is greater than the max loan size in stable rate mode\",\"bm/mjh\":\"This is a program initiated and implemented by the Aave Chan Initiative (ACI). Aave Labs does not guarantee the program and accepts no liability.\",\"bq0uL+\":\"supply\",\"bwSQI0\":\"Supply\",\"bxN6EM\":\"Cannot disable E-Mode\",\"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.\",\"cc6gEH\":\"Incentives APR\",\"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\"]],\"cqwIvs\":\"Forum discussion\",\"csDS2L\":\"Available\",\"cu7Stb\":\"You did not participate in this proposal\",\"cuxGZP\":\"Low health factor after swap. Your position will carry a higher risk of liquidation.\",\"d9YZVR\":\"Principle Tokens\",\"dE6BLF\":\"Governance\",\"dEgA5A\":\"Cancel\",\"dIsyWh\":\"Ltv validation failed\",\"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\",\"dYG3JG\":\"Data couldn't be loaded.\",\"dZQvSq\":\"Please review the swap values before confirming.\",\"dfDzrk\":[\"Supply cap reached for \",[\"symbol\"],\". Reduce the amount or choose a different asset.\"],\"dgr1aY\":\"Borrowing is disabled due to an Aave community decision. <0>More details\",\"djsg0o\":\"Collateral usage\",\"drdV8R\":\"Liquidation\",\"dxW8cS\":\"Aave debt token\",\"e/ghIe\":[\"This transaction will enable E-Mode (\",[\"0\"],\"). Borrowing will be restricted to assets within this category.\"],\"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\",\"eQ0Wu0\":\"Please connect a wallet to view your balance here.\",\"eVpCmf\":\"Staking Rewards\",\"eVqvtf\":\"Bridge GHO\",\"eYdurp\":\"No transactions yet.\",\"ebLGGN\":\"Total borrowed\",\"ecqEvn\":\"The collateral balance is 0\",\"edXiYw\":[\"You've successfully swapped \",[\"0\"],\".\"],\"efdrrk\":\"Available on\",\"enruNF\":\"starts\",\"eqLYiD\":\"Unstake now\",\"evw5ha\":\"Net worth\",\"ezcU16\":\"Get ABP Token\",\"f2e3vu\":[\"Deposit GHO into savings GHO (sGHO) and earn <0>\",[\"0\"],\"% APY on your GHO holdings. There are no lockups, no rehypothecation, and you can withdraw anytime. Simply deposit GHO, receive sGHO tokens representing your balance, and watch your savings grow earning claimable rewards from merit.\"],\"f3W0Ej\":[\"You switched to \",[\"0\"],\" rate\"],\"fMJQZK\":\"Borrowed\",\"fZ5Vnu\":\"Received\",\"firl9Q\":\"Your current loan to value based on your collateral supplied.\",\"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\",\"g4Ius4\":\"This is the fee for executing position changes, set by governance.\",\"g8KGoA\":\"FAQS\",\"g9zzqS\":\"Voted NAY\",\"gDd2gk\":\"about SuperFest.\",\"gIMJlW\":\"Testnet mode\",\"gK+IvE\":\"Withdraw and Swap\",\"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\",\"gjxiVa\":[\"This swap has a price impact of \",[\"0\"],\"%, which exceeds the 25% safety threshold. To proceed, disable Aave Shield in the settings menu.\"],\"goff7V\":\"Zero address not valid\",\"gp+f1B\":\"Version 3\",\"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\",\"h5hG6q\":\"This is the cost of settling your order on-chain, including gas and any LP fees.\",\"hB23LY\":\"Activate Cooldown\",\"hIJzBh\":\"Available to Claim\",\"hIS4N0\":\"Net APY\",\"hQRttt\":\"Submit\",\"hRWvpI\":\"Claimed\",\"hb8ajh\":\"Debt Swap\",\"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\",\"hrhwub\":\"dashboard\",\"huQ6Tz\":[\"Borrowing \",[\"symbol\"]],\"hxYu+F\":\"Borrow: All eligible assets\",\"i/fZ2Z\":\"Staked Balance\",\"i9qiyR\":\"Expires in\",\"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\",\"iIuDE1\":\"Estimated weekly rewards based on your current sGHO balance and APR. Actual rewards may vary depending on market conditions.\",\"iKfD53\":\"Transaction history for Plasma not supported yet, coming soon.\",\"iMVZk9\":\"Select slippage tolerance\",\"iNYgey\":\"Get Support\",\"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\",\"iddNqA\":\"This transaction will disable E-Mode. All assets will revert to their base LTV and liquidation thresholds.\",\"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\"],\"ih/VjN\":\"Staking this amount will reduce your health factor and increase risk of liquidation.\",\"il0sEG\":\"Collateral usage is limited because of Isolation mode.\",\"j+K1Xj\":\"Amount After Fee\",\"j4SXZo\":\"Claim all merit rewards\",\"j7JHV+\":\"Total APY\",\"j8cF1R\":\"Cooling down\",\"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\",\"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.\",\"jZkYWO\":\"Boosted LTV\",\"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\",\"jqVo/k\":\"here.\",\"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\"],\"kMi0nz\":\"sGHO Merit APY History\",\"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\",\"kj3M8S\":\"Deposit\",\"kjN9tT\":\"Supply cap is exceeded\",\"kn+s7w\":[[\"0\"],\" collateral would have 0% LTV without E-Mode. Disable \",[\"1\"],\" as collateral to use this option.\"],\"knxE+G\":\".JSON\",\"ks2LWT\":\"Debt ceiling is not zero\",\"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.\",\"kzeZTm\":\"LTV\",\"lCF0wC\":\"Refresh\",\"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.\",\"lXb3Ih\":[\"This asset has 0 LTV and cannot be used as collateral. Enable an E-Mode to use \",[\"symbol\"],\" as collateral.\"],\"lXj2Sq\":\"Repay with Collateral\",\"lYGfRP\":\"English\",\"lfEjIE\":\"Learn more in our <0>FAQ guide\",\"ljF4ko\":\"The selected rate is lower than the market price. You might incur a loss if you proceed.\",\"lqCWte\":[\"Deposit GHO and earn \",[\"0\"],\"% APY\"],\"lu7f+8\":\"Blocked by Shield\",\"m/IEhi\":\"Total emission per day\",\"m7r7Hh\":\"Selected borrow assets\",\"mDDK4p\":\"Balancer Pool\",\"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.\"],\"me5LMQ\":\"Checking approval\",\"mogZv0\":\"Favourite\",\"muiOng\":[\"Buy \",[\"cryptoSymbol\"],\" with Fiat\"],\"mvCXBY\":\"Stake AAVE\",\"mwdzil\":\"Ok, Close\",\"mzDAU3\":\"Savings GHO (sGHO)\",\"mzdIia\":\"Asset cannot be used as collateral.\",\"n+SX4g\":\"Developers\",\"n1na81\":\"No eligible assets to swap.\",\"n4PWtp\":\"Depositing\",\"nJIhzm\":\"Supply apy\",\"nJgsQu\":\"With a voting power of <0/>\",\"nLC6tu\":\"French\",\"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\",\"nPGNMh\":\"Can be executed\",\"nUK1ou\":[\"Assets with zero LTV (\",[\"0\"],\") must be withdrawn or disabled as collateral to perform this action\"],\"neITkT\":\"This asset has 0% LTV, meaning it does not contribute to borrowing power. Existing positions with this asset as collateral still count toward the liquidation threshold and protect your health factor. New positions cannot enable this asset as collateral.\",\"njBeMm\":\"Both\",\"ntyFSE\":[[\"h\"],\"h\"],\"nwIsn4\":\"After the cooldown is initiated, you will be able to withdraw your assets immediatley.\",\"nweCqF\":\"Cancelling order...\",\"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\",\"o5ooMr\":\"Debt\",\"o7J4JM\":\"Filter\",\"o7Yloh\":\"Learn more about the Ether.fi program\",\"oHFrpj\":\"Cooldown to unstake\",\"oJ5ZiG\":\"User does not have outstanding variable rate debt on this reserve\",\"oUwXhx\":\"Test Assets\",\"oWQnqT\":\"Staking this asset will earn the underlying asset supply yield in addition to other configured rewards.\",\"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.\",\"ogU9GD\":\"Target liquidity\",\"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.\",\"om/XHs\":\"Available to supply\",\"omq5qJ\":\"Claiming all protocol rewards and merit rewards together\",\"ovBPCi\":\"Default\",\"ovT1pF\":[\"Per the community, the \",[\"market\"],\" has been frozen.\"],\"ow3fug\":\"Nothing found\",\"owSsI3\":\"Signatures ready\",\"p+R52m\":\"Go to Balancer Pool\",\"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.\",\"p45alK\":\"Set up delegation\",\"pDgeaz\":[[\"title\"]],\"pdZqBk\":\"The underlying balance needs to be greater than 0\",\"pgWG9H\":\"Not enough staked balance\",\"ph9+uj\":[\"Switching to \",[\"networkName\"],\"...\"],\"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\"],\"pup/ej\":\"Net Protocol Incentives\",\"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\",\"qKfida\":\"Staked tokens are wrapped and use an exchange rate. You may see fewer token shares, but the value matches your deposit and will grow as yield accrues.\",\"qOqbD6\":\"copy the error\",\"qXCkEM\":\"Please connect your wallet to see your supplies, borrowings, and open positions.\",\"qY2jnw\":\"Invalid expiration\",\"qhhf9L\":\"Rewards available to claim\",\"qtS7wW\":\"Thank you for voting\",\"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\",\"qz6JVE\":[\"Your order amounts are \",[\"0\"],\" less favorable by \",[\"1\"],\"% to the liquidity provider than recommended. This order may not be executed.\"],\"qz9c6b\":[\"Repaying \",[\"0\"],\" with \",[\"1\"]],\"qzFp5D\":\"All Categories\",\"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\",\"riNWOA\":\"E-Mode\",\"rjGI/Q\":\"Privacy\",\"rnKPW1\":\"Watch a wallet balance in read-only mode\",\"rojvRp\":\"Approval by signature not available\",\"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\",\"t/ct9N\":\"Auto Slippage\",\"tBIz3I\":[\"Supply \",[\"0\"],\" and double your yield by <0><1>verifying your humanity through Self for \",[\"1\"],\" per user.\"],\"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\",\"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\"],\"tVJk4q\":\"Cancel order\",\"te9Bfl\":\"Please, connect your wallet\",\"tj6dr4\":\"Merit Program rewards can be claimed\",\"tt5yma\":\"Your supplies\",\"tw6G0s\":[\"You must disable \",[\"0\"],\" as collateral before exiting E-Mode. These assets have 0 LTV outside of E-Mode and cannot be used as collateral.\"],\"u3ZeYl\":\"Transaction failed\",\"u706uF\":\"Invalid flashloan premium\",\"u8Gfu7\":[\"No search results\",[\"0\"]],\"uAQUqI\":\"Status\",\"uGG4Lk\":\"Claim all protocol rewards\",\"uHMwk8\":\"No assets selected to migrate.\",\"uI3SjW\":\"Connection Error\",\"uJOI6M\":\"Tip: Try improving your order parameters\",\"uJPHuY\":\"Migrating\",\"uRXR6h\":[\"Swap \",[\"0\"],\" debt\"],\"uZiu4N\":\"There is an active order for the same sell asset (avoid nonce reuse).\",\"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\",\"usB84Z\":\"Maximum amount available to borrow is limited because protocol borrow cap is nearly reached.\",\"uyLjNw\":\"Custom slippage\",\"v+Fu0z\":\"This asset is eligible for Kernel points incentive program. Aave Labs does not guarantee the program and accepts no liability.\",\"v0CIlJ\":\"You have no rewards to claim at this time.\",\"v8x7Mg\":\"Insufficient collateral to cover new borrow position. Wallet must have borrowing power remaining to perform debt switch.\",\"vEqxH9\":\"Restaked\",\"vH2C/2\":\"Swap\",\"vLyv1R\":\"Hide\",\"vMba49\":\"Borrowing is not enabled\",\"vMpNwt\":\"Approve with\",\"vNAHA2\":\"PTs\",\"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.\",\"vv7kpg\":\"Cancelled\",\"w+V9Cx\":\"Stablecoin\",\"w/JtJ3\":\"Stable debt supply is not zero\",\"w1f8Ky\":\"Savings GHO\",\"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\",\"wapGcj\":[[\"message\"]],\"wb/r1O\":[\"Faucet \",[\"0\"]],\"wdxz7K\":\"Source\",\"weC8IO\":\"All Rewards\",\"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\",\"wuMdlk\":[\"This asset is eligible for \",[\"0\"],\" Sonic Rewards.\"],\"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.\",\"x+QJ9y\":[\"Category \",[\"selectedEmodeId\"]],\"x0TRLG\":[\"Repay your \",[\"0\"],\" \",[\"1\",\"plural\",{\"one\":\"borrow\",\"other\":\"borrows\"}],\" to use this category.\"],\"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\"]],\"yRkqG9\":\"Limit\",\"yYHqJe\":\"Not a valid address\",\"yZ5ngq\":\"Transaction details not available\",\"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\"],\"yv/Kz/\":\"Back home\",\"yz7wBu\":\"Close\",\"z4uGQg\":\"Debt ceiling is exceeded\",\"z5JUmg\":[\"Estimated costs are \",[\"0\"],\"% of the sell amount. This order is unlikely to be filled.\"],\"z5UQOM\":\"The collateral chosen cannot be liquidated\",\"z5Y+p6\":[\"Supplying \",[\"symbol\"]],\"zCjNKs\":\"Action cannot be performed because the reserve is frozen\",\"zNgzxM\":\"Excludes variable supply APY\",\"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\",\"zZmf1N\":\"Filled\",\"zgtIDV\":\"Remaining debt\",\"zmTPiV\":\"Supply balance\",\"zpPbZl\":\"Liquidation risk parameters\",\"zqp4Tm\":\"Unable to Connect\",\"zr58Jd\":\"Umbrella is the upgraded version of the Safety Module. Manage your previously staked assets\",\"zucql+\":\"Menu\",\"zv/j10\":[\"Active \",[\"0\"],\" borrow is not compatible with this category. Repay your \",[\"1\"],\" borrow to use this option.\"],\"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.\"}")}; \ 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.\"],\"+5vxU4\":\"Reward APY at target liquidity\",\"+9RBfc\":\"Thank you for submitting your inquiry!\",\"+F6nAX\":\"Save with sGHO\",\"+KaZP2\":\"Aave Labs does not guarantee the program and accepts no liability.\",\"+Nk14N\":\"Savings GHO token\",\"+VR63W\":[\"Participating in this \",[\"symbol\"],\" reserve gives annualized rewards.\"],\"+XNrRN\":\"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 restrictions, see the <1>help guide or the <2>Aave V3 Technical Paper.\",\"+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.\",\"+i3Pd2\":\"Borrow cap\",\"+nuEh/\":\"Estimated time\",\"+xMFF8\":\"Remind me\",\"/+Vmgq\":\"Total amount of underlying assets staked. This number represents the combined sum of your original asset and the corresponding aTokens staked in Umbrella.\",\"/1Qot4\":\"Protocol Rewards\",\"/1xACT\":\"Reward APY adjusts with total staked amount, following a curve that targets optimal staking levels.\",\"/57U31\":\"Amount to migrate\",\"/7ykiW\":\"Borrowing this amount will reduce your health factor and increase risk of liquidation.\",\"/FwCXs\":[[\"0\"],\" \",[\"symbol\"],\"...\"],\"/LCAwL\":\"In progress\",\"/ZyLeG\":\"Amount available to unstake\",\"/jQctM\":\"To\",\"/lDBHm\":\"FAQ\",\"/lMWs6\":[\"Deposit GHO and earn up to <0>\",[\"0\"],\"% APY\"],\"/yNlZf\":\"Stable borrowing is not enabled\",\"/yQcJM\":\"Total worth\",\"00AB2i\":\"User did not borrow the specified currency\",\"02/4d1\":\"We suggest you go back to the home page.\",\"0AmQcW\":\"Rate change\",\"0BF3yK\":\"Sorry, we couldn't find the page you were looking for.\",\"0RrIzN\":\"Select token\",\"0TAbjq\":\"Recent Transactions\",\"0jhlyw\":\"Liquidation risk\",\"0ojY+Y\":\"Current v2 Balance\",\"0r31vq\":\"Reward Token\",\"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.\",\"11xQTX\":[\"This asset is eligible for \",[\"0\"],\" Ethena Rewards.\"],\"18GnfY\":[\"Repay \",[\"0\"]],\"1AsVfF\":\"Price data is not currently available for this reserve on the protocol subgraph\",\"1LjK22\":\"Transaction history\",\"1PMU2v\":\"Learn more about the risks.\",\"1Ue8sX\":\"Please connect a wallet to view your personal information here.\",\"1W8DZp\":\"USDT on Ethereum requires approval reset before a new approval. This will require an additional transaction.\",\"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\",\"1t7rez\":\"Asset supply is limited to a certain amount to reduce protocol exposure to the asset and to help manage risks involved.\",\"2/aIvj\":\"Cancellation submited\",\"2C40JO\":[\"This transaction will switch E-Mode from \",[\"0\"],\" to \",[\"1\"],\". Borrowing will be restricted to assets within the new category.\"],\"2Eoi/a\":\"View details\",\"2FYpfJ\":\"More\",\"2O3qp5\":\"Available liquidity\",\"2OIfa1\":\"Please connect your wallet to swap collateral.\",\"2OM8/D\":[\"Asset cannot be migrated due to supply cap restriction in \",[\"marketName\"],\" v3 market.\"],\"2RtYM0\":\"Need help? Our support team can assist.\",\"2RubOP\":\"Initiate Withdraw\",\"2S7oCr\":[\"This asset is eligible for the Ether.fi Loyalty program with a <0>x\",[\"multiplier\"],\" multiplier.\"],\"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.\",\"2eBWE6\":\"I acknowledge the risks involved.\",\"2r2h/U\":\"Total Deposited\",\"2uJToh\":[[\"0\"],[\"name\"]],\"2x1UO0\":\"Favourited\",\"2x58bP\":\"Stable borrowing is enabled\",\"34Qfwy\":\"Borrow cap is exceeded\",\"39eQRj\":[\"Borrow \",[\"symbol\"]],\"3BL1xB\":\"Total supplied\",\"3K0oMo\":\"Remaining supply\",\"3MoZhl\":\"There is not enough collateral to cover a new borrow\",\"3NO6VI\":[[\"0\"],\" Balance\",[\"1\"]],\"3Np5O8\":[\"Supply \",[\"symbol\"]],\"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\",\"4fCwrW\":\"or from the\",\"4lDFps\":\"Sign to continue\",\"4p5njr\":\"Total amount staked\",\"4wyw8H\":\"Transactions\",\"5+lhtA\":\"For swapping safety module assets please unstake your position <0>here.\",\"53r7O1\":[\"High price impact (<0>\",[\"0\"],\"%)! This route will return \",[\"1\"],\" due to low liquidity or small order size.\"],\"5CCqcz\":\"Fees help support the user experience and security of the Aave application. <0>Learn more.\",\"5JSSxX\":[\"Your \",[\"networkName\"],\" wallet is empty. Get free test assets at\"],\"5K3B36\":\"We couldn't find any assets related to your search. Try again with a different category.\",\"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.\"],\"5RzvNm\":\"Aave Shield: Transaction blocked\",\"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\",\"5ty6hB\":\"Claiming individual protocol reward only. Merit rewards excluded - select \\\"claim all\\\" to include merit rewards.\",\"5vxk14\":\"To continue, you need to grant 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\",\"5yC5m5\":\"View all votes\",\"6/dCYd\":\"Overview\",\"60crCe\":\"All transactions\",\"62Xcjh\":\"Collateral\",\"65A04M\":\"Spanish\",\"68ANm7\":\"Withdrawing GHO\",\"6G8s+q\":\"Signing\",\"6Jrv+z\":[\"Repay \",[\"symbol\"]],\"6SC+v0\":[\"Disable \",[\"0\"],\" as collateral to use this category. These assets would have 0% LTV.\"],\"6Xr0UU\":\"Cooling down...\",\"6bxci/\":\"Voting power\",\"6f8S68\":\"Markets\",\"6g1gi0\":\"Proposals\",\"6gvoHP\":\"Copy error message\",\"6h3Q5G\":\"repaid\",\"6lFSyT\":\"Available to Stake\",\"6lGV3K\":\"Show less\",\"6s8L6f\":\"Switch Network\",\"70wH1Q\":\"APR\",\"72c5Qo\":\"Total\",\"75qcAQ\":[[\"stepName\"]],\"7ITr5L\":\"Health factor\",\"7R/kqr\":\"The cooldown period is the time required prior to unstaking your tokens (<0/>). You can only withdraw your assets from the Security Module after the cooldown period and within the unstake window. <1>Learn more\",\"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\",\"7c6Gy8\":\"Learn more about Sonic Rewards program\",\"7er5fP\":\"Claim all\",\"7hb2+s\":\"Time remaining until the withdraw period ends.\",\"7i1oxe\":\"Withdrawing and Swapping\",\"7l88b8\":\"Data couldn't be fetched, please reload graph.\",\"7p5kLi\":\"Dashboard\",\"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\",\"8Xaoyr\":\"View on CCIP Explorer\",\"8Z5FPv\":\"Disconnect Wallet\",\"8Zz7s5\":\"assets\",\"8aLW8H\":\"Balance to revoke\",\"8bOT3H\":\"Utilization Rate\",\"8d61xO\":\"The Ink instance is governed by the Ink Foundation\",\"8sLe4/\":\"View contract\",\"8ss7VF\":\"Transaction cancelled\",\"8t/M0y\":\"Please connect your wallet to be able to bridge your tokens.\",\"8u3DDw\":[\"Swap \",[\"0\"],\" collateral\"],\"8vETh9\":\"Show\",\"93T2Os\":\"Total deposited\",\"94OHPx\":\"You are entering Isolation mode\",\"9CDK3/\":[\"Borrowing is currently unavailable for \",[\"0\"],\".\"],\"9GIj3z\":\"Reserve Size\",\"9ITYjl\":\"%\",\"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.\"],\"9YcC7V\":\"Select Categories\",\"9c6vDV\":\"This asset has reached its supply cap. Nothing is available to be supplied from this market.\",\"9iDHmv\":\"Collateral Swap\",\"9kTWHA\":\"MAI has been paused due to a community decision. Supply, borrows and repays are impacted. <0>More details\",\"9lXchd\":\"Underlying token\",\"9xSooW\":\"Since this is a test network, you can get any of the assets if you have ETH on your wallet\",\"9y0Q0y\":[\"There is not enough liquidity in \",[\"symbol\"],\" to complete this swap. Try lowering the amount.\"],\"9zzsBx\":\"This is a program initiated by the Aave DAO and implemented by Merkl. Aave Labs does not guarantee the program and accepts no liability.\",\"A/lwoe\":\"Choose one of the on-ramp services\",\"A6dCI6\":[\"Maximum amount available to borrow is <0/> \",[\"0\"],\" (<1/>).\"],\"ACUEES\":\"Check errors\",\"AReoaV\":\"Your borrows\",\"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.\",\"B6zvhF\":\"Shares\",\"BDFEd+\":\"stETH supplied as collateral will continue to accrue staking rewards provided by daily rebases.\",\"BE2mP0\":\"Borrowed assets\",\"BNL4Ep\":\"Collateral usage is limited because of isolation mode. <0>Learn More\",\"BQ+4lu\":\"Swap saved in your <0>history section.\",\"BQ/wCO\":\"Migrate your assets\",\"BaCmXf\":\"AAVE 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.\",\"Baj2MJ\":\"Savings\",\"BnhYo8\":\"Asset category\",\"Bo6b9i\":\"Withdraw GHO\",\"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\",\"C4qYyX\":[\"Repay \",[\"0\"],\" with \",[\"1\"]],\"C5jQc6\":\"GHO Balance\",\"C7hM0q\":\"Country (optional)\",\"CDrsH+\":\"Techpaper\",\"CGiscJ\":\"You've successfully submitted an order.\",\"CK1KXz\":\"Max\",\"COUcFd\":\"Points\",\"CZXzs4\":\"Greek\",\"CkTRmy\":[\"Claim \",[\"symbol\"]],\"CrrC++\":\"Position swaps are disabled for this asset due to security reasons.\",\"CsqtLm\":\"Please connect your wallet to see migration tool.\",\"CtGlFb\":[[\"networkName\"],\" Faucet\"],\"CuAHqa\":\"Protocol Incentives\",\"Cxt2YY\":\"Watch wallet\",\"D33VQU\":\"This action will reduce health factor of V3 below liquidation threshold. Increase migrated collateral or reduce migrated borrow to continue.\",\"D4Q4h/\":\"Gas estimation error\",\"D79cZK\":\"Instant\",\"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\"],\"DhaOWH\":\"Stake your Aave aTokens or underlying assets to earn rewards. In case of a shortfall event, your stake may be slashed to cover the deficit.\",\"Dj+3wB\":\"Aave per month\",\"DlRHbH\":\"Claiming all protocol rewards only. Merit rewards excluded - select \\\"claim all\\\" to include merit rewards.\",\"DuEq2K\":\"Collateralization\",\"Dzma+E\":\"Main Ethereum market with the largest selection of assets and yield options\",\"E/QGRL\":\"Disabled\",\"E6UoJs\":\"Estimated compounding 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.\",\"ETtXJg\":\"Share my wallet address to help the support team resolve my issue\",\"EZd3Dk\":[\"Restaking \",[\"symbol\"]],\"Ebgc76\":[\"Withdrawing \",[\"symbol\"]],\"EdQY6l\":\"None\",\"Ef7StM\":\"Unknown\",\"Ehzc//\":[\"Swapping \",[\"0\"],\" debt\"],\"Ekea1N\":\"We couldn't detect a wallet. Connect a wallet to stake and view your balance.\",\"Enslfm\":\"Destination\",\"EvE9nO\":[\"Reactivate cooldown period to unstake \",[\"0\"],\" \",[\"stakedToken\"]],\"EvECnL\":\"Migrate to v3\",\"EyYG53\":\"Get support\",\"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.\",\"F6pfE9\":\"Active\",\"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\",\"FTRJ1l\":\"L2 Networks\",\"FbmMe7\":\"Linked addresses\",\"Fdp03t\":\"on\",\"Fjw9N+\":\"Assets to supply\",\"FmN0fk\":\"Restake\",\"G15AUr\":\"Sending cancel...\",\"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\",\"GtP2hp\":[\"Borrowing is unavailable because you’ve enabled Efficiency Mode (E-Mode) for \",[\"0\"],\" category. To manage E-Mode categories visit your <0>Dashboard.\"],\"Gz07IS\":\"Your health factor after this swap will be critically low and may result in liquidation. Please choose a different asset or reduce the swap amount to stay safe.\",\"H1oAjw\":[[\"selectedCount\"],\" Categories\"],\"HB/wfS\":[[\"tooltipText\"]],\"HD4KkW\":[\"Swapping \",[\"0\"],\" collateral\"],\"HKDsQN\":\"Rewards can be claimed through\",\"Hi6Ttn\":\"Sorry, an unexpected error happened. In the meantime you may try reloading the page, or come back later.\",\"HkEDbS\":[[\"d\"],\"d\"],\"HlWGZc\":[\"Your \",[\"0\"],\" balance is lower than the selected amount.\"],\"HmkYqM\":\"Unstake window\",\"HpK/8d\":\"Reload\",\"HtBqo9\":\"sGHO\",\"HtuY7v\":\"Please connect your wallet to swap tokens.\",\"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\"],\"%.\"],\"I4Cxlm\":\"E-Mode required\",\"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.\",\"ILXMQA\":\"The Safety Module has been upgraded to <0>Umbrella, a new system that introduces automated slashing, aToken staking, and improved incentives design.\",\"IN8luu\":\"All done\",\"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\",\"IhAc6F\":\"Costs & Fees\",\"ImxB3A\":\"deposited\",\"IrtO2E\":\"You have assets with zero LTV that are blocking this operation. Please withdraw them or disable them as collateral first.\",\"J/hVSQ\":[[\"0\"]],\"JCoxL6\":\"Manage analytics\",\"JEdlTC\":\"Stablecoins\",\"JOqFba\":[\"Unstaking \",[\"symbol\"]],\"JPHuMW\":\"Swapping\",\"JPhc4G\":\"ETH Correlated\",\"JPrLjO\":\"You can not use this currency as collateral\",\"JYKRJS\":\"Stake\",\"JZMxX0\":\"Not enough balance on your wallet\",\"Jgflkm\":\"Get GHO\",\"JoMQnI\":\"Wallet balance\",\"JtwD8u\":\"Borrow balance after repay\",\"JumYTK\":\"Supplied assets\",\"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\",\"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\",\"KkJaLD\":\"Borrow:\",\"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\",\"KqoLVC\":\"Merkl rewards are claimed through the\",\"KsqhWn\":\"Staking\",\"KuBTQq\":\"Enter ETH address\",\"KvG1xW\":\"Claiming\",\"L+8Lzs\":\"Current LTV\",\"L+qiq+\":\"Market\",\"L2tU22\":\"Learn more about Ethena Rewards program\",\"L3ZyJR\":[[\"popularSectionTitle\"]],\"LEdkyb\":\"Rewards to claim\",\"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\"],\"\"],\"Lhf8zD\":\"Waiting for actions...\",\"Lp2cTp\":\"Eligible for incentives through Merkl.\",\"LvVpD/\":\"Emode\",\"Ly2enB\":\"This will cancel the order via an on-chain transaction. Note that the order will not be marked as cancelled in the CoW Protocol system, but will remain open and expire naturally. Keep in mind that a solver may already have filled your order.\",\"M1RnFv\":\"Expired\",\"M2sknc\":\"Tip: Try increasing slippage or reduce input amount\",\"MKiONF\":\"Activating Cooldown\",\"MOvzXm\":\"Comparing best rates...\",\"MRwaR4\":\"This will require two separate transactions: one to change E-Mode and one to supply.\",\"MZ/nQf\":\"Recipient address\",\"MZbQHL\":\"No results found.\",\"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.\",\"MlRlXX\":\"Current APY\",\"Mm/DVQ\":\"You cancelled the transaction.\",\"MnE2QX\":\"Borrow info\",\"MuDFEQ\":\"Invalid return value of the flashloan executor function\",\"My0ZGV\":\"Learn more about the Kernel points distribution\",\"N+3mX2\":\"Please connect your wallet to swap debt.\",\"N39Ax4\":\"Ethereum\",\"N40H+G\":\"All\",\"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\",\"ND1ISA\":\"Weekly Rewards\",\"NF0e1Q\":\"Pending...\",\"NK9ikO\":\"Wallet Balance\",\"NMt2CB\":\"Amount claimable\",\"Na7NlU\":[[\"remainingCustomMessage\"]],\"NcFGxG\":\"Collector Contract\",\"NfpPeS\":\"Nothing staked\",\"Nh9DAo\":[[\"m\"],\"m\"],\"Npz7kI\":\"Inquiry\",\"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\",\"OC4Tzv\":\"here\",\"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\",\"OiykRd\":\"Deposit GHO\",\"On0aF2\":\"Website\",\"OqAwLU\":\"Protocol APY\",\"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\",\"PctCOf\":\"A temporary contract will be used to execute the trade. Your wallet may show a warning for approving a new or empty address.\",\"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.\",\"QONKTE\":\"Merit Rewards\",\"QQYsQ7\":\"Withdrawing\",\"QZEgwS\":\"Execution fee\",\"R+30X3\":\"Not reached\",\"R9Khdg\":\"Auto\",\"RCU5PY\":\"Age\",\"RIfckG\":[\"Disable \",[\"symbol\"],\" as collateral\"],\"RMtxNk\":\"Differential\",\"RNK49r\":\"Invalid signature\",\"RS0o7b\":\"State\",\"RTG4/6\":\"There are no stake assets configured for this market\",\"RU+LqV\":\"Proposal details\",\"RYfdBk\":\"Visit <0><1>https://aave.self.xyz/ to get started with Self’s ZK-powered proof-of-humanity authentication.\",\"RZbjLY\":[\"See \",[\"0\"],\" more\"],\"Rg4K+m\":\"Cannot switch to this category\",\"RiSYV4\":\"Asset is not listed\",\"Rj01Fz\":\"Links\",\"RmWFEe\":\"Staking APR\",\"RtBLm7\":\"Health factor is lesser than the liquidation threshold\",\"RvF1Ts\":\"stkGHO is now Savings GHO\",\"RxzN1M\":\"Enabled\",\"SBv4zo\":[[\"0\"],\" collateral would have 0% LTV in this category. Disable \",[\"1\"],\" as collateral to use this option.\"],\"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\",\"SNmu1z\":\"Shares are Umbrella Stake Tokens you receive when staking. They represent your ownership in the pool, and the amount of underlying you can redeem depends on the current exchange rate between shares and the underlying.\",\"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\",\"SZkDmY\":\"The swap could not be completed. Try increasing slippage or changing the amount.\",\"Sa1UE/\":\"Protocol borrow cap is at 100% for this asset. Further borrowing unavailable.\",\"Sk2zW9\":\"Disabling E-Mode\",\"St4jqF\":\"This list may not include all your swaps.\",\"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\",\"TLJkuL\":\"Category assets\",\"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\",\"Tg1JyO\":\"Bridge history\",\"TszKts\":\"Borrow balance after switch\",\"Tw07Vv\":\"Show assets with small balance\",\"TwJI9F\":\"Asset has been successfully sent to CCIP contract. You can check the status of the transactions below\",\"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.\",\"UMgOim\":\"Send cancel\",\"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.\",\"UiO4Hu\":[\"You'll need to wait \",[\"0\"],\" before you can unstake your tokens. This cooldown starts when you request to unstake. Once it ends, you can withdraw during the unstake window.\"],\"UpndFj\":\"No rewards to claim\",\"V0f2Xv\":\"Reserve factor\",\"V1HK43\":\"Migration risks\",\"V7QGpc\":\"I understand the liquidation risk and want to proceed\",\"V7SFse\":[\"I confirm the swap knowing that I could lose up to <0>\",[\"0\"],\"% on this swap.\"],\"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\",\"VnQFYr\":\"Claiming all merit rewards only\",\"W1SSoD\":\"Review tx details\",\"W5hVah\":\"Nothing supplied yet\",\"W5kTFy\":\"Voting\",\"WHrVwg\":\"Loading quote...\",\"WMJGls\":\"Estimated Costs & Fees\",\"WNGZwH\":\"E-Mode increases your LTV for a selected category of assets up to<0/>. <1>Learn more\",\"WPWG/y\":\"Reserve status & configuration\",\"WS67YQ\":\"Let us know how we can help you. You may also consider joining our community\",\"WT188T\":\"Withdraw & Swap\",\"WZLQSU\":\"User cannot withdraw more than the available balance\",\"WaZyaV\":\"<0>Ampleforth is a rebasing asset. Visit the <1>documentation to learn more.\",\"WbTDwg\":\"In Progress\",\"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.\",\"X/ITG9\":\"Copy error text\",\"X3Pp6x\":\"Used as collateral\",\"X4Zt7j\":\"Action cannot be performed because the reserve is paused\",\"X4tRM3\":[[\"0\"],\" \",[\"symbol\"],\" to continue\"],\"XBdKOj\":\"Representative smart contract wallet (ie. Safe) addresses on other chains.\",\"XPN5UR\":\"User denied the operation.\",\"XYLcNv\":\"Support\",\"XZzneG\":\"You will exit isolation mode and other tokens can now be used as collateral\",\"Xe5bTg\":\"Deposit APR\",\"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.\",\"XwKkg/\":\"Staked Underlying\",\"Xy+o6U\":\"For security reasons, limit orders are not supported for Native tokens. To place a limit order, use the wrapped version.\",\"Xy71ST\":\"Umbrella\",\"Y+hUcK\":\"Merit Program and Self rewards can be claimed\",\"Y46iXX\":\"The order could't be filled.\",\"Y5Orec\":\"Collateral options\",\"Y5kGkc\":\"VOTE NAY\",\"YD+nXc\":\"Aave Shield\",\"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.\",\"Ya/che\":\"Stake token shares\",\"Ykj2Om\":\"Default slippage\",\"YogbCJ\":\"Testnet mode is ON\",\"YrDxdO\":\"If your loan to value goes above the liquidation threshold your collateral supplied may be liquidated.\",\"YrcHPy\":\"VIEW\",\"YyIM65\":\"Interest rate rebalance conditions were not met\",\"YyydIq\":[\"Add \",[\"0\"],\" to wallet to track your balance.\"],\"Z3FXyt\":\"Loading...\",\"Z99M+T\":\"This is an off-chain operation. Keep in mind that a solver may already have filled your order.\",\"ZBvhI+\":\"Aave Governance\",\"ZIIRAd\":\"Raw-Ipfs\",\"ZRq4tX\":\"Efficiency mode (E-Mode)\",\"ZRuM45\":\"These are the estimated costs associated with your limit swap, including costs and fees. Consider these costs when setting your order amounts to help optimize execution and maximize your chances of filling the order.\",\"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\",\"aCgA+I\":\"E-Mode change\",\"aEtiwq\":\"Vote NAY\",\"aMmFE1\":\"Buy Crypto With Fiat\",\"aOKIms\":\"Array parameters that should be equal length are not\",\"aQYztl\":[\"Repaying \",[\"0\"]],\"aXgo8+\":\"from the\",\"adUsDd\":\"An error has occurred fetching the proposal.\",\"afk1Wt\":[\"This asset can only be used as collateral in E-Mode: \",[\"0\"]],\"aoXTT7\":\"Borrow APY, variable\",\"aqX1Yp\":\"This asset is eligible for rewards through SuperFest. Aave Labs does not guarantee the program and accepts no liability.\",\"b4NS3e\":\"Cooldown period warning\",\"bBHmeP\":\"Available to withdraw\",\"bNEQeI\":\"Cooldown\",\"bUUVED\":\"Asset\",\"bXQ/Og\":\"Share on twitter\",\"bXr0ee\":\"Isolated assets have limited borrowing power and other assets cannot be used as collateral.\",\"bYmAV1\":\"Addresses\",\"bYtb3C\":\"Network costs\",\"bguKoJ\":\"The requested amount is greater than the max loan size in stable rate mode\",\"bm/mjh\":\"This is a program initiated and implemented by the Aave Chan Initiative (ACI). Aave Labs does not guarantee the program and accepts no liability.\",\"bq0uL+\":\"supply\",\"bwSQI0\":\"Supply\",\"bxN6EM\":\"Cannot disable E-Mode\",\"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.\",\"cc6gEH\":\"Incentives APR\",\"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\"]],\"cqwIvs\":\"Forum discussion\",\"csDS2L\":\"Available\",\"cu7Stb\":\"You did not participate in this proposal\",\"cuxGZP\":\"Low health factor after swap. Your position will carry a higher risk of liquidation.\",\"d9YZVR\":\"Principle Tokens\",\"dE6BLF\":\"Governance\",\"dEgA5A\":\"Cancel\",\"dIsyWh\":\"Ltv validation failed\",\"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\",\"dYG3JG\":\"Data couldn't be loaded.\",\"dZQvSq\":\"Please review the swap values before confirming.\",\"dfDzrk\":[\"Supply cap reached for \",[\"symbol\"],\". Reduce the amount or choose a different asset.\"],\"dgr1aY\":\"Borrowing is disabled due to an Aave community decision. <0>More details\",\"djsg0o\":\"Collateral usage\",\"drdV8R\":\"Liquidation\",\"dxW8cS\":\"Aave debt token\",\"e/ghIe\":[\"This transaction will enable E-Mode (\",[\"0\"],\"). Borrowing will be restricted to assets within this category.\"],\"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\",\"eQ0Wu0\":\"Please connect a wallet to view your balance here.\",\"eVpCmf\":\"Staking Rewards\",\"eVqvtf\":\"Bridge GHO\",\"eYdurp\":\"No transactions yet.\",\"ebLGGN\":\"Total borrowed\",\"ecqEvn\":\"The collateral balance is 0\",\"edXiYw\":[\"You've successfully swapped \",[\"0\"],\".\"],\"efdrrk\":\"Available on\",\"enruNF\":\"starts\",\"eqLYiD\":\"Unstake now\",\"evw5ha\":\"Net worth\",\"ezcU16\":\"Get ABP Token\",\"f2e3vu\":[\"Deposit GHO into savings GHO (sGHO) and earn <0>\",[\"0\"],\"% APY on your GHO holdings. There are no lockups, no rehypothecation, and you can withdraw anytime. Simply deposit GHO, receive sGHO tokens representing your balance, and watch your savings grow earning claimable rewards from merit.\"],\"f3W0Ej\":[\"You switched to \",[\"0\"],\" rate\"],\"fMJQZK\":\"Borrowed\",\"fZ5Vnu\":\"Received\",\"firl9Q\":\"Your current loan to value based on your collateral supplied.\",\"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\",\"g4Ius4\":\"This is the fee for executing position changes, set by governance.\",\"g8KGoA\":\"FAQS\",\"g9zzqS\":\"Voted NAY\",\"gDd2gk\":\"about SuperFest.\",\"gIMJlW\":\"Testnet mode\",\"gK+IvE\":\"Withdraw and Swap\",\"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\",\"gjxiVa\":[\"This swap has a price impact of \",[\"0\"],\"%, which exceeds the 25% safety threshold. To proceed, disable Aave Shield in the settings menu.\"],\"goff7V\":\"Zero address not valid\",\"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\",\"h5hG6q\":\"This is the cost of settling your order on-chain, including gas and any LP fees.\",\"hB23LY\":\"Activate Cooldown\",\"hIJzBh\":\"Available to Claim\",\"hIS4N0\":\"Net APY\",\"hQRttt\":\"Submit\",\"hRWvpI\":\"Claimed\",\"hStpnK\":\"Other Chains\",\"hb8ajh\":\"Debt Swap\",\"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\",\"hrhwub\":\"dashboard\",\"huQ6Tz\":[\"Borrowing \",[\"symbol\"]],\"hxYu+F\":\"Borrow: All eligible assets\",\"i/fZ2Z\":\"Staked Balance\",\"i9qiyR\":\"Expires in\",\"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\",\"iIuDE1\":\"Estimated weekly rewards based on your current sGHO balance and APR. Actual rewards may vary depending on market conditions.\",\"iKfD53\":\"Transaction history for Plasma not supported yet, coming soon.\",\"iMVZk9\":\"Select slippage tolerance\",\"iNYgey\":\"Get Support\",\"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\",\"iddNqA\":\"This transaction will disable E-Mode. All assets will revert to their base LTV and liquidation thresholds.\",\"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\"],\"ih/VjN\":\"Staking this amount will reduce your health factor and increase risk of liquidation.\",\"il0sEG\":\"Collateral usage is limited because of Isolation mode.\",\"j+K1Xj\":\"Amount After Fee\",\"j4SXZo\":\"Claim all merit rewards\",\"j7JHV+\":\"Total APY\",\"j8cF1R\":\"Cooling down\",\"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\",\"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.\",\"jZkYWO\":\"Boosted LTV\",\"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\",\"jqVo/k\":\"here.\",\"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\"],\"kMi0nz\":\"sGHO Merit APY History\",\"kN1Yg5\":\"To repay on behalf of a user an explicit amount to repay is needed\",\"kNiQp6\":\"Pinned\",\"kRTD40\":[\"Repayment amount to reach \",[\"0\"],\"% utilization\"],\"kgKqPv\":\"You can not stake this amount because it will cause collateral call\",\"kj3M8S\":\"Deposit\",\"kjN9tT\":\"Supply cap is exceeded\",\"kn+s7w\":[[\"0\"],\" collateral would have 0% LTV without E-Mode. Disable \",[\"1\"],\" as collateral to use this option.\"],\"knxE+G\":\".JSON\",\"ks2LWT\":\"Debt ceiling is not zero\",\"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.\",\"kzeZTm\":\"LTV\",\"lCF0wC\":\"Refresh\",\"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.\",\"lXb3Ih\":[\"This asset has 0 LTV and cannot be used as collateral. Enable an E-Mode to use \",[\"symbol\"],\" as collateral.\"],\"lXj2Sq\":\"Repay with Collateral\",\"lYGfRP\":\"English\",\"lfEjIE\":\"Learn more in our <0>FAQ guide\",\"ljF4ko\":\"The selected rate is lower than the market price. You might incur a loss if you proceed.\",\"lqCWte\":[\"Deposit GHO and earn \",[\"0\"],\"% APY\"],\"lu7f+8\":\"Blocked by Shield\",\"m/IEhi\":\"Total emission per day\",\"m7r7Hh\":\"Selected borrow assets\",\"mDDK4p\":\"Balancer Pool\",\"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.\"],\"me5LMQ\":\"Checking approval\",\"mogZv0\":\"Favourite\",\"muiOng\":[\"Buy \",[\"cryptoSymbol\"],\" with Fiat\"],\"mvCXBY\":\"Stake AAVE\",\"mwdzil\":\"Ok, Close\",\"mzDAU3\":\"Savings GHO (sGHO)\",\"mzdIia\":\"Asset cannot be used as collateral.\",\"n+SX4g\":\"Developers\",\"n1na81\":\"No eligible assets to swap.\",\"n4PWtp\":\"Depositing\",\"nJIhzm\":\"Supply apy\",\"nJgsQu\":\"With a voting power of <0/>\",\"nLC6tu\":\"French\",\"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\",\"nPGNMh\":\"Can be executed\",\"nUK1ou\":[\"Assets with zero LTV (\",[\"0\"],\") must be withdrawn or disabled as collateral to perform this action\"],\"neITkT\":\"This asset has 0% LTV, meaning it does not contribute to borrowing power. Existing positions with this asset as collateral still count toward the liquidation threshold and protect your health factor. New positions cannot enable this asset as collateral.\",\"njBeMm\":\"Both\",\"ntyFSE\":[[\"h\"],\"h\"],\"nwIsn4\":\"After the cooldown is initiated, you will be able to withdraw your assets immediatley.\",\"nweCqF\":\"Cancelling order...\",\"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\",\"o5ooMr\":\"Debt\",\"o7J4JM\":\"Filter\",\"o7Yloh\":\"Learn more about the Ether.fi program\",\"oHFrpj\":\"Cooldown to unstake\",\"oJ5ZiG\":\"User does not have outstanding variable rate debt on this reserve\",\"oUwXhx\":\"Test Assets\",\"oWQnqT\":\"Staking this asset will earn the underlying asset supply yield in addition to other configured rewards.\",\"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.\",\"ogU9GD\":\"Target liquidity\",\"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.\",\"om/XHs\":\"Available to supply\",\"omq5qJ\":\"Claiming all protocol rewards and merit rewards together\",\"ovBPCi\":\"Default\",\"ovT1pF\":[\"Per the community, the \",[\"market\"],\" has been frozen.\"],\"ow3fug\":\"Nothing found\",\"owSsI3\":\"Signatures ready\",\"p+R52m\":\"Go to Balancer Pool\",\"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.\",\"p45alK\":\"Set up delegation\",\"pDgeaz\":[[\"title\"]],\"pdZqBk\":\"The underlying balance needs to be greater than 0\",\"pgWG9H\":\"Not enough staked balance\",\"ph9+uj\":[\"Switching to \",[\"networkName\"],\"...\"],\"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\"],\"pup/ej\":\"Net Protocol Incentives\",\"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\",\"qKfida\":\"Staked tokens are wrapped and use an exchange rate. You may see fewer token shares, but the value matches your deposit and will grow as yield accrues.\",\"qOqbD6\":\"copy the error\",\"qXCkEM\":\"Please connect your wallet to see your supplies, borrowings, and open positions.\",\"qY2jnw\":\"Invalid expiration\",\"qhhf9L\":\"Rewards available to claim\",\"qtS7wW\":\"Thank you for voting\",\"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\",\"qz6JVE\":[\"Your order amounts are \",[\"0\"],\" less favorable by \",[\"1\"],\"% to the liquidity provider than recommended. This order may not be executed.\"],\"qz9c6b\":[\"Repaying \",[\"0\"],\" with \",[\"1\"]],\"qzFp5D\":\"All Categories\",\"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\",\"riNWOA\":\"E-Mode\",\"rjGI/Q\":\"Privacy\",\"rnKPW1\":\"Watch a wallet balance in read-only mode\",\"rojvRp\":\"Approval by signature not available\",\"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\",\"t/ct9N\":\"Auto Slippage\",\"tBIz3I\":[\"Supply \",[\"0\"],\" and double your yield by <0><1>verifying your humanity through Self for \",[\"1\"],\" per user.\"],\"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\",\"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\"],\"tVJk4q\":\"Cancel order\",\"te9Bfl\":\"Please, connect your wallet\",\"tj6dr4\":\"Merit Program rewards can be claimed\",\"tt5yma\":\"Your supplies\",\"tw6G0s\":[\"You must disable \",[\"0\"],\" as collateral before exiting E-Mode. These assets have 0 LTV outside of E-Mode and cannot be used as collateral.\"],\"u3ZeYl\":\"Transaction failed\",\"u706uF\":\"Invalid flashloan premium\",\"u8Gfu7\":[\"No search results\",[\"0\"]],\"uAQUqI\":\"Status\",\"uGG4Lk\":\"Claim all protocol rewards\",\"uHMwk8\":\"No assets selected to migrate.\",\"uI3SjW\":\"Connection Error\",\"uJOI6M\":\"Tip: Try improving your order parameters\",\"uJPHuY\":\"Migrating\",\"uRXR6h\":[\"Swap \",[\"0\"],\" debt\"],\"uZiu4N\":\"There is an active order for the same sell asset (avoid nonce reuse).\",\"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\",\"usB84Z\":\"Maximum amount available to borrow is limited because protocol borrow cap is nearly reached.\",\"uyLjNw\":\"Custom slippage\",\"v+Fu0z\":\"This asset is eligible for Kernel points incentive program. Aave Labs does not guarantee the program and accepts no liability.\",\"v0CIlJ\":\"You have no rewards to claim at this time.\",\"v8x7Mg\":\"Insufficient collateral to cover new borrow position. Wallet must have borrowing power remaining to perform debt switch.\",\"vEqxH9\":\"Restaked\",\"vH2C/2\":\"Swap\",\"vLyv1R\":\"Hide\",\"vMba49\":\"Borrowing is not enabled\",\"vMpNwt\":\"Approve with\",\"vNAHA2\":\"PTs\",\"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.\",\"vv7kpg\":\"Cancelled\",\"w+V9Cx\":\"Stablecoin\",\"w/JtJ3\":\"Stable debt supply is not zero\",\"w1f8Ky\":\"Savings GHO\",\"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\",\"wapGcj\":[[\"message\"]],\"wb/r1O\":[\"Faucet \",[\"0\"]],\"wdxz7K\":\"Source\",\"weC8IO\":\"All Rewards\",\"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.\",\"wjFWDB\":\"No markets found\",\"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\",\"wuMdlk\":[\"This asset is eligible for \",[\"0\"],\" Sonic Rewards.\"],\"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.\",\"x+QJ9y\":[\"Category \",[\"selectedEmodeId\"]],\"x0TRLG\":[\"Repay your \",[\"0\"],\" \",[\"1\",\"plural\",{\"one\":\"borrow\",\"other\":\"borrows\"}],\" to use this category.\"],\"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\"]],\"yRkqG9\":\"Limit\",\"yYHqJe\":\"Not a valid address\",\"yZ5ngq\":\"Transaction details not available\",\"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\"],\"yv/Kz/\":\"Back home\",\"yz7wBu\":\"Close\",\"z4uGQg\":\"Debt ceiling is exceeded\",\"z5JUmg\":[\"Estimated costs are \",[\"0\"],\"% of the sell amount. This order is unlikely to be filled.\"],\"z5UQOM\":\"The collateral chosen cannot be liquidated\",\"z5Y+p6\":[\"Supplying \",[\"symbol\"]],\"zCjNKs\":\"Action cannot be performed because the reserve is frozen\",\"zNgzxM\":\"Excludes variable supply APY\",\"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\",\"zZmf1N\":\"Filled\",\"zgtIDV\":\"Remaining debt\",\"zmTPiV\":\"Supply balance\",\"zpPbZl\":\"Liquidation risk parameters\",\"zqp4Tm\":\"Unable to Connect\",\"zr58Jd\":\"Umbrella is the upgraded version of the Safety Module. Manage your previously staked assets\",\"zucql+\":\"Menu\",\"zv/j10\":[\"Active \",[\"0\"],\" borrow is not compatible with this category. Repay your \",[\"1\"],\" borrow to use this option.\"],\"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.\"}")}; \ No newline at end of file diff --git a/src/locales/en/messages.po b/src/locales/en/messages.po index 8acb57d6ed..7c391a66ef 100644 --- a/src/locales/en/messages.po +++ b/src/locales/en/messages.po @@ -1122,6 +1122,10 @@ msgstr "Borrow power used" msgid "Operation not supported" msgstr "Operation not supported" +#: src/components/MarketSwitcher.tsx +msgid "L2 Networks" +msgstr "L2 Networks" + #: src/modules/governance/RepresentativesInfoPanel.tsx msgid "Linked addresses" msgstr "Linked addresses" @@ -1596,6 +1600,10 @@ msgstr "Learn more about the Kernel points distribution" msgid "Please connect your wallet to swap debt." msgstr "Please connect your wallet to swap debt." +#: src/components/MarketSwitcher.tsx +msgid "Ethereum" +msgstr "Ethereum" + #: src/components/AssetCategoryMultiselect.tsx #: src/components/MarketAssetCategoryFilter.tsx msgid "All" @@ -2834,10 +2842,6 @@ msgstr "This swap has a price impact of {0}%, which exceeds the 25% safety thres msgid "Zero address not valid" msgstr "Zero address not valid" -#: src/components/MarketSwitcher.tsx -msgid "Version 3" -msgstr "Version 3" - #: src/components/infoTooltips/NetAPYTooltip.tsx msgid "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." msgstr "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." @@ -2887,6 +2891,10 @@ msgstr "Submit" msgid "Claimed" msgstr "Claimed" +#: src/components/MarketSwitcher.tsx +msgid "Other Chains" +msgstr "Other Chains" + #: src/modules/history/actions/ActionDetails.tsx #: src/modules/history/HistoryFilterMenu.tsx msgid "Debt Swap" @@ -3142,6 +3150,10 @@ msgstr "sGHO Merit APY History" msgid "To repay on behalf of a user an explicit amount to repay is needed" msgstr "To repay on behalf of a user an explicit amount to repay is needed" +#: src/components/MarketSwitcher.tsx +msgid "Pinned" +msgstr "Pinned" + #: src/modules/reserve-overview/graphs/InterestRateModelGraph.tsx msgid "Repayment amount to reach {0}% utilization" msgstr "Repayment amount to reach {0}% utilization" @@ -3253,10 +3265,6 @@ msgstr "Selected borrow assets" msgid "Balancer Pool" msgstr "Balancer Pool" -#: src/components/MarketSwitcher.tsx -msgid "Version 2" -msgstr "Version 2" - #: src/modules/dashboard/DashboardEModeButton.tsx msgid "E-Mode increases your LTV for a selected category of assets. <0>Learn more" msgstr "E-Mode increases your LTV for a selected category of assets. <0>Learn more" @@ -4006,6 +4014,10 @@ msgstr "The Aave Protocol is programmed to always use the price of 1 GHO = $1. T msgid "You have no AAVE/stkAAVE/aAave balance to delegate." msgstr "You have no AAVE/stkAAVE/aAave balance to delegate." +#: src/components/MarketSwitcher.tsx +msgid "No markets found" +msgstr "No markets found" + #: src/modules/faucet/FaucetTopPanel.tsx msgid "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" msgstr "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" diff --git a/src/locales/es/messages.js b/src/locales/es/messages.js index f113fd43be..d8316739e7 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.\"],\"+5vxU4\":\"Reward APY at target liquidity\",\"+9RBfc\":\"Thank you for submitting your inquiry!\",\"+F6nAX\":\"Save with sGHO\",\"+KaZP2\":\"Aave Labs does not guarantee the program and accepts no liability.\",\"+Nk14N\":\"Savings GHO token\",\"+VR63W\":[\"Participar en esta reserva de \",[\"symbol\"],\" da recompensas anuales.\"],\"+XNrRN\":\"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 restrictions, see the <1>help guide or the <2>Aave V3 Technical Paper.\",\"+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.\",\"+i3Pd2\":\"Límite del préstamo\",\"+nuEh/\":\"Estimated time\",\"+xMFF8\":\"Remind me\",\"/+Vmgq\":\"Total amount of underlying assets staked. This number represents the combined sum of your original asset and the corresponding aTokens staked in Umbrella.\",\"/1Qot4\":\"Protocol Rewards\",\"/1xACT\":\"Reward APY adjusts with total staked amount, following a curve that targets optimal staking levels.\",\"/57U31\":\"Cantidad para migrar\",\"/7ykiW\":\"Tomar prestado esta cantidad reducirá tu factor de salud y aumentará el riesgo de liquidación.\",\"/FwCXs\":[[\"0\"],\" \",[\"symbol\"],\"...\"],\"/LCAwL\":\"In progress\",\"/ZyLeG\":\"Amount available to unstake\",\"/jQctM\":\"To\",\"/lDBHm\":\"Preguntas frecuentes\",\"/lMWs6\":[\"Deposit GHO and earn up to <0>\",[\"0\"],\"% APY\"],\"/yNlZf\":\"El préstamo estable no está habilitado\",\"/yQcJM\":\"Valor total\",\"00AB2i\":\"El usuario no tomó prestado el activo especificado\",\"02/4d1\":\"We suggest you go back to the home page.\",\"0AmQcW\":\"Cambio de tasa\",\"0BF3yK\":\"Lo sentimos, no hemos podido encontrar la página que estabas buscando.\",\"0RrIzN\":\"Select token\",\"0TAbjq\":\"Recent Transactions\",\"0jhlyw\":\"Riesgo de liquidación\",\"0ojY+Y\":\"Balance actual v2\",\"0r31vq\":\"Reward Token\",\"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.\",\"11xQTX\":[\"This asset is eligible for \",[\"0\"],\" Ethena Rewards.\"],\"18GnfY\":[\"Repay \",[\"0\"]],\"1AsVfF\":\"Los datos de los precios no están disponibles actualmente para esta reserva en el subgraph del protocolo\",\"1LjK22\":\"Historial de transacciones\",\"1PMU2v\":\"Learn more about the risks.\",\"1Ue8sX\":\"Por favor conecta una cartera para ver tu información personal aquí.\",\"1W8DZp\":\"USDT on Ethereum requires approval reset before a new approval. This will require an additional transaction.\",\"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\",\"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.\",\"2/aIvj\":\"Cancellation submited\",\"2C40JO\":[\"This transaction will switch E-Mode from \",[\"0\"],\" to \",[\"1\"],\". Borrowing will be restricted to assets within the new category.\"],\"2Eoi/a\":\"Ver detalles\",\"2FYpfJ\":\"Más\",\"2O3qp5\":\"Liquidez disponible\",\"2OIfa1\":\"Please connect your wallet to swap collateral.\",\"2OM8/D\":[\"Este activo no se puede migrar debido a una restricción del límite de suministro en el mercado v3 de \",[\"marketName\"],\".\"],\"2RtYM0\":\"Need help? Our support team can assist.\",\"2RubOP\":\"Initiate Withdraw\",\"2S7oCr\":[\"This asset is eligible for the Ether.fi Loyalty program with a <0>x\",[\"multiplier\"],\" multiplier.\"],\"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.\",\"2eBWE6\":\"Acepto los riesgos involucadros.\",\"2r2h/U\":\"Total Deposited\",\"2uJToh\":[[\"0\"],[\"name\"]],\"2x1UO0\":\"Favourited\",\"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\",\"3K0oMo\":\"Suministro restante\",\"3MoZhl\":\"No hay suficiente garantía para cubrir un nuevo préstamo\",\"3NO6VI\":[[\"0\"],\" Balance\",[\"1\"]],\"3Np5O8\":[\"Suministrar \",[\"symbol\"]],\"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\",\"4fCwrW\":\"or from the\",\"4lDFps\":\"Firma para continuar\",\"4p5njr\":\"Total amount staked\",\"4wyw8H\":\"Transacciones\",\"5+lhtA\":\"For swapping safety module assets please unstake your position <0>here.\",\"53r7O1\":[\"High price impact (<0>\",[\"0\"],\"%)! This route will return \",[\"1\"],\" due to low liquidity or small order size.\"],\"5CCqcz\":\"Fees help support the user experience and security of the Aave application. <0>Learn more.\",\"5JSSxX\":[\"Tu cartera de \",[\"networkName\"],\" está vacía. Consigue activos de prueba gratis en\"],\"5K3B36\":\"We couldn't find any assets related to your search. Try again with a different category.\",\"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.\"],\"5RzvNm\":\"Aave Shield: Transaction blocked\",\"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\",\"5ty6hB\":\"Claiming individual protocol reward only. Merit rewards excluded - select \\\"claim all\\\" to include merit rewards.\",\"5vxk14\":\"To continue, you need to grant 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\",\"5yC5m5\":\"Ver todos los votos\",\"6/dCYd\":\"Resumen\",\"60crCe\":\"Todas las transacciones\",\"62Xcjh\":\"Garantía\",\"65A04M\":\"Español\",\"68ANm7\":\"Withdrawing GHO\",\"6G8s+q\":\"Firmando\",\"6Jrv+z\":[\"Pagar \",[\"symbol\"]],\"6SC+v0\":[\"Disable \",[\"0\"],\" as collateral to use this category. These assets would have 0% LTV.\"],\"6Xr0UU\":\"Cooling down...\",\"6bxci/\":\"Poder de votación\",\"6f8S68\":\"Mercados\",\"6g1gi0\":\"Propuestas\",\"6gvoHP\":\"Copiar mensaje de error\",\"6h3Q5G\":\"reembolsado\",\"6lFSyT\":\"Available to Stake\",\"6lGV3K\":\"Show less\",\"6s8L6f\":\"Cambiar de red\",\"70wH1Q\":\"APR\",\"72c5Qo\":\"Total\",\"75qcAQ\":[[\"stepName\"]],\"7ITr5L\":\"Factor de salud\",\"7R/kqr\":\"The cooldown period is the time required prior to unstaking your tokens (<0/>). You can only withdraw your assets from the Security Module after the cooldown period and within the unstake window. <1>Learn more\",\"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\",\"7c6Gy8\":\"Learn more about Sonic Rewards program\",\"7er5fP\":\"Reclamar todo\",\"7hb2+s\":\"Time remaining until the withdraw period ends.\",\"7i1oxe\":\"Withdrawing and Swapping\",\"7l88b8\":\"No se pudieron recuperar los datos, por favor recarga el gráfico.\",\"7p5kLi\":\"Panel de control\",\"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\",\"8Xaoyr\":\"View on CCIP Explorer\",\"8Z5FPv\":\"Desconectar cartera\",\"8Zz7s5\":\"activos\",\"8aLW8H\":\"Balance a revocar\",\"8bOT3H\":\"Tasa de uso\",\"8d61xO\":\"The Ink instance is governed by the Ink Foundation\",\"8sLe4/\":\"Ver contrato\",\"8ss7VF\":\"Transaction cancelled\",\"8t/M0y\":\"Please connect your wallet to be able to bridge your tokens.\",\"8u3DDw\":[\"Swap \",[\"0\"],\" collateral\"],\"8vETh9\":\"Mostrar\",\"93T2Os\":\"Total deposited\",\"94OHPx\":\"Estás entrando en el Isolation mode\",\"9CDK3/\":[\"Tomar prestado no está disponible actualmente para \",[\"0\"],\".\"],\"9GIj3z\":\"Tamaño de la reserva\",\"9ITYjl\":\"%\",\"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.\"],\"9YcC7V\":\"Select Categories\",\"9c6vDV\":\"Este activo ha alcanzado su límite de suministro. No queda nada disponible para ser suministrado desde este mercado.\",\"9iDHmv\":\"Collateral Swap\",\"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\",\"9xSooW\":\"Puesto que esta es una red de pruebas, puedes obtener cualquiera de los activos si tienes ETH en tu cartera\",\"9y0Q0y\":[\"There is not enough liquidity in \",[\"symbol\"],\" to complete this swap. Try lowering the amount.\"],\"9zzsBx\":\"This is a program initiated by the Aave DAO and implemented by Merkl. Aave Labs does not guarantee the program and accepts no liability.\",\"A/lwoe\":\"Elige uno de los servicios on-ramp\",\"A6dCI6\":[\"La máxima cantidad disponible para tomar prestado es <0/> \",[\"0\"],\" (<1/>).\"],\"ACUEES\":\"Check errors\",\"AReoaV\":\"Tus préstamos\",\"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.\",\"B6zvhF\":\"Shares\",\"BDFEd+\":\"stETH suministrado como garantía continuará acumulando recompensas de staking proporcionadas por rebases diarios.\",\"BE2mP0\":\"Borrowed assets\",\"BNL4Ep\":\"El uso como garantía está limitado debido al isolation mode. <0>Aprende más\",\"BQ+4lu\":\"Swap saved in your <0>history section.\",\"BQ/wCO\":\"Migrate your assets\",\"BaCmXf\":\"AAVE 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.\",\"Baj2MJ\":\"Savings\",\"BnhYo8\":\"Categoría de activos\",\"Bo6b9i\":\"Withdraw GHO\",\"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\",\"C4qYyX\":[\"Repay \",[\"0\"],\" with \",[\"1\"]],\"C5jQc6\":\"GHO Balance\",\"C7hM0q\":\"Country (optional)\",\"CDrsH+\":\"Documento técnico\",\"CGiscJ\":\"You've successfully submitted an order.\",\"CK1KXz\":\"Max\",\"COUcFd\":\"Points\",\"CZXzs4\":\"Griego\",\"CkTRmy\":[\"Reclamar \",[\"symbol\"]],\"CrrC++\":\"Position swaps are disabled for this asset due to security reasons.\",\"CsqtLm\":\"Por favor conecta tu cartera para ver la herramienta de migración.\",\"CtGlFb\":[\"Faucet \",[\"networkName\"]],\"CuAHqa\":\"Protocol Incentives\",\"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.\",\"D4Q4h/\":\"Gas estimation error\",\"D79cZK\":\"Instant\",\"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\"],\"DhaOWH\":\"Stake your Aave aTokens or underlying assets to earn rewards. In case of a shortfall event, your stake may be slashed to cover the deficit.\",\"Dj+3wB\":\"Aave por mes\",\"DlRHbH\":\"Claiming all protocol rewards only. Merit rewards excluded - select \\\"claim all\\\" to include merit rewards.\",\"DuEq2K\":\"Colateralización\",\"Dzma+E\":\"Main Ethereum market with the largest selection of assets and yield options\",\"E/QGRL\":\"Deshabilitado\",\"E6UoJs\":\"Estimated compounding 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.\",\"ETtXJg\":\"Share my wallet address to help the support team resolve my issue\",\"EZd3Dk\":[\"Restakeando \",[\"symbol\"]],\"Ebgc76\":[\"Retirando \",[\"symbol\"]],\"EdQY6l\":\"Ninguno\",\"Ef7StM\":\"Unknown\",\"Ehzc//\":[\"Swapping \",[\"0\"],\" debt\"],\"Ekea1N\":\"We couldn't detect a wallet. Connect a wallet to stake and view your balance.\",\"Enslfm\":\"Destination\",\"EvE9nO\":[\"Reactivar el periodo de cooldown para unstakear \",[\"0\"],\" \",[\"stakedToken\"]],\"EvECnL\":\"Migrar a V3\",\"EyYG53\":\"Get support\",\"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.\",\"F6pfE9\":\"Active\",\"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\",\"G15AUr\":\"Sending cancel...\",\"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\",\"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.\"],\"Gz07IS\":\"Your health factor after this swap will be critically low and may result in liquidation. Please choose a different asset or reduce the swap amount to stay safe.\",\"H1oAjw\":[[\"selectedCount\"],\" Categories\"],\"HB/wfS\":[[\"tooltipText\"]],\"HD4KkW\":[\"Swapping \",[\"0\"],\" collateral\"],\"HKDsQN\":\"Rewards can be claimed through\",\"Hi6Ttn\":\"Lo sentimos, se produjo un error imprevisto. Mientras tanto, puedes intentar recargar la página, o volver después.\",\"HkEDbS\":[[\"d\"],\"d\"],\"HlWGZc\":[\"Your \",[\"0\"],\" balance is lower than the selected amount.\"],\"HmkYqM\":\"Ventana de unstakeo\",\"HpK/8d\":\"Recargar\",\"HtBqo9\":\"sGHO\",\"HtuY7v\":\"Please connect your wallet to swap tokens.\",\"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\"],\"%.\"],\"I4Cxlm\":\"E-Mode required\",\"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.\",\"ILXMQA\":\"The Safety Module has been upgraded to <0>Umbrella, a new system that introduces automated slashing, aToken staking, and improved incentives design.\",\"IN8luu\":\"All done\",\"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\",\"IhAc6F\":\"Costs & Fees\",\"ImxB3A\":\"deposited\",\"IrtO2E\":\"You have assets with zero LTV that are blocking this operation. Please withdraw them or disable them as collateral first.\",\"J/hVSQ\":[[\"0\"]],\"JCoxL6\":\"Administrar analíticas\",\"JEdlTC\":\"Stablecoins\",\"JOqFba\":[\"Unstakeando \",[\"symbol\"]],\"JPHuMW\":\"Swapping\",\"JPhc4G\":\"ETH Correlated\",\"JPrLjO\":\"No puedes usar este activo como garantía\",\"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\",\"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\",\"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\",\"KkJaLD\":\"Borrow:\",\"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\",\"KqoLVC\":\"Merkl rewards are claimed through the\",\"KsqhWn\":\"Staking\",\"KuBTQq\":\"Introduce la dirección ETH\",\"KvG1xW\":\"Reclamando\",\"L+8Lzs\":\"LTV actual\",\"L+qiq+\":\"Mercado\",\"L2tU22\":\"Learn more about Ethena Rewards program\",\"L3ZyJR\":[[\"popularSectionTitle\"]],\"LEdkyb\":\"Rewards to claim\",\"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\"],\"\"],\"Lhf8zD\":\"Waiting for actions...\",\"Lp2cTp\":\"Eligible for incentives through Merkl.\",\"LvVpD/\":\"Modo E\",\"Ly2enB\":\"This will cancel the order via an on-chain transaction. Note that the order will not be marked as cancelled in the CoW Protocol system, but will remain open and expire naturally. Keep in mind that a solver may already have filled your order.\",\"M1RnFv\":\"Expired\",\"M2sknc\":\"Tip: Intenta aumentar el deslizamiento o reduce la cantidad de entrada\",\"MKiONF\":\"Activating Cooldown\",\"MOvzXm\":\"Comparing best rates...\",\"MRwaR4\":\"This will require two separate transactions: one to change E-Mode and one to supply.\",\"MZ/nQf\":\"Dirección del destinatario\",\"MZbQHL\":\"No results found.\",\"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.\",\"MlRlXX\":\"Current APY\",\"Mm/DVQ\":\"Has cancelado la transacción.\",\"MnE2QX\":\"Información de préstamo\",\"MuDFEQ\":\"Valor de retorno inválido en la función executor del préstamo flash\",\"My0ZGV\":\"Learn more about the Kernel points distribution\",\"N+3mX2\":\"Please connect your wallet to swap debt.\",\"N40H+G\":\"All\",\"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\",\"ND1ISA\":\"Weekly Rewards\",\"NF0e1Q\":\"Pendiente...\",\"NK9ikO\":\"Balance de la cartera\",\"NMt2CB\":\"Cantidad reclamable\",\"Na7NlU\":[[\"remainingCustomMessage\"]],\"NcFGxG\":\"Collector Contract\",\"NfpPeS\":\"Nada invertido\",\"Nh9DAo\":[[\"m\"],\"m\"],\"Npz7kI\":\"Inquiry\",\"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\",\"OC4Tzv\":\"here\",\"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\",\"OiykRd\":\"Deposit GHO\",\"On0aF2\":\"Página web\",\"OqAwLU\":\"Protocol APY\",\"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\",\"PctCOf\":\"A temporary contract will be used to execute the trade. Your wallet may show a warning for approving a new or empty address.\",\"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.\",\"QONKTE\":\"Merit Rewards\",\"QQYsQ7\":\"Retirando\",\"QZEgwS\":\"Execution fee\",\"R+30X3\":\"No alcanzado\",\"R9Khdg\":\"Auto\",\"RCU5PY\":\"Age\",\"RIfckG\":[\"Desactivar \",[\"symbol\"],\" como garantía\"],\"RMtxNk\":\"Diferencial\",\"RNK49r\":\"Firma inválida\",\"RS0o7b\":\"Estado\",\"RTG4/6\":\"There are no stake assets configured for this market\",\"RU+LqV\":\"Detalles de la propuesta\",\"RYfdBk\":\"Visit <0><1>https://aave.self.xyz/ to get started with Self’s ZK-powered proof-of-humanity authentication.\",\"RZbjLY\":[\"See \",[\"0\"],\" more\"],\"Rg4K+m\":\"Cannot switch to this category\",\"RiSYV4\":\"El activo no está listado\",\"Rj01Fz\":\"Enlaces\",\"RmWFEe\":\"Staking APR\",\"RtBLm7\":\"El factor de salud es menor que el umbral de liquidación\",\"RvF1Ts\":\"stkGHO is now Savings GHO\",\"RxzN1M\":\"Habilitado\",\"SBv4zo\":[[\"0\"],\" collateral would have 0% LTV in this category. Disable \",[\"1\"],\" as collateral to use this option.\"],\"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\",\"SNmu1z\":\"Shares are Umbrella Stake Tokens you receive when staking. They represent your ownership in the pool, and the amount of underlying you can redeem depends on the current exchange rate between shares and the underlying.\",\"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\",\"SZkDmY\":\"The swap could not be completed. Try increasing slippage or changing the amount.\",\"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\",\"St4jqF\":\"This list may not include all your swaps.\",\"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\",\"TLJkuL\":\"Category assets\",\"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\",\"Tg1JyO\":\"Bridge history\",\"TszKts\":\"Balance de préstamo después del cambio\",\"Tw07Vv\":\"Show assets with small balance\",\"TwJI9F\":\"Asset has been successfully sent to CCIP contract. You can check the status of the transactions below\",\"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.\",\"UMgOim\":\"Send cancel\",\"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.\",\"UiO4Hu\":[\"You'll need to wait \",[\"0\"],\" before you can unstake your tokens. This cooldown starts when you request to unstake. Once it ends, you can withdraw during the unstake window.\"],\"UpndFj\":\"No hay recompensas para reclamar\",\"V0f2Xv\":\"Factor de reserva\",\"V1HK43\":\"Riesgos de migración\",\"V7QGpc\":\"I understand the liquidation risk and want to proceed\",\"V7SFse\":[\"I confirm the swap knowing that I could lose up to <0>\",[\"0\"],\"% on this swap.\"],\"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\",\"VnQFYr\":\"Claiming all merit rewards only\",\"W1SSoD\":\"Revisar detalles de la tx\",\"W5hVah\":\"Nada suministrado aún\",\"W5kTFy\":\"Votando\",\"WHrVwg\":\"Loading quote...\",\"WMJGls\":\"Estimated Costs & Fees\",\"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\",\"WS67YQ\":\"Let us know how we can help you. You may also consider joining our community\",\"WT188T\":\"Withdraw & Swap\",\"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.\",\"WbTDwg\":\"In Progress\",\"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.\",\"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\",\"X4tRM3\":[[\"0\"],\" \",[\"symbol\"],\" to continue\"],\"XBdKOj\":\"Direcciones de cartera de contrato inteligente representativas (Safe) en otras cadenas.\",\"XPN5UR\":\"User denied the operation.\",\"XYLcNv\":\"Support\",\"XZzneG\":\"Saldrás del modo aislamiento y otros tokens pueden ser usados ahora como garantía\",\"Xe5bTg\":\"Deposit APR\",\"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.\",\"XwKkg/\":\"Staked Underlying\",\"Xy+o6U\":\"For security reasons, limit orders are not supported for Native tokens. To place a limit order, use the wrapped version.\",\"Xy71ST\":\"Umbrella\",\"Y+hUcK\":\"Merit Program and Self rewards can be claimed\",\"Y46iXX\":\"The order could't be filled.\",\"Y5Orec\":\"Collateral options\",\"Y5kGkc\":\"VOTAR NO\",\"YD+nXc\":\"Aave Shield\",\"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.\",\"Ya/che\":\"Stake token shares\",\"Ykj2Om\":\"Default slippage\",\"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.\",\"YrcHPy\":\"VIEW\",\"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.\"],\"Z3FXyt\":\"Loading...\",\"Z99M+T\":\"This is an off-chain operation. Keep in mind that a solver may already have filled your order.\",\"ZBvhI+\":\"Gobierno de Aave\",\"ZIIRAd\":\"Raw-Ipfs\",\"ZRq4tX\":\"Modo de eficiencia (E-Mode)\",\"ZRuM45\":\"These are the estimated costs associated with your limit swap, including costs and fees. Consider these costs when setting your order amounts to help optimize execution and maximize your chances of filling the order.\",\"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\",\"aCgA+I\":\"E-Mode change\",\"aEtiwq\":\"Votar NO\",\"aMmFE1\":\"Comprar Crypto con Fiat\",\"aOKIms\":\"Los parámetros del array que deberían ser iguales en longitud no lo son\",\"aQYztl\":[\"Repaying \",[\"0\"]],\"aXgo8+\":\"from the\",\"adUsDd\":\"Se ha producido un error al recuperar la propuesta.\",\"afk1Wt\":[\"This asset can only be used as collateral in E-Mode: \",[\"0\"]],\"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.\",\"b4NS3e\":\"Advertencia periodo de cooldown\",\"bBHmeP\":\"Available to withdraw\",\"bNEQeI\":\"Cooldown\",\"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\",\"bYtb3C\":\"Network costs\",\"bguKoJ\":\"La cantidad solicitada es mayor que el tamaño máximo del préstamo en el modo de tasa estable\",\"bm/mjh\":\"This is a program initiated and implemented by the Aave Chan Initiative (ACI). Aave Labs does not guarantee the program and accepts no liability.\",\"bq0uL+\":\"supply\",\"bwSQI0\":\"Suministrar\",\"bxN6EM\":\"No se puede deshabilitar E-Mode\",\"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.\",\"cc6gEH\":\"Incentives APR\",\"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\"]],\"cqwIvs\":\"Hilo de discusión del foro\",\"csDS2L\":\"Disponible\",\"cu7Stb\":\"No has participado en esta propuesta\",\"cuxGZP\":\"Low health factor after swap. Your position will carry a higher risk of liquidation.\",\"d9YZVR\":\"Principle Tokens\",\"dE6BLF\":\"Gobierno\",\"dEgA5A\":\"Cancelar\",\"dIsyWh\":\"La validación del LTV ha fallado\",\"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\",\"dYG3JG\":\"Data couldn't be loaded.\",\"dZQvSq\":\"Please review the swap values before confirming.\",\"dfDzrk\":[\"Supply cap reached for \",[\"symbol\"],\". Reduce the amount or choose a different asset.\"],\"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\",\"drdV8R\":\"Liquidación\",\"dxW8cS\":\"Token de deuda de Aave\",\"e/ghIe\":[\"This transaction will enable E-Mode (\",[\"0\"],\"). Borrowing will be restricted to assets within this category.\"],\"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\",\"eQ0Wu0\":\"Please connect a wallet to view your balance here.\",\"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\",\"edXiYw\":[\"You've successfully swapped \",[\"0\"],\".\"],\"efdrrk\":\"Disponible en\",\"enruNF\":\"empieza\",\"eqLYiD\":\"Unstakea ahora\",\"evw5ha\":\"Valor neto\",\"ezcU16\":\"Obtener Token ABP\",\"f2e3vu\":[\"Deposit GHO into savings GHO (sGHO) and earn <0>\",[\"0\"],\"% APY on your GHO holdings. There are no lockups, no rehypothecation, and you can withdraw anytime. Simply deposit GHO, receive sGHO tokens representing your balance, and watch your savings grow earning claimable rewards from merit.\"],\"f3W0Ej\":[\"Has cambiado a tasa \",[\"0\"]],\"fMJQZK\":\"Prestado\",\"fZ5Vnu\":\"Recibido\",\"firl9Q\":\"Tu actual relación préstamo-valor basado en tu garantía suministrada.\",\"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\",\"g4Ius4\":\"This is the fee for executing position changes, set by governance.\",\"g8KGoA\":\"FAQS\",\"g9zzqS\":\"Votó NAY\",\"gDd2gk\":\"about SuperFest.\",\"gIMJlW\":\"Testnet mode\",\"gK+IvE\":\"Withdraw and Swap\",\"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\",\"gjxiVa\":[\"This swap has a price impact of \",[\"0\"],\"%, which exceeds the 25% safety threshold. To proceed, disable Aave Shield in the settings menu.\"],\"goff7V\":\"Dirección cero no válida\",\"gp+f1B\":\"Versión 3\",\"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\",\"h5hG6q\":\"This is the cost of settling your order on-chain, including gas and any LP fees.\",\"hB23LY\":\"Activar Cooldown\",\"hIJzBh\":\"Available to Claim\",\"hIS4N0\":\"APY neto\",\"hQRttt\":\"Submit\",\"hRWvpI\":\"Reclamado\",\"hb8ajh\":\"Debt Swap\",\"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\",\"hrhwub\":\"dashboard\",\"huQ6Tz\":[\"Tomando prestado \",[\"symbol\"]],\"hxYu+F\":\"Borrow: All eligible assets\",\"i/fZ2Z\":\"Staked Balance\",\"i9qiyR\":\"Expires in\",\"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\",\"iIuDE1\":\"Estimated weekly rewards based on your current sGHO balance and APR. Actual rewards may vary depending on market conditions.\",\"iKfD53\":\"Transaction history for Plasma not supported yet, coming soon.\",\"iMVZk9\":\"Seleccionar tolerancia de deslizamiento\",\"iNYgey\":\"Get Support\",\"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\",\"iddNqA\":\"This transaction will disable E-Mode. All assets will revert to their base LTV and liquidation thresholds.\",\"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 \"],\"ih/VjN\":\"Staking this amount will reduce your health factor and increase risk of liquidation.\",\"il0sEG\":\"El uso de garantías está limitado debido al Isolation mode.\",\"j+K1Xj\":\"Amount After Fee\",\"j4SXZo\":\"Claim all merit rewards\",\"j7JHV+\":\"Total APY\",\"j8cF1R\":\"Cooling down\",\"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\",\"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.\",\"jZkYWO\":\"Boosted LTV\",\"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\",\"jqVo/k\":\"here.\",\"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\"],\"kMi0nz\":\"sGHO Merit APY History\",\"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\",\"kj3M8S\":\"Deposit\",\"kjN9tT\":\"El límite de suministro se ha sobrepasado\",\"kn+s7w\":[[\"0\"],\" collateral would have 0% LTV without E-Mode. Disable \",[\"1\"],\" as collateral to use this option.\"],\"knxE+G\":\".JSON\",\"ks2LWT\":\"El límite de deuda no es cero\",\"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.\",\"kzeZTm\":\"LTV\",\"lCF0wC\":\"Refresh\",\"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.\",\"lXb3Ih\":[\"This asset has 0 LTV and cannot be used as collateral. Enable an E-Mode to use \",[\"symbol\"],\" as collateral.\"],\"lXj2Sq\":\"Repay with Collateral\",\"lYGfRP\":\"Inglés\",\"lfEjIE\":\"Aprende más en nuestra guía <0>Preguntas frecuentes\",\"ljF4ko\":\"The selected rate is lower than the market price. You might incur a loss if you proceed.\",\"lqCWte\":[\"Deposit GHO and earn \",[\"0\"],\"% APY\"],\"lu7f+8\":\"Blocked by Shield\",\"m/IEhi\":\"Emisiones totales por día\",\"m7r7Hh\":\"Activos de préstamo seleccionados\",\"mDDK4p\":\"Pool de Balancer\",\"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\"],\".\"],\"me5LMQ\":\"Checking approval\",\"mogZv0\":\"Favourite\",\"muiOng\":[\"Comprar \",[\"cryptoSymbol\"],\" con Fiat\"],\"mvCXBY\":\"Stakea AAVE\",\"mwdzil\":\"Vale, cerrar\",\"mzDAU3\":\"Savings GHO (sGHO)\",\"mzdIia\":\"Este activo no puede usarse como garantía.\",\"n+SX4g\":\"Desarrolladores\",\"n1na81\":\"No eligible assets to swap.\",\"n4PWtp\":\"Depositing\",\"nJIhzm\":\"Apy de suministro\",\"nJgsQu\":\"Con un poder de votación de <0/>\",\"nLC6tu\":\"Francés\",\"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\",\"nPGNMh\":\"Puede ser ejecutado\",\"nUK1ou\":[\"Assets with zero LTV (\",[\"0\"],\") must be withdrawn or disabled as collateral to perform this action\"],\"neITkT\":\"This asset has 0% LTV, meaning it does not contribute to borrowing power. Existing positions with this asset as collateral still count toward the liquidation threshold and protect your health factor. New positions cannot enable this asset as collateral.\",\"njBeMm\":\"Ambos\",\"ntyFSE\":[[\"h\"],\"h\"],\"nwIsn4\":\"After the cooldown is initiated, you will be able to withdraw your assets immediatley.\",\"nweCqF\":\"Cancelling order...\",\"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\",\"o5ooMr\":\"Deuda\",\"o7J4JM\":\"Filtro\",\"o7Yloh\":\"Learn more about the Ether.fi program\",\"oHFrpj\":\"Cooldown para undstakear\",\"oJ5ZiG\":\"El usuario no tiene deuda pendiente de tasa variable en esta reserva\",\"oUwXhx\":\"Activos de prueba\",\"oWQnqT\":\"Staking this asset will earn the underlying asset supply yield in addition to other configured rewards.\",\"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.\",\"ogU9GD\":\"Target liquidity\",\"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.\",\"om/XHs\":\"Disponible para suministrar\",\"omq5qJ\":\"Claiming all protocol rewards and merit rewards together\",\"ovBPCi\":\"Default\",\"ovT1pF\":[\"Per the community, the \",[\"market\"],\" has been frozen.\"],\"ow3fug\":\"Sin resultados\",\"owSsI3\":\"Firmas listas\",\"p+R52m\":\"Ir al pool de Balancer\",\"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.\",\"p45alK\":\"Configurar la delegación\",\"pDgeaz\":[[\"title\"]],\"pdZqBk\":\"El balance subyacente debe ser mayor que 0\",\"pgWG9H\":\"No hay suficiente balance stakeado\",\"ph9+uj\":[\"Switching to \",[\"networkName\"],\"...\"],\"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\"],\"pup/ej\":\"Net Protocol Incentives\",\"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\",\"qKfida\":\"Staked tokens are wrapped and use an exchange rate. You may see fewer token shares, but the value matches your deposit and will grow as yield accrues.\",\"qOqbD6\":\"copiar el error\",\"qXCkEM\":\"Por favor, conecta tu cartera para ver tus suministros, préstamos y posiciones abiertas.\",\"qY2jnw\":\"Expiración inválida\",\"qhhf9L\":\"Rewards available to claim\",\"qtS7wW\":\"Thank you for voting\",\"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\",\"qz6JVE\":[\"Your order amounts are \",[\"0\"],\" less favorable by \",[\"1\"],\"% to the liquidity provider than recommended. This order may not be executed.\"],\"qz9c6b\":[\"Repaying \",[\"0\"],\" with \",[\"1\"]],\"qzFp5D\":\"All Categories\",\"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\",\"riNWOA\":\"E-Mode\",\"rjGI/Q\":\"Privacidad\",\"rnKPW1\":\"Watch a wallet balance in read-only mode\",\"rojvRp\":\"Approval by signature not available\",\"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\",\"t/ct9N\":\"Auto Slippage\",\"tBIz3I\":[\"Supply \",[\"0\"],\" and double your yield by <0><1>verifying your humanity through Self for \",[\"1\"],\" per user.\"],\"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\",\"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\"],\"tVJk4q\":\"Cancel order\",\"te9Bfl\":\"Por favor, conecta tu cartera\",\"tj6dr4\":\"Merit Program rewards can be claimed\",\"tt5yma\":\"Tus suministros\",\"tw6G0s\":[\"You must disable \",[\"0\"],\" as collateral before exiting E-Mode. These assets have 0 LTV outside of E-Mode and cannot be used as collateral.\"],\"u3ZeYl\":\"Error en la transacción\",\"u706uF\":\"Préstamo flash inválido\",\"u8Gfu7\":[\"Sin resultados de búsqueda\",[\"0\"]],\"uAQUqI\":\"Status\",\"uGG4Lk\":\"Claim all protocol rewards\",\"uHMwk8\":\"No hay activos seleccionados para migrar.\",\"uI3SjW\":\"Connection Error\",\"uJOI6M\":\"Tip: Try improving your order parameters\",\"uJPHuY\":\"Migrando\",\"uRXR6h\":[\"Swap \",[\"0\"],\" debt\"],\"uZiu4N\":\"There is an active order for the same sell asset (avoid nonce reuse).\",\"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\",\"usB84Z\":\"La cantidad máxima disponible para tomar prestado está limitada porque casi se ha alcanzado el límite de préstamo del protocolo.\",\"uyLjNw\":\"Custom slippage\",\"v+Fu0z\":\"This asset is eligible for Kernel points incentive program. Aave Labs does not guarantee the program and accepts no liability.\",\"v0CIlJ\":\"You have no rewards to claim at this time.\",\"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\",\"vH2C/2\":\"Swap\",\"vLyv1R\":\"Ocultar\",\"vMba49\":\"Tomar prestado no está habilitado\",\"vMpNwt\":\"Aprobar con\",\"vNAHA2\":\"PTs\",\"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.\",\"vv7kpg\":\"Cancelled\",\"w+V9Cx\":\"Stablecoin\",\"w/JtJ3\":\"El balance de deuda estable no es cero\",\"w1f8Ky\":\"Savings GHO\",\"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\",\"wapGcj\":[[\"message\"]],\"wb/r1O\":[\"Faucet \",[\"0\"]],\"wdxz7K\":\"Source\",\"weC8IO\":\"All Rewards\",\"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\",\"wuMdlk\":[\"This asset is eligible for \",[\"0\"],\" Sonic Rewards.\"],\"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.\",\"x+QJ9y\":[\"Category \",[\"selectedEmodeId\"]],\"x0TRLG\":[\"Repay your \",[\"0\"],\" \",[\"1\",\"plural\",{\"one\":\"borrow\",\"other\":\"borrows\"}],\" to use this category.\"],\"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\"]],\"yRkqG9\":\"Limit\",\"yYHqJe\":\"Dirección no válida\",\"yZ5ngq\":\"Transaction details not available\",\"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\"],\"yv/Kz/\":\"Back home\",\"yz7wBu\":\"Cerrar\",\"z4uGQg\":\"El límite de deuda está sobrepasado\",\"z5JUmg\":[\"Estimated costs are \",[\"0\"],\"% of the sell amount. This order is unlikely to be filled.\"],\"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\",\"zNgzxM\":\"Excludes variable supply APY\",\"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\",\"zZmf1N\":\"Filled\",\"zgtIDV\":\"Deuda restante\",\"zmTPiV\":\"Balance de suministro\",\"zpPbZl\":\"Parámetros de riesgo de liquidación\",\"zqp4Tm\":\"Unable to Connect\",\"zr58Jd\":\"Umbrella is the upgraded version of the Safety Module. Manage your previously staked assets\",\"zucql+\":\"Menú\",\"zv/j10\":[\"Active \",[\"0\"],\" borrow is not compatible with this category. Repay your \",[\"1\"],\" borrow to use this option.\"],\"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.\",\"+EGVI0\":\"Recibir (est.)\",\"+Tzhaj\":\"You've successfully swapped borrow position.\",\"+eOPG+\":\"Parece que no podemos cambiar la red automáticamente. Por favor, comprueba si puedes cambiarla desde la cartera.\",\"+kLZGu\":\"Cantidad de activos suministrados\",\"/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\",\"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\",\"1Onqx8\":[\"Aprobando \",[\"symbol\"],\"...\"],\"1m9Qqc\":\"Retirando y Cambiando\",\"1oyh4g\":\"Borrow rate\",\"2Q4GU4\":\"Dirección bloqueada\",\"2bAhR7\":\"Conoce GHO\",\"2o/xRt\":\"Se ha alcanzado el límite de suministro en la reserva especificada. Prueba reduciendo la cantidad.\",\"3O8YTV\":\"Interés total acumulado\",\"4iPAI3\":\"Cantidad de préstamo mínima de GHO\",\"6NGLTR\":\"Cantidad descontable\",\"6yAAbq\":\"APY, tasa de préstamo\",\"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\",\"7sofdl\":\"Retirar y Cambiar\",\"9rWaKF\":\"Bridged Via CCIP\",\"ARu1L4\":\"Pagado\",\"B6aXGH\":\"Estable\",\"B9Gqbz\":\"Tasa variable\",\"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.\",\"BjLdl1\":\"Con un descuento\",\"CMHmbm\":\"Deslizamiento\",\"DxfsGs\":\"Puedes reportar cualquier incidente a nuestro <0>Discord o <1>Github.\",\"EBL9Gz\":\"¡COPIADO!\",\"ES8dkb\":\"Interés fijo\",\"GoK/QN\":\"Thank you for submitting feedback!\",\"H6Ma8Z\":\"Descuento\",\"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.\",\"HrnC47\":\"Guardar y compartir\",\"JK9zf1\":[\"Interés compuesto estimado, incluyendo el descuento por Staking \",[\"0\"],\"AAVE en el Módulo de Seguridad.\"],\"JU6q+W\":\"Recompensa(s) por reclamar\",\"K05qZY\":\"Retirar y Cambiar\",\"KRpokz\":\"VER TX\",\"KZwRuD\":[[\"notifyText\"]],\"LDzfVJ\":\"Send Feedback\",\"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\",\"MIy2RJ\":\"Maximum amount received\",\"MrmQHg\":\"View Bridge Transactions\",\"N7dVh7\":\"Swap to\",\"QSh9Sn\":\"Swapped\",\"QWYCs/\":\"Stakear GHO\",\"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.\",\"RoafuO\":\"Enviar feedback\",\"SSMiac\":\"Error al cargar los votantes de la propuesta. Por favor actualiza la página.\",\"TeCFg/\":\"Cambio de tasa de préstamo\",\"TskbEN\":\"Los poseedores de stkAAVE reciben un descuento en la tasa de préstamo de GHO\",\"TtZL6q\":\"Parámetros del modelo de descuento\",\"Tz0GSZ\":\"actividades bloqueadas\",\"UE3KJZ\":\"El historial de transacciones no está disponible actualmente para este mercado\",\"W8ekPc\":\"Volver al panel de control\",\"WMPbRK\":\"No respaldado\",\"YirHq7\":\"Feedback\",\"aX31hk\":\"Tu balance es más bajo que la cantidad seleccionada.\",\"al6Pyz\":\"Supera el descuento\",\"avgETN\":\"Eligible for the Merit program.\",\"bSc4Zw\":\"Swaping\",\"bSruit\":\"ZKSync Ignite Program rewards are claimed through the\",\"bxmzSh\":\"No hay suficiente garantía para pagar esta cantidad de deuda con\",\"cqnmnD\":\"Tasa de interés efectiva\",\"dMtLDE\":\"para\",\"dpc0qG\":\"Variable\",\"euScGB\":\"APY con descuento aplicado\",\"fHcELk\":\"APR Neto\",\"flRCF/\":\"Descuento por staking\",\"gncRUO\":\"Esta dirección está bloqueada en app.aave.com porque está asociada con una o más\",\"gr8mYw\":\"Puedes tomar prestado hasta <0/> GHO al <1/> (descuento máximo)\",\"hpuVIp\":\"Users who stake AAVE in Safety Module (i.e. stkAAVE holders) receive a discount on GHO borrow interest rate.\",\"hxi7vE\":\"Balance tomado prestado\",\"i2JTiw\":\"Puedes ingresar una cantidad específica en el campo.\",\"jMam5g\":[\"Balance \",[\"0\"]],\"jpctdh\":\"Ver\",\"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.\",\"lNVG7i\":\"Selecciona un activo\",\"lt6bpt\":\"Garantía a pagar con\",\"mIM0qu\":\"Cantidad esperada a pagar\",\"mzI/c+\":\"Descargar\",\"n8Psk4\":\"No podemos detectar una cartera. Conecta una cartera para stakear y ver tu balance.\",\"nOy4ob\":\"Te sugerimos volver al Panel de control.\",\"nakd8r\":\"poseedores de stkAAVE obtienen un descuento en la tasa de préstamo de GHO\",\"nh2EJK\":[\"Por favor, cambia a \",[\"networkName\"],\".\"],\"ntkAoE\":\"Descuento aplicado para <0/> AAVE stakeados\",\"o4tCu3\":\"APY préstamo\",\"olREoo\":\"All borrow positions outside of this category must be closed to enable this category.\",\"ov0+mq\":\"Eligible for the ZKSync Ignite program.\",\"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.\"],\"p3j+mb\":\"Tu balance de recompensa es 0\",\"p6u2s1\":\"Minimum amount of debt to be repaid\",\"qFD/ij\":\"You've successfully withdrew & swapped tokens.\",\"qT4Lfg\":\"You've successfully swapped tokens.\",\"qf/fr+\":\"Interés acumulado\",\"rf8POi\":\"Cantidad de activos tomados prestados\",\"ruc7X+\":\"Añade stkAAVE para ver el APY de préstamo con el descuento\",\"t81DpC\":[\"Aprueba \",[\"symbol\"],\" para continuar\"],\"umICAY\":\"<0><1><2/>Añade stkAAVE para ver la tasa de préstamo con descuento\",\"uwAUvj\":\"COPIAR IMAGEN\",\"wyi0tk\":\"Swap borrow position\",\"yW1oWB\":\"Tipo APY\",\"zevmS2\":\"<0><1><2/>añade <3/> stkAAVE para tomar prestado al <4/> (descuento máximo)\",\"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.\"],\"+5vxU4\":\"Reward APY at target liquidity\",\"+9RBfc\":\"Thank you for submitting your inquiry!\",\"+F6nAX\":\"Save with sGHO\",\"+KaZP2\":\"Aave Labs does not guarantee the program and accepts no liability.\",\"+Nk14N\":\"Savings GHO token\",\"+VR63W\":[\"Participar en esta reserva de \",[\"symbol\"],\" da recompensas anuales.\"],\"+XNrRN\":\"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 restrictions, see the <1>help guide or the <2>Aave V3 Technical Paper.\",\"+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.\",\"+i3Pd2\":\"Límite del préstamo\",\"+nuEh/\":\"Estimated time\",\"+xMFF8\":\"Remind me\",\"/+Vmgq\":\"Total amount of underlying assets staked. This number represents the combined sum of your original asset and the corresponding aTokens staked in Umbrella.\",\"/1Qot4\":\"Protocol Rewards\",\"/1xACT\":\"Reward APY adjusts with total staked amount, following a curve that targets optimal staking levels.\",\"/57U31\":\"Cantidad para migrar\",\"/7ykiW\":\"Tomar prestado esta cantidad reducirá tu factor de salud y aumentará el riesgo de liquidación.\",\"/FwCXs\":[[\"0\"],\" \",[\"symbol\"],\"...\"],\"/LCAwL\":\"In progress\",\"/ZyLeG\":\"Amount available to unstake\",\"/jQctM\":\"To\",\"/lDBHm\":\"Preguntas frecuentes\",\"/lMWs6\":[\"Deposit GHO and earn up to <0>\",[\"0\"],\"% APY\"],\"/yNlZf\":\"El préstamo estable no está habilitado\",\"/yQcJM\":\"Valor total\",\"00AB2i\":\"El usuario no tomó prestado el activo especificado\",\"02/4d1\":\"We suggest you go back to the home page.\",\"0AmQcW\":\"Cambio de tasa\",\"0BF3yK\":\"Lo sentimos, no hemos podido encontrar la página que estabas buscando.\",\"0RrIzN\":\"Select token\",\"0TAbjq\":\"Recent Transactions\",\"0jhlyw\":\"Riesgo de liquidación\",\"0ojY+Y\":\"Balance actual v2\",\"0r31vq\":\"Reward Token\",\"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.\",\"11xQTX\":[\"This asset is eligible for \",[\"0\"],\" Ethena Rewards.\"],\"18GnfY\":[\"Repay \",[\"0\"]],\"1AsVfF\":\"Los datos de los precios no están disponibles actualmente para esta reserva en el subgraph del protocolo\",\"1LjK22\":\"Historial de transacciones\",\"1PMU2v\":\"Learn more about the risks.\",\"1Ue8sX\":\"Por favor conecta una cartera para ver tu información personal aquí.\",\"1W8DZp\":\"USDT on Ethereum requires approval reset before a new approval. This will require an additional transaction.\",\"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\",\"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.\",\"2/aIvj\":\"Cancellation submited\",\"2C40JO\":[\"This transaction will switch E-Mode from \",[\"0\"],\" to \",[\"1\"],\". Borrowing will be restricted to assets within the new category.\"],\"2Eoi/a\":\"Ver detalles\",\"2FYpfJ\":\"Más\",\"2O3qp5\":\"Liquidez disponible\",\"2OIfa1\":\"Please connect your wallet to swap collateral.\",\"2OM8/D\":[\"Este activo no se puede migrar debido a una restricción del límite de suministro en el mercado v3 de \",[\"marketName\"],\".\"],\"2RtYM0\":\"Need help? Our support team can assist.\",\"2RubOP\":\"Initiate Withdraw\",\"2S7oCr\":[\"This asset is eligible for the Ether.fi Loyalty program with a <0>x\",[\"multiplier\"],\" multiplier.\"],\"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.\",\"2eBWE6\":\"Acepto los riesgos involucadros.\",\"2r2h/U\":\"Total Deposited\",\"2uJToh\":[[\"0\"],[\"name\"]],\"2x1UO0\":\"Favourited\",\"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\",\"3K0oMo\":\"Suministro restante\",\"3MoZhl\":\"No hay suficiente garantía para cubrir un nuevo préstamo\",\"3NO6VI\":[[\"0\"],\" Balance\",[\"1\"]],\"3Np5O8\":[\"Suministrar \",[\"symbol\"]],\"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\",\"4fCwrW\":\"or from the\",\"4lDFps\":\"Firma para continuar\",\"4p5njr\":\"Total amount staked\",\"4wyw8H\":\"Transacciones\",\"5+lhtA\":\"For swapping safety module assets please unstake your position <0>here.\",\"53r7O1\":[\"High price impact (<0>\",[\"0\"],\"%)! This route will return \",[\"1\"],\" due to low liquidity or small order size.\"],\"5CCqcz\":\"Fees help support the user experience and security of the Aave application. <0>Learn more.\",\"5JSSxX\":[\"Tu cartera de \",[\"networkName\"],\" está vacía. Consigue activos de prueba gratis en\"],\"5K3B36\":\"We couldn't find any assets related to your search. Try again with a different category.\",\"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.\"],\"5RzvNm\":\"Aave Shield: Transaction blocked\",\"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\",\"5ty6hB\":\"Claiming individual protocol reward only. Merit rewards excluded - select \\\"claim all\\\" to include merit rewards.\",\"5vxk14\":\"To continue, you need to grant 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\",\"5yC5m5\":\"Ver todos los votos\",\"6/dCYd\":\"Resumen\",\"60crCe\":\"Todas las transacciones\",\"62Xcjh\":\"Garantía\",\"65A04M\":\"Español\",\"68ANm7\":\"Withdrawing GHO\",\"6G8s+q\":\"Firmando\",\"6Jrv+z\":[\"Pagar \",[\"symbol\"]],\"6SC+v0\":[\"Disable \",[\"0\"],\" as collateral to use this category. These assets would have 0% LTV.\"],\"6Xr0UU\":\"Cooling down...\",\"6bxci/\":\"Poder de votación\",\"6f8S68\":\"Mercados\",\"6g1gi0\":\"Propuestas\",\"6gvoHP\":\"Copiar mensaje de error\",\"6h3Q5G\":\"reembolsado\",\"6lFSyT\":\"Available to Stake\",\"6lGV3K\":\"Show less\",\"6s8L6f\":\"Cambiar de red\",\"70wH1Q\":\"APR\",\"72c5Qo\":\"Total\",\"75qcAQ\":[[\"stepName\"]],\"7ITr5L\":\"Factor de salud\",\"7R/kqr\":\"The cooldown period is the time required prior to unstaking your tokens (<0/>). You can only withdraw your assets from the Security Module after the cooldown period and within the unstake window. <1>Learn more\",\"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\",\"7c6Gy8\":\"Learn more about Sonic Rewards program\",\"7er5fP\":\"Reclamar todo\",\"7hb2+s\":\"Time remaining until the withdraw period ends.\",\"7i1oxe\":\"Withdrawing and Swapping\",\"7l88b8\":\"No se pudieron recuperar los datos, por favor recarga el gráfico.\",\"7p5kLi\":\"Panel de control\",\"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\",\"8Xaoyr\":\"View on CCIP Explorer\",\"8Z5FPv\":\"Desconectar cartera\",\"8Zz7s5\":\"activos\",\"8aLW8H\":\"Balance a revocar\",\"8bOT3H\":\"Tasa de uso\",\"8d61xO\":\"The Ink instance is governed by the Ink Foundation\",\"8sLe4/\":\"Ver contrato\",\"8ss7VF\":\"Transaction cancelled\",\"8t/M0y\":\"Please connect your wallet to be able to bridge your tokens.\",\"8u3DDw\":[\"Swap \",[\"0\"],\" collateral\"],\"8vETh9\":\"Mostrar\",\"93T2Os\":\"Total deposited\",\"94OHPx\":\"Estás entrando en el Isolation mode\",\"9CDK3/\":[\"Tomar prestado no está disponible actualmente para \",[\"0\"],\".\"],\"9GIj3z\":\"Tamaño de la reserva\",\"9ITYjl\":\"%\",\"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.\"],\"9YcC7V\":\"Select Categories\",\"9c6vDV\":\"Este activo ha alcanzado su límite de suministro. No queda nada disponible para ser suministrado desde este mercado.\",\"9iDHmv\":\"Collateral Swap\",\"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\",\"9xSooW\":\"Puesto que esta es una red de pruebas, puedes obtener cualquiera de los activos si tienes ETH en tu cartera\",\"9y0Q0y\":[\"There is not enough liquidity in \",[\"symbol\"],\" to complete this swap. Try lowering the amount.\"],\"9zzsBx\":\"This is a program initiated by the Aave DAO and implemented by Merkl. Aave Labs does not guarantee the program and accepts no liability.\",\"A/lwoe\":\"Elige uno de los servicios on-ramp\",\"A6dCI6\":[\"La máxima cantidad disponible para tomar prestado es <0/> \",[\"0\"],\" (<1/>).\"],\"ACUEES\":\"Check errors\",\"AReoaV\":\"Tus préstamos\",\"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.\",\"B6zvhF\":\"Shares\",\"BDFEd+\":\"stETH suministrado como garantía continuará acumulando recompensas de staking proporcionadas por rebases diarios.\",\"BE2mP0\":\"Borrowed assets\",\"BNL4Ep\":\"El uso como garantía está limitado debido al isolation mode. <0>Aprende más\",\"BQ+4lu\":\"Swap saved in your <0>history section.\",\"BQ/wCO\":\"Migrate your assets\",\"BaCmXf\":\"AAVE 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.\",\"Baj2MJ\":\"Savings\",\"BnhYo8\":\"Categoría de activos\",\"Bo6b9i\":\"Withdraw GHO\",\"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\",\"C4qYyX\":[\"Repay \",[\"0\"],\" with \",[\"1\"]],\"C5jQc6\":\"GHO Balance\",\"C7hM0q\":\"Country (optional)\",\"CDrsH+\":\"Documento técnico\",\"CGiscJ\":\"You've successfully submitted an order.\",\"CK1KXz\":\"Max\",\"COUcFd\":\"Points\",\"CZXzs4\":\"Griego\",\"CkTRmy\":[\"Reclamar \",[\"symbol\"]],\"CrrC++\":\"Position swaps are disabled for this asset due to security reasons.\",\"CsqtLm\":\"Por favor conecta tu cartera para ver la herramienta de migración.\",\"CtGlFb\":[\"Faucet \",[\"networkName\"]],\"CuAHqa\":\"Protocol Incentives\",\"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.\",\"D4Q4h/\":\"Gas estimation error\",\"D79cZK\":\"Instant\",\"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\"],\"DhaOWH\":\"Stake your Aave aTokens or underlying assets to earn rewards. In case of a shortfall event, your stake may be slashed to cover the deficit.\",\"Dj+3wB\":\"Aave por mes\",\"DlRHbH\":\"Claiming all protocol rewards only. Merit rewards excluded - select \\\"claim all\\\" to include merit rewards.\",\"DuEq2K\":\"Colateralización\",\"Dzma+E\":\"Main Ethereum market with the largest selection of assets and yield options\",\"E/QGRL\":\"Deshabilitado\",\"E6UoJs\":\"Estimated compounding 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.\",\"ETtXJg\":\"Share my wallet address to help the support team resolve my issue\",\"EZd3Dk\":[\"Restakeando \",[\"symbol\"]],\"Ebgc76\":[\"Retirando \",[\"symbol\"]],\"EdQY6l\":\"Ninguno\",\"Ef7StM\":\"Unknown\",\"Ehzc//\":[\"Swapping \",[\"0\"],\" debt\"],\"Ekea1N\":\"We couldn't detect a wallet. Connect a wallet to stake and view your balance.\",\"Enslfm\":\"Destination\",\"EvE9nO\":[\"Reactivar el periodo de cooldown para unstakear \",[\"0\"],\" \",[\"stakedToken\"]],\"EvECnL\":\"Migrar a V3\",\"EyYG53\":\"Get support\",\"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.\",\"F6pfE9\":\"Active\",\"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\",\"FTRJ1l\":\"L2 Networks\",\"FbmMe7\":\"Direcciones vinculadas\",\"Fdp03t\":\"en\",\"Fjw9N+\":\"Activos a suministrar\",\"FmN0fk\":\"Restakear\",\"G15AUr\":\"Sending cancel...\",\"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\",\"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.\"],\"Gz07IS\":\"Your health factor after this swap will be critically low and may result in liquidation. Please choose a different asset or reduce the swap amount to stay safe.\",\"H1oAjw\":[[\"selectedCount\"],\" Categories\"],\"HB/wfS\":[[\"tooltipText\"]],\"HD4KkW\":[\"Swapping \",[\"0\"],\" collateral\"],\"HKDsQN\":\"Rewards can be claimed through\",\"Hi6Ttn\":\"Lo sentimos, se produjo un error imprevisto. Mientras tanto, puedes intentar recargar la página, o volver después.\",\"HkEDbS\":[[\"d\"],\"d\"],\"HlWGZc\":[\"Your \",[\"0\"],\" balance is lower than the selected amount.\"],\"HmkYqM\":\"Ventana de unstakeo\",\"HpK/8d\":\"Recargar\",\"HtBqo9\":\"sGHO\",\"HtuY7v\":\"Please connect your wallet to swap tokens.\",\"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\"],\"%.\"],\"I4Cxlm\":\"E-Mode required\",\"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.\",\"ILXMQA\":\"The Safety Module has been upgraded to <0>Umbrella, a new system that introduces automated slashing, aToken staking, and improved incentives design.\",\"IN8luu\":\"All done\",\"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\",\"IhAc6F\":\"Costs & Fees\",\"ImxB3A\":\"deposited\",\"IrtO2E\":\"You have assets with zero LTV that are blocking this operation. Please withdraw them or disable them as collateral first.\",\"J/hVSQ\":[[\"0\"]],\"JCoxL6\":\"Administrar analíticas\",\"JEdlTC\":\"Stablecoins\",\"JOqFba\":[\"Unstakeando \",[\"symbol\"]],\"JPHuMW\":\"Swapping\",\"JPhc4G\":\"ETH Correlated\",\"JPrLjO\":\"No puedes usar este activo como garantía\",\"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\",\"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\",\"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\",\"KkJaLD\":\"Borrow:\",\"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\",\"KqoLVC\":\"Merkl rewards are claimed through the\",\"KsqhWn\":\"Staking\",\"KuBTQq\":\"Introduce la dirección ETH\",\"KvG1xW\":\"Reclamando\",\"L+8Lzs\":\"LTV actual\",\"L+qiq+\":\"Mercado\",\"L2tU22\":\"Learn more about Ethena Rewards program\",\"L3ZyJR\":[[\"popularSectionTitle\"]],\"LEdkyb\":\"Rewards to claim\",\"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\"],\"\"],\"Lhf8zD\":\"Waiting for actions...\",\"Lp2cTp\":\"Eligible for incentives through Merkl.\",\"LvVpD/\":\"Modo E\",\"Ly2enB\":\"This will cancel the order via an on-chain transaction. Note that the order will not be marked as cancelled in the CoW Protocol system, but will remain open and expire naturally. Keep in mind that a solver may already have filled your order.\",\"M1RnFv\":\"Expired\",\"M2sknc\":\"Tip: Intenta aumentar el deslizamiento o reduce la cantidad de entrada\",\"MKiONF\":\"Activating Cooldown\",\"MOvzXm\":\"Comparing best rates...\",\"MRwaR4\":\"This will require two separate transactions: one to change E-Mode and one to supply.\",\"MZ/nQf\":\"Dirección del destinatario\",\"MZbQHL\":\"No results found.\",\"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.\",\"MlRlXX\":\"Current APY\",\"Mm/DVQ\":\"Has cancelado la transacción.\",\"MnE2QX\":\"Información de préstamo\",\"MuDFEQ\":\"Valor de retorno inválido en la función executor del préstamo flash\",\"My0ZGV\":\"Learn more about the Kernel points distribution\",\"N+3mX2\":\"Please connect your wallet to swap debt.\",\"N39Ax4\":\"Ethereum\",\"N40H+G\":\"All\",\"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\",\"ND1ISA\":\"Weekly Rewards\",\"NF0e1Q\":\"Pendiente...\",\"NK9ikO\":\"Balance de la cartera\",\"NMt2CB\":\"Cantidad reclamable\",\"Na7NlU\":[[\"remainingCustomMessage\"]],\"NcFGxG\":\"Collector Contract\",\"NfpPeS\":\"Nada invertido\",\"Nh9DAo\":[[\"m\"],\"m\"],\"Npz7kI\":\"Inquiry\",\"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\",\"OC4Tzv\":\"here\",\"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\",\"OiykRd\":\"Deposit GHO\",\"On0aF2\":\"Página web\",\"OqAwLU\":\"Protocol APY\",\"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\",\"PctCOf\":\"A temporary contract will be used to execute the trade. Your wallet may show a warning for approving a new or empty address.\",\"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.\",\"QONKTE\":\"Merit Rewards\",\"QQYsQ7\":\"Retirando\",\"QZEgwS\":\"Execution fee\",\"R+30X3\":\"No alcanzado\",\"R9Khdg\":\"Auto\",\"RCU5PY\":\"Age\",\"RIfckG\":[\"Desactivar \",[\"symbol\"],\" como garantía\"],\"RMtxNk\":\"Diferencial\",\"RNK49r\":\"Firma inválida\",\"RS0o7b\":\"Estado\",\"RTG4/6\":\"There are no stake assets configured for this market\",\"RU+LqV\":\"Detalles de la propuesta\",\"RYfdBk\":\"Visit <0><1>https://aave.self.xyz/ to get started with Self’s ZK-powered proof-of-humanity authentication.\",\"RZbjLY\":[\"See \",[\"0\"],\" more\"],\"Rg4K+m\":\"Cannot switch to this category\",\"RiSYV4\":\"El activo no está listado\",\"Rj01Fz\":\"Enlaces\",\"RmWFEe\":\"Staking APR\",\"RtBLm7\":\"El factor de salud es menor que el umbral de liquidación\",\"RvF1Ts\":\"stkGHO is now Savings GHO\",\"RxzN1M\":\"Habilitado\",\"SBv4zo\":[[\"0\"],\" collateral would have 0% LTV in this category. Disable \",[\"1\"],\" as collateral to use this option.\"],\"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\",\"SNmu1z\":\"Shares are Umbrella Stake Tokens you receive when staking. They represent your ownership in the pool, and the amount of underlying you can redeem depends on the current exchange rate between shares and the underlying.\",\"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\",\"SZkDmY\":\"The swap could not be completed. Try increasing slippage or changing the amount.\",\"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\",\"St4jqF\":\"This list may not include all your swaps.\",\"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\",\"TLJkuL\":\"Category assets\",\"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\",\"Tg1JyO\":\"Bridge history\",\"TszKts\":\"Balance de préstamo después del cambio\",\"Tw07Vv\":\"Show assets with small balance\",\"TwJI9F\":\"Asset has been successfully sent to CCIP contract. You can check the status of the transactions below\",\"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.\",\"UMgOim\":\"Send cancel\",\"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.\",\"UiO4Hu\":[\"You'll need to wait \",[\"0\"],\" before you can unstake your tokens. This cooldown starts when you request to unstake. Once it ends, you can withdraw during the unstake window.\"],\"UpndFj\":\"No hay recompensas para reclamar\",\"V0f2Xv\":\"Factor de reserva\",\"V1HK43\":\"Riesgos de migración\",\"V7QGpc\":\"I understand the liquidation risk and want to proceed\",\"V7SFse\":[\"I confirm the swap knowing that I could lose up to <0>\",[\"0\"],\"% on this swap.\"],\"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\",\"VnQFYr\":\"Claiming all merit rewards only\",\"W1SSoD\":\"Revisar detalles de la tx\",\"W5hVah\":\"Nada suministrado aún\",\"W5kTFy\":\"Votando\",\"WHrVwg\":\"Loading quote...\",\"WMJGls\":\"Estimated Costs & Fees\",\"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\",\"WS67YQ\":\"Let us know how we can help you. You may also consider joining our community\",\"WT188T\":\"Withdraw & Swap\",\"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.\",\"WbTDwg\":\"In Progress\",\"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.\",\"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\",\"X4tRM3\":[[\"0\"],\" \",[\"symbol\"],\" to continue\"],\"XBdKOj\":\"Direcciones de cartera de contrato inteligente representativas (Safe) en otras cadenas.\",\"XPN5UR\":\"User denied the operation.\",\"XYLcNv\":\"Support\",\"XZzneG\":\"Saldrás del modo aislamiento y otros tokens pueden ser usados ahora como garantía\",\"Xe5bTg\":\"Deposit APR\",\"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.\",\"XwKkg/\":\"Staked Underlying\",\"Xy+o6U\":\"For security reasons, limit orders are not supported for Native tokens. To place a limit order, use the wrapped version.\",\"Xy71ST\":\"Umbrella\",\"Y+hUcK\":\"Merit Program and Self rewards can be claimed\",\"Y46iXX\":\"The order could't be filled.\",\"Y5Orec\":\"Collateral options\",\"Y5kGkc\":\"VOTAR NO\",\"YD+nXc\":\"Aave Shield\",\"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.\",\"Ya/che\":\"Stake token shares\",\"Ykj2Om\":\"Default slippage\",\"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.\",\"YrcHPy\":\"VIEW\",\"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.\"],\"Z3FXyt\":\"Loading...\",\"Z99M+T\":\"This is an off-chain operation. Keep in mind that a solver may already have filled your order.\",\"ZBvhI+\":\"Gobierno de Aave\",\"ZIIRAd\":\"Raw-Ipfs\",\"ZRq4tX\":\"Modo de eficiencia (E-Mode)\",\"ZRuM45\":\"These are the estimated costs associated with your limit swap, including costs and fees. Consider these costs when setting your order amounts to help optimize execution and maximize your chances of filling the order.\",\"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\",\"aCgA+I\":\"E-Mode change\",\"aEtiwq\":\"Votar NO\",\"aMmFE1\":\"Comprar Crypto con Fiat\",\"aOKIms\":\"Los parámetros del array que deberían ser iguales en longitud no lo son\",\"aQYztl\":[\"Repaying \",[\"0\"]],\"aXgo8+\":\"from the\",\"adUsDd\":\"Se ha producido un error al recuperar la propuesta.\",\"afk1Wt\":[\"This asset can only be used as collateral in E-Mode: \",[\"0\"]],\"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.\",\"b4NS3e\":\"Advertencia periodo de cooldown\",\"bBHmeP\":\"Available to withdraw\",\"bNEQeI\":\"Cooldown\",\"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\",\"bYtb3C\":\"Network costs\",\"bguKoJ\":\"La cantidad solicitada es mayor que el tamaño máximo del préstamo en el modo de tasa estable\",\"bm/mjh\":\"This is a program initiated and implemented by the Aave Chan Initiative (ACI). Aave Labs does not guarantee the program and accepts no liability.\",\"bq0uL+\":\"supply\",\"bwSQI0\":\"Suministrar\",\"bxN6EM\":\"No se puede deshabilitar E-Mode\",\"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.\",\"cc6gEH\":\"Incentives APR\",\"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\"]],\"cqwIvs\":\"Hilo de discusión del foro\",\"csDS2L\":\"Disponible\",\"cu7Stb\":\"No has participado en esta propuesta\",\"cuxGZP\":\"Low health factor after swap. Your position will carry a higher risk of liquidation.\",\"d9YZVR\":\"Principle Tokens\",\"dE6BLF\":\"Gobierno\",\"dEgA5A\":\"Cancelar\",\"dIsyWh\":\"La validación del LTV ha fallado\",\"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\",\"dYG3JG\":\"Data couldn't be loaded.\",\"dZQvSq\":\"Please review the swap values before confirming.\",\"dfDzrk\":[\"Supply cap reached for \",[\"symbol\"],\". Reduce the amount or choose a different asset.\"],\"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\",\"drdV8R\":\"Liquidación\",\"dxW8cS\":\"Token de deuda de Aave\",\"e/ghIe\":[\"This transaction will enable E-Mode (\",[\"0\"],\"). Borrowing will be restricted to assets within this category.\"],\"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\",\"eQ0Wu0\":\"Please connect a wallet to view your balance here.\",\"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\",\"edXiYw\":[\"You've successfully swapped \",[\"0\"],\".\"],\"efdrrk\":\"Disponible en\",\"enruNF\":\"empieza\",\"eqLYiD\":\"Unstakea ahora\",\"evw5ha\":\"Valor neto\",\"ezcU16\":\"Obtener Token ABP\",\"f2e3vu\":[\"Deposit GHO into savings GHO (sGHO) and earn <0>\",[\"0\"],\"% APY on your GHO holdings. There are no lockups, no rehypothecation, and you can withdraw anytime. Simply deposit GHO, receive sGHO tokens representing your balance, and watch your savings grow earning claimable rewards from merit.\"],\"f3W0Ej\":[\"Has cambiado a tasa \",[\"0\"]],\"fMJQZK\":\"Prestado\",\"fZ5Vnu\":\"Recibido\",\"firl9Q\":\"Tu actual relación préstamo-valor basado en tu garantía suministrada.\",\"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\",\"g4Ius4\":\"This is the fee for executing position changes, set by governance.\",\"g8KGoA\":\"FAQS\",\"g9zzqS\":\"Votó NAY\",\"gDd2gk\":\"about SuperFest.\",\"gIMJlW\":\"Testnet mode\",\"gK+IvE\":\"Withdraw and Swap\",\"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\",\"gjxiVa\":[\"This swap has a price impact of \",[\"0\"],\"%, which exceeds the 25% safety threshold. To proceed, disable Aave Shield in the settings menu.\"],\"goff7V\":\"Dirección cero no válida\",\"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\",\"h5hG6q\":\"This is the cost of settling your order on-chain, including gas and any LP fees.\",\"hB23LY\":\"Activar Cooldown\",\"hIJzBh\":\"Available to Claim\",\"hIS4N0\":\"APY neto\",\"hQRttt\":\"Submit\",\"hRWvpI\":\"Reclamado\",\"hStpnK\":\"Other Chains\",\"hb8ajh\":\"Debt Swap\",\"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\",\"hrhwub\":\"dashboard\",\"huQ6Tz\":[\"Tomando prestado \",[\"symbol\"]],\"hxYu+F\":\"Borrow: All eligible assets\",\"i/fZ2Z\":\"Staked Balance\",\"i9qiyR\":\"Expires in\",\"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\",\"iIuDE1\":\"Estimated weekly rewards based on your current sGHO balance and APR. Actual rewards may vary depending on market conditions.\",\"iKfD53\":\"Transaction history for Plasma not supported yet, coming soon.\",\"iMVZk9\":\"Seleccionar tolerancia de deslizamiento\",\"iNYgey\":\"Get Support\",\"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\",\"iddNqA\":\"This transaction will disable E-Mode. All assets will revert to their base LTV and liquidation thresholds.\",\"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 \"],\"ih/VjN\":\"Staking this amount will reduce your health factor and increase risk of liquidation.\",\"il0sEG\":\"El uso de garantías está limitado debido al Isolation mode.\",\"j+K1Xj\":\"Amount After Fee\",\"j4SXZo\":\"Claim all merit rewards\",\"j7JHV+\":\"Total APY\",\"j8cF1R\":\"Cooling down\",\"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\",\"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.\",\"jZkYWO\":\"Boosted LTV\",\"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\",\"jqVo/k\":\"here.\",\"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\"],\"kMi0nz\":\"sGHO Merit APY History\",\"kN1Yg5\":\"Para pagar en nombre de un usuario, se necesita una cantidad explícita para pagar\",\"kNiQp6\":\"Pinned\",\"kRTD40\":[\"Cantidad a pagar para alcanzar el \",[\"0\"],\"% de utilización\"],\"kgKqPv\":\"You can not stake this amount because it will cause collateral call\",\"kj3M8S\":\"Deposit\",\"kjN9tT\":\"El límite de suministro se ha sobrepasado\",\"kn+s7w\":[[\"0\"],\" collateral would have 0% LTV without E-Mode. Disable \",[\"1\"],\" as collateral to use this option.\"],\"knxE+G\":\".JSON\",\"ks2LWT\":\"El límite de deuda no es cero\",\"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.\",\"kzeZTm\":\"LTV\",\"lCF0wC\":\"Refresh\",\"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.\",\"lXb3Ih\":[\"This asset has 0 LTV and cannot be used as collateral. Enable an E-Mode to use \",[\"symbol\"],\" as collateral.\"],\"lXj2Sq\":\"Repay with Collateral\",\"lYGfRP\":\"Inglés\",\"lfEjIE\":\"Aprende más en nuestra guía <0>Preguntas frecuentes\",\"ljF4ko\":\"The selected rate is lower than the market price. You might incur a loss if you proceed.\",\"lqCWte\":[\"Deposit GHO and earn \",[\"0\"],\"% APY\"],\"lu7f+8\":\"Blocked by Shield\",\"m/IEhi\":\"Emisiones totales por día\",\"m7r7Hh\":\"Activos de préstamo seleccionados\",\"mDDK4p\":\"Pool de Balancer\",\"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\"],\".\"],\"me5LMQ\":\"Checking approval\",\"mogZv0\":\"Favourite\",\"muiOng\":[\"Comprar \",[\"cryptoSymbol\"],\" con Fiat\"],\"mvCXBY\":\"Stakea AAVE\",\"mwdzil\":\"Vale, cerrar\",\"mzDAU3\":\"Savings GHO (sGHO)\",\"mzdIia\":\"Este activo no puede usarse como garantía.\",\"n+SX4g\":\"Desarrolladores\",\"n1na81\":\"No eligible assets to swap.\",\"n4PWtp\":\"Depositing\",\"nJIhzm\":\"Apy de suministro\",\"nJgsQu\":\"Con un poder de votación de <0/>\",\"nLC6tu\":\"Francés\",\"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\",\"nPGNMh\":\"Puede ser ejecutado\",\"nUK1ou\":[\"Assets with zero LTV (\",[\"0\"],\") must be withdrawn or disabled as collateral to perform this action\"],\"neITkT\":\"This asset has 0% LTV, meaning it does not contribute to borrowing power. Existing positions with this asset as collateral still count toward the liquidation threshold and protect your health factor. New positions cannot enable this asset as collateral.\",\"njBeMm\":\"Ambos\",\"ntyFSE\":[[\"h\"],\"h\"],\"nwIsn4\":\"After the cooldown is initiated, you will be able to withdraw your assets immediatley.\",\"nweCqF\":\"Cancelling order...\",\"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\",\"o5ooMr\":\"Deuda\",\"o7J4JM\":\"Filtro\",\"o7Yloh\":\"Learn more about the Ether.fi program\",\"oHFrpj\":\"Cooldown para undstakear\",\"oJ5ZiG\":\"El usuario no tiene deuda pendiente de tasa variable en esta reserva\",\"oUwXhx\":\"Activos de prueba\",\"oWQnqT\":\"Staking this asset will earn the underlying asset supply yield in addition to other configured rewards.\",\"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.\",\"ogU9GD\":\"Target liquidity\",\"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.\",\"om/XHs\":\"Disponible para suministrar\",\"omq5qJ\":\"Claiming all protocol rewards and merit rewards together\",\"ovBPCi\":\"Default\",\"ovT1pF\":[\"Per the community, the \",[\"market\"],\" has been frozen.\"],\"ow3fug\":\"Sin resultados\",\"owSsI3\":\"Firmas listas\",\"p+R52m\":\"Ir al pool de Balancer\",\"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.\",\"p45alK\":\"Configurar la delegación\",\"pDgeaz\":[[\"title\"]],\"pdZqBk\":\"El balance subyacente debe ser mayor que 0\",\"pgWG9H\":\"No hay suficiente balance stakeado\",\"ph9+uj\":[\"Switching to \",[\"networkName\"],\"...\"],\"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\"],\"pup/ej\":\"Net Protocol Incentives\",\"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\",\"qKfida\":\"Staked tokens are wrapped and use an exchange rate. You may see fewer token shares, but the value matches your deposit and will grow as yield accrues.\",\"qOqbD6\":\"copiar el error\",\"qXCkEM\":\"Por favor, conecta tu cartera para ver tus suministros, préstamos y posiciones abiertas.\",\"qY2jnw\":\"Expiración inválida\",\"qhhf9L\":\"Rewards available to claim\",\"qtS7wW\":\"Thank you for voting\",\"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\",\"qz6JVE\":[\"Your order amounts are \",[\"0\"],\" less favorable by \",[\"1\"],\"% to the liquidity provider than recommended. This order may not be executed.\"],\"qz9c6b\":[\"Repaying \",[\"0\"],\" with \",[\"1\"]],\"qzFp5D\":\"All Categories\",\"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\",\"riNWOA\":\"E-Mode\",\"rjGI/Q\":\"Privacidad\",\"rnKPW1\":\"Watch a wallet balance in read-only mode\",\"rojvRp\":\"Approval by signature not available\",\"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\",\"t/ct9N\":\"Auto Slippage\",\"tBIz3I\":[\"Supply \",[\"0\"],\" and double your yield by <0><1>verifying your humanity through Self for \",[\"1\"],\" per user.\"],\"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\",\"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\"],\"tVJk4q\":\"Cancel order\",\"te9Bfl\":\"Por favor, conecta tu cartera\",\"tj6dr4\":\"Merit Program rewards can be claimed\",\"tt5yma\":\"Tus suministros\",\"tw6G0s\":[\"You must disable \",[\"0\"],\" as collateral before exiting E-Mode. These assets have 0 LTV outside of E-Mode and cannot be used as collateral.\"],\"u3ZeYl\":\"Error en la transacción\",\"u706uF\":\"Préstamo flash inválido\",\"u8Gfu7\":[\"Sin resultados de búsqueda\",[\"0\"]],\"uAQUqI\":\"Status\",\"uGG4Lk\":\"Claim all protocol rewards\",\"uHMwk8\":\"No hay activos seleccionados para migrar.\",\"uI3SjW\":\"Connection Error\",\"uJOI6M\":\"Tip: Try improving your order parameters\",\"uJPHuY\":\"Migrando\",\"uRXR6h\":[\"Swap \",[\"0\"],\" debt\"],\"uZiu4N\":\"There is an active order for the same sell asset (avoid nonce reuse).\",\"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\",\"usB84Z\":\"La cantidad máxima disponible para tomar prestado está limitada porque casi se ha alcanzado el límite de préstamo del protocolo.\",\"uyLjNw\":\"Custom slippage\",\"v+Fu0z\":\"This asset is eligible for Kernel points incentive program. Aave Labs does not guarantee the program and accepts no liability.\",\"v0CIlJ\":\"You have no rewards to claim at this time.\",\"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\",\"vH2C/2\":\"Swap\",\"vLyv1R\":\"Ocultar\",\"vMba49\":\"Tomar prestado no está habilitado\",\"vMpNwt\":\"Aprobar con\",\"vNAHA2\":\"PTs\",\"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.\",\"vv7kpg\":\"Cancelled\",\"w+V9Cx\":\"Stablecoin\",\"w/JtJ3\":\"El balance de deuda estable no es cero\",\"w1f8Ky\":\"Savings GHO\",\"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\",\"wapGcj\":[[\"message\"]],\"wb/r1O\":[\"Faucet \",[\"0\"]],\"wdxz7K\":\"Source\",\"weC8IO\":\"All Rewards\",\"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.\",\"wjFWDB\":\"No markets found\",\"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\",\"wuMdlk\":[\"This asset is eligible for \",[\"0\"],\" Sonic Rewards.\"],\"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.\",\"x+QJ9y\":[\"Category \",[\"selectedEmodeId\"]],\"x0TRLG\":[\"Repay your \",[\"0\"],\" \",[\"1\",\"plural\",{\"one\":\"borrow\",\"other\":\"borrows\"}],\" to use this category.\"],\"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\"]],\"yRkqG9\":\"Limit\",\"yYHqJe\":\"Dirección no válida\",\"yZ5ngq\":\"Transaction details not available\",\"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\"],\"yv/Kz/\":\"Back home\",\"yz7wBu\":\"Cerrar\",\"z4uGQg\":\"El límite de deuda está sobrepasado\",\"z5JUmg\":[\"Estimated costs are \",[\"0\"],\"% of the sell amount. This order is unlikely to be filled.\"],\"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\",\"zNgzxM\":\"Excludes variable supply APY\",\"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\",\"zZmf1N\":\"Filled\",\"zgtIDV\":\"Deuda restante\",\"zmTPiV\":\"Balance de suministro\",\"zpPbZl\":\"Parámetros de riesgo de liquidación\",\"zqp4Tm\":\"Unable to Connect\",\"zr58Jd\":\"Umbrella is the upgraded version of the Safety Module. Manage your previously staked assets\",\"zucql+\":\"Menú\",\"zv/j10\":[\"Active \",[\"0\"],\" borrow is not compatible with this category. Repay your \",[\"1\"],\" borrow to use this option.\"],\"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.\",\"+EGVI0\":\"Recibir (est.)\",\"+Tzhaj\":\"You've successfully swapped borrow position.\",\"+eOPG+\":\"Parece que no podemos cambiar la red automáticamente. Por favor, comprueba si puedes cambiarla desde la cartera.\",\"+kLZGu\":\"Cantidad de activos suministrados\",\"/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\",\"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\",\"1Onqx8\":[\"Aprobando \",[\"symbol\"],\"...\"],\"1m9Qqc\":\"Retirando y Cambiando\",\"1oyh4g\":\"Borrow rate\",\"2Q4GU4\":\"Dirección bloqueada\",\"2bAhR7\":\"Conoce GHO\",\"2o/xRt\":\"Se ha alcanzado el límite de suministro en la reserva especificada. Prueba reduciendo la cantidad.\",\"3O8YTV\":\"Interés total acumulado\",\"4iPAI3\":\"Cantidad de préstamo mínima de GHO\",\"6NGLTR\":\"Cantidad descontable\",\"6yAAbq\":\"APY, tasa de préstamo\",\"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\",\"7sofdl\":\"Retirar y Cambiar\",\"9rWaKF\":\"Bridged Via CCIP\",\"ARu1L4\":\"Pagado\",\"B6aXGH\":\"Estable\",\"B9Gqbz\":\"Tasa variable\",\"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.\",\"BjLdl1\":\"Con un descuento\",\"CMHmbm\":\"Deslizamiento\",\"DxfsGs\":\"Puedes reportar cualquier incidente a nuestro <0>Discord o <1>Github.\",\"EBL9Gz\":\"¡COPIADO!\",\"ES8dkb\":\"Interés fijo\",\"GoK/QN\":\"Thank you for submitting feedback!\",\"H6Ma8Z\":\"Descuento\",\"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.\",\"HrnC47\":\"Guardar y compartir\",\"JK9zf1\":[\"Interés compuesto estimado, incluyendo el descuento por Staking \",[\"0\"],\"AAVE en el Módulo de Seguridad.\"],\"JU6q+W\":\"Recompensa(s) por reclamar\",\"K05qZY\":\"Retirar y Cambiar\",\"KRpokz\":\"VER TX\",\"KZwRuD\":[[\"notifyText\"]],\"LDzfVJ\":\"Send Feedback\",\"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\",\"MIy2RJ\":\"Maximum amount received\",\"MrmQHg\":\"View Bridge Transactions\",\"N7dVh7\":\"Swap to\",\"QSh9Sn\":\"Swapped\",\"QWYCs/\":\"Stakear GHO\",\"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.\",\"RoafuO\":\"Enviar feedback\",\"SSMiac\":\"Error al cargar los votantes de la propuesta. Por favor actualiza la página.\",\"TeCFg/\":\"Cambio de tasa de préstamo\",\"TskbEN\":\"Los poseedores de stkAAVE reciben un descuento en la tasa de préstamo de GHO\",\"TtZL6q\":\"Parámetros del modelo de descuento\",\"Tz0GSZ\":\"actividades bloqueadas\",\"UE3KJZ\":\"El historial de transacciones no está disponible actualmente para este mercado\",\"W8ekPc\":\"Volver al panel de control\",\"WMPbRK\":\"No respaldado\",\"YirHq7\":\"Feedback\",\"aX31hk\":\"Tu balance es más bajo que la cantidad seleccionada.\",\"al6Pyz\":\"Supera el descuento\",\"avgETN\":\"Eligible for the Merit program.\",\"bSc4Zw\":\"Swaping\",\"bSruit\":\"ZKSync Ignite Program rewards are claimed through the\",\"bxmzSh\":\"No hay suficiente garantía para pagar esta cantidad de deuda con\",\"cqnmnD\":\"Tasa de interés efectiva\",\"dMtLDE\":\"para\",\"dpc0qG\":\"Variable\",\"euScGB\":\"APY con descuento aplicado\",\"fHcELk\":\"APR Neto\",\"flRCF/\":\"Descuento por staking\",\"gncRUO\":\"Esta dirección está bloqueada en app.aave.com porque está asociada con una o más\",\"gp+f1B\":\"Versión 3\",\"gr8mYw\":\"Puedes tomar prestado hasta <0/> GHO al <1/> (descuento máximo)\",\"hpuVIp\":\"Users who stake AAVE in Safety Module (i.e. stkAAVE holders) receive a discount on GHO borrow interest rate.\",\"hxi7vE\":\"Balance tomado prestado\",\"i2JTiw\":\"Puedes ingresar una cantidad específica en el campo.\",\"jMam5g\":[\"Balance \",[\"0\"]],\"jpctdh\":\"Ver\",\"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.\",\"lNVG7i\":\"Selecciona un activo\",\"lt6bpt\":\"Garantía a pagar con\",\"mIM0qu\":\"Cantidad esperada a pagar\",\"mUAFd6\":\"Versión 2\",\"mzI/c+\":\"Descargar\",\"n8Psk4\":\"No podemos detectar una cartera. Conecta una cartera para stakear y ver tu balance.\",\"nOy4ob\":\"Te sugerimos volver al Panel de control.\",\"nakd8r\":\"poseedores de stkAAVE obtienen un descuento en la tasa de préstamo de GHO\",\"nh2EJK\":[\"Por favor, cambia a \",[\"networkName\"],\".\"],\"ntkAoE\":\"Descuento aplicado para <0/> AAVE stakeados\",\"o4tCu3\":\"APY préstamo\",\"olREoo\":\"All borrow positions outside of this category must be closed to enable this category.\",\"ov0+mq\":\"Eligible for the ZKSync Ignite program.\",\"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.\"],\"p3j+mb\":\"Tu balance de recompensa es 0\",\"p6u2s1\":\"Minimum amount of debt to be repaid\",\"qFD/ij\":\"You've successfully withdrew & swapped tokens.\",\"qT4Lfg\":\"You've successfully swapped tokens.\",\"qf/fr+\":\"Interés acumulado\",\"rf8POi\":\"Cantidad de activos tomados prestados\",\"ruc7X+\":\"Añade stkAAVE para ver el APY de préstamo con el descuento\",\"t81DpC\":[\"Aprueba \",[\"symbol\"],\" para continuar\"],\"umICAY\":\"<0><1><2/>Añade stkAAVE para ver la tasa de préstamo con descuento\",\"uwAUvj\":\"COPIAR IMAGEN\",\"wyi0tk\":\"Swap borrow position\",\"yW1oWB\":\"Tipo APY\",\"zevmS2\":\"<0><1><2/>añade <3/> stkAAVE para tomar prestado al <4/> (descuento máximo)\",\"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 62d55033ee..76b493fc58 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.\"],\"+5vxU4\":\"Reward APY at target liquidity\",\"+9RBfc\":\"Thank you for submitting your inquiry!\",\"+F6nAX\":\"Save with sGHO\",\"+KaZP2\":\"Aave Labs does not guarantee the program and accepts no liability.\",\"+Nk14N\":\"Savings GHO token\",\"+VR63W\":[\"Participer à cette réserve \",[\"symbol\"],\" donne des récompenses annualisées.\"],\"+XNrRN\":\"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 restrictions, see the <1>help guide or the <2>Aave V3 Technical Paper.\",\"+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.\",\"+i3Pd2\":\"Limite d'emprunt\",\"+nuEh/\":\"Estimated time\",\"+xMFF8\":\"Remind me\",\"/+Vmgq\":\"Total amount of underlying assets staked. This number represents the combined sum of your original asset and the corresponding aTokens staked in Umbrella.\",\"/1Qot4\":\"Protocol Rewards\",\"/1xACT\":\"Reward APY adjusts with total staked amount, following a curve that targets optimal staking levels.\",\"/57U31\":\"Amount to migrate\",\"/7ykiW\":\"Emprunter ce montant réduira votre facteur santé et augmentera le risque de liquidation.\",\"/FwCXs\":[[\"0\"],\" \",[\"symbol\"],\"...\"],\"/LCAwL\":\"In progress\",\"/ZyLeG\":\"Amount available to unstake\",\"/jQctM\":\"To\",\"/lDBHm\":\"FAQ\",\"/lMWs6\":[\"Deposit GHO and earn up to <0>\",[\"0\"],\"% APY\"],\"/yNlZf\":\"L'emprunt stable n'est pas activé\",\"/yQcJM\":\"Valeur totale\",\"00AB2i\":\"L'utilisateur n'a pas emprunté la devise spécifiée\",\"02/4d1\":\"We suggest you go back to the home page.\",\"0AmQcW\":\"Changement de taux\",\"0BF3yK\":\"Désolé, nous n’avons pas trouvé la page que vous cherchiez.\",\"0RrIzN\":\"Select token\",\"0TAbjq\":\"Recent Transactions\",\"0jhlyw\":\"Risque de liquidation\",\"0ojY+Y\":\"Solde actuel v2\",\"0r31vq\":\"Reward Token\",\"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.\",\"11xQTX\":[\"This asset is eligible for \",[\"0\"],\" Ethena Rewards.\"],\"18GnfY\":[\"Repay \",[\"0\"]],\"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\",\"1PMU2v\":\"Learn more about the risks.\",\"1Ue8sX\":\"Veuillez connecter un portefeuille pour afficher vos informations personnelles ici.\",\"1W8DZp\":\"USDT on Ethereum requires approval reset before a new approval. This will require an additional transaction.\",\"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/>\",\"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.\",\"2/aIvj\":\"Cancellation submited\",\"2C40JO\":[\"This transaction will switch E-Mode from \",[\"0\"],\" to \",[\"1\"],\". Borrowing will be restricted to assets within the new category.\"],\"2Eoi/a\":\"Voir détails\",\"2FYpfJ\":\"Plus\",\"2O3qp5\":\"Liquidités disponibles\",\"2OIfa1\":\"Please connect your wallet to swap collateral.\",\"2OM8/D\":[\"L’actif ne peut pas être migré en raison d’une restriction de plafond d’approvisionnement dans \",[\"marketName\"],\" v3 marché.\"],\"2RtYM0\":\"Need help? Our support team can assist.\",\"2RubOP\":\"Initiate Withdraw\",\"2S7oCr\":[\"This asset is eligible for the Ether.fi Loyalty program with a <0>x\",[\"multiplier\"],\" multiplier.\"],\"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.\",\"2eBWE6\":\"Je reconnais les risques encourus.\",\"2r2h/U\":\"Total Deposited\",\"2uJToh\":[[\"0\"],[\"name\"]],\"2x1UO0\":\"Favourited\",\"2x58bP\":\"L'emprunt stable est activé\",\"34Qfwy\":\"Le plafond d'emprunt est dépassé\",\"39eQRj\":[\"Emprunter \",[\"symbole\"]],\"3BL1xB\":\"Total fourni\",\"3K0oMo\":\"Offre restante\",\"3MoZhl\":\"Il n'y a pas assez de collatéral pour couvrir un nouvel emprunt\",\"3NO6VI\":[[\"0\"],\" Balance\",[\"1\"]],\"3Np5O8\":[\"Fournir \",[\"symbole\"]],\"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\",\"4fCwrW\":\"or from the\",\"4lDFps\":\"Signez pour continuer\",\"4p5njr\":\"Total amount staked\",\"4wyw8H\":\"Transactions\",\"5+lhtA\":\"For swapping safety module assets please unstake your position <0>here.\",\"53r7O1\":[\"High price impact (<0>\",[\"0\"],\"%)! This route will return \",[\"1\"],\" due to low liquidity or small order size.\"],\"5CCqcz\":\"Fees help support the user experience and security of the Aave application. <0>Learn more.\",\"5JSSxX\":[\"Votre \",[\"networkName\"],\" Le portefeuille est vide. Obtenez des ressources de test gratuites à l’adresse suivante :\"],\"5K3B36\":\"We couldn't find any assets related to your search. Try again with a different category.\",\"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é.\"],\"5RzvNm\":\"Aave Shield: Transaction blocked\",\"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\",\"5ty6hB\":\"Claiming individual protocol reward only. Merit rewards excluded - select \\\"claim all\\\" to include merit rewards.\",\"5vxk14\":\"To continue, you need to grant 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\",\"5yC5m5\":\"Voir tous les votes\",\"6/dCYd\":\"Aperçu\",\"60crCe\":\"Toutes les transactions\",\"62Xcjh\":\"Collatérale\",\"65A04M\":\"Espagnol\",\"68ANm7\":\"Withdrawing GHO\",\"6G8s+q\":\"Signature\",\"6Jrv+z\":[\"Rembourser \",[\"symbole\"]],\"6SC+v0\":[\"Disable \",[\"0\"],\" as collateral to use this category. These assets would have 0% LTV.\"],\"6Xr0UU\":\"Refroidissement...\",\"6bxci/\":\"Pouvoir de vote\",\"6f8S68\":\"Marchés\",\"6g1gi0\":\"Les propositions\",\"6gvoHP\":\"Copier le message d’erreur\",\"6h3Q5G\":\"Remboursé\",\"6lFSyT\":\"Available to Stake\",\"6lGV3K\":\"Show less\",\"6s8L6f\":\"Changer de réseau\",\"70wH1Q\":\"APR\",\"72c5Qo\":\"Total\",\"75qcAQ\":[[\"stepName\"]],\"7ITr5L\":\"Facteur de santé\",\"7R/kqr\":\"The cooldown period is the time required prior to unstaking your tokens (<0/>). You can only withdraw your assets from the Security Module after the cooldown period and within the unstake window. <1>Learn more\",\"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\",\"7c6Gy8\":\"Learn more about Sonic Rewards program\",\"7er5fP\":\"Réclamer tout\",\"7hb2+s\":\"Time remaining until the withdraw period ends.\",\"7i1oxe\":\"Withdrawing and Swapping\",\"7l88b8\":\"Les données n’ont pas pu être récupérées, veuillez recharger le graphique.\",\"7p5kLi\":\"Tableau de bord\",\"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\",\"8Xaoyr\":\"View on CCIP Explorer\",\"8Z5FPv\":\"Déconnecter le portefeuille\",\"8Zz7s5\":\"actifs\",\"8aLW8H\":\"Solde à révoquer\",\"8bOT3H\":\"Taux d'utilisation\",\"8d61xO\":\"The Ink instance is governed by the Ink Foundation\",\"8sLe4/\":\"Voir le contrat\",\"8ss7VF\":\"Transaction cancelled\",\"8t/M0y\":\"Please connect your wallet to be able to bridge your tokens.\",\"8u3DDw\":[\"Swap \",[\"0\"],\" collateral\"],\"8vETh9\":\"Montrer\",\"93T2Os\":\"Total deposited\",\"94OHPx\":\"Vous entrez en mode Isolation\",\"9CDK3/\":[\"L'emprunt n'est actuellement pas disponible pour \",[\"0\"],\".\"],\"9GIj3z\":\"Taille de réserve\",\"9ITYjl\":\"%\",\"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.\"],\"9YcC7V\":\"Select Categories\",\"9c6vDV\":\"Cet actif a atteint son plafond d'offre. Rien n'est disponible pour être fourni à partir de ce marché.\",\"9iDHmv\":\"Collateral Swap\",\"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\",\"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\",\"9y0Q0y\":[\"There is not enough liquidity in \",[\"symbol\"],\" to complete this swap. Try lowering the amount.\"],\"9zzsBx\":\"This is a program initiated by the Aave DAO and implemented by Merkl. Aave Labs does not guarantee the program and accepts no liability.\",\"A/lwoe\":\"Choisissez l’un des services de rampe d’accès\",\"A6dCI6\":[\"Le montant maximal disponible pour emprunter est de <0/> \",[\"0\"],\" (<1/>).\"],\"ACUEES\":\"Check errors\",\"AReoaV\":\"Vos emprunts\",\"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.\",\"B6zvhF\":\"Shares\",\"BDFEd+\":\"Les stETH fournis en garantie continueront d’accumuler des récompenses de staking fournies par les rebasages quotidiens.\",\"BE2mP0\":\"Borrowed assets\",\"BNL4Ep\":\"L'utilisation de la garantie est limitée en raison du mode d'isolement. <0>En savoir plus\",\"BQ+4lu\":\"Swap saved in your <0>history section.\",\"BQ/wCO\":\"Migrate your assets\",\"BaCmXf\":\"AAVE 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.\",\"Baj2MJ\":\"Savings\",\"BnhYo8\":\"Catégorie d'actifs\",\"Bo6b9i\":\"Withdraw GHO\",\"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\",\"C4qYyX\":[\"Repay \",[\"0\"],\" with \",[\"1\"]],\"C5jQc6\":\"GHO Balance\",\"C7hM0q\":\"Country (optional)\",\"CDrsH+\":\"Fiche technique\",\"CGiscJ\":\"You've successfully submitted an order.\",\"CK1KXz\":\"Max\",\"COUcFd\":\"Points\",\"CZXzs4\":\"Grec\",\"CkTRmy\":[\"Revendication \",[\"symbol\"]],\"CrrC++\":\"Position swaps are disabled for this asset due to security reasons.\",\"CsqtLm\":\"Veuillez connecter votre portefeuille pour voir l’outil de migration.\",\"CtGlFb\":[[\"networkName\"],\" Robinet\"],\"CuAHqa\":\"Protocol Incentives\",\"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.\",\"D4Q4h/\":\"Gas estimation error\",\"D79cZK\":\"Instant\",\"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\"],\"DhaOWH\":\"Stake your Aave aTokens or underlying assets to earn rewards. In case of a shortfall event, your stake may be slashed to cover the deficit.\",\"Dj+3wB\":\"Aave par mois\",\"DlRHbH\":\"Claiming all protocol rewards only. Merit rewards excluded - select \\\"claim all\\\" to include merit rewards.\",\"DuEq2K\":\"Collatéralisation\",\"Dzma+E\":\"Main Ethereum market with the largest selection of assets and yield options\",\"E/QGRL\":\"Désactivé\",\"E6UoJs\":\"Estimated compounding 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.\",\"ETtXJg\":\"Share my wallet address to help the support team resolve my issue\",\"EZd3Dk\":[\"Reprise \",[\"symbol\"]],\"Ebgc76\":[\"Retrait \",[\"symbole\"]],\"EdQY6l\":\"Aucun/Aucune\",\"Ef7StM\":\"Unknown\",\"Ehzc//\":[\"Swapping \",[\"0\"],\" debt\"],\"Ekea1N\":\"We couldn't detect a wallet. Connect a wallet to stake and view your balance.\",\"Enslfm\":\"Destination\",\"EvE9nO\":[\"Réactiver la période de recharge pour annuler le pieu \",[\"0\"],\" \",[\"stakedToken\"]],\"EvECnL\":\"Migrer vers la v3\",\"EyYG53\":\"Get support\",\"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.\",\"F6pfE9\":\"Active\",\"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\",\"G15AUr\":\"Sending cancel...\",\"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\",\"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.\"],\"Gz07IS\":\"Your health factor after this swap will be critically low and may result in liquidation. Please choose a different asset or reduce the swap amount to stay safe.\",\"H1oAjw\":[[\"selectedCount\"],\" Categories\"],\"HB/wfS\":[[\"tooltipText\"]],\"HD4KkW\":[\"Swapping \",[\"0\"],\" collateral\"],\"HKDsQN\":\"Rewards can be claimed through\",\"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\"],\"HlWGZc\":[\"Your \",[\"0\"],\" balance is lower than the selected amount.\"],\"HmkYqM\":\"Fenêtre d'arrêt de staking\",\"HpK/8d\":\"Recharger\",\"HtBqo9\":\"sGHO\",\"HtuY7v\":\"Please connect your wallet to swap tokens.\",\"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\"],\"%.\"],\"I4Cxlm\":\"E-Mode required\",\"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.\",\"ILXMQA\":\"The Safety Module has been upgraded to <0>Umbrella, a new system that introduces automated slashing, aToken staking, and improved incentives design.\",\"IN8luu\":\"All done\",\"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 à\",\"IhAc6F\":\"Costs & Fees\",\"ImxB3A\":\"deposited\",\"IrtO2E\":\"You have assets with zero LTV that are blocking this operation. Please withdraw them or disable them as collateral first.\",\"J/hVSQ\":[[\"0\"]],\"JCoxL6\":\"Gérer l’analytique\",\"JEdlTC\":\"Stablecoins\",\"JOqFba\":[\"Déjalonnement \",[\"symbol\"]],\"JPHuMW\":\"Swapping\",\"JPhc4G\":\"ETH Correlated\",\"JPrLjO\":\"Vous ne pouvez pas utiliser cette devise comme garantie\",\"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\",\"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\",\"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é\",\"KkJaLD\":\"Borrow:\",\"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\",\"KqoLVC\":\"Merkl rewards are claimed through the\",\"KsqhWn\":\"Staking\",\"KuBTQq\":\"Entrez l'adresse ETH\",\"KvG1xW\":\"Réclamer\",\"L+8Lzs\":\"LTV actuelle\",\"L+qiq+\":\"Marché\",\"L2tU22\":\"Learn more about Ethena Rewards program\",\"L3ZyJR\":[[\"popularSectionTitle\"]],\"LEdkyb\":\"Rewards to claim\",\"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\"],\"\"],\"Lhf8zD\":\"Waiting for actions...\",\"Lp2cTp\":\"Eligible for incentives through Merkl.\",\"LvVpD/\":\"Emode\",\"Ly2enB\":\"This will cancel the order via an on-chain transaction. Note that the order will not be marked as cancelled in the CoW Protocol system, but will remain open and expire naturally. Keep in mind that a solver may already have filled your order.\",\"M1RnFv\":\"Expired\",\"M2sknc\":\"Astuce : Essayez d’augmenter le glissement ou de réduire la quantité d’entrée\",\"MKiONF\":\"Activating Cooldown\",\"MOvzXm\":\"Comparing best rates...\",\"MRwaR4\":\"This will require two separate transactions: one to change E-Mode and one to supply.\",\"MZ/nQf\":\"Adresse du destinataire\",\"MZbQHL\":\"No results found.\",\"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.\",\"MlRlXX\":\"Current APY\",\"Mm/DVQ\":\"Vous avez annulé la transaction.\",\"MnE2QX\":\"Emprunter des informations\",\"MuDFEQ\":\"Valeur de retour invalide de la fonction flashloan executor\",\"My0ZGV\":\"Learn more about the Kernel points distribution\",\"N+3mX2\":\"Please connect your wallet to swap debt.\",\"N40H+G\":\"All\",\"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\",\"ND1ISA\":\"Weekly Rewards\",\"NF0e1Q\":\"En attente...\",\"NK9ikO\":\"Solde du portefeuille\",\"NMt2CB\":\"Montant réclamable\",\"Na7NlU\":[[\"remainingCustomMessage\"]],\"NcFGxG\":\"Contrat de collectionneur\",\"NfpPeS\":\"Rien staké\",\"Nh9DAo\":[[\"m\"],\"m\"],\"Npz7kI\":\"Inquiry\",\"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\",\"OC4Tzv\":\"here\",\"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é\",\"OiykRd\":\"Deposit GHO\",\"On0aF2\":\"Site internet\",\"OqAwLU\":\"Protocol APY\",\"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\",\"PctCOf\":\"A temporary contract will be used to execute the trade. Your wallet may show a warning for approving a new or empty address.\",\"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.\",\"QONKTE\":\"Merit Rewards\",\"QQYsQ7\":\"Withdrawing\",\"QZEgwS\":\"Execution fee\",\"R+30X3\":\"Non atteint\",\"R9Khdg\":\"Auto\",\"RCU5PY\":\"Age\",\"RIfckG\":[\"Désactiver \",[\"symbol\"],\" comme garantie\"],\"RMtxNk\":\"Différentiel\",\"RNK49r\":\"Signature non valide\",\"RS0o7b\":\"État\",\"RTG4/6\":\"There are no stake assets configured for this market\",\"RU+LqV\":\"Détails de la proposition\",\"RYfdBk\":\"Visit <0><1>https://aave.self.xyz/ to get started with Self’s ZK-powered proof-of-humanity authentication.\",\"RZbjLY\":[\"See \",[\"0\"],\" more\"],\"Rg4K+m\":\"Cannot switch to this category\",\"RiSYV4\":\"L'actif n'est pas répertorié\",\"Rj01Fz\":\"Liens\",\"RmWFEe\":\"APR staké\",\"RtBLm7\":\"Le facteur santé est inférieur au seuil de liquidation\",\"RvF1Ts\":\"stkGHO is now Savings GHO\",\"RxzN1M\":\"Activé\",\"SBv4zo\":[[\"0\"],\" collateral would have 0% LTV in this category. Disable \",[\"1\"],\" as collateral to use this option.\"],\"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\",\"SNmu1z\":\"Shares are Umbrella Stake Tokens you receive when staking. They represent your ownership in the pool, and the amount of underlying you can redeem depends on the current exchange rate between shares and the underlying.\",\"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\",\"SZkDmY\":\"The swap could not be completed. Try increasing slippage or changing the amount.\",\"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\",\"St4jqF\":\"This list may not include all your swaps.\",\"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\",\"TLJkuL\":\"Category assets\",\"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\",\"Tg1JyO\":\"Bridge history\",\"TszKts\":\"Emprunter le solde après le changement\",\"Tw07Vv\":\"Show assets with small balance\",\"TwJI9F\":\"Asset has been successfully sent to CCIP contract. You can check the status of the transactions below\",\"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.\",\"UMgOim\":\"Send cancel\",\"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.\",\"UiO4Hu\":[\"You'll need to wait \",[\"0\"],\" before you can unstake your tokens. This cooldown starts when you request to unstake. Once it ends, you can withdraw during the unstake window.\"],\"UpndFj\":\"Aucune récompense à réclamer\",\"V0f2Xv\":\"Facteur de réserve\",\"V1HK43\":\"Risques liés à la migration\",\"V7QGpc\":\"I understand the liquidation risk and want to proceed\",\"V7SFse\":[\"I confirm the swap knowing that I could lose up to <0>\",[\"0\"],\"% on this swap.\"],\"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\",\"VnQFYr\":\"Claiming all merit rewards only\",\"W1SSoD\":\"Examiner les détails de la transaction\",\"W5hVah\":\"Rien fourni pour le moment\",\"W5kTFy\":\"Vote\",\"WHrVwg\":\"Loading quote...\",\"WMJGls\":\"Estimated Costs & Fees\",\"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\",\"WS67YQ\":\"Let us know how we can help you. You may also consider joining our community\",\"WT188T\":\"Withdraw & Swap\",\"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.\",\"WbTDwg\":\"In Progress\",\"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.\",\"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\",\"X4tRM3\":[[\"0\"],\" \",[\"symbol\"],\" to continue\"],\"XBdKOj\":\"Representative smart contract wallet (ie. Safe) addresses on other chains.\",\"XPN5UR\":\"User denied the operation.\",\"XYLcNv\":\"Support\",\"XZzneG\":\"Vous quitterez le mode d'isolement et d'autres jetons peuvent désormais être utilisés comme collatéral\",\"Xe5bTg\":\"Deposit APR\",\"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.\",\"XwKkg/\":\"Staked Underlying\",\"Xy+o6U\":\"For security reasons, limit orders are not supported for Native tokens. To place a limit order, use the wrapped version.\",\"Xy71ST\":\"Umbrella\",\"Y+hUcK\":\"Merit Program and Self rewards can be claimed\",\"Y46iXX\":\"The order could't be filled.\",\"Y5Orec\":\"Collateral options\",\"Y5kGkc\":\"VOTER NON\",\"YD+nXc\":\"Aave Shield\",\"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.\",\"Ya/che\":\"Stake token shares\",\"Ykj2Om\":\"Default slippage\",\"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.\",\"YrcHPy\":\"VIEW\",\"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.\"],\"Z3FXyt\":\"Loading...\",\"Z99M+T\":\"This is an off-chain operation. Keep in mind that a solver may already have filled your order.\",\"ZBvhI+\":\"Gouvernance Aave\",\"ZIIRAd\":\"Raw-Ipfs\",\"ZRq4tX\":\"Mode efficacité (E-Mode)\",\"ZRuM45\":\"These are the estimated costs associated with your limit swap, including costs and fees. Consider these costs when setting your order amounts to help optimize execution and maximize your chances of filling the order.\",\"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é\",\"aCgA+I\":\"E-Mode change\",\"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\",\"aQYztl\":[\"Repaying \",[\"0\"]],\"aXgo8+\":\"from the\",\"adUsDd\":\"An error has occurred fetching the proposal.\",\"afk1Wt\":[\"This asset can only be used as collateral in E-Mode: \",[\"0\"]],\"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.\",\"b4NS3e\":\"Avertissement de période de refroidissement\",\"bBHmeP\":\"Available to withdraw\",\"bNEQeI\":\"Cooldown\",\"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\",\"bYtb3C\":\"Network costs\",\"bguKoJ\":\"Le montant demandé est supérieur au montant maximum du prêt en mode taux stable\",\"bm/mjh\":\"This is a program initiated and implemented by the Aave Chan Initiative (ACI). Aave Labs does not guarantee the program and accepts no liability.\",\"bq0uL+\":\"supply\",\"bwSQI0\":\"Fournir\",\"bxN6EM\":\"Impossible de désactiver le mode E\",\"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.\",\"cc6gEH\":\"Incentives APR\",\"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\"]],\"cqwIvs\":\"Discussion de forum\",\"csDS2L\":\"Disponible\",\"cu7Stb\":\"Vous n'avez pas participé à cette proposition\",\"cuxGZP\":\"Low health factor after swap. Your position will carry a higher risk of liquidation.\",\"d9YZVR\":\"Principle Tokens\",\"dE6BLF\":\"Gouvernance\",\"dEgA5A\":\"Annuler\",\"dIsyWh\":\"Échec de la validation LTV\",\"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\",\"dYG3JG\":\"Data couldn't be loaded.\",\"dZQvSq\":\"Please review the swap values before confirming.\",\"dfDzrk\":[\"Supply cap reached for \",[\"symbol\"],\". Reduce the amount or choose a different asset.\"],\"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\",\"drdV8R\":\"Liquidation\",\"dxW8cS\":\"Jeton de dette Aave\",\"e/ghIe\":[\"This transaction will enable E-Mode (\",[\"0\"],\"). Borrowing will be restricted to assets within this category.\"],\"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\",\"eQ0Wu0\":\"Please connect a wallet to view your balance here.\",\"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\",\"edXiYw\":[\"You've successfully swapped \",[\"0\"],\".\"],\"efdrrk\":\"Disponible sur\",\"enruNF\":\"Commence\",\"eqLYiD\":\"Arrêter de staker maintenant\",\"evw5ha\":\"Valeur nette\",\"ezcU16\":\"Obtenir le jeton ABP\",\"f2e3vu\":[\"Deposit GHO into savings GHO (sGHO) and earn <0>\",[\"0\"],\"% APY on your GHO holdings. There are no lockups, no rehypothecation, and you can withdraw anytime. Simply deposit GHO, receive sGHO tokens representing your balance, and watch your savings grow earning claimable rewards from merit.\"],\"f3W0Ej\":[\"Vous êtes passé au tarif \",[\"0\"]],\"fMJQZK\":\"Emprunté\",\"fZ5Vnu\":\"Reçu\",\"firl9Q\":\"Votre prêt actuel à la valeur en fonction de votre collatéral fournie.\",\"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\",\"g4Ius4\":\"This is the fee for executing position changes, set by governance.\",\"g8KGoA\":\"Foire aux questions\",\"g9zzqS\":\"A voté NAY\",\"gDd2gk\":\"about SuperFest.\",\"gIMJlW\":\"Mode réseau test\",\"gK+IvE\":\"Withdraw and Swap\",\"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é\",\"gjxiVa\":[\"This swap has a price impact of \",[\"0\"],\"%, which exceeds the 25% safety threshold. To proceed, disable Aave Shield in the settings menu.\"],\"goff7V\":\"Adresse zéro non-valide\",\"gp+f1B\":\"Variante 3\",\"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\",\"h5hG6q\":\"This is the cost of settling your order on-chain, including gas and any LP fees.\",\"hB23LY\":\"Activer le temps de recharge\",\"hIJzBh\":\"Available to Claim\",\"hIS4N0\":\"APY Net\",\"hQRttt\":\"Submit\",\"hRWvpI\":\"Revendiqué\",\"hb8ajh\":\"Debt Swap\",\"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\",\"hrhwub\":\"dashboard\",\"huQ6Tz\":[\"Emprunter \",[\"symbole\"]],\"hxYu+F\":\"Borrow: All eligible assets\",\"i/fZ2Z\":\"Staked Balance\",\"i9qiyR\":\"Expires in\",\"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\",\"iIuDE1\":\"Estimated weekly rewards based on your current sGHO balance and APR. Actual rewards may vary depending on market conditions.\",\"iKfD53\":\"Transaction history for Plasma not supported yet, coming soon.\",\"iMVZk9\":\"Sélectionner la tolérance de glissement\",\"iNYgey\":\"Get Support\",\"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\",\"iddNqA\":\"This transaction will disable E-Mode. All assets will revert to their base LTV and liquidation thresholds.\",\"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\"],\"ih/VjN\":\"Staking this amount will reduce your health factor and increase risk of liquidation.\",\"il0sEG\":\"L'utilisation du collatéral est limitée en raison du mode d'isolation.\",\"j+K1Xj\":\"Amount After Fee\",\"j4SXZo\":\"Claim all merit rewards\",\"j7JHV+\":\"Total APY\",\"j8cF1R\":\"Cooling down\",\"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\",\"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.\",\"jZkYWO\":\"Boosted LTV\",\"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\",\"jqVo/k\":\"here.\",\"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\"],\"kMi0nz\":\"sGHO Merit APY History\",\"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\",\"kj3M8S\":\"Deposit\",\"kjN9tT\":\"Le plafond d'approvisionnement est dépassé\",\"kn+s7w\":[[\"0\"],\" collateral would have 0% LTV without E-Mode. Disable \",[\"1\"],\" as collateral to use this option.\"],\"knxE+G\":\". JSON (en anglais seulement)\",\"ks2LWT\":\"Le plafond de la dette n'est pas nul\",\"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.\",\"kzeZTm\":\"LTV\",\"lCF0wC\":\"Refresh\",\"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.\",\"lXb3Ih\":[\"This asset has 0 LTV and cannot be used as collateral. Enable an E-Mode to use \",[\"symbol\"],\" as collateral.\"],\"lXj2Sq\":\"Repay with Collateral\",\"lYGfRP\":\"Anglais\",\"lfEjIE\":\"En savoir plus dans notre <0>guide FAQ\",\"ljF4ko\":\"The selected rate is lower than the market price. You might incur a loss if you proceed.\",\"lqCWte\":[\"Deposit GHO and earn \",[\"0\"],\"% APY\"],\"lu7f+8\":\"Blocked by Shield\",\"m/IEhi\":\"Émission totale par jour\",\"m7r7Hh\":\"Sélection d’actifs d’emprunt\",\"mDDK4p\":\"Balancer Pool\",\"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.\"],\"me5LMQ\":\"Checking approval\",\"mogZv0\":\"Favourite\",\"muiOng\":[\"Acheter \",[\"cryptoSymbol\"],\" avec Fiat\"],\"mvCXBY\":\"Mise en jeu AAVE\",\"mwdzil\":\"D'accord, fermer\",\"mzDAU3\":\"Savings GHO (sGHO)\",\"mzdIia\":\"L'actif ne peut pas être utilisé comme collatéral.\",\"n+SX4g\":\"Développeurs\",\"n1na81\":\"No eligible assets to swap.\",\"n4PWtp\":\"Depositing\",\"nJIhzm\":\"Fournir apy\",\"nJgsQu\":\"Avec un pouvoir de vote de <0/>\",\"nLC6tu\":\"Français\",\"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\",\"nPGNMh\":\"Peut être exécuté\",\"nUK1ou\":[\"Assets with zero LTV (\",[\"0\"],\") must be withdrawn or disabled as collateral to perform this action\"],\"neITkT\":\"This asset has 0% LTV, meaning it does not contribute to borrowing power. Existing positions with this asset as collateral still count toward the liquidation threshold and protect your health factor. New positions cannot enable this asset as collateral.\",\"njBeMm\":\"Les deux\",\"ntyFSE\":[[\"h\"],\"h\"],\"nwIsn4\":\"After the cooldown is initiated, you will be able to withdraw your assets immediatley.\",\"nweCqF\":\"Cancelling order...\",\"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\",\"o5ooMr\":\"Dette\",\"o7J4JM\":\"Filtrer\",\"o7Yloh\":\"Learn more about the Ether.fi program\",\"oHFrpj\":\"Temps de recharge pour déstaker\",\"oJ5ZiG\":\"L'utilisateur n'a pas de dette à taux variable impayée sur cette réserve\",\"oUwXhx\":\"Ressources de test\",\"oWQnqT\":\"Staking this asset will earn the underlying asset supply yield in addition to other configured rewards.\",\"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.\",\"ogU9GD\":\"Target liquidity\",\"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.\",\"om/XHs\":\"Disponible au dépôt\",\"omq5qJ\":\"Claiming all protocol rewards and merit rewards together\",\"ovBPCi\":\"Default\",\"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\",\"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é.\",\"p45alK\":\"Configurer la délégation\",\"pDgeaz\":[[\"title\"]],\"pdZqBk\":\"Le solde sous-jacent doit être supérieur à 0\",\"pgWG9H\":\"Pas assez de solde staké\",\"ph9+uj\":[\"Switching to \",[\"networkName\"],\"...\"],\"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\"],\")\"],\"pup/ej\":\"Net Protocol Incentives\",\"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\",\"qKfida\":\"Staked tokens are wrapped and use an exchange rate. You may see fewer token shares, but the value matches your deposit and will grow as yield accrues.\",\"qOqbD6\":\"copier l'erreur\",\"qXCkEM\":\"Veuillez connecter votre portefeuille pour voir vos fournitures, vos emprunts et vos positions ouvertes.\",\"qY2jnw\":\"Expiration invalide\",\"qhhf9L\":\"Rewards available to claim\",\"qtS7wW\":\"Thank you for voting\",\"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\",\"qz6JVE\":[\"Your order amounts are \",[\"0\"],\" less favorable by \",[\"1\"],\"% to the liquidity provider than recommended. This order may not be executed.\"],\"qz9c6b\":[\"Repaying \",[\"0\"],\" with \",[\"1\"]],\"qzFp5D\":\"All Categories\",\"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\",\"riNWOA\":\"E-Mode\",\"rjGI/Q\":\"Vie privée\",\"rnKPW1\":\"Watch a wallet balance in read-only mode\",\"rojvRp\":\"Approval by signature not available\",\"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\",\"t/ct9N\":\"Auto Slippage\",\"tBIz3I\":[\"Supply \",[\"0\"],\" and double your yield by <0><1>verifying your humanity through Self for \",[\"1\"],\" per user.\"],\"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\",\"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\"],\"tVJk4q\":\"Cancel order\",\"te9Bfl\":\"S'il vous plaît, connectez votre portefeuille\",\"tj6dr4\":\"Merit Program rewards can be claimed\",\"tt5yma\":\"Vos ressources\",\"tw6G0s\":[\"You must disable \",[\"0\"],\" as collateral before exiting E-Mode. These assets have 0 LTV outside of E-Mode and cannot be used as collateral.\"],\"u3ZeYl\":\"La transaction a échoué\",\"u706uF\":\"Prime flash non valide\",\"u8Gfu7\":[\"Aucun résultat de recherche\",[\"0\"]],\"uAQUqI\":\"Status\",\"uGG4Lk\":\"Claim all protocol rewards\",\"uHMwk8\":\"Aucune ressource n’a été sélectionnée pour la migration.\",\"uI3SjW\":\"Connection Error\",\"uJOI6M\":\"Tip: Try improving your order parameters\",\"uJPHuY\":\"Migration\",\"uRXR6h\":[\"Swap \",[\"0\"],\" debt\"],\"uZiu4N\":\"There is an active order for the same sell asset (avoid nonce reuse).\",\"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\",\"usB84Z\":\"Le montant maximum disponible pour emprunter est limité car le plafond d’emprunt du protocole est presque atteint.\",\"uyLjNw\":\"Custom slippage\",\"v+Fu0z\":\"This asset is eligible for Kernel points incentive program. Aave Labs does not guarantee the program and accepts no liability.\",\"v0CIlJ\":\"You have no rewards to claim at this time.\",\"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é\",\"vH2C/2\":\"Swap\",\"vLyv1R\":\"Cacher\",\"vMba49\":\"L'emprunt n'est pas activé\",\"vMpNwt\":\"Approuvez avec\",\"vNAHA2\":\"PTs\",\"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.\",\"vv7kpg\":\"Cancelled\",\"w+V9Cx\":\"Stablecoin\",\"w/JtJ3\":\"L'offre de dette stable n'est pas nulle\",\"w1f8Ky\":\"Savings GHO\",\"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\",\"wapGcj\":[[\"message\"]],\"wb/r1O\":[\"Faucet \",[\"0\"]],\"wdxz7K\":\"Source\",\"weC8IO\":\"All Rewards\",\"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\",\"wuMdlk\":[\"This asset is eligible for \",[\"0\"],\" Sonic Rewards.\"],\"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.\",\"x+QJ9y\":[\"Category \",[\"selectedEmodeId\"]],\"x0TRLG\":[\"Repay your \",[\"0\"],\" \",[\"1\",\"plural\",{\"one\":\"borrow\",\"other\":\"borrows\"}],\" to use this category.\"],\"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\"]],\"yRkqG9\":\"Limit\",\"yYHqJe\":\"Pas une adresse valide\",\"yZ5ngq\":\"Transaction details not available\",\"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\"],\"yv/Kz/\":\"Back home\",\"yz7wBu\":\"Fermer\",\"z4uGQg\":\"Le plafond de la dette est dépassé\",\"z5JUmg\":[\"Estimated costs are \",[\"0\"],\"% of the sell amount. This order is unlikely to be filled.\"],\"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\",\"zNgzxM\":\"Excludes variable supply APY\",\"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\",\"zZmf1N\":\"Filled\",\"zgtIDV\":\"Dette restante\",\"zmTPiV\":\"Bilan d'approvisionnement\",\"zpPbZl\":\"Paramètres du risque de liquidation\",\"zqp4Tm\":\"Unable to Connect\",\"zr58Jd\":\"Umbrella is the upgraded version of the Safety Module. Manage your previously staked assets\",\"zucql+\":\"Menu\",\"zv/j10\":[\"Active \",[\"0\"],\" borrow is not compatible with this category. Repay your \",[\"1\"],\" borrow to use this option.\"],\"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.\",\"+EGVI0\":\"Recevoir (est.)\",\"+Tzhaj\":\"You've successfully swapped borrow position.\",\"+eOPG+\":\"On dirait que nous ne pouvons pas changer de réseau automatiquement. Veuillez vérifier si vous pouvez le changer depuis le portefeuille.\",\"+kLZGu\":\"Montant de l’actif fourni\",\"/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\",\"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\",\"1Onqx8\":[\"Approuver \",[\"symbol\"],\"...\"],\"1m9Qqc\":\"Retrait et changement\",\"1oyh4g\":\"Borrow rate\",\"2Q4GU4\":\"Adresse bloquée\",\"2bAhR7\":\"Rencontrez GHO\",\"2o/xRt\":\"Plafond d'approvisionnement sur la réserve cible atteint. Essayez de réduire le montant.\",\"3O8YTV\":\"Total des intérêts courus\",\"4iPAI3\":\"Montant minimum d’emprunt GHO\",\"6NGLTR\":\"Montant actualisable\",\"6yAAbq\":\"APY, borrow rate\",\"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\",\"7sofdl\":\"Retrait et échange\",\"9rWaKF\":\"Bridged Via CCIP\",\"ARu1L4\":\"Remboursé\",\"B6aXGH\":\"Stable\",\"B9Gqbz\":\"Taux variable\",\"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.\",\"BjLdl1\":\"À prix réduit\",\"CMHmbm\":\"Glissement\",\"DxfsGs\":\"Vous pouvez signaler un incident sur notre <0>Discord ou<1>Github.\",\"EBL9Gz\":\"COPIÉ!\",\"ES8dkb\":\"Taux fixe\",\"GoK/QN\":\"Thank you for submitting feedback!\",\"H6Ma8Z\":\"Rabais\",\"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.\",\"HrnC47\":\"Enregistrer et partager\",\"JK9zf1\":[\"Intérêts composés estimés, y compris l’escompte pour le jalonnement \",[\"0\"],\"AAVE dans le module de sécurité.\"],\"JU6q+W\":\"Récompense(s) à réclamer\",\"K05qZY\":\"Retrait et échange\",\"KRpokz\":\"VOIR TX\",\"KZwRuD\":[[\"notifyText\"]],\"LDzfVJ\":\"Send Feedback\",\"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\",\"MIy2RJ\":\"Maximum amount received\",\"MrmQHg\":\"View Bridge Transactions\",\"N7dVh7\":\"Swap to\",\"QSh9Sn\":\"Swapped\",\"QWYCs/\":\"Stake GHO\",\"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.\",\"RoafuO\":\"Envoyer des commentaires\",\"SSMiac\":\"Impossible de charger les votants de proposition. Veuillez rafraîchir la page.\",\"TeCFg/\":\"Modification du taux d’emprunt\",\"TskbEN\":\"Les détenteurs de stkAAVE bénéficient d’une réduction sur le taux d’emprunt GHO\",\"TtZL6q\":\"Paramètres du modèle de remise\",\"Tz0GSZ\":\"Activités bloquées\",\"UE3KJZ\":\"L’historique des transactions n’est actuellement pas disponible pour ce marché\",\"W8ekPc\":\"Retour au tableau de bord\",\"WMPbRK\":\"Sans support\",\"YirHq7\":\"Feedback\",\"aX31hk\":\"Votre solde est inférieur au montant sélectionné.\",\"al6Pyz\":\"Dépasse la remise\",\"avgETN\":\"Eligible for the Merit program.\",\"bSc4Zw\":\"Swaping\",\"bSruit\":\"ZKSync Ignite Program rewards are claimed through the\",\"bxmzSh\":\"Pas assez de collatéral pour rembourser ce montant de dette avec\",\"cqnmnD\":\"Taux d’intérêt effectif\",\"dMtLDE\":\"À\",\"dpc0qG\":\"Variable\",\"euScGB\":\"APY avec remise appliquée\",\"fHcELk\":\"APR Net\",\"flRCF/\":\"Remise sur le staking\",\"gncRUO\":\"Cette adresse est bloquée sur app.aave.com car elle est associée à un ou plusieurs\",\"gr8mYw\":\"Vous pouvez emprunter jusqu’à GHO à <0/> <1/> (rabais maximum)\",\"hpuVIp\":\"Users who stake AAVE in Safety Module (i.e. stkAAVE holders) receive a discount on GHO borrow interest rate.\",\"hxi7vE\":\"Emprunter le solde\",\"i2JTiw\":\"Vous pouvez saisir un montant personnalisé dans le champ.\",\"jMam5g\":[[\"0\"],\" Balance\"],\"jpctdh\":\"Vue\",\"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é.\",\"lNVG7i\":\"Sélectionner une ressource\",\"lt6bpt\":\"Garantie à rembourser\",\"mIM0qu\":\"Montant prévu à rembourser\",\"mzI/c+\":\"Télécharger\",\"n8Psk4\":\"Nous n’avons pas pu détecter de portefeuille. Connectez un portefeuille pour staker et consulter votre solde.\",\"nOy4ob\":\"Nous vous suggérons de revenir au tableau de bord.\",\"nakd8r\":\"Les détenteurs de stkAAVE bénéficient d’une réduction sur le taux d’emprunt GHO\",\"nh2EJK\":[\"Veuillez passer à \",[\"networkName\"],\".\"],\"ntkAoE\":\"Remise appliquée pour <0/> le staking d’AAVE\",\"o4tCu3\":\"Emprunter de l’APY\",\"olREoo\":\"All borrow positions outside of this category must be closed to enable this category.\",\"ov0+mq\":\"Eligible for the ZKSync Ignite program.\",\"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.\"],\"p3j+mb\":\"Votre solde de récompenses est de 0\",\"p6u2s1\":\"Minimum amount of debt to be repaid\",\"qFD/ij\":\"You've successfully withdrew & swapped tokens.\",\"qT4Lfg\":\"You've successfully swapped tokens.\",\"qf/fr+\":\"Intérêts courus\",\"rf8POi\":\"Montant de l’actif emprunté\",\"ruc7X+\":\"Ajoutez stkAAVE pour voir l’APY d’emprunt avec la remise\",\"t81DpC\":[\"Approuver \",[\"symbol\"],\" pour continuer\"],\"umICAY\":\"<0><1><2/>Ajoutez stkAAVE pour voir le taux d’emprunt avec escompte\",\"uwAUvj\":\"COPIER L’IMAGE\",\"wyi0tk\":\"Swap borrow position\",\"yW1oWB\":\"APY type\",\"zevmS2\":\"<0><1><2/>Ajoutez <3/> stkAAVE pour emprunter à <4/> (remise maximale)\",\"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.\"],\"+5vxU4\":\"Reward APY at target liquidity\",\"+9RBfc\":\"Thank you for submitting your inquiry!\",\"+F6nAX\":\"Save with sGHO\",\"+KaZP2\":\"Aave Labs does not guarantee the program and accepts no liability.\",\"+Nk14N\":\"Savings GHO token\",\"+VR63W\":[\"Participer à cette réserve \",[\"symbol\"],\" donne des récompenses annualisées.\"],\"+XNrRN\":\"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 restrictions, see the <1>help guide or the <2>Aave V3 Technical Paper.\",\"+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.\",\"+i3Pd2\":\"Limite d'emprunt\",\"+nuEh/\":\"Estimated time\",\"+xMFF8\":\"Remind me\",\"/+Vmgq\":\"Total amount of underlying assets staked. This number represents the combined sum of your original asset and the corresponding aTokens staked in Umbrella.\",\"/1Qot4\":\"Protocol Rewards\",\"/1xACT\":\"Reward APY adjusts with total staked amount, following a curve that targets optimal staking levels.\",\"/57U31\":\"Amount to migrate\",\"/7ykiW\":\"Emprunter ce montant réduira votre facteur santé et augmentera le risque de liquidation.\",\"/FwCXs\":[[\"0\"],\" \",[\"symbol\"],\"...\"],\"/LCAwL\":\"In progress\",\"/ZyLeG\":\"Amount available to unstake\",\"/jQctM\":\"To\",\"/lDBHm\":\"FAQ\",\"/lMWs6\":[\"Deposit GHO and earn up to <0>\",[\"0\"],\"% APY\"],\"/yNlZf\":\"L'emprunt stable n'est pas activé\",\"/yQcJM\":\"Valeur totale\",\"00AB2i\":\"L'utilisateur n'a pas emprunté la devise spécifiée\",\"02/4d1\":\"We suggest you go back to the home page.\",\"0AmQcW\":\"Changement de taux\",\"0BF3yK\":\"Désolé, nous n’avons pas trouvé la page que vous cherchiez.\",\"0RrIzN\":\"Select token\",\"0TAbjq\":\"Recent Transactions\",\"0jhlyw\":\"Risque de liquidation\",\"0ojY+Y\":\"Solde actuel v2\",\"0r31vq\":\"Reward Token\",\"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.\",\"11xQTX\":[\"This asset is eligible for \",[\"0\"],\" Ethena Rewards.\"],\"18GnfY\":[\"Repay \",[\"0\"]],\"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\",\"1PMU2v\":\"Learn more about the risks.\",\"1Ue8sX\":\"Veuillez connecter un portefeuille pour afficher vos informations personnelles ici.\",\"1W8DZp\":\"USDT on Ethereum requires approval reset before a new approval. This will require an additional transaction.\",\"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/>\",\"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.\",\"2/aIvj\":\"Cancellation submited\",\"2C40JO\":[\"This transaction will switch E-Mode from \",[\"0\"],\" to \",[\"1\"],\". Borrowing will be restricted to assets within the new category.\"],\"2Eoi/a\":\"Voir détails\",\"2FYpfJ\":\"Plus\",\"2O3qp5\":\"Liquidités disponibles\",\"2OIfa1\":\"Please connect your wallet to swap collateral.\",\"2OM8/D\":[\"L’actif ne peut pas être migré en raison d’une restriction de plafond d’approvisionnement dans \",[\"marketName\"],\" v3 marché.\"],\"2RtYM0\":\"Need help? Our support team can assist.\",\"2RubOP\":\"Initiate Withdraw\",\"2S7oCr\":[\"This asset is eligible for the Ether.fi Loyalty program with a <0>x\",[\"multiplier\"],\" multiplier.\"],\"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.\",\"2eBWE6\":\"Je reconnais les risques encourus.\",\"2r2h/U\":\"Total Deposited\",\"2uJToh\":[[\"0\"],[\"name\"]],\"2x1UO0\":\"Favourited\",\"2x58bP\":\"L'emprunt stable est activé\",\"34Qfwy\":\"Le plafond d'emprunt est dépassé\",\"39eQRj\":[\"Emprunter \",[\"symbole\"]],\"3BL1xB\":\"Total fourni\",\"3K0oMo\":\"Offre restante\",\"3MoZhl\":\"Il n'y a pas assez de collatéral pour couvrir un nouvel emprunt\",\"3NO6VI\":[[\"0\"],\" Balance\",[\"1\"]],\"3Np5O8\":[\"Fournir \",[\"symbole\"]],\"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\",\"4fCwrW\":\"or from the\",\"4lDFps\":\"Signez pour continuer\",\"4p5njr\":\"Total amount staked\",\"4wyw8H\":\"Transactions\",\"5+lhtA\":\"For swapping safety module assets please unstake your position <0>here.\",\"53r7O1\":[\"High price impact (<0>\",[\"0\"],\"%)! This route will return \",[\"1\"],\" due to low liquidity or small order size.\"],\"5CCqcz\":\"Fees help support the user experience and security of the Aave application. <0>Learn more.\",\"5JSSxX\":[\"Votre \",[\"networkName\"],\" Le portefeuille est vide. Obtenez des ressources de test gratuites à l’adresse suivante :\"],\"5K3B36\":\"We couldn't find any assets related to your search. Try again with a different category.\",\"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é.\"],\"5RzvNm\":\"Aave Shield: Transaction blocked\",\"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\",\"5ty6hB\":\"Claiming individual protocol reward only. Merit rewards excluded - select \\\"claim all\\\" to include merit rewards.\",\"5vxk14\":\"To continue, you need to grant 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\",\"5yC5m5\":\"Voir tous les votes\",\"6/dCYd\":\"Aperçu\",\"60crCe\":\"Toutes les transactions\",\"62Xcjh\":\"Collatérale\",\"65A04M\":\"Espagnol\",\"68ANm7\":\"Withdrawing GHO\",\"6G8s+q\":\"Signature\",\"6Jrv+z\":[\"Rembourser \",[\"symbole\"]],\"6SC+v0\":[\"Disable \",[\"0\"],\" as collateral to use this category. These assets would have 0% LTV.\"],\"6Xr0UU\":\"Refroidissement...\",\"6bxci/\":\"Pouvoir de vote\",\"6f8S68\":\"Marchés\",\"6g1gi0\":\"Les propositions\",\"6gvoHP\":\"Copier le message d’erreur\",\"6h3Q5G\":\"Remboursé\",\"6lFSyT\":\"Available to Stake\",\"6lGV3K\":\"Show less\",\"6s8L6f\":\"Changer de réseau\",\"70wH1Q\":\"APR\",\"72c5Qo\":\"Total\",\"75qcAQ\":[[\"stepName\"]],\"7ITr5L\":\"Facteur de santé\",\"7R/kqr\":\"The cooldown period is the time required prior to unstaking your tokens (<0/>). You can only withdraw your assets from the Security Module after the cooldown period and within the unstake window. <1>Learn more\",\"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\",\"7c6Gy8\":\"Learn more about Sonic Rewards program\",\"7er5fP\":\"Réclamer tout\",\"7hb2+s\":\"Time remaining until the withdraw period ends.\",\"7i1oxe\":\"Withdrawing and Swapping\",\"7l88b8\":\"Les données n’ont pas pu être récupérées, veuillez recharger le graphique.\",\"7p5kLi\":\"Tableau de bord\",\"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\",\"8Xaoyr\":\"View on CCIP Explorer\",\"8Z5FPv\":\"Déconnecter le portefeuille\",\"8Zz7s5\":\"actifs\",\"8aLW8H\":\"Solde à révoquer\",\"8bOT3H\":\"Taux d'utilisation\",\"8d61xO\":\"The Ink instance is governed by the Ink Foundation\",\"8sLe4/\":\"Voir le contrat\",\"8ss7VF\":\"Transaction cancelled\",\"8t/M0y\":\"Please connect your wallet to be able to bridge your tokens.\",\"8u3DDw\":[\"Swap \",[\"0\"],\" collateral\"],\"8vETh9\":\"Montrer\",\"93T2Os\":\"Total deposited\",\"94OHPx\":\"Vous entrez en mode Isolation\",\"9CDK3/\":[\"L'emprunt n'est actuellement pas disponible pour \",[\"0\"],\".\"],\"9GIj3z\":\"Taille de réserve\",\"9ITYjl\":\"%\",\"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.\"],\"9YcC7V\":\"Select Categories\",\"9c6vDV\":\"Cet actif a atteint son plafond d'offre. Rien n'est disponible pour être fourni à partir de ce marché.\",\"9iDHmv\":\"Collateral Swap\",\"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\",\"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\",\"9y0Q0y\":[\"There is not enough liquidity in \",[\"symbol\"],\" to complete this swap. Try lowering the amount.\"],\"9zzsBx\":\"This is a program initiated by the Aave DAO and implemented by Merkl. Aave Labs does not guarantee the program and accepts no liability.\",\"A/lwoe\":\"Choisissez l’un des services de rampe d’accès\",\"A6dCI6\":[\"Le montant maximal disponible pour emprunter est de <0/> \",[\"0\"],\" (<1/>).\"],\"ACUEES\":\"Check errors\",\"AReoaV\":\"Vos emprunts\",\"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.\",\"B6zvhF\":\"Shares\",\"BDFEd+\":\"Les stETH fournis en garantie continueront d’accumuler des récompenses de staking fournies par les rebasages quotidiens.\",\"BE2mP0\":\"Borrowed assets\",\"BNL4Ep\":\"L'utilisation de la garantie est limitée en raison du mode d'isolement. <0>En savoir plus\",\"BQ+4lu\":\"Swap saved in your <0>history section.\",\"BQ/wCO\":\"Migrate your assets\",\"BaCmXf\":\"AAVE 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.\",\"Baj2MJ\":\"Savings\",\"BnhYo8\":\"Catégorie d'actifs\",\"Bo6b9i\":\"Withdraw GHO\",\"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\",\"C4qYyX\":[\"Repay \",[\"0\"],\" with \",[\"1\"]],\"C5jQc6\":\"GHO Balance\",\"C7hM0q\":\"Country (optional)\",\"CDrsH+\":\"Fiche technique\",\"CGiscJ\":\"You've successfully submitted an order.\",\"CK1KXz\":\"Max\",\"COUcFd\":\"Points\",\"CZXzs4\":\"Grec\",\"CkTRmy\":[\"Revendication \",[\"symbol\"]],\"CrrC++\":\"Position swaps are disabled for this asset due to security reasons.\",\"CsqtLm\":\"Veuillez connecter votre portefeuille pour voir l’outil de migration.\",\"CtGlFb\":[[\"networkName\"],\" Robinet\"],\"CuAHqa\":\"Protocol Incentives\",\"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.\",\"D4Q4h/\":\"Gas estimation error\",\"D79cZK\":\"Instant\",\"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\"],\"DhaOWH\":\"Stake your Aave aTokens or underlying assets to earn rewards. In case of a shortfall event, your stake may be slashed to cover the deficit.\",\"Dj+3wB\":\"Aave par mois\",\"DlRHbH\":\"Claiming all protocol rewards only. Merit rewards excluded - select \\\"claim all\\\" to include merit rewards.\",\"DuEq2K\":\"Collatéralisation\",\"Dzma+E\":\"Main Ethereum market with the largest selection of assets and yield options\",\"E/QGRL\":\"Désactivé\",\"E6UoJs\":\"Estimated compounding 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.\",\"ETtXJg\":\"Share my wallet address to help the support team resolve my issue\",\"EZd3Dk\":[\"Reprise \",[\"symbol\"]],\"Ebgc76\":[\"Retrait \",[\"symbole\"]],\"EdQY6l\":\"Aucun/Aucune\",\"Ef7StM\":\"Unknown\",\"Ehzc//\":[\"Swapping \",[\"0\"],\" debt\"],\"Ekea1N\":\"We couldn't detect a wallet. Connect a wallet to stake and view your balance.\",\"Enslfm\":\"Destination\",\"EvE9nO\":[\"Réactiver la période de recharge pour annuler le pieu \",[\"0\"],\" \",[\"stakedToken\"]],\"EvECnL\":\"Migrer vers la v3\",\"EyYG53\":\"Get support\",\"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.\",\"F6pfE9\":\"Active\",\"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\",\"FTRJ1l\":\"L2 Networks\",\"FbmMe7\":\"Linked addresses\",\"Fdp03t\":\"sur\",\"Fjw9N+\":\"Actifs à déposer\",\"FmN0fk\":\"Remise en jeu\",\"G15AUr\":\"Sending cancel...\",\"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\",\"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.\"],\"Gz07IS\":\"Your health factor after this swap will be critically low and may result in liquidation. Please choose a different asset or reduce the swap amount to stay safe.\",\"H1oAjw\":[[\"selectedCount\"],\" Categories\"],\"HB/wfS\":[[\"tooltipText\"]],\"HD4KkW\":[\"Swapping \",[\"0\"],\" collateral\"],\"HKDsQN\":\"Rewards can be claimed through\",\"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\"],\"HlWGZc\":[\"Your \",[\"0\"],\" balance is lower than the selected amount.\"],\"HmkYqM\":\"Fenêtre d'arrêt de staking\",\"HpK/8d\":\"Recharger\",\"HtBqo9\":\"sGHO\",\"HtuY7v\":\"Please connect your wallet to swap tokens.\",\"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\"],\"%.\"],\"I4Cxlm\":\"E-Mode required\",\"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.\",\"ILXMQA\":\"The Safety Module has been upgraded to <0>Umbrella, a new system that introduces automated slashing, aToken staking, and improved incentives design.\",\"IN8luu\":\"All done\",\"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 à\",\"IhAc6F\":\"Costs & Fees\",\"ImxB3A\":\"deposited\",\"IrtO2E\":\"You have assets with zero LTV that are blocking this operation. Please withdraw them or disable them as collateral first.\",\"J/hVSQ\":[[\"0\"]],\"JCoxL6\":\"Gérer l’analytique\",\"JEdlTC\":\"Stablecoins\",\"JOqFba\":[\"Déjalonnement \",[\"symbol\"]],\"JPHuMW\":\"Swapping\",\"JPhc4G\":\"ETH Correlated\",\"JPrLjO\":\"Vous ne pouvez pas utiliser cette devise comme garantie\",\"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\",\"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\",\"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é\",\"KkJaLD\":\"Borrow:\",\"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\",\"KqoLVC\":\"Merkl rewards are claimed through the\",\"KsqhWn\":\"Staking\",\"KuBTQq\":\"Entrez l'adresse ETH\",\"KvG1xW\":\"Réclamer\",\"L+8Lzs\":\"LTV actuelle\",\"L+qiq+\":\"Marché\",\"L2tU22\":\"Learn more about Ethena Rewards program\",\"L3ZyJR\":[[\"popularSectionTitle\"]],\"LEdkyb\":\"Rewards to claim\",\"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\"],\"\"],\"Lhf8zD\":\"Waiting for actions...\",\"Lp2cTp\":\"Eligible for incentives through Merkl.\",\"LvVpD/\":\"Emode\",\"Ly2enB\":\"This will cancel the order via an on-chain transaction. Note that the order will not be marked as cancelled in the CoW Protocol system, but will remain open and expire naturally. Keep in mind that a solver may already have filled your order.\",\"M1RnFv\":\"Expired\",\"M2sknc\":\"Astuce : Essayez d’augmenter le glissement ou de réduire la quantité d’entrée\",\"MKiONF\":\"Activating Cooldown\",\"MOvzXm\":\"Comparing best rates...\",\"MRwaR4\":\"This will require two separate transactions: one to change E-Mode and one to supply.\",\"MZ/nQf\":\"Adresse du destinataire\",\"MZbQHL\":\"No results found.\",\"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.\",\"MlRlXX\":\"Current APY\",\"Mm/DVQ\":\"Vous avez annulé la transaction.\",\"MnE2QX\":\"Emprunter des informations\",\"MuDFEQ\":\"Valeur de retour invalide de la fonction flashloan executor\",\"My0ZGV\":\"Learn more about the Kernel points distribution\",\"N+3mX2\":\"Please connect your wallet to swap debt.\",\"N39Ax4\":\"Ethereum\",\"N40H+G\":\"All\",\"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\",\"ND1ISA\":\"Weekly Rewards\",\"NF0e1Q\":\"En attente...\",\"NK9ikO\":\"Solde du portefeuille\",\"NMt2CB\":\"Montant réclamable\",\"Na7NlU\":[[\"remainingCustomMessage\"]],\"NcFGxG\":\"Contrat de collectionneur\",\"NfpPeS\":\"Rien staké\",\"Nh9DAo\":[[\"m\"],\"m\"],\"Npz7kI\":\"Inquiry\",\"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\",\"OC4Tzv\":\"here\",\"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é\",\"OiykRd\":\"Deposit GHO\",\"On0aF2\":\"Site internet\",\"OqAwLU\":\"Protocol APY\",\"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\",\"PctCOf\":\"A temporary contract will be used to execute the trade. Your wallet may show a warning for approving a new or empty address.\",\"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.\",\"QONKTE\":\"Merit Rewards\",\"QQYsQ7\":\"Withdrawing\",\"QZEgwS\":\"Execution fee\",\"R+30X3\":\"Non atteint\",\"R9Khdg\":\"Auto\",\"RCU5PY\":\"Age\",\"RIfckG\":[\"Désactiver \",[\"symbol\"],\" comme garantie\"],\"RMtxNk\":\"Différentiel\",\"RNK49r\":\"Signature non valide\",\"RS0o7b\":\"État\",\"RTG4/6\":\"There are no stake assets configured for this market\",\"RU+LqV\":\"Détails de la proposition\",\"RYfdBk\":\"Visit <0><1>https://aave.self.xyz/ to get started with Self’s ZK-powered proof-of-humanity authentication.\",\"RZbjLY\":[\"See \",[\"0\"],\" more\"],\"Rg4K+m\":\"Cannot switch to this category\",\"RiSYV4\":\"L'actif n'est pas répertorié\",\"Rj01Fz\":\"Liens\",\"RmWFEe\":\"APR staké\",\"RtBLm7\":\"Le facteur santé est inférieur au seuil de liquidation\",\"RvF1Ts\":\"stkGHO is now Savings GHO\",\"RxzN1M\":\"Activé\",\"SBv4zo\":[[\"0\"],\" collateral would have 0% LTV in this category. Disable \",[\"1\"],\" as collateral to use this option.\"],\"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\",\"SNmu1z\":\"Shares are Umbrella Stake Tokens you receive when staking. They represent your ownership in the pool, and the amount of underlying you can redeem depends on the current exchange rate between shares and the underlying.\",\"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\",\"SZkDmY\":\"The swap could not be completed. Try increasing slippage or changing the amount.\",\"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\",\"St4jqF\":\"This list may not include all your swaps.\",\"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\",\"TLJkuL\":\"Category assets\",\"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\",\"Tg1JyO\":\"Bridge history\",\"TszKts\":\"Emprunter le solde après le changement\",\"Tw07Vv\":\"Show assets with small balance\",\"TwJI9F\":\"Asset has been successfully sent to CCIP contract. You can check the status of the transactions below\",\"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.\",\"UMgOim\":\"Send cancel\",\"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.\",\"UiO4Hu\":[\"You'll need to wait \",[\"0\"],\" before you can unstake your tokens. This cooldown starts when you request to unstake. Once it ends, you can withdraw during the unstake window.\"],\"UpndFj\":\"Aucune récompense à réclamer\",\"V0f2Xv\":\"Facteur de réserve\",\"V1HK43\":\"Risques liés à la migration\",\"V7QGpc\":\"I understand the liquidation risk and want to proceed\",\"V7SFse\":[\"I confirm the swap knowing that I could lose up to <0>\",[\"0\"],\"% on this swap.\"],\"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\",\"VnQFYr\":\"Claiming all merit rewards only\",\"W1SSoD\":\"Examiner les détails de la transaction\",\"W5hVah\":\"Rien fourni pour le moment\",\"W5kTFy\":\"Vote\",\"WHrVwg\":\"Loading quote...\",\"WMJGls\":\"Estimated Costs & Fees\",\"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\",\"WS67YQ\":\"Let us know how we can help you. You may also consider joining our community\",\"WT188T\":\"Withdraw & Swap\",\"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.\",\"WbTDwg\":\"In Progress\",\"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.\",\"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\",\"X4tRM3\":[[\"0\"],\" \",[\"symbol\"],\" to continue\"],\"XBdKOj\":\"Representative smart contract wallet (ie. Safe) addresses on other chains.\",\"XPN5UR\":\"User denied the operation.\",\"XYLcNv\":\"Support\",\"XZzneG\":\"Vous quitterez le mode d'isolement et d'autres jetons peuvent désormais être utilisés comme collatéral\",\"Xe5bTg\":\"Deposit APR\",\"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.\",\"XwKkg/\":\"Staked Underlying\",\"Xy+o6U\":\"For security reasons, limit orders are not supported for Native tokens. To place a limit order, use the wrapped version.\",\"Xy71ST\":\"Umbrella\",\"Y+hUcK\":\"Merit Program and Self rewards can be claimed\",\"Y46iXX\":\"The order could't be filled.\",\"Y5Orec\":\"Collateral options\",\"Y5kGkc\":\"VOTER NON\",\"YD+nXc\":\"Aave Shield\",\"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.\",\"Ya/che\":\"Stake token shares\",\"Ykj2Om\":\"Default slippage\",\"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.\",\"YrcHPy\":\"VIEW\",\"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.\"],\"Z3FXyt\":\"Loading...\",\"Z99M+T\":\"This is an off-chain operation. Keep in mind that a solver may already have filled your order.\",\"ZBvhI+\":\"Gouvernance Aave\",\"ZIIRAd\":\"Raw-Ipfs\",\"ZRq4tX\":\"Mode efficacité (E-Mode)\",\"ZRuM45\":\"These are the estimated costs associated with your limit swap, including costs and fees. Consider these costs when setting your order amounts to help optimize execution and maximize your chances of filling the order.\",\"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é\",\"aCgA+I\":\"E-Mode change\",\"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\",\"aQYztl\":[\"Repaying \",[\"0\"]],\"aXgo8+\":\"from the\",\"adUsDd\":\"An error has occurred fetching the proposal.\",\"afk1Wt\":[\"This asset can only be used as collateral in E-Mode: \",[\"0\"]],\"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.\",\"b4NS3e\":\"Avertissement de période de refroidissement\",\"bBHmeP\":\"Available to withdraw\",\"bNEQeI\":\"Cooldown\",\"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\",\"bYtb3C\":\"Network costs\",\"bguKoJ\":\"Le montant demandé est supérieur au montant maximum du prêt en mode taux stable\",\"bm/mjh\":\"This is a program initiated and implemented by the Aave Chan Initiative (ACI). Aave Labs does not guarantee the program and accepts no liability.\",\"bq0uL+\":\"supply\",\"bwSQI0\":\"Fournir\",\"bxN6EM\":\"Impossible de désactiver le mode E\",\"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.\",\"cc6gEH\":\"Incentives APR\",\"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\"]],\"cqwIvs\":\"Discussion de forum\",\"csDS2L\":\"Disponible\",\"cu7Stb\":\"Vous n'avez pas participé à cette proposition\",\"cuxGZP\":\"Low health factor after swap. Your position will carry a higher risk of liquidation.\",\"d9YZVR\":\"Principle Tokens\",\"dE6BLF\":\"Gouvernance\",\"dEgA5A\":\"Annuler\",\"dIsyWh\":\"Échec de la validation LTV\",\"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\",\"dYG3JG\":\"Data couldn't be loaded.\",\"dZQvSq\":\"Please review the swap values before confirming.\",\"dfDzrk\":[\"Supply cap reached for \",[\"symbol\"],\". Reduce the amount or choose a different asset.\"],\"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\",\"drdV8R\":\"Liquidation\",\"dxW8cS\":\"Jeton de dette Aave\",\"e/ghIe\":[\"This transaction will enable E-Mode (\",[\"0\"],\"). Borrowing will be restricted to assets within this category.\"],\"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\",\"eQ0Wu0\":\"Please connect a wallet to view your balance here.\",\"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\",\"edXiYw\":[\"You've successfully swapped \",[\"0\"],\".\"],\"efdrrk\":\"Disponible sur\",\"enruNF\":\"Commence\",\"eqLYiD\":\"Arrêter de staker maintenant\",\"evw5ha\":\"Valeur nette\",\"ezcU16\":\"Obtenir le jeton ABP\",\"f2e3vu\":[\"Deposit GHO into savings GHO (sGHO) and earn <0>\",[\"0\"],\"% APY on your GHO holdings. There are no lockups, no rehypothecation, and you can withdraw anytime. Simply deposit GHO, receive sGHO tokens representing your balance, and watch your savings grow earning claimable rewards from merit.\"],\"f3W0Ej\":[\"Vous êtes passé au tarif \",[\"0\"]],\"fMJQZK\":\"Emprunté\",\"fZ5Vnu\":\"Reçu\",\"firl9Q\":\"Votre prêt actuel à la valeur en fonction de votre collatéral fournie.\",\"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\",\"g4Ius4\":\"This is the fee for executing position changes, set by governance.\",\"g8KGoA\":\"Foire aux questions\",\"g9zzqS\":\"A voté NAY\",\"gDd2gk\":\"about SuperFest.\",\"gIMJlW\":\"Mode réseau test\",\"gK+IvE\":\"Withdraw and Swap\",\"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é\",\"gjxiVa\":[\"This swap has a price impact of \",[\"0\"],\"%, which exceeds the 25% safety threshold. To proceed, disable Aave Shield in the settings menu.\"],\"goff7V\":\"Adresse zéro non-valide\",\"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\",\"h5hG6q\":\"This is the cost of settling your order on-chain, including gas and any LP fees.\",\"hB23LY\":\"Activer le temps de recharge\",\"hIJzBh\":\"Available to Claim\",\"hIS4N0\":\"APY Net\",\"hQRttt\":\"Submit\",\"hRWvpI\":\"Revendiqué\",\"hStpnK\":\"Other Chains\",\"hb8ajh\":\"Debt Swap\",\"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\",\"hrhwub\":\"dashboard\",\"huQ6Tz\":[\"Emprunter \",[\"symbole\"]],\"hxYu+F\":\"Borrow: All eligible assets\",\"i/fZ2Z\":\"Staked Balance\",\"i9qiyR\":\"Expires in\",\"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\",\"iIuDE1\":\"Estimated weekly rewards based on your current sGHO balance and APR. Actual rewards may vary depending on market conditions.\",\"iKfD53\":\"Transaction history for Plasma not supported yet, coming soon.\",\"iMVZk9\":\"Sélectionner la tolérance de glissement\",\"iNYgey\":\"Get Support\",\"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\",\"iddNqA\":\"This transaction will disable E-Mode. All assets will revert to their base LTV and liquidation thresholds.\",\"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\"],\"ih/VjN\":\"Staking this amount will reduce your health factor and increase risk of liquidation.\",\"il0sEG\":\"L'utilisation du collatéral est limitée en raison du mode d'isolation.\",\"j+K1Xj\":\"Amount After Fee\",\"j4SXZo\":\"Claim all merit rewards\",\"j7JHV+\":\"Total APY\",\"j8cF1R\":\"Cooling down\",\"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\",\"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.\",\"jZkYWO\":\"Boosted LTV\",\"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\",\"jqVo/k\":\"here.\",\"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\"],\"kMi0nz\":\"sGHO Merit APY History\",\"kN1Yg5\":\"Pour rembourser au nom d'un utilisateur, un montant explicite à rembourser est nécessaire\",\"kNiQp6\":\"Pinned\",\"kRTD40\":[\"Montant de remboursement à atteindre \",[\"0\"],\"% d’utilisation\"],\"kgKqPv\":\"You can not stake this amount because it will cause collateral call\",\"kj3M8S\":\"Deposit\",\"kjN9tT\":\"Le plafond d'approvisionnement est dépassé\",\"kn+s7w\":[[\"0\"],\" collateral would have 0% LTV without E-Mode. Disable \",[\"1\"],\" as collateral to use this option.\"],\"knxE+G\":\". JSON (en anglais seulement)\",\"ks2LWT\":\"Le plafond de la dette n'est pas nul\",\"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.\",\"kzeZTm\":\"LTV\",\"lCF0wC\":\"Refresh\",\"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.\",\"lXb3Ih\":[\"This asset has 0 LTV and cannot be used as collateral. Enable an E-Mode to use \",[\"symbol\"],\" as collateral.\"],\"lXj2Sq\":\"Repay with Collateral\",\"lYGfRP\":\"Anglais\",\"lfEjIE\":\"En savoir plus dans notre <0>guide FAQ\",\"ljF4ko\":\"The selected rate is lower than the market price. You might incur a loss if you proceed.\",\"lqCWte\":[\"Deposit GHO and earn \",[\"0\"],\"% APY\"],\"lu7f+8\":\"Blocked by Shield\",\"m/IEhi\":\"Émission totale par jour\",\"m7r7Hh\":\"Sélection d’actifs d’emprunt\",\"mDDK4p\":\"Balancer Pool\",\"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.\"],\"me5LMQ\":\"Checking approval\",\"mogZv0\":\"Favourite\",\"muiOng\":[\"Acheter \",[\"cryptoSymbol\"],\" avec Fiat\"],\"mvCXBY\":\"Mise en jeu AAVE\",\"mwdzil\":\"D'accord, fermer\",\"mzDAU3\":\"Savings GHO (sGHO)\",\"mzdIia\":\"L'actif ne peut pas être utilisé comme collatéral.\",\"n+SX4g\":\"Développeurs\",\"n1na81\":\"No eligible assets to swap.\",\"n4PWtp\":\"Depositing\",\"nJIhzm\":\"Fournir apy\",\"nJgsQu\":\"Avec un pouvoir de vote de <0/>\",\"nLC6tu\":\"Français\",\"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\",\"nPGNMh\":\"Peut être exécuté\",\"nUK1ou\":[\"Assets with zero LTV (\",[\"0\"],\") must be withdrawn or disabled as collateral to perform this action\"],\"neITkT\":\"This asset has 0% LTV, meaning it does not contribute to borrowing power. Existing positions with this asset as collateral still count toward the liquidation threshold and protect your health factor. New positions cannot enable this asset as collateral.\",\"njBeMm\":\"Les deux\",\"ntyFSE\":[[\"h\"],\"h\"],\"nwIsn4\":\"After the cooldown is initiated, you will be able to withdraw your assets immediatley.\",\"nweCqF\":\"Cancelling order...\",\"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\",\"o5ooMr\":\"Dette\",\"o7J4JM\":\"Filtrer\",\"o7Yloh\":\"Learn more about the Ether.fi program\",\"oHFrpj\":\"Temps de recharge pour déstaker\",\"oJ5ZiG\":\"L'utilisateur n'a pas de dette à taux variable impayée sur cette réserve\",\"oUwXhx\":\"Ressources de test\",\"oWQnqT\":\"Staking this asset will earn the underlying asset supply yield in addition to other configured rewards.\",\"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.\",\"ogU9GD\":\"Target liquidity\",\"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.\",\"om/XHs\":\"Disponible au dépôt\",\"omq5qJ\":\"Claiming all protocol rewards and merit rewards together\",\"ovBPCi\":\"Default\",\"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\",\"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é.\",\"p45alK\":\"Configurer la délégation\",\"pDgeaz\":[[\"title\"]],\"pdZqBk\":\"Le solde sous-jacent doit être supérieur à 0\",\"pgWG9H\":\"Pas assez de solde staké\",\"ph9+uj\":[\"Switching to \",[\"networkName\"],\"...\"],\"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\"],\")\"],\"pup/ej\":\"Net Protocol Incentives\",\"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\",\"qKfida\":\"Staked tokens are wrapped and use an exchange rate. You may see fewer token shares, but the value matches your deposit and will grow as yield accrues.\",\"qOqbD6\":\"copier l'erreur\",\"qXCkEM\":\"Veuillez connecter votre portefeuille pour voir vos fournitures, vos emprunts et vos positions ouvertes.\",\"qY2jnw\":\"Expiration invalide\",\"qhhf9L\":\"Rewards available to claim\",\"qtS7wW\":\"Thank you for voting\",\"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\",\"qz6JVE\":[\"Your order amounts are \",[\"0\"],\" less favorable by \",[\"1\"],\"% to the liquidity provider than recommended. This order may not be executed.\"],\"qz9c6b\":[\"Repaying \",[\"0\"],\" with \",[\"1\"]],\"qzFp5D\":\"All Categories\",\"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\",\"riNWOA\":\"E-Mode\",\"rjGI/Q\":\"Vie privée\",\"rnKPW1\":\"Watch a wallet balance in read-only mode\",\"rojvRp\":\"Approval by signature not available\",\"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\",\"t/ct9N\":\"Auto Slippage\",\"tBIz3I\":[\"Supply \",[\"0\"],\" and double your yield by <0><1>verifying your humanity through Self for \",[\"1\"],\" per user.\"],\"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\",\"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\"],\"tVJk4q\":\"Cancel order\",\"te9Bfl\":\"S'il vous plaît, connectez votre portefeuille\",\"tj6dr4\":\"Merit Program rewards can be claimed\",\"tt5yma\":\"Vos ressources\",\"tw6G0s\":[\"You must disable \",[\"0\"],\" as collateral before exiting E-Mode. These assets have 0 LTV outside of E-Mode and cannot be used as collateral.\"],\"u3ZeYl\":\"La transaction a échoué\",\"u706uF\":\"Prime flash non valide\",\"u8Gfu7\":[\"Aucun résultat de recherche\",[\"0\"]],\"uAQUqI\":\"Status\",\"uGG4Lk\":\"Claim all protocol rewards\",\"uHMwk8\":\"Aucune ressource n’a été sélectionnée pour la migration.\",\"uI3SjW\":\"Connection Error\",\"uJOI6M\":\"Tip: Try improving your order parameters\",\"uJPHuY\":\"Migration\",\"uRXR6h\":[\"Swap \",[\"0\"],\" debt\"],\"uZiu4N\":\"There is an active order for the same sell asset (avoid nonce reuse).\",\"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\",\"usB84Z\":\"Le montant maximum disponible pour emprunter est limité car le plafond d’emprunt du protocole est presque atteint.\",\"uyLjNw\":\"Custom slippage\",\"v+Fu0z\":\"This asset is eligible for Kernel points incentive program. Aave Labs does not guarantee the program and accepts no liability.\",\"v0CIlJ\":\"You have no rewards to claim at this time.\",\"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é\",\"vH2C/2\":\"Swap\",\"vLyv1R\":\"Cacher\",\"vMba49\":\"L'emprunt n'est pas activé\",\"vMpNwt\":\"Approuvez avec\",\"vNAHA2\":\"PTs\",\"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.\",\"vv7kpg\":\"Cancelled\",\"w+V9Cx\":\"Stablecoin\",\"w/JtJ3\":\"L'offre de dette stable n'est pas nulle\",\"w1f8Ky\":\"Savings GHO\",\"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\",\"wapGcj\":[[\"message\"]],\"wb/r1O\":[\"Faucet \",[\"0\"]],\"wdxz7K\":\"Source\",\"weC8IO\":\"All Rewards\",\"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.\",\"wjFWDB\":\"No markets found\",\"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\",\"wuMdlk\":[\"This asset is eligible for \",[\"0\"],\" Sonic Rewards.\"],\"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.\",\"x+QJ9y\":[\"Category \",[\"selectedEmodeId\"]],\"x0TRLG\":[\"Repay your \",[\"0\"],\" \",[\"1\",\"plural\",{\"one\":\"borrow\",\"other\":\"borrows\"}],\" to use this category.\"],\"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\"]],\"yRkqG9\":\"Limit\",\"yYHqJe\":\"Pas une adresse valide\",\"yZ5ngq\":\"Transaction details not available\",\"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\"],\"yv/Kz/\":\"Back home\",\"yz7wBu\":\"Fermer\",\"z4uGQg\":\"Le plafond de la dette est dépassé\",\"z5JUmg\":[\"Estimated costs are \",[\"0\"],\"% of the sell amount. This order is unlikely to be filled.\"],\"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\",\"zNgzxM\":\"Excludes variable supply APY\",\"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\",\"zZmf1N\":\"Filled\",\"zgtIDV\":\"Dette restante\",\"zmTPiV\":\"Bilan d'approvisionnement\",\"zpPbZl\":\"Paramètres du risque de liquidation\",\"zqp4Tm\":\"Unable to Connect\",\"zr58Jd\":\"Umbrella is the upgraded version of the Safety Module. Manage your previously staked assets\",\"zucql+\":\"Menu\",\"zv/j10\":[\"Active \",[\"0\"],\" borrow is not compatible with this category. Repay your \",[\"1\"],\" borrow to use this option.\"],\"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.\",\"+EGVI0\":\"Recevoir (est.)\",\"+Tzhaj\":\"You've successfully swapped borrow position.\",\"+eOPG+\":\"On dirait que nous ne pouvons pas changer de réseau automatiquement. Veuillez vérifier si vous pouvez le changer depuis le portefeuille.\",\"+kLZGu\":\"Montant de l’actif fourni\",\"/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\",\"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\",\"1Onqx8\":[\"Approuver \",[\"symbol\"],\"...\"],\"1m9Qqc\":\"Retrait et changement\",\"1oyh4g\":\"Borrow rate\",\"2Q4GU4\":\"Adresse bloquée\",\"2bAhR7\":\"Rencontrez GHO\",\"2o/xRt\":\"Plafond d'approvisionnement sur la réserve cible atteint. Essayez de réduire le montant.\",\"3O8YTV\":\"Total des intérêts courus\",\"4iPAI3\":\"Montant minimum d’emprunt GHO\",\"6NGLTR\":\"Montant actualisable\",\"6yAAbq\":\"APY, borrow rate\",\"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\",\"7sofdl\":\"Retrait et échange\",\"9rWaKF\":\"Bridged Via CCIP\",\"ARu1L4\":\"Remboursé\",\"B6aXGH\":\"Stable\",\"B9Gqbz\":\"Taux variable\",\"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.\",\"BjLdl1\":\"À prix réduit\",\"CMHmbm\":\"Glissement\",\"DxfsGs\":\"Vous pouvez signaler un incident sur notre <0>Discord ou<1>Github.\",\"EBL9Gz\":\"COPIÉ!\",\"ES8dkb\":\"Taux fixe\",\"GoK/QN\":\"Thank you for submitting feedback!\",\"H6Ma8Z\":\"Rabais\",\"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.\",\"HrnC47\":\"Enregistrer et partager\",\"JK9zf1\":[\"Intérêts composés estimés, y compris l’escompte pour le jalonnement \",[\"0\"],\"AAVE dans le module de sécurité.\"],\"JU6q+W\":\"Récompense(s) à réclamer\",\"K05qZY\":\"Retrait et échange\",\"KRpokz\":\"VOIR TX\",\"KZwRuD\":[[\"notifyText\"]],\"LDzfVJ\":\"Send Feedback\",\"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\",\"MIy2RJ\":\"Maximum amount received\",\"MrmQHg\":\"View Bridge Transactions\",\"N7dVh7\":\"Swap to\",\"QSh9Sn\":\"Swapped\",\"QWYCs/\":\"Stake GHO\",\"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.\",\"RoafuO\":\"Envoyer des commentaires\",\"SSMiac\":\"Impossible de charger les votants de proposition. Veuillez rafraîchir la page.\",\"TeCFg/\":\"Modification du taux d’emprunt\",\"TskbEN\":\"Les détenteurs de stkAAVE bénéficient d’une réduction sur le taux d’emprunt GHO\",\"TtZL6q\":\"Paramètres du modèle de remise\",\"Tz0GSZ\":\"Activités bloquées\",\"UE3KJZ\":\"L’historique des transactions n’est actuellement pas disponible pour ce marché\",\"W8ekPc\":\"Retour au tableau de bord\",\"WMPbRK\":\"Sans support\",\"YirHq7\":\"Feedback\",\"aX31hk\":\"Votre solde est inférieur au montant sélectionné.\",\"al6Pyz\":\"Dépasse la remise\",\"avgETN\":\"Eligible for the Merit program.\",\"bSc4Zw\":\"Swaping\",\"bSruit\":\"ZKSync Ignite Program rewards are claimed through the\",\"bxmzSh\":\"Pas assez de collatéral pour rembourser ce montant de dette avec\",\"cqnmnD\":\"Taux d’intérêt effectif\",\"dMtLDE\":\"À\",\"dpc0qG\":\"Variable\",\"euScGB\":\"APY avec remise appliquée\",\"fHcELk\":\"APR Net\",\"flRCF/\":\"Remise sur le staking\",\"gncRUO\":\"Cette adresse est bloquée sur app.aave.com car elle est associée à un ou plusieurs\",\"gp+f1B\":\"Variante 3\",\"gr8mYw\":\"Vous pouvez emprunter jusqu’à GHO à <0/> <1/> (rabais maximum)\",\"hpuVIp\":\"Users who stake AAVE in Safety Module (i.e. stkAAVE holders) receive a discount on GHO borrow interest rate.\",\"hxi7vE\":\"Emprunter le solde\",\"i2JTiw\":\"Vous pouvez saisir un montant personnalisé dans le champ.\",\"jMam5g\":[[\"0\"],\" Balance\"],\"jpctdh\":\"Vue\",\"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é.\",\"lNVG7i\":\"Sélectionner une ressource\",\"lt6bpt\":\"Garantie à rembourser\",\"mIM0qu\":\"Montant prévu à rembourser\",\"mUAFd6\":\"Variante 2\",\"mzI/c+\":\"Télécharger\",\"n8Psk4\":\"Nous n’avons pas pu détecter de portefeuille. Connectez un portefeuille pour staker et consulter votre solde.\",\"nOy4ob\":\"Nous vous suggérons de revenir au tableau de bord.\",\"nakd8r\":\"Les détenteurs de stkAAVE bénéficient d’une réduction sur le taux d’emprunt GHO\",\"nh2EJK\":[\"Veuillez passer à \",[\"networkName\"],\".\"],\"ntkAoE\":\"Remise appliquée pour <0/> le staking d’AAVE\",\"o4tCu3\":\"Emprunter de l’APY\",\"olREoo\":\"All borrow positions outside of this category must be closed to enable this category.\",\"ov0+mq\":\"Eligible for the ZKSync Ignite program.\",\"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.\"],\"p3j+mb\":\"Votre solde de récompenses est de 0\",\"p6u2s1\":\"Minimum amount of debt to be repaid\",\"qFD/ij\":\"You've successfully withdrew & swapped tokens.\",\"qT4Lfg\":\"You've successfully swapped tokens.\",\"qf/fr+\":\"Intérêts courus\",\"rf8POi\":\"Montant de l’actif emprunté\",\"ruc7X+\":\"Ajoutez stkAAVE pour voir l’APY d’emprunt avec la remise\",\"t81DpC\":[\"Approuver \",[\"symbol\"],\" pour continuer\"],\"umICAY\":\"<0><1><2/>Ajoutez stkAAVE pour voir le taux d’emprunt avec escompte\",\"uwAUvj\":\"COPIER L’IMAGE\",\"wyi0tk\":\"Swap borrow position\",\"yW1oWB\":\"APY type\",\"zevmS2\":\"<0><1><2/>Ajoutez <3/> stkAAVE pour emprunter à <4/> (remise maximale)\",\"zzzTXS\":\"Merit Program rewards are claimed through the\"}")}; \ No newline at end of file From 275fd5cc24740fac9eba75afc029f813d6e8c3a8 Mon Sep 17 00:00:00 2001 From: mark hinschberger Date: Thu, 9 Apr 2026 19:37:55 +0100 Subject: [PATCH 2/8] chore: rename Other Chains to L1 Networks --- src/components/MarketSwitcher.tsx | 2 +- 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 +- 6 files changed, 9 insertions(+), 9 deletions(-) diff --git a/src/components/MarketSwitcher.tsx b/src/components/MarketSwitcher.tsx index 02a39b61d8..8bc9d399a9 100644 --- a/src/components/MarketSwitcher.tsx +++ b/src/components/MarketSwitcher.tsx @@ -578,7 +578,7 @@ export const MarketSwitcher = () => { {/* Other Chains */} {other.length > 0 && ( - {sectionHeader(Other Chains)} + {sectionHeader(L1 Networks)} {other.map(renderGridItem)} )} diff --git a/src/locales/el/messages.js b/src/locales/el/messages.js index d871470ea0..405dfc0036 100644 --- a/src/locales/el/messages.js +++ b/src/locales/el/messages.js @@ -1 +1 @@ -/*eslint-disable*/module.exports={messages:JSON.parse("{\"+0xecS\":[\"Εάν ΔΕΝ ξεκλειδώσετε εντός \",[\"0\"],\" του παραθύρου ξεκλειδώματος, θα πρέπει να ενεργοποιήσετε ξανά τη διαδικασία ψύξης.\"],\"+5vxU4\":\"Reward APY at target liquidity\",\"+9RBfc\":\"Thank you for submitting your inquiry!\",\"+F6nAX\":\"Save with sGHO\",\"+KaZP2\":\"Aave Labs does not guarantee the program and accepts no liability.\",\"+Nk14N\":\"Savings GHO token\",\"+VR63W\":[\"Η συμμετοχή σε αυτό το αποθεματικό \",[\"symbol\"],\" δίνει ετήσιες ανταμοιβές.\"],\"+XNrRN\":\"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 restrictions, see the <1>help guide or the <2>Aave V3 Technical Paper.\",\"+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.\",\"+i3Pd2\":\"Ανώτατο όριο δανεισμού\",\"+nuEh/\":\"Estimated time\",\"+xMFF8\":\"Remind me\",\"/+Vmgq\":\"Total amount of underlying assets staked. This number represents the combined sum of your original asset and the corresponding aTokens staked in Umbrella.\",\"/1Qot4\":\"Protocol Rewards\",\"/1xACT\":\"Reward APY adjusts with total staked amount, following a curve that targets optimal staking levels.\",\"/57U31\":\"Amount to migrate\",\"/7ykiW\":\"Borrowing this amount will reduce your health factor and increase risk of liquidation.\",\"/FwCXs\":[[\"0\"],\" \",[\"symbol\"],\"...\"],\"/LCAwL\":\"In progress\",\"/ZyLeG\":\"Amount available to unstake\",\"/jQctM\":\"To\",\"/lDBHm\":\"ΣΥΧΝΕΣ ΕΡΩΤΗΣΕΙΣ\",\"/lMWs6\":[\"Deposit GHO and earn up to <0>\",[\"0\"],\"% APY\"],\"/yNlZf\":\"Ο σταθερός δανεισμός δεν είναι ενεργοποιημένος\",\"/yQcJM\":\"Συνολική αξία\",\"00AB2i\":\"Ο χρήστης δεν δανείστηκε το καθορισμένο νόμισμα\",\"02/4d1\":\"We suggest you go back to the home page.\",\"0AmQcW\":\"Rate change\",\"0BF3yK\":\"Sorry, we couldn't find the page you were looking for.\",\"0RrIzN\":\"Select token\",\"0TAbjq\":\"Recent Transactions\",\"0jhlyw\":\"Liquidation risk\",\"0ojY+Y\":\"Current v2 Balance\",\"0r31vq\":\"Reward Token\",\"0thX3P\":\"Collateral change\",\"0wGCWc\":\"Αυτό είναι το συνολικό ποσό που μπορείτε να προμηθεύσετε σε αυτό το αποθεματικό. Μπορείτε να προμηθεύσετε το υπόλοιπο του πορτοφολιού σας μέχρι να επιτευχθεί το ανώτατο όριο προμηθειών.\",\"11xQTX\":[\"This asset is eligible for \",[\"0\"],\" Ethena Rewards.\"],\"18GnfY\":[\"Repay \",[\"0\"]],\"1AsVfF\":\"Price data is not currently available for this reserve on the protocol subgraph\",\"1LjK22\":\"Transaction history\",\"1PMU2v\":\"Learn more about the risks.\",\"1Ue8sX\":\"Παρακαλούμε συνδέστε ένα πορτοφόλι για να δείτε τις προσωπικές σας πληροφορίες εδώ.\",\"1W8DZp\":\"USDT on Ethereum requires approval reset before a new approval. This will require an additional transaction.\",\"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/> κατώτατο όριο\",\"1t7rez\":\"Asset supply is limited to a certain amount to reduce protocol exposure to the asset and to help manage risks involved.\",\"2/aIvj\":\"Cancellation submited\",\"2C40JO\":[\"This transaction will switch E-Mode from \",[\"0\"],\" to \",[\"1\"],\". Borrowing will be restricted to assets within the new category.\"],\"2Eoi/a\":\"Προβολή λεπτομερειών\",\"2FYpfJ\":\"Περισσότερα\",\"2O3qp5\":\"Διαθέσιμη ρευστότητα\",\"2OIfa1\":\"Please connect your wallet to swap collateral.\",\"2OM8/D\":[\"Asset cannot be migrated due to supply cap restriction in \",[\"marketName\"],\" v3 market.\"],\"2RtYM0\":\"Need help? Our support team can assist.\",\"2RubOP\":\"Initiate Withdraw\",\"2S7oCr\":[\"This asset is eligible for the Ether.fi Loyalty program with a <0>x\",[\"multiplier\"],\" multiplier.\"],\"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.\",\"2eBWE6\":\"I acknowledge the risks involved.\",\"2r2h/U\":\"Total Deposited\",\"2uJToh\":[[\"0\"],[\"name\"]],\"2x1UO0\":\"Favourited\",\"2x58bP\":\"Ο σταθερός δανεισμός είναι ενεργοποιημένος\",\"34Qfwy\":\"Υπέρβαση του ανώτατου ορίου δανεισμού\",\"39eQRj\":[\"Δανεισμός \",[\"symbol\"]],\"3BL1xB\":\"Σύνολο παρεχόμενων\",\"3K0oMo\":\"Υπολειπόμενη προσφορά\",\"3MoZhl\":\"Δεν υπάρχουν επαρκείς εξασφαλίσεις για την κάλυψη ενός νέου δανείου\",\"3NO6VI\":[[\"0\"],\" Balance\",[\"1\"]],\"3Np5O8\":[\"Προσφορά \",[\"symbol\"]],\"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\",\"4fCwrW\":\"or from the\",\"4lDFps\":\"Sign to continue\",\"4p5njr\":\"Total amount staked\",\"4wyw8H\":\"Transactions\",\"5+lhtA\":\"For swapping safety module assets please unstake your position <0>here.\",\"53r7O1\":[\"High price impact (<0>\",[\"0\"],\"%)! This route will return \",[\"1\"],\" due to low liquidity or small order size.\"],\"5CCqcz\":\"Fees help support the user experience and security of the Aave application. <0>Learn more.\",\"5JSSxX\":[\"Your \",[\"networkName\"],\" wallet is empty. Get free test assets at\"],\"5K3B36\":\"We couldn't find any assets related to your search. Try again with a different category.\",\"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\"],\" μπορεί να παρασχεθεί σε αυτή την αγορά.\"],\"5RzvNm\":\"Aave Shield: Transaction blocked\",\"5cZ/KX\":\"Η προσφορά μεταβλητού χρέους δεν είναι μηδενική\",\"5che++\":\"Για να ζητήσετε πρόσβαση σε αυτή την αδειοδοτημένη αγορά, επισκεφθείτε την ιστοσελίδα: <0>Όνομα Παρόχου Πρόσβασης\",\"5ctNdV\":[\"Minimum \",[\"0\"],\" received\"],\"5hDe9v\":\"Απαιτούμενη δράση επιδότησης\",\"5rsnKT\":\"Διαθέσιμες ανταμοιβές\",\"5ty6hB\":\"Claiming individual protocol reward only. Merit rewards excluded - select \\\"claim all\\\" to include merit rewards.\",\"5vxk14\":\"To continue, you need to grant 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\",\"5yC5m5\":\"View all votes\",\"6/dCYd\":\"Επισκόπηση\",\"60crCe\":\"All transactions\",\"62Xcjh\":\"Εγγύηση\",\"65A04M\":\"Ισπανικά\",\"68ANm7\":\"Withdrawing GHO\",\"6G8s+q\":\"Signing\",\"6Jrv+z\":[\"Αποπληρωμή \",[\"symbol\"]],\"6SC+v0\":[\"Disable \",[\"0\"],\" as collateral to use this category. These assets would have 0% LTV.\"],\"6Xr0UU\":\"Ψύξη...\",\"6bxci/\":\"Δύναμη ψήφου\",\"6f8S68\":\"Αγορές\",\"6g1gi0\":\"Προτάσεις\",\"6gvoHP\":\"Copy error message\",\"6h3Q5G\":\"repaid\",\"6lFSyT\":\"Available to Stake\",\"6lGV3K\":\"Show less\",\"6s8L6f\":\"Αλλαγή Δικτύου\",\"70wH1Q\":\"APR\",\"72c5Qo\":\"Total\",\"75qcAQ\":[[\"stepName\"]],\"7ITr5L\":\"Συντελεστής υγείας\",\"7R/kqr\":\"The cooldown period is the time required prior to unstaking your tokens (<0/>). You can only withdraw your assets from the Security Module after the cooldown period and within the unstake window. <1>Learn more\",\"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\",\"7c6Gy8\":\"Learn more about Sonic Rewards program\",\"7er5fP\":\"Διεκδικήστε τα όλα\",\"7hb2+s\":\"Time remaining until the withdraw period ends.\",\"7i1oxe\":\"Withdrawing and Swapping\",\"7l88b8\":\"Data couldn't be fetched, please reload graph.\",\"7p5kLi\":\"Ταμπλό\",\"8+6BI0\":\"Προσοχή - Είστε πολύ κοντά στην ρευστοποίηση. Εξετάστε το ενδεχόμενο να καταθέσετε περισσότερες εγγυήσεις ή να εξοφλήσετε κάποιες από τις δανειακές σας θέσεις\",\"87pUEW\":[\"Το πορτοφόλι σας \",[\"name\"],\" είναι άδειο. Αγοράστε ή μεταφέρετε περιουσιακά στοιχεία.\"],\"8F1i42\":\"Page not found\",\"8G8M0u\":\"Loading data...\",\"8Iu1QS\":\"withdrew\",\"8JL93T\":\"Όλες οι προτάσεις\",\"8Q51DU\":\"Add to wallet\",\"8X/oyn\":\"Μη έγκυρο ποσό για νομισματοκοπία\",\"8Xaoyr\":\"View on CCIP Explorer\",\"8Z5FPv\":\"Αποσυνδέστε το πορτοφόλι\",\"8Zz7s5\":\"περιουσιακά στοιχεία\",\"8aLW8H\":\"Balance to revoke\",\"8bOT3H\":\"Ποσοστό χρησιμοποίησης\",\"8d61xO\":\"The Ink instance is governed by the Ink Foundation\",\"8sLe4/\":\"View contract\",\"8ss7VF\":\"Transaction cancelled\",\"8t/M0y\":\"Please connect your wallet to be able to bridge your tokens.\",\"8u3DDw\":[\"Swap \",[\"0\"],\" collateral\"],\"8vETh9\":\"Εμφάνιση\",\"93T2Os\":\"Total deposited\",\"94OHPx\":\"Εισέρχεστε σε λειτουργία απομόνωσης\",\"9CDK3/\":[\"Ο δανεισμός δεν είναι επί του παρόντος διαθέσιμος για \",[\"0\"],\".\"],\"9GIj3z\":\"Μέγεθος Αποθεματικού\",\"9ITYjl\":\"%\",\"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.\"],\"9YcC7V\":\"Select Categories\",\"9c6vDV\":\"Αυτό το περιουσιακό στοιχείο έχει φτάσει στο όριο της προσφοράς του. Τίποτα δεν είναι διαθέσιμο για προμήθεια από αυτή την αγορά.\",\"9iDHmv\":\"Collateral Swap\",\"9kTWHA\":\"MAI has been paused due to a community decision. Supply, borrows and repays are impacted. <0>More details\",\"9lXchd\":\"Underlying token\",\"9xSooW\":\"Δεδομένου ότι πρόκειται για ένα δοκιμαστικό δίκτυο, μπορείτε να αποκτήσετε οποιοδήποτε από τα περιουσιακά στοιχεία αν έχετε ETH στο πορτοφόλι σας\",\"9y0Q0y\":[\"There is not enough liquidity in \",[\"symbol\"],\" to complete this swap. Try lowering the amount.\"],\"9zzsBx\":\"This is a program initiated by the Aave DAO and implemented by Merkl. Aave Labs does not guarantee the program and accepts no liability.\",\"A/lwoe\":\"Choose one of the on-ramp services\",\"A6dCI6\":[\"Maximum amount available to borrow is <0/> \",[\"0\"],\" (<1/>).\"],\"ACUEES\":\"Check errors\",\"AReoaV\":\"Τα δάνεια σας\",\"AV7cGz\":\"Αναθεώρηση λεπτομερειών έγκρισης συναλλαγής\",\"AZOjB8\":\"Fetching data...\",\"Ai0jas\":\"Join the community discussion\",\"Ajl2rq\":\"Η δύναμη δανεισμού και τα περιουσιακά στοιχεία είναι περιορισμένα λόγω της λειτουργίας απομόνωσης.\",\"AqgYNC\":\"Protocol borrow cap at 100% for this asset. Further borrowing unavailable.\",\"B6zvhF\":\"Shares\",\"BDFEd+\":\"stETH supplied as collateral will continue to accrue staking rewards provided by daily rebases.\",\"BE2mP0\":\"Borrowed assets\",\"BNL4Ep\":\"Η χρήση εγγύησης είναι περιορισμένη λόγω της λειτουργίας απομόνωσης. <0>Μάθετε περισσότερα\",\"BQ+4lu\":\"Swap saved in your <0>history section.\",\"BQ/wCO\":\"Migrate your assets\",\"BaCmXf\":\"AAVE 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.\",\"Baj2MJ\":\"Savings\",\"BnhYo8\":\"Κατηγορία περιουσιακών στοιχείων\",\"Bo6b9i\":\"Withdraw GHO\",\"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\",\"C4qYyX\":[\"Repay \",[\"0\"],\" with \",[\"1\"]],\"C5jQc6\":\"GHO Balance\",\"C7hM0q\":\"Country (optional)\",\"CDrsH+\":\"Techpaper\",\"CGiscJ\":\"You've successfully submitted an order.\",\"CK1KXz\":\"Μεγιστο\",\"COUcFd\":\"Points\",\"CZXzs4\":\"Greek\",\"CkTRmy\":[\"Διεκδίκηση \",[\"symbol\"]],\"CrrC++\":\"Position swaps are disabled for this asset due to security reasons.\",\"CsqtLm\":\"Please connect your wallet to see migration tool.\",\"CtGlFb\":[[\"networkName\"],\" Βρύση\"],\"CuAHqa\":\"Protocol Incentives\",\"Cxt2YY\":\"Watch wallet\",\"D33VQU\":\"This action will reduce health factor of V3 below liquidation threshold. Increase migrated collateral or reduce migrated borrow to continue.\",\"D4Q4h/\":\"Gas estimation error\",\"D79cZK\":\"Instant\",\"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\"],\"DhaOWH\":\"Stake your Aave aTokens or underlying assets to earn rewards. In case of a shortfall event, your stake may be slashed to cover the deficit.\",\"Dj+3wB\":\"Aave ανά μήνα\",\"DlRHbH\":\"Claiming all protocol rewards only. Merit rewards excluded - select \\\"claim all\\\" to include merit rewards.\",\"DuEq2K\":\"Εξασφάλιση\",\"Dzma+E\":\"Main Ethereum market with the largest selection of assets and yield options\",\"E/QGRL\":\"Απενεργοποιημένο\",\"E6UoJs\":\"Estimated compounding 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.\",\"ETtXJg\":\"Share my wallet address to help the support team resolve my issue\",\"EZd3Dk\":[\"Restaking \",[\"symbol\"]],\"Ebgc76\":[\"Ανάληψη \",[\"symbol\"]],\"EdQY6l\":\"Κανένα\",\"Ef7StM\":\"Unknown\",\"Ehzc//\":[\"Swapping \",[\"0\"],\" debt\"],\"Ekea1N\":\"We couldn't detect a wallet. Connect a wallet to stake and view your balance.\",\"Enslfm\":\"Destination\",\"EvE9nO\":[\"Reactivate cooldown period to unstake \",[\"0\"],\" \",[\"stakedToken\"]],\"EvECnL\":\"Migrate to v3\",\"EyYG53\":\"Get support\",\"EzMQbh\":\"The source chain time to finality is the main factor that determines the time to destination. <0>Learn more\",\"F40cwT\":\"Legacy Markets\",\"F6TdXL\":\"Μάθετε περισσότερα.\",\"F6pfE9\":\"Active\",\"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\":\"Η λειτουργία δεν υποστηρίζεται\",\"FTRJ1l\":\"L2 Networks\",\"FbmMe7\":\"Linked addresses\",\"Fdp03t\":\"ενεργοποίηση\",\"Fjw9N+\":\"Περιουσιακά στοιχεία προς προμήθεια\",\"FmN0fk\":\"Restake\",\"G15AUr\":\"Sending cancel...\",\"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\":\"τελειώνει\",\"GtP2hp\":[\"Ο δανεισμός δεν είναι διαθέσιμος επειδή έχετε ενεργοποιήσει τη λειτουργία Αποδοτικότητας (E-Mode) για την κατηγορία \",[\"0\"],\". Για να διαχειριστείτε τις κατηγορίες E-Mode επισκεφθείτε τον <0>Πίνακα ελέγχου.\"],\"Gz07IS\":\"Your health factor after this swap will be critically low and may result in liquidation. Please choose a different asset or reduce the swap amount to stay safe.\",\"H1oAjw\":[[\"selectedCount\"],\" Categories\"],\"HB/wfS\":[[\"tooltipText\"]],\"HD4KkW\":[\"Swapping \",[\"0\"],\" collateral\"],\"HKDsQN\":\"Rewards can be claimed through\",\"Hi6Ttn\":\"Sorry, an unexpected error happened. In the meantime you may try reloading the page, or come back later.\",\"HkEDbS\":[[\"d\"],\"η\"],\"HlWGZc\":[\"Your \",[\"0\"],\" balance is lower than the selected amount.\"],\"HmkYqM\":\"Παράθυρο ξεκλειδώματος\",\"HpK/8d\":\"Reload\",\"HtBqo9\":\"sGHO\",\"HtuY7v\":\"Please connect your wallet to swap tokens.\",\"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\"],\"%.\"],\"I4Cxlm\":\"E-Mode required\",\"I8CX2c\":\"Το συνολικό ποσό των περιουσιακών σας στοιχείων σε δολάρια ΗΠΑ που μπορούν να χρησιμοποιηθούν ως εγγύηση για δανεισμό περιουσιακών στοιχείων.\",\"IAD2SB\":[\"Claiming \",[\"symbol\"]],\"IG9X9/\":\"Borrowing of this asset is limited to a certain amount to minimize liquidity pool insolvency.\",\"ILXMQA\":\"The Safety Module has been upgraded to <0>Umbrella, a new system that introduces automated slashing, aToken staking, and improved incentives design.\",\"IN8luu\":\"All done\",\"IOIx8L\":\"This asset is planned to be offboarded due to an Aave Protocol Governance decision. <0>More details\",\"IP+I/j\":\"Περίοδος ψύξης\",\"IaA40H\":\"Ρευστοποίηση στο\",\"IhAc6F\":\"Costs & Fees\",\"ImxB3A\":\"deposited\",\"IrtO2E\":\"You have assets with zero LTV that are blocking this operation. Please withdraw them or disable them as collateral first.\",\"J/hVSQ\":[[\"0\"]],\"JCoxL6\":\"Manage analytics\",\"JEdlTC\":\"Stablecoins\",\"JOqFba\":[\"Unstaking \",[\"symbol\"]],\"JPHuMW\":\"Swapping\",\"JPhc4G\":\"ETH Correlated\",\"JPrLjO\":\"Δεν μπορείτε να χρησιμοποιήσετε αυτό το νόμισμα ως εγγύηση\",\"JYKRJS\":\"Κλειδώστε\",\"JZMxX0\":\"Δεν υπάρχει αρκετό υπόλοιπο στο πορτοφόλι σας\",\"Jgflkm\":\"Get GHO\",\"JoMQnI\":\"Υπόλοιπο πορτοφολιού\",\"JtwD8u\":\"Borrow balance after repay\",\"JumYTK\":\"Supplied assets\",\"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\",\"KSlpka\":\"Αυτό αντιπροσωπεύει το κατώτατο όριο στο οποίο μια θέση δανεισμού θα θεωρηθεί υποεγγυημένη και θα υπόκειται σε ρευστοποίηση για κάθε εγγύηση. Για παράδειγμα, εάν μια εγγύηση έχει κατώτατο όριο ρευστοποίησης 80%, αυτό σημαίνει ότι η θέση θα ρευστοποιηθεί όταν η αξία του χρέους ανέρχεται στο 80% της αξίας της εγγύησης.\",\"KYAjf3\":\"Απομονωμένο\",\"KkJaLD\":\"Borrow:\",\"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\":\"Λάθος δίκτυο\",\"KqoLVC\":\"Merkl rewards are claimed through the\",\"KsqhWn\":\"Κλείδωμα\",\"KuBTQq\":\"Εισάγετε διεύθυνση ETH\",\"KvG1xW\":\"Διεκδίκηση\",\"L+8Lzs\":\"Τρέχον LTV\",\"L+qiq+\":\"Αγορά\",\"L2tU22\":\"Learn more about Ethena Rewards program\",\"L3ZyJR\":[[\"popularSectionTitle\"]],\"LEdkyb\":\"Rewards to claim\",\"LIrMcF\":\"Δεν υπάρχει δικαίωμα ψήφου\",\"LL0zks\":\"Μπορεί να αποτελέσει εγγύηση\",\"LLdJWu\":\"Διεκδικήσιμο AAVE\",\"LSIpNK\":\"Δεν επιτρέπεται ο δανεισμός και η αποπληρωμή στο ίδιο block\",\"LVt3TI\":[\"<0>Slippage tolerance <1>\",[\"selectedSlippage\"],\"% <2>\",[\"0\"],\"\"],\"Lhf8zD\":\"Waiting for actions...\",\"Lp2cTp\":\"Eligible for incentives through Merkl.\",\"LvVpD/\":\"Emode\",\"Ly2enB\":\"This will cancel the order via an on-chain transaction. Note that the order will not be marked as cancelled in the CoW Protocol system, but will remain open and expire naturally. Keep in mind that a solver may already have filled your order.\",\"M1RnFv\":\"Expired\",\"M2sknc\":\"Tip: Try increasing slippage or reduce input amount\",\"MKiONF\":\"Activating Cooldown\",\"MOvzXm\":\"Comparing best rates...\",\"MRwaR4\":\"This will require two separate transactions: one to change E-Mode and one to supply.\",\"MZ/nQf\":\"Διεύθυνση παραλήπτη\",\"MZbQHL\":\"No results found.\",\"Ma/MtY\":\"προβολή κλειδώματος\",\"McHlGl\":\"APY change\",\"MeCCA+\":\"APY, μεταβλητό\",\"MghdTe\":\"Εάν ο συντελεστής υγείας πέσει κάτω από το 1, ενδέχεται να ενεργοποιηθεί η ρευστοποίηση των εγγυήσεών σας.\",\"MlRlXX\":\"Current APY\",\"Mm/DVQ\":\"Ακυρώσατε τη συναλλαγή.\",\"MnE2QX\":\"Borrow info\",\"MuDFEQ\":\"Μη έγκυρη τιμή επιστροφής της συνάρτησης εκτελεστή flashloan\",\"My0ZGV\":\"Learn more about the Kernel points distribution\",\"N+3mX2\":\"Please connect your wallet to swap debt.\",\"N39Ax4\":\"Ethereum\",\"N40H+G\":\"All\",\"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\",\"ND1ISA\":\"Weekly Rewards\",\"NF0e1Q\":\"Εκκρεμεί...\",\"NK9ikO\":\"Wallet Balance\",\"NMt2CB\":\"Amount claimable\",\"Na7NlU\":[[\"remainingCustomMessage\"]],\"NcFGxG\":\"Collector Contract\",\"NfpPeS\":\"Τίποτα κλειδωμένο\",\"Nh9DAo\":[[\"m\"],\"λ\"],\"Npz7kI\":\"Inquiry\",\"O+sCUU\":\"Υπέρβαση του ανώτατου ορίου νομισματοκοπείου χωρίς αντίκρισμα\",\"O+tyU+\":[\"Maximum amount available to borrow against this asset is limited because debt ceiling is at \",[\"0\"],\"%.\"],\"O3oNi5\":\"Email\",\"OC4Tzv\":\"here\",\"OFjZGo\":\"Unstake\",\"OR8cYX\":\"Επισκόπηση πρότασης\",\"OYuJ9K\":\"Protocol debt ceiling is at 100% for this asset. Futher borrowing against this asset is unavailable.\",\"OfhWJH\":\"Reset\",\"Og2SKn\":\"απενεργοποιημένο\",\"OiykRd\":\"Deposit GHO\",\"On0aF2\":\"Website\",\"OqAwLU\":\"Protocol APY\",\"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\":\"Κατώτατο όριο ρευστοποίησης\",\"PctCOf\":\"A temporary contract will be used to execute the trade. Your wallet may show a warning for approving a new or empty address.\",\"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.\",\"QONKTE\":\"Merit Rewards\",\"QQYsQ7\":\"Withdrawing\",\"QZEgwS\":\"Execution fee\",\"R+30X3\":\"Δεν έχει επιτευχθεί\",\"R9Khdg\":\"Auto\",\"RCU5PY\":\"Age\",\"RIfckG\":[\"Απενεργοποίηση \",[\"symbol\"],\" ως εγγύηση\"],\"RMtxNk\":\"Διαφορικό\",\"RNK49r\":\"Μη έγκυρη υπογραφή\",\"RS0o7b\":\"Κατάσταση\",\"RTG4/6\":\"There are no stake assets configured for this market\",\"RU+LqV\":\"Λεπτομέρειες πρότασης\",\"RYfdBk\":\"Visit <0><1>https://aave.self.xyz/ to get started with Self’s ZK-powered proof-of-humanity authentication.\",\"RZbjLY\":[\"See \",[\"0\"],\" more\"],\"Rg4K+m\":\"Cannot switch to this category\",\"RiSYV4\":\"Το περιουσιακό στοιχείο δεν περιλαμβάνεται στον κατάλογο\",\"Rj01Fz\":\"Σύνδεσμοι\",\"RmWFEe\":\"Κλείδωμα APR\",\"RtBLm7\":\"Ο συντελεστής υγείας είναι μικρότερος από το όριο ρευστοποίησης\",\"RvF1Ts\":\"stkGHO is now Savings GHO\",\"RxzN1M\":\"Ενεργοποιημένο\",\"SBv4zo\":[[\"0\"],\" collateral would have 0% LTV in this category. Disable \",[\"1\"],\" as collateral to use this option.\"],\"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\",\"SNmu1z\":\"Shares are Umbrella Stake Tokens you receive when staking. They represent your ownership in the pool, and the amount of underlying you can redeem depends on the current exchange rate between shares and the underlying.\",\"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\",\"SZkDmY\":\"The swap could not be completed. Try increasing slippage or changing the amount.\",\"Sa1UE/\":\"Protocol borrow cap is at 100% for this asset. Further borrowing unavailable.\",\"Sk2zW9\":\"Απενεργοποίηση E-Mode\",\"St4jqF\":\"This list may not include all your swaps.\",\"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\":\"Ποινή ρευστοποίησης\",\"TLJkuL\":\"Category assets\",\"TQ7WsV\":\"Available to stake\",\"TUI7iB\":\"To περιουσιακό στοιχείο μπορεί να χρησιμοποιηθεί ως εγγύηση μόνο σε λειτουργία απομόνωσης.\",\"TbjyhA\":\"Docs\",\"TduuS0\":\"Ο χρήστης δεν έχει ανεξόφλητο χρέος σταθερού επιτοκίου σε αυτό το αποθεματικό\",\"Tg1JyO\":\"Bridge history\",\"TszKts\":\"Borrow balance after switch\",\"Tw07Vv\":\"Show assets with small balance\",\"TwJI9F\":\"Asset has been successfully sent to CCIP contract. You can check the status of the transactions below\",\"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.\",\"UMgOim\":\"Send cancel\",\"URmyfc\":\"Λεπτομέρειες\",\"UTTKmT\":\"Stake cooldown activated\",\"UXeR72\":\"Τα κεφάλαια αυτά έχουν δανειστεί και δεν είναι διαθέσιμα για ανάληψη αυτή τη στιγμή.\",\"UYb8CM\":\"Learn more about the SPK rewards\",\"UbRrG0\":\"Ο δείκτης μέγιστου LTV αντιπροσωπεύει τη μέγιστη δανειοληπτική ικανότητα μιας συγκεκριμένης εγγύησης. Για παράδειγμα, εάν μια εγγύηση έχει LTV 75%, ο χρήστης μπορεί να δανειστεί έως και 0,75 ETH στο κύριο νόμισμα για κάθε 1 ETH αξίας εγγύησης.\",\"UiO4Hu\":[\"You'll need to wait \",[\"0\"],\" before you can unstake your tokens. This cooldown starts when you request to unstake. Once it ends, you can withdraw during the unstake window.\"],\"UpndFj\":\"Δεν υπάρχουν ανταμοιβές για διεκδίκηση\",\"V0f2Xv\":\"Reserve factor\",\"V1HK43\":\"Migration risks\",\"V7QGpc\":\"I understand the liquidation risk and want to proceed\",\"V7SFse\":[\"I confirm the swap knowing that I could lose up to <0>\",[\"0\"],\"% on this swap.\"],\"VATFH9\":\"Covered debt\",\"VHOVEJ\":\"Συνδέστε το πορτοφόλι\",\"VMfYUK\":\"Ασφάλεια των κατατεθειμένων εξασφαλίσεών σας έναντι των δανειζόμενων περιουσιακών στοιχείων και της υποκείμενης αξίας τους.\",\"VOAZJh\":\"Σύνολο δανείων\",\"ViKYxK\":\"ΥΠΕΡ\",\"VnQFYr\":\"Claiming all merit rewards only\",\"W1SSoD\":\"Αναθεώρηση λεπτομερειών συναλλαγής\",\"W5hVah\":\"Τίποτα δεν έχει παρασχεθεί ακόμη\",\"W5kTFy\":\"Voting\",\"WHrVwg\":\"Loading quote...\",\"WMJGls\":\"Estimated Costs & Fees\",\"WNGZwH\":\"Το E-Mode αυξάνει το LTV σας για μια επιλεγμένη κατηγορία περιουσιακών στοιχείων έως και <0/>. <1>Μάθετε περισσότερα\",\"WPWG/y\":\"Κατάσταση & διαμόρφωση αποθεματικού\",\"WS67YQ\":\"Let us know how we can help you. You may also consider joining our community\",\"WT188T\":\"Withdraw & Swap\",\"WZLQSU\":\"Ο χρήστης δεν μπορεί να κάνει ανάληψη μεγαλύτερη από το διαθέσιμο υπόλοιπο\",\"WaZyaV\":\"<0>Ampleforth is a rebasing asset. Visit the <1>documentation to learn more.\",\"WbTDwg\":\"In Progress\",\"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\":\"Για να δανειστείτε πρέπει να προσκομίσετε οποιοδήποτε περιουσιακό στοιχείο που θα χρησιμοποιηθεί ως εγγύηση.\",\"X/ITG9\":\"Κείμενο σφάλματος αντιγραφής\",\"X3Pp6x\":\"Χρησιμοποιείται ως εγγύηση\",\"X4Zt7j\":\"Η ενέργεια δεν μπορεί να εκτελεστεί επειδή η εφεδρεία βρίσκεται σε παύση\",\"X4tRM3\":[[\"0\"],\" \",[\"symbol\"],\" to continue\"],\"XBdKOj\":\"Representative smart contract wallet (ie. Safe) addresses on other chains.\",\"XPN5UR\":\"User denied the operation.\",\"XYLcNv\":\"Support\",\"XZzneG\":\"Θα βγείτε από τη λειτουργία απομόνωσης και άλλα tokens μπορούν πλέον να χρησιμοποιηθούν ως εγγύηση\",\"Xe5bTg\":\"Deposit APR\",\"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.\",\"XwKkg/\":\"Staked Underlying\",\"Xy+o6U\":\"For security reasons, limit orders are not supported for Native tokens. To place a limit order, use the wrapped version.\",\"Xy71ST\":\"Umbrella\",\"Y+hUcK\":\"Merit Program and Self rewards can be claimed\",\"Y46iXX\":\"The order could't be filled.\",\"Y5Orec\":\"Collateral options\",\"Y5kGkc\":\"ΨΗΦΙΣΤΕ ΚΑΤΑ\",\"YD+nXc\":\"Aave Shield\",\"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.\",\"Ya/che\":\"Stake token shares\",\"Ykj2Om\":\"Default slippage\",\"YogbCJ\":\"Testnet mode is ON\",\"YrDxdO\":\"Εάν το δάνειο προς αξία υπερβεί το όριο ρευστοποίησης, η παρεχόμενη εγγύηση σας μπορεί να ρευστοποιηθεί.\",\"YrcHPy\":\"VIEW\",\"YyIM65\":\"Δεν τηρήθηκαν οι όροι επανεξισορρόπησης των επιτοκίων\",\"YyydIq\":[\"Add \",[\"0\"],\" to wallet to track your balance.\"],\"Z3FXyt\":\"Loading...\",\"Z99M+T\":\"This is an off-chain operation. Keep in mind that a solver may already have filled your order.\",\"ZBvhI+\":\"Διακυβέρνηση Aave\",\"ZIIRAd\":\"Raw-Ipfs\",\"ZRq4tX\":\"Λειτουργία αποδοτικότητας (E-Mode)\",\"ZRuM45\":\"These are the estimated costs associated with your limit swap, including costs and fees. Consider these costs when setting your order amounts to help optimize execution and maximize your chances of filling the order.\",\"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\",\"aCgA+I\":\"E-Mode change\",\"aEtiwq\":\"Ψηφίστε ΚΑΤΑ\",\"aMmFE1\":\"Buy Crypto With Fiat\",\"aOKIms\":\"Οι παράμετροι της συστοιχίας που θα έπρεπε να είναι ίσου μήκους δεν είναι\",\"aQYztl\":[\"Repaying \",[\"0\"]],\"aXgo8+\":\"from the\",\"adUsDd\":\"An error has occurred fetching the proposal.\",\"afk1Wt\":[\"This asset can only be used as collateral in E-Mode: \",[\"0\"]],\"aoXTT7\":\"Δανεισμός APY, μεταβλητό\",\"aqX1Yp\":\"This asset is eligible for rewards through SuperFest. Aave Labs does not guarantee the program and accepts no liability.\",\"b4NS3e\":\"Προειδοποίηση περιόδου ψύξης\",\"bBHmeP\":\"Available to withdraw\",\"bNEQeI\":\"Cooldown\",\"bUUVED\":\"Περιουσιακό στοιχείο\",\"bXQ/Og\":\"Μοιραστείτε το στο twitter\",\"bXr0ee\":\"Τα απομονωμένα περιουσιακά στοιχεία έχουν περιορισμένη δανειοληπτική ικανότητα και άλλα περιουσιακά στοιχεία δεν μπορούν να χρησιμοποιηθούν ως εγγύηση.\",\"bYmAV1\":\"Addresses\",\"bYtb3C\":\"Network costs\",\"bguKoJ\":\"Το αιτούμενο ποσό είναι μεγαλύτερο από το μέγιστο μέγεθος δανείου στη λειτουργία σταθερού επιτοκίου\",\"bm/mjh\":\"This is a program initiated and implemented by the Aave Chan Initiative (ACI). Aave Labs does not guarantee the program and accepts no liability.\",\"bq0uL+\":\"supply\",\"bwSQI0\":\"Προσφορά\",\"bxN6EM\":\"Cannot disable E-Mode\",\"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.\",\"cc6gEH\":\"Incentives APR\",\"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\"]],\"cqwIvs\":\"Συζήτηση φόρουμ\",\"csDS2L\":\"Διαθέσιμο\",\"cu7Stb\":\"Δεν συμμετείχατε στην παρούσα πρόταση\",\"cuxGZP\":\"Low health factor after swap. Your position will carry a higher risk of liquidation.\",\"d9YZVR\":\"Principle Tokens\",\"dE6BLF\":\"Διακυβέρνηση\",\"dEgA5A\":\"Cancel\",\"dIsyWh\":\"Η επικύρωση του Ltv απέτυχε\",\"dOB5nW\":[\"Maximum amount available to supply is <0/> \",[\"0\"],\" (<1/>).\"],\"dVfODp\":\"Δεν έχετε αρκετά χρήματα στο πορτοφόλι σας για να αποπληρώσετε ολόκληρο το ποσό. Εάν προχωρήσετε στην αποπληρωμή με το τρέχον ποσό των χρημάτων σας, θα εξακολουθείτε να έχετε μια μικρή θέση δανεισμού στο ταμπλό σας.\",\"dXUQFX\":\"Περιουσιακά στοιχεία προς δανεισμό\",\"dYG3JG\":\"Data couldn't be loaded.\",\"dZQvSq\":\"Please review the swap values before confirming.\",\"dfDzrk\":[\"Supply cap reached for \",[\"symbol\"],\". Reduce the amount or choose a different asset.\"],\"dgr1aY\":\"Borrowing is disabled due to an Aave community decision. <0>More details\",\"djsg0o\":\"Χρησιμοποίηση εγγυήσεων\",\"drdV8R\":\"Liquidation\",\"dxW8cS\":\"Aave debt token\",\"e/ghIe\":[\"This transaction will enable E-Mode (\",[\"0\"],\"). Borrowing will be restricted to assets within this category.\"],\"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\",\"eQ0Wu0\":\"Please connect a wallet to view your balance here.\",\"eVpCmf\":\"Staking Rewards\",\"eVqvtf\":\"Bridge GHO\",\"eYdurp\":\"No transactions yet.\",\"ebLGGN\":\"Σύνολο δανεικών\",\"ecqEvn\":\"Το υπόλοιπο των εγγυήσεων είναι 0\",\"edXiYw\":[\"You've successfully swapped \",[\"0\"],\".\"],\"efdrrk\":\"Available on\",\"enruNF\":\"starts\",\"eqLYiD\":\"Ξεκλειδώστε τώρα\",\"evw5ha\":\"Καθαρή αξία\",\"ezcU16\":\"Get ABP Token\",\"f2e3vu\":[\"Deposit GHO into savings GHO (sGHO) and earn <0>\",[\"0\"],\"% APY on your GHO holdings. There are no lockups, no rehypothecation, and you can withdraw anytime. Simply deposit GHO, receive sGHO tokens representing your balance, and watch your savings grow earning claimable rewards from merit.\"],\"f3W0Ej\":[\"Αλλάξατε σε ποσοστό \",[\"0\"]],\"fMJQZK\":\"Borrowed\",\"fZ5Vnu\":\"Received\",\"firl9Q\":\"Το τρέχον δάνειο προς αξία με βάση τις παρεχόμενες εξασφαλίσεις σας.\",\"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\",\"g4Ius4\":\"This is the fee for executing position changes, set by governance.\",\"g8KGoA\":\"FAQS\",\"g9zzqS\":\"Voted NAY\",\"gDd2gk\":\"about SuperFest.\",\"gIMJlW\":\"Λειτουργία Testnet\",\"gK+IvE\":\"Withdraw and Swap\",\"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\",\"gjxiVa\":[\"This swap has a price impact of \",[\"0\"],\"%, which exceeds the 25% safety threshold. To proceed, disable Aave Shield in the settings menu.\"],\"goff7V\":\"Η μηδενική διεύθυνση δεν είναι έγκυρη\",\"gvTM4B\":\"Το καθαρό ΑΡΥ είναι η συνδυασμένη επίδραση όλων των θέσεων προσφοράς και δανεισμού στην καθαρή αξία, συμπεριλαμβανομένων των κινήτρων. Είναι δυνατόν να υπάρχει αρνητικό καθαρό APY εάν το χρεωστικό APY είναι υψηλότερο από το προσφερόμενο APY.\",\"gzcch9\":\"Μη έγκυρη αμοιβή πρωτοκόλλου γέφυρας\",\"h33MxW\":\"Representing smart contract wallet (ie. Safe) addresses on other chains.\",\"h3ilK+\":\".CSV\",\"h5hG6q\":\"This is the cost of settling your order on-chain, including gas and any LP fees.\",\"hB23LY\":\"Activate Cooldown\",\"hIJzBh\":\"Available to Claim\",\"hIS4N0\":\"Καθαρό APY\",\"hQRttt\":\"Submit\",\"hRWvpI\":\"Claimed\",\"hStpnK\":\"Other Chains\",\"hb8ajh\":\"Debt Swap\",\"hdmy/o\":\"Το % της συνολικής δανειοληπτικής σας δύναμης που χρησιμοποιείται. Αυτό βασίζεται στο ποσό της παρεχόμενης εξασφάλισής σας και στο συνολικό ποσό που μπορείτε να δανειστείτε.\",\"hehnjM\":\"Ποσό\",\"hjDCQr\":\"Υπήρξε κάποιο σφάλμα. Προσπαθήστε να αλλάξετε τις παραμέτρους ή <0><1>αντιγράψτε το σφάλμα\",\"hom7qf\":\"Διεκδίκηση\",\"hpHJ4I\":\"Liquidated collateral\",\"hrhwub\":\"dashboard\",\"huQ6Tz\":[\"Δανεισμός \",[\"symbol\"]],\"hxYu+F\":\"Borrow: All eligible assets\",\"i/fZ2Z\":\"Staked Balance\",\"i9qiyR\":\"Expires in\",\"iB5+/J\":\"About GHO\",\"iChbOF\":\"Ασυνεπείς παράμετροι flashloan\",\"iEPVHF\":\"Δεν έχει αρκετή δύναμη ψήφου για να συμμετάσχει στην παρούσα πρόταση\",\"iEW87X\":\"Delegated power\",\"iEju36\":[\"Ψηφίσατε \",[\"0\"]],\"iFq2YN\":\"Borrowable\",\"iGxyIA\":\"Safety Module\",\"iIuDE1\":\"Estimated weekly rewards based on your current sGHO balance and APR. Actual rewards may vary depending on market conditions.\",\"iKfD53\":\"Transaction history for Plasma not supported yet, coming soon.\",\"iMVZk9\":\"Select slippage tolerance\",\"iNYgey\":\"Get Support\",\"iPMIoT\":\"Εισάγετε ένα ποσό\",\"iSLIjg\":\"Connect\",\"iUo5rv\":\"tokens δεν είναι το ίδιο με το να τα κλειδώνετε. Εάν επιθυμείτε να κλειδώσετε τα\",\"iZxa38\":\"Use it to vote for or against active proposals.\",\"iboNXd\":\"Amount received\",\"iddNqA\":\"This transaction will disable E-Mode. All assets will revert to their base LTV and liquidation thresholds.\",\"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\"],\"ih/VjN\":\"Staking this amount will reduce your health factor and increase risk of liquidation.\",\"il0sEG\":\"H χρήση εγγυήσεων είναι περιορισμένη λόγω της λειτουργίας Απομόνωσης.\",\"j+K1Xj\":\"Amount After Fee\",\"j4SXZo\":\"Claim all merit rewards\",\"j7JHV+\":\"Total APY\",\"j8cF1R\":\"Cooling down\",\"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\",\"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.\",\"jZkYWO\":\"Boosted LTV\",\"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 για να αποκτήσετε πρόσβαση σε όλα τα περιουσιακά στοιχεία\",\"jqVo/k\":\"here.\",\"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\"],\"kMi0nz\":\"sGHO Merit APY History\",\"kN1Yg5\":\"Για την εξόφληση εκ μέρους ενός χρήστη απαιτείται ένα ρητό ποσό προς εξόφληση\",\"kNiQp6\":\"Pinned\",\"kRTD40\":[\"Repayment amount to reach \",[\"0\"],\"% utilization\"],\"kgKqPv\":\"You can not stake this amount because it will cause collateral call\",\"kj3M8S\":\"Deposit\",\"kjN9tT\":\"Υπέρβαση του ανώτατου ορίου προσφοράς\",\"kn+s7w\":[[\"0\"],\" collateral would have 0% LTV without E-Mode. Disable \",[\"1\"],\" as collateral to use this option.\"],\"knxE+G\":\".JSON\",\"ks2LWT\":\"Το ανώτατο όριο χρέους δεν είναι μηδενικό\",\"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.\",\"kzeZTm\":\"LTV\",\"lCF0wC\":\"Refresh\",\"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.\",\"lXb3Ih\":[\"This asset has 0 LTV and cannot be used as collateral. Enable an E-Mode to use \",[\"symbol\"],\" as collateral.\"],\"lXj2Sq\":\"Repay with Collateral\",\"lYGfRP\":\"Αγγλικά\",\"lfEjIE\":\"Μάθετε περισσότερα στον οδηγό <0>Συχνών Ερωτήσεων\",\"ljF4ko\":\"The selected rate is lower than the market price. You might incur a loss if you proceed.\",\"lqCWte\":[\"Deposit GHO and earn \",[\"0\"],\"% APY\"],\"lu7f+8\":\"Blocked by Shield\",\"m/IEhi\":\"Συνολικές εκπομπές ανά ημέρα\",\"m7r7Hh\":\"Selected borrow assets\",\"mDDK4p\":\"Balancer Pool\",\"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.\"],\"me5LMQ\":\"Checking approval\",\"mogZv0\":\"Favourite\",\"muiOng\":[\"Buy \",[\"cryptoSymbol\"],\" with Fiat\"],\"mvCXBY\":\"Stake AAVE\",\"mwdzil\":\"Εντάξει, Κλείσιμο\",\"mzDAU3\":\"Savings GHO (sGHO)\",\"mzdIia\":\"Το περιουσιακό στοιχείο δεν μπορεί να χρησιμοποιηθεί ως εγγύηση.\",\"n+SX4g\":\"Προγραμματιστές\",\"n1na81\":\"No eligible assets to swap.\",\"n4PWtp\":\"Depositing\",\"nJIhzm\":\"Προσφορά apy\",\"nJgsQu\":\"Με δύναμη ψήφου <0/>\",\"nLC6tu\":\"Γαλλικά\",\"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\",\"nPGNMh\":\"Μπορεί να εκτελεστεί\",\"nUK1ou\":[\"Assets with zero LTV (\",[\"0\"],\") must be withdrawn or disabled as collateral to perform this action\"],\"neITkT\":\"This asset has 0% LTV, meaning it does not contribute to borrowing power. Existing positions with this asset as collateral still count toward the liquidation threshold and protect your health factor. New positions cannot enable this asset as collateral.\",\"njBeMm\":\"Both\",\"ntyFSE\":[[\"h\"],\"ω\"],\"nwIsn4\":\"After the cooldown is initiated, you will be able to withdraw your assets immediatley.\",\"nweCqF\":\"Cancelling order...\",\"nwtY4N\":\"Something went wrong\",\"nxyWvj\":\"Withdrawing this amount will reduce your health factor and increase risk of liquidation.\",\"o17QVP\":\"Ο συντελεστής υγείας και το δάνειο προς αξία καθορίζουν τη διασφάλιση των εξασφαλίσεών σας. Για να αποφύγετε τις ρευστοποιήσεις μπορείτε να παράσχετε περισσότερες εξασφαλίσεις ή να εξοφλήσετε δανειακές θέσεις.\",\"o1xc2V\":\"Η προσφορά AToken δεν είναι μηδενική\",\"o5ooMr\":\"Χρέος\",\"o7J4JM\":\"Φίλτρο\",\"o7Yloh\":\"Learn more about the Ether.fi program\",\"oHFrpj\":\"Ψύξτε για ξεκλείδωμα\",\"oJ5ZiG\":\"Ο χρήστης δεν έχει ανεξόφλητο χρέος μεταβλητού επιτοκίου σε αυτό το αποθεματικό\",\"oUwXhx\":\"Test Assets\",\"oWQnqT\":\"Staking this asset will earn the underlying asset supply yield in addition to other configured rewards.\",\"oWklJD\":\"Το σταθερό επιτόκιο θα <0>μείνει το ίδιο για όλη τη διάρκεια του δανείου σας. Συνιστάται για μακροχρόνιες περιόδους δανεισμού και για χρήστες που προτιμούν την προβλεψιμότητα.\",\"odnIK3\":\"Time remaining until the 48 hour withdraw period starts.\",\"ogU9GD\":\"Target liquidity\",\"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.\",\"om/XHs\":\"Διαθέσιμο για προμήθεια\",\"omq5qJ\":\"Claiming all protocol rewards and merit rewards together\",\"ovBPCi\":\"Default\",\"ovT1pF\":[\"Per the community, the \",[\"market\"],\" has been frozen.\"],\"ow3fug\":\"Nothing found\",\"owSsI3\":\"Signatures ready\",\"p+R52m\":\"Go to Balancer Pool\",\"p2S64u\":\"The loan to value of the migrated positions would cause liquidation. Increase migrated collateral or reduce migrated borrow to continue.\",\"p2Z2Qi\":\"Αυτό το περιουσιακό στοιχείο έχει φθάσει στο ανώτατο όριο δανεισμού του. Τίποτα δεν είναι διαθέσιμο για δανεισμό από αυτή την αγορά.\",\"p45alK\":\"Set up delegation\",\"pDgeaz\":[[\"title\"]],\"pdZqBk\":\"Το υποκείμενο υπόλοιπο πρέπει να είναι μεγαλύτερο από 0\",\"pgWG9H\":\"Δεν υπάρχει αρκετό κλειδωμένο υπόλοιπο\",\"ph9+uj\":[\"Switching to \",[\"networkName\"],\"...\"],\"piPrJ7\":\"παρακαλούμε ελέγξτε ότι το ποσό που θέλετε να παρέχετε δεν χρησιμοποιείται επί του παρόντος για κλείδωμα. Εάν χρησιμοποιείται για κλείδωμα, η συναλλαγή σας ενδέχεται να αποτύχει.\",\"pjO/iH\":\"Minimum amount received\",\"pooutM\":\"Voting is on\",\"pqaM5s\":\"Confirming transaction\",\"ptaxX3\":[\"Καταλαβαίνω πώς λειτουργεί η ψύξη (\",[\"0\"],\") και το ξεκλείδωμα (\",[\"1\"],\")\"],\"pup/ej\":\"Net Protocol Incentives\",\"py2iiY\":\"Ο καλών αυτής της συνάρτησης πρέπει να είναι ένα κοινόχρηστο ταμείο\",\"q/51mF\":\"Migrate to V3\",\"q3df11\":\"Interest rate strategy\",\"q6lAbz\":\"Κλειδωμένο\",\"qB4kPi\":\"Προσφορά APY\",\"qENI8q\":\"Γενικές ρυθμίσεις\",\"qGz5zl\":\"Collateral balance after repay\",\"qKfida\":\"Staked tokens are wrapped and use an exchange rate. You may see fewer token shares, but the value matches your deposit and will grow as yield accrues.\",\"qOqbD6\":\"αντιγράψτε το σφάλμα\",\"qXCkEM\":\"Συνδέστε το πορτοφόλι σας για να δείτε τις προμήθειες, τα δάνεια και τις ανοιχτές θέσεις σας.\",\"qY2jnw\":\"Μη έγκυρη λήξη\",\"qhhf9L\":\"Rewards available to claim\",\"qtS7wW\":\"Thank you for voting\",\"quYPUU\":\"Variable interest rate will <0>fluctuate based on the market conditions.\",\"quzIeW\":\"User is in isolation mode or LTV is zero\",\"qvnz3q\":\"Μη έγκυρη ποσότητα προς καύση\",\"qz6JVE\":[\"Your order amounts are \",[\"0\"],\" less favorable by \",[\"1\"],\"% to the liquidity provider than recommended. This order may not be executed.\"],\"qz9c6b\":[\"Repaying \",[\"0\"],\" with \",[\"1\"]],\"qzFp5D\":\"All Categories\",\"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\",\"riNWOA\":\"E-Mode\",\"rjGI/Q\":\"Privacy\",\"rnKPW1\":\"Watch a wallet balance in read-only mode\",\"rojvRp\":\"Approval by signature not available\",\"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\",\"t/ct9N\":\"Auto Slippage\",\"tBIz3I\":[\"Supply \",[\"0\"],\" and double your yield by <0><1>verifying your humanity through Self for \",[\"1\"],\" per user.\"],\"tCnbEs\":\"Τιμή Oracle\",\"tFZLf8\":\"Αυτός ο υπολογισμός gas είναι μόνο μια εκτίμηση. Το πορτοφόλι σας θα καθορίσει την τιμή της συναλλαγής. Μπορείτε να τροποποιήσετε τις ρυθμίσεις gas απευθείας από τον πάροχο του πορτοφολιού σας.\",\"tHuvQI\":\"Go to V3 Dashboard\",\"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\"],\"tVJk4q\":\"Cancel order\",\"te9Bfl\":\"Παρακαλώ, συνδέστε το πορτοφόλι σας\",\"tj6dr4\":\"Merit Program rewards can be claimed\",\"tt5yma\":\"Οι προμήθειές σας\",\"tw6G0s\":[\"You must disable \",[\"0\"],\" as collateral before exiting E-Mode. These assets have 0 LTV outside of E-Mode and cannot be used as collateral.\"],\"u3ZeYl\":\"Η συναλλαγή απέτυχε\",\"u706uF\":\"Άκυρη πριμοδότηση flashloan\",\"u8Gfu7\":[\"No search results\",[\"0\"]],\"uAQUqI\":\"Status\",\"uGG4Lk\":\"Claim all protocol rewards\",\"uHMwk8\":\"No assets selected to migrate.\",\"uI3SjW\":\"Connection Error\",\"uJOI6M\":\"Tip: Try improving your order parameters\",\"uJPHuY\":\"Migrating\",\"uRXR6h\":[\"Swap \",[\"0\"],\" debt\"],\"uZiu4N\":\"There is an active order for the same sell asset (avoid nonce reuse).\",\"udFheE\":\"Για την αποπληρωμή ενός συγκεκριμένου τύπου χρέους, ο χρήστης πρέπει να έχει χρέος αυτού του τύπου\",\"ulNuNq\":\"Export data to\",\"ulup2p\":\"Buy Crypto with Fiat\",\"usB84Z\":\"Maximum amount available to borrow is limited because protocol borrow cap is nearly reached.\",\"uyLjNw\":\"Custom slippage\",\"v+Fu0z\":\"This asset is eligible for Kernel points incentive program. Aave Labs does not guarantee the program and accepts no liability.\",\"v0CIlJ\":\"You have no rewards to claim at this time.\",\"v8x7Mg\":\"Insufficient collateral to cover new borrow position. Wallet must have borrowing power remaining to perform debt switch.\",\"vEqxH9\":\"Restaked\",\"vH2C/2\":\"Swap\",\"vLyv1R\":\"Απόκρυψη\",\"vMba49\":\"Ο δανεισμός δεν είναι ενεργοποιημένος\",\"vMpNwt\":\"Approve with\",\"vNAHA2\":\"PTs\",\"vXIe7J\":\"Γλώσσα\",\"vesuBJ\":\"Σας επιτρέπει να αποφασίσετε αν θα χρησιμοποιήσετε ένα παρεχόμενο περιουσιακό στοιχείο ως εγγύηση. Ένα περιουσιακό στοιχείο που χρησιμοποιείται ως εγγύηση θα επηρεάσει τη δανειοληπτική σας ικανότητα και τον συντελεστή υγείας.\",\"vv7kpg\":\"Cancelled\",\"w+V9Cx\":\"Σταθερό νόμισμα\",\"w/JtJ3\":\"Η σταθερή προσφορά χρέους δεν είναι μηδενική\",\"w1f8Ky\":\"Savings GHO\",\"w4VBY+\":\"Ανταμοιβές APR\",\"w9dLMW\":[[\"label\"]],\"wAOL+X\":[\"Εσείς \",[\"action\"],\" <0/> \",[\"symbol\"]],\"wBIsjb\":\"Discord channel\",\"wQZbc/\":\"Ο καλών της συνάρτησης δεν είναι AToken\",\"wRRqvW\":\"Δεν έχετε προμήθειες σε αυτό το νόμισμα\",\"wZFvVU\":\"ΨΗΦΙΣΤΕ ΥΠΕΡ\",\"wapGcj\":[[\"message\"]],\"wb/r1O\":[\"Βρύση \",[\"0\"]],\"wdxz7K\":\"Source\",\"weC8IO\":\"All Rewards\",\"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.\",\"wjFWDB\":\"No markets found\",\"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\",\"wuMdlk\":[\"This asset is eligible for \",[\"0\"],\" Sonic Rewards.\"],\"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.\",\"x+QJ9y\":[\"Category \",[\"selectedEmodeId\"]],\"x0TRLG\":[\"Repay your \",[\"0\"],\" \",[\"1\",\"plural\",{\"one\":\"borrow\",\"other\":\"borrows\"}],\" to use this category.\"],\"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\"]],\"yRkqG9\":\"Limit\",\"yYHqJe\":\"Μη έγκυρη διεύθυνση\",\"yZ5ngq\":\"Transaction details not available\",\"yZwLw6\":\"Track wallet\",\"yh2sjd\":[\"Price impact \",[\"0\"],\"%\"],\"yhvj6d\":\"Δεν μπορείτε να αλλάξετε τη χρήση ως λειτουργία εγγύησης για αυτό το νόμισμα, διότι θα προκαλέσει κλήση εγγύησης\",\"ylmtBZ\":\"The app is running in fork mode.\",\"ymNY32\":[\"Δεν υπάρχουν αρκετά κεφάλαια στο\",[\"0\"],\"αποθεματικό για δανεισμό\"],\"yv/Kz/\":\"Back home\",\"yz7wBu\":\"Κλείσιμο\",\"z4uGQg\":\"Υπέρβαση του ανώτατου ορίου χρέους\",\"z5JUmg\":[\"Estimated costs are \",[\"0\"],\"% of the sell amount. This order is unlikely to be filled.\"],\"z5UQOM\":\"Η εγγύηση που έχει επιλεγεί δεν μπορεί να ρευστοποιηθεί\",\"z5Y+p6\":[\"Παροχή \",[\"symbol\"]],\"zCjNKs\":\"Η ενέργεια δεν μπορεί να εκτελεστεί επειδή το αποθεματικό έχει παγώσει\",\"zNgzxM\":\"Excludes variable supply APY\",\"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\",\"zZmf1N\":\"Filled\",\"zgtIDV\":\"Υπολειπόμενο χρέος\",\"zmTPiV\":\"Υπόλοιπο προσφοράς\",\"zpPbZl\":\"Liquidation risk parameters\",\"zqp4Tm\":\"Unable to Connect\",\"zr58Jd\":\"Umbrella is the upgraded version of the Safety Module. Manage your previously staked assets\",\"zucql+\":\"Μενού\",\"zv/j10\":[\"Active \",[\"0\"],\" borrow is not compatible with this category. Repay your \",[\"1\"],\" borrow to use this option.\"],\"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.\",\"+EGVI0\":\"Receive (est.)\",\"+Tzhaj\":\"You've successfully swapped borrow position.\",\"+eOPG+\":\"Φαίνεται ότι δεν μπορούμε να αλλάξουμε το δίκτυο αυτόματα. Ελέγξτε αν μπορείτε να το αλλάξετε από το πορτοφόλι.\",\"+kLZGu\":\"Supplied asset amount\",\"/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\",\"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\",\"1Onqx8\":[\"Έγκριση του \",[\"symbol\"],\"...\"],\"1m9Qqc\":\"Withdrawing and Switching\",\"1oyh4g\":\"Borrow rate\",\"2Q4GU4\":\"Blocked Address\",\"2bAhR7\":\"Meet GHO\",\"2o/xRt\":\"Επίτευξη του ανώτατου ορίου εφοδιασμού στο αποθεματικό-στόχο. Δοκιμάστε να \\nμειώσετε την ποσότητα.\",\"3O8YTV\":\"Total interest accrued\",\"4iPAI3\":\"Minimum GHO borrow amount\",\"6NGLTR\":\"Discountable amount\",\"6yAAbq\":\"APY, borrow rate\",\"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\",\"7sofdl\":\"Withdraw and Switch\",\"9rWaKF\":\"Bridged Via CCIP\",\"ARu1L4\":\"Repaid\",\"B6aXGH\":\"Σταθερό\",\"B9Gqbz\":\"Variable rate\",\"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.\",\"BjLdl1\":\"At a discount\",\"CMHmbm\":\"Slippage\",\"DxfsGs\":\"You can report incident to our <0>Discord or<1>Github.\",\"EBL9Gz\":\"COPIED!\",\"ES8dkb\":\"Fixed rate\",\"GoK/QN\":\"Thank you for submitting feedback!\",\"H6Ma8Z\":\"Discount\",\"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.\",\"HrnC47\":\"Save and share\",\"JK9zf1\":[\"Estimated compounding interest, including discount for Staking \",[\"0\"],\"AAVE in Safety Module.\"],\"JU6q+W\":\"Ανταμοιβή(ες) προς διεκδίκηση\",\"K05qZY\":\"Withdraw & Switch\",\"KRpokz\":\"VIEW TX\",\"KZwRuD\":[[\"notifyText\"]],\"LDzfVJ\":\"Send Feedback\",\"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\",\"MIy2RJ\":\"Maximum amount received\",\"MrmQHg\":\"View Bridge Transactions\",\"N7dVh7\":\"Swap to\",\"QSh9Sn\":\"Swapped\",\"QWYCs/\":\"Stake GHO\",\"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.\",\"RoafuO\":\"Send feedback\",\"SSMiac\":\"Failed to load proposal voters. Please refresh the page.\",\"TeCFg/\":\"Borrow rate change\",\"TskbEN\":\"Holders of stkAAVE receive a discount on the GHO borrowing rate\",\"TtZL6q\":\"Discount model parameters\",\"Tz0GSZ\":\"blocked activities\",\"UE3KJZ\":\"Transaction history is not currently available for this market\",\"W8ekPc\":\"Back to Dashboard\",\"WMPbRK\":\"Μη υποστηριζόμενο\",\"YirHq7\":\"Feedback\",\"aX31hk\":\"Your balance is lower than the selected amount.\",\"al6Pyz\":\"Exceeds the discount\",\"avgETN\":\"Eligible for the Merit program.\",\"bSc4Zw\":\"Swaping\",\"bSruit\":\"ZKSync Ignite Program rewards are claimed through the\",\"bxmzSh\":\"Δεν υπάρχουν επαρκείς εγγυήσεις για την αποπληρωμή αυτού του ποσού χρέους με\",\"cqnmnD\":\"Effective interest rate\",\"dMtLDE\":\"to\",\"dpc0qG\":\"Μεταβλητό\",\"euScGB\":\"APY with discount applied\",\"fHcELk\":\"Καθαρό APR\",\"flRCF/\":\"Staking discount\",\"gncRUO\":\"This address is blocked on app.aave.com because it is associated with one or more\",\"gp+f1B\":\"Version 3\",\"gr8mYw\":\"You may borrow up to <0/> GHO at <1/> (max discount)\",\"hpuVIp\":\"Users who stake AAVE in Safety Module (i.e. stkAAVE holders) receive a discount on GHO borrow interest rate.\",\"hxi7vE\":\"Borrow balance\",\"i2JTiw\":\"You may enter a custom amount in the field.\",\"jMam5g\":[[\"0\"],\" Υπόλοιπο\"],\"jpctdh\":\"View\",\"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.\",\"lNVG7i\":\"Select an asset\",\"lt6bpt\":\"Collateral to repay with\",\"mIM0qu\":\"Expected amount to repay\",\"mUAFd6\":\"Version 2\",\"mzI/c+\":\"Download\",\"n8Psk4\":\"We couldn’t detect a wallet. Connect a wallet to stake and view your balance.\",\"nOy4ob\":\"We suggest you go back to the Dashboard.\",\"nakd8r\":\"stkAAVE holders get a discount on GHO borrow rate\",\"nh2EJK\":[\"Παρακαλώ μεταβείτε στο \",[\"networkName\"],\".\"],\"ntkAoE\":\"Discount applied for <0/> staking AAVE\",\"o4tCu3\":\"Borrow APY\",\"olREoo\":\"All borrow positions outside of this category must be closed to enable this category.\",\"ov0+mq\":\"Eligible for the ZKSync Ignite program.\",\"p2A+s1\":[\"Η περίοδος ψύξης είναι \",[\"0\"],\". Μετά την \",[\"1\"],\" περίοδο ψύξης, θα εισέλθετε στο παράθυρο ξεκλειδώματος \",[\"2\"],\". Θα συνεχίσετε να λαμβάνετε ανταμοιβές κατά τη διάρκεια της ψύξης και του παραθύρου ξεκλειδώματος.\"],\"p3j+mb\":\"Το υπόλοιπο της ανταμοιβής σας είναι 0\",\"p6u2s1\":\"Minimum amount of debt to be repaid\",\"qFD/ij\":\"You've successfully withdrew & swapped tokens.\",\"qT4Lfg\":\"You've successfully swapped tokens.\",\"qf/fr+\":\"Interest accrued\",\"rf8POi\":\"Borrowed asset amount\",\"ruc7X+\":\"Add stkAAVE to see borrow APY with the discount\",\"t81DpC\":[\"Approve \",[\"symbol\"],\" to continue\"],\"umICAY\":\"<0><1><2/>Add stkAAVE to see borrow rate with discount\",\"uwAUvj\":\"COPY IMAGE\",\"wyi0tk\":\"Swap borrow position\",\"yW1oWB\":\"Τύπος APY\",\"zevmS2\":\"<0><1><2/>Add <3/> stkAAVE to borrow at <4/> (max discount)\",\"zzzTXS\":\"Merit Program rewards are claimed through the\"}")}; \ No newline at end of file +/*eslint-disable*/module.exports={messages:JSON.parse("{\"+0xecS\":[\"Εάν ΔΕΝ ξεκλειδώσετε εντός \",[\"0\"],\" του παραθύρου ξεκλειδώματος, θα πρέπει να ενεργοποιήσετε ξανά τη διαδικασία ψύξης.\"],\"+5vxU4\":\"Reward APY at target liquidity\",\"+9RBfc\":\"Thank you for submitting your inquiry!\",\"+F6nAX\":\"Save with sGHO\",\"+KaZP2\":\"Aave Labs does not guarantee the program and accepts no liability.\",\"+Nk14N\":\"Savings GHO token\",\"+VR63W\":[\"Η συμμετοχή σε αυτό το αποθεματικό \",[\"symbol\"],\" δίνει ετήσιες ανταμοιβές.\"],\"+XNrRN\":\"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 restrictions, see the <1>help guide or the <2>Aave V3 Technical Paper.\",\"+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.\",\"+i3Pd2\":\"Ανώτατο όριο δανεισμού\",\"+nuEh/\":\"Estimated time\",\"+xMFF8\":\"Remind me\",\"/+Vmgq\":\"Total amount of underlying assets staked. This number represents the combined sum of your original asset and the corresponding aTokens staked in Umbrella.\",\"/1Qot4\":\"Protocol Rewards\",\"/1xACT\":\"Reward APY adjusts with total staked amount, following a curve that targets optimal staking levels.\",\"/57U31\":\"Amount to migrate\",\"/7ykiW\":\"Borrowing this amount will reduce your health factor and increase risk of liquidation.\",\"/FwCXs\":[[\"0\"],\" \",[\"symbol\"],\"...\"],\"/LCAwL\":\"In progress\",\"/ZyLeG\":\"Amount available to unstake\",\"/jQctM\":\"To\",\"/lDBHm\":\"ΣΥΧΝΕΣ ΕΡΩΤΗΣΕΙΣ\",\"/lMWs6\":[\"Deposit GHO and earn up to <0>\",[\"0\"],\"% APY\"],\"/yNlZf\":\"Ο σταθερός δανεισμός δεν είναι ενεργοποιημένος\",\"/yQcJM\":\"Συνολική αξία\",\"00AB2i\":\"Ο χρήστης δεν δανείστηκε το καθορισμένο νόμισμα\",\"02/4d1\":\"We suggest you go back to the home page.\",\"0AmQcW\":\"Rate change\",\"0BF3yK\":\"Sorry, we couldn't find the page you were looking for.\",\"0RrIzN\":\"Select token\",\"0TAbjq\":\"Recent Transactions\",\"0jhlyw\":\"Liquidation risk\",\"0ojY+Y\":\"Current v2 Balance\",\"0r31vq\":\"Reward Token\",\"0thX3P\":\"Collateral change\",\"0wGCWc\":\"Αυτό είναι το συνολικό ποσό που μπορείτε να προμηθεύσετε σε αυτό το αποθεματικό. Μπορείτε να προμηθεύσετε το υπόλοιπο του πορτοφολιού σας μέχρι να επιτευχθεί το ανώτατο όριο προμηθειών.\",\"11xQTX\":[\"This asset is eligible for \",[\"0\"],\" Ethena Rewards.\"],\"18GnfY\":[\"Repay \",[\"0\"]],\"1AsVfF\":\"Price data is not currently available for this reserve on the protocol subgraph\",\"1LjK22\":\"Transaction history\",\"1PMU2v\":\"Learn more about the risks.\",\"1Ue8sX\":\"Παρακαλούμε συνδέστε ένα πορτοφόλι για να δείτε τις προσωπικές σας πληροφορίες εδώ.\",\"1W8DZp\":\"USDT on Ethereum requires approval reset before a new approval. This will require an additional transaction.\",\"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/> κατώτατο όριο\",\"1t7rez\":\"Asset supply is limited to a certain amount to reduce protocol exposure to the asset and to help manage risks involved.\",\"2/aIvj\":\"Cancellation submited\",\"2C40JO\":[\"This transaction will switch E-Mode from \",[\"0\"],\" to \",[\"1\"],\". Borrowing will be restricted to assets within the new category.\"],\"2Eoi/a\":\"Προβολή λεπτομερειών\",\"2FYpfJ\":\"Περισσότερα\",\"2O3qp5\":\"Διαθέσιμη ρευστότητα\",\"2OIfa1\":\"Please connect your wallet to swap collateral.\",\"2OM8/D\":[\"Asset cannot be migrated due to supply cap restriction in \",[\"marketName\"],\" v3 market.\"],\"2RtYM0\":\"Need help? Our support team can assist.\",\"2RubOP\":\"Initiate Withdraw\",\"2S7oCr\":[\"This asset is eligible for the Ether.fi Loyalty program with a <0>x\",[\"multiplier\"],\" multiplier.\"],\"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.\",\"2eBWE6\":\"I acknowledge the risks involved.\",\"2r2h/U\":\"Total Deposited\",\"2uJToh\":[[\"0\"],[\"name\"]],\"2x1UO0\":\"Favourited\",\"2x58bP\":\"Ο σταθερός δανεισμός είναι ενεργοποιημένος\",\"34Qfwy\":\"Υπέρβαση του ανώτατου ορίου δανεισμού\",\"39eQRj\":[\"Δανεισμός \",[\"symbol\"]],\"3BL1xB\":\"Σύνολο παρεχόμενων\",\"3K0oMo\":\"Υπολειπόμενη προσφορά\",\"3MoZhl\":\"Δεν υπάρχουν επαρκείς εξασφαλίσεις για την κάλυψη ενός νέου δανείου\",\"3NO6VI\":[[\"0\"],\" Balance\",[\"1\"]],\"3Np5O8\":[\"Προσφορά \",[\"symbol\"]],\"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\",\"4fCwrW\":\"or from the\",\"4lDFps\":\"Sign to continue\",\"4p5njr\":\"Total amount staked\",\"4wyw8H\":\"Transactions\",\"5+lhtA\":\"For swapping safety module assets please unstake your position <0>here.\",\"53r7O1\":[\"High price impact (<0>\",[\"0\"],\"%)! This route will return \",[\"1\"],\" due to low liquidity or small order size.\"],\"5CCqcz\":\"Fees help support the user experience and security of the Aave application. <0>Learn more.\",\"5JSSxX\":[\"Your \",[\"networkName\"],\" wallet is empty. Get free test assets at\"],\"5K3B36\":\"We couldn't find any assets related to your search. Try again with a different category.\",\"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\"],\" μπορεί να παρασχεθεί σε αυτή την αγορά.\"],\"5RzvNm\":\"Aave Shield: Transaction blocked\",\"5cZ/KX\":\"Η προσφορά μεταβλητού χρέους δεν είναι μηδενική\",\"5che++\":\"Για να ζητήσετε πρόσβαση σε αυτή την αδειοδοτημένη αγορά, επισκεφθείτε την ιστοσελίδα: <0>Όνομα Παρόχου Πρόσβασης\",\"5ctNdV\":[\"Minimum \",[\"0\"],\" received\"],\"5hDe9v\":\"Απαιτούμενη δράση επιδότησης\",\"5rsnKT\":\"Διαθέσιμες ανταμοιβές\",\"5ty6hB\":\"Claiming individual protocol reward only. Merit rewards excluded - select \\\"claim all\\\" to include merit rewards.\",\"5vxk14\":\"To continue, you need to grant 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\",\"5yC5m5\":\"View all votes\",\"6/dCYd\":\"Επισκόπηση\",\"60crCe\":\"All transactions\",\"62Xcjh\":\"Εγγύηση\",\"65A04M\":\"Ισπανικά\",\"68ANm7\":\"Withdrawing GHO\",\"6G8s+q\":\"Signing\",\"6Jrv+z\":[\"Αποπληρωμή \",[\"symbol\"]],\"6SC+v0\":[\"Disable \",[\"0\"],\" as collateral to use this category. These assets would have 0% LTV.\"],\"6Xr0UU\":\"Ψύξη...\",\"6bxci/\":\"Δύναμη ψήφου\",\"6f8S68\":\"Αγορές\",\"6g1gi0\":\"Προτάσεις\",\"6gvoHP\":\"Copy error message\",\"6h3Q5G\":\"repaid\",\"6lFSyT\":\"Available to Stake\",\"6lGV3K\":\"Show less\",\"6s8L6f\":\"Αλλαγή Δικτύου\",\"70wH1Q\":\"APR\",\"72c5Qo\":\"Total\",\"75qcAQ\":[[\"stepName\"]],\"7ITr5L\":\"Συντελεστής υγείας\",\"7R/kqr\":\"The cooldown period is the time required prior to unstaking your tokens (<0/>). You can only withdraw your assets from the Security Module after the cooldown period and within the unstake window. <1>Learn more\",\"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\",\"7c6Gy8\":\"Learn more about Sonic Rewards program\",\"7er5fP\":\"Διεκδικήστε τα όλα\",\"7hb2+s\":\"Time remaining until the withdraw period ends.\",\"7i1oxe\":\"Withdrawing and Swapping\",\"7l88b8\":\"Data couldn't be fetched, please reload graph.\",\"7p5kLi\":\"Ταμπλό\",\"8+6BI0\":\"Προσοχή - Είστε πολύ κοντά στην ρευστοποίηση. Εξετάστε το ενδεχόμενο να καταθέσετε περισσότερες εγγυήσεις ή να εξοφλήσετε κάποιες από τις δανειακές σας θέσεις\",\"87pUEW\":[\"Το πορτοφόλι σας \",[\"name\"],\" είναι άδειο. Αγοράστε ή μεταφέρετε περιουσιακά στοιχεία.\"],\"8F1i42\":\"Page not found\",\"8G8M0u\":\"Loading data...\",\"8Iu1QS\":\"withdrew\",\"8JL93T\":\"Όλες οι προτάσεις\",\"8Q51DU\":\"Add to wallet\",\"8X/oyn\":\"Μη έγκυρο ποσό για νομισματοκοπία\",\"8Xaoyr\":\"View on CCIP Explorer\",\"8Z5FPv\":\"Αποσυνδέστε το πορτοφόλι\",\"8Zz7s5\":\"περιουσιακά στοιχεία\",\"8aLW8H\":\"Balance to revoke\",\"8bOT3H\":\"Ποσοστό χρησιμοποίησης\",\"8d61xO\":\"The Ink instance is governed by the Ink Foundation\",\"8sLe4/\":\"View contract\",\"8ss7VF\":\"Transaction cancelled\",\"8t/M0y\":\"Please connect your wallet to be able to bridge your tokens.\",\"8u3DDw\":[\"Swap \",[\"0\"],\" collateral\"],\"8vETh9\":\"Εμφάνιση\",\"93T2Os\":\"Total deposited\",\"94OHPx\":\"Εισέρχεστε σε λειτουργία απομόνωσης\",\"9CDK3/\":[\"Ο δανεισμός δεν είναι επί του παρόντος διαθέσιμος για \",[\"0\"],\".\"],\"9GIj3z\":\"Μέγεθος Αποθεματικού\",\"9ITYjl\":\"%\",\"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.\"],\"9YcC7V\":\"Select Categories\",\"9c6vDV\":\"Αυτό το περιουσιακό στοιχείο έχει φτάσει στο όριο της προσφοράς του. Τίποτα δεν είναι διαθέσιμο για προμήθεια από αυτή την αγορά.\",\"9iDHmv\":\"Collateral Swap\",\"9kTWHA\":\"MAI has been paused due to a community decision. Supply, borrows and repays are impacted. <0>More details\",\"9lXchd\":\"Underlying token\",\"9xSooW\":\"Δεδομένου ότι πρόκειται για ένα δοκιμαστικό δίκτυο, μπορείτε να αποκτήσετε οποιοδήποτε από τα περιουσιακά στοιχεία αν έχετε ETH στο πορτοφόλι σας\",\"9y0Q0y\":[\"There is not enough liquidity in \",[\"symbol\"],\" to complete this swap. Try lowering the amount.\"],\"9zzsBx\":\"This is a program initiated by the Aave DAO and implemented by Merkl. Aave Labs does not guarantee the program and accepts no liability.\",\"A/lwoe\":\"Choose one of the on-ramp services\",\"A6dCI6\":[\"Maximum amount available to borrow is <0/> \",[\"0\"],\" (<1/>).\"],\"ACUEES\":\"Check errors\",\"AReoaV\":\"Τα δάνεια σας\",\"AV7cGz\":\"Αναθεώρηση λεπτομερειών έγκρισης συναλλαγής\",\"AZOjB8\":\"Fetching data...\",\"Ai0jas\":\"Join the community discussion\",\"Ajl2rq\":\"Η δύναμη δανεισμού και τα περιουσιακά στοιχεία είναι περιορισμένα λόγω της λειτουργίας απομόνωσης.\",\"AqgYNC\":\"Protocol borrow cap at 100% for this asset. Further borrowing unavailable.\",\"B6zvhF\":\"Shares\",\"BDFEd+\":\"stETH supplied as collateral will continue to accrue staking rewards provided by daily rebases.\",\"BE2mP0\":\"Borrowed assets\",\"BNL4Ep\":\"Η χρήση εγγύησης είναι περιορισμένη λόγω της λειτουργίας απομόνωσης. <0>Μάθετε περισσότερα\",\"BQ+4lu\":\"Swap saved in your <0>history section.\",\"BQ/wCO\":\"Migrate your assets\",\"BaCmXf\":\"AAVE 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.\",\"Baj2MJ\":\"Savings\",\"BnhYo8\":\"Κατηγορία περιουσιακών στοιχείων\",\"Bo6b9i\":\"Withdraw GHO\",\"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\",\"C4qYyX\":[\"Repay \",[\"0\"],\" with \",[\"1\"]],\"C5jQc6\":\"GHO Balance\",\"C7hM0q\":\"Country (optional)\",\"CDrsH+\":\"Techpaper\",\"CGiscJ\":\"You've successfully submitted an order.\",\"CK1KXz\":\"Μεγιστο\",\"COUcFd\":\"Points\",\"CZXzs4\":\"Greek\",\"CkTRmy\":[\"Διεκδίκηση \",[\"symbol\"]],\"CrrC++\":\"Position swaps are disabled for this asset due to security reasons.\",\"CsqtLm\":\"Please connect your wallet to see migration tool.\",\"CtGlFb\":[[\"networkName\"],\" Βρύση\"],\"CuAHqa\":\"Protocol Incentives\",\"Cxt2YY\":\"Watch wallet\",\"D33VQU\":\"This action will reduce health factor of V3 below liquidation threshold. Increase migrated collateral or reduce migrated borrow to continue.\",\"D4Q4h/\":\"Gas estimation error\",\"D79cZK\":\"Instant\",\"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\"],\"DhaOWH\":\"Stake your Aave aTokens or underlying assets to earn rewards. In case of a shortfall event, your stake may be slashed to cover the deficit.\",\"Dj+3wB\":\"Aave ανά μήνα\",\"DlRHbH\":\"Claiming all protocol rewards only. Merit rewards excluded - select \\\"claim all\\\" to include merit rewards.\",\"DuEq2K\":\"Εξασφάλιση\",\"Dzma+E\":\"Main Ethereum market with the largest selection of assets and yield options\",\"E/QGRL\":\"Απενεργοποιημένο\",\"E6UoJs\":\"Estimated compounding 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.\",\"ETtXJg\":\"Share my wallet address to help the support team resolve my issue\",\"EZd3Dk\":[\"Restaking \",[\"symbol\"]],\"Ebgc76\":[\"Ανάληψη \",[\"symbol\"]],\"EdQY6l\":\"Κανένα\",\"Ef7StM\":\"Unknown\",\"Ehzc//\":[\"Swapping \",[\"0\"],\" debt\"],\"Ekea1N\":\"We couldn't detect a wallet. Connect a wallet to stake and view your balance.\",\"Enslfm\":\"Destination\",\"EvE9nO\":[\"Reactivate cooldown period to unstake \",[\"0\"],\" \",[\"stakedToken\"]],\"EvECnL\":\"Migrate to v3\",\"EyYG53\":\"Get support\",\"EzMQbh\":\"The source chain time to finality is the main factor that determines the time to destination. <0>Learn more\",\"F40cwT\":\"Legacy Markets\",\"F6TdXL\":\"Μάθετε περισσότερα.\",\"F6pfE9\":\"Active\",\"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\":\"Η λειτουργία δεν υποστηρίζεται\",\"FTRJ1l\":\"L2 Networks\",\"FbmMe7\":\"Linked addresses\",\"Fdp03t\":\"ενεργοποίηση\",\"Fjw9N+\":\"Περιουσιακά στοιχεία προς προμήθεια\",\"FmN0fk\":\"Restake\",\"G15AUr\":\"Sending cancel...\",\"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\":\"τελειώνει\",\"GtP2hp\":[\"Ο δανεισμός δεν είναι διαθέσιμος επειδή έχετε ενεργοποιήσει τη λειτουργία Αποδοτικότητας (E-Mode) για την κατηγορία \",[\"0\"],\". Για να διαχειριστείτε τις κατηγορίες E-Mode επισκεφθείτε τον <0>Πίνακα ελέγχου.\"],\"Gz07IS\":\"Your health factor after this swap will be critically low and may result in liquidation. Please choose a different asset or reduce the swap amount to stay safe.\",\"H1oAjw\":[[\"selectedCount\"],\" Categories\"],\"HB/wfS\":[[\"tooltipText\"]],\"HD4KkW\":[\"Swapping \",[\"0\"],\" collateral\"],\"HKDsQN\":\"Rewards can be claimed through\",\"Hi6Ttn\":\"Sorry, an unexpected error happened. In the meantime you may try reloading the page, or come back later.\",\"HkEDbS\":[[\"d\"],\"η\"],\"HlWGZc\":[\"Your \",[\"0\"],\" balance is lower than the selected amount.\"],\"HmkYqM\":\"Παράθυρο ξεκλειδώματος\",\"HpK/8d\":\"Reload\",\"HtBqo9\":\"sGHO\",\"HtuY7v\":\"Please connect your wallet to swap tokens.\",\"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\"],\"%.\"],\"I4Cxlm\":\"E-Mode required\",\"I8CX2c\":\"Το συνολικό ποσό των περιουσιακών σας στοιχείων σε δολάρια ΗΠΑ που μπορούν να χρησιμοποιηθούν ως εγγύηση για δανεισμό περιουσιακών στοιχείων.\",\"IAD2SB\":[\"Claiming \",[\"symbol\"]],\"IG9X9/\":\"Borrowing of this asset is limited to a certain amount to minimize liquidity pool insolvency.\",\"ILXMQA\":\"The Safety Module has been upgraded to <0>Umbrella, a new system that introduces automated slashing, aToken staking, and improved incentives design.\",\"IN8luu\":\"All done\",\"IOIx8L\":\"This asset is planned to be offboarded due to an Aave Protocol Governance decision. <0>More details\",\"IP+I/j\":\"Περίοδος ψύξης\",\"IaA40H\":\"Ρευστοποίηση στο\",\"IhAc6F\":\"Costs & Fees\",\"ImxB3A\":\"deposited\",\"IrtO2E\":\"You have assets with zero LTV that are blocking this operation. Please withdraw them or disable them as collateral first.\",\"J/hVSQ\":[[\"0\"]],\"JCoxL6\":\"Manage analytics\",\"JEdlTC\":\"Stablecoins\",\"JOqFba\":[\"Unstaking \",[\"symbol\"]],\"JPHuMW\":\"Swapping\",\"JPhc4G\":\"ETH Correlated\",\"JPrLjO\":\"Δεν μπορείτε να χρησιμοποιήσετε αυτό το νόμισμα ως εγγύηση\",\"JYKRJS\":\"Κλειδώστε\",\"JZMxX0\":\"Δεν υπάρχει αρκετό υπόλοιπο στο πορτοφόλι σας\",\"Jgflkm\":\"Get GHO\",\"JoMQnI\":\"Υπόλοιπο πορτοφολιού\",\"JtwD8u\":\"Borrow balance after repay\",\"JumYTK\":\"Supplied assets\",\"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\",\"KSlpka\":\"Αυτό αντιπροσωπεύει το κατώτατο όριο στο οποίο μια θέση δανεισμού θα θεωρηθεί υποεγγυημένη και θα υπόκειται σε ρευστοποίηση για κάθε εγγύηση. Για παράδειγμα, εάν μια εγγύηση έχει κατώτατο όριο ρευστοποίησης 80%, αυτό σημαίνει ότι η θέση θα ρευστοποιηθεί όταν η αξία του χρέους ανέρχεται στο 80% της αξίας της εγγύησης.\",\"KYAjf3\":\"Απομονωμένο\",\"KkJaLD\":\"Borrow:\",\"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\":\"Λάθος δίκτυο\",\"KqoLVC\":\"Merkl rewards are claimed through the\",\"KsqhWn\":\"Κλείδωμα\",\"KuBTQq\":\"Εισάγετε διεύθυνση ETH\",\"KvG1xW\":\"Διεκδίκηση\",\"L+8Lzs\":\"Τρέχον LTV\",\"L+qiq+\":\"Αγορά\",\"L2tU22\":\"Learn more about Ethena Rewards program\",\"L3ZyJR\":[[\"popularSectionTitle\"]],\"LEdkyb\":\"Rewards to claim\",\"LIrMcF\":\"Δεν υπάρχει δικαίωμα ψήφου\",\"LL0zks\":\"Μπορεί να αποτελέσει εγγύηση\",\"LLdJWu\":\"Διεκδικήσιμο AAVE\",\"LSIpNK\":\"Δεν επιτρέπεται ο δανεισμός και η αποπληρωμή στο ίδιο block\",\"LVt3TI\":[\"<0>Slippage tolerance <1>\",[\"selectedSlippage\"],\"% <2>\",[\"0\"],\"\"],\"Lhf8zD\":\"Waiting for actions...\",\"Lp2cTp\":\"Eligible for incentives through Merkl.\",\"LvVpD/\":\"Emode\",\"Ly2enB\":\"This will cancel the order via an on-chain transaction. Note that the order will not be marked as cancelled in the CoW Protocol system, but will remain open and expire naturally. Keep in mind that a solver may already have filled your order.\",\"M1RnFv\":\"Expired\",\"M2sknc\":\"Tip: Try increasing slippage or reduce input amount\",\"MKiONF\":\"Activating Cooldown\",\"MOvzXm\":\"Comparing best rates...\",\"MRwaR4\":\"This will require two separate transactions: one to change E-Mode and one to supply.\",\"MZ/nQf\":\"Διεύθυνση παραλήπτη\",\"MZbQHL\":\"No results found.\",\"Ma/MtY\":\"προβολή κλειδώματος\",\"McHlGl\":\"APY change\",\"MeCCA+\":\"APY, μεταβλητό\",\"MghdTe\":\"Εάν ο συντελεστής υγείας πέσει κάτω από το 1, ενδέχεται να ενεργοποιηθεί η ρευστοποίηση των εγγυήσεών σας.\",\"MlRlXX\":\"Current APY\",\"Mm/DVQ\":\"Ακυρώσατε τη συναλλαγή.\",\"MnE2QX\":\"Borrow info\",\"MuDFEQ\":\"Μη έγκυρη τιμή επιστροφής της συνάρτησης εκτελεστή flashloan\",\"My0ZGV\":\"Learn more about the Kernel points distribution\",\"N+3mX2\":\"Please connect your wallet to swap debt.\",\"N39Ax4\":\"Ethereum\",\"N40H+G\":\"All\",\"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\",\"ND1ISA\":\"Weekly Rewards\",\"NF0e1Q\":\"Εκκρεμεί...\",\"NK9ikO\":\"Wallet Balance\",\"NMt2CB\":\"Amount claimable\",\"Na7NlU\":[[\"remainingCustomMessage\"]],\"NcFGxG\":\"Collector Contract\",\"NfpPeS\":\"Τίποτα κλειδωμένο\",\"Nh9DAo\":[[\"m\"],\"λ\"],\"Npz7kI\":\"Inquiry\",\"O+sCUU\":\"Υπέρβαση του ανώτατου ορίου νομισματοκοπείου χωρίς αντίκρισμα\",\"O+tyU+\":[\"Maximum amount available to borrow against this asset is limited because debt ceiling is at \",[\"0\"],\"%.\"],\"O3oNi5\":\"Email\",\"OC4Tzv\":\"here\",\"OFjZGo\":\"Unstake\",\"OR8cYX\":\"Επισκόπηση πρότασης\",\"OYuJ9K\":\"Protocol debt ceiling is at 100% for this asset. Futher borrowing against this asset is unavailable.\",\"OfhWJH\":\"Reset\",\"Og2SKn\":\"απενεργοποιημένο\",\"OiykRd\":\"Deposit GHO\",\"On0aF2\":\"Website\",\"OqAwLU\":\"Protocol APY\",\"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\":\"Κατώτατο όριο ρευστοποίησης\",\"PctCOf\":\"A temporary contract will be used to execute the trade. Your wallet may show a warning for approving a new or empty address.\",\"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.\",\"QONKTE\":\"Merit Rewards\",\"QQYsQ7\":\"Withdrawing\",\"QZEgwS\":\"Execution fee\",\"R+30X3\":\"Δεν έχει επιτευχθεί\",\"R9Khdg\":\"Auto\",\"RCU5PY\":\"Age\",\"RIfckG\":[\"Απενεργοποίηση \",[\"symbol\"],\" ως εγγύηση\"],\"RMtxNk\":\"Διαφορικό\",\"RNK49r\":\"Μη έγκυρη υπογραφή\",\"RS0o7b\":\"Κατάσταση\",\"RTG4/6\":\"There are no stake assets configured for this market\",\"RU+LqV\":\"Λεπτομέρειες πρότασης\",\"RYfdBk\":\"Visit <0><1>https://aave.self.xyz/ to get started with Self’s ZK-powered proof-of-humanity authentication.\",\"RZbjLY\":[\"See \",[\"0\"],\" more\"],\"Rg4K+m\":\"Cannot switch to this category\",\"RiSYV4\":\"Το περιουσιακό στοιχείο δεν περιλαμβάνεται στον κατάλογο\",\"Rj01Fz\":\"Σύνδεσμοι\",\"RmWFEe\":\"Κλείδωμα APR\",\"RtBLm7\":\"Ο συντελεστής υγείας είναι μικρότερος από το όριο ρευστοποίησης\",\"RvF1Ts\":\"stkGHO is now Savings GHO\",\"RxzN1M\":\"Ενεργοποιημένο\",\"SBv4zo\":[[\"0\"],\" collateral would have 0% LTV in this category. Disable \",[\"1\"],\" as collateral to use this option.\"],\"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\",\"SNmu1z\":\"Shares are Umbrella Stake Tokens you receive when staking. They represent your ownership in the pool, and the amount of underlying you can redeem depends on the current exchange rate between shares and the underlying.\",\"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\",\"SZkDmY\":\"The swap could not be completed. Try increasing slippage or changing the amount.\",\"Sa1UE/\":\"Protocol borrow cap is at 100% for this asset. Further borrowing unavailable.\",\"Sk2zW9\":\"Απενεργοποίηση E-Mode\",\"St4jqF\":\"This list may not include all your swaps.\",\"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\":\"Ποινή ρευστοποίησης\",\"TLJkuL\":\"Category assets\",\"TQ7WsV\":\"Available to stake\",\"TUI7iB\":\"To περιουσιακό στοιχείο μπορεί να χρησιμοποιηθεί ως εγγύηση μόνο σε λειτουργία απομόνωσης.\",\"TbjyhA\":\"Docs\",\"TduuS0\":\"Ο χρήστης δεν έχει ανεξόφλητο χρέος σταθερού επιτοκίου σε αυτό το αποθεματικό\",\"Tg1JyO\":\"Bridge history\",\"TszKts\":\"Borrow balance after switch\",\"Tw07Vv\":\"Show assets with small balance\",\"TwJI9F\":\"Asset has been successfully sent to CCIP contract. You can check the status of the transactions below\",\"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.\",\"UMgOim\":\"Send cancel\",\"URmyfc\":\"Λεπτομέρειες\",\"UTTKmT\":\"Stake cooldown activated\",\"UXeR72\":\"Τα κεφάλαια αυτά έχουν δανειστεί και δεν είναι διαθέσιμα για ανάληψη αυτή τη στιγμή.\",\"UYb8CM\":\"Learn more about the SPK rewards\",\"UbRrG0\":\"Ο δείκτης μέγιστου LTV αντιπροσωπεύει τη μέγιστη δανειοληπτική ικανότητα μιας συγκεκριμένης εγγύησης. Για παράδειγμα, εάν μια εγγύηση έχει LTV 75%, ο χρήστης μπορεί να δανειστεί έως και 0,75 ETH στο κύριο νόμισμα για κάθε 1 ETH αξίας εγγύησης.\",\"UiO4Hu\":[\"You'll need to wait \",[\"0\"],\" before you can unstake your tokens. This cooldown starts when you request to unstake. Once it ends, you can withdraw during the unstake window.\"],\"UpndFj\":\"Δεν υπάρχουν ανταμοιβές για διεκδίκηση\",\"V0f2Xv\":\"Reserve factor\",\"V1HK43\":\"Migration risks\",\"V7QGpc\":\"I understand the liquidation risk and want to proceed\",\"V7SFse\":[\"I confirm the swap knowing that I could lose up to <0>\",[\"0\"],\"% on this swap.\"],\"VATFH9\":\"Covered debt\",\"VHOVEJ\":\"Συνδέστε το πορτοφόλι\",\"VMfYUK\":\"Ασφάλεια των κατατεθειμένων εξασφαλίσεών σας έναντι των δανειζόμενων περιουσιακών στοιχείων και της υποκείμενης αξίας τους.\",\"VOAZJh\":\"Σύνολο δανείων\",\"ViKYxK\":\"ΥΠΕΡ\",\"VnQFYr\":\"Claiming all merit rewards only\",\"W1SSoD\":\"Αναθεώρηση λεπτομερειών συναλλαγής\",\"W5hVah\":\"Τίποτα δεν έχει παρασχεθεί ακόμη\",\"W5kTFy\":\"Voting\",\"WHrVwg\":\"Loading quote...\",\"WMJGls\":\"Estimated Costs & Fees\",\"WNGZwH\":\"Το E-Mode αυξάνει το LTV σας για μια επιλεγμένη κατηγορία περιουσιακών στοιχείων έως και <0/>. <1>Μάθετε περισσότερα\",\"WPWG/y\":\"Κατάσταση & διαμόρφωση αποθεματικού\",\"WS67YQ\":\"Let us know how we can help you. You may also consider joining our community\",\"WT188T\":\"Withdraw & Swap\",\"WZLQSU\":\"Ο χρήστης δεν μπορεί να κάνει ανάληψη μεγαλύτερη από το διαθέσιμο υπόλοιπο\",\"WaZyaV\":\"<0>Ampleforth is a rebasing asset. Visit the <1>documentation to learn more.\",\"WbTDwg\":\"In Progress\",\"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\":\"Για να δανειστείτε πρέπει να προσκομίσετε οποιοδήποτε περιουσιακό στοιχείο που θα χρησιμοποιηθεί ως εγγύηση.\",\"X/ITG9\":\"Κείμενο σφάλματος αντιγραφής\",\"X3Pp6x\":\"Χρησιμοποιείται ως εγγύηση\",\"X4Zt7j\":\"Η ενέργεια δεν μπορεί να εκτελεστεί επειδή η εφεδρεία βρίσκεται σε παύση\",\"X4tRM3\":[[\"0\"],\" \",[\"symbol\"],\" to continue\"],\"XBdKOj\":\"Representative smart contract wallet (ie. Safe) addresses on other chains.\",\"XPN5UR\":\"User denied the operation.\",\"XYLcNv\":\"Support\",\"XZzneG\":\"Θα βγείτε από τη λειτουργία απομόνωσης και άλλα tokens μπορούν πλέον να χρησιμοποιηθούν ως εγγύηση\",\"Xe5bTg\":\"Deposit APR\",\"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.\",\"XwKkg/\":\"Staked Underlying\",\"Xy+o6U\":\"For security reasons, limit orders are not supported for Native tokens. To place a limit order, use the wrapped version.\",\"Xy71ST\":\"Umbrella\",\"Y+hUcK\":\"Merit Program and Self rewards can be claimed\",\"Y46iXX\":\"The order could't be filled.\",\"Y5Orec\":\"Collateral options\",\"Y5kGkc\":\"ΨΗΦΙΣΤΕ ΚΑΤΑ\",\"YD+nXc\":\"Aave Shield\",\"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.\",\"Ya/che\":\"Stake token shares\",\"Ykj2Om\":\"Default slippage\",\"YogbCJ\":\"Testnet mode is ON\",\"YrDxdO\":\"Εάν το δάνειο προς αξία υπερβεί το όριο ρευστοποίησης, η παρεχόμενη εγγύηση σας μπορεί να ρευστοποιηθεί.\",\"YrcHPy\":\"VIEW\",\"YyIM65\":\"Δεν τηρήθηκαν οι όροι επανεξισορρόπησης των επιτοκίων\",\"YyydIq\":[\"Add \",[\"0\"],\" to wallet to track your balance.\"],\"Z3FXyt\":\"Loading...\",\"Z99M+T\":\"This is an off-chain operation. Keep in mind that a solver may already have filled your order.\",\"ZBvhI+\":\"Διακυβέρνηση Aave\",\"ZIIRAd\":\"Raw-Ipfs\",\"ZRq4tX\":\"Λειτουργία αποδοτικότητας (E-Mode)\",\"ZRuM45\":\"These are the estimated costs associated with your limit swap, including costs and fees. Consider these costs when setting your order amounts to help optimize execution and maximize your chances of filling the order.\",\"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\",\"aCgA+I\":\"E-Mode change\",\"aEtiwq\":\"Ψηφίστε ΚΑΤΑ\",\"aMmFE1\":\"Buy Crypto With Fiat\",\"aOKIms\":\"Οι παράμετροι της συστοιχίας που θα έπρεπε να είναι ίσου μήκους δεν είναι\",\"aQYztl\":[\"Repaying \",[\"0\"]],\"aXgo8+\":\"from the\",\"adUsDd\":\"An error has occurred fetching the proposal.\",\"afk1Wt\":[\"This asset can only be used as collateral in E-Mode: \",[\"0\"]],\"aoXTT7\":\"Δανεισμός APY, μεταβλητό\",\"aqX1Yp\":\"This asset is eligible for rewards through SuperFest. Aave Labs does not guarantee the program and accepts no liability.\",\"b4NS3e\":\"Προειδοποίηση περιόδου ψύξης\",\"bBHmeP\":\"Available to withdraw\",\"bNEQeI\":\"Cooldown\",\"bUUVED\":\"Περιουσιακό στοιχείο\",\"bXQ/Og\":\"Μοιραστείτε το στο twitter\",\"bXr0ee\":\"Τα απομονωμένα περιουσιακά στοιχεία έχουν περιορισμένη δανειοληπτική ικανότητα και άλλα περιουσιακά στοιχεία δεν μπορούν να χρησιμοποιηθούν ως εγγύηση.\",\"bYmAV1\":\"Addresses\",\"bYtb3C\":\"Network costs\",\"bguKoJ\":\"Το αιτούμενο ποσό είναι μεγαλύτερο από το μέγιστο μέγεθος δανείου στη λειτουργία σταθερού επιτοκίου\",\"bm/mjh\":\"This is a program initiated and implemented by the Aave Chan Initiative (ACI). Aave Labs does not guarantee the program and accepts no liability.\",\"bq0uL+\":\"supply\",\"bwSQI0\":\"Προσφορά\",\"bxN6EM\":\"Cannot disable E-Mode\",\"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.\",\"cc6gEH\":\"Incentives APR\",\"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\"]],\"cqwIvs\":\"Συζήτηση φόρουμ\",\"csDS2L\":\"Διαθέσιμο\",\"cu7Stb\":\"Δεν συμμετείχατε στην παρούσα πρόταση\",\"cuxGZP\":\"Low health factor after swap. Your position will carry a higher risk of liquidation.\",\"d9YZVR\":\"Principle Tokens\",\"dE6BLF\":\"Διακυβέρνηση\",\"dEgA5A\":\"Cancel\",\"dIsyWh\":\"Η επικύρωση του Ltv απέτυχε\",\"dOB5nW\":[\"Maximum amount available to supply is <0/> \",[\"0\"],\" (<1/>).\"],\"dVfODp\":\"Δεν έχετε αρκετά χρήματα στο πορτοφόλι σας για να αποπληρώσετε ολόκληρο το ποσό. Εάν προχωρήσετε στην αποπληρωμή με το τρέχον ποσό των χρημάτων σας, θα εξακολουθείτε να έχετε μια μικρή θέση δανεισμού στο ταμπλό σας.\",\"dXUQFX\":\"Περιουσιακά στοιχεία προς δανεισμό\",\"dYG3JG\":\"Data couldn't be loaded.\",\"dZQvSq\":\"Please review the swap values before confirming.\",\"dfDzrk\":[\"Supply cap reached for \",[\"symbol\"],\". Reduce the amount or choose a different asset.\"],\"dgFOcr\":\"L1 Networks\",\"dgr1aY\":\"Borrowing is disabled due to an Aave community decision. <0>More details\",\"djsg0o\":\"Χρησιμοποίηση εγγυήσεων\",\"drdV8R\":\"Liquidation\",\"dxW8cS\":\"Aave debt token\",\"e/ghIe\":[\"This transaction will enable E-Mode (\",[\"0\"],\"). Borrowing will be restricted to assets within this category.\"],\"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\",\"eQ0Wu0\":\"Please connect a wallet to view your balance here.\",\"eVpCmf\":\"Staking Rewards\",\"eVqvtf\":\"Bridge GHO\",\"eYdurp\":\"No transactions yet.\",\"ebLGGN\":\"Σύνολο δανεικών\",\"ecqEvn\":\"Το υπόλοιπο των εγγυήσεων είναι 0\",\"edXiYw\":[\"You've successfully swapped \",[\"0\"],\".\"],\"efdrrk\":\"Available on\",\"enruNF\":\"starts\",\"eqLYiD\":\"Ξεκλειδώστε τώρα\",\"evw5ha\":\"Καθαρή αξία\",\"ezcU16\":\"Get ABP Token\",\"f2e3vu\":[\"Deposit GHO into savings GHO (sGHO) and earn <0>\",[\"0\"],\"% APY on your GHO holdings. There are no lockups, no rehypothecation, and you can withdraw anytime. Simply deposit GHO, receive sGHO tokens representing your balance, and watch your savings grow earning claimable rewards from merit.\"],\"f3W0Ej\":[\"Αλλάξατε σε ποσοστό \",[\"0\"]],\"fMJQZK\":\"Borrowed\",\"fZ5Vnu\":\"Received\",\"firl9Q\":\"Το τρέχον δάνειο προς αξία με βάση τις παρεχόμενες εξασφαλίσεις σας.\",\"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\",\"g4Ius4\":\"This is the fee for executing position changes, set by governance.\",\"g8KGoA\":\"FAQS\",\"g9zzqS\":\"Voted NAY\",\"gDd2gk\":\"about SuperFest.\",\"gIMJlW\":\"Λειτουργία Testnet\",\"gK+IvE\":\"Withdraw and Swap\",\"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\",\"gjxiVa\":[\"This swap has a price impact of \",[\"0\"],\"%, which exceeds the 25% safety threshold. To proceed, disable Aave Shield in the settings menu.\"],\"goff7V\":\"Η μηδενική διεύθυνση δεν είναι έγκυρη\",\"gvTM4B\":\"Το καθαρό ΑΡΥ είναι η συνδυασμένη επίδραση όλων των θέσεων προσφοράς και δανεισμού στην καθαρή αξία, συμπεριλαμβανομένων των κινήτρων. Είναι δυνατόν να υπάρχει αρνητικό καθαρό APY εάν το χρεωστικό APY είναι υψηλότερο από το προσφερόμενο APY.\",\"gzcch9\":\"Μη έγκυρη αμοιβή πρωτοκόλλου γέφυρας\",\"h33MxW\":\"Representing smart contract wallet (ie. Safe) addresses on other chains.\",\"h3ilK+\":\".CSV\",\"h5hG6q\":\"This is the cost of settling your order on-chain, including gas and any LP fees.\",\"hB23LY\":\"Activate Cooldown\",\"hIJzBh\":\"Available to Claim\",\"hIS4N0\":\"Καθαρό APY\",\"hQRttt\":\"Submit\",\"hRWvpI\":\"Claimed\",\"hb8ajh\":\"Debt Swap\",\"hdmy/o\":\"Το % της συνολικής δανειοληπτικής σας δύναμης που χρησιμοποιείται. Αυτό βασίζεται στο ποσό της παρεχόμενης εξασφάλισής σας και στο συνολικό ποσό που μπορείτε να δανειστείτε.\",\"hehnjM\":\"Ποσό\",\"hjDCQr\":\"Υπήρξε κάποιο σφάλμα. Προσπαθήστε να αλλάξετε τις παραμέτρους ή <0><1>αντιγράψτε το σφάλμα\",\"hom7qf\":\"Διεκδίκηση\",\"hpHJ4I\":\"Liquidated collateral\",\"hrhwub\":\"dashboard\",\"huQ6Tz\":[\"Δανεισμός \",[\"symbol\"]],\"hxYu+F\":\"Borrow: All eligible assets\",\"i/fZ2Z\":\"Staked Balance\",\"i9qiyR\":\"Expires in\",\"iB5+/J\":\"About GHO\",\"iChbOF\":\"Ασυνεπείς παράμετροι flashloan\",\"iEPVHF\":\"Δεν έχει αρκετή δύναμη ψήφου για να συμμετάσχει στην παρούσα πρόταση\",\"iEW87X\":\"Delegated power\",\"iEju36\":[\"Ψηφίσατε \",[\"0\"]],\"iFq2YN\":\"Borrowable\",\"iGxyIA\":\"Safety Module\",\"iIuDE1\":\"Estimated weekly rewards based on your current sGHO balance and APR. Actual rewards may vary depending on market conditions.\",\"iKfD53\":\"Transaction history for Plasma not supported yet, coming soon.\",\"iMVZk9\":\"Select slippage tolerance\",\"iNYgey\":\"Get Support\",\"iPMIoT\":\"Εισάγετε ένα ποσό\",\"iSLIjg\":\"Connect\",\"iUo5rv\":\"tokens δεν είναι το ίδιο με το να τα κλειδώνετε. Εάν επιθυμείτε να κλειδώσετε τα\",\"iZxa38\":\"Use it to vote for or against active proposals.\",\"iboNXd\":\"Amount received\",\"iddNqA\":\"This transaction will disable E-Mode. All assets will revert to their base LTV and liquidation thresholds.\",\"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\"],\"ih/VjN\":\"Staking this amount will reduce your health factor and increase risk of liquidation.\",\"il0sEG\":\"H χρήση εγγυήσεων είναι περιορισμένη λόγω της λειτουργίας Απομόνωσης.\",\"j+K1Xj\":\"Amount After Fee\",\"j4SXZo\":\"Claim all merit rewards\",\"j7JHV+\":\"Total APY\",\"j8cF1R\":\"Cooling down\",\"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\",\"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.\",\"jZkYWO\":\"Boosted LTV\",\"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 για να αποκτήσετε πρόσβαση σε όλα τα περιουσιακά στοιχεία\",\"jqVo/k\":\"here.\",\"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\"],\"kMi0nz\":\"sGHO Merit APY History\",\"kN1Yg5\":\"Για την εξόφληση εκ μέρους ενός χρήστη απαιτείται ένα ρητό ποσό προς εξόφληση\",\"kNiQp6\":\"Pinned\",\"kRTD40\":[\"Repayment amount to reach \",[\"0\"],\"% utilization\"],\"kgKqPv\":\"You can not stake this amount because it will cause collateral call\",\"kj3M8S\":\"Deposit\",\"kjN9tT\":\"Υπέρβαση του ανώτατου ορίου προσφοράς\",\"kn+s7w\":[[\"0\"],\" collateral would have 0% LTV without E-Mode. Disable \",[\"1\"],\" as collateral to use this option.\"],\"knxE+G\":\".JSON\",\"ks2LWT\":\"Το ανώτατο όριο χρέους δεν είναι μηδενικό\",\"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.\",\"kzeZTm\":\"LTV\",\"lCF0wC\":\"Refresh\",\"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.\",\"lXb3Ih\":[\"This asset has 0 LTV and cannot be used as collateral. Enable an E-Mode to use \",[\"symbol\"],\" as collateral.\"],\"lXj2Sq\":\"Repay with Collateral\",\"lYGfRP\":\"Αγγλικά\",\"lfEjIE\":\"Μάθετε περισσότερα στον οδηγό <0>Συχνών Ερωτήσεων\",\"ljF4ko\":\"The selected rate is lower than the market price. You might incur a loss if you proceed.\",\"lqCWte\":[\"Deposit GHO and earn \",[\"0\"],\"% APY\"],\"lu7f+8\":\"Blocked by Shield\",\"m/IEhi\":\"Συνολικές εκπομπές ανά ημέρα\",\"m7r7Hh\":\"Selected borrow assets\",\"mDDK4p\":\"Balancer Pool\",\"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.\"],\"me5LMQ\":\"Checking approval\",\"mogZv0\":\"Favourite\",\"muiOng\":[\"Buy \",[\"cryptoSymbol\"],\" with Fiat\"],\"mvCXBY\":\"Stake AAVE\",\"mwdzil\":\"Εντάξει, Κλείσιμο\",\"mzDAU3\":\"Savings GHO (sGHO)\",\"mzdIia\":\"Το περιουσιακό στοιχείο δεν μπορεί να χρησιμοποιηθεί ως εγγύηση.\",\"n+SX4g\":\"Προγραμματιστές\",\"n1na81\":\"No eligible assets to swap.\",\"n4PWtp\":\"Depositing\",\"nJIhzm\":\"Προσφορά apy\",\"nJgsQu\":\"Με δύναμη ψήφου <0/>\",\"nLC6tu\":\"Γαλλικά\",\"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\",\"nPGNMh\":\"Μπορεί να εκτελεστεί\",\"nUK1ou\":[\"Assets with zero LTV (\",[\"0\"],\") must be withdrawn or disabled as collateral to perform this action\"],\"neITkT\":\"This asset has 0% LTV, meaning it does not contribute to borrowing power. Existing positions with this asset as collateral still count toward the liquidation threshold and protect your health factor. New positions cannot enable this asset as collateral.\",\"njBeMm\":\"Both\",\"ntyFSE\":[[\"h\"],\"ω\"],\"nwIsn4\":\"After the cooldown is initiated, you will be able to withdraw your assets immediatley.\",\"nweCqF\":\"Cancelling order...\",\"nwtY4N\":\"Something went wrong\",\"nxyWvj\":\"Withdrawing this amount will reduce your health factor and increase risk of liquidation.\",\"o17QVP\":\"Ο συντελεστής υγείας και το δάνειο προς αξία καθορίζουν τη διασφάλιση των εξασφαλίσεών σας. Για να αποφύγετε τις ρευστοποιήσεις μπορείτε να παράσχετε περισσότερες εξασφαλίσεις ή να εξοφλήσετε δανειακές θέσεις.\",\"o1xc2V\":\"Η προσφορά AToken δεν είναι μηδενική\",\"o5ooMr\":\"Χρέος\",\"o7J4JM\":\"Φίλτρο\",\"o7Yloh\":\"Learn more about the Ether.fi program\",\"oHFrpj\":\"Ψύξτε για ξεκλείδωμα\",\"oJ5ZiG\":\"Ο χρήστης δεν έχει ανεξόφλητο χρέος μεταβλητού επιτοκίου σε αυτό το αποθεματικό\",\"oUwXhx\":\"Test Assets\",\"oWQnqT\":\"Staking this asset will earn the underlying asset supply yield in addition to other configured rewards.\",\"oWklJD\":\"Το σταθερό επιτόκιο θα <0>μείνει το ίδιο για όλη τη διάρκεια του δανείου σας. Συνιστάται για μακροχρόνιες περιόδους δανεισμού και για χρήστες που προτιμούν την προβλεψιμότητα.\",\"odnIK3\":\"Time remaining until the 48 hour withdraw period starts.\",\"ogU9GD\":\"Target liquidity\",\"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.\",\"om/XHs\":\"Διαθέσιμο για προμήθεια\",\"omq5qJ\":\"Claiming all protocol rewards and merit rewards together\",\"ovBPCi\":\"Default\",\"ovT1pF\":[\"Per the community, the \",[\"market\"],\" has been frozen.\"],\"ow3fug\":\"Nothing found\",\"owSsI3\":\"Signatures ready\",\"p+R52m\":\"Go to Balancer Pool\",\"p2S64u\":\"The loan to value of the migrated positions would cause liquidation. Increase migrated collateral or reduce migrated borrow to continue.\",\"p2Z2Qi\":\"Αυτό το περιουσιακό στοιχείο έχει φθάσει στο ανώτατο όριο δανεισμού του. Τίποτα δεν είναι διαθέσιμο για δανεισμό από αυτή την αγορά.\",\"p45alK\":\"Set up delegation\",\"pDgeaz\":[[\"title\"]],\"pdZqBk\":\"Το υποκείμενο υπόλοιπο πρέπει να είναι μεγαλύτερο από 0\",\"pgWG9H\":\"Δεν υπάρχει αρκετό κλειδωμένο υπόλοιπο\",\"ph9+uj\":[\"Switching to \",[\"networkName\"],\"...\"],\"piPrJ7\":\"παρακαλούμε ελέγξτε ότι το ποσό που θέλετε να παρέχετε δεν χρησιμοποιείται επί του παρόντος για κλείδωμα. Εάν χρησιμοποιείται για κλείδωμα, η συναλλαγή σας ενδέχεται να αποτύχει.\",\"pjO/iH\":\"Minimum amount received\",\"pooutM\":\"Voting is on\",\"pqaM5s\":\"Confirming transaction\",\"ptaxX3\":[\"Καταλαβαίνω πώς λειτουργεί η ψύξη (\",[\"0\"],\") και το ξεκλείδωμα (\",[\"1\"],\")\"],\"pup/ej\":\"Net Protocol Incentives\",\"py2iiY\":\"Ο καλών αυτής της συνάρτησης πρέπει να είναι ένα κοινόχρηστο ταμείο\",\"q/51mF\":\"Migrate to V3\",\"q3df11\":\"Interest rate strategy\",\"q6lAbz\":\"Κλειδωμένο\",\"qB4kPi\":\"Προσφορά APY\",\"qENI8q\":\"Γενικές ρυθμίσεις\",\"qGz5zl\":\"Collateral balance after repay\",\"qKfida\":\"Staked tokens are wrapped and use an exchange rate. You may see fewer token shares, but the value matches your deposit and will grow as yield accrues.\",\"qOqbD6\":\"αντιγράψτε το σφάλμα\",\"qXCkEM\":\"Συνδέστε το πορτοφόλι σας για να δείτε τις προμήθειες, τα δάνεια και τις ανοιχτές θέσεις σας.\",\"qY2jnw\":\"Μη έγκυρη λήξη\",\"qhhf9L\":\"Rewards available to claim\",\"qtS7wW\":\"Thank you for voting\",\"quYPUU\":\"Variable interest rate will <0>fluctuate based on the market conditions.\",\"quzIeW\":\"User is in isolation mode or LTV is zero\",\"qvnz3q\":\"Μη έγκυρη ποσότητα προς καύση\",\"qz6JVE\":[\"Your order amounts are \",[\"0\"],\" less favorable by \",[\"1\"],\"% to the liquidity provider than recommended. This order may not be executed.\"],\"qz9c6b\":[\"Repaying \",[\"0\"],\" with \",[\"1\"]],\"qzFp5D\":\"All Categories\",\"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\",\"riNWOA\":\"E-Mode\",\"rjGI/Q\":\"Privacy\",\"rnKPW1\":\"Watch a wallet balance in read-only mode\",\"rojvRp\":\"Approval by signature not available\",\"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\",\"t/ct9N\":\"Auto Slippage\",\"tBIz3I\":[\"Supply \",[\"0\"],\" and double your yield by <0><1>verifying your humanity through Self for \",[\"1\"],\" per user.\"],\"tCnbEs\":\"Τιμή Oracle\",\"tFZLf8\":\"Αυτός ο υπολογισμός gas είναι μόνο μια εκτίμηση. Το πορτοφόλι σας θα καθορίσει την τιμή της συναλλαγής. Μπορείτε να τροποποιήσετε τις ρυθμίσεις gas απευθείας από τον πάροχο του πορτοφολιού σας.\",\"tHuvQI\":\"Go to V3 Dashboard\",\"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\"],\"tVJk4q\":\"Cancel order\",\"te9Bfl\":\"Παρακαλώ, συνδέστε το πορτοφόλι σας\",\"tj6dr4\":\"Merit Program rewards can be claimed\",\"tt5yma\":\"Οι προμήθειές σας\",\"tw6G0s\":[\"You must disable \",[\"0\"],\" as collateral before exiting E-Mode. These assets have 0 LTV outside of E-Mode and cannot be used as collateral.\"],\"u3ZeYl\":\"Η συναλλαγή απέτυχε\",\"u706uF\":\"Άκυρη πριμοδότηση flashloan\",\"u8Gfu7\":[\"No search results\",[\"0\"]],\"uAQUqI\":\"Status\",\"uGG4Lk\":\"Claim all protocol rewards\",\"uHMwk8\":\"No assets selected to migrate.\",\"uI3SjW\":\"Connection Error\",\"uJOI6M\":\"Tip: Try improving your order parameters\",\"uJPHuY\":\"Migrating\",\"uRXR6h\":[\"Swap \",[\"0\"],\" debt\"],\"uZiu4N\":\"There is an active order for the same sell asset (avoid nonce reuse).\",\"udFheE\":\"Για την αποπληρωμή ενός συγκεκριμένου τύπου χρέους, ο χρήστης πρέπει να έχει χρέος αυτού του τύπου\",\"ulNuNq\":\"Export data to\",\"ulup2p\":\"Buy Crypto with Fiat\",\"usB84Z\":\"Maximum amount available to borrow is limited because protocol borrow cap is nearly reached.\",\"uyLjNw\":\"Custom slippage\",\"v+Fu0z\":\"This asset is eligible for Kernel points incentive program. Aave Labs does not guarantee the program and accepts no liability.\",\"v0CIlJ\":\"You have no rewards to claim at this time.\",\"v8x7Mg\":\"Insufficient collateral to cover new borrow position. Wallet must have borrowing power remaining to perform debt switch.\",\"vEqxH9\":\"Restaked\",\"vH2C/2\":\"Swap\",\"vLyv1R\":\"Απόκρυψη\",\"vMba49\":\"Ο δανεισμός δεν είναι ενεργοποιημένος\",\"vMpNwt\":\"Approve with\",\"vNAHA2\":\"PTs\",\"vXIe7J\":\"Γλώσσα\",\"vesuBJ\":\"Σας επιτρέπει να αποφασίσετε αν θα χρησιμοποιήσετε ένα παρεχόμενο περιουσιακό στοιχείο ως εγγύηση. Ένα περιουσιακό στοιχείο που χρησιμοποιείται ως εγγύηση θα επηρεάσει τη δανειοληπτική σας ικανότητα και τον συντελεστή υγείας.\",\"vv7kpg\":\"Cancelled\",\"w+V9Cx\":\"Σταθερό νόμισμα\",\"w/JtJ3\":\"Η σταθερή προσφορά χρέους δεν είναι μηδενική\",\"w1f8Ky\":\"Savings GHO\",\"w4VBY+\":\"Ανταμοιβές APR\",\"w9dLMW\":[[\"label\"]],\"wAOL+X\":[\"Εσείς \",[\"action\"],\" <0/> \",[\"symbol\"]],\"wBIsjb\":\"Discord channel\",\"wQZbc/\":\"Ο καλών της συνάρτησης δεν είναι AToken\",\"wRRqvW\":\"Δεν έχετε προμήθειες σε αυτό το νόμισμα\",\"wZFvVU\":\"ΨΗΦΙΣΤΕ ΥΠΕΡ\",\"wapGcj\":[[\"message\"]],\"wb/r1O\":[\"Βρύση \",[\"0\"]],\"wdxz7K\":\"Source\",\"weC8IO\":\"All Rewards\",\"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.\",\"wjFWDB\":\"No markets found\",\"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\",\"wuMdlk\":[\"This asset is eligible for \",[\"0\"],\" Sonic Rewards.\"],\"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.\",\"x+QJ9y\":[\"Category \",[\"selectedEmodeId\"]],\"x0TRLG\":[\"Repay your \",[\"0\"],\" \",[\"1\",\"plural\",{\"one\":\"borrow\",\"other\":\"borrows\"}],\" to use this category.\"],\"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\"]],\"yRkqG9\":\"Limit\",\"yYHqJe\":\"Μη έγκυρη διεύθυνση\",\"yZ5ngq\":\"Transaction details not available\",\"yZwLw6\":\"Track wallet\",\"yh2sjd\":[\"Price impact \",[\"0\"],\"%\"],\"yhvj6d\":\"Δεν μπορείτε να αλλάξετε τη χρήση ως λειτουργία εγγύησης για αυτό το νόμισμα, διότι θα προκαλέσει κλήση εγγύησης\",\"ylmtBZ\":\"The app is running in fork mode.\",\"ymNY32\":[\"Δεν υπάρχουν αρκετά κεφάλαια στο\",[\"0\"],\"αποθεματικό για δανεισμό\"],\"yv/Kz/\":\"Back home\",\"yz7wBu\":\"Κλείσιμο\",\"z4uGQg\":\"Υπέρβαση του ανώτατου ορίου χρέους\",\"z5JUmg\":[\"Estimated costs are \",[\"0\"],\"% of the sell amount. This order is unlikely to be filled.\"],\"z5UQOM\":\"Η εγγύηση που έχει επιλεγεί δεν μπορεί να ρευστοποιηθεί\",\"z5Y+p6\":[\"Παροχή \",[\"symbol\"]],\"zCjNKs\":\"Η ενέργεια δεν μπορεί να εκτελεστεί επειδή το αποθεματικό έχει παγώσει\",\"zNgzxM\":\"Excludes variable supply APY\",\"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\",\"zZmf1N\":\"Filled\",\"zgtIDV\":\"Υπολειπόμενο χρέος\",\"zmTPiV\":\"Υπόλοιπο προσφοράς\",\"zpPbZl\":\"Liquidation risk parameters\",\"zqp4Tm\":\"Unable to Connect\",\"zr58Jd\":\"Umbrella is the upgraded version of the Safety Module. Manage your previously staked assets\",\"zucql+\":\"Μενού\",\"zv/j10\":[\"Active \",[\"0\"],\" borrow is not compatible with this category. Repay your \",[\"1\"],\" borrow to use this option.\"],\"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.\",\"+EGVI0\":\"Receive (est.)\",\"+Tzhaj\":\"You've successfully swapped borrow position.\",\"+eOPG+\":\"Φαίνεται ότι δεν μπορούμε να αλλάξουμε το δίκτυο αυτόματα. Ελέγξτε αν μπορείτε να το αλλάξετε από το πορτοφόλι.\",\"+kLZGu\":\"Supplied asset amount\",\"/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\",\"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\",\"1Onqx8\":[\"Έγκριση του \",[\"symbol\"],\"...\"],\"1m9Qqc\":\"Withdrawing and Switching\",\"1oyh4g\":\"Borrow rate\",\"2Q4GU4\":\"Blocked Address\",\"2bAhR7\":\"Meet GHO\",\"2o/xRt\":\"Επίτευξη του ανώτατου ορίου εφοδιασμού στο αποθεματικό-στόχο. Δοκιμάστε να \\nμειώσετε την ποσότητα.\",\"3O8YTV\":\"Total interest accrued\",\"4iPAI3\":\"Minimum GHO borrow amount\",\"6NGLTR\":\"Discountable amount\",\"6yAAbq\":\"APY, borrow rate\",\"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\",\"7sofdl\":\"Withdraw and Switch\",\"9rWaKF\":\"Bridged Via CCIP\",\"ARu1L4\":\"Repaid\",\"B6aXGH\":\"Σταθερό\",\"B9Gqbz\":\"Variable rate\",\"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.\",\"BjLdl1\":\"At a discount\",\"CMHmbm\":\"Slippage\",\"DxfsGs\":\"You can report incident to our <0>Discord or<1>Github.\",\"EBL9Gz\":\"COPIED!\",\"ES8dkb\":\"Fixed rate\",\"GoK/QN\":\"Thank you for submitting feedback!\",\"H6Ma8Z\":\"Discount\",\"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.\",\"HrnC47\":\"Save and share\",\"JK9zf1\":[\"Estimated compounding interest, including discount for Staking \",[\"0\"],\"AAVE in Safety Module.\"],\"JU6q+W\":\"Ανταμοιβή(ες) προς διεκδίκηση\",\"K05qZY\":\"Withdraw & Switch\",\"KRpokz\":\"VIEW TX\",\"KZwRuD\":[[\"notifyText\"]],\"LDzfVJ\":\"Send Feedback\",\"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\",\"MIy2RJ\":\"Maximum amount received\",\"MrmQHg\":\"View Bridge Transactions\",\"N7dVh7\":\"Swap to\",\"QSh9Sn\":\"Swapped\",\"QWYCs/\":\"Stake GHO\",\"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.\",\"RoafuO\":\"Send feedback\",\"SSMiac\":\"Failed to load proposal voters. Please refresh the page.\",\"TeCFg/\":\"Borrow rate change\",\"TskbEN\":\"Holders of stkAAVE receive a discount on the GHO borrowing rate\",\"TtZL6q\":\"Discount model parameters\",\"Tz0GSZ\":\"blocked activities\",\"UE3KJZ\":\"Transaction history is not currently available for this market\",\"W8ekPc\":\"Back to Dashboard\",\"WMPbRK\":\"Μη υποστηριζόμενο\",\"YirHq7\":\"Feedback\",\"aX31hk\":\"Your balance is lower than the selected amount.\",\"al6Pyz\":\"Exceeds the discount\",\"avgETN\":\"Eligible for the Merit program.\",\"bSc4Zw\":\"Swaping\",\"bSruit\":\"ZKSync Ignite Program rewards are claimed through the\",\"bxmzSh\":\"Δεν υπάρχουν επαρκείς εγγυήσεις για την αποπληρωμή αυτού του ποσού χρέους με\",\"cqnmnD\":\"Effective interest rate\",\"dMtLDE\":\"to\",\"dpc0qG\":\"Μεταβλητό\",\"euScGB\":\"APY with discount applied\",\"fHcELk\":\"Καθαρό APR\",\"flRCF/\":\"Staking discount\",\"gncRUO\":\"This address is blocked on app.aave.com because it is associated with one or more\",\"gp+f1B\":\"Version 3\",\"gr8mYw\":\"You may borrow up to <0/> GHO at <1/> (max discount)\",\"hpuVIp\":\"Users who stake AAVE in Safety Module (i.e. stkAAVE holders) receive a discount on GHO borrow interest rate.\",\"hxi7vE\":\"Borrow balance\",\"i2JTiw\":\"You may enter a custom amount in the field.\",\"jMam5g\":[[\"0\"],\" Υπόλοιπο\"],\"jpctdh\":\"View\",\"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.\",\"lNVG7i\":\"Select an asset\",\"lt6bpt\":\"Collateral to repay with\",\"mIM0qu\":\"Expected amount to repay\",\"mUAFd6\":\"Version 2\",\"mzI/c+\":\"Download\",\"n8Psk4\":\"We couldn’t detect a wallet. Connect a wallet to stake and view your balance.\",\"nOy4ob\":\"We suggest you go back to the Dashboard.\",\"nakd8r\":\"stkAAVE holders get a discount on GHO borrow rate\",\"nh2EJK\":[\"Παρακαλώ μεταβείτε στο \",[\"networkName\"],\".\"],\"ntkAoE\":\"Discount applied for <0/> staking AAVE\",\"o4tCu3\":\"Borrow APY\",\"olREoo\":\"All borrow positions outside of this category must be closed to enable this category.\",\"ov0+mq\":\"Eligible for the ZKSync Ignite program.\",\"p2A+s1\":[\"Η περίοδος ψύξης είναι \",[\"0\"],\". Μετά την \",[\"1\"],\" περίοδο ψύξης, θα εισέλθετε στο παράθυρο ξεκλειδώματος \",[\"2\"],\". Θα συνεχίσετε να λαμβάνετε ανταμοιβές κατά τη διάρκεια της ψύξης και του παραθύρου ξεκλειδώματος.\"],\"p3j+mb\":\"Το υπόλοιπο της ανταμοιβής σας είναι 0\",\"p6u2s1\":\"Minimum amount of debt to be repaid\",\"qFD/ij\":\"You've successfully withdrew & swapped tokens.\",\"qT4Lfg\":\"You've successfully swapped tokens.\",\"qf/fr+\":\"Interest accrued\",\"rf8POi\":\"Borrowed asset amount\",\"ruc7X+\":\"Add stkAAVE to see borrow APY with the discount\",\"t81DpC\":[\"Approve \",[\"symbol\"],\" to continue\"],\"umICAY\":\"<0><1><2/>Add stkAAVE to see borrow rate with discount\",\"uwAUvj\":\"COPY IMAGE\",\"wyi0tk\":\"Swap borrow position\",\"yW1oWB\":\"Τύπος APY\",\"zevmS2\":\"<0><1><2/>Add <3/> stkAAVE to borrow at <4/> (max discount)\",\"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 4e9194b9d9..08a4c92cee 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.\"],\"+5vxU4\":\"Reward APY at target liquidity\",\"+9RBfc\":\"Thank you for submitting your inquiry!\",\"+F6nAX\":\"Save with sGHO\",\"+KaZP2\":\"Aave Labs does not guarantee the program and accepts no liability.\",\"+Nk14N\":\"Savings GHO token\",\"+VR63W\":[\"Participating in this \",[\"symbol\"],\" reserve gives annualized rewards.\"],\"+XNrRN\":\"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 restrictions, see the <1>help guide or the <2>Aave V3 Technical Paper.\",\"+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.\",\"+i3Pd2\":\"Borrow cap\",\"+nuEh/\":\"Estimated time\",\"+xMFF8\":\"Remind me\",\"/+Vmgq\":\"Total amount of underlying assets staked. This number represents the combined sum of your original asset and the corresponding aTokens staked in Umbrella.\",\"/1Qot4\":\"Protocol Rewards\",\"/1xACT\":\"Reward APY adjusts with total staked amount, following a curve that targets optimal staking levels.\",\"/57U31\":\"Amount to migrate\",\"/7ykiW\":\"Borrowing this amount will reduce your health factor and increase risk of liquidation.\",\"/FwCXs\":[[\"0\"],\" \",[\"symbol\"],\"...\"],\"/LCAwL\":\"In progress\",\"/ZyLeG\":\"Amount available to unstake\",\"/jQctM\":\"To\",\"/lDBHm\":\"FAQ\",\"/lMWs6\":[\"Deposit GHO and earn up to <0>\",[\"0\"],\"% APY\"],\"/yNlZf\":\"Stable borrowing is not enabled\",\"/yQcJM\":\"Total worth\",\"00AB2i\":\"User did not borrow the specified currency\",\"02/4d1\":\"We suggest you go back to the home page.\",\"0AmQcW\":\"Rate change\",\"0BF3yK\":\"Sorry, we couldn't find the page you were looking for.\",\"0RrIzN\":\"Select token\",\"0TAbjq\":\"Recent Transactions\",\"0jhlyw\":\"Liquidation risk\",\"0ojY+Y\":\"Current v2 Balance\",\"0r31vq\":\"Reward Token\",\"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.\",\"11xQTX\":[\"This asset is eligible for \",[\"0\"],\" Ethena Rewards.\"],\"18GnfY\":[\"Repay \",[\"0\"]],\"1AsVfF\":\"Price data is not currently available for this reserve on the protocol subgraph\",\"1LjK22\":\"Transaction history\",\"1PMU2v\":\"Learn more about the risks.\",\"1Ue8sX\":\"Please connect a wallet to view your personal information here.\",\"1W8DZp\":\"USDT on Ethereum requires approval reset before a new approval. This will require an additional transaction.\",\"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\",\"1t7rez\":\"Asset supply is limited to a certain amount to reduce protocol exposure to the asset and to help manage risks involved.\",\"2/aIvj\":\"Cancellation submited\",\"2C40JO\":[\"This transaction will switch E-Mode from \",[\"0\"],\" to \",[\"1\"],\". Borrowing will be restricted to assets within the new category.\"],\"2Eoi/a\":\"View details\",\"2FYpfJ\":\"More\",\"2O3qp5\":\"Available liquidity\",\"2OIfa1\":\"Please connect your wallet to swap collateral.\",\"2OM8/D\":[\"Asset cannot be migrated due to supply cap restriction in \",[\"marketName\"],\" v3 market.\"],\"2RtYM0\":\"Need help? Our support team can assist.\",\"2RubOP\":\"Initiate Withdraw\",\"2S7oCr\":[\"This asset is eligible for the Ether.fi Loyalty program with a <0>x\",[\"multiplier\"],\" multiplier.\"],\"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.\",\"2eBWE6\":\"I acknowledge the risks involved.\",\"2r2h/U\":\"Total Deposited\",\"2uJToh\":[[\"0\"],[\"name\"]],\"2x1UO0\":\"Favourited\",\"2x58bP\":\"Stable borrowing is enabled\",\"34Qfwy\":\"Borrow cap is exceeded\",\"39eQRj\":[\"Borrow \",[\"symbol\"]],\"3BL1xB\":\"Total supplied\",\"3K0oMo\":\"Remaining supply\",\"3MoZhl\":\"There is not enough collateral to cover a new borrow\",\"3NO6VI\":[[\"0\"],\" Balance\",[\"1\"]],\"3Np5O8\":[\"Supply \",[\"symbol\"]],\"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\",\"4fCwrW\":\"or from the\",\"4lDFps\":\"Sign to continue\",\"4p5njr\":\"Total amount staked\",\"4wyw8H\":\"Transactions\",\"5+lhtA\":\"For swapping safety module assets please unstake your position <0>here.\",\"53r7O1\":[\"High price impact (<0>\",[\"0\"],\"%)! This route will return \",[\"1\"],\" due to low liquidity or small order size.\"],\"5CCqcz\":\"Fees help support the user experience and security of the Aave application. <0>Learn more.\",\"5JSSxX\":[\"Your \",[\"networkName\"],\" wallet is empty. Get free test assets at\"],\"5K3B36\":\"We couldn't find any assets related to your search. Try again with a different category.\",\"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.\"],\"5RzvNm\":\"Aave Shield: Transaction blocked\",\"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\",\"5ty6hB\":\"Claiming individual protocol reward only. Merit rewards excluded - select \\\"claim all\\\" to include merit rewards.\",\"5vxk14\":\"To continue, you need to grant 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\",\"5yC5m5\":\"View all votes\",\"6/dCYd\":\"Overview\",\"60crCe\":\"All transactions\",\"62Xcjh\":\"Collateral\",\"65A04M\":\"Spanish\",\"68ANm7\":\"Withdrawing GHO\",\"6G8s+q\":\"Signing\",\"6Jrv+z\":[\"Repay \",[\"symbol\"]],\"6SC+v0\":[\"Disable \",[\"0\"],\" as collateral to use this category. These assets would have 0% LTV.\"],\"6Xr0UU\":\"Cooling down...\",\"6bxci/\":\"Voting power\",\"6f8S68\":\"Markets\",\"6g1gi0\":\"Proposals\",\"6gvoHP\":\"Copy error message\",\"6h3Q5G\":\"repaid\",\"6lFSyT\":\"Available to Stake\",\"6lGV3K\":\"Show less\",\"6s8L6f\":\"Switch Network\",\"70wH1Q\":\"APR\",\"72c5Qo\":\"Total\",\"75qcAQ\":[[\"stepName\"]],\"7ITr5L\":\"Health factor\",\"7R/kqr\":\"The cooldown period is the time required prior to unstaking your tokens (<0/>). You can only withdraw your assets from the Security Module after the cooldown period and within the unstake window. <1>Learn more\",\"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\",\"7c6Gy8\":\"Learn more about Sonic Rewards program\",\"7er5fP\":\"Claim all\",\"7hb2+s\":\"Time remaining until the withdraw period ends.\",\"7i1oxe\":\"Withdrawing and Swapping\",\"7l88b8\":\"Data couldn't be fetched, please reload graph.\",\"7p5kLi\":\"Dashboard\",\"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\",\"8Xaoyr\":\"View on CCIP Explorer\",\"8Z5FPv\":\"Disconnect Wallet\",\"8Zz7s5\":\"assets\",\"8aLW8H\":\"Balance to revoke\",\"8bOT3H\":\"Utilization Rate\",\"8d61xO\":\"The Ink instance is governed by the Ink Foundation\",\"8sLe4/\":\"View contract\",\"8ss7VF\":\"Transaction cancelled\",\"8t/M0y\":\"Please connect your wallet to be able to bridge your tokens.\",\"8u3DDw\":[\"Swap \",[\"0\"],\" collateral\"],\"8vETh9\":\"Show\",\"93T2Os\":\"Total deposited\",\"94OHPx\":\"You are entering Isolation mode\",\"9CDK3/\":[\"Borrowing is currently unavailable for \",[\"0\"],\".\"],\"9GIj3z\":\"Reserve Size\",\"9ITYjl\":\"%\",\"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.\"],\"9YcC7V\":\"Select Categories\",\"9c6vDV\":\"This asset has reached its supply cap. Nothing is available to be supplied from this market.\",\"9iDHmv\":\"Collateral Swap\",\"9kTWHA\":\"MAI has been paused due to a community decision. Supply, borrows and repays are impacted. <0>More details\",\"9lXchd\":\"Underlying token\",\"9xSooW\":\"Since this is a test network, you can get any of the assets if you have ETH on your wallet\",\"9y0Q0y\":[\"There is not enough liquidity in \",[\"symbol\"],\" to complete this swap. Try lowering the amount.\"],\"9zzsBx\":\"This is a program initiated by the Aave DAO and implemented by Merkl. Aave Labs does not guarantee the program and accepts no liability.\",\"A/lwoe\":\"Choose one of the on-ramp services\",\"A6dCI6\":[\"Maximum amount available to borrow is <0/> \",[\"0\"],\" (<1/>).\"],\"ACUEES\":\"Check errors\",\"AReoaV\":\"Your borrows\",\"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.\",\"B6zvhF\":\"Shares\",\"BDFEd+\":\"stETH supplied as collateral will continue to accrue staking rewards provided by daily rebases.\",\"BE2mP0\":\"Borrowed assets\",\"BNL4Ep\":\"Collateral usage is limited because of isolation mode. <0>Learn More\",\"BQ+4lu\":\"Swap saved in your <0>history section.\",\"BQ/wCO\":\"Migrate your assets\",\"BaCmXf\":\"AAVE 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.\",\"Baj2MJ\":\"Savings\",\"BnhYo8\":\"Asset category\",\"Bo6b9i\":\"Withdraw GHO\",\"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\",\"C4qYyX\":[\"Repay \",[\"0\"],\" with \",[\"1\"]],\"C5jQc6\":\"GHO Balance\",\"C7hM0q\":\"Country (optional)\",\"CDrsH+\":\"Techpaper\",\"CGiscJ\":\"You've successfully submitted an order.\",\"CK1KXz\":\"Max\",\"COUcFd\":\"Points\",\"CZXzs4\":\"Greek\",\"CkTRmy\":[\"Claim \",[\"symbol\"]],\"CrrC++\":\"Position swaps are disabled for this asset due to security reasons.\",\"CsqtLm\":\"Please connect your wallet to see migration tool.\",\"CtGlFb\":[[\"networkName\"],\" Faucet\"],\"CuAHqa\":\"Protocol Incentives\",\"Cxt2YY\":\"Watch wallet\",\"D33VQU\":\"This action will reduce health factor of V3 below liquidation threshold. Increase migrated collateral or reduce migrated borrow to continue.\",\"D4Q4h/\":\"Gas estimation error\",\"D79cZK\":\"Instant\",\"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\"],\"DhaOWH\":\"Stake your Aave aTokens or underlying assets to earn rewards. In case of a shortfall event, your stake may be slashed to cover the deficit.\",\"Dj+3wB\":\"Aave per month\",\"DlRHbH\":\"Claiming all protocol rewards only. Merit rewards excluded - select \\\"claim all\\\" to include merit rewards.\",\"DuEq2K\":\"Collateralization\",\"Dzma+E\":\"Main Ethereum market with the largest selection of assets and yield options\",\"E/QGRL\":\"Disabled\",\"E6UoJs\":\"Estimated compounding 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.\",\"ETtXJg\":\"Share my wallet address to help the support team resolve my issue\",\"EZd3Dk\":[\"Restaking \",[\"symbol\"]],\"Ebgc76\":[\"Withdrawing \",[\"symbol\"]],\"EdQY6l\":\"None\",\"Ef7StM\":\"Unknown\",\"Ehzc//\":[\"Swapping \",[\"0\"],\" debt\"],\"Ekea1N\":\"We couldn't detect a wallet. Connect a wallet to stake and view your balance.\",\"Enslfm\":\"Destination\",\"EvE9nO\":[\"Reactivate cooldown period to unstake \",[\"0\"],\" \",[\"stakedToken\"]],\"EvECnL\":\"Migrate to v3\",\"EyYG53\":\"Get support\",\"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.\",\"F6pfE9\":\"Active\",\"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\",\"FTRJ1l\":\"L2 Networks\",\"FbmMe7\":\"Linked addresses\",\"Fdp03t\":\"on\",\"Fjw9N+\":\"Assets to supply\",\"FmN0fk\":\"Restake\",\"G15AUr\":\"Sending cancel...\",\"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\",\"GtP2hp\":[\"Borrowing is unavailable because you’ve enabled Efficiency Mode (E-Mode) for \",[\"0\"],\" category. To manage E-Mode categories visit your <0>Dashboard.\"],\"Gz07IS\":\"Your health factor after this swap will be critically low and may result in liquidation. Please choose a different asset or reduce the swap amount to stay safe.\",\"H1oAjw\":[[\"selectedCount\"],\" Categories\"],\"HB/wfS\":[[\"tooltipText\"]],\"HD4KkW\":[\"Swapping \",[\"0\"],\" collateral\"],\"HKDsQN\":\"Rewards can be claimed through\",\"Hi6Ttn\":\"Sorry, an unexpected error happened. In the meantime you may try reloading the page, or come back later.\",\"HkEDbS\":[[\"d\"],\"d\"],\"HlWGZc\":[\"Your \",[\"0\"],\" balance is lower than the selected amount.\"],\"HmkYqM\":\"Unstake window\",\"HpK/8d\":\"Reload\",\"HtBqo9\":\"sGHO\",\"HtuY7v\":\"Please connect your wallet to swap tokens.\",\"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\"],\"%.\"],\"I4Cxlm\":\"E-Mode required\",\"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.\",\"ILXMQA\":\"The Safety Module has been upgraded to <0>Umbrella, a new system that introduces automated slashing, aToken staking, and improved incentives design.\",\"IN8luu\":\"All done\",\"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\",\"IhAc6F\":\"Costs & Fees\",\"ImxB3A\":\"deposited\",\"IrtO2E\":\"You have assets with zero LTV that are blocking this operation. Please withdraw them or disable them as collateral first.\",\"J/hVSQ\":[[\"0\"]],\"JCoxL6\":\"Manage analytics\",\"JEdlTC\":\"Stablecoins\",\"JOqFba\":[\"Unstaking \",[\"symbol\"]],\"JPHuMW\":\"Swapping\",\"JPhc4G\":\"ETH Correlated\",\"JPrLjO\":\"You can not use this currency as collateral\",\"JYKRJS\":\"Stake\",\"JZMxX0\":\"Not enough balance on your wallet\",\"Jgflkm\":\"Get GHO\",\"JoMQnI\":\"Wallet balance\",\"JtwD8u\":\"Borrow balance after repay\",\"JumYTK\":\"Supplied assets\",\"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\",\"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\",\"KkJaLD\":\"Borrow:\",\"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\",\"KqoLVC\":\"Merkl rewards are claimed through the\",\"KsqhWn\":\"Staking\",\"KuBTQq\":\"Enter ETH address\",\"KvG1xW\":\"Claiming\",\"L+8Lzs\":\"Current LTV\",\"L+qiq+\":\"Market\",\"L2tU22\":\"Learn more about Ethena Rewards program\",\"L3ZyJR\":[[\"popularSectionTitle\"]],\"LEdkyb\":\"Rewards to claim\",\"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\"],\"\"],\"Lhf8zD\":\"Waiting for actions...\",\"Lp2cTp\":\"Eligible for incentives through Merkl.\",\"LvVpD/\":\"Emode\",\"Ly2enB\":\"This will cancel the order via an on-chain transaction. Note that the order will not be marked as cancelled in the CoW Protocol system, but will remain open and expire naturally. Keep in mind that a solver may already have filled your order.\",\"M1RnFv\":\"Expired\",\"M2sknc\":\"Tip: Try increasing slippage or reduce input amount\",\"MKiONF\":\"Activating Cooldown\",\"MOvzXm\":\"Comparing best rates...\",\"MRwaR4\":\"This will require two separate transactions: one to change E-Mode and one to supply.\",\"MZ/nQf\":\"Recipient address\",\"MZbQHL\":\"No results found.\",\"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.\",\"MlRlXX\":\"Current APY\",\"Mm/DVQ\":\"You cancelled the transaction.\",\"MnE2QX\":\"Borrow info\",\"MuDFEQ\":\"Invalid return value of the flashloan executor function\",\"My0ZGV\":\"Learn more about the Kernel points distribution\",\"N+3mX2\":\"Please connect your wallet to swap debt.\",\"N39Ax4\":\"Ethereum\",\"N40H+G\":\"All\",\"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\",\"ND1ISA\":\"Weekly Rewards\",\"NF0e1Q\":\"Pending...\",\"NK9ikO\":\"Wallet Balance\",\"NMt2CB\":\"Amount claimable\",\"Na7NlU\":[[\"remainingCustomMessage\"]],\"NcFGxG\":\"Collector Contract\",\"NfpPeS\":\"Nothing staked\",\"Nh9DAo\":[[\"m\"],\"m\"],\"Npz7kI\":\"Inquiry\",\"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\",\"OC4Tzv\":\"here\",\"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\",\"OiykRd\":\"Deposit GHO\",\"On0aF2\":\"Website\",\"OqAwLU\":\"Protocol APY\",\"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\",\"PctCOf\":\"A temporary contract will be used to execute the trade. Your wallet may show a warning for approving a new or empty address.\",\"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.\",\"QONKTE\":\"Merit Rewards\",\"QQYsQ7\":\"Withdrawing\",\"QZEgwS\":\"Execution fee\",\"R+30X3\":\"Not reached\",\"R9Khdg\":\"Auto\",\"RCU5PY\":\"Age\",\"RIfckG\":[\"Disable \",[\"symbol\"],\" as collateral\"],\"RMtxNk\":\"Differential\",\"RNK49r\":\"Invalid signature\",\"RS0o7b\":\"State\",\"RTG4/6\":\"There are no stake assets configured for this market\",\"RU+LqV\":\"Proposal details\",\"RYfdBk\":\"Visit <0><1>https://aave.self.xyz/ to get started with Self’s ZK-powered proof-of-humanity authentication.\",\"RZbjLY\":[\"See \",[\"0\"],\" more\"],\"Rg4K+m\":\"Cannot switch to this category\",\"RiSYV4\":\"Asset is not listed\",\"Rj01Fz\":\"Links\",\"RmWFEe\":\"Staking APR\",\"RtBLm7\":\"Health factor is lesser than the liquidation threshold\",\"RvF1Ts\":\"stkGHO is now Savings GHO\",\"RxzN1M\":\"Enabled\",\"SBv4zo\":[[\"0\"],\" collateral would have 0% LTV in this category. Disable \",[\"1\"],\" as collateral to use this option.\"],\"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\",\"SNmu1z\":\"Shares are Umbrella Stake Tokens you receive when staking. They represent your ownership in the pool, and the amount of underlying you can redeem depends on the current exchange rate between shares and the underlying.\",\"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\",\"SZkDmY\":\"The swap could not be completed. Try increasing slippage or changing the amount.\",\"Sa1UE/\":\"Protocol borrow cap is at 100% for this asset. Further borrowing unavailable.\",\"Sk2zW9\":\"Disabling E-Mode\",\"St4jqF\":\"This list may not include all your swaps.\",\"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\",\"TLJkuL\":\"Category assets\",\"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\",\"Tg1JyO\":\"Bridge history\",\"TszKts\":\"Borrow balance after switch\",\"Tw07Vv\":\"Show assets with small balance\",\"TwJI9F\":\"Asset has been successfully sent to CCIP contract. You can check the status of the transactions below\",\"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.\",\"UMgOim\":\"Send cancel\",\"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.\",\"UiO4Hu\":[\"You'll need to wait \",[\"0\"],\" before you can unstake your tokens. This cooldown starts when you request to unstake. Once it ends, you can withdraw during the unstake window.\"],\"UpndFj\":\"No rewards to claim\",\"V0f2Xv\":\"Reserve factor\",\"V1HK43\":\"Migration risks\",\"V7QGpc\":\"I understand the liquidation risk and want to proceed\",\"V7SFse\":[\"I confirm the swap knowing that I could lose up to <0>\",[\"0\"],\"% on this swap.\"],\"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\",\"VnQFYr\":\"Claiming all merit rewards only\",\"W1SSoD\":\"Review tx details\",\"W5hVah\":\"Nothing supplied yet\",\"W5kTFy\":\"Voting\",\"WHrVwg\":\"Loading quote...\",\"WMJGls\":\"Estimated Costs & Fees\",\"WNGZwH\":\"E-Mode increases your LTV for a selected category of assets up to<0/>. <1>Learn more\",\"WPWG/y\":\"Reserve status & configuration\",\"WS67YQ\":\"Let us know how we can help you. You may also consider joining our community\",\"WT188T\":\"Withdraw & Swap\",\"WZLQSU\":\"User cannot withdraw more than the available balance\",\"WaZyaV\":\"<0>Ampleforth is a rebasing asset. Visit the <1>documentation to learn more.\",\"WbTDwg\":\"In Progress\",\"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.\",\"X/ITG9\":\"Copy error text\",\"X3Pp6x\":\"Used as collateral\",\"X4Zt7j\":\"Action cannot be performed because the reserve is paused\",\"X4tRM3\":[[\"0\"],\" \",[\"symbol\"],\" to continue\"],\"XBdKOj\":\"Representative smart contract wallet (ie. Safe) addresses on other chains.\",\"XPN5UR\":\"User denied the operation.\",\"XYLcNv\":\"Support\",\"XZzneG\":\"You will exit isolation mode and other tokens can now be used as collateral\",\"Xe5bTg\":\"Deposit APR\",\"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.\",\"XwKkg/\":\"Staked Underlying\",\"Xy+o6U\":\"For security reasons, limit orders are not supported for Native tokens. To place a limit order, use the wrapped version.\",\"Xy71ST\":\"Umbrella\",\"Y+hUcK\":\"Merit Program and Self rewards can be claimed\",\"Y46iXX\":\"The order could't be filled.\",\"Y5Orec\":\"Collateral options\",\"Y5kGkc\":\"VOTE NAY\",\"YD+nXc\":\"Aave Shield\",\"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.\",\"Ya/che\":\"Stake token shares\",\"Ykj2Om\":\"Default slippage\",\"YogbCJ\":\"Testnet mode is ON\",\"YrDxdO\":\"If your loan to value goes above the liquidation threshold your collateral supplied may be liquidated.\",\"YrcHPy\":\"VIEW\",\"YyIM65\":\"Interest rate rebalance conditions were not met\",\"YyydIq\":[\"Add \",[\"0\"],\" to wallet to track your balance.\"],\"Z3FXyt\":\"Loading...\",\"Z99M+T\":\"This is an off-chain operation. Keep in mind that a solver may already have filled your order.\",\"ZBvhI+\":\"Aave Governance\",\"ZIIRAd\":\"Raw-Ipfs\",\"ZRq4tX\":\"Efficiency mode (E-Mode)\",\"ZRuM45\":\"These are the estimated costs associated with your limit swap, including costs and fees. Consider these costs when setting your order amounts to help optimize execution and maximize your chances of filling the order.\",\"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\",\"aCgA+I\":\"E-Mode change\",\"aEtiwq\":\"Vote NAY\",\"aMmFE1\":\"Buy Crypto With Fiat\",\"aOKIms\":\"Array parameters that should be equal length are not\",\"aQYztl\":[\"Repaying \",[\"0\"]],\"aXgo8+\":\"from the\",\"adUsDd\":\"An error has occurred fetching the proposal.\",\"afk1Wt\":[\"This asset can only be used as collateral in E-Mode: \",[\"0\"]],\"aoXTT7\":\"Borrow APY, variable\",\"aqX1Yp\":\"This asset is eligible for rewards through SuperFest. Aave Labs does not guarantee the program and accepts no liability.\",\"b4NS3e\":\"Cooldown period warning\",\"bBHmeP\":\"Available to withdraw\",\"bNEQeI\":\"Cooldown\",\"bUUVED\":\"Asset\",\"bXQ/Og\":\"Share on twitter\",\"bXr0ee\":\"Isolated assets have limited borrowing power and other assets cannot be used as collateral.\",\"bYmAV1\":\"Addresses\",\"bYtb3C\":\"Network costs\",\"bguKoJ\":\"The requested amount is greater than the max loan size in stable rate mode\",\"bm/mjh\":\"This is a program initiated and implemented by the Aave Chan Initiative (ACI). Aave Labs does not guarantee the program and accepts no liability.\",\"bq0uL+\":\"supply\",\"bwSQI0\":\"Supply\",\"bxN6EM\":\"Cannot disable E-Mode\",\"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.\",\"cc6gEH\":\"Incentives APR\",\"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\"]],\"cqwIvs\":\"Forum discussion\",\"csDS2L\":\"Available\",\"cu7Stb\":\"You did not participate in this proposal\",\"cuxGZP\":\"Low health factor after swap. Your position will carry a higher risk of liquidation.\",\"d9YZVR\":\"Principle Tokens\",\"dE6BLF\":\"Governance\",\"dEgA5A\":\"Cancel\",\"dIsyWh\":\"Ltv validation failed\",\"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\",\"dYG3JG\":\"Data couldn't be loaded.\",\"dZQvSq\":\"Please review the swap values before confirming.\",\"dfDzrk\":[\"Supply cap reached for \",[\"symbol\"],\". Reduce the amount or choose a different asset.\"],\"dgr1aY\":\"Borrowing is disabled due to an Aave community decision. <0>More details\",\"djsg0o\":\"Collateral usage\",\"drdV8R\":\"Liquidation\",\"dxW8cS\":\"Aave debt token\",\"e/ghIe\":[\"This transaction will enable E-Mode (\",[\"0\"],\"). Borrowing will be restricted to assets within this category.\"],\"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\",\"eQ0Wu0\":\"Please connect a wallet to view your balance here.\",\"eVpCmf\":\"Staking Rewards\",\"eVqvtf\":\"Bridge GHO\",\"eYdurp\":\"No transactions yet.\",\"ebLGGN\":\"Total borrowed\",\"ecqEvn\":\"The collateral balance is 0\",\"edXiYw\":[\"You've successfully swapped \",[\"0\"],\".\"],\"efdrrk\":\"Available on\",\"enruNF\":\"starts\",\"eqLYiD\":\"Unstake now\",\"evw5ha\":\"Net worth\",\"ezcU16\":\"Get ABP Token\",\"f2e3vu\":[\"Deposit GHO into savings GHO (sGHO) and earn <0>\",[\"0\"],\"% APY on your GHO holdings. There are no lockups, no rehypothecation, and you can withdraw anytime. Simply deposit GHO, receive sGHO tokens representing your balance, and watch your savings grow earning claimable rewards from merit.\"],\"f3W0Ej\":[\"You switched to \",[\"0\"],\" rate\"],\"fMJQZK\":\"Borrowed\",\"fZ5Vnu\":\"Received\",\"firl9Q\":\"Your current loan to value based on your collateral supplied.\",\"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\",\"g4Ius4\":\"This is the fee for executing position changes, set by governance.\",\"g8KGoA\":\"FAQS\",\"g9zzqS\":\"Voted NAY\",\"gDd2gk\":\"about SuperFest.\",\"gIMJlW\":\"Testnet mode\",\"gK+IvE\":\"Withdraw and Swap\",\"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\",\"gjxiVa\":[\"This swap has a price impact of \",[\"0\"],\"%, which exceeds the 25% safety threshold. To proceed, disable Aave Shield in the settings menu.\"],\"goff7V\":\"Zero address not valid\",\"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\",\"h5hG6q\":\"This is the cost of settling your order on-chain, including gas and any LP fees.\",\"hB23LY\":\"Activate Cooldown\",\"hIJzBh\":\"Available to Claim\",\"hIS4N0\":\"Net APY\",\"hQRttt\":\"Submit\",\"hRWvpI\":\"Claimed\",\"hStpnK\":\"Other Chains\",\"hb8ajh\":\"Debt Swap\",\"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\",\"hrhwub\":\"dashboard\",\"huQ6Tz\":[\"Borrowing \",[\"symbol\"]],\"hxYu+F\":\"Borrow: All eligible assets\",\"i/fZ2Z\":\"Staked Balance\",\"i9qiyR\":\"Expires in\",\"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\",\"iIuDE1\":\"Estimated weekly rewards based on your current sGHO balance and APR. Actual rewards may vary depending on market conditions.\",\"iKfD53\":\"Transaction history for Plasma not supported yet, coming soon.\",\"iMVZk9\":\"Select slippage tolerance\",\"iNYgey\":\"Get Support\",\"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\",\"iddNqA\":\"This transaction will disable E-Mode. All assets will revert to their base LTV and liquidation thresholds.\",\"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\"],\"ih/VjN\":\"Staking this amount will reduce your health factor and increase risk of liquidation.\",\"il0sEG\":\"Collateral usage is limited because of Isolation mode.\",\"j+K1Xj\":\"Amount After Fee\",\"j4SXZo\":\"Claim all merit rewards\",\"j7JHV+\":\"Total APY\",\"j8cF1R\":\"Cooling down\",\"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\",\"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.\",\"jZkYWO\":\"Boosted LTV\",\"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\",\"jqVo/k\":\"here.\",\"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\"],\"kMi0nz\":\"sGHO Merit APY History\",\"kN1Yg5\":\"To repay on behalf of a user an explicit amount to repay is needed\",\"kNiQp6\":\"Pinned\",\"kRTD40\":[\"Repayment amount to reach \",[\"0\"],\"% utilization\"],\"kgKqPv\":\"You can not stake this amount because it will cause collateral call\",\"kj3M8S\":\"Deposit\",\"kjN9tT\":\"Supply cap is exceeded\",\"kn+s7w\":[[\"0\"],\" collateral would have 0% LTV without E-Mode. Disable \",[\"1\"],\" as collateral to use this option.\"],\"knxE+G\":\".JSON\",\"ks2LWT\":\"Debt ceiling is not zero\",\"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.\",\"kzeZTm\":\"LTV\",\"lCF0wC\":\"Refresh\",\"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.\",\"lXb3Ih\":[\"This asset has 0 LTV and cannot be used as collateral. Enable an E-Mode to use \",[\"symbol\"],\" as collateral.\"],\"lXj2Sq\":\"Repay with Collateral\",\"lYGfRP\":\"English\",\"lfEjIE\":\"Learn more in our <0>FAQ guide\",\"ljF4ko\":\"The selected rate is lower than the market price. You might incur a loss if you proceed.\",\"lqCWte\":[\"Deposit GHO and earn \",[\"0\"],\"% APY\"],\"lu7f+8\":\"Blocked by Shield\",\"m/IEhi\":\"Total emission per day\",\"m7r7Hh\":\"Selected borrow assets\",\"mDDK4p\":\"Balancer Pool\",\"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.\"],\"me5LMQ\":\"Checking approval\",\"mogZv0\":\"Favourite\",\"muiOng\":[\"Buy \",[\"cryptoSymbol\"],\" with Fiat\"],\"mvCXBY\":\"Stake AAVE\",\"mwdzil\":\"Ok, Close\",\"mzDAU3\":\"Savings GHO (sGHO)\",\"mzdIia\":\"Asset cannot be used as collateral.\",\"n+SX4g\":\"Developers\",\"n1na81\":\"No eligible assets to swap.\",\"n4PWtp\":\"Depositing\",\"nJIhzm\":\"Supply apy\",\"nJgsQu\":\"With a voting power of <0/>\",\"nLC6tu\":\"French\",\"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\",\"nPGNMh\":\"Can be executed\",\"nUK1ou\":[\"Assets with zero LTV (\",[\"0\"],\") must be withdrawn or disabled as collateral to perform this action\"],\"neITkT\":\"This asset has 0% LTV, meaning it does not contribute to borrowing power. Existing positions with this asset as collateral still count toward the liquidation threshold and protect your health factor. New positions cannot enable this asset as collateral.\",\"njBeMm\":\"Both\",\"ntyFSE\":[[\"h\"],\"h\"],\"nwIsn4\":\"After the cooldown is initiated, you will be able to withdraw your assets immediatley.\",\"nweCqF\":\"Cancelling order...\",\"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\",\"o5ooMr\":\"Debt\",\"o7J4JM\":\"Filter\",\"o7Yloh\":\"Learn more about the Ether.fi program\",\"oHFrpj\":\"Cooldown to unstake\",\"oJ5ZiG\":\"User does not have outstanding variable rate debt on this reserve\",\"oUwXhx\":\"Test Assets\",\"oWQnqT\":\"Staking this asset will earn the underlying asset supply yield in addition to other configured rewards.\",\"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.\",\"ogU9GD\":\"Target liquidity\",\"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.\",\"om/XHs\":\"Available to supply\",\"omq5qJ\":\"Claiming all protocol rewards and merit rewards together\",\"ovBPCi\":\"Default\",\"ovT1pF\":[\"Per the community, the \",[\"market\"],\" has been frozen.\"],\"ow3fug\":\"Nothing found\",\"owSsI3\":\"Signatures ready\",\"p+R52m\":\"Go to Balancer Pool\",\"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.\",\"p45alK\":\"Set up delegation\",\"pDgeaz\":[[\"title\"]],\"pdZqBk\":\"The underlying balance needs to be greater than 0\",\"pgWG9H\":\"Not enough staked balance\",\"ph9+uj\":[\"Switching to \",[\"networkName\"],\"...\"],\"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\"],\"pup/ej\":\"Net Protocol Incentives\",\"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\",\"qKfida\":\"Staked tokens are wrapped and use an exchange rate. You may see fewer token shares, but the value matches your deposit and will grow as yield accrues.\",\"qOqbD6\":\"copy the error\",\"qXCkEM\":\"Please connect your wallet to see your supplies, borrowings, and open positions.\",\"qY2jnw\":\"Invalid expiration\",\"qhhf9L\":\"Rewards available to claim\",\"qtS7wW\":\"Thank you for voting\",\"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\",\"qz6JVE\":[\"Your order amounts are \",[\"0\"],\" less favorable by \",[\"1\"],\"% to the liquidity provider than recommended. This order may not be executed.\"],\"qz9c6b\":[\"Repaying \",[\"0\"],\" with \",[\"1\"]],\"qzFp5D\":\"All Categories\",\"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\",\"riNWOA\":\"E-Mode\",\"rjGI/Q\":\"Privacy\",\"rnKPW1\":\"Watch a wallet balance in read-only mode\",\"rojvRp\":\"Approval by signature not available\",\"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\",\"t/ct9N\":\"Auto Slippage\",\"tBIz3I\":[\"Supply \",[\"0\"],\" and double your yield by <0><1>verifying your humanity through Self for \",[\"1\"],\" per user.\"],\"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\",\"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\"],\"tVJk4q\":\"Cancel order\",\"te9Bfl\":\"Please, connect your wallet\",\"tj6dr4\":\"Merit Program rewards can be claimed\",\"tt5yma\":\"Your supplies\",\"tw6G0s\":[\"You must disable \",[\"0\"],\" as collateral before exiting E-Mode. These assets have 0 LTV outside of E-Mode and cannot be used as collateral.\"],\"u3ZeYl\":\"Transaction failed\",\"u706uF\":\"Invalid flashloan premium\",\"u8Gfu7\":[\"No search results\",[\"0\"]],\"uAQUqI\":\"Status\",\"uGG4Lk\":\"Claim all protocol rewards\",\"uHMwk8\":\"No assets selected to migrate.\",\"uI3SjW\":\"Connection Error\",\"uJOI6M\":\"Tip: Try improving your order parameters\",\"uJPHuY\":\"Migrating\",\"uRXR6h\":[\"Swap \",[\"0\"],\" debt\"],\"uZiu4N\":\"There is an active order for the same sell asset (avoid nonce reuse).\",\"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\",\"usB84Z\":\"Maximum amount available to borrow is limited because protocol borrow cap is nearly reached.\",\"uyLjNw\":\"Custom slippage\",\"v+Fu0z\":\"This asset is eligible for Kernel points incentive program. Aave Labs does not guarantee the program and accepts no liability.\",\"v0CIlJ\":\"You have no rewards to claim at this time.\",\"v8x7Mg\":\"Insufficient collateral to cover new borrow position. Wallet must have borrowing power remaining to perform debt switch.\",\"vEqxH9\":\"Restaked\",\"vH2C/2\":\"Swap\",\"vLyv1R\":\"Hide\",\"vMba49\":\"Borrowing is not enabled\",\"vMpNwt\":\"Approve with\",\"vNAHA2\":\"PTs\",\"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.\",\"vv7kpg\":\"Cancelled\",\"w+V9Cx\":\"Stablecoin\",\"w/JtJ3\":\"Stable debt supply is not zero\",\"w1f8Ky\":\"Savings GHO\",\"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\",\"wapGcj\":[[\"message\"]],\"wb/r1O\":[\"Faucet \",[\"0\"]],\"wdxz7K\":\"Source\",\"weC8IO\":\"All Rewards\",\"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.\",\"wjFWDB\":\"No markets found\",\"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\",\"wuMdlk\":[\"This asset is eligible for \",[\"0\"],\" Sonic Rewards.\"],\"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.\",\"x+QJ9y\":[\"Category \",[\"selectedEmodeId\"]],\"x0TRLG\":[\"Repay your \",[\"0\"],\" \",[\"1\",\"plural\",{\"one\":\"borrow\",\"other\":\"borrows\"}],\" to use this category.\"],\"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\"]],\"yRkqG9\":\"Limit\",\"yYHqJe\":\"Not a valid address\",\"yZ5ngq\":\"Transaction details not available\",\"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\"],\"yv/Kz/\":\"Back home\",\"yz7wBu\":\"Close\",\"z4uGQg\":\"Debt ceiling is exceeded\",\"z5JUmg\":[\"Estimated costs are \",[\"0\"],\"% of the sell amount. This order is unlikely to be filled.\"],\"z5UQOM\":\"The collateral chosen cannot be liquidated\",\"z5Y+p6\":[\"Supplying \",[\"symbol\"]],\"zCjNKs\":\"Action cannot be performed because the reserve is frozen\",\"zNgzxM\":\"Excludes variable supply APY\",\"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\",\"zZmf1N\":\"Filled\",\"zgtIDV\":\"Remaining debt\",\"zmTPiV\":\"Supply balance\",\"zpPbZl\":\"Liquidation risk parameters\",\"zqp4Tm\":\"Unable to Connect\",\"zr58Jd\":\"Umbrella is the upgraded version of the Safety Module. Manage your previously staked assets\",\"zucql+\":\"Menu\",\"zv/j10\":[\"Active \",[\"0\"],\" borrow is not compatible with this category. Repay your \",[\"1\"],\" borrow to use this option.\"],\"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.\"}")}; \ 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.\"],\"+5vxU4\":\"Reward APY at target liquidity\",\"+9RBfc\":\"Thank you for submitting your inquiry!\",\"+F6nAX\":\"Save with sGHO\",\"+KaZP2\":\"Aave Labs does not guarantee the program and accepts no liability.\",\"+Nk14N\":\"Savings GHO token\",\"+VR63W\":[\"Participating in this \",[\"symbol\"],\" reserve gives annualized rewards.\"],\"+XNrRN\":\"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 restrictions, see the <1>help guide or the <2>Aave V3 Technical Paper.\",\"+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.\",\"+i3Pd2\":\"Borrow cap\",\"+nuEh/\":\"Estimated time\",\"+xMFF8\":\"Remind me\",\"/+Vmgq\":\"Total amount of underlying assets staked. This number represents the combined sum of your original asset and the corresponding aTokens staked in Umbrella.\",\"/1Qot4\":\"Protocol Rewards\",\"/1xACT\":\"Reward APY adjusts with total staked amount, following a curve that targets optimal staking levels.\",\"/57U31\":\"Amount to migrate\",\"/7ykiW\":\"Borrowing this amount will reduce your health factor and increase risk of liquidation.\",\"/FwCXs\":[[\"0\"],\" \",[\"symbol\"],\"...\"],\"/LCAwL\":\"In progress\",\"/ZyLeG\":\"Amount available to unstake\",\"/jQctM\":\"To\",\"/lDBHm\":\"FAQ\",\"/lMWs6\":[\"Deposit GHO and earn up to <0>\",[\"0\"],\"% APY\"],\"/yNlZf\":\"Stable borrowing is not enabled\",\"/yQcJM\":\"Total worth\",\"00AB2i\":\"User did not borrow the specified currency\",\"02/4d1\":\"We suggest you go back to the home page.\",\"0AmQcW\":\"Rate change\",\"0BF3yK\":\"Sorry, we couldn't find the page you were looking for.\",\"0RrIzN\":\"Select token\",\"0TAbjq\":\"Recent Transactions\",\"0jhlyw\":\"Liquidation risk\",\"0ojY+Y\":\"Current v2 Balance\",\"0r31vq\":\"Reward Token\",\"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.\",\"11xQTX\":[\"This asset is eligible for \",[\"0\"],\" Ethena Rewards.\"],\"18GnfY\":[\"Repay \",[\"0\"]],\"1AsVfF\":\"Price data is not currently available for this reserve on the protocol subgraph\",\"1LjK22\":\"Transaction history\",\"1PMU2v\":\"Learn more about the risks.\",\"1Ue8sX\":\"Please connect a wallet to view your personal information here.\",\"1W8DZp\":\"USDT on Ethereum requires approval reset before a new approval. This will require an additional transaction.\",\"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\",\"1t7rez\":\"Asset supply is limited to a certain amount to reduce protocol exposure to the asset and to help manage risks involved.\",\"2/aIvj\":\"Cancellation submited\",\"2C40JO\":[\"This transaction will switch E-Mode from \",[\"0\"],\" to \",[\"1\"],\". Borrowing will be restricted to assets within the new category.\"],\"2Eoi/a\":\"View details\",\"2FYpfJ\":\"More\",\"2O3qp5\":\"Available liquidity\",\"2OIfa1\":\"Please connect your wallet to swap collateral.\",\"2OM8/D\":[\"Asset cannot be migrated due to supply cap restriction in \",[\"marketName\"],\" v3 market.\"],\"2RtYM0\":\"Need help? Our support team can assist.\",\"2RubOP\":\"Initiate Withdraw\",\"2S7oCr\":[\"This asset is eligible for the Ether.fi Loyalty program with a <0>x\",[\"multiplier\"],\" multiplier.\"],\"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.\",\"2eBWE6\":\"I acknowledge the risks involved.\",\"2r2h/U\":\"Total Deposited\",\"2uJToh\":[[\"0\"],[\"name\"]],\"2x1UO0\":\"Favourited\",\"2x58bP\":\"Stable borrowing is enabled\",\"34Qfwy\":\"Borrow cap is exceeded\",\"39eQRj\":[\"Borrow \",[\"symbol\"]],\"3BL1xB\":\"Total supplied\",\"3K0oMo\":\"Remaining supply\",\"3MoZhl\":\"There is not enough collateral to cover a new borrow\",\"3NO6VI\":[[\"0\"],\" Balance\",[\"1\"]],\"3Np5O8\":[\"Supply \",[\"symbol\"]],\"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\",\"4fCwrW\":\"or from the\",\"4lDFps\":\"Sign to continue\",\"4p5njr\":\"Total amount staked\",\"4wyw8H\":\"Transactions\",\"5+lhtA\":\"For swapping safety module assets please unstake your position <0>here.\",\"53r7O1\":[\"High price impact (<0>\",[\"0\"],\"%)! This route will return \",[\"1\"],\" due to low liquidity or small order size.\"],\"5CCqcz\":\"Fees help support the user experience and security of the Aave application. <0>Learn more.\",\"5JSSxX\":[\"Your \",[\"networkName\"],\" wallet is empty. Get free test assets at\"],\"5K3B36\":\"We couldn't find any assets related to your search. Try again with a different category.\",\"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.\"],\"5RzvNm\":\"Aave Shield: Transaction blocked\",\"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\",\"5ty6hB\":\"Claiming individual protocol reward only. Merit rewards excluded - select \\\"claim all\\\" to include merit rewards.\",\"5vxk14\":\"To continue, you need to grant 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\",\"5yC5m5\":\"View all votes\",\"6/dCYd\":\"Overview\",\"60crCe\":\"All transactions\",\"62Xcjh\":\"Collateral\",\"65A04M\":\"Spanish\",\"68ANm7\":\"Withdrawing GHO\",\"6G8s+q\":\"Signing\",\"6Jrv+z\":[\"Repay \",[\"symbol\"]],\"6SC+v0\":[\"Disable \",[\"0\"],\" as collateral to use this category. These assets would have 0% LTV.\"],\"6Xr0UU\":\"Cooling down...\",\"6bxci/\":\"Voting power\",\"6f8S68\":\"Markets\",\"6g1gi0\":\"Proposals\",\"6gvoHP\":\"Copy error message\",\"6h3Q5G\":\"repaid\",\"6lFSyT\":\"Available to Stake\",\"6lGV3K\":\"Show less\",\"6s8L6f\":\"Switch Network\",\"70wH1Q\":\"APR\",\"72c5Qo\":\"Total\",\"75qcAQ\":[[\"stepName\"]],\"7ITr5L\":\"Health factor\",\"7R/kqr\":\"The cooldown period is the time required prior to unstaking your tokens (<0/>). You can only withdraw your assets from the Security Module after the cooldown period and within the unstake window. <1>Learn more\",\"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\",\"7c6Gy8\":\"Learn more about Sonic Rewards program\",\"7er5fP\":\"Claim all\",\"7hb2+s\":\"Time remaining until the withdraw period ends.\",\"7i1oxe\":\"Withdrawing and Swapping\",\"7l88b8\":\"Data couldn't be fetched, please reload graph.\",\"7p5kLi\":\"Dashboard\",\"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\",\"8Xaoyr\":\"View on CCIP Explorer\",\"8Z5FPv\":\"Disconnect Wallet\",\"8Zz7s5\":\"assets\",\"8aLW8H\":\"Balance to revoke\",\"8bOT3H\":\"Utilization Rate\",\"8d61xO\":\"The Ink instance is governed by the Ink Foundation\",\"8sLe4/\":\"View contract\",\"8ss7VF\":\"Transaction cancelled\",\"8t/M0y\":\"Please connect your wallet to be able to bridge your tokens.\",\"8u3DDw\":[\"Swap \",[\"0\"],\" collateral\"],\"8vETh9\":\"Show\",\"93T2Os\":\"Total deposited\",\"94OHPx\":\"You are entering Isolation mode\",\"9CDK3/\":[\"Borrowing is currently unavailable for \",[\"0\"],\".\"],\"9GIj3z\":\"Reserve Size\",\"9ITYjl\":\"%\",\"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.\"],\"9YcC7V\":\"Select Categories\",\"9c6vDV\":\"This asset has reached its supply cap. Nothing is available to be supplied from this market.\",\"9iDHmv\":\"Collateral Swap\",\"9kTWHA\":\"MAI has been paused due to a community decision. Supply, borrows and repays are impacted. <0>More details\",\"9lXchd\":\"Underlying token\",\"9xSooW\":\"Since this is a test network, you can get any of the assets if you have ETH on your wallet\",\"9y0Q0y\":[\"There is not enough liquidity in \",[\"symbol\"],\" to complete this swap. Try lowering the amount.\"],\"9zzsBx\":\"This is a program initiated by the Aave DAO and implemented by Merkl. Aave Labs does not guarantee the program and accepts no liability.\",\"A/lwoe\":\"Choose one of the on-ramp services\",\"A6dCI6\":[\"Maximum amount available to borrow is <0/> \",[\"0\"],\" (<1/>).\"],\"ACUEES\":\"Check errors\",\"AReoaV\":\"Your borrows\",\"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.\",\"B6zvhF\":\"Shares\",\"BDFEd+\":\"stETH supplied as collateral will continue to accrue staking rewards provided by daily rebases.\",\"BE2mP0\":\"Borrowed assets\",\"BNL4Ep\":\"Collateral usage is limited because of isolation mode. <0>Learn More\",\"BQ+4lu\":\"Swap saved in your <0>history section.\",\"BQ/wCO\":\"Migrate your assets\",\"BaCmXf\":\"AAVE 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.\",\"Baj2MJ\":\"Savings\",\"BnhYo8\":\"Asset category\",\"Bo6b9i\":\"Withdraw GHO\",\"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\",\"C4qYyX\":[\"Repay \",[\"0\"],\" with \",[\"1\"]],\"C5jQc6\":\"GHO Balance\",\"C7hM0q\":\"Country (optional)\",\"CDrsH+\":\"Techpaper\",\"CGiscJ\":\"You've successfully submitted an order.\",\"CK1KXz\":\"Max\",\"COUcFd\":\"Points\",\"CZXzs4\":\"Greek\",\"CkTRmy\":[\"Claim \",[\"symbol\"]],\"CrrC++\":\"Position swaps are disabled for this asset due to security reasons.\",\"CsqtLm\":\"Please connect your wallet to see migration tool.\",\"CtGlFb\":[[\"networkName\"],\" Faucet\"],\"CuAHqa\":\"Protocol Incentives\",\"Cxt2YY\":\"Watch wallet\",\"D33VQU\":\"This action will reduce health factor of V3 below liquidation threshold. Increase migrated collateral or reduce migrated borrow to continue.\",\"D4Q4h/\":\"Gas estimation error\",\"D79cZK\":\"Instant\",\"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\"],\"DhaOWH\":\"Stake your Aave aTokens or underlying assets to earn rewards. In case of a shortfall event, your stake may be slashed to cover the deficit.\",\"Dj+3wB\":\"Aave per month\",\"DlRHbH\":\"Claiming all protocol rewards only. Merit rewards excluded - select \\\"claim all\\\" to include merit rewards.\",\"DuEq2K\":\"Collateralization\",\"Dzma+E\":\"Main Ethereum market with the largest selection of assets and yield options\",\"E/QGRL\":\"Disabled\",\"E6UoJs\":\"Estimated compounding 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.\",\"ETtXJg\":\"Share my wallet address to help the support team resolve my issue\",\"EZd3Dk\":[\"Restaking \",[\"symbol\"]],\"Ebgc76\":[\"Withdrawing \",[\"symbol\"]],\"EdQY6l\":\"None\",\"Ef7StM\":\"Unknown\",\"Ehzc//\":[\"Swapping \",[\"0\"],\" debt\"],\"Ekea1N\":\"We couldn't detect a wallet. Connect a wallet to stake and view your balance.\",\"Enslfm\":\"Destination\",\"EvE9nO\":[\"Reactivate cooldown period to unstake \",[\"0\"],\" \",[\"stakedToken\"]],\"EvECnL\":\"Migrate to v3\",\"EyYG53\":\"Get support\",\"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.\",\"F6pfE9\":\"Active\",\"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\",\"FTRJ1l\":\"L2 Networks\",\"FbmMe7\":\"Linked addresses\",\"Fdp03t\":\"on\",\"Fjw9N+\":\"Assets to supply\",\"FmN0fk\":\"Restake\",\"G15AUr\":\"Sending cancel...\",\"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\",\"GtP2hp\":[\"Borrowing is unavailable because you’ve enabled Efficiency Mode (E-Mode) for \",[\"0\"],\" category. To manage E-Mode categories visit your <0>Dashboard.\"],\"Gz07IS\":\"Your health factor after this swap will be critically low and may result in liquidation. Please choose a different asset or reduce the swap amount to stay safe.\",\"H1oAjw\":[[\"selectedCount\"],\" Categories\"],\"HB/wfS\":[[\"tooltipText\"]],\"HD4KkW\":[\"Swapping \",[\"0\"],\" collateral\"],\"HKDsQN\":\"Rewards can be claimed through\",\"Hi6Ttn\":\"Sorry, an unexpected error happened. In the meantime you may try reloading the page, or come back later.\",\"HkEDbS\":[[\"d\"],\"d\"],\"HlWGZc\":[\"Your \",[\"0\"],\" balance is lower than the selected amount.\"],\"HmkYqM\":\"Unstake window\",\"HpK/8d\":\"Reload\",\"HtBqo9\":\"sGHO\",\"HtuY7v\":\"Please connect your wallet to swap tokens.\",\"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\"],\"%.\"],\"I4Cxlm\":\"E-Mode required\",\"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.\",\"ILXMQA\":\"The Safety Module has been upgraded to <0>Umbrella, a new system that introduces automated slashing, aToken staking, and improved incentives design.\",\"IN8luu\":\"All done\",\"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\",\"IhAc6F\":\"Costs & Fees\",\"ImxB3A\":\"deposited\",\"IrtO2E\":\"You have assets with zero LTV that are blocking this operation. Please withdraw them or disable them as collateral first.\",\"J/hVSQ\":[[\"0\"]],\"JCoxL6\":\"Manage analytics\",\"JEdlTC\":\"Stablecoins\",\"JOqFba\":[\"Unstaking \",[\"symbol\"]],\"JPHuMW\":\"Swapping\",\"JPhc4G\":\"ETH Correlated\",\"JPrLjO\":\"You can not use this currency as collateral\",\"JYKRJS\":\"Stake\",\"JZMxX0\":\"Not enough balance on your wallet\",\"Jgflkm\":\"Get GHO\",\"JoMQnI\":\"Wallet balance\",\"JtwD8u\":\"Borrow balance after repay\",\"JumYTK\":\"Supplied assets\",\"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\",\"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\",\"KkJaLD\":\"Borrow:\",\"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\",\"KqoLVC\":\"Merkl rewards are claimed through the\",\"KsqhWn\":\"Staking\",\"KuBTQq\":\"Enter ETH address\",\"KvG1xW\":\"Claiming\",\"L+8Lzs\":\"Current LTV\",\"L+qiq+\":\"Market\",\"L2tU22\":\"Learn more about Ethena Rewards program\",\"L3ZyJR\":[[\"popularSectionTitle\"]],\"LEdkyb\":\"Rewards to claim\",\"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\"],\"\"],\"Lhf8zD\":\"Waiting for actions...\",\"Lp2cTp\":\"Eligible for incentives through Merkl.\",\"LvVpD/\":\"Emode\",\"Ly2enB\":\"This will cancel the order via an on-chain transaction. Note that the order will not be marked as cancelled in the CoW Protocol system, but will remain open and expire naturally. Keep in mind that a solver may already have filled your order.\",\"M1RnFv\":\"Expired\",\"M2sknc\":\"Tip: Try increasing slippage or reduce input amount\",\"MKiONF\":\"Activating Cooldown\",\"MOvzXm\":\"Comparing best rates...\",\"MRwaR4\":\"This will require two separate transactions: one to change E-Mode and one to supply.\",\"MZ/nQf\":\"Recipient address\",\"MZbQHL\":\"No results found.\",\"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.\",\"MlRlXX\":\"Current APY\",\"Mm/DVQ\":\"You cancelled the transaction.\",\"MnE2QX\":\"Borrow info\",\"MuDFEQ\":\"Invalid return value of the flashloan executor function\",\"My0ZGV\":\"Learn more about the Kernel points distribution\",\"N+3mX2\":\"Please connect your wallet to swap debt.\",\"N39Ax4\":\"Ethereum\",\"N40H+G\":\"All\",\"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\",\"ND1ISA\":\"Weekly Rewards\",\"NF0e1Q\":\"Pending...\",\"NK9ikO\":\"Wallet Balance\",\"NMt2CB\":\"Amount claimable\",\"Na7NlU\":[[\"remainingCustomMessage\"]],\"NcFGxG\":\"Collector Contract\",\"NfpPeS\":\"Nothing staked\",\"Nh9DAo\":[[\"m\"],\"m\"],\"Npz7kI\":\"Inquiry\",\"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\",\"OC4Tzv\":\"here\",\"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\",\"OiykRd\":\"Deposit GHO\",\"On0aF2\":\"Website\",\"OqAwLU\":\"Protocol APY\",\"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\",\"PctCOf\":\"A temporary contract will be used to execute the trade. Your wallet may show a warning for approving a new or empty address.\",\"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.\",\"QONKTE\":\"Merit Rewards\",\"QQYsQ7\":\"Withdrawing\",\"QZEgwS\":\"Execution fee\",\"R+30X3\":\"Not reached\",\"R9Khdg\":\"Auto\",\"RCU5PY\":\"Age\",\"RIfckG\":[\"Disable \",[\"symbol\"],\" as collateral\"],\"RMtxNk\":\"Differential\",\"RNK49r\":\"Invalid signature\",\"RS0o7b\":\"State\",\"RTG4/6\":\"There are no stake assets configured for this market\",\"RU+LqV\":\"Proposal details\",\"RYfdBk\":\"Visit <0><1>https://aave.self.xyz/ to get started with Self’s ZK-powered proof-of-humanity authentication.\",\"RZbjLY\":[\"See \",[\"0\"],\" more\"],\"Rg4K+m\":\"Cannot switch to this category\",\"RiSYV4\":\"Asset is not listed\",\"Rj01Fz\":\"Links\",\"RmWFEe\":\"Staking APR\",\"RtBLm7\":\"Health factor is lesser than the liquidation threshold\",\"RvF1Ts\":\"stkGHO is now Savings GHO\",\"RxzN1M\":\"Enabled\",\"SBv4zo\":[[\"0\"],\" collateral would have 0% LTV in this category. Disable \",[\"1\"],\" as collateral to use this option.\"],\"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\",\"SNmu1z\":\"Shares are Umbrella Stake Tokens you receive when staking. They represent your ownership in the pool, and the amount of underlying you can redeem depends on the current exchange rate between shares and the underlying.\",\"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\",\"SZkDmY\":\"The swap could not be completed. Try increasing slippage or changing the amount.\",\"Sa1UE/\":\"Protocol borrow cap is at 100% for this asset. Further borrowing unavailable.\",\"Sk2zW9\":\"Disabling E-Mode\",\"St4jqF\":\"This list may not include all your swaps.\",\"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\",\"TLJkuL\":\"Category assets\",\"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\",\"Tg1JyO\":\"Bridge history\",\"TszKts\":\"Borrow balance after switch\",\"Tw07Vv\":\"Show assets with small balance\",\"TwJI9F\":\"Asset has been successfully sent to CCIP contract. You can check the status of the transactions below\",\"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.\",\"UMgOim\":\"Send cancel\",\"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.\",\"UiO4Hu\":[\"You'll need to wait \",[\"0\"],\" before you can unstake your tokens. This cooldown starts when you request to unstake. Once it ends, you can withdraw during the unstake window.\"],\"UpndFj\":\"No rewards to claim\",\"V0f2Xv\":\"Reserve factor\",\"V1HK43\":\"Migration risks\",\"V7QGpc\":\"I understand the liquidation risk and want to proceed\",\"V7SFse\":[\"I confirm the swap knowing that I could lose up to <0>\",[\"0\"],\"% on this swap.\"],\"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\",\"VnQFYr\":\"Claiming all merit rewards only\",\"W1SSoD\":\"Review tx details\",\"W5hVah\":\"Nothing supplied yet\",\"W5kTFy\":\"Voting\",\"WHrVwg\":\"Loading quote...\",\"WMJGls\":\"Estimated Costs & Fees\",\"WNGZwH\":\"E-Mode increases your LTV for a selected category of assets up to<0/>. <1>Learn more\",\"WPWG/y\":\"Reserve status & configuration\",\"WS67YQ\":\"Let us know how we can help you. You may also consider joining our community\",\"WT188T\":\"Withdraw & Swap\",\"WZLQSU\":\"User cannot withdraw more than the available balance\",\"WaZyaV\":\"<0>Ampleforth is a rebasing asset. Visit the <1>documentation to learn more.\",\"WbTDwg\":\"In Progress\",\"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.\",\"X/ITG9\":\"Copy error text\",\"X3Pp6x\":\"Used as collateral\",\"X4Zt7j\":\"Action cannot be performed because the reserve is paused\",\"X4tRM3\":[[\"0\"],\" \",[\"symbol\"],\" to continue\"],\"XBdKOj\":\"Representative smart contract wallet (ie. Safe) addresses on other chains.\",\"XPN5UR\":\"User denied the operation.\",\"XYLcNv\":\"Support\",\"XZzneG\":\"You will exit isolation mode and other tokens can now be used as collateral\",\"Xe5bTg\":\"Deposit APR\",\"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.\",\"XwKkg/\":\"Staked Underlying\",\"Xy+o6U\":\"For security reasons, limit orders are not supported for Native tokens. To place a limit order, use the wrapped version.\",\"Xy71ST\":\"Umbrella\",\"Y+hUcK\":\"Merit Program and Self rewards can be claimed\",\"Y46iXX\":\"The order could't be filled.\",\"Y5Orec\":\"Collateral options\",\"Y5kGkc\":\"VOTE NAY\",\"YD+nXc\":\"Aave Shield\",\"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.\",\"Ya/che\":\"Stake token shares\",\"Ykj2Om\":\"Default slippage\",\"YogbCJ\":\"Testnet mode is ON\",\"YrDxdO\":\"If your loan to value goes above the liquidation threshold your collateral supplied may be liquidated.\",\"YrcHPy\":\"VIEW\",\"YyIM65\":\"Interest rate rebalance conditions were not met\",\"YyydIq\":[\"Add \",[\"0\"],\" to wallet to track your balance.\"],\"Z3FXyt\":\"Loading...\",\"Z99M+T\":\"This is an off-chain operation. Keep in mind that a solver may already have filled your order.\",\"ZBvhI+\":\"Aave Governance\",\"ZIIRAd\":\"Raw-Ipfs\",\"ZRq4tX\":\"Efficiency mode (E-Mode)\",\"ZRuM45\":\"These are the estimated costs associated with your limit swap, including costs and fees. Consider these costs when setting your order amounts to help optimize execution and maximize your chances of filling the order.\",\"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\",\"aCgA+I\":\"E-Mode change\",\"aEtiwq\":\"Vote NAY\",\"aMmFE1\":\"Buy Crypto With Fiat\",\"aOKIms\":\"Array parameters that should be equal length are not\",\"aQYztl\":[\"Repaying \",[\"0\"]],\"aXgo8+\":\"from the\",\"adUsDd\":\"An error has occurred fetching the proposal.\",\"afk1Wt\":[\"This asset can only be used as collateral in E-Mode: \",[\"0\"]],\"aoXTT7\":\"Borrow APY, variable\",\"aqX1Yp\":\"This asset is eligible for rewards through SuperFest. Aave Labs does not guarantee the program and accepts no liability.\",\"b4NS3e\":\"Cooldown period warning\",\"bBHmeP\":\"Available to withdraw\",\"bNEQeI\":\"Cooldown\",\"bUUVED\":\"Asset\",\"bXQ/Og\":\"Share on twitter\",\"bXr0ee\":\"Isolated assets have limited borrowing power and other assets cannot be used as collateral.\",\"bYmAV1\":\"Addresses\",\"bYtb3C\":\"Network costs\",\"bguKoJ\":\"The requested amount is greater than the max loan size in stable rate mode\",\"bm/mjh\":\"This is a program initiated and implemented by the Aave Chan Initiative (ACI). Aave Labs does not guarantee the program and accepts no liability.\",\"bq0uL+\":\"supply\",\"bwSQI0\":\"Supply\",\"bxN6EM\":\"Cannot disable E-Mode\",\"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.\",\"cc6gEH\":\"Incentives APR\",\"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\"]],\"cqwIvs\":\"Forum discussion\",\"csDS2L\":\"Available\",\"cu7Stb\":\"You did not participate in this proposal\",\"cuxGZP\":\"Low health factor after swap. Your position will carry a higher risk of liquidation.\",\"d9YZVR\":\"Principle Tokens\",\"dE6BLF\":\"Governance\",\"dEgA5A\":\"Cancel\",\"dIsyWh\":\"Ltv validation failed\",\"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\",\"dYG3JG\":\"Data couldn't be loaded.\",\"dZQvSq\":\"Please review the swap values before confirming.\",\"dfDzrk\":[\"Supply cap reached for \",[\"symbol\"],\". Reduce the amount or choose a different asset.\"],\"dgFOcr\":\"L1 Networks\",\"dgr1aY\":\"Borrowing is disabled due to an Aave community decision. <0>More details\",\"djsg0o\":\"Collateral usage\",\"drdV8R\":\"Liquidation\",\"dxW8cS\":\"Aave debt token\",\"e/ghIe\":[\"This transaction will enable E-Mode (\",[\"0\"],\"). Borrowing will be restricted to assets within this category.\"],\"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\",\"eQ0Wu0\":\"Please connect a wallet to view your balance here.\",\"eVpCmf\":\"Staking Rewards\",\"eVqvtf\":\"Bridge GHO\",\"eYdurp\":\"No transactions yet.\",\"ebLGGN\":\"Total borrowed\",\"ecqEvn\":\"The collateral balance is 0\",\"edXiYw\":[\"You've successfully swapped \",[\"0\"],\".\"],\"efdrrk\":\"Available on\",\"enruNF\":\"starts\",\"eqLYiD\":\"Unstake now\",\"evw5ha\":\"Net worth\",\"ezcU16\":\"Get ABP Token\",\"f2e3vu\":[\"Deposit GHO into savings GHO (sGHO) and earn <0>\",[\"0\"],\"% APY on your GHO holdings. There are no lockups, no rehypothecation, and you can withdraw anytime. Simply deposit GHO, receive sGHO tokens representing your balance, and watch your savings grow earning claimable rewards from merit.\"],\"f3W0Ej\":[\"You switched to \",[\"0\"],\" rate\"],\"fMJQZK\":\"Borrowed\",\"fZ5Vnu\":\"Received\",\"firl9Q\":\"Your current loan to value based on your collateral supplied.\",\"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\",\"g4Ius4\":\"This is the fee for executing position changes, set by governance.\",\"g8KGoA\":\"FAQS\",\"g9zzqS\":\"Voted NAY\",\"gDd2gk\":\"about SuperFest.\",\"gIMJlW\":\"Testnet mode\",\"gK+IvE\":\"Withdraw and Swap\",\"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\",\"gjxiVa\":[\"This swap has a price impact of \",[\"0\"],\"%, which exceeds the 25% safety threshold. To proceed, disable Aave Shield in the settings menu.\"],\"goff7V\":\"Zero address not valid\",\"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\",\"h5hG6q\":\"This is the cost of settling your order on-chain, including gas and any LP fees.\",\"hB23LY\":\"Activate Cooldown\",\"hIJzBh\":\"Available to Claim\",\"hIS4N0\":\"Net APY\",\"hQRttt\":\"Submit\",\"hRWvpI\":\"Claimed\",\"hb8ajh\":\"Debt Swap\",\"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\",\"hrhwub\":\"dashboard\",\"huQ6Tz\":[\"Borrowing \",[\"symbol\"]],\"hxYu+F\":\"Borrow: All eligible assets\",\"i/fZ2Z\":\"Staked Balance\",\"i9qiyR\":\"Expires in\",\"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\",\"iIuDE1\":\"Estimated weekly rewards based on your current sGHO balance and APR. Actual rewards may vary depending on market conditions.\",\"iKfD53\":\"Transaction history for Plasma not supported yet, coming soon.\",\"iMVZk9\":\"Select slippage tolerance\",\"iNYgey\":\"Get Support\",\"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\",\"iddNqA\":\"This transaction will disable E-Mode. All assets will revert to their base LTV and liquidation thresholds.\",\"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\"],\"ih/VjN\":\"Staking this amount will reduce your health factor and increase risk of liquidation.\",\"il0sEG\":\"Collateral usage is limited because of Isolation mode.\",\"j+K1Xj\":\"Amount After Fee\",\"j4SXZo\":\"Claim all merit rewards\",\"j7JHV+\":\"Total APY\",\"j8cF1R\":\"Cooling down\",\"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\",\"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.\",\"jZkYWO\":\"Boosted LTV\",\"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\",\"jqVo/k\":\"here.\",\"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\"],\"kMi0nz\":\"sGHO Merit APY History\",\"kN1Yg5\":\"To repay on behalf of a user an explicit amount to repay is needed\",\"kNiQp6\":\"Pinned\",\"kRTD40\":[\"Repayment amount to reach \",[\"0\"],\"% utilization\"],\"kgKqPv\":\"You can not stake this amount because it will cause collateral call\",\"kj3M8S\":\"Deposit\",\"kjN9tT\":\"Supply cap is exceeded\",\"kn+s7w\":[[\"0\"],\" collateral would have 0% LTV without E-Mode. Disable \",[\"1\"],\" as collateral to use this option.\"],\"knxE+G\":\".JSON\",\"ks2LWT\":\"Debt ceiling is not zero\",\"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.\",\"kzeZTm\":\"LTV\",\"lCF0wC\":\"Refresh\",\"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.\",\"lXb3Ih\":[\"This asset has 0 LTV and cannot be used as collateral. Enable an E-Mode to use \",[\"symbol\"],\" as collateral.\"],\"lXj2Sq\":\"Repay with Collateral\",\"lYGfRP\":\"English\",\"lfEjIE\":\"Learn more in our <0>FAQ guide\",\"ljF4ko\":\"The selected rate is lower than the market price. You might incur a loss if you proceed.\",\"lqCWte\":[\"Deposit GHO and earn \",[\"0\"],\"% APY\"],\"lu7f+8\":\"Blocked by Shield\",\"m/IEhi\":\"Total emission per day\",\"m7r7Hh\":\"Selected borrow assets\",\"mDDK4p\":\"Balancer Pool\",\"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.\"],\"me5LMQ\":\"Checking approval\",\"mogZv0\":\"Favourite\",\"muiOng\":[\"Buy \",[\"cryptoSymbol\"],\" with Fiat\"],\"mvCXBY\":\"Stake AAVE\",\"mwdzil\":\"Ok, Close\",\"mzDAU3\":\"Savings GHO (sGHO)\",\"mzdIia\":\"Asset cannot be used as collateral.\",\"n+SX4g\":\"Developers\",\"n1na81\":\"No eligible assets to swap.\",\"n4PWtp\":\"Depositing\",\"nJIhzm\":\"Supply apy\",\"nJgsQu\":\"With a voting power of <0/>\",\"nLC6tu\":\"French\",\"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\",\"nPGNMh\":\"Can be executed\",\"nUK1ou\":[\"Assets with zero LTV (\",[\"0\"],\") must be withdrawn or disabled as collateral to perform this action\"],\"neITkT\":\"This asset has 0% LTV, meaning it does not contribute to borrowing power. Existing positions with this asset as collateral still count toward the liquidation threshold and protect your health factor. New positions cannot enable this asset as collateral.\",\"njBeMm\":\"Both\",\"ntyFSE\":[[\"h\"],\"h\"],\"nwIsn4\":\"After the cooldown is initiated, you will be able to withdraw your assets immediatley.\",\"nweCqF\":\"Cancelling order...\",\"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\",\"o5ooMr\":\"Debt\",\"o7J4JM\":\"Filter\",\"o7Yloh\":\"Learn more about the Ether.fi program\",\"oHFrpj\":\"Cooldown to unstake\",\"oJ5ZiG\":\"User does not have outstanding variable rate debt on this reserve\",\"oUwXhx\":\"Test Assets\",\"oWQnqT\":\"Staking this asset will earn the underlying asset supply yield in addition to other configured rewards.\",\"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.\",\"ogU9GD\":\"Target liquidity\",\"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.\",\"om/XHs\":\"Available to supply\",\"omq5qJ\":\"Claiming all protocol rewards and merit rewards together\",\"ovBPCi\":\"Default\",\"ovT1pF\":[\"Per the community, the \",[\"market\"],\" has been frozen.\"],\"ow3fug\":\"Nothing found\",\"owSsI3\":\"Signatures ready\",\"p+R52m\":\"Go to Balancer Pool\",\"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.\",\"p45alK\":\"Set up delegation\",\"pDgeaz\":[[\"title\"]],\"pdZqBk\":\"The underlying balance needs to be greater than 0\",\"pgWG9H\":\"Not enough staked balance\",\"ph9+uj\":[\"Switching to \",[\"networkName\"],\"...\"],\"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\"],\"pup/ej\":\"Net Protocol Incentives\",\"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\",\"qKfida\":\"Staked tokens are wrapped and use an exchange rate. You may see fewer token shares, but the value matches your deposit and will grow as yield accrues.\",\"qOqbD6\":\"copy the error\",\"qXCkEM\":\"Please connect your wallet to see your supplies, borrowings, and open positions.\",\"qY2jnw\":\"Invalid expiration\",\"qhhf9L\":\"Rewards available to claim\",\"qtS7wW\":\"Thank you for voting\",\"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\",\"qz6JVE\":[\"Your order amounts are \",[\"0\"],\" less favorable by \",[\"1\"],\"% to the liquidity provider than recommended. This order may not be executed.\"],\"qz9c6b\":[\"Repaying \",[\"0\"],\" with \",[\"1\"]],\"qzFp5D\":\"All Categories\",\"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\",\"riNWOA\":\"E-Mode\",\"rjGI/Q\":\"Privacy\",\"rnKPW1\":\"Watch a wallet balance in read-only mode\",\"rojvRp\":\"Approval by signature not available\",\"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\",\"t/ct9N\":\"Auto Slippage\",\"tBIz3I\":[\"Supply \",[\"0\"],\" and double your yield by <0><1>verifying your humanity through Self for \",[\"1\"],\" per user.\"],\"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\",\"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\"],\"tVJk4q\":\"Cancel order\",\"te9Bfl\":\"Please, connect your wallet\",\"tj6dr4\":\"Merit Program rewards can be claimed\",\"tt5yma\":\"Your supplies\",\"tw6G0s\":[\"You must disable \",[\"0\"],\" as collateral before exiting E-Mode. These assets have 0 LTV outside of E-Mode and cannot be used as collateral.\"],\"u3ZeYl\":\"Transaction failed\",\"u706uF\":\"Invalid flashloan premium\",\"u8Gfu7\":[\"No search results\",[\"0\"]],\"uAQUqI\":\"Status\",\"uGG4Lk\":\"Claim all protocol rewards\",\"uHMwk8\":\"No assets selected to migrate.\",\"uI3SjW\":\"Connection Error\",\"uJOI6M\":\"Tip: Try improving your order parameters\",\"uJPHuY\":\"Migrating\",\"uRXR6h\":[\"Swap \",[\"0\"],\" debt\"],\"uZiu4N\":\"There is an active order for the same sell asset (avoid nonce reuse).\",\"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\",\"usB84Z\":\"Maximum amount available to borrow is limited because protocol borrow cap is nearly reached.\",\"uyLjNw\":\"Custom slippage\",\"v+Fu0z\":\"This asset is eligible for Kernel points incentive program. Aave Labs does not guarantee the program and accepts no liability.\",\"v0CIlJ\":\"You have no rewards to claim at this time.\",\"v8x7Mg\":\"Insufficient collateral to cover new borrow position. Wallet must have borrowing power remaining to perform debt switch.\",\"vEqxH9\":\"Restaked\",\"vH2C/2\":\"Swap\",\"vLyv1R\":\"Hide\",\"vMba49\":\"Borrowing is not enabled\",\"vMpNwt\":\"Approve with\",\"vNAHA2\":\"PTs\",\"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.\",\"vv7kpg\":\"Cancelled\",\"w+V9Cx\":\"Stablecoin\",\"w/JtJ3\":\"Stable debt supply is not zero\",\"w1f8Ky\":\"Savings GHO\",\"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\",\"wapGcj\":[[\"message\"]],\"wb/r1O\":[\"Faucet \",[\"0\"]],\"wdxz7K\":\"Source\",\"weC8IO\":\"All Rewards\",\"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.\",\"wjFWDB\":\"No markets found\",\"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\",\"wuMdlk\":[\"This asset is eligible for \",[\"0\"],\" Sonic Rewards.\"],\"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.\",\"x+QJ9y\":[\"Category \",[\"selectedEmodeId\"]],\"x0TRLG\":[\"Repay your \",[\"0\"],\" \",[\"1\",\"plural\",{\"one\":\"borrow\",\"other\":\"borrows\"}],\" to use this category.\"],\"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\"]],\"yRkqG9\":\"Limit\",\"yYHqJe\":\"Not a valid address\",\"yZ5ngq\":\"Transaction details not available\",\"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\"],\"yv/Kz/\":\"Back home\",\"yz7wBu\":\"Close\",\"z4uGQg\":\"Debt ceiling is exceeded\",\"z5JUmg\":[\"Estimated costs are \",[\"0\"],\"% of the sell amount. This order is unlikely to be filled.\"],\"z5UQOM\":\"The collateral chosen cannot be liquidated\",\"z5Y+p6\":[\"Supplying \",[\"symbol\"]],\"zCjNKs\":\"Action cannot be performed because the reserve is frozen\",\"zNgzxM\":\"Excludes variable supply APY\",\"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\",\"zZmf1N\":\"Filled\",\"zgtIDV\":\"Remaining debt\",\"zmTPiV\":\"Supply balance\",\"zpPbZl\":\"Liquidation risk parameters\",\"zqp4Tm\":\"Unable to Connect\",\"zr58Jd\":\"Umbrella is the upgraded version of the Safety Module. Manage your previously staked assets\",\"zucql+\":\"Menu\",\"zv/j10\":[\"Active \",[\"0\"],\" borrow is not compatible with this category. Repay your \",[\"1\"],\" borrow to use this option.\"],\"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.\"}")}; \ No newline at end of file diff --git a/src/locales/en/messages.po b/src/locales/en/messages.po index 7c391a66ef..12c503cd69 100644 --- a/src/locales/en/messages.po +++ b/src/locales/en/messages.po @@ -2639,6 +2639,10 @@ msgstr "Please review the swap values before confirming." msgid "Supply cap reached for {symbol}. Reduce the amount or choose a different asset." msgstr "Supply cap reached for {symbol}. Reduce the amount or choose a different asset." +#: src/components/MarketSwitcher.tsx +msgid "L1 Networks" +msgstr "L1 Networks" + #: src/components/Warnings/BorrowDisabledWarning.tsx msgid "Borrowing is disabled due to an Aave community decision. <0>More details" msgstr "Borrowing is disabled due to an Aave community decision. <0>More details" @@ -2891,10 +2895,6 @@ msgstr "Submit" msgid "Claimed" msgstr "Claimed" -#: src/components/MarketSwitcher.tsx -msgid "Other Chains" -msgstr "Other Chains" - #: src/modules/history/actions/ActionDetails.tsx #: src/modules/history/HistoryFilterMenu.tsx msgid "Debt Swap" diff --git a/src/locales/es/messages.js b/src/locales/es/messages.js index d8316739e7..a861e8e861 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.\"],\"+5vxU4\":\"Reward APY at target liquidity\",\"+9RBfc\":\"Thank you for submitting your inquiry!\",\"+F6nAX\":\"Save with sGHO\",\"+KaZP2\":\"Aave Labs does not guarantee the program and accepts no liability.\",\"+Nk14N\":\"Savings GHO token\",\"+VR63W\":[\"Participar en esta reserva de \",[\"symbol\"],\" da recompensas anuales.\"],\"+XNrRN\":\"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 restrictions, see the <1>help guide or the <2>Aave V3 Technical Paper.\",\"+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.\",\"+i3Pd2\":\"Límite del préstamo\",\"+nuEh/\":\"Estimated time\",\"+xMFF8\":\"Remind me\",\"/+Vmgq\":\"Total amount of underlying assets staked. This number represents the combined sum of your original asset and the corresponding aTokens staked in Umbrella.\",\"/1Qot4\":\"Protocol Rewards\",\"/1xACT\":\"Reward APY adjusts with total staked amount, following a curve that targets optimal staking levels.\",\"/57U31\":\"Cantidad para migrar\",\"/7ykiW\":\"Tomar prestado esta cantidad reducirá tu factor de salud y aumentará el riesgo de liquidación.\",\"/FwCXs\":[[\"0\"],\" \",[\"symbol\"],\"...\"],\"/LCAwL\":\"In progress\",\"/ZyLeG\":\"Amount available to unstake\",\"/jQctM\":\"To\",\"/lDBHm\":\"Preguntas frecuentes\",\"/lMWs6\":[\"Deposit GHO and earn up to <0>\",[\"0\"],\"% APY\"],\"/yNlZf\":\"El préstamo estable no está habilitado\",\"/yQcJM\":\"Valor total\",\"00AB2i\":\"El usuario no tomó prestado el activo especificado\",\"02/4d1\":\"We suggest you go back to the home page.\",\"0AmQcW\":\"Cambio de tasa\",\"0BF3yK\":\"Lo sentimos, no hemos podido encontrar la página que estabas buscando.\",\"0RrIzN\":\"Select token\",\"0TAbjq\":\"Recent Transactions\",\"0jhlyw\":\"Riesgo de liquidación\",\"0ojY+Y\":\"Balance actual v2\",\"0r31vq\":\"Reward Token\",\"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.\",\"11xQTX\":[\"This asset is eligible for \",[\"0\"],\" Ethena Rewards.\"],\"18GnfY\":[\"Repay \",[\"0\"]],\"1AsVfF\":\"Los datos de los precios no están disponibles actualmente para esta reserva en el subgraph del protocolo\",\"1LjK22\":\"Historial de transacciones\",\"1PMU2v\":\"Learn more about the risks.\",\"1Ue8sX\":\"Por favor conecta una cartera para ver tu información personal aquí.\",\"1W8DZp\":\"USDT on Ethereum requires approval reset before a new approval. This will require an additional transaction.\",\"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\",\"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.\",\"2/aIvj\":\"Cancellation submited\",\"2C40JO\":[\"This transaction will switch E-Mode from \",[\"0\"],\" to \",[\"1\"],\". Borrowing will be restricted to assets within the new category.\"],\"2Eoi/a\":\"Ver detalles\",\"2FYpfJ\":\"Más\",\"2O3qp5\":\"Liquidez disponible\",\"2OIfa1\":\"Please connect your wallet to swap collateral.\",\"2OM8/D\":[\"Este activo no se puede migrar debido a una restricción del límite de suministro en el mercado v3 de \",[\"marketName\"],\".\"],\"2RtYM0\":\"Need help? Our support team can assist.\",\"2RubOP\":\"Initiate Withdraw\",\"2S7oCr\":[\"This asset is eligible for the Ether.fi Loyalty program with a <0>x\",[\"multiplier\"],\" multiplier.\"],\"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.\",\"2eBWE6\":\"Acepto los riesgos involucadros.\",\"2r2h/U\":\"Total Deposited\",\"2uJToh\":[[\"0\"],[\"name\"]],\"2x1UO0\":\"Favourited\",\"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\",\"3K0oMo\":\"Suministro restante\",\"3MoZhl\":\"No hay suficiente garantía para cubrir un nuevo préstamo\",\"3NO6VI\":[[\"0\"],\" Balance\",[\"1\"]],\"3Np5O8\":[\"Suministrar \",[\"symbol\"]],\"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\",\"4fCwrW\":\"or from the\",\"4lDFps\":\"Firma para continuar\",\"4p5njr\":\"Total amount staked\",\"4wyw8H\":\"Transacciones\",\"5+lhtA\":\"For swapping safety module assets please unstake your position <0>here.\",\"53r7O1\":[\"High price impact (<0>\",[\"0\"],\"%)! This route will return \",[\"1\"],\" due to low liquidity or small order size.\"],\"5CCqcz\":\"Fees help support the user experience and security of the Aave application. <0>Learn more.\",\"5JSSxX\":[\"Tu cartera de \",[\"networkName\"],\" está vacía. Consigue activos de prueba gratis en\"],\"5K3B36\":\"We couldn't find any assets related to your search. Try again with a different category.\",\"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.\"],\"5RzvNm\":\"Aave Shield: Transaction blocked\",\"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\",\"5ty6hB\":\"Claiming individual protocol reward only. Merit rewards excluded - select \\\"claim all\\\" to include merit rewards.\",\"5vxk14\":\"To continue, you need to grant 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\",\"5yC5m5\":\"Ver todos los votos\",\"6/dCYd\":\"Resumen\",\"60crCe\":\"Todas las transacciones\",\"62Xcjh\":\"Garantía\",\"65A04M\":\"Español\",\"68ANm7\":\"Withdrawing GHO\",\"6G8s+q\":\"Firmando\",\"6Jrv+z\":[\"Pagar \",[\"symbol\"]],\"6SC+v0\":[\"Disable \",[\"0\"],\" as collateral to use this category. These assets would have 0% LTV.\"],\"6Xr0UU\":\"Cooling down...\",\"6bxci/\":\"Poder de votación\",\"6f8S68\":\"Mercados\",\"6g1gi0\":\"Propuestas\",\"6gvoHP\":\"Copiar mensaje de error\",\"6h3Q5G\":\"reembolsado\",\"6lFSyT\":\"Available to Stake\",\"6lGV3K\":\"Show less\",\"6s8L6f\":\"Cambiar de red\",\"70wH1Q\":\"APR\",\"72c5Qo\":\"Total\",\"75qcAQ\":[[\"stepName\"]],\"7ITr5L\":\"Factor de salud\",\"7R/kqr\":\"The cooldown period is the time required prior to unstaking your tokens (<0/>). You can only withdraw your assets from the Security Module after the cooldown period and within the unstake window. <1>Learn more\",\"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\",\"7c6Gy8\":\"Learn more about Sonic Rewards program\",\"7er5fP\":\"Reclamar todo\",\"7hb2+s\":\"Time remaining until the withdraw period ends.\",\"7i1oxe\":\"Withdrawing and Swapping\",\"7l88b8\":\"No se pudieron recuperar los datos, por favor recarga el gráfico.\",\"7p5kLi\":\"Panel de control\",\"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\",\"8Xaoyr\":\"View on CCIP Explorer\",\"8Z5FPv\":\"Desconectar cartera\",\"8Zz7s5\":\"activos\",\"8aLW8H\":\"Balance a revocar\",\"8bOT3H\":\"Tasa de uso\",\"8d61xO\":\"The Ink instance is governed by the Ink Foundation\",\"8sLe4/\":\"Ver contrato\",\"8ss7VF\":\"Transaction cancelled\",\"8t/M0y\":\"Please connect your wallet to be able to bridge your tokens.\",\"8u3DDw\":[\"Swap \",[\"0\"],\" collateral\"],\"8vETh9\":\"Mostrar\",\"93T2Os\":\"Total deposited\",\"94OHPx\":\"Estás entrando en el Isolation mode\",\"9CDK3/\":[\"Tomar prestado no está disponible actualmente para \",[\"0\"],\".\"],\"9GIj3z\":\"Tamaño de la reserva\",\"9ITYjl\":\"%\",\"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.\"],\"9YcC7V\":\"Select Categories\",\"9c6vDV\":\"Este activo ha alcanzado su límite de suministro. No queda nada disponible para ser suministrado desde este mercado.\",\"9iDHmv\":\"Collateral Swap\",\"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\",\"9xSooW\":\"Puesto que esta es una red de pruebas, puedes obtener cualquiera de los activos si tienes ETH en tu cartera\",\"9y0Q0y\":[\"There is not enough liquidity in \",[\"symbol\"],\" to complete this swap. Try lowering the amount.\"],\"9zzsBx\":\"This is a program initiated by the Aave DAO and implemented by Merkl. Aave Labs does not guarantee the program and accepts no liability.\",\"A/lwoe\":\"Elige uno de los servicios on-ramp\",\"A6dCI6\":[\"La máxima cantidad disponible para tomar prestado es <0/> \",[\"0\"],\" (<1/>).\"],\"ACUEES\":\"Check errors\",\"AReoaV\":\"Tus préstamos\",\"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.\",\"B6zvhF\":\"Shares\",\"BDFEd+\":\"stETH suministrado como garantía continuará acumulando recompensas de staking proporcionadas por rebases diarios.\",\"BE2mP0\":\"Borrowed assets\",\"BNL4Ep\":\"El uso como garantía está limitado debido al isolation mode. <0>Aprende más\",\"BQ+4lu\":\"Swap saved in your <0>history section.\",\"BQ/wCO\":\"Migrate your assets\",\"BaCmXf\":\"AAVE 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.\",\"Baj2MJ\":\"Savings\",\"BnhYo8\":\"Categoría de activos\",\"Bo6b9i\":\"Withdraw GHO\",\"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\",\"C4qYyX\":[\"Repay \",[\"0\"],\" with \",[\"1\"]],\"C5jQc6\":\"GHO Balance\",\"C7hM0q\":\"Country (optional)\",\"CDrsH+\":\"Documento técnico\",\"CGiscJ\":\"You've successfully submitted an order.\",\"CK1KXz\":\"Max\",\"COUcFd\":\"Points\",\"CZXzs4\":\"Griego\",\"CkTRmy\":[\"Reclamar \",[\"symbol\"]],\"CrrC++\":\"Position swaps are disabled for this asset due to security reasons.\",\"CsqtLm\":\"Por favor conecta tu cartera para ver la herramienta de migración.\",\"CtGlFb\":[\"Faucet \",[\"networkName\"]],\"CuAHqa\":\"Protocol Incentives\",\"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.\",\"D4Q4h/\":\"Gas estimation error\",\"D79cZK\":\"Instant\",\"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\"],\"DhaOWH\":\"Stake your Aave aTokens or underlying assets to earn rewards. In case of a shortfall event, your stake may be slashed to cover the deficit.\",\"Dj+3wB\":\"Aave por mes\",\"DlRHbH\":\"Claiming all protocol rewards only. Merit rewards excluded - select \\\"claim all\\\" to include merit rewards.\",\"DuEq2K\":\"Colateralización\",\"Dzma+E\":\"Main Ethereum market with the largest selection of assets and yield options\",\"E/QGRL\":\"Deshabilitado\",\"E6UoJs\":\"Estimated compounding 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.\",\"ETtXJg\":\"Share my wallet address to help the support team resolve my issue\",\"EZd3Dk\":[\"Restakeando \",[\"symbol\"]],\"Ebgc76\":[\"Retirando \",[\"symbol\"]],\"EdQY6l\":\"Ninguno\",\"Ef7StM\":\"Unknown\",\"Ehzc//\":[\"Swapping \",[\"0\"],\" debt\"],\"Ekea1N\":\"We couldn't detect a wallet. Connect a wallet to stake and view your balance.\",\"Enslfm\":\"Destination\",\"EvE9nO\":[\"Reactivar el periodo de cooldown para unstakear \",[\"0\"],\" \",[\"stakedToken\"]],\"EvECnL\":\"Migrar a V3\",\"EyYG53\":\"Get support\",\"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.\",\"F6pfE9\":\"Active\",\"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\",\"FTRJ1l\":\"L2 Networks\",\"FbmMe7\":\"Direcciones vinculadas\",\"Fdp03t\":\"en\",\"Fjw9N+\":\"Activos a suministrar\",\"FmN0fk\":\"Restakear\",\"G15AUr\":\"Sending cancel...\",\"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\",\"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.\"],\"Gz07IS\":\"Your health factor after this swap will be critically low and may result in liquidation. Please choose a different asset or reduce the swap amount to stay safe.\",\"H1oAjw\":[[\"selectedCount\"],\" Categories\"],\"HB/wfS\":[[\"tooltipText\"]],\"HD4KkW\":[\"Swapping \",[\"0\"],\" collateral\"],\"HKDsQN\":\"Rewards can be claimed through\",\"Hi6Ttn\":\"Lo sentimos, se produjo un error imprevisto. Mientras tanto, puedes intentar recargar la página, o volver después.\",\"HkEDbS\":[[\"d\"],\"d\"],\"HlWGZc\":[\"Your \",[\"0\"],\" balance is lower than the selected amount.\"],\"HmkYqM\":\"Ventana de unstakeo\",\"HpK/8d\":\"Recargar\",\"HtBqo9\":\"sGHO\",\"HtuY7v\":\"Please connect your wallet to swap tokens.\",\"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\"],\"%.\"],\"I4Cxlm\":\"E-Mode required\",\"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.\",\"ILXMQA\":\"The Safety Module has been upgraded to <0>Umbrella, a new system that introduces automated slashing, aToken staking, and improved incentives design.\",\"IN8luu\":\"All done\",\"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\",\"IhAc6F\":\"Costs & Fees\",\"ImxB3A\":\"deposited\",\"IrtO2E\":\"You have assets with zero LTV that are blocking this operation. Please withdraw them or disable them as collateral first.\",\"J/hVSQ\":[[\"0\"]],\"JCoxL6\":\"Administrar analíticas\",\"JEdlTC\":\"Stablecoins\",\"JOqFba\":[\"Unstakeando \",[\"symbol\"]],\"JPHuMW\":\"Swapping\",\"JPhc4G\":\"ETH Correlated\",\"JPrLjO\":\"No puedes usar este activo como garantía\",\"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\",\"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\",\"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\",\"KkJaLD\":\"Borrow:\",\"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\",\"KqoLVC\":\"Merkl rewards are claimed through the\",\"KsqhWn\":\"Staking\",\"KuBTQq\":\"Introduce la dirección ETH\",\"KvG1xW\":\"Reclamando\",\"L+8Lzs\":\"LTV actual\",\"L+qiq+\":\"Mercado\",\"L2tU22\":\"Learn more about Ethena Rewards program\",\"L3ZyJR\":[[\"popularSectionTitle\"]],\"LEdkyb\":\"Rewards to claim\",\"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\"],\"\"],\"Lhf8zD\":\"Waiting for actions...\",\"Lp2cTp\":\"Eligible for incentives through Merkl.\",\"LvVpD/\":\"Modo E\",\"Ly2enB\":\"This will cancel the order via an on-chain transaction. Note that the order will not be marked as cancelled in the CoW Protocol system, but will remain open and expire naturally. Keep in mind that a solver may already have filled your order.\",\"M1RnFv\":\"Expired\",\"M2sknc\":\"Tip: Intenta aumentar el deslizamiento o reduce la cantidad de entrada\",\"MKiONF\":\"Activating Cooldown\",\"MOvzXm\":\"Comparing best rates...\",\"MRwaR4\":\"This will require two separate transactions: one to change E-Mode and one to supply.\",\"MZ/nQf\":\"Dirección del destinatario\",\"MZbQHL\":\"No results found.\",\"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.\",\"MlRlXX\":\"Current APY\",\"Mm/DVQ\":\"Has cancelado la transacción.\",\"MnE2QX\":\"Información de préstamo\",\"MuDFEQ\":\"Valor de retorno inválido en la función executor del préstamo flash\",\"My0ZGV\":\"Learn more about the Kernel points distribution\",\"N+3mX2\":\"Please connect your wallet to swap debt.\",\"N39Ax4\":\"Ethereum\",\"N40H+G\":\"All\",\"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\",\"ND1ISA\":\"Weekly Rewards\",\"NF0e1Q\":\"Pendiente...\",\"NK9ikO\":\"Balance de la cartera\",\"NMt2CB\":\"Cantidad reclamable\",\"Na7NlU\":[[\"remainingCustomMessage\"]],\"NcFGxG\":\"Collector Contract\",\"NfpPeS\":\"Nada invertido\",\"Nh9DAo\":[[\"m\"],\"m\"],\"Npz7kI\":\"Inquiry\",\"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\",\"OC4Tzv\":\"here\",\"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\",\"OiykRd\":\"Deposit GHO\",\"On0aF2\":\"Página web\",\"OqAwLU\":\"Protocol APY\",\"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\",\"PctCOf\":\"A temporary contract will be used to execute the trade. Your wallet may show a warning for approving a new or empty address.\",\"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.\",\"QONKTE\":\"Merit Rewards\",\"QQYsQ7\":\"Retirando\",\"QZEgwS\":\"Execution fee\",\"R+30X3\":\"No alcanzado\",\"R9Khdg\":\"Auto\",\"RCU5PY\":\"Age\",\"RIfckG\":[\"Desactivar \",[\"symbol\"],\" como garantía\"],\"RMtxNk\":\"Diferencial\",\"RNK49r\":\"Firma inválida\",\"RS0o7b\":\"Estado\",\"RTG4/6\":\"There are no stake assets configured for this market\",\"RU+LqV\":\"Detalles de la propuesta\",\"RYfdBk\":\"Visit <0><1>https://aave.self.xyz/ to get started with Self’s ZK-powered proof-of-humanity authentication.\",\"RZbjLY\":[\"See \",[\"0\"],\" more\"],\"Rg4K+m\":\"Cannot switch to this category\",\"RiSYV4\":\"El activo no está listado\",\"Rj01Fz\":\"Enlaces\",\"RmWFEe\":\"Staking APR\",\"RtBLm7\":\"El factor de salud es menor que el umbral de liquidación\",\"RvF1Ts\":\"stkGHO is now Savings GHO\",\"RxzN1M\":\"Habilitado\",\"SBv4zo\":[[\"0\"],\" collateral would have 0% LTV in this category. Disable \",[\"1\"],\" as collateral to use this option.\"],\"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\",\"SNmu1z\":\"Shares are Umbrella Stake Tokens you receive when staking. They represent your ownership in the pool, and the amount of underlying you can redeem depends on the current exchange rate between shares and the underlying.\",\"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\",\"SZkDmY\":\"The swap could not be completed. Try increasing slippage or changing the amount.\",\"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\",\"St4jqF\":\"This list may not include all your swaps.\",\"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\",\"TLJkuL\":\"Category assets\",\"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\",\"Tg1JyO\":\"Bridge history\",\"TszKts\":\"Balance de préstamo después del cambio\",\"Tw07Vv\":\"Show assets with small balance\",\"TwJI9F\":\"Asset has been successfully sent to CCIP contract. You can check the status of the transactions below\",\"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.\",\"UMgOim\":\"Send cancel\",\"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.\",\"UiO4Hu\":[\"You'll need to wait \",[\"0\"],\" before you can unstake your tokens. This cooldown starts when you request to unstake. Once it ends, you can withdraw during the unstake window.\"],\"UpndFj\":\"No hay recompensas para reclamar\",\"V0f2Xv\":\"Factor de reserva\",\"V1HK43\":\"Riesgos de migración\",\"V7QGpc\":\"I understand the liquidation risk and want to proceed\",\"V7SFse\":[\"I confirm the swap knowing that I could lose up to <0>\",[\"0\"],\"% on this swap.\"],\"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\",\"VnQFYr\":\"Claiming all merit rewards only\",\"W1SSoD\":\"Revisar detalles de la tx\",\"W5hVah\":\"Nada suministrado aún\",\"W5kTFy\":\"Votando\",\"WHrVwg\":\"Loading quote...\",\"WMJGls\":\"Estimated Costs & Fees\",\"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\",\"WS67YQ\":\"Let us know how we can help you. You may also consider joining our community\",\"WT188T\":\"Withdraw & Swap\",\"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.\",\"WbTDwg\":\"In Progress\",\"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.\",\"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\",\"X4tRM3\":[[\"0\"],\" \",[\"symbol\"],\" to continue\"],\"XBdKOj\":\"Direcciones de cartera de contrato inteligente representativas (Safe) en otras cadenas.\",\"XPN5UR\":\"User denied the operation.\",\"XYLcNv\":\"Support\",\"XZzneG\":\"Saldrás del modo aislamiento y otros tokens pueden ser usados ahora como garantía\",\"Xe5bTg\":\"Deposit APR\",\"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.\",\"XwKkg/\":\"Staked Underlying\",\"Xy+o6U\":\"For security reasons, limit orders are not supported for Native tokens. To place a limit order, use the wrapped version.\",\"Xy71ST\":\"Umbrella\",\"Y+hUcK\":\"Merit Program and Self rewards can be claimed\",\"Y46iXX\":\"The order could't be filled.\",\"Y5Orec\":\"Collateral options\",\"Y5kGkc\":\"VOTAR NO\",\"YD+nXc\":\"Aave Shield\",\"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.\",\"Ya/che\":\"Stake token shares\",\"Ykj2Om\":\"Default slippage\",\"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.\",\"YrcHPy\":\"VIEW\",\"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.\"],\"Z3FXyt\":\"Loading...\",\"Z99M+T\":\"This is an off-chain operation. Keep in mind that a solver may already have filled your order.\",\"ZBvhI+\":\"Gobierno de Aave\",\"ZIIRAd\":\"Raw-Ipfs\",\"ZRq4tX\":\"Modo de eficiencia (E-Mode)\",\"ZRuM45\":\"These are the estimated costs associated with your limit swap, including costs and fees. Consider these costs when setting your order amounts to help optimize execution and maximize your chances of filling the order.\",\"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\",\"aCgA+I\":\"E-Mode change\",\"aEtiwq\":\"Votar NO\",\"aMmFE1\":\"Comprar Crypto con Fiat\",\"aOKIms\":\"Los parámetros del array que deberían ser iguales en longitud no lo son\",\"aQYztl\":[\"Repaying \",[\"0\"]],\"aXgo8+\":\"from the\",\"adUsDd\":\"Se ha producido un error al recuperar la propuesta.\",\"afk1Wt\":[\"This asset can only be used as collateral in E-Mode: \",[\"0\"]],\"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.\",\"b4NS3e\":\"Advertencia periodo de cooldown\",\"bBHmeP\":\"Available to withdraw\",\"bNEQeI\":\"Cooldown\",\"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\",\"bYtb3C\":\"Network costs\",\"bguKoJ\":\"La cantidad solicitada es mayor que el tamaño máximo del préstamo en el modo de tasa estable\",\"bm/mjh\":\"This is a program initiated and implemented by the Aave Chan Initiative (ACI). Aave Labs does not guarantee the program and accepts no liability.\",\"bq0uL+\":\"supply\",\"bwSQI0\":\"Suministrar\",\"bxN6EM\":\"No se puede deshabilitar E-Mode\",\"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.\",\"cc6gEH\":\"Incentives APR\",\"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\"]],\"cqwIvs\":\"Hilo de discusión del foro\",\"csDS2L\":\"Disponible\",\"cu7Stb\":\"No has participado en esta propuesta\",\"cuxGZP\":\"Low health factor after swap. Your position will carry a higher risk of liquidation.\",\"d9YZVR\":\"Principle Tokens\",\"dE6BLF\":\"Gobierno\",\"dEgA5A\":\"Cancelar\",\"dIsyWh\":\"La validación del LTV ha fallado\",\"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\",\"dYG3JG\":\"Data couldn't be loaded.\",\"dZQvSq\":\"Please review the swap values before confirming.\",\"dfDzrk\":[\"Supply cap reached for \",[\"symbol\"],\". Reduce the amount or choose a different asset.\"],\"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\",\"drdV8R\":\"Liquidación\",\"dxW8cS\":\"Token de deuda de Aave\",\"e/ghIe\":[\"This transaction will enable E-Mode (\",[\"0\"],\"). Borrowing will be restricted to assets within this category.\"],\"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\",\"eQ0Wu0\":\"Please connect a wallet to view your balance here.\",\"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\",\"edXiYw\":[\"You've successfully swapped \",[\"0\"],\".\"],\"efdrrk\":\"Disponible en\",\"enruNF\":\"empieza\",\"eqLYiD\":\"Unstakea ahora\",\"evw5ha\":\"Valor neto\",\"ezcU16\":\"Obtener Token ABP\",\"f2e3vu\":[\"Deposit GHO into savings GHO (sGHO) and earn <0>\",[\"0\"],\"% APY on your GHO holdings. There are no lockups, no rehypothecation, and you can withdraw anytime. Simply deposit GHO, receive sGHO tokens representing your balance, and watch your savings grow earning claimable rewards from merit.\"],\"f3W0Ej\":[\"Has cambiado a tasa \",[\"0\"]],\"fMJQZK\":\"Prestado\",\"fZ5Vnu\":\"Recibido\",\"firl9Q\":\"Tu actual relación préstamo-valor basado en tu garantía suministrada.\",\"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\",\"g4Ius4\":\"This is the fee for executing position changes, set by governance.\",\"g8KGoA\":\"FAQS\",\"g9zzqS\":\"Votó NAY\",\"gDd2gk\":\"about SuperFest.\",\"gIMJlW\":\"Testnet mode\",\"gK+IvE\":\"Withdraw and Swap\",\"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\",\"gjxiVa\":[\"This swap has a price impact of \",[\"0\"],\"%, which exceeds the 25% safety threshold. To proceed, disable Aave Shield in the settings menu.\"],\"goff7V\":\"Dirección cero no válida\",\"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\",\"h5hG6q\":\"This is the cost of settling your order on-chain, including gas and any LP fees.\",\"hB23LY\":\"Activar Cooldown\",\"hIJzBh\":\"Available to Claim\",\"hIS4N0\":\"APY neto\",\"hQRttt\":\"Submit\",\"hRWvpI\":\"Reclamado\",\"hStpnK\":\"Other Chains\",\"hb8ajh\":\"Debt Swap\",\"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\",\"hrhwub\":\"dashboard\",\"huQ6Tz\":[\"Tomando prestado \",[\"symbol\"]],\"hxYu+F\":\"Borrow: All eligible assets\",\"i/fZ2Z\":\"Staked Balance\",\"i9qiyR\":\"Expires in\",\"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\",\"iIuDE1\":\"Estimated weekly rewards based on your current sGHO balance and APR. Actual rewards may vary depending on market conditions.\",\"iKfD53\":\"Transaction history for Plasma not supported yet, coming soon.\",\"iMVZk9\":\"Seleccionar tolerancia de deslizamiento\",\"iNYgey\":\"Get Support\",\"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\",\"iddNqA\":\"This transaction will disable E-Mode. All assets will revert to their base LTV and liquidation thresholds.\",\"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 \"],\"ih/VjN\":\"Staking this amount will reduce your health factor and increase risk of liquidation.\",\"il0sEG\":\"El uso de garantías está limitado debido al Isolation mode.\",\"j+K1Xj\":\"Amount After Fee\",\"j4SXZo\":\"Claim all merit rewards\",\"j7JHV+\":\"Total APY\",\"j8cF1R\":\"Cooling down\",\"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\",\"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.\",\"jZkYWO\":\"Boosted LTV\",\"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\",\"jqVo/k\":\"here.\",\"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\"],\"kMi0nz\":\"sGHO Merit APY History\",\"kN1Yg5\":\"Para pagar en nombre de un usuario, se necesita una cantidad explícita para pagar\",\"kNiQp6\":\"Pinned\",\"kRTD40\":[\"Cantidad a pagar para alcanzar el \",[\"0\"],\"% de utilización\"],\"kgKqPv\":\"You can not stake this amount because it will cause collateral call\",\"kj3M8S\":\"Deposit\",\"kjN9tT\":\"El límite de suministro se ha sobrepasado\",\"kn+s7w\":[[\"0\"],\" collateral would have 0% LTV without E-Mode. Disable \",[\"1\"],\" as collateral to use this option.\"],\"knxE+G\":\".JSON\",\"ks2LWT\":\"El límite de deuda no es cero\",\"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.\",\"kzeZTm\":\"LTV\",\"lCF0wC\":\"Refresh\",\"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.\",\"lXb3Ih\":[\"This asset has 0 LTV and cannot be used as collateral. Enable an E-Mode to use \",[\"symbol\"],\" as collateral.\"],\"lXj2Sq\":\"Repay with Collateral\",\"lYGfRP\":\"Inglés\",\"lfEjIE\":\"Aprende más en nuestra guía <0>Preguntas frecuentes\",\"ljF4ko\":\"The selected rate is lower than the market price. You might incur a loss if you proceed.\",\"lqCWte\":[\"Deposit GHO and earn \",[\"0\"],\"% APY\"],\"lu7f+8\":\"Blocked by Shield\",\"m/IEhi\":\"Emisiones totales por día\",\"m7r7Hh\":\"Activos de préstamo seleccionados\",\"mDDK4p\":\"Pool de Balancer\",\"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\"],\".\"],\"me5LMQ\":\"Checking approval\",\"mogZv0\":\"Favourite\",\"muiOng\":[\"Comprar \",[\"cryptoSymbol\"],\" con Fiat\"],\"mvCXBY\":\"Stakea AAVE\",\"mwdzil\":\"Vale, cerrar\",\"mzDAU3\":\"Savings GHO (sGHO)\",\"mzdIia\":\"Este activo no puede usarse como garantía.\",\"n+SX4g\":\"Desarrolladores\",\"n1na81\":\"No eligible assets to swap.\",\"n4PWtp\":\"Depositing\",\"nJIhzm\":\"Apy de suministro\",\"nJgsQu\":\"Con un poder de votación de <0/>\",\"nLC6tu\":\"Francés\",\"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\",\"nPGNMh\":\"Puede ser ejecutado\",\"nUK1ou\":[\"Assets with zero LTV (\",[\"0\"],\") must be withdrawn or disabled as collateral to perform this action\"],\"neITkT\":\"This asset has 0% LTV, meaning it does not contribute to borrowing power. Existing positions with this asset as collateral still count toward the liquidation threshold and protect your health factor. New positions cannot enable this asset as collateral.\",\"njBeMm\":\"Ambos\",\"ntyFSE\":[[\"h\"],\"h\"],\"nwIsn4\":\"After the cooldown is initiated, you will be able to withdraw your assets immediatley.\",\"nweCqF\":\"Cancelling order...\",\"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\",\"o5ooMr\":\"Deuda\",\"o7J4JM\":\"Filtro\",\"o7Yloh\":\"Learn more about the Ether.fi program\",\"oHFrpj\":\"Cooldown para undstakear\",\"oJ5ZiG\":\"El usuario no tiene deuda pendiente de tasa variable en esta reserva\",\"oUwXhx\":\"Activos de prueba\",\"oWQnqT\":\"Staking this asset will earn the underlying asset supply yield in addition to other configured rewards.\",\"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.\",\"ogU9GD\":\"Target liquidity\",\"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.\",\"om/XHs\":\"Disponible para suministrar\",\"omq5qJ\":\"Claiming all protocol rewards and merit rewards together\",\"ovBPCi\":\"Default\",\"ovT1pF\":[\"Per the community, the \",[\"market\"],\" has been frozen.\"],\"ow3fug\":\"Sin resultados\",\"owSsI3\":\"Firmas listas\",\"p+R52m\":\"Ir al pool de Balancer\",\"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.\",\"p45alK\":\"Configurar la delegación\",\"pDgeaz\":[[\"title\"]],\"pdZqBk\":\"El balance subyacente debe ser mayor que 0\",\"pgWG9H\":\"No hay suficiente balance stakeado\",\"ph9+uj\":[\"Switching to \",[\"networkName\"],\"...\"],\"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\"],\"pup/ej\":\"Net Protocol Incentives\",\"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\",\"qKfida\":\"Staked tokens are wrapped and use an exchange rate. You may see fewer token shares, but the value matches your deposit and will grow as yield accrues.\",\"qOqbD6\":\"copiar el error\",\"qXCkEM\":\"Por favor, conecta tu cartera para ver tus suministros, préstamos y posiciones abiertas.\",\"qY2jnw\":\"Expiración inválida\",\"qhhf9L\":\"Rewards available to claim\",\"qtS7wW\":\"Thank you for voting\",\"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\",\"qz6JVE\":[\"Your order amounts are \",[\"0\"],\" less favorable by \",[\"1\"],\"% to the liquidity provider than recommended. This order may not be executed.\"],\"qz9c6b\":[\"Repaying \",[\"0\"],\" with \",[\"1\"]],\"qzFp5D\":\"All Categories\",\"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\",\"riNWOA\":\"E-Mode\",\"rjGI/Q\":\"Privacidad\",\"rnKPW1\":\"Watch a wallet balance in read-only mode\",\"rojvRp\":\"Approval by signature not available\",\"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\",\"t/ct9N\":\"Auto Slippage\",\"tBIz3I\":[\"Supply \",[\"0\"],\" and double your yield by <0><1>verifying your humanity through Self for \",[\"1\"],\" per user.\"],\"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\",\"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\"],\"tVJk4q\":\"Cancel order\",\"te9Bfl\":\"Por favor, conecta tu cartera\",\"tj6dr4\":\"Merit Program rewards can be claimed\",\"tt5yma\":\"Tus suministros\",\"tw6G0s\":[\"You must disable \",[\"0\"],\" as collateral before exiting E-Mode. These assets have 0 LTV outside of E-Mode and cannot be used as collateral.\"],\"u3ZeYl\":\"Error en la transacción\",\"u706uF\":\"Préstamo flash inválido\",\"u8Gfu7\":[\"Sin resultados de búsqueda\",[\"0\"]],\"uAQUqI\":\"Status\",\"uGG4Lk\":\"Claim all protocol rewards\",\"uHMwk8\":\"No hay activos seleccionados para migrar.\",\"uI3SjW\":\"Connection Error\",\"uJOI6M\":\"Tip: Try improving your order parameters\",\"uJPHuY\":\"Migrando\",\"uRXR6h\":[\"Swap \",[\"0\"],\" debt\"],\"uZiu4N\":\"There is an active order for the same sell asset (avoid nonce reuse).\",\"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\",\"usB84Z\":\"La cantidad máxima disponible para tomar prestado está limitada porque casi se ha alcanzado el límite de préstamo del protocolo.\",\"uyLjNw\":\"Custom slippage\",\"v+Fu0z\":\"This asset is eligible for Kernel points incentive program. Aave Labs does not guarantee the program and accepts no liability.\",\"v0CIlJ\":\"You have no rewards to claim at this time.\",\"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\",\"vH2C/2\":\"Swap\",\"vLyv1R\":\"Ocultar\",\"vMba49\":\"Tomar prestado no está habilitado\",\"vMpNwt\":\"Aprobar con\",\"vNAHA2\":\"PTs\",\"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.\",\"vv7kpg\":\"Cancelled\",\"w+V9Cx\":\"Stablecoin\",\"w/JtJ3\":\"El balance de deuda estable no es cero\",\"w1f8Ky\":\"Savings GHO\",\"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\",\"wapGcj\":[[\"message\"]],\"wb/r1O\":[\"Faucet \",[\"0\"]],\"wdxz7K\":\"Source\",\"weC8IO\":\"All Rewards\",\"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.\",\"wjFWDB\":\"No markets found\",\"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\",\"wuMdlk\":[\"This asset is eligible for \",[\"0\"],\" Sonic Rewards.\"],\"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.\",\"x+QJ9y\":[\"Category \",[\"selectedEmodeId\"]],\"x0TRLG\":[\"Repay your \",[\"0\"],\" \",[\"1\",\"plural\",{\"one\":\"borrow\",\"other\":\"borrows\"}],\" to use this category.\"],\"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\"]],\"yRkqG9\":\"Limit\",\"yYHqJe\":\"Dirección no válida\",\"yZ5ngq\":\"Transaction details not available\",\"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\"],\"yv/Kz/\":\"Back home\",\"yz7wBu\":\"Cerrar\",\"z4uGQg\":\"El límite de deuda está sobrepasado\",\"z5JUmg\":[\"Estimated costs are \",[\"0\"],\"% of the sell amount. This order is unlikely to be filled.\"],\"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\",\"zNgzxM\":\"Excludes variable supply APY\",\"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\",\"zZmf1N\":\"Filled\",\"zgtIDV\":\"Deuda restante\",\"zmTPiV\":\"Balance de suministro\",\"zpPbZl\":\"Parámetros de riesgo de liquidación\",\"zqp4Tm\":\"Unable to Connect\",\"zr58Jd\":\"Umbrella is the upgraded version of the Safety Module. Manage your previously staked assets\",\"zucql+\":\"Menú\",\"zv/j10\":[\"Active \",[\"0\"],\" borrow is not compatible with this category. Repay your \",[\"1\"],\" borrow to use this option.\"],\"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.\",\"+EGVI0\":\"Recibir (est.)\",\"+Tzhaj\":\"You've successfully swapped borrow position.\",\"+eOPG+\":\"Parece que no podemos cambiar la red automáticamente. Por favor, comprueba si puedes cambiarla desde la cartera.\",\"+kLZGu\":\"Cantidad de activos suministrados\",\"/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\",\"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\",\"1Onqx8\":[\"Aprobando \",[\"symbol\"],\"...\"],\"1m9Qqc\":\"Retirando y Cambiando\",\"1oyh4g\":\"Borrow rate\",\"2Q4GU4\":\"Dirección bloqueada\",\"2bAhR7\":\"Conoce GHO\",\"2o/xRt\":\"Se ha alcanzado el límite de suministro en la reserva especificada. Prueba reduciendo la cantidad.\",\"3O8YTV\":\"Interés total acumulado\",\"4iPAI3\":\"Cantidad de préstamo mínima de GHO\",\"6NGLTR\":\"Cantidad descontable\",\"6yAAbq\":\"APY, tasa de préstamo\",\"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\",\"7sofdl\":\"Retirar y Cambiar\",\"9rWaKF\":\"Bridged Via CCIP\",\"ARu1L4\":\"Pagado\",\"B6aXGH\":\"Estable\",\"B9Gqbz\":\"Tasa variable\",\"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.\",\"BjLdl1\":\"Con un descuento\",\"CMHmbm\":\"Deslizamiento\",\"DxfsGs\":\"Puedes reportar cualquier incidente a nuestro <0>Discord o <1>Github.\",\"EBL9Gz\":\"¡COPIADO!\",\"ES8dkb\":\"Interés fijo\",\"GoK/QN\":\"Thank you for submitting feedback!\",\"H6Ma8Z\":\"Descuento\",\"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.\",\"HrnC47\":\"Guardar y compartir\",\"JK9zf1\":[\"Interés compuesto estimado, incluyendo el descuento por Staking \",[\"0\"],\"AAVE en el Módulo de Seguridad.\"],\"JU6q+W\":\"Recompensa(s) por reclamar\",\"K05qZY\":\"Retirar y Cambiar\",\"KRpokz\":\"VER TX\",\"KZwRuD\":[[\"notifyText\"]],\"LDzfVJ\":\"Send Feedback\",\"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\",\"MIy2RJ\":\"Maximum amount received\",\"MrmQHg\":\"View Bridge Transactions\",\"N7dVh7\":\"Swap to\",\"QSh9Sn\":\"Swapped\",\"QWYCs/\":\"Stakear GHO\",\"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.\",\"RoafuO\":\"Enviar feedback\",\"SSMiac\":\"Error al cargar los votantes de la propuesta. Por favor actualiza la página.\",\"TeCFg/\":\"Cambio de tasa de préstamo\",\"TskbEN\":\"Los poseedores de stkAAVE reciben un descuento en la tasa de préstamo de GHO\",\"TtZL6q\":\"Parámetros del modelo de descuento\",\"Tz0GSZ\":\"actividades bloqueadas\",\"UE3KJZ\":\"El historial de transacciones no está disponible actualmente para este mercado\",\"W8ekPc\":\"Volver al panel de control\",\"WMPbRK\":\"No respaldado\",\"YirHq7\":\"Feedback\",\"aX31hk\":\"Tu balance es más bajo que la cantidad seleccionada.\",\"al6Pyz\":\"Supera el descuento\",\"avgETN\":\"Eligible for the Merit program.\",\"bSc4Zw\":\"Swaping\",\"bSruit\":\"ZKSync Ignite Program rewards are claimed through the\",\"bxmzSh\":\"No hay suficiente garantía para pagar esta cantidad de deuda con\",\"cqnmnD\":\"Tasa de interés efectiva\",\"dMtLDE\":\"para\",\"dpc0qG\":\"Variable\",\"euScGB\":\"APY con descuento aplicado\",\"fHcELk\":\"APR Neto\",\"flRCF/\":\"Descuento por staking\",\"gncRUO\":\"Esta dirección está bloqueada en app.aave.com porque está asociada con una o más\",\"gp+f1B\":\"Versión 3\",\"gr8mYw\":\"Puedes tomar prestado hasta <0/> GHO al <1/> (descuento máximo)\",\"hpuVIp\":\"Users who stake AAVE in Safety Module (i.e. stkAAVE holders) receive a discount on GHO borrow interest rate.\",\"hxi7vE\":\"Balance tomado prestado\",\"i2JTiw\":\"Puedes ingresar una cantidad específica en el campo.\",\"jMam5g\":[\"Balance \",[\"0\"]],\"jpctdh\":\"Ver\",\"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.\",\"lNVG7i\":\"Selecciona un activo\",\"lt6bpt\":\"Garantía a pagar con\",\"mIM0qu\":\"Cantidad esperada a pagar\",\"mUAFd6\":\"Versión 2\",\"mzI/c+\":\"Descargar\",\"n8Psk4\":\"No podemos detectar una cartera. Conecta una cartera para stakear y ver tu balance.\",\"nOy4ob\":\"Te sugerimos volver al Panel de control.\",\"nakd8r\":\"poseedores de stkAAVE obtienen un descuento en la tasa de préstamo de GHO\",\"nh2EJK\":[\"Por favor, cambia a \",[\"networkName\"],\".\"],\"ntkAoE\":\"Descuento aplicado para <0/> AAVE stakeados\",\"o4tCu3\":\"APY préstamo\",\"olREoo\":\"All borrow positions outside of this category must be closed to enable this category.\",\"ov0+mq\":\"Eligible for the ZKSync Ignite program.\",\"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.\"],\"p3j+mb\":\"Tu balance de recompensa es 0\",\"p6u2s1\":\"Minimum amount of debt to be repaid\",\"qFD/ij\":\"You've successfully withdrew & swapped tokens.\",\"qT4Lfg\":\"You've successfully swapped tokens.\",\"qf/fr+\":\"Interés acumulado\",\"rf8POi\":\"Cantidad de activos tomados prestados\",\"ruc7X+\":\"Añade stkAAVE para ver el APY de préstamo con el descuento\",\"t81DpC\":[\"Aprueba \",[\"symbol\"],\" para continuar\"],\"umICAY\":\"<0><1><2/>Añade stkAAVE para ver la tasa de préstamo con descuento\",\"uwAUvj\":\"COPIAR IMAGEN\",\"wyi0tk\":\"Swap borrow position\",\"yW1oWB\":\"Tipo APY\",\"zevmS2\":\"<0><1><2/>añade <3/> stkAAVE para tomar prestado al <4/> (descuento máximo)\",\"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.\"],\"+5vxU4\":\"Reward APY at target liquidity\",\"+9RBfc\":\"Thank you for submitting your inquiry!\",\"+F6nAX\":\"Save with sGHO\",\"+KaZP2\":\"Aave Labs does not guarantee the program and accepts no liability.\",\"+Nk14N\":\"Savings GHO token\",\"+VR63W\":[\"Participar en esta reserva de \",[\"symbol\"],\" da recompensas anuales.\"],\"+XNrRN\":\"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 restrictions, see the <1>help guide or the <2>Aave V3 Technical Paper.\",\"+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.\",\"+i3Pd2\":\"Límite del préstamo\",\"+nuEh/\":\"Estimated time\",\"+xMFF8\":\"Remind me\",\"/+Vmgq\":\"Total amount of underlying assets staked. This number represents the combined sum of your original asset and the corresponding aTokens staked in Umbrella.\",\"/1Qot4\":\"Protocol Rewards\",\"/1xACT\":\"Reward APY adjusts with total staked amount, following a curve that targets optimal staking levels.\",\"/57U31\":\"Cantidad para migrar\",\"/7ykiW\":\"Tomar prestado esta cantidad reducirá tu factor de salud y aumentará el riesgo de liquidación.\",\"/FwCXs\":[[\"0\"],\" \",[\"symbol\"],\"...\"],\"/LCAwL\":\"In progress\",\"/ZyLeG\":\"Amount available to unstake\",\"/jQctM\":\"To\",\"/lDBHm\":\"Preguntas frecuentes\",\"/lMWs6\":[\"Deposit GHO and earn up to <0>\",[\"0\"],\"% APY\"],\"/yNlZf\":\"El préstamo estable no está habilitado\",\"/yQcJM\":\"Valor total\",\"00AB2i\":\"El usuario no tomó prestado el activo especificado\",\"02/4d1\":\"We suggest you go back to the home page.\",\"0AmQcW\":\"Cambio de tasa\",\"0BF3yK\":\"Lo sentimos, no hemos podido encontrar la página que estabas buscando.\",\"0RrIzN\":\"Select token\",\"0TAbjq\":\"Recent Transactions\",\"0jhlyw\":\"Riesgo de liquidación\",\"0ojY+Y\":\"Balance actual v2\",\"0r31vq\":\"Reward Token\",\"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.\",\"11xQTX\":[\"This asset is eligible for \",[\"0\"],\" Ethena Rewards.\"],\"18GnfY\":[\"Repay \",[\"0\"]],\"1AsVfF\":\"Los datos de los precios no están disponibles actualmente para esta reserva en el subgraph del protocolo\",\"1LjK22\":\"Historial de transacciones\",\"1PMU2v\":\"Learn more about the risks.\",\"1Ue8sX\":\"Por favor conecta una cartera para ver tu información personal aquí.\",\"1W8DZp\":\"USDT on Ethereum requires approval reset before a new approval. This will require an additional transaction.\",\"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\",\"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.\",\"2/aIvj\":\"Cancellation submited\",\"2C40JO\":[\"This transaction will switch E-Mode from \",[\"0\"],\" to \",[\"1\"],\". Borrowing will be restricted to assets within the new category.\"],\"2Eoi/a\":\"Ver detalles\",\"2FYpfJ\":\"Más\",\"2O3qp5\":\"Liquidez disponible\",\"2OIfa1\":\"Please connect your wallet to swap collateral.\",\"2OM8/D\":[\"Este activo no se puede migrar debido a una restricción del límite de suministro en el mercado v3 de \",[\"marketName\"],\".\"],\"2RtYM0\":\"Need help? Our support team can assist.\",\"2RubOP\":\"Initiate Withdraw\",\"2S7oCr\":[\"This asset is eligible for the Ether.fi Loyalty program with a <0>x\",[\"multiplier\"],\" multiplier.\"],\"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.\",\"2eBWE6\":\"Acepto los riesgos involucadros.\",\"2r2h/U\":\"Total Deposited\",\"2uJToh\":[[\"0\"],[\"name\"]],\"2x1UO0\":\"Favourited\",\"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\",\"3K0oMo\":\"Suministro restante\",\"3MoZhl\":\"No hay suficiente garantía para cubrir un nuevo préstamo\",\"3NO6VI\":[[\"0\"],\" Balance\",[\"1\"]],\"3Np5O8\":[\"Suministrar \",[\"symbol\"]],\"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\",\"4fCwrW\":\"or from the\",\"4lDFps\":\"Firma para continuar\",\"4p5njr\":\"Total amount staked\",\"4wyw8H\":\"Transacciones\",\"5+lhtA\":\"For swapping safety module assets please unstake your position <0>here.\",\"53r7O1\":[\"High price impact (<0>\",[\"0\"],\"%)! This route will return \",[\"1\"],\" due to low liquidity or small order size.\"],\"5CCqcz\":\"Fees help support the user experience and security of the Aave application. <0>Learn more.\",\"5JSSxX\":[\"Tu cartera de \",[\"networkName\"],\" está vacía. Consigue activos de prueba gratis en\"],\"5K3B36\":\"We couldn't find any assets related to your search. Try again with a different category.\",\"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.\"],\"5RzvNm\":\"Aave Shield: Transaction blocked\",\"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\",\"5ty6hB\":\"Claiming individual protocol reward only. Merit rewards excluded - select \\\"claim all\\\" to include merit rewards.\",\"5vxk14\":\"To continue, you need to grant 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\",\"5yC5m5\":\"Ver todos los votos\",\"6/dCYd\":\"Resumen\",\"60crCe\":\"Todas las transacciones\",\"62Xcjh\":\"Garantía\",\"65A04M\":\"Español\",\"68ANm7\":\"Withdrawing GHO\",\"6G8s+q\":\"Firmando\",\"6Jrv+z\":[\"Pagar \",[\"symbol\"]],\"6SC+v0\":[\"Disable \",[\"0\"],\" as collateral to use this category. These assets would have 0% LTV.\"],\"6Xr0UU\":\"Cooling down...\",\"6bxci/\":\"Poder de votación\",\"6f8S68\":\"Mercados\",\"6g1gi0\":\"Propuestas\",\"6gvoHP\":\"Copiar mensaje de error\",\"6h3Q5G\":\"reembolsado\",\"6lFSyT\":\"Available to Stake\",\"6lGV3K\":\"Show less\",\"6s8L6f\":\"Cambiar de red\",\"70wH1Q\":\"APR\",\"72c5Qo\":\"Total\",\"75qcAQ\":[[\"stepName\"]],\"7ITr5L\":\"Factor de salud\",\"7R/kqr\":\"The cooldown period is the time required prior to unstaking your tokens (<0/>). You can only withdraw your assets from the Security Module after the cooldown period and within the unstake window. <1>Learn more\",\"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\",\"7c6Gy8\":\"Learn more about Sonic Rewards program\",\"7er5fP\":\"Reclamar todo\",\"7hb2+s\":\"Time remaining until the withdraw period ends.\",\"7i1oxe\":\"Withdrawing and Swapping\",\"7l88b8\":\"No se pudieron recuperar los datos, por favor recarga el gráfico.\",\"7p5kLi\":\"Panel de control\",\"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\",\"8Xaoyr\":\"View on CCIP Explorer\",\"8Z5FPv\":\"Desconectar cartera\",\"8Zz7s5\":\"activos\",\"8aLW8H\":\"Balance a revocar\",\"8bOT3H\":\"Tasa de uso\",\"8d61xO\":\"The Ink instance is governed by the Ink Foundation\",\"8sLe4/\":\"Ver contrato\",\"8ss7VF\":\"Transaction cancelled\",\"8t/M0y\":\"Please connect your wallet to be able to bridge your tokens.\",\"8u3DDw\":[\"Swap \",[\"0\"],\" collateral\"],\"8vETh9\":\"Mostrar\",\"93T2Os\":\"Total deposited\",\"94OHPx\":\"Estás entrando en el Isolation mode\",\"9CDK3/\":[\"Tomar prestado no está disponible actualmente para \",[\"0\"],\".\"],\"9GIj3z\":\"Tamaño de la reserva\",\"9ITYjl\":\"%\",\"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.\"],\"9YcC7V\":\"Select Categories\",\"9c6vDV\":\"Este activo ha alcanzado su límite de suministro. No queda nada disponible para ser suministrado desde este mercado.\",\"9iDHmv\":\"Collateral Swap\",\"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\",\"9xSooW\":\"Puesto que esta es una red de pruebas, puedes obtener cualquiera de los activos si tienes ETH en tu cartera\",\"9y0Q0y\":[\"There is not enough liquidity in \",[\"symbol\"],\" to complete this swap. Try lowering the amount.\"],\"9zzsBx\":\"This is a program initiated by the Aave DAO and implemented by Merkl. Aave Labs does not guarantee the program and accepts no liability.\",\"A/lwoe\":\"Elige uno de los servicios on-ramp\",\"A6dCI6\":[\"La máxima cantidad disponible para tomar prestado es <0/> \",[\"0\"],\" (<1/>).\"],\"ACUEES\":\"Check errors\",\"AReoaV\":\"Tus préstamos\",\"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.\",\"B6zvhF\":\"Shares\",\"BDFEd+\":\"stETH suministrado como garantía continuará acumulando recompensas de staking proporcionadas por rebases diarios.\",\"BE2mP0\":\"Borrowed assets\",\"BNL4Ep\":\"El uso como garantía está limitado debido al isolation mode. <0>Aprende más\",\"BQ+4lu\":\"Swap saved in your <0>history section.\",\"BQ/wCO\":\"Migrate your assets\",\"BaCmXf\":\"AAVE 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.\",\"Baj2MJ\":\"Savings\",\"BnhYo8\":\"Categoría de activos\",\"Bo6b9i\":\"Withdraw GHO\",\"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\",\"C4qYyX\":[\"Repay \",[\"0\"],\" with \",[\"1\"]],\"C5jQc6\":\"GHO Balance\",\"C7hM0q\":\"Country (optional)\",\"CDrsH+\":\"Documento técnico\",\"CGiscJ\":\"You've successfully submitted an order.\",\"CK1KXz\":\"Max\",\"COUcFd\":\"Points\",\"CZXzs4\":\"Griego\",\"CkTRmy\":[\"Reclamar \",[\"symbol\"]],\"CrrC++\":\"Position swaps are disabled for this asset due to security reasons.\",\"CsqtLm\":\"Por favor conecta tu cartera para ver la herramienta de migración.\",\"CtGlFb\":[\"Faucet \",[\"networkName\"]],\"CuAHqa\":\"Protocol Incentives\",\"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.\",\"D4Q4h/\":\"Gas estimation error\",\"D79cZK\":\"Instant\",\"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\"],\"DhaOWH\":\"Stake your Aave aTokens or underlying assets to earn rewards. In case of a shortfall event, your stake may be slashed to cover the deficit.\",\"Dj+3wB\":\"Aave por mes\",\"DlRHbH\":\"Claiming all protocol rewards only. Merit rewards excluded - select \\\"claim all\\\" to include merit rewards.\",\"DuEq2K\":\"Colateralización\",\"Dzma+E\":\"Main Ethereum market with the largest selection of assets and yield options\",\"E/QGRL\":\"Deshabilitado\",\"E6UoJs\":\"Estimated compounding 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.\",\"ETtXJg\":\"Share my wallet address to help the support team resolve my issue\",\"EZd3Dk\":[\"Restakeando \",[\"symbol\"]],\"Ebgc76\":[\"Retirando \",[\"symbol\"]],\"EdQY6l\":\"Ninguno\",\"Ef7StM\":\"Unknown\",\"Ehzc//\":[\"Swapping \",[\"0\"],\" debt\"],\"Ekea1N\":\"We couldn't detect a wallet. Connect a wallet to stake and view your balance.\",\"Enslfm\":\"Destination\",\"EvE9nO\":[\"Reactivar el periodo de cooldown para unstakear \",[\"0\"],\" \",[\"stakedToken\"]],\"EvECnL\":\"Migrar a V3\",\"EyYG53\":\"Get support\",\"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.\",\"F6pfE9\":\"Active\",\"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\",\"FTRJ1l\":\"L2 Networks\",\"FbmMe7\":\"Direcciones vinculadas\",\"Fdp03t\":\"en\",\"Fjw9N+\":\"Activos a suministrar\",\"FmN0fk\":\"Restakear\",\"G15AUr\":\"Sending cancel...\",\"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\",\"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.\"],\"Gz07IS\":\"Your health factor after this swap will be critically low and may result in liquidation. Please choose a different asset or reduce the swap amount to stay safe.\",\"H1oAjw\":[[\"selectedCount\"],\" Categories\"],\"HB/wfS\":[[\"tooltipText\"]],\"HD4KkW\":[\"Swapping \",[\"0\"],\" collateral\"],\"HKDsQN\":\"Rewards can be claimed through\",\"Hi6Ttn\":\"Lo sentimos, se produjo un error imprevisto. Mientras tanto, puedes intentar recargar la página, o volver después.\",\"HkEDbS\":[[\"d\"],\"d\"],\"HlWGZc\":[\"Your \",[\"0\"],\" balance is lower than the selected amount.\"],\"HmkYqM\":\"Ventana de unstakeo\",\"HpK/8d\":\"Recargar\",\"HtBqo9\":\"sGHO\",\"HtuY7v\":\"Please connect your wallet to swap tokens.\",\"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\"],\"%.\"],\"I4Cxlm\":\"E-Mode required\",\"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.\",\"ILXMQA\":\"The Safety Module has been upgraded to <0>Umbrella, a new system that introduces automated slashing, aToken staking, and improved incentives design.\",\"IN8luu\":\"All done\",\"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\",\"IhAc6F\":\"Costs & Fees\",\"ImxB3A\":\"deposited\",\"IrtO2E\":\"You have assets with zero LTV that are blocking this operation. Please withdraw them or disable them as collateral first.\",\"J/hVSQ\":[[\"0\"]],\"JCoxL6\":\"Administrar analíticas\",\"JEdlTC\":\"Stablecoins\",\"JOqFba\":[\"Unstakeando \",[\"symbol\"]],\"JPHuMW\":\"Swapping\",\"JPhc4G\":\"ETH Correlated\",\"JPrLjO\":\"No puedes usar este activo como garantía\",\"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\",\"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\",\"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\",\"KkJaLD\":\"Borrow:\",\"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\",\"KqoLVC\":\"Merkl rewards are claimed through the\",\"KsqhWn\":\"Staking\",\"KuBTQq\":\"Introduce la dirección ETH\",\"KvG1xW\":\"Reclamando\",\"L+8Lzs\":\"LTV actual\",\"L+qiq+\":\"Mercado\",\"L2tU22\":\"Learn more about Ethena Rewards program\",\"L3ZyJR\":[[\"popularSectionTitle\"]],\"LEdkyb\":\"Rewards to claim\",\"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\"],\"\"],\"Lhf8zD\":\"Waiting for actions...\",\"Lp2cTp\":\"Eligible for incentives through Merkl.\",\"LvVpD/\":\"Modo E\",\"Ly2enB\":\"This will cancel the order via an on-chain transaction. Note that the order will not be marked as cancelled in the CoW Protocol system, but will remain open and expire naturally. Keep in mind that a solver may already have filled your order.\",\"M1RnFv\":\"Expired\",\"M2sknc\":\"Tip: Intenta aumentar el deslizamiento o reduce la cantidad de entrada\",\"MKiONF\":\"Activating Cooldown\",\"MOvzXm\":\"Comparing best rates...\",\"MRwaR4\":\"This will require two separate transactions: one to change E-Mode and one to supply.\",\"MZ/nQf\":\"Dirección del destinatario\",\"MZbQHL\":\"No results found.\",\"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.\",\"MlRlXX\":\"Current APY\",\"Mm/DVQ\":\"Has cancelado la transacción.\",\"MnE2QX\":\"Información de préstamo\",\"MuDFEQ\":\"Valor de retorno inválido en la función executor del préstamo flash\",\"My0ZGV\":\"Learn more about the Kernel points distribution\",\"N+3mX2\":\"Please connect your wallet to swap debt.\",\"N39Ax4\":\"Ethereum\",\"N40H+G\":\"All\",\"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\",\"ND1ISA\":\"Weekly Rewards\",\"NF0e1Q\":\"Pendiente...\",\"NK9ikO\":\"Balance de la cartera\",\"NMt2CB\":\"Cantidad reclamable\",\"Na7NlU\":[[\"remainingCustomMessage\"]],\"NcFGxG\":\"Collector Contract\",\"NfpPeS\":\"Nada invertido\",\"Nh9DAo\":[[\"m\"],\"m\"],\"Npz7kI\":\"Inquiry\",\"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\",\"OC4Tzv\":\"here\",\"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\",\"OiykRd\":\"Deposit GHO\",\"On0aF2\":\"Página web\",\"OqAwLU\":\"Protocol APY\",\"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\",\"PctCOf\":\"A temporary contract will be used to execute the trade. Your wallet may show a warning for approving a new or empty address.\",\"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.\",\"QONKTE\":\"Merit Rewards\",\"QQYsQ7\":\"Retirando\",\"QZEgwS\":\"Execution fee\",\"R+30X3\":\"No alcanzado\",\"R9Khdg\":\"Auto\",\"RCU5PY\":\"Age\",\"RIfckG\":[\"Desactivar \",[\"symbol\"],\" como garantía\"],\"RMtxNk\":\"Diferencial\",\"RNK49r\":\"Firma inválida\",\"RS0o7b\":\"Estado\",\"RTG4/6\":\"There are no stake assets configured for this market\",\"RU+LqV\":\"Detalles de la propuesta\",\"RYfdBk\":\"Visit <0><1>https://aave.self.xyz/ to get started with Self’s ZK-powered proof-of-humanity authentication.\",\"RZbjLY\":[\"See \",[\"0\"],\" more\"],\"Rg4K+m\":\"Cannot switch to this category\",\"RiSYV4\":\"El activo no está listado\",\"Rj01Fz\":\"Enlaces\",\"RmWFEe\":\"Staking APR\",\"RtBLm7\":\"El factor de salud es menor que el umbral de liquidación\",\"RvF1Ts\":\"stkGHO is now Savings GHO\",\"RxzN1M\":\"Habilitado\",\"SBv4zo\":[[\"0\"],\" collateral would have 0% LTV in this category. Disable \",[\"1\"],\" as collateral to use this option.\"],\"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\",\"SNmu1z\":\"Shares are Umbrella Stake Tokens you receive when staking. They represent your ownership in the pool, and the amount of underlying you can redeem depends on the current exchange rate between shares and the underlying.\",\"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\",\"SZkDmY\":\"The swap could not be completed. Try increasing slippage or changing the amount.\",\"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\",\"St4jqF\":\"This list may not include all your swaps.\",\"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\",\"TLJkuL\":\"Category assets\",\"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\",\"Tg1JyO\":\"Bridge history\",\"TszKts\":\"Balance de préstamo después del cambio\",\"Tw07Vv\":\"Show assets with small balance\",\"TwJI9F\":\"Asset has been successfully sent to CCIP contract. You can check the status of the transactions below\",\"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.\",\"UMgOim\":\"Send cancel\",\"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.\",\"UiO4Hu\":[\"You'll need to wait \",[\"0\"],\" before you can unstake your tokens. This cooldown starts when you request to unstake. Once it ends, you can withdraw during the unstake window.\"],\"UpndFj\":\"No hay recompensas para reclamar\",\"V0f2Xv\":\"Factor de reserva\",\"V1HK43\":\"Riesgos de migración\",\"V7QGpc\":\"I understand the liquidation risk and want to proceed\",\"V7SFse\":[\"I confirm the swap knowing that I could lose up to <0>\",[\"0\"],\"% on this swap.\"],\"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\",\"VnQFYr\":\"Claiming all merit rewards only\",\"W1SSoD\":\"Revisar detalles de la tx\",\"W5hVah\":\"Nada suministrado aún\",\"W5kTFy\":\"Votando\",\"WHrVwg\":\"Loading quote...\",\"WMJGls\":\"Estimated Costs & Fees\",\"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\",\"WS67YQ\":\"Let us know how we can help you. You may also consider joining our community\",\"WT188T\":\"Withdraw & Swap\",\"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.\",\"WbTDwg\":\"In Progress\",\"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.\",\"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\",\"X4tRM3\":[[\"0\"],\" \",[\"symbol\"],\" to continue\"],\"XBdKOj\":\"Direcciones de cartera de contrato inteligente representativas (Safe) en otras cadenas.\",\"XPN5UR\":\"User denied the operation.\",\"XYLcNv\":\"Support\",\"XZzneG\":\"Saldrás del modo aislamiento y otros tokens pueden ser usados ahora como garantía\",\"Xe5bTg\":\"Deposit APR\",\"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.\",\"XwKkg/\":\"Staked Underlying\",\"Xy+o6U\":\"For security reasons, limit orders are not supported for Native tokens. To place a limit order, use the wrapped version.\",\"Xy71ST\":\"Umbrella\",\"Y+hUcK\":\"Merit Program and Self rewards can be claimed\",\"Y46iXX\":\"The order could't be filled.\",\"Y5Orec\":\"Collateral options\",\"Y5kGkc\":\"VOTAR NO\",\"YD+nXc\":\"Aave Shield\",\"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.\",\"Ya/che\":\"Stake token shares\",\"Ykj2Om\":\"Default slippage\",\"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.\",\"YrcHPy\":\"VIEW\",\"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.\"],\"Z3FXyt\":\"Loading...\",\"Z99M+T\":\"This is an off-chain operation. Keep in mind that a solver may already have filled your order.\",\"ZBvhI+\":\"Gobierno de Aave\",\"ZIIRAd\":\"Raw-Ipfs\",\"ZRq4tX\":\"Modo de eficiencia (E-Mode)\",\"ZRuM45\":\"These are the estimated costs associated with your limit swap, including costs and fees. Consider these costs when setting your order amounts to help optimize execution and maximize your chances of filling the order.\",\"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\",\"aCgA+I\":\"E-Mode change\",\"aEtiwq\":\"Votar NO\",\"aMmFE1\":\"Comprar Crypto con Fiat\",\"aOKIms\":\"Los parámetros del array que deberían ser iguales en longitud no lo son\",\"aQYztl\":[\"Repaying \",[\"0\"]],\"aXgo8+\":\"from the\",\"adUsDd\":\"Se ha producido un error al recuperar la propuesta.\",\"afk1Wt\":[\"This asset can only be used as collateral in E-Mode: \",[\"0\"]],\"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.\",\"b4NS3e\":\"Advertencia periodo de cooldown\",\"bBHmeP\":\"Available to withdraw\",\"bNEQeI\":\"Cooldown\",\"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\",\"bYtb3C\":\"Network costs\",\"bguKoJ\":\"La cantidad solicitada es mayor que el tamaño máximo del préstamo en el modo de tasa estable\",\"bm/mjh\":\"This is a program initiated and implemented by the Aave Chan Initiative (ACI). Aave Labs does not guarantee the program and accepts no liability.\",\"bq0uL+\":\"supply\",\"bwSQI0\":\"Suministrar\",\"bxN6EM\":\"No se puede deshabilitar E-Mode\",\"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.\",\"cc6gEH\":\"Incentives APR\",\"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\"]],\"cqwIvs\":\"Hilo de discusión del foro\",\"csDS2L\":\"Disponible\",\"cu7Stb\":\"No has participado en esta propuesta\",\"cuxGZP\":\"Low health factor after swap. Your position will carry a higher risk of liquidation.\",\"d9YZVR\":\"Principle Tokens\",\"dE6BLF\":\"Gobierno\",\"dEgA5A\":\"Cancelar\",\"dIsyWh\":\"La validación del LTV ha fallado\",\"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\",\"dYG3JG\":\"Data couldn't be loaded.\",\"dZQvSq\":\"Please review the swap values before confirming.\",\"dfDzrk\":[\"Supply cap reached for \",[\"symbol\"],\". Reduce the amount or choose a different asset.\"],\"dgFOcr\":\"L1 Networks\",\"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\",\"drdV8R\":\"Liquidación\",\"dxW8cS\":\"Token de deuda de Aave\",\"e/ghIe\":[\"This transaction will enable E-Mode (\",[\"0\"],\"). Borrowing will be restricted to assets within this category.\"],\"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\",\"eQ0Wu0\":\"Please connect a wallet to view your balance here.\",\"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\",\"edXiYw\":[\"You've successfully swapped \",[\"0\"],\".\"],\"efdrrk\":\"Disponible en\",\"enruNF\":\"empieza\",\"eqLYiD\":\"Unstakea ahora\",\"evw5ha\":\"Valor neto\",\"ezcU16\":\"Obtener Token ABP\",\"f2e3vu\":[\"Deposit GHO into savings GHO (sGHO) and earn <0>\",[\"0\"],\"% APY on your GHO holdings. There are no lockups, no rehypothecation, and you can withdraw anytime. Simply deposit GHO, receive sGHO tokens representing your balance, and watch your savings grow earning claimable rewards from merit.\"],\"f3W0Ej\":[\"Has cambiado a tasa \",[\"0\"]],\"fMJQZK\":\"Prestado\",\"fZ5Vnu\":\"Recibido\",\"firl9Q\":\"Tu actual relación préstamo-valor basado en tu garantía suministrada.\",\"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\",\"g4Ius4\":\"This is the fee for executing position changes, set by governance.\",\"g8KGoA\":\"FAQS\",\"g9zzqS\":\"Votó NAY\",\"gDd2gk\":\"about SuperFest.\",\"gIMJlW\":\"Testnet mode\",\"gK+IvE\":\"Withdraw and Swap\",\"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\",\"gjxiVa\":[\"This swap has a price impact of \",[\"0\"],\"%, which exceeds the 25% safety threshold. To proceed, disable Aave Shield in the settings menu.\"],\"goff7V\":\"Dirección cero no válida\",\"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\",\"h5hG6q\":\"This is the cost of settling your order on-chain, including gas and any LP fees.\",\"hB23LY\":\"Activar Cooldown\",\"hIJzBh\":\"Available to Claim\",\"hIS4N0\":\"APY neto\",\"hQRttt\":\"Submit\",\"hRWvpI\":\"Reclamado\",\"hb8ajh\":\"Debt Swap\",\"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\",\"hrhwub\":\"dashboard\",\"huQ6Tz\":[\"Tomando prestado \",[\"symbol\"]],\"hxYu+F\":\"Borrow: All eligible assets\",\"i/fZ2Z\":\"Staked Balance\",\"i9qiyR\":\"Expires in\",\"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\",\"iIuDE1\":\"Estimated weekly rewards based on your current sGHO balance and APR. Actual rewards may vary depending on market conditions.\",\"iKfD53\":\"Transaction history for Plasma not supported yet, coming soon.\",\"iMVZk9\":\"Seleccionar tolerancia de deslizamiento\",\"iNYgey\":\"Get Support\",\"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\",\"iddNqA\":\"This transaction will disable E-Mode. All assets will revert to their base LTV and liquidation thresholds.\",\"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 \"],\"ih/VjN\":\"Staking this amount will reduce your health factor and increase risk of liquidation.\",\"il0sEG\":\"El uso de garantías está limitado debido al Isolation mode.\",\"j+K1Xj\":\"Amount After Fee\",\"j4SXZo\":\"Claim all merit rewards\",\"j7JHV+\":\"Total APY\",\"j8cF1R\":\"Cooling down\",\"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\",\"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.\",\"jZkYWO\":\"Boosted LTV\",\"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\",\"jqVo/k\":\"here.\",\"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\"],\"kMi0nz\":\"sGHO Merit APY History\",\"kN1Yg5\":\"Para pagar en nombre de un usuario, se necesita una cantidad explícita para pagar\",\"kNiQp6\":\"Pinned\",\"kRTD40\":[\"Cantidad a pagar para alcanzar el \",[\"0\"],\"% de utilización\"],\"kgKqPv\":\"You can not stake this amount because it will cause collateral call\",\"kj3M8S\":\"Deposit\",\"kjN9tT\":\"El límite de suministro se ha sobrepasado\",\"kn+s7w\":[[\"0\"],\" collateral would have 0% LTV without E-Mode. Disable \",[\"1\"],\" as collateral to use this option.\"],\"knxE+G\":\".JSON\",\"ks2LWT\":\"El límite de deuda no es cero\",\"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.\",\"kzeZTm\":\"LTV\",\"lCF0wC\":\"Refresh\",\"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.\",\"lXb3Ih\":[\"This asset has 0 LTV and cannot be used as collateral. Enable an E-Mode to use \",[\"symbol\"],\" as collateral.\"],\"lXj2Sq\":\"Repay with Collateral\",\"lYGfRP\":\"Inglés\",\"lfEjIE\":\"Aprende más en nuestra guía <0>Preguntas frecuentes\",\"ljF4ko\":\"The selected rate is lower than the market price. You might incur a loss if you proceed.\",\"lqCWte\":[\"Deposit GHO and earn \",[\"0\"],\"% APY\"],\"lu7f+8\":\"Blocked by Shield\",\"m/IEhi\":\"Emisiones totales por día\",\"m7r7Hh\":\"Activos de préstamo seleccionados\",\"mDDK4p\":\"Pool de Balancer\",\"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\"],\".\"],\"me5LMQ\":\"Checking approval\",\"mogZv0\":\"Favourite\",\"muiOng\":[\"Comprar \",[\"cryptoSymbol\"],\" con Fiat\"],\"mvCXBY\":\"Stakea AAVE\",\"mwdzil\":\"Vale, cerrar\",\"mzDAU3\":\"Savings GHO (sGHO)\",\"mzdIia\":\"Este activo no puede usarse como garantía.\",\"n+SX4g\":\"Desarrolladores\",\"n1na81\":\"No eligible assets to swap.\",\"n4PWtp\":\"Depositing\",\"nJIhzm\":\"Apy de suministro\",\"nJgsQu\":\"Con un poder de votación de <0/>\",\"nLC6tu\":\"Francés\",\"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\",\"nPGNMh\":\"Puede ser ejecutado\",\"nUK1ou\":[\"Assets with zero LTV (\",[\"0\"],\") must be withdrawn or disabled as collateral to perform this action\"],\"neITkT\":\"This asset has 0% LTV, meaning it does not contribute to borrowing power. Existing positions with this asset as collateral still count toward the liquidation threshold and protect your health factor. New positions cannot enable this asset as collateral.\",\"njBeMm\":\"Ambos\",\"ntyFSE\":[[\"h\"],\"h\"],\"nwIsn4\":\"After the cooldown is initiated, you will be able to withdraw your assets immediatley.\",\"nweCqF\":\"Cancelling order...\",\"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\",\"o5ooMr\":\"Deuda\",\"o7J4JM\":\"Filtro\",\"o7Yloh\":\"Learn more about the Ether.fi program\",\"oHFrpj\":\"Cooldown para undstakear\",\"oJ5ZiG\":\"El usuario no tiene deuda pendiente de tasa variable en esta reserva\",\"oUwXhx\":\"Activos de prueba\",\"oWQnqT\":\"Staking this asset will earn the underlying asset supply yield in addition to other configured rewards.\",\"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.\",\"ogU9GD\":\"Target liquidity\",\"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.\",\"om/XHs\":\"Disponible para suministrar\",\"omq5qJ\":\"Claiming all protocol rewards and merit rewards together\",\"ovBPCi\":\"Default\",\"ovT1pF\":[\"Per the community, the \",[\"market\"],\" has been frozen.\"],\"ow3fug\":\"Sin resultados\",\"owSsI3\":\"Firmas listas\",\"p+R52m\":\"Ir al pool de Balancer\",\"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.\",\"p45alK\":\"Configurar la delegación\",\"pDgeaz\":[[\"title\"]],\"pdZqBk\":\"El balance subyacente debe ser mayor que 0\",\"pgWG9H\":\"No hay suficiente balance stakeado\",\"ph9+uj\":[\"Switching to \",[\"networkName\"],\"...\"],\"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\"],\"pup/ej\":\"Net Protocol Incentives\",\"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\",\"qKfida\":\"Staked tokens are wrapped and use an exchange rate. You may see fewer token shares, but the value matches your deposit and will grow as yield accrues.\",\"qOqbD6\":\"copiar el error\",\"qXCkEM\":\"Por favor, conecta tu cartera para ver tus suministros, préstamos y posiciones abiertas.\",\"qY2jnw\":\"Expiración inválida\",\"qhhf9L\":\"Rewards available to claim\",\"qtS7wW\":\"Thank you for voting\",\"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\",\"qz6JVE\":[\"Your order amounts are \",[\"0\"],\" less favorable by \",[\"1\"],\"% to the liquidity provider than recommended. This order may not be executed.\"],\"qz9c6b\":[\"Repaying \",[\"0\"],\" with \",[\"1\"]],\"qzFp5D\":\"All Categories\",\"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\",\"riNWOA\":\"E-Mode\",\"rjGI/Q\":\"Privacidad\",\"rnKPW1\":\"Watch a wallet balance in read-only mode\",\"rojvRp\":\"Approval by signature not available\",\"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\",\"t/ct9N\":\"Auto Slippage\",\"tBIz3I\":[\"Supply \",[\"0\"],\" and double your yield by <0><1>verifying your humanity through Self for \",[\"1\"],\" per user.\"],\"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\",\"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\"],\"tVJk4q\":\"Cancel order\",\"te9Bfl\":\"Por favor, conecta tu cartera\",\"tj6dr4\":\"Merit Program rewards can be claimed\",\"tt5yma\":\"Tus suministros\",\"tw6G0s\":[\"You must disable \",[\"0\"],\" as collateral before exiting E-Mode. These assets have 0 LTV outside of E-Mode and cannot be used as collateral.\"],\"u3ZeYl\":\"Error en la transacción\",\"u706uF\":\"Préstamo flash inválido\",\"u8Gfu7\":[\"Sin resultados de búsqueda\",[\"0\"]],\"uAQUqI\":\"Status\",\"uGG4Lk\":\"Claim all protocol rewards\",\"uHMwk8\":\"No hay activos seleccionados para migrar.\",\"uI3SjW\":\"Connection Error\",\"uJOI6M\":\"Tip: Try improving your order parameters\",\"uJPHuY\":\"Migrando\",\"uRXR6h\":[\"Swap \",[\"0\"],\" debt\"],\"uZiu4N\":\"There is an active order for the same sell asset (avoid nonce reuse).\",\"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\",\"usB84Z\":\"La cantidad máxima disponible para tomar prestado está limitada porque casi se ha alcanzado el límite de préstamo del protocolo.\",\"uyLjNw\":\"Custom slippage\",\"v+Fu0z\":\"This asset is eligible for Kernel points incentive program. Aave Labs does not guarantee the program and accepts no liability.\",\"v0CIlJ\":\"You have no rewards to claim at this time.\",\"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\",\"vH2C/2\":\"Swap\",\"vLyv1R\":\"Ocultar\",\"vMba49\":\"Tomar prestado no está habilitado\",\"vMpNwt\":\"Aprobar con\",\"vNAHA2\":\"PTs\",\"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.\",\"vv7kpg\":\"Cancelled\",\"w+V9Cx\":\"Stablecoin\",\"w/JtJ3\":\"El balance de deuda estable no es cero\",\"w1f8Ky\":\"Savings GHO\",\"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\",\"wapGcj\":[[\"message\"]],\"wb/r1O\":[\"Faucet \",[\"0\"]],\"wdxz7K\":\"Source\",\"weC8IO\":\"All Rewards\",\"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.\",\"wjFWDB\":\"No markets found\",\"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\",\"wuMdlk\":[\"This asset is eligible for \",[\"0\"],\" Sonic Rewards.\"],\"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.\",\"x+QJ9y\":[\"Category \",[\"selectedEmodeId\"]],\"x0TRLG\":[\"Repay your \",[\"0\"],\" \",[\"1\",\"plural\",{\"one\":\"borrow\",\"other\":\"borrows\"}],\" to use this category.\"],\"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\"]],\"yRkqG9\":\"Limit\",\"yYHqJe\":\"Dirección no válida\",\"yZ5ngq\":\"Transaction details not available\",\"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\"],\"yv/Kz/\":\"Back home\",\"yz7wBu\":\"Cerrar\",\"z4uGQg\":\"El límite de deuda está sobrepasado\",\"z5JUmg\":[\"Estimated costs are \",[\"0\"],\"% of the sell amount. This order is unlikely to be filled.\"],\"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\",\"zNgzxM\":\"Excludes variable supply APY\",\"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\",\"zZmf1N\":\"Filled\",\"zgtIDV\":\"Deuda restante\",\"zmTPiV\":\"Balance de suministro\",\"zpPbZl\":\"Parámetros de riesgo de liquidación\",\"zqp4Tm\":\"Unable to Connect\",\"zr58Jd\":\"Umbrella is the upgraded version of the Safety Module. Manage your previously staked assets\",\"zucql+\":\"Menú\",\"zv/j10\":[\"Active \",[\"0\"],\" borrow is not compatible with this category. Repay your \",[\"1\"],\" borrow to use this option.\"],\"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.\",\"+EGVI0\":\"Recibir (est.)\",\"+Tzhaj\":\"You've successfully swapped borrow position.\",\"+eOPG+\":\"Parece que no podemos cambiar la red automáticamente. Por favor, comprueba si puedes cambiarla desde la cartera.\",\"+kLZGu\":\"Cantidad de activos suministrados\",\"/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\",\"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\",\"1Onqx8\":[\"Aprobando \",[\"symbol\"],\"...\"],\"1m9Qqc\":\"Retirando y Cambiando\",\"1oyh4g\":\"Borrow rate\",\"2Q4GU4\":\"Dirección bloqueada\",\"2bAhR7\":\"Conoce GHO\",\"2o/xRt\":\"Se ha alcanzado el límite de suministro en la reserva especificada. Prueba reduciendo la cantidad.\",\"3O8YTV\":\"Interés total acumulado\",\"4iPAI3\":\"Cantidad de préstamo mínima de GHO\",\"6NGLTR\":\"Cantidad descontable\",\"6yAAbq\":\"APY, tasa de préstamo\",\"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\",\"7sofdl\":\"Retirar y Cambiar\",\"9rWaKF\":\"Bridged Via CCIP\",\"ARu1L4\":\"Pagado\",\"B6aXGH\":\"Estable\",\"B9Gqbz\":\"Tasa variable\",\"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.\",\"BjLdl1\":\"Con un descuento\",\"CMHmbm\":\"Deslizamiento\",\"DxfsGs\":\"Puedes reportar cualquier incidente a nuestro <0>Discord o <1>Github.\",\"EBL9Gz\":\"¡COPIADO!\",\"ES8dkb\":\"Interés fijo\",\"GoK/QN\":\"Thank you for submitting feedback!\",\"H6Ma8Z\":\"Descuento\",\"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.\",\"HrnC47\":\"Guardar y compartir\",\"JK9zf1\":[\"Interés compuesto estimado, incluyendo el descuento por Staking \",[\"0\"],\"AAVE en el Módulo de Seguridad.\"],\"JU6q+W\":\"Recompensa(s) por reclamar\",\"K05qZY\":\"Retirar y Cambiar\",\"KRpokz\":\"VER TX\",\"KZwRuD\":[[\"notifyText\"]],\"LDzfVJ\":\"Send Feedback\",\"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\",\"MIy2RJ\":\"Maximum amount received\",\"MrmQHg\":\"View Bridge Transactions\",\"N7dVh7\":\"Swap to\",\"QSh9Sn\":\"Swapped\",\"QWYCs/\":\"Stakear GHO\",\"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.\",\"RoafuO\":\"Enviar feedback\",\"SSMiac\":\"Error al cargar los votantes de la propuesta. Por favor actualiza la página.\",\"TeCFg/\":\"Cambio de tasa de préstamo\",\"TskbEN\":\"Los poseedores de stkAAVE reciben un descuento en la tasa de préstamo de GHO\",\"TtZL6q\":\"Parámetros del modelo de descuento\",\"Tz0GSZ\":\"actividades bloqueadas\",\"UE3KJZ\":\"El historial de transacciones no está disponible actualmente para este mercado\",\"W8ekPc\":\"Volver al panel de control\",\"WMPbRK\":\"No respaldado\",\"YirHq7\":\"Feedback\",\"aX31hk\":\"Tu balance es más bajo que la cantidad seleccionada.\",\"al6Pyz\":\"Supera el descuento\",\"avgETN\":\"Eligible for the Merit program.\",\"bSc4Zw\":\"Swaping\",\"bSruit\":\"ZKSync Ignite Program rewards are claimed through the\",\"bxmzSh\":\"No hay suficiente garantía para pagar esta cantidad de deuda con\",\"cqnmnD\":\"Tasa de interés efectiva\",\"dMtLDE\":\"para\",\"dpc0qG\":\"Variable\",\"euScGB\":\"APY con descuento aplicado\",\"fHcELk\":\"APR Neto\",\"flRCF/\":\"Descuento por staking\",\"gncRUO\":\"Esta dirección está bloqueada en app.aave.com porque está asociada con una o más\",\"gp+f1B\":\"Versión 3\",\"gr8mYw\":\"Puedes tomar prestado hasta <0/> GHO al <1/> (descuento máximo)\",\"hpuVIp\":\"Users who stake AAVE in Safety Module (i.e. stkAAVE holders) receive a discount on GHO borrow interest rate.\",\"hxi7vE\":\"Balance tomado prestado\",\"i2JTiw\":\"Puedes ingresar una cantidad específica en el campo.\",\"jMam5g\":[\"Balance \",[\"0\"]],\"jpctdh\":\"Ver\",\"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.\",\"lNVG7i\":\"Selecciona un activo\",\"lt6bpt\":\"Garantía a pagar con\",\"mIM0qu\":\"Cantidad esperada a pagar\",\"mUAFd6\":\"Versión 2\",\"mzI/c+\":\"Descargar\",\"n8Psk4\":\"No podemos detectar una cartera. Conecta una cartera para stakear y ver tu balance.\",\"nOy4ob\":\"Te sugerimos volver al Panel de control.\",\"nakd8r\":\"poseedores de stkAAVE obtienen un descuento en la tasa de préstamo de GHO\",\"nh2EJK\":[\"Por favor, cambia a \",[\"networkName\"],\".\"],\"ntkAoE\":\"Descuento aplicado para <0/> AAVE stakeados\",\"o4tCu3\":\"APY préstamo\",\"olREoo\":\"All borrow positions outside of this category must be closed to enable this category.\",\"ov0+mq\":\"Eligible for the ZKSync Ignite program.\",\"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.\"],\"p3j+mb\":\"Tu balance de recompensa es 0\",\"p6u2s1\":\"Minimum amount of debt to be repaid\",\"qFD/ij\":\"You've successfully withdrew & swapped tokens.\",\"qT4Lfg\":\"You've successfully swapped tokens.\",\"qf/fr+\":\"Interés acumulado\",\"rf8POi\":\"Cantidad de activos tomados prestados\",\"ruc7X+\":\"Añade stkAAVE para ver el APY de préstamo con el descuento\",\"t81DpC\":[\"Aprueba \",[\"symbol\"],\" para continuar\"],\"umICAY\":\"<0><1><2/>Añade stkAAVE para ver la tasa de préstamo con descuento\",\"uwAUvj\":\"COPIAR IMAGEN\",\"wyi0tk\":\"Swap borrow position\",\"yW1oWB\":\"Tipo APY\",\"zevmS2\":\"<0><1><2/>añade <3/> stkAAVE para tomar prestado al <4/> (descuento máximo)\",\"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 76b493fc58..eb5c8dfc2d 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.\"],\"+5vxU4\":\"Reward APY at target liquidity\",\"+9RBfc\":\"Thank you for submitting your inquiry!\",\"+F6nAX\":\"Save with sGHO\",\"+KaZP2\":\"Aave Labs does not guarantee the program and accepts no liability.\",\"+Nk14N\":\"Savings GHO token\",\"+VR63W\":[\"Participer à cette réserve \",[\"symbol\"],\" donne des récompenses annualisées.\"],\"+XNrRN\":\"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 restrictions, see the <1>help guide or the <2>Aave V3 Technical Paper.\",\"+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.\",\"+i3Pd2\":\"Limite d'emprunt\",\"+nuEh/\":\"Estimated time\",\"+xMFF8\":\"Remind me\",\"/+Vmgq\":\"Total amount of underlying assets staked. This number represents the combined sum of your original asset and the corresponding aTokens staked in Umbrella.\",\"/1Qot4\":\"Protocol Rewards\",\"/1xACT\":\"Reward APY adjusts with total staked amount, following a curve that targets optimal staking levels.\",\"/57U31\":\"Amount to migrate\",\"/7ykiW\":\"Emprunter ce montant réduira votre facteur santé et augmentera le risque de liquidation.\",\"/FwCXs\":[[\"0\"],\" \",[\"symbol\"],\"...\"],\"/LCAwL\":\"In progress\",\"/ZyLeG\":\"Amount available to unstake\",\"/jQctM\":\"To\",\"/lDBHm\":\"FAQ\",\"/lMWs6\":[\"Deposit GHO and earn up to <0>\",[\"0\"],\"% APY\"],\"/yNlZf\":\"L'emprunt stable n'est pas activé\",\"/yQcJM\":\"Valeur totale\",\"00AB2i\":\"L'utilisateur n'a pas emprunté la devise spécifiée\",\"02/4d1\":\"We suggest you go back to the home page.\",\"0AmQcW\":\"Changement de taux\",\"0BF3yK\":\"Désolé, nous n’avons pas trouvé la page que vous cherchiez.\",\"0RrIzN\":\"Select token\",\"0TAbjq\":\"Recent Transactions\",\"0jhlyw\":\"Risque de liquidation\",\"0ojY+Y\":\"Solde actuel v2\",\"0r31vq\":\"Reward Token\",\"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.\",\"11xQTX\":[\"This asset is eligible for \",[\"0\"],\" Ethena Rewards.\"],\"18GnfY\":[\"Repay \",[\"0\"]],\"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\",\"1PMU2v\":\"Learn more about the risks.\",\"1Ue8sX\":\"Veuillez connecter un portefeuille pour afficher vos informations personnelles ici.\",\"1W8DZp\":\"USDT on Ethereum requires approval reset before a new approval. This will require an additional transaction.\",\"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/>\",\"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.\",\"2/aIvj\":\"Cancellation submited\",\"2C40JO\":[\"This transaction will switch E-Mode from \",[\"0\"],\" to \",[\"1\"],\". Borrowing will be restricted to assets within the new category.\"],\"2Eoi/a\":\"Voir détails\",\"2FYpfJ\":\"Plus\",\"2O3qp5\":\"Liquidités disponibles\",\"2OIfa1\":\"Please connect your wallet to swap collateral.\",\"2OM8/D\":[\"L’actif ne peut pas être migré en raison d’une restriction de plafond d’approvisionnement dans \",[\"marketName\"],\" v3 marché.\"],\"2RtYM0\":\"Need help? Our support team can assist.\",\"2RubOP\":\"Initiate Withdraw\",\"2S7oCr\":[\"This asset is eligible for the Ether.fi Loyalty program with a <0>x\",[\"multiplier\"],\" multiplier.\"],\"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.\",\"2eBWE6\":\"Je reconnais les risques encourus.\",\"2r2h/U\":\"Total Deposited\",\"2uJToh\":[[\"0\"],[\"name\"]],\"2x1UO0\":\"Favourited\",\"2x58bP\":\"L'emprunt stable est activé\",\"34Qfwy\":\"Le plafond d'emprunt est dépassé\",\"39eQRj\":[\"Emprunter \",[\"symbole\"]],\"3BL1xB\":\"Total fourni\",\"3K0oMo\":\"Offre restante\",\"3MoZhl\":\"Il n'y a pas assez de collatéral pour couvrir un nouvel emprunt\",\"3NO6VI\":[[\"0\"],\" Balance\",[\"1\"]],\"3Np5O8\":[\"Fournir \",[\"symbole\"]],\"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\",\"4fCwrW\":\"or from the\",\"4lDFps\":\"Signez pour continuer\",\"4p5njr\":\"Total amount staked\",\"4wyw8H\":\"Transactions\",\"5+lhtA\":\"For swapping safety module assets please unstake your position <0>here.\",\"53r7O1\":[\"High price impact (<0>\",[\"0\"],\"%)! This route will return \",[\"1\"],\" due to low liquidity or small order size.\"],\"5CCqcz\":\"Fees help support the user experience and security of the Aave application. <0>Learn more.\",\"5JSSxX\":[\"Votre \",[\"networkName\"],\" Le portefeuille est vide. Obtenez des ressources de test gratuites à l’adresse suivante :\"],\"5K3B36\":\"We couldn't find any assets related to your search. Try again with a different category.\",\"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é.\"],\"5RzvNm\":\"Aave Shield: Transaction blocked\",\"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\",\"5ty6hB\":\"Claiming individual protocol reward only. Merit rewards excluded - select \\\"claim all\\\" to include merit rewards.\",\"5vxk14\":\"To continue, you need to grant 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\",\"5yC5m5\":\"Voir tous les votes\",\"6/dCYd\":\"Aperçu\",\"60crCe\":\"Toutes les transactions\",\"62Xcjh\":\"Collatérale\",\"65A04M\":\"Espagnol\",\"68ANm7\":\"Withdrawing GHO\",\"6G8s+q\":\"Signature\",\"6Jrv+z\":[\"Rembourser \",[\"symbole\"]],\"6SC+v0\":[\"Disable \",[\"0\"],\" as collateral to use this category. These assets would have 0% LTV.\"],\"6Xr0UU\":\"Refroidissement...\",\"6bxci/\":\"Pouvoir de vote\",\"6f8S68\":\"Marchés\",\"6g1gi0\":\"Les propositions\",\"6gvoHP\":\"Copier le message d’erreur\",\"6h3Q5G\":\"Remboursé\",\"6lFSyT\":\"Available to Stake\",\"6lGV3K\":\"Show less\",\"6s8L6f\":\"Changer de réseau\",\"70wH1Q\":\"APR\",\"72c5Qo\":\"Total\",\"75qcAQ\":[[\"stepName\"]],\"7ITr5L\":\"Facteur de santé\",\"7R/kqr\":\"The cooldown period is the time required prior to unstaking your tokens (<0/>). You can only withdraw your assets from the Security Module after the cooldown period and within the unstake window. <1>Learn more\",\"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\",\"7c6Gy8\":\"Learn more about Sonic Rewards program\",\"7er5fP\":\"Réclamer tout\",\"7hb2+s\":\"Time remaining until the withdraw period ends.\",\"7i1oxe\":\"Withdrawing and Swapping\",\"7l88b8\":\"Les données n’ont pas pu être récupérées, veuillez recharger le graphique.\",\"7p5kLi\":\"Tableau de bord\",\"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\",\"8Xaoyr\":\"View on CCIP Explorer\",\"8Z5FPv\":\"Déconnecter le portefeuille\",\"8Zz7s5\":\"actifs\",\"8aLW8H\":\"Solde à révoquer\",\"8bOT3H\":\"Taux d'utilisation\",\"8d61xO\":\"The Ink instance is governed by the Ink Foundation\",\"8sLe4/\":\"Voir le contrat\",\"8ss7VF\":\"Transaction cancelled\",\"8t/M0y\":\"Please connect your wallet to be able to bridge your tokens.\",\"8u3DDw\":[\"Swap \",[\"0\"],\" collateral\"],\"8vETh9\":\"Montrer\",\"93T2Os\":\"Total deposited\",\"94OHPx\":\"Vous entrez en mode Isolation\",\"9CDK3/\":[\"L'emprunt n'est actuellement pas disponible pour \",[\"0\"],\".\"],\"9GIj3z\":\"Taille de réserve\",\"9ITYjl\":\"%\",\"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.\"],\"9YcC7V\":\"Select Categories\",\"9c6vDV\":\"Cet actif a atteint son plafond d'offre. Rien n'est disponible pour être fourni à partir de ce marché.\",\"9iDHmv\":\"Collateral Swap\",\"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\",\"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\",\"9y0Q0y\":[\"There is not enough liquidity in \",[\"symbol\"],\" to complete this swap. Try lowering the amount.\"],\"9zzsBx\":\"This is a program initiated by the Aave DAO and implemented by Merkl. Aave Labs does not guarantee the program and accepts no liability.\",\"A/lwoe\":\"Choisissez l’un des services de rampe d’accès\",\"A6dCI6\":[\"Le montant maximal disponible pour emprunter est de <0/> \",[\"0\"],\" (<1/>).\"],\"ACUEES\":\"Check errors\",\"AReoaV\":\"Vos emprunts\",\"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.\",\"B6zvhF\":\"Shares\",\"BDFEd+\":\"Les stETH fournis en garantie continueront d’accumuler des récompenses de staking fournies par les rebasages quotidiens.\",\"BE2mP0\":\"Borrowed assets\",\"BNL4Ep\":\"L'utilisation de la garantie est limitée en raison du mode d'isolement. <0>En savoir plus\",\"BQ+4lu\":\"Swap saved in your <0>history section.\",\"BQ/wCO\":\"Migrate your assets\",\"BaCmXf\":\"AAVE 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.\",\"Baj2MJ\":\"Savings\",\"BnhYo8\":\"Catégorie d'actifs\",\"Bo6b9i\":\"Withdraw GHO\",\"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\",\"C4qYyX\":[\"Repay \",[\"0\"],\" with \",[\"1\"]],\"C5jQc6\":\"GHO Balance\",\"C7hM0q\":\"Country (optional)\",\"CDrsH+\":\"Fiche technique\",\"CGiscJ\":\"You've successfully submitted an order.\",\"CK1KXz\":\"Max\",\"COUcFd\":\"Points\",\"CZXzs4\":\"Grec\",\"CkTRmy\":[\"Revendication \",[\"symbol\"]],\"CrrC++\":\"Position swaps are disabled for this asset due to security reasons.\",\"CsqtLm\":\"Veuillez connecter votre portefeuille pour voir l’outil de migration.\",\"CtGlFb\":[[\"networkName\"],\" Robinet\"],\"CuAHqa\":\"Protocol Incentives\",\"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.\",\"D4Q4h/\":\"Gas estimation error\",\"D79cZK\":\"Instant\",\"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\"],\"DhaOWH\":\"Stake your Aave aTokens or underlying assets to earn rewards. In case of a shortfall event, your stake may be slashed to cover the deficit.\",\"Dj+3wB\":\"Aave par mois\",\"DlRHbH\":\"Claiming all protocol rewards only. Merit rewards excluded - select \\\"claim all\\\" to include merit rewards.\",\"DuEq2K\":\"Collatéralisation\",\"Dzma+E\":\"Main Ethereum market with the largest selection of assets and yield options\",\"E/QGRL\":\"Désactivé\",\"E6UoJs\":\"Estimated compounding 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.\",\"ETtXJg\":\"Share my wallet address to help the support team resolve my issue\",\"EZd3Dk\":[\"Reprise \",[\"symbol\"]],\"Ebgc76\":[\"Retrait \",[\"symbole\"]],\"EdQY6l\":\"Aucun/Aucune\",\"Ef7StM\":\"Unknown\",\"Ehzc//\":[\"Swapping \",[\"0\"],\" debt\"],\"Ekea1N\":\"We couldn't detect a wallet. Connect a wallet to stake and view your balance.\",\"Enslfm\":\"Destination\",\"EvE9nO\":[\"Réactiver la période de recharge pour annuler le pieu \",[\"0\"],\" \",[\"stakedToken\"]],\"EvECnL\":\"Migrer vers la v3\",\"EyYG53\":\"Get support\",\"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.\",\"F6pfE9\":\"Active\",\"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\",\"FTRJ1l\":\"L2 Networks\",\"FbmMe7\":\"Linked addresses\",\"Fdp03t\":\"sur\",\"Fjw9N+\":\"Actifs à déposer\",\"FmN0fk\":\"Remise en jeu\",\"G15AUr\":\"Sending cancel...\",\"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\",\"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.\"],\"Gz07IS\":\"Your health factor after this swap will be critically low and may result in liquidation. Please choose a different asset or reduce the swap amount to stay safe.\",\"H1oAjw\":[[\"selectedCount\"],\" Categories\"],\"HB/wfS\":[[\"tooltipText\"]],\"HD4KkW\":[\"Swapping \",[\"0\"],\" collateral\"],\"HKDsQN\":\"Rewards can be claimed through\",\"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\"],\"HlWGZc\":[\"Your \",[\"0\"],\" balance is lower than the selected amount.\"],\"HmkYqM\":\"Fenêtre d'arrêt de staking\",\"HpK/8d\":\"Recharger\",\"HtBqo9\":\"sGHO\",\"HtuY7v\":\"Please connect your wallet to swap tokens.\",\"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\"],\"%.\"],\"I4Cxlm\":\"E-Mode required\",\"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.\",\"ILXMQA\":\"The Safety Module has been upgraded to <0>Umbrella, a new system that introduces automated slashing, aToken staking, and improved incentives design.\",\"IN8luu\":\"All done\",\"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 à\",\"IhAc6F\":\"Costs & Fees\",\"ImxB3A\":\"deposited\",\"IrtO2E\":\"You have assets with zero LTV that are blocking this operation. Please withdraw them or disable them as collateral first.\",\"J/hVSQ\":[[\"0\"]],\"JCoxL6\":\"Gérer l’analytique\",\"JEdlTC\":\"Stablecoins\",\"JOqFba\":[\"Déjalonnement \",[\"symbol\"]],\"JPHuMW\":\"Swapping\",\"JPhc4G\":\"ETH Correlated\",\"JPrLjO\":\"Vous ne pouvez pas utiliser cette devise comme garantie\",\"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\",\"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\",\"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é\",\"KkJaLD\":\"Borrow:\",\"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\",\"KqoLVC\":\"Merkl rewards are claimed through the\",\"KsqhWn\":\"Staking\",\"KuBTQq\":\"Entrez l'adresse ETH\",\"KvG1xW\":\"Réclamer\",\"L+8Lzs\":\"LTV actuelle\",\"L+qiq+\":\"Marché\",\"L2tU22\":\"Learn more about Ethena Rewards program\",\"L3ZyJR\":[[\"popularSectionTitle\"]],\"LEdkyb\":\"Rewards to claim\",\"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\"],\"\"],\"Lhf8zD\":\"Waiting for actions...\",\"Lp2cTp\":\"Eligible for incentives through Merkl.\",\"LvVpD/\":\"Emode\",\"Ly2enB\":\"This will cancel the order via an on-chain transaction. Note that the order will not be marked as cancelled in the CoW Protocol system, but will remain open and expire naturally. Keep in mind that a solver may already have filled your order.\",\"M1RnFv\":\"Expired\",\"M2sknc\":\"Astuce : Essayez d’augmenter le glissement ou de réduire la quantité d’entrée\",\"MKiONF\":\"Activating Cooldown\",\"MOvzXm\":\"Comparing best rates...\",\"MRwaR4\":\"This will require two separate transactions: one to change E-Mode and one to supply.\",\"MZ/nQf\":\"Adresse du destinataire\",\"MZbQHL\":\"No results found.\",\"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.\",\"MlRlXX\":\"Current APY\",\"Mm/DVQ\":\"Vous avez annulé la transaction.\",\"MnE2QX\":\"Emprunter des informations\",\"MuDFEQ\":\"Valeur de retour invalide de la fonction flashloan executor\",\"My0ZGV\":\"Learn more about the Kernel points distribution\",\"N+3mX2\":\"Please connect your wallet to swap debt.\",\"N39Ax4\":\"Ethereum\",\"N40H+G\":\"All\",\"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\",\"ND1ISA\":\"Weekly Rewards\",\"NF0e1Q\":\"En attente...\",\"NK9ikO\":\"Solde du portefeuille\",\"NMt2CB\":\"Montant réclamable\",\"Na7NlU\":[[\"remainingCustomMessage\"]],\"NcFGxG\":\"Contrat de collectionneur\",\"NfpPeS\":\"Rien staké\",\"Nh9DAo\":[[\"m\"],\"m\"],\"Npz7kI\":\"Inquiry\",\"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\",\"OC4Tzv\":\"here\",\"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é\",\"OiykRd\":\"Deposit GHO\",\"On0aF2\":\"Site internet\",\"OqAwLU\":\"Protocol APY\",\"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\",\"PctCOf\":\"A temporary contract will be used to execute the trade. Your wallet may show a warning for approving a new or empty address.\",\"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.\",\"QONKTE\":\"Merit Rewards\",\"QQYsQ7\":\"Withdrawing\",\"QZEgwS\":\"Execution fee\",\"R+30X3\":\"Non atteint\",\"R9Khdg\":\"Auto\",\"RCU5PY\":\"Age\",\"RIfckG\":[\"Désactiver \",[\"symbol\"],\" comme garantie\"],\"RMtxNk\":\"Différentiel\",\"RNK49r\":\"Signature non valide\",\"RS0o7b\":\"État\",\"RTG4/6\":\"There are no stake assets configured for this market\",\"RU+LqV\":\"Détails de la proposition\",\"RYfdBk\":\"Visit <0><1>https://aave.self.xyz/ to get started with Self’s ZK-powered proof-of-humanity authentication.\",\"RZbjLY\":[\"See \",[\"0\"],\" more\"],\"Rg4K+m\":\"Cannot switch to this category\",\"RiSYV4\":\"L'actif n'est pas répertorié\",\"Rj01Fz\":\"Liens\",\"RmWFEe\":\"APR staké\",\"RtBLm7\":\"Le facteur santé est inférieur au seuil de liquidation\",\"RvF1Ts\":\"stkGHO is now Savings GHO\",\"RxzN1M\":\"Activé\",\"SBv4zo\":[[\"0\"],\" collateral would have 0% LTV in this category. Disable \",[\"1\"],\" as collateral to use this option.\"],\"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\",\"SNmu1z\":\"Shares are Umbrella Stake Tokens you receive when staking. They represent your ownership in the pool, and the amount of underlying you can redeem depends on the current exchange rate between shares and the underlying.\",\"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\",\"SZkDmY\":\"The swap could not be completed. Try increasing slippage or changing the amount.\",\"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\",\"St4jqF\":\"This list may not include all your swaps.\",\"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\",\"TLJkuL\":\"Category assets\",\"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\",\"Tg1JyO\":\"Bridge history\",\"TszKts\":\"Emprunter le solde après le changement\",\"Tw07Vv\":\"Show assets with small balance\",\"TwJI9F\":\"Asset has been successfully sent to CCIP contract. You can check the status of the transactions below\",\"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.\",\"UMgOim\":\"Send cancel\",\"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.\",\"UiO4Hu\":[\"You'll need to wait \",[\"0\"],\" before you can unstake your tokens. This cooldown starts when you request to unstake. Once it ends, you can withdraw during the unstake window.\"],\"UpndFj\":\"Aucune récompense à réclamer\",\"V0f2Xv\":\"Facteur de réserve\",\"V1HK43\":\"Risques liés à la migration\",\"V7QGpc\":\"I understand the liquidation risk and want to proceed\",\"V7SFse\":[\"I confirm the swap knowing that I could lose up to <0>\",[\"0\"],\"% on this swap.\"],\"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\",\"VnQFYr\":\"Claiming all merit rewards only\",\"W1SSoD\":\"Examiner les détails de la transaction\",\"W5hVah\":\"Rien fourni pour le moment\",\"W5kTFy\":\"Vote\",\"WHrVwg\":\"Loading quote...\",\"WMJGls\":\"Estimated Costs & Fees\",\"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\",\"WS67YQ\":\"Let us know how we can help you. You may also consider joining our community\",\"WT188T\":\"Withdraw & Swap\",\"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.\",\"WbTDwg\":\"In Progress\",\"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.\",\"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\",\"X4tRM3\":[[\"0\"],\" \",[\"symbol\"],\" to continue\"],\"XBdKOj\":\"Representative smart contract wallet (ie. Safe) addresses on other chains.\",\"XPN5UR\":\"User denied the operation.\",\"XYLcNv\":\"Support\",\"XZzneG\":\"Vous quitterez le mode d'isolement et d'autres jetons peuvent désormais être utilisés comme collatéral\",\"Xe5bTg\":\"Deposit APR\",\"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.\",\"XwKkg/\":\"Staked Underlying\",\"Xy+o6U\":\"For security reasons, limit orders are not supported for Native tokens. To place a limit order, use the wrapped version.\",\"Xy71ST\":\"Umbrella\",\"Y+hUcK\":\"Merit Program and Self rewards can be claimed\",\"Y46iXX\":\"The order could't be filled.\",\"Y5Orec\":\"Collateral options\",\"Y5kGkc\":\"VOTER NON\",\"YD+nXc\":\"Aave Shield\",\"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.\",\"Ya/che\":\"Stake token shares\",\"Ykj2Om\":\"Default slippage\",\"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.\",\"YrcHPy\":\"VIEW\",\"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.\"],\"Z3FXyt\":\"Loading...\",\"Z99M+T\":\"This is an off-chain operation. Keep in mind that a solver may already have filled your order.\",\"ZBvhI+\":\"Gouvernance Aave\",\"ZIIRAd\":\"Raw-Ipfs\",\"ZRq4tX\":\"Mode efficacité (E-Mode)\",\"ZRuM45\":\"These are the estimated costs associated with your limit swap, including costs and fees. Consider these costs when setting your order amounts to help optimize execution and maximize your chances of filling the order.\",\"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é\",\"aCgA+I\":\"E-Mode change\",\"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\",\"aQYztl\":[\"Repaying \",[\"0\"]],\"aXgo8+\":\"from the\",\"adUsDd\":\"An error has occurred fetching the proposal.\",\"afk1Wt\":[\"This asset can only be used as collateral in E-Mode: \",[\"0\"]],\"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.\",\"b4NS3e\":\"Avertissement de période de refroidissement\",\"bBHmeP\":\"Available to withdraw\",\"bNEQeI\":\"Cooldown\",\"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\",\"bYtb3C\":\"Network costs\",\"bguKoJ\":\"Le montant demandé est supérieur au montant maximum du prêt en mode taux stable\",\"bm/mjh\":\"This is a program initiated and implemented by the Aave Chan Initiative (ACI). Aave Labs does not guarantee the program and accepts no liability.\",\"bq0uL+\":\"supply\",\"bwSQI0\":\"Fournir\",\"bxN6EM\":\"Impossible de désactiver le mode E\",\"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.\",\"cc6gEH\":\"Incentives APR\",\"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\"]],\"cqwIvs\":\"Discussion de forum\",\"csDS2L\":\"Disponible\",\"cu7Stb\":\"Vous n'avez pas participé à cette proposition\",\"cuxGZP\":\"Low health factor after swap. Your position will carry a higher risk of liquidation.\",\"d9YZVR\":\"Principle Tokens\",\"dE6BLF\":\"Gouvernance\",\"dEgA5A\":\"Annuler\",\"dIsyWh\":\"Échec de la validation LTV\",\"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\",\"dYG3JG\":\"Data couldn't be loaded.\",\"dZQvSq\":\"Please review the swap values before confirming.\",\"dfDzrk\":[\"Supply cap reached for \",[\"symbol\"],\". Reduce the amount or choose a different asset.\"],\"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\",\"drdV8R\":\"Liquidation\",\"dxW8cS\":\"Jeton de dette Aave\",\"e/ghIe\":[\"This transaction will enable E-Mode (\",[\"0\"],\"). Borrowing will be restricted to assets within this category.\"],\"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\",\"eQ0Wu0\":\"Please connect a wallet to view your balance here.\",\"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\",\"edXiYw\":[\"You've successfully swapped \",[\"0\"],\".\"],\"efdrrk\":\"Disponible sur\",\"enruNF\":\"Commence\",\"eqLYiD\":\"Arrêter de staker maintenant\",\"evw5ha\":\"Valeur nette\",\"ezcU16\":\"Obtenir le jeton ABP\",\"f2e3vu\":[\"Deposit GHO into savings GHO (sGHO) and earn <0>\",[\"0\"],\"% APY on your GHO holdings. There are no lockups, no rehypothecation, and you can withdraw anytime. Simply deposit GHO, receive sGHO tokens representing your balance, and watch your savings grow earning claimable rewards from merit.\"],\"f3W0Ej\":[\"Vous êtes passé au tarif \",[\"0\"]],\"fMJQZK\":\"Emprunté\",\"fZ5Vnu\":\"Reçu\",\"firl9Q\":\"Votre prêt actuel à la valeur en fonction de votre collatéral fournie.\",\"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\",\"g4Ius4\":\"This is the fee for executing position changes, set by governance.\",\"g8KGoA\":\"Foire aux questions\",\"g9zzqS\":\"A voté NAY\",\"gDd2gk\":\"about SuperFest.\",\"gIMJlW\":\"Mode réseau test\",\"gK+IvE\":\"Withdraw and Swap\",\"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é\",\"gjxiVa\":[\"This swap has a price impact of \",[\"0\"],\"%, which exceeds the 25% safety threshold. To proceed, disable Aave Shield in the settings menu.\"],\"goff7V\":\"Adresse zéro non-valide\",\"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\",\"h5hG6q\":\"This is the cost of settling your order on-chain, including gas and any LP fees.\",\"hB23LY\":\"Activer le temps de recharge\",\"hIJzBh\":\"Available to Claim\",\"hIS4N0\":\"APY Net\",\"hQRttt\":\"Submit\",\"hRWvpI\":\"Revendiqué\",\"hStpnK\":\"Other Chains\",\"hb8ajh\":\"Debt Swap\",\"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\",\"hrhwub\":\"dashboard\",\"huQ6Tz\":[\"Emprunter \",[\"symbole\"]],\"hxYu+F\":\"Borrow: All eligible assets\",\"i/fZ2Z\":\"Staked Balance\",\"i9qiyR\":\"Expires in\",\"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\",\"iIuDE1\":\"Estimated weekly rewards based on your current sGHO balance and APR. Actual rewards may vary depending on market conditions.\",\"iKfD53\":\"Transaction history for Plasma not supported yet, coming soon.\",\"iMVZk9\":\"Sélectionner la tolérance de glissement\",\"iNYgey\":\"Get Support\",\"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\",\"iddNqA\":\"This transaction will disable E-Mode. All assets will revert to their base LTV and liquidation thresholds.\",\"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\"],\"ih/VjN\":\"Staking this amount will reduce your health factor and increase risk of liquidation.\",\"il0sEG\":\"L'utilisation du collatéral est limitée en raison du mode d'isolation.\",\"j+K1Xj\":\"Amount After Fee\",\"j4SXZo\":\"Claim all merit rewards\",\"j7JHV+\":\"Total APY\",\"j8cF1R\":\"Cooling down\",\"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\",\"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.\",\"jZkYWO\":\"Boosted LTV\",\"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\",\"jqVo/k\":\"here.\",\"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\"],\"kMi0nz\":\"sGHO Merit APY History\",\"kN1Yg5\":\"Pour rembourser au nom d'un utilisateur, un montant explicite à rembourser est nécessaire\",\"kNiQp6\":\"Pinned\",\"kRTD40\":[\"Montant de remboursement à atteindre \",[\"0\"],\"% d’utilisation\"],\"kgKqPv\":\"You can not stake this amount because it will cause collateral call\",\"kj3M8S\":\"Deposit\",\"kjN9tT\":\"Le plafond d'approvisionnement est dépassé\",\"kn+s7w\":[[\"0\"],\" collateral would have 0% LTV without E-Mode. Disable \",[\"1\"],\" as collateral to use this option.\"],\"knxE+G\":\". JSON (en anglais seulement)\",\"ks2LWT\":\"Le plafond de la dette n'est pas nul\",\"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.\",\"kzeZTm\":\"LTV\",\"lCF0wC\":\"Refresh\",\"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.\",\"lXb3Ih\":[\"This asset has 0 LTV and cannot be used as collateral. Enable an E-Mode to use \",[\"symbol\"],\" as collateral.\"],\"lXj2Sq\":\"Repay with Collateral\",\"lYGfRP\":\"Anglais\",\"lfEjIE\":\"En savoir plus dans notre <0>guide FAQ\",\"ljF4ko\":\"The selected rate is lower than the market price. You might incur a loss if you proceed.\",\"lqCWte\":[\"Deposit GHO and earn \",[\"0\"],\"% APY\"],\"lu7f+8\":\"Blocked by Shield\",\"m/IEhi\":\"Émission totale par jour\",\"m7r7Hh\":\"Sélection d’actifs d’emprunt\",\"mDDK4p\":\"Balancer Pool\",\"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.\"],\"me5LMQ\":\"Checking approval\",\"mogZv0\":\"Favourite\",\"muiOng\":[\"Acheter \",[\"cryptoSymbol\"],\" avec Fiat\"],\"mvCXBY\":\"Mise en jeu AAVE\",\"mwdzil\":\"D'accord, fermer\",\"mzDAU3\":\"Savings GHO (sGHO)\",\"mzdIia\":\"L'actif ne peut pas être utilisé comme collatéral.\",\"n+SX4g\":\"Développeurs\",\"n1na81\":\"No eligible assets to swap.\",\"n4PWtp\":\"Depositing\",\"nJIhzm\":\"Fournir apy\",\"nJgsQu\":\"Avec un pouvoir de vote de <0/>\",\"nLC6tu\":\"Français\",\"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\",\"nPGNMh\":\"Peut être exécuté\",\"nUK1ou\":[\"Assets with zero LTV (\",[\"0\"],\") must be withdrawn or disabled as collateral to perform this action\"],\"neITkT\":\"This asset has 0% LTV, meaning it does not contribute to borrowing power. Existing positions with this asset as collateral still count toward the liquidation threshold and protect your health factor. New positions cannot enable this asset as collateral.\",\"njBeMm\":\"Les deux\",\"ntyFSE\":[[\"h\"],\"h\"],\"nwIsn4\":\"After the cooldown is initiated, you will be able to withdraw your assets immediatley.\",\"nweCqF\":\"Cancelling order...\",\"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\",\"o5ooMr\":\"Dette\",\"o7J4JM\":\"Filtrer\",\"o7Yloh\":\"Learn more about the Ether.fi program\",\"oHFrpj\":\"Temps de recharge pour déstaker\",\"oJ5ZiG\":\"L'utilisateur n'a pas de dette à taux variable impayée sur cette réserve\",\"oUwXhx\":\"Ressources de test\",\"oWQnqT\":\"Staking this asset will earn the underlying asset supply yield in addition to other configured rewards.\",\"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.\",\"ogU9GD\":\"Target liquidity\",\"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.\",\"om/XHs\":\"Disponible au dépôt\",\"omq5qJ\":\"Claiming all protocol rewards and merit rewards together\",\"ovBPCi\":\"Default\",\"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\",\"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é.\",\"p45alK\":\"Configurer la délégation\",\"pDgeaz\":[[\"title\"]],\"pdZqBk\":\"Le solde sous-jacent doit être supérieur à 0\",\"pgWG9H\":\"Pas assez de solde staké\",\"ph9+uj\":[\"Switching to \",[\"networkName\"],\"...\"],\"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\"],\")\"],\"pup/ej\":\"Net Protocol Incentives\",\"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\",\"qKfida\":\"Staked tokens are wrapped and use an exchange rate. You may see fewer token shares, but the value matches your deposit and will grow as yield accrues.\",\"qOqbD6\":\"copier l'erreur\",\"qXCkEM\":\"Veuillez connecter votre portefeuille pour voir vos fournitures, vos emprunts et vos positions ouvertes.\",\"qY2jnw\":\"Expiration invalide\",\"qhhf9L\":\"Rewards available to claim\",\"qtS7wW\":\"Thank you for voting\",\"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\",\"qz6JVE\":[\"Your order amounts are \",[\"0\"],\" less favorable by \",[\"1\"],\"% to the liquidity provider than recommended. This order may not be executed.\"],\"qz9c6b\":[\"Repaying \",[\"0\"],\" with \",[\"1\"]],\"qzFp5D\":\"All Categories\",\"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\",\"riNWOA\":\"E-Mode\",\"rjGI/Q\":\"Vie privée\",\"rnKPW1\":\"Watch a wallet balance in read-only mode\",\"rojvRp\":\"Approval by signature not available\",\"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\",\"t/ct9N\":\"Auto Slippage\",\"tBIz3I\":[\"Supply \",[\"0\"],\" and double your yield by <0><1>verifying your humanity through Self for \",[\"1\"],\" per user.\"],\"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\",\"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\"],\"tVJk4q\":\"Cancel order\",\"te9Bfl\":\"S'il vous plaît, connectez votre portefeuille\",\"tj6dr4\":\"Merit Program rewards can be claimed\",\"tt5yma\":\"Vos ressources\",\"tw6G0s\":[\"You must disable \",[\"0\"],\" as collateral before exiting E-Mode. These assets have 0 LTV outside of E-Mode and cannot be used as collateral.\"],\"u3ZeYl\":\"La transaction a échoué\",\"u706uF\":\"Prime flash non valide\",\"u8Gfu7\":[\"Aucun résultat de recherche\",[\"0\"]],\"uAQUqI\":\"Status\",\"uGG4Lk\":\"Claim all protocol rewards\",\"uHMwk8\":\"Aucune ressource n’a été sélectionnée pour la migration.\",\"uI3SjW\":\"Connection Error\",\"uJOI6M\":\"Tip: Try improving your order parameters\",\"uJPHuY\":\"Migration\",\"uRXR6h\":[\"Swap \",[\"0\"],\" debt\"],\"uZiu4N\":\"There is an active order for the same sell asset (avoid nonce reuse).\",\"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\",\"usB84Z\":\"Le montant maximum disponible pour emprunter est limité car le plafond d’emprunt du protocole est presque atteint.\",\"uyLjNw\":\"Custom slippage\",\"v+Fu0z\":\"This asset is eligible for Kernel points incentive program. Aave Labs does not guarantee the program and accepts no liability.\",\"v0CIlJ\":\"You have no rewards to claim at this time.\",\"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é\",\"vH2C/2\":\"Swap\",\"vLyv1R\":\"Cacher\",\"vMba49\":\"L'emprunt n'est pas activé\",\"vMpNwt\":\"Approuvez avec\",\"vNAHA2\":\"PTs\",\"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.\",\"vv7kpg\":\"Cancelled\",\"w+V9Cx\":\"Stablecoin\",\"w/JtJ3\":\"L'offre de dette stable n'est pas nulle\",\"w1f8Ky\":\"Savings GHO\",\"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\",\"wapGcj\":[[\"message\"]],\"wb/r1O\":[\"Faucet \",[\"0\"]],\"wdxz7K\":\"Source\",\"weC8IO\":\"All Rewards\",\"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.\",\"wjFWDB\":\"No markets found\",\"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\",\"wuMdlk\":[\"This asset is eligible for \",[\"0\"],\" Sonic Rewards.\"],\"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.\",\"x+QJ9y\":[\"Category \",[\"selectedEmodeId\"]],\"x0TRLG\":[\"Repay your \",[\"0\"],\" \",[\"1\",\"plural\",{\"one\":\"borrow\",\"other\":\"borrows\"}],\" to use this category.\"],\"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\"]],\"yRkqG9\":\"Limit\",\"yYHqJe\":\"Pas une adresse valide\",\"yZ5ngq\":\"Transaction details not available\",\"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\"],\"yv/Kz/\":\"Back home\",\"yz7wBu\":\"Fermer\",\"z4uGQg\":\"Le plafond de la dette est dépassé\",\"z5JUmg\":[\"Estimated costs are \",[\"0\"],\"% of the sell amount. This order is unlikely to be filled.\"],\"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\",\"zNgzxM\":\"Excludes variable supply APY\",\"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\",\"zZmf1N\":\"Filled\",\"zgtIDV\":\"Dette restante\",\"zmTPiV\":\"Bilan d'approvisionnement\",\"zpPbZl\":\"Paramètres du risque de liquidation\",\"zqp4Tm\":\"Unable to Connect\",\"zr58Jd\":\"Umbrella is the upgraded version of the Safety Module. Manage your previously staked assets\",\"zucql+\":\"Menu\",\"zv/j10\":[\"Active \",[\"0\"],\" borrow is not compatible with this category. Repay your \",[\"1\"],\" borrow to use this option.\"],\"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.\",\"+EGVI0\":\"Recevoir (est.)\",\"+Tzhaj\":\"You've successfully swapped borrow position.\",\"+eOPG+\":\"On dirait que nous ne pouvons pas changer de réseau automatiquement. Veuillez vérifier si vous pouvez le changer depuis le portefeuille.\",\"+kLZGu\":\"Montant de l’actif fourni\",\"/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\",\"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\",\"1Onqx8\":[\"Approuver \",[\"symbol\"],\"...\"],\"1m9Qqc\":\"Retrait et changement\",\"1oyh4g\":\"Borrow rate\",\"2Q4GU4\":\"Adresse bloquée\",\"2bAhR7\":\"Rencontrez GHO\",\"2o/xRt\":\"Plafond d'approvisionnement sur la réserve cible atteint. Essayez de réduire le montant.\",\"3O8YTV\":\"Total des intérêts courus\",\"4iPAI3\":\"Montant minimum d’emprunt GHO\",\"6NGLTR\":\"Montant actualisable\",\"6yAAbq\":\"APY, borrow rate\",\"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\",\"7sofdl\":\"Retrait et échange\",\"9rWaKF\":\"Bridged Via CCIP\",\"ARu1L4\":\"Remboursé\",\"B6aXGH\":\"Stable\",\"B9Gqbz\":\"Taux variable\",\"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.\",\"BjLdl1\":\"À prix réduit\",\"CMHmbm\":\"Glissement\",\"DxfsGs\":\"Vous pouvez signaler un incident sur notre <0>Discord ou<1>Github.\",\"EBL9Gz\":\"COPIÉ!\",\"ES8dkb\":\"Taux fixe\",\"GoK/QN\":\"Thank you for submitting feedback!\",\"H6Ma8Z\":\"Rabais\",\"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.\",\"HrnC47\":\"Enregistrer et partager\",\"JK9zf1\":[\"Intérêts composés estimés, y compris l’escompte pour le jalonnement \",[\"0\"],\"AAVE dans le module de sécurité.\"],\"JU6q+W\":\"Récompense(s) à réclamer\",\"K05qZY\":\"Retrait et échange\",\"KRpokz\":\"VOIR TX\",\"KZwRuD\":[[\"notifyText\"]],\"LDzfVJ\":\"Send Feedback\",\"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\",\"MIy2RJ\":\"Maximum amount received\",\"MrmQHg\":\"View Bridge Transactions\",\"N7dVh7\":\"Swap to\",\"QSh9Sn\":\"Swapped\",\"QWYCs/\":\"Stake GHO\",\"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.\",\"RoafuO\":\"Envoyer des commentaires\",\"SSMiac\":\"Impossible de charger les votants de proposition. Veuillez rafraîchir la page.\",\"TeCFg/\":\"Modification du taux d’emprunt\",\"TskbEN\":\"Les détenteurs de stkAAVE bénéficient d’une réduction sur le taux d’emprunt GHO\",\"TtZL6q\":\"Paramètres du modèle de remise\",\"Tz0GSZ\":\"Activités bloquées\",\"UE3KJZ\":\"L’historique des transactions n’est actuellement pas disponible pour ce marché\",\"W8ekPc\":\"Retour au tableau de bord\",\"WMPbRK\":\"Sans support\",\"YirHq7\":\"Feedback\",\"aX31hk\":\"Votre solde est inférieur au montant sélectionné.\",\"al6Pyz\":\"Dépasse la remise\",\"avgETN\":\"Eligible for the Merit program.\",\"bSc4Zw\":\"Swaping\",\"bSruit\":\"ZKSync Ignite Program rewards are claimed through the\",\"bxmzSh\":\"Pas assez de collatéral pour rembourser ce montant de dette avec\",\"cqnmnD\":\"Taux d’intérêt effectif\",\"dMtLDE\":\"À\",\"dpc0qG\":\"Variable\",\"euScGB\":\"APY avec remise appliquée\",\"fHcELk\":\"APR Net\",\"flRCF/\":\"Remise sur le staking\",\"gncRUO\":\"Cette adresse est bloquée sur app.aave.com car elle est associée à un ou plusieurs\",\"gp+f1B\":\"Variante 3\",\"gr8mYw\":\"Vous pouvez emprunter jusqu’à GHO à <0/> <1/> (rabais maximum)\",\"hpuVIp\":\"Users who stake AAVE in Safety Module (i.e. stkAAVE holders) receive a discount on GHO borrow interest rate.\",\"hxi7vE\":\"Emprunter le solde\",\"i2JTiw\":\"Vous pouvez saisir un montant personnalisé dans le champ.\",\"jMam5g\":[[\"0\"],\" Balance\"],\"jpctdh\":\"Vue\",\"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é.\",\"lNVG7i\":\"Sélectionner une ressource\",\"lt6bpt\":\"Garantie à rembourser\",\"mIM0qu\":\"Montant prévu à rembourser\",\"mUAFd6\":\"Variante 2\",\"mzI/c+\":\"Télécharger\",\"n8Psk4\":\"Nous n’avons pas pu détecter de portefeuille. Connectez un portefeuille pour staker et consulter votre solde.\",\"nOy4ob\":\"Nous vous suggérons de revenir au tableau de bord.\",\"nakd8r\":\"Les détenteurs de stkAAVE bénéficient d’une réduction sur le taux d’emprunt GHO\",\"nh2EJK\":[\"Veuillez passer à \",[\"networkName\"],\".\"],\"ntkAoE\":\"Remise appliquée pour <0/> le staking d’AAVE\",\"o4tCu3\":\"Emprunter de l’APY\",\"olREoo\":\"All borrow positions outside of this category must be closed to enable this category.\",\"ov0+mq\":\"Eligible for the ZKSync Ignite program.\",\"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.\"],\"p3j+mb\":\"Votre solde de récompenses est de 0\",\"p6u2s1\":\"Minimum amount of debt to be repaid\",\"qFD/ij\":\"You've successfully withdrew & swapped tokens.\",\"qT4Lfg\":\"You've successfully swapped tokens.\",\"qf/fr+\":\"Intérêts courus\",\"rf8POi\":\"Montant de l’actif emprunté\",\"ruc7X+\":\"Ajoutez stkAAVE pour voir l’APY d’emprunt avec la remise\",\"t81DpC\":[\"Approuver \",[\"symbol\"],\" pour continuer\"],\"umICAY\":\"<0><1><2/>Ajoutez stkAAVE pour voir le taux d’emprunt avec escompte\",\"uwAUvj\":\"COPIER L’IMAGE\",\"wyi0tk\":\"Swap borrow position\",\"yW1oWB\":\"APY type\",\"zevmS2\":\"<0><1><2/>Ajoutez <3/> stkAAVE pour emprunter à <4/> (remise maximale)\",\"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.\"],\"+5vxU4\":\"Reward APY at target liquidity\",\"+9RBfc\":\"Thank you for submitting your inquiry!\",\"+F6nAX\":\"Save with sGHO\",\"+KaZP2\":\"Aave Labs does not guarantee the program and accepts no liability.\",\"+Nk14N\":\"Savings GHO token\",\"+VR63W\":[\"Participer à cette réserve \",[\"symbol\"],\" donne des récompenses annualisées.\"],\"+XNrRN\":\"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 restrictions, see the <1>help guide or the <2>Aave V3 Technical Paper.\",\"+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.\",\"+i3Pd2\":\"Limite d'emprunt\",\"+nuEh/\":\"Estimated time\",\"+xMFF8\":\"Remind me\",\"/+Vmgq\":\"Total amount of underlying assets staked. This number represents the combined sum of your original asset and the corresponding aTokens staked in Umbrella.\",\"/1Qot4\":\"Protocol Rewards\",\"/1xACT\":\"Reward APY adjusts with total staked amount, following a curve that targets optimal staking levels.\",\"/57U31\":\"Amount to migrate\",\"/7ykiW\":\"Emprunter ce montant réduira votre facteur santé et augmentera le risque de liquidation.\",\"/FwCXs\":[[\"0\"],\" \",[\"symbol\"],\"...\"],\"/LCAwL\":\"In progress\",\"/ZyLeG\":\"Amount available to unstake\",\"/jQctM\":\"To\",\"/lDBHm\":\"FAQ\",\"/lMWs6\":[\"Deposit GHO and earn up to <0>\",[\"0\"],\"% APY\"],\"/yNlZf\":\"L'emprunt stable n'est pas activé\",\"/yQcJM\":\"Valeur totale\",\"00AB2i\":\"L'utilisateur n'a pas emprunté la devise spécifiée\",\"02/4d1\":\"We suggest you go back to the home page.\",\"0AmQcW\":\"Changement de taux\",\"0BF3yK\":\"Désolé, nous n’avons pas trouvé la page que vous cherchiez.\",\"0RrIzN\":\"Select token\",\"0TAbjq\":\"Recent Transactions\",\"0jhlyw\":\"Risque de liquidation\",\"0ojY+Y\":\"Solde actuel v2\",\"0r31vq\":\"Reward Token\",\"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.\",\"11xQTX\":[\"This asset is eligible for \",[\"0\"],\" Ethena Rewards.\"],\"18GnfY\":[\"Repay \",[\"0\"]],\"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\",\"1PMU2v\":\"Learn more about the risks.\",\"1Ue8sX\":\"Veuillez connecter un portefeuille pour afficher vos informations personnelles ici.\",\"1W8DZp\":\"USDT on Ethereum requires approval reset before a new approval. This will require an additional transaction.\",\"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/>\",\"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.\",\"2/aIvj\":\"Cancellation submited\",\"2C40JO\":[\"This transaction will switch E-Mode from \",[\"0\"],\" to \",[\"1\"],\". Borrowing will be restricted to assets within the new category.\"],\"2Eoi/a\":\"Voir détails\",\"2FYpfJ\":\"Plus\",\"2O3qp5\":\"Liquidités disponibles\",\"2OIfa1\":\"Please connect your wallet to swap collateral.\",\"2OM8/D\":[\"L’actif ne peut pas être migré en raison d’une restriction de plafond d’approvisionnement dans \",[\"marketName\"],\" v3 marché.\"],\"2RtYM0\":\"Need help? Our support team can assist.\",\"2RubOP\":\"Initiate Withdraw\",\"2S7oCr\":[\"This asset is eligible for the Ether.fi Loyalty program with a <0>x\",[\"multiplier\"],\" multiplier.\"],\"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.\",\"2eBWE6\":\"Je reconnais les risques encourus.\",\"2r2h/U\":\"Total Deposited\",\"2uJToh\":[[\"0\"],[\"name\"]],\"2x1UO0\":\"Favourited\",\"2x58bP\":\"L'emprunt stable est activé\",\"34Qfwy\":\"Le plafond d'emprunt est dépassé\",\"39eQRj\":[\"Emprunter \",[\"symbole\"]],\"3BL1xB\":\"Total fourni\",\"3K0oMo\":\"Offre restante\",\"3MoZhl\":\"Il n'y a pas assez de collatéral pour couvrir un nouvel emprunt\",\"3NO6VI\":[[\"0\"],\" Balance\",[\"1\"]],\"3Np5O8\":[\"Fournir \",[\"symbole\"]],\"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\",\"4fCwrW\":\"or from the\",\"4lDFps\":\"Signez pour continuer\",\"4p5njr\":\"Total amount staked\",\"4wyw8H\":\"Transactions\",\"5+lhtA\":\"For swapping safety module assets please unstake your position <0>here.\",\"53r7O1\":[\"High price impact (<0>\",[\"0\"],\"%)! This route will return \",[\"1\"],\" due to low liquidity or small order size.\"],\"5CCqcz\":\"Fees help support the user experience and security of the Aave application. <0>Learn more.\",\"5JSSxX\":[\"Votre \",[\"networkName\"],\" Le portefeuille est vide. Obtenez des ressources de test gratuites à l’adresse suivante :\"],\"5K3B36\":\"We couldn't find any assets related to your search. Try again with a different category.\",\"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é.\"],\"5RzvNm\":\"Aave Shield: Transaction blocked\",\"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\",\"5ty6hB\":\"Claiming individual protocol reward only. Merit rewards excluded - select \\\"claim all\\\" to include merit rewards.\",\"5vxk14\":\"To continue, you need to grant 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\",\"5yC5m5\":\"Voir tous les votes\",\"6/dCYd\":\"Aperçu\",\"60crCe\":\"Toutes les transactions\",\"62Xcjh\":\"Collatérale\",\"65A04M\":\"Espagnol\",\"68ANm7\":\"Withdrawing GHO\",\"6G8s+q\":\"Signature\",\"6Jrv+z\":[\"Rembourser \",[\"symbole\"]],\"6SC+v0\":[\"Disable \",[\"0\"],\" as collateral to use this category. These assets would have 0% LTV.\"],\"6Xr0UU\":\"Refroidissement...\",\"6bxci/\":\"Pouvoir de vote\",\"6f8S68\":\"Marchés\",\"6g1gi0\":\"Les propositions\",\"6gvoHP\":\"Copier le message d’erreur\",\"6h3Q5G\":\"Remboursé\",\"6lFSyT\":\"Available to Stake\",\"6lGV3K\":\"Show less\",\"6s8L6f\":\"Changer de réseau\",\"70wH1Q\":\"APR\",\"72c5Qo\":\"Total\",\"75qcAQ\":[[\"stepName\"]],\"7ITr5L\":\"Facteur de santé\",\"7R/kqr\":\"The cooldown period is the time required prior to unstaking your tokens (<0/>). You can only withdraw your assets from the Security Module after the cooldown period and within the unstake window. <1>Learn more\",\"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\",\"7c6Gy8\":\"Learn more about Sonic Rewards program\",\"7er5fP\":\"Réclamer tout\",\"7hb2+s\":\"Time remaining until the withdraw period ends.\",\"7i1oxe\":\"Withdrawing and Swapping\",\"7l88b8\":\"Les données n’ont pas pu être récupérées, veuillez recharger le graphique.\",\"7p5kLi\":\"Tableau de bord\",\"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\",\"8Xaoyr\":\"View on CCIP Explorer\",\"8Z5FPv\":\"Déconnecter le portefeuille\",\"8Zz7s5\":\"actifs\",\"8aLW8H\":\"Solde à révoquer\",\"8bOT3H\":\"Taux d'utilisation\",\"8d61xO\":\"The Ink instance is governed by the Ink Foundation\",\"8sLe4/\":\"Voir le contrat\",\"8ss7VF\":\"Transaction cancelled\",\"8t/M0y\":\"Please connect your wallet to be able to bridge your tokens.\",\"8u3DDw\":[\"Swap \",[\"0\"],\" collateral\"],\"8vETh9\":\"Montrer\",\"93T2Os\":\"Total deposited\",\"94OHPx\":\"Vous entrez en mode Isolation\",\"9CDK3/\":[\"L'emprunt n'est actuellement pas disponible pour \",[\"0\"],\".\"],\"9GIj3z\":\"Taille de réserve\",\"9ITYjl\":\"%\",\"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.\"],\"9YcC7V\":\"Select Categories\",\"9c6vDV\":\"Cet actif a atteint son plafond d'offre. Rien n'est disponible pour être fourni à partir de ce marché.\",\"9iDHmv\":\"Collateral Swap\",\"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\",\"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\",\"9y0Q0y\":[\"There is not enough liquidity in \",[\"symbol\"],\" to complete this swap. Try lowering the amount.\"],\"9zzsBx\":\"This is a program initiated by the Aave DAO and implemented by Merkl. Aave Labs does not guarantee the program and accepts no liability.\",\"A/lwoe\":\"Choisissez l’un des services de rampe d’accès\",\"A6dCI6\":[\"Le montant maximal disponible pour emprunter est de <0/> \",[\"0\"],\" (<1/>).\"],\"ACUEES\":\"Check errors\",\"AReoaV\":\"Vos emprunts\",\"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.\",\"B6zvhF\":\"Shares\",\"BDFEd+\":\"Les stETH fournis en garantie continueront d’accumuler des récompenses de staking fournies par les rebasages quotidiens.\",\"BE2mP0\":\"Borrowed assets\",\"BNL4Ep\":\"L'utilisation de la garantie est limitée en raison du mode d'isolement. <0>En savoir plus\",\"BQ+4lu\":\"Swap saved in your <0>history section.\",\"BQ/wCO\":\"Migrate your assets\",\"BaCmXf\":\"AAVE 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.\",\"Baj2MJ\":\"Savings\",\"BnhYo8\":\"Catégorie d'actifs\",\"Bo6b9i\":\"Withdraw GHO\",\"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\",\"C4qYyX\":[\"Repay \",[\"0\"],\" with \",[\"1\"]],\"C5jQc6\":\"GHO Balance\",\"C7hM0q\":\"Country (optional)\",\"CDrsH+\":\"Fiche technique\",\"CGiscJ\":\"You've successfully submitted an order.\",\"CK1KXz\":\"Max\",\"COUcFd\":\"Points\",\"CZXzs4\":\"Grec\",\"CkTRmy\":[\"Revendication \",[\"symbol\"]],\"CrrC++\":\"Position swaps are disabled for this asset due to security reasons.\",\"CsqtLm\":\"Veuillez connecter votre portefeuille pour voir l’outil de migration.\",\"CtGlFb\":[[\"networkName\"],\" Robinet\"],\"CuAHqa\":\"Protocol Incentives\",\"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.\",\"D4Q4h/\":\"Gas estimation error\",\"D79cZK\":\"Instant\",\"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\"],\"DhaOWH\":\"Stake your Aave aTokens or underlying assets to earn rewards. In case of a shortfall event, your stake may be slashed to cover the deficit.\",\"Dj+3wB\":\"Aave par mois\",\"DlRHbH\":\"Claiming all protocol rewards only. Merit rewards excluded - select \\\"claim all\\\" to include merit rewards.\",\"DuEq2K\":\"Collatéralisation\",\"Dzma+E\":\"Main Ethereum market with the largest selection of assets and yield options\",\"E/QGRL\":\"Désactivé\",\"E6UoJs\":\"Estimated compounding 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.\",\"ETtXJg\":\"Share my wallet address to help the support team resolve my issue\",\"EZd3Dk\":[\"Reprise \",[\"symbol\"]],\"Ebgc76\":[\"Retrait \",[\"symbole\"]],\"EdQY6l\":\"Aucun/Aucune\",\"Ef7StM\":\"Unknown\",\"Ehzc//\":[\"Swapping \",[\"0\"],\" debt\"],\"Ekea1N\":\"We couldn't detect a wallet. Connect a wallet to stake and view your balance.\",\"Enslfm\":\"Destination\",\"EvE9nO\":[\"Réactiver la période de recharge pour annuler le pieu \",[\"0\"],\" \",[\"stakedToken\"]],\"EvECnL\":\"Migrer vers la v3\",\"EyYG53\":\"Get support\",\"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.\",\"F6pfE9\":\"Active\",\"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\",\"FTRJ1l\":\"L2 Networks\",\"FbmMe7\":\"Linked addresses\",\"Fdp03t\":\"sur\",\"Fjw9N+\":\"Actifs à déposer\",\"FmN0fk\":\"Remise en jeu\",\"G15AUr\":\"Sending cancel...\",\"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\",\"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.\"],\"Gz07IS\":\"Your health factor after this swap will be critically low and may result in liquidation. Please choose a different asset or reduce the swap amount to stay safe.\",\"H1oAjw\":[[\"selectedCount\"],\" Categories\"],\"HB/wfS\":[[\"tooltipText\"]],\"HD4KkW\":[\"Swapping \",[\"0\"],\" collateral\"],\"HKDsQN\":\"Rewards can be claimed through\",\"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\"],\"HlWGZc\":[\"Your \",[\"0\"],\" balance is lower than the selected amount.\"],\"HmkYqM\":\"Fenêtre d'arrêt de staking\",\"HpK/8d\":\"Recharger\",\"HtBqo9\":\"sGHO\",\"HtuY7v\":\"Please connect your wallet to swap tokens.\",\"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\"],\"%.\"],\"I4Cxlm\":\"E-Mode required\",\"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.\",\"ILXMQA\":\"The Safety Module has been upgraded to <0>Umbrella, a new system that introduces automated slashing, aToken staking, and improved incentives design.\",\"IN8luu\":\"All done\",\"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 à\",\"IhAc6F\":\"Costs & Fees\",\"ImxB3A\":\"deposited\",\"IrtO2E\":\"You have assets with zero LTV that are blocking this operation. Please withdraw them or disable them as collateral first.\",\"J/hVSQ\":[[\"0\"]],\"JCoxL6\":\"Gérer l’analytique\",\"JEdlTC\":\"Stablecoins\",\"JOqFba\":[\"Déjalonnement \",[\"symbol\"]],\"JPHuMW\":\"Swapping\",\"JPhc4G\":\"ETH Correlated\",\"JPrLjO\":\"Vous ne pouvez pas utiliser cette devise comme garantie\",\"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\",\"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\",\"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é\",\"KkJaLD\":\"Borrow:\",\"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\",\"KqoLVC\":\"Merkl rewards are claimed through the\",\"KsqhWn\":\"Staking\",\"KuBTQq\":\"Entrez l'adresse ETH\",\"KvG1xW\":\"Réclamer\",\"L+8Lzs\":\"LTV actuelle\",\"L+qiq+\":\"Marché\",\"L2tU22\":\"Learn more about Ethena Rewards program\",\"L3ZyJR\":[[\"popularSectionTitle\"]],\"LEdkyb\":\"Rewards to claim\",\"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\"],\"\"],\"Lhf8zD\":\"Waiting for actions...\",\"Lp2cTp\":\"Eligible for incentives through Merkl.\",\"LvVpD/\":\"Emode\",\"Ly2enB\":\"This will cancel the order via an on-chain transaction. Note that the order will not be marked as cancelled in the CoW Protocol system, but will remain open and expire naturally. Keep in mind that a solver may already have filled your order.\",\"M1RnFv\":\"Expired\",\"M2sknc\":\"Astuce : Essayez d’augmenter le glissement ou de réduire la quantité d’entrée\",\"MKiONF\":\"Activating Cooldown\",\"MOvzXm\":\"Comparing best rates...\",\"MRwaR4\":\"This will require two separate transactions: one to change E-Mode and one to supply.\",\"MZ/nQf\":\"Adresse du destinataire\",\"MZbQHL\":\"No results found.\",\"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.\",\"MlRlXX\":\"Current APY\",\"Mm/DVQ\":\"Vous avez annulé la transaction.\",\"MnE2QX\":\"Emprunter des informations\",\"MuDFEQ\":\"Valeur de retour invalide de la fonction flashloan executor\",\"My0ZGV\":\"Learn more about the Kernel points distribution\",\"N+3mX2\":\"Please connect your wallet to swap debt.\",\"N39Ax4\":\"Ethereum\",\"N40H+G\":\"All\",\"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\",\"ND1ISA\":\"Weekly Rewards\",\"NF0e1Q\":\"En attente...\",\"NK9ikO\":\"Solde du portefeuille\",\"NMt2CB\":\"Montant réclamable\",\"Na7NlU\":[[\"remainingCustomMessage\"]],\"NcFGxG\":\"Contrat de collectionneur\",\"NfpPeS\":\"Rien staké\",\"Nh9DAo\":[[\"m\"],\"m\"],\"Npz7kI\":\"Inquiry\",\"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\",\"OC4Tzv\":\"here\",\"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é\",\"OiykRd\":\"Deposit GHO\",\"On0aF2\":\"Site internet\",\"OqAwLU\":\"Protocol APY\",\"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\",\"PctCOf\":\"A temporary contract will be used to execute the trade. Your wallet may show a warning for approving a new or empty address.\",\"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.\",\"QONKTE\":\"Merit Rewards\",\"QQYsQ7\":\"Withdrawing\",\"QZEgwS\":\"Execution fee\",\"R+30X3\":\"Non atteint\",\"R9Khdg\":\"Auto\",\"RCU5PY\":\"Age\",\"RIfckG\":[\"Désactiver \",[\"symbol\"],\" comme garantie\"],\"RMtxNk\":\"Différentiel\",\"RNK49r\":\"Signature non valide\",\"RS0o7b\":\"État\",\"RTG4/6\":\"There are no stake assets configured for this market\",\"RU+LqV\":\"Détails de la proposition\",\"RYfdBk\":\"Visit <0><1>https://aave.self.xyz/ to get started with Self’s ZK-powered proof-of-humanity authentication.\",\"RZbjLY\":[\"See \",[\"0\"],\" more\"],\"Rg4K+m\":\"Cannot switch to this category\",\"RiSYV4\":\"L'actif n'est pas répertorié\",\"Rj01Fz\":\"Liens\",\"RmWFEe\":\"APR staké\",\"RtBLm7\":\"Le facteur santé est inférieur au seuil de liquidation\",\"RvF1Ts\":\"stkGHO is now Savings GHO\",\"RxzN1M\":\"Activé\",\"SBv4zo\":[[\"0\"],\" collateral would have 0% LTV in this category. Disable \",[\"1\"],\" as collateral to use this option.\"],\"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\",\"SNmu1z\":\"Shares are Umbrella Stake Tokens you receive when staking. They represent your ownership in the pool, and the amount of underlying you can redeem depends on the current exchange rate between shares and the underlying.\",\"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\",\"SZkDmY\":\"The swap could not be completed. Try increasing slippage or changing the amount.\",\"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\",\"St4jqF\":\"This list may not include all your swaps.\",\"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\",\"TLJkuL\":\"Category assets\",\"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\",\"Tg1JyO\":\"Bridge history\",\"TszKts\":\"Emprunter le solde après le changement\",\"Tw07Vv\":\"Show assets with small balance\",\"TwJI9F\":\"Asset has been successfully sent to CCIP contract. You can check the status of the transactions below\",\"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.\",\"UMgOim\":\"Send cancel\",\"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.\",\"UiO4Hu\":[\"You'll need to wait \",[\"0\"],\" before you can unstake your tokens. This cooldown starts when you request to unstake. Once it ends, you can withdraw during the unstake window.\"],\"UpndFj\":\"Aucune récompense à réclamer\",\"V0f2Xv\":\"Facteur de réserve\",\"V1HK43\":\"Risques liés à la migration\",\"V7QGpc\":\"I understand the liquidation risk and want to proceed\",\"V7SFse\":[\"I confirm the swap knowing that I could lose up to <0>\",[\"0\"],\"% on this swap.\"],\"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\",\"VnQFYr\":\"Claiming all merit rewards only\",\"W1SSoD\":\"Examiner les détails de la transaction\",\"W5hVah\":\"Rien fourni pour le moment\",\"W5kTFy\":\"Vote\",\"WHrVwg\":\"Loading quote...\",\"WMJGls\":\"Estimated Costs & Fees\",\"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\",\"WS67YQ\":\"Let us know how we can help you. You may also consider joining our community\",\"WT188T\":\"Withdraw & Swap\",\"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.\",\"WbTDwg\":\"In Progress\",\"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.\",\"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\",\"X4tRM3\":[[\"0\"],\" \",[\"symbol\"],\" to continue\"],\"XBdKOj\":\"Representative smart contract wallet (ie. Safe) addresses on other chains.\",\"XPN5UR\":\"User denied the operation.\",\"XYLcNv\":\"Support\",\"XZzneG\":\"Vous quitterez le mode d'isolement et d'autres jetons peuvent désormais être utilisés comme collatéral\",\"Xe5bTg\":\"Deposit APR\",\"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.\",\"XwKkg/\":\"Staked Underlying\",\"Xy+o6U\":\"For security reasons, limit orders are not supported for Native tokens. To place a limit order, use the wrapped version.\",\"Xy71ST\":\"Umbrella\",\"Y+hUcK\":\"Merit Program and Self rewards can be claimed\",\"Y46iXX\":\"The order could't be filled.\",\"Y5Orec\":\"Collateral options\",\"Y5kGkc\":\"VOTER NON\",\"YD+nXc\":\"Aave Shield\",\"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.\",\"Ya/che\":\"Stake token shares\",\"Ykj2Om\":\"Default slippage\",\"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.\",\"YrcHPy\":\"VIEW\",\"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.\"],\"Z3FXyt\":\"Loading...\",\"Z99M+T\":\"This is an off-chain operation. Keep in mind that a solver may already have filled your order.\",\"ZBvhI+\":\"Gouvernance Aave\",\"ZIIRAd\":\"Raw-Ipfs\",\"ZRq4tX\":\"Mode efficacité (E-Mode)\",\"ZRuM45\":\"These are the estimated costs associated with your limit swap, including costs and fees. Consider these costs when setting your order amounts to help optimize execution and maximize your chances of filling the order.\",\"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é\",\"aCgA+I\":\"E-Mode change\",\"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\",\"aQYztl\":[\"Repaying \",[\"0\"]],\"aXgo8+\":\"from the\",\"adUsDd\":\"An error has occurred fetching the proposal.\",\"afk1Wt\":[\"This asset can only be used as collateral in E-Mode: \",[\"0\"]],\"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.\",\"b4NS3e\":\"Avertissement de période de refroidissement\",\"bBHmeP\":\"Available to withdraw\",\"bNEQeI\":\"Cooldown\",\"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\",\"bYtb3C\":\"Network costs\",\"bguKoJ\":\"Le montant demandé est supérieur au montant maximum du prêt en mode taux stable\",\"bm/mjh\":\"This is a program initiated and implemented by the Aave Chan Initiative (ACI). Aave Labs does not guarantee the program and accepts no liability.\",\"bq0uL+\":\"supply\",\"bwSQI0\":\"Fournir\",\"bxN6EM\":\"Impossible de désactiver le mode E\",\"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.\",\"cc6gEH\":\"Incentives APR\",\"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\"]],\"cqwIvs\":\"Discussion de forum\",\"csDS2L\":\"Disponible\",\"cu7Stb\":\"Vous n'avez pas participé à cette proposition\",\"cuxGZP\":\"Low health factor after swap. Your position will carry a higher risk of liquidation.\",\"d9YZVR\":\"Principle Tokens\",\"dE6BLF\":\"Gouvernance\",\"dEgA5A\":\"Annuler\",\"dIsyWh\":\"Échec de la validation LTV\",\"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\",\"dYG3JG\":\"Data couldn't be loaded.\",\"dZQvSq\":\"Please review the swap values before confirming.\",\"dfDzrk\":[\"Supply cap reached for \",[\"symbol\"],\". Reduce the amount or choose a different asset.\"],\"dgFOcr\":\"L1 Networks\",\"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\",\"drdV8R\":\"Liquidation\",\"dxW8cS\":\"Jeton de dette Aave\",\"e/ghIe\":[\"This transaction will enable E-Mode (\",[\"0\"],\"). Borrowing will be restricted to assets within this category.\"],\"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\",\"eQ0Wu0\":\"Please connect a wallet to view your balance here.\",\"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\",\"edXiYw\":[\"You've successfully swapped \",[\"0\"],\".\"],\"efdrrk\":\"Disponible sur\",\"enruNF\":\"Commence\",\"eqLYiD\":\"Arrêter de staker maintenant\",\"evw5ha\":\"Valeur nette\",\"ezcU16\":\"Obtenir le jeton ABP\",\"f2e3vu\":[\"Deposit GHO into savings GHO (sGHO) and earn <0>\",[\"0\"],\"% APY on your GHO holdings. There are no lockups, no rehypothecation, and you can withdraw anytime. Simply deposit GHO, receive sGHO tokens representing your balance, and watch your savings grow earning claimable rewards from merit.\"],\"f3W0Ej\":[\"Vous êtes passé au tarif \",[\"0\"]],\"fMJQZK\":\"Emprunté\",\"fZ5Vnu\":\"Reçu\",\"firl9Q\":\"Votre prêt actuel à la valeur en fonction de votre collatéral fournie.\",\"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\",\"g4Ius4\":\"This is the fee for executing position changes, set by governance.\",\"g8KGoA\":\"Foire aux questions\",\"g9zzqS\":\"A voté NAY\",\"gDd2gk\":\"about SuperFest.\",\"gIMJlW\":\"Mode réseau test\",\"gK+IvE\":\"Withdraw and Swap\",\"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é\",\"gjxiVa\":[\"This swap has a price impact of \",[\"0\"],\"%, which exceeds the 25% safety threshold. To proceed, disable Aave Shield in the settings menu.\"],\"goff7V\":\"Adresse zéro non-valide\",\"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\",\"h5hG6q\":\"This is the cost of settling your order on-chain, including gas and any LP fees.\",\"hB23LY\":\"Activer le temps de recharge\",\"hIJzBh\":\"Available to Claim\",\"hIS4N0\":\"APY Net\",\"hQRttt\":\"Submit\",\"hRWvpI\":\"Revendiqué\",\"hb8ajh\":\"Debt Swap\",\"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\",\"hrhwub\":\"dashboard\",\"huQ6Tz\":[\"Emprunter \",[\"symbole\"]],\"hxYu+F\":\"Borrow: All eligible assets\",\"i/fZ2Z\":\"Staked Balance\",\"i9qiyR\":\"Expires in\",\"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\",\"iIuDE1\":\"Estimated weekly rewards based on your current sGHO balance and APR. Actual rewards may vary depending on market conditions.\",\"iKfD53\":\"Transaction history for Plasma not supported yet, coming soon.\",\"iMVZk9\":\"Sélectionner la tolérance de glissement\",\"iNYgey\":\"Get Support\",\"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\",\"iddNqA\":\"This transaction will disable E-Mode. All assets will revert to their base LTV and liquidation thresholds.\",\"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\"],\"ih/VjN\":\"Staking this amount will reduce your health factor and increase risk of liquidation.\",\"il0sEG\":\"L'utilisation du collatéral est limitée en raison du mode d'isolation.\",\"j+K1Xj\":\"Amount After Fee\",\"j4SXZo\":\"Claim all merit rewards\",\"j7JHV+\":\"Total APY\",\"j8cF1R\":\"Cooling down\",\"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\",\"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.\",\"jZkYWO\":\"Boosted LTV\",\"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\",\"jqVo/k\":\"here.\",\"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\"],\"kMi0nz\":\"sGHO Merit APY History\",\"kN1Yg5\":\"Pour rembourser au nom d'un utilisateur, un montant explicite à rembourser est nécessaire\",\"kNiQp6\":\"Pinned\",\"kRTD40\":[\"Montant de remboursement à atteindre \",[\"0\"],\"% d’utilisation\"],\"kgKqPv\":\"You can not stake this amount because it will cause collateral call\",\"kj3M8S\":\"Deposit\",\"kjN9tT\":\"Le plafond d'approvisionnement est dépassé\",\"kn+s7w\":[[\"0\"],\" collateral would have 0% LTV without E-Mode. Disable \",[\"1\"],\" as collateral to use this option.\"],\"knxE+G\":\". JSON (en anglais seulement)\",\"ks2LWT\":\"Le plafond de la dette n'est pas nul\",\"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.\",\"kzeZTm\":\"LTV\",\"lCF0wC\":\"Refresh\",\"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.\",\"lXb3Ih\":[\"This asset has 0 LTV and cannot be used as collateral. Enable an E-Mode to use \",[\"symbol\"],\" as collateral.\"],\"lXj2Sq\":\"Repay with Collateral\",\"lYGfRP\":\"Anglais\",\"lfEjIE\":\"En savoir plus dans notre <0>guide FAQ\",\"ljF4ko\":\"The selected rate is lower than the market price. You might incur a loss if you proceed.\",\"lqCWte\":[\"Deposit GHO and earn \",[\"0\"],\"% APY\"],\"lu7f+8\":\"Blocked by Shield\",\"m/IEhi\":\"Émission totale par jour\",\"m7r7Hh\":\"Sélection d’actifs d’emprunt\",\"mDDK4p\":\"Balancer Pool\",\"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.\"],\"me5LMQ\":\"Checking approval\",\"mogZv0\":\"Favourite\",\"muiOng\":[\"Acheter \",[\"cryptoSymbol\"],\" avec Fiat\"],\"mvCXBY\":\"Mise en jeu AAVE\",\"mwdzil\":\"D'accord, fermer\",\"mzDAU3\":\"Savings GHO (sGHO)\",\"mzdIia\":\"L'actif ne peut pas être utilisé comme collatéral.\",\"n+SX4g\":\"Développeurs\",\"n1na81\":\"No eligible assets to swap.\",\"n4PWtp\":\"Depositing\",\"nJIhzm\":\"Fournir apy\",\"nJgsQu\":\"Avec un pouvoir de vote de <0/>\",\"nLC6tu\":\"Français\",\"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\",\"nPGNMh\":\"Peut être exécuté\",\"nUK1ou\":[\"Assets with zero LTV (\",[\"0\"],\") must be withdrawn or disabled as collateral to perform this action\"],\"neITkT\":\"This asset has 0% LTV, meaning it does not contribute to borrowing power. Existing positions with this asset as collateral still count toward the liquidation threshold and protect your health factor. New positions cannot enable this asset as collateral.\",\"njBeMm\":\"Les deux\",\"ntyFSE\":[[\"h\"],\"h\"],\"nwIsn4\":\"After the cooldown is initiated, you will be able to withdraw your assets immediatley.\",\"nweCqF\":\"Cancelling order...\",\"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\",\"o5ooMr\":\"Dette\",\"o7J4JM\":\"Filtrer\",\"o7Yloh\":\"Learn more about the Ether.fi program\",\"oHFrpj\":\"Temps de recharge pour déstaker\",\"oJ5ZiG\":\"L'utilisateur n'a pas de dette à taux variable impayée sur cette réserve\",\"oUwXhx\":\"Ressources de test\",\"oWQnqT\":\"Staking this asset will earn the underlying asset supply yield in addition to other configured rewards.\",\"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.\",\"ogU9GD\":\"Target liquidity\",\"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.\",\"om/XHs\":\"Disponible au dépôt\",\"omq5qJ\":\"Claiming all protocol rewards and merit rewards together\",\"ovBPCi\":\"Default\",\"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\",\"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é.\",\"p45alK\":\"Configurer la délégation\",\"pDgeaz\":[[\"title\"]],\"pdZqBk\":\"Le solde sous-jacent doit être supérieur à 0\",\"pgWG9H\":\"Pas assez de solde staké\",\"ph9+uj\":[\"Switching to \",[\"networkName\"],\"...\"],\"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\"],\")\"],\"pup/ej\":\"Net Protocol Incentives\",\"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\",\"qKfida\":\"Staked tokens are wrapped and use an exchange rate. You may see fewer token shares, but the value matches your deposit and will grow as yield accrues.\",\"qOqbD6\":\"copier l'erreur\",\"qXCkEM\":\"Veuillez connecter votre portefeuille pour voir vos fournitures, vos emprunts et vos positions ouvertes.\",\"qY2jnw\":\"Expiration invalide\",\"qhhf9L\":\"Rewards available to claim\",\"qtS7wW\":\"Thank you for voting\",\"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\",\"qz6JVE\":[\"Your order amounts are \",[\"0\"],\" less favorable by \",[\"1\"],\"% to the liquidity provider than recommended. This order may not be executed.\"],\"qz9c6b\":[\"Repaying \",[\"0\"],\" with \",[\"1\"]],\"qzFp5D\":\"All Categories\",\"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\",\"riNWOA\":\"E-Mode\",\"rjGI/Q\":\"Vie privée\",\"rnKPW1\":\"Watch a wallet balance in read-only mode\",\"rojvRp\":\"Approval by signature not available\",\"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\",\"t/ct9N\":\"Auto Slippage\",\"tBIz3I\":[\"Supply \",[\"0\"],\" and double your yield by <0><1>verifying your humanity through Self for \",[\"1\"],\" per user.\"],\"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\",\"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\"],\"tVJk4q\":\"Cancel order\",\"te9Bfl\":\"S'il vous plaît, connectez votre portefeuille\",\"tj6dr4\":\"Merit Program rewards can be claimed\",\"tt5yma\":\"Vos ressources\",\"tw6G0s\":[\"You must disable \",[\"0\"],\" as collateral before exiting E-Mode. These assets have 0 LTV outside of E-Mode and cannot be used as collateral.\"],\"u3ZeYl\":\"La transaction a échoué\",\"u706uF\":\"Prime flash non valide\",\"u8Gfu7\":[\"Aucun résultat de recherche\",[\"0\"]],\"uAQUqI\":\"Status\",\"uGG4Lk\":\"Claim all protocol rewards\",\"uHMwk8\":\"Aucune ressource n’a été sélectionnée pour la migration.\",\"uI3SjW\":\"Connection Error\",\"uJOI6M\":\"Tip: Try improving your order parameters\",\"uJPHuY\":\"Migration\",\"uRXR6h\":[\"Swap \",[\"0\"],\" debt\"],\"uZiu4N\":\"There is an active order for the same sell asset (avoid nonce reuse).\",\"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\",\"usB84Z\":\"Le montant maximum disponible pour emprunter est limité car le plafond d’emprunt du protocole est presque atteint.\",\"uyLjNw\":\"Custom slippage\",\"v+Fu0z\":\"This asset is eligible for Kernel points incentive program. Aave Labs does not guarantee the program and accepts no liability.\",\"v0CIlJ\":\"You have no rewards to claim at this time.\",\"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é\",\"vH2C/2\":\"Swap\",\"vLyv1R\":\"Cacher\",\"vMba49\":\"L'emprunt n'est pas activé\",\"vMpNwt\":\"Approuvez avec\",\"vNAHA2\":\"PTs\",\"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.\",\"vv7kpg\":\"Cancelled\",\"w+V9Cx\":\"Stablecoin\",\"w/JtJ3\":\"L'offre de dette stable n'est pas nulle\",\"w1f8Ky\":\"Savings GHO\",\"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\",\"wapGcj\":[[\"message\"]],\"wb/r1O\":[\"Faucet \",[\"0\"]],\"wdxz7K\":\"Source\",\"weC8IO\":\"All Rewards\",\"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.\",\"wjFWDB\":\"No markets found\",\"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\",\"wuMdlk\":[\"This asset is eligible for \",[\"0\"],\" Sonic Rewards.\"],\"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.\",\"x+QJ9y\":[\"Category \",[\"selectedEmodeId\"]],\"x0TRLG\":[\"Repay your \",[\"0\"],\" \",[\"1\",\"plural\",{\"one\":\"borrow\",\"other\":\"borrows\"}],\" to use this category.\"],\"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\"]],\"yRkqG9\":\"Limit\",\"yYHqJe\":\"Pas une adresse valide\",\"yZ5ngq\":\"Transaction details not available\",\"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\"],\"yv/Kz/\":\"Back home\",\"yz7wBu\":\"Fermer\",\"z4uGQg\":\"Le plafond de la dette est dépassé\",\"z5JUmg\":[\"Estimated costs are \",[\"0\"],\"% of the sell amount. This order is unlikely to be filled.\"],\"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\",\"zNgzxM\":\"Excludes variable supply APY\",\"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\",\"zZmf1N\":\"Filled\",\"zgtIDV\":\"Dette restante\",\"zmTPiV\":\"Bilan d'approvisionnement\",\"zpPbZl\":\"Paramètres du risque de liquidation\",\"zqp4Tm\":\"Unable to Connect\",\"zr58Jd\":\"Umbrella is the upgraded version of the Safety Module. Manage your previously staked assets\",\"zucql+\":\"Menu\",\"zv/j10\":[\"Active \",[\"0\"],\" borrow is not compatible with this category. Repay your \",[\"1\"],\" borrow to use this option.\"],\"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.\",\"+EGVI0\":\"Recevoir (est.)\",\"+Tzhaj\":\"You've successfully swapped borrow position.\",\"+eOPG+\":\"On dirait que nous ne pouvons pas changer de réseau automatiquement. Veuillez vérifier si vous pouvez le changer depuis le portefeuille.\",\"+kLZGu\":\"Montant de l’actif fourni\",\"/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\",\"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\",\"1Onqx8\":[\"Approuver \",[\"symbol\"],\"...\"],\"1m9Qqc\":\"Retrait et changement\",\"1oyh4g\":\"Borrow rate\",\"2Q4GU4\":\"Adresse bloquée\",\"2bAhR7\":\"Rencontrez GHO\",\"2o/xRt\":\"Plafond d'approvisionnement sur la réserve cible atteint. Essayez de réduire le montant.\",\"3O8YTV\":\"Total des intérêts courus\",\"4iPAI3\":\"Montant minimum d’emprunt GHO\",\"6NGLTR\":\"Montant actualisable\",\"6yAAbq\":\"APY, borrow rate\",\"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\",\"7sofdl\":\"Retrait et échange\",\"9rWaKF\":\"Bridged Via CCIP\",\"ARu1L4\":\"Remboursé\",\"B6aXGH\":\"Stable\",\"B9Gqbz\":\"Taux variable\",\"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.\",\"BjLdl1\":\"À prix réduit\",\"CMHmbm\":\"Glissement\",\"DxfsGs\":\"Vous pouvez signaler un incident sur notre <0>Discord ou<1>Github.\",\"EBL9Gz\":\"COPIÉ!\",\"ES8dkb\":\"Taux fixe\",\"GoK/QN\":\"Thank you for submitting feedback!\",\"H6Ma8Z\":\"Rabais\",\"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.\",\"HrnC47\":\"Enregistrer et partager\",\"JK9zf1\":[\"Intérêts composés estimés, y compris l’escompte pour le jalonnement \",[\"0\"],\"AAVE dans le module de sécurité.\"],\"JU6q+W\":\"Récompense(s) à réclamer\",\"K05qZY\":\"Retrait et échange\",\"KRpokz\":\"VOIR TX\",\"KZwRuD\":[[\"notifyText\"]],\"LDzfVJ\":\"Send Feedback\",\"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\",\"MIy2RJ\":\"Maximum amount received\",\"MrmQHg\":\"View Bridge Transactions\",\"N7dVh7\":\"Swap to\",\"QSh9Sn\":\"Swapped\",\"QWYCs/\":\"Stake GHO\",\"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.\",\"RoafuO\":\"Envoyer des commentaires\",\"SSMiac\":\"Impossible de charger les votants de proposition. Veuillez rafraîchir la page.\",\"TeCFg/\":\"Modification du taux d’emprunt\",\"TskbEN\":\"Les détenteurs de stkAAVE bénéficient d’une réduction sur le taux d’emprunt GHO\",\"TtZL6q\":\"Paramètres du modèle de remise\",\"Tz0GSZ\":\"Activités bloquées\",\"UE3KJZ\":\"L’historique des transactions n’est actuellement pas disponible pour ce marché\",\"W8ekPc\":\"Retour au tableau de bord\",\"WMPbRK\":\"Sans support\",\"YirHq7\":\"Feedback\",\"aX31hk\":\"Votre solde est inférieur au montant sélectionné.\",\"al6Pyz\":\"Dépasse la remise\",\"avgETN\":\"Eligible for the Merit program.\",\"bSc4Zw\":\"Swaping\",\"bSruit\":\"ZKSync Ignite Program rewards are claimed through the\",\"bxmzSh\":\"Pas assez de collatéral pour rembourser ce montant de dette avec\",\"cqnmnD\":\"Taux d’intérêt effectif\",\"dMtLDE\":\"À\",\"dpc0qG\":\"Variable\",\"euScGB\":\"APY avec remise appliquée\",\"fHcELk\":\"APR Net\",\"flRCF/\":\"Remise sur le staking\",\"gncRUO\":\"Cette adresse est bloquée sur app.aave.com car elle est associée à un ou plusieurs\",\"gp+f1B\":\"Variante 3\",\"gr8mYw\":\"Vous pouvez emprunter jusqu’à GHO à <0/> <1/> (rabais maximum)\",\"hpuVIp\":\"Users who stake AAVE in Safety Module (i.e. stkAAVE holders) receive a discount on GHO borrow interest rate.\",\"hxi7vE\":\"Emprunter le solde\",\"i2JTiw\":\"Vous pouvez saisir un montant personnalisé dans le champ.\",\"jMam5g\":[[\"0\"],\" Balance\"],\"jpctdh\":\"Vue\",\"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é.\",\"lNVG7i\":\"Sélectionner une ressource\",\"lt6bpt\":\"Garantie à rembourser\",\"mIM0qu\":\"Montant prévu à rembourser\",\"mUAFd6\":\"Variante 2\",\"mzI/c+\":\"Télécharger\",\"n8Psk4\":\"Nous n’avons pas pu détecter de portefeuille. Connectez un portefeuille pour staker et consulter votre solde.\",\"nOy4ob\":\"Nous vous suggérons de revenir au tableau de bord.\",\"nakd8r\":\"Les détenteurs de stkAAVE bénéficient d’une réduction sur le taux d’emprunt GHO\",\"nh2EJK\":[\"Veuillez passer à \",[\"networkName\"],\".\"],\"ntkAoE\":\"Remise appliquée pour <0/> le staking d’AAVE\",\"o4tCu3\":\"Emprunter de l’APY\",\"olREoo\":\"All borrow positions outside of this category must be closed to enable this category.\",\"ov0+mq\":\"Eligible for the ZKSync Ignite program.\",\"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.\"],\"p3j+mb\":\"Votre solde de récompenses est de 0\",\"p6u2s1\":\"Minimum amount of debt to be repaid\",\"qFD/ij\":\"You've successfully withdrew & swapped tokens.\",\"qT4Lfg\":\"You've successfully swapped tokens.\",\"qf/fr+\":\"Intérêts courus\",\"rf8POi\":\"Montant de l’actif emprunté\",\"ruc7X+\":\"Ajoutez stkAAVE pour voir l’APY d’emprunt avec la remise\",\"t81DpC\":[\"Approuver \",[\"symbol\"],\" pour continuer\"],\"umICAY\":\"<0><1><2/>Ajoutez stkAAVE pour voir le taux d’emprunt avec escompte\",\"uwAUvj\":\"COPIER L’IMAGE\",\"wyi0tk\":\"Swap borrow position\",\"yW1oWB\":\"APY type\",\"zevmS2\":\"<0><1><2/>Ajoutez <3/> stkAAVE pour emprunter à <4/> (remise maximale)\",\"zzzTXS\":\"Merit Program rewards are claimed through the\"}")}; \ No newline at end of file From 449b86126dbc3811445f7e30444afab1e8b54c5c Mon Sep 17 00:00:00 2001 From: mark hinschberger Date: Fri, 10 Apr 2026 11:11:45 +0100 Subject: [PATCH 3/8] fix: design market --- src/components/MarketSwitcher.tsx | 282 +++-- src/locales/el/messages.js | 2 +- src/locales/el/messages.po | 1655 +++++++++++++++++++-------- src/locales/en/messages.js | 2 +- src/locales/en/messages.po | 8 +- src/locales/es/messages.js | 2 +- src/locales/es/messages.po | 1730 ++++++++++++++++++++--------- src/locales/fr/messages.js | 2 +- src/locales/fr/messages.po | 1728 ++++++++++++++++++++-------- 9 files changed, 3849 insertions(+), 1562 deletions(-) diff --git a/src/components/MarketSwitcher.tsx b/src/components/MarketSwitcher.tsx index 8bc9d399a9..a843340dd7 100644 --- a/src/components/MarketSwitcher.tsx +++ b/src/components/MarketSwitcher.tsx @@ -1,10 +1,11 @@ -import { ChevronDownIcon } from '@heroicons/react/outline'; +import { ChevronDownIcon, XIcon } from '@heroicons/react/outline'; import { ExternalLinkIcon, StarIcon } from '@heroicons/react/solid'; import { Trans } from '@lingui/macro'; import { Box, BoxProps, Divider, + Drawer, IconButton, Popover, SvgIcon, @@ -190,6 +191,7 @@ export const MarketSwitcher = () => { const theme = useTheme(); const upToLG = useMediaQuery(theme.breakpoints.up('lg')); const downToXSM = useMediaQuery(theme.breakpoints.down('xsm')); + const isMobile = useMediaQuery(theme.breakpoints.down('sm')); const [trackEvent, currentMarket, setCurrentMarket] = useRootStore( useShallow((store) => [store.trackEvent, store.currentMarket, store.setCurrentMarket]) ); @@ -271,7 +273,8 @@ export const MarketSwitcher = () => { display: 'flex', alignItems: 'center', gap: 0.75, - px: 1.5, + pl: 1.5, + pr: 0.75, py: 0.5, borderRadius: '16px', border: '1px solid', @@ -294,11 +297,24 @@ export const MarketSwitcher = () => { {marketNaming.name} + handleStarClick(e, marketId)} + sx={{ + padding: '2px', + flexShrink: 0, + '& svg': { width: 14, height: 14 }, + }} + > + + + + ); }; - const renderGridItem = (marketId: CustomMarket) => { + const renderGridItem = (marketId: CustomMarket, isMobile?: boolean) => { const { market, logo } = getMarketInfoById(marketId); const marketNaming = getMarketHelpData(market.marketTitle); const isFavorite = isFavoriteMarket(marketId); @@ -313,19 +329,19 @@ export const MarketSwitcher = () => { alignItems: 'center', py: 1.25, px: 1.5, - width: '33.33%', + width: isMobile ? '50%' : '33.33%', boxSizing: 'border-box', borderRadius: '8px', cursor: 'pointer', position: 'relative', bgcolor: isSelected ? 'action.selected' : 'transparent', '&:hover': { bgcolor: isSelected ? 'action.selected' : 'action.hover' }, - // Star hidden by default, shown on hover or when favorited - '& .grid-star': { - opacity: isFavorite ? 1 : 0, + // Star: always visible on mobile, hover-reveal on desktop + '& .grid-fav-btn': { + opacity: isMobile || isFavorite ? 1 : 0, transition: 'opacity 0.15s', }, - '&:hover .grid-star': { + '&:hover .grid-fav-btn': { opacity: 1, }, }} @@ -361,7 +377,7 @@ export const MarketSwitcher = () => { )} handleStarClick(e, marketId)} sx={{ padding: '1px', ml: 0.5, flexShrink: 0 }} @@ -392,6 +408,103 @@ export const MarketSwitcher = () => { const noResults = pinned.length === 0 && ethereum.length === 0 && l2.length === 0 && other.length === 0; + const renderSelectorContent = (mobile: boolean) => ( + <> + {/* Fixed header with search */} + + + + + {ENABLE_TESTNET || STAGING_ENV ? 'Select Aave Testnet Market' : 'Select Aave Market'} + + + {mobile && ( + + + + + + )} + + setSearchQuery(e.target.value)} + sx={{ + '& .MuiOutlinedInput-root': { + borderRadius: '8px', + height: '36px', + }, + }} + /> + + + {/* Scrollable content */} + + {/* Favourites */} + {pinned.length > 0 && ( + + + Favourites + + + {pinned.map(renderPinnedChip)} + + + + )} + + {/* Ethereum */} + {ethereum.length > 0 && ( + + {sectionHeader(Ethereum)} + + {ethereum.map((id) => renderGridItem(id, mobile))} + + + + )} + + {/* L2 Networks */} + {l2.length > 0 && ( + + {sectionHeader(L2 Networks)} + + {l2.map((id) => renderGridItem(id, mobile))} + + + + )} + + {/* L1 Networks */} + {other.length > 0 && ( + + {sectionHeader(L1 Networks)} + + {other.map((id) => renderGridItem(id, mobile))} + + + )} + + {/* No results */} + {noResults && ( + + + No markets found + + + )} + + + ); + // --- Current market display (trigger) --- const { market: currentMarketData, logo: currentLogo } = getMarketInfoById(currentMarket); @@ -490,109 +603,64 @@ export const MarketSwitcher = () => { )} - {/* Popover */} - searchRef.current?.focus(), - }} - slotProps={{ - paper: { - variant: 'outlined', - elevation: 0, + {/* Market selector content (shared between Popover and Drawer) */} + {isMobile ? ( + - {/* Fixed header with search */} - - - - {ENABLE_TESTNET || STAGING_ENV ? 'Select Aave Testnet Market' : 'Select Aave Market'} - - - setSearchQuery(e.target.value)} - sx={{ - '& .MuiOutlinedInput-root': { - borderRadius: '8px', - height: '36px', + }} + > + {/* Drag handle */} + + + + {renderSelectorContent(true)} + + ) : ( + searchRef.current?.focus(), + }} + slotProps={{ + paper: { + variant: 'outlined', + elevation: 0, + sx: { + width: 480, + maxHeight: 520, + overflow: 'hidden', + display: 'flex', + flexDirection: 'column', + mt: 1, }, - }} - /> - - - {/* Scrollable content */} - - {/* Pinned row */} - {pinned.length > 0 && ( - - - Pinned - - - {pinned.map(renderPinnedChip)} - - - - )} - - {/* Ethereum */} - {ethereum.length > 0 && ( - - {sectionHeader(Ethereum)} - {ethereum.map(renderGridItem)} - - - )} - - {/* L2 Networks */} - {l2.length > 0 && ( - - {sectionHeader(L2 Networks)} - {l2.map(renderGridItem)} - - - )} - - {/* Other Chains */} - {other.length > 0 && ( - - {sectionHeader(L1 Networks)} - {other.map(renderGridItem)} - - )} - - {/* No results */} - {noResults && ( - - - No markets found - - - )} - - + }, + }} + > + {renderSelectorContent(false)} + + )} ); }; diff --git a/src/locales/el/messages.js b/src/locales/el/messages.js index 405dfc0036..c731e2d7d7 100644 --- a/src/locales/el/messages.js +++ b/src/locales/el/messages.js @@ -1 +1 @@ -/*eslint-disable*/module.exports={messages:JSON.parse("{\"+0xecS\":[\"Εάν ΔΕΝ ξεκλειδώσετε εντός \",[\"0\"],\" του παραθύρου ξεκλειδώματος, θα πρέπει να ενεργοποιήσετε ξανά τη διαδικασία ψύξης.\"],\"+5vxU4\":\"Reward APY at target liquidity\",\"+9RBfc\":\"Thank you for submitting your inquiry!\",\"+F6nAX\":\"Save with sGHO\",\"+KaZP2\":\"Aave Labs does not guarantee the program and accepts no liability.\",\"+Nk14N\":\"Savings GHO token\",\"+VR63W\":[\"Η συμμετοχή σε αυτό το αποθεματικό \",[\"symbol\"],\" δίνει ετήσιες ανταμοιβές.\"],\"+XNrRN\":\"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 restrictions, see the <1>help guide or the <2>Aave V3 Technical Paper.\",\"+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.\",\"+i3Pd2\":\"Ανώτατο όριο δανεισμού\",\"+nuEh/\":\"Estimated time\",\"+xMFF8\":\"Remind me\",\"/+Vmgq\":\"Total amount of underlying assets staked. This number represents the combined sum of your original asset and the corresponding aTokens staked in Umbrella.\",\"/1Qot4\":\"Protocol Rewards\",\"/1xACT\":\"Reward APY adjusts with total staked amount, following a curve that targets optimal staking levels.\",\"/57U31\":\"Amount to migrate\",\"/7ykiW\":\"Borrowing this amount will reduce your health factor and increase risk of liquidation.\",\"/FwCXs\":[[\"0\"],\" \",[\"symbol\"],\"...\"],\"/LCAwL\":\"In progress\",\"/ZyLeG\":\"Amount available to unstake\",\"/jQctM\":\"To\",\"/lDBHm\":\"ΣΥΧΝΕΣ ΕΡΩΤΗΣΕΙΣ\",\"/lMWs6\":[\"Deposit GHO and earn up to <0>\",[\"0\"],\"% APY\"],\"/yNlZf\":\"Ο σταθερός δανεισμός δεν είναι ενεργοποιημένος\",\"/yQcJM\":\"Συνολική αξία\",\"00AB2i\":\"Ο χρήστης δεν δανείστηκε το καθορισμένο νόμισμα\",\"02/4d1\":\"We suggest you go back to the home page.\",\"0AmQcW\":\"Rate change\",\"0BF3yK\":\"Sorry, we couldn't find the page you were looking for.\",\"0RrIzN\":\"Select token\",\"0TAbjq\":\"Recent Transactions\",\"0jhlyw\":\"Liquidation risk\",\"0ojY+Y\":\"Current v2 Balance\",\"0r31vq\":\"Reward Token\",\"0thX3P\":\"Collateral change\",\"0wGCWc\":\"Αυτό είναι το συνολικό ποσό που μπορείτε να προμηθεύσετε σε αυτό το αποθεματικό. Μπορείτε να προμηθεύσετε το υπόλοιπο του πορτοφολιού σας μέχρι να επιτευχθεί το ανώτατο όριο προμηθειών.\",\"11xQTX\":[\"This asset is eligible for \",[\"0\"],\" Ethena Rewards.\"],\"18GnfY\":[\"Repay \",[\"0\"]],\"1AsVfF\":\"Price data is not currently available for this reserve on the protocol subgraph\",\"1LjK22\":\"Transaction history\",\"1PMU2v\":\"Learn more about the risks.\",\"1Ue8sX\":\"Παρακαλούμε συνδέστε ένα πορτοφόλι για να δείτε τις προσωπικές σας πληροφορίες εδώ.\",\"1W8DZp\":\"USDT on Ethereum requires approval reset before a new approval. This will require an additional transaction.\",\"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/> κατώτατο όριο\",\"1t7rez\":\"Asset supply is limited to a certain amount to reduce protocol exposure to the asset and to help manage risks involved.\",\"2/aIvj\":\"Cancellation submited\",\"2C40JO\":[\"This transaction will switch E-Mode from \",[\"0\"],\" to \",[\"1\"],\". Borrowing will be restricted to assets within the new category.\"],\"2Eoi/a\":\"Προβολή λεπτομερειών\",\"2FYpfJ\":\"Περισσότερα\",\"2O3qp5\":\"Διαθέσιμη ρευστότητα\",\"2OIfa1\":\"Please connect your wallet to swap collateral.\",\"2OM8/D\":[\"Asset cannot be migrated due to supply cap restriction in \",[\"marketName\"],\" v3 market.\"],\"2RtYM0\":\"Need help? Our support team can assist.\",\"2RubOP\":\"Initiate Withdraw\",\"2S7oCr\":[\"This asset is eligible for the Ether.fi Loyalty program with a <0>x\",[\"multiplier\"],\" multiplier.\"],\"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.\",\"2eBWE6\":\"I acknowledge the risks involved.\",\"2r2h/U\":\"Total Deposited\",\"2uJToh\":[[\"0\"],[\"name\"]],\"2x1UO0\":\"Favourited\",\"2x58bP\":\"Ο σταθερός δανεισμός είναι ενεργοποιημένος\",\"34Qfwy\":\"Υπέρβαση του ανώτατου ορίου δανεισμού\",\"39eQRj\":[\"Δανεισμός \",[\"symbol\"]],\"3BL1xB\":\"Σύνολο παρεχόμενων\",\"3K0oMo\":\"Υπολειπόμενη προσφορά\",\"3MoZhl\":\"Δεν υπάρχουν επαρκείς εξασφαλίσεις για την κάλυψη ενός νέου δανείου\",\"3NO6VI\":[[\"0\"],\" Balance\",[\"1\"]],\"3Np5O8\":[\"Προσφορά \",[\"symbol\"]],\"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\",\"4fCwrW\":\"or from the\",\"4lDFps\":\"Sign to continue\",\"4p5njr\":\"Total amount staked\",\"4wyw8H\":\"Transactions\",\"5+lhtA\":\"For swapping safety module assets please unstake your position <0>here.\",\"53r7O1\":[\"High price impact (<0>\",[\"0\"],\"%)! This route will return \",[\"1\"],\" due to low liquidity or small order size.\"],\"5CCqcz\":\"Fees help support the user experience and security of the Aave application. <0>Learn more.\",\"5JSSxX\":[\"Your \",[\"networkName\"],\" wallet is empty. Get free test assets at\"],\"5K3B36\":\"We couldn't find any assets related to your search. Try again with a different category.\",\"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\"],\" μπορεί να παρασχεθεί σε αυτή την αγορά.\"],\"5RzvNm\":\"Aave Shield: Transaction blocked\",\"5cZ/KX\":\"Η προσφορά μεταβλητού χρέους δεν είναι μηδενική\",\"5che++\":\"Για να ζητήσετε πρόσβαση σε αυτή την αδειοδοτημένη αγορά, επισκεφθείτε την ιστοσελίδα: <0>Όνομα Παρόχου Πρόσβασης\",\"5ctNdV\":[\"Minimum \",[\"0\"],\" received\"],\"5hDe9v\":\"Απαιτούμενη δράση επιδότησης\",\"5rsnKT\":\"Διαθέσιμες ανταμοιβές\",\"5ty6hB\":\"Claiming individual protocol reward only. Merit rewards excluded - select \\\"claim all\\\" to include merit rewards.\",\"5vxk14\":\"To continue, you need to grant 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\",\"5yC5m5\":\"View all votes\",\"6/dCYd\":\"Επισκόπηση\",\"60crCe\":\"All transactions\",\"62Xcjh\":\"Εγγύηση\",\"65A04M\":\"Ισπανικά\",\"68ANm7\":\"Withdrawing GHO\",\"6G8s+q\":\"Signing\",\"6Jrv+z\":[\"Αποπληρωμή \",[\"symbol\"]],\"6SC+v0\":[\"Disable \",[\"0\"],\" as collateral to use this category. These assets would have 0% LTV.\"],\"6Xr0UU\":\"Ψύξη...\",\"6bxci/\":\"Δύναμη ψήφου\",\"6f8S68\":\"Αγορές\",\"6g1gi0\":\"Προτάσεις\",\"6gvoHP\":\"Copy error message\",\"6h3Q5G\":\"repaid\",\"6lFSyT\":\"Available to Stake\",\"6lGV3K\":\"Show less\",\"6s8L6f\":\"Αλλαγή Δικτύου\",\"70wH1Q\":\"APR\",\"72c5Qo\":\"Total\",\"75qcAQ\":[[\"stepName\"]],\"7ITr5L\":\"Συντελεστής υγείας\",\"7R/kqr\":\"The cooldown period is the time required prior to unstaking your tokens (<0/>). You can only withdraw your assets from the Security Module after the cooldown period and within the unstake window. <1>Learn more\",\"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\",\"7c6Gy8\":\"Learn more about Sonic Rewards program\",\"7er5fP\":\"Διεκδικήστε τα όλα\",\"7hb2+s\":\"Time remaining until the withdraw period ends.\",\"7i1oxe\":\"Withdrawing and Swapping\",\"7l88b8\":\"Data couldn't be fetched, please reload graph.\",\"7p5kLi\":\"Ταμπλό\",\"8+6BI0\":\"Προσοχή - Είστε πολύ κοντά στην ρευστοποίηση. Εξετάστε το ενδεχόμενο να καταθέσετε περισσότερες εγγυήσεις ή να εξοφλήσετε κάποιες από τις δανειακές σας θέσεις\",\"87pUEW\":[\"Το πορτοφόλι σας \",[\"name\"],\" είναι άδειο. Αγοράστε ή μεταφέρετε περιουσιακά στοιχεία.\"],\"8F1i42\":\"Page not found\",\"8G8M0u\":\"Loading data...\",\"8Iu1QS\":\"withdrew\",\"8JL93T\":\"Όλες οι προτάσεις\",\"8Q51DU\":\"Add to wallet\",\"8X/oyn\":\"Μη έγκυρο ποσό για νομισματοκοπία\",\"8Xaoyr\":\"View on CCIP Explorer\",\"8Z5FPv\":\"Αποσυνδέστε το πορτοφόλι\",\"8Zz7s5\":\"περιουσιακά στοιχεία\",\"8aLW8H\":\"Balance to revoke\",\"8bOT3H\":\"Ποσοστό χρησιμοποίησης\",\"8d61xO\":\"The Ink instance is governed by the Ink Foundation\",\"8sLe4/\":\"View contract\",\"8ss7VF\":\"Transaction cancelled\",\"8t/M0y\":\"Please connect your wallet to be able to bridge your tokens.\",\"8u3DDw\":[\"Swap \",[\"0\"],\" collateral\"],\"8vETh9\":\"Εμφάνιση\",\"93T2Os\":\"Total deposited\",\"94OHPx\":\"Εισέρχεστε σε λειτουργία απομόνωσης\",\"9CDK3/\":[\"Ο δανεισμός δεν είναι επί του παρόντος διαθέσιμος για \",[\"0\"],\".\"],\"9GIj3z\":\"Μέγεθος Αποθεματικού\",\"9ITYjl\":\"%\",\"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.\"],\"9YcC7V\":\"Select Categories\",\"9c6vDV\":\"Αυτό το περιουσιακό στοιχείο έχει φτάσει στο όριο της προσφοράς του. Τίποτα δεν είναι διαθέσιμο για προμήθεια από αυτή την αγορά.\",\"9iDHmv\":\"Collateral Swap\",\"9kTWHA\":\"MAI has been paused due to a community decision. Supply, borrows and repays are impacted. <0>More details\",\"9lXchd\":\"Underlying token\",\"9xSooW\":\"Δεδομένου ότι πρόκειται για ένα δοκιμαστικό δίκτυο, μπορείτε να αποκτήσετε οποιοδήποτε από τα περιουσιακά στοιχεία αν έχετε ETH στο πορτοφόλι σας\",\"9y0Q0y\":[\"There is not enough liquidity in \",[\"symbol\"],\" to complete this swap. Try lowering the amount.\"],\"9zzsBx\":\"This is a program initiated by the Aave DAO and implemented by Merkl. Aave Labs does not guarantee the program and accepts no liability.\",\"A/lwoe\":\"Choose one of the on-ramp services\",\"A6dCI6\":[\"Maximum amount available to borrow is <0/> \",[\"0\"],\" (<1/>).\"],\"ACUEES\":\"Check errors\",\"AReoaV\":\"Τα δάνεια σας\",\"AV7cGz\":\"Αναθεώρηση λεπτομερειών έγκρισης συναλλαγής\",\"AZOjB8\":\"Fetching data...\",\"Ai0jas\":\"Join the community discussion\",\"Ajl2rq\":\"Η δύναμη δανεισμού και τα περιουσιακά στοιχεία είναι περιορισμένα λόγω της λειτουργίας απομόνωσης.\",\"AqgYNC\":\"Protocol borrow cap at 100% for this asset. Further borrowing unavailable.\",\"B6zvhF\":\"Shares\",\"BDFEd+\":\"stETH supplied as collateral will continue to accrue staking rewards provided by daily rebases.\",\"BE2mP0\":\"Borrowed assets\",\"BNL4Ep\":\"Η χρήση εγγύησης είναι περιορισμένη λόγω της λειτουργίας απομόνωσης. <0>Μάθετε περισσότερα\",\"BQ+4lu\":\"Swap saved in your <0>history section.\",\"BQ/wCO\":\"Migrate your assets\",\"BaCmXf\":\"AAVE 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.\",\"Baj2MJ\":\"Savings\",\"BnhYo8\":\"Κατηγορία περιουσιακών στοιχείων\",\"Bo6b9i\":\"Withdraw GHO\",\"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\",\"C4qYyX\":[\"Repay \",[\"0\"],\" with \",[\"1\"]],\"C5jQc6\":\"GHO Balance\",\"C7hM0q\":\"Country (optional)\",\"CDrsH+\":\"Techpaper\",\"CGiscJ\":\"You've successfully submitted an order.\",\"CK1KXz\":\"Μεγιστο\",\"COUcFd\":\"Points\",\"CZXzs4\":\"Greek\",\"CkTRmy\":[\"Διεκδίκηση \",[\"symbol\"]],\"CrrC++\":\"Position swaps are disabled for this asset due to security reasons.\",\"CsqtLm\":\"Please connect your wallet to see migration tool.\",\"CtGlFb\":[[\"networkName\"],\" Βρύση\"],\"CuAHqa\":\"Protocol Incentives\",\"Cxt2YY\":\"Watch wallet\",\"D33VQU\":\"This action will reduce health factor of V3 below liquidation threshold. Increase migrated collateral or reduce migrated borrow to continue.\",\"D4Q4h/\":\"Gas estimation error\",\"D79cZK\":\"Instant\",\"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\"],\"DhaOWH\":\"Stake your Aave aTokens or underlying assets to earn rewards. In case of a shortfall event, your stake may be slashed to cover the deficit.\",\"Dj+3wB\":\"Aave ανά μήνα\",\"DlRHbH\":\"Claiming all protocol rewards only. Merit rewards excluded - select \\\"claim all\\\" to include merit rewards.\",\"DuEq2K\":\"Εξασφάλιση\",\"Dzma+E\":\"Main Ethereum market with the largest selection of assets and yield options\",\"E/QGRL\":\"Απενεργοποιημένο\",\"E6UoJs\":\"Estimated compounding 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.\",\"ETtXJg\":\"Share my wallet address to help the support team resolve my issue\",\"EZd3Dk\":[\"Restaking \",[\"symbol\"]],\"Ebgc76\":[\"Ανάληψη \",[\"symbol\"]],\"EdQY6l\":\"Κανένα\",\"Ef7StM\":\"Unknown\",\"Ehzc//\":[\"Swapping \",[\"0\"],\" debt\"],\"Ekea1N\":\"We couldn't detect a wallet. Connect a wallet to stake and view your balance.\",\"Enslfm\":\"Destination\",\"EvE9nO\":[\"Reactivate cooldown period to unstake \",[\"0\"],\" \",[\"stakedToken\"]],\"EvECnL\":\"Migrate to v3\",\"EyYG53\":\"Get support\",\"EzMQbh\":\"The source chain time to finality is the main factor that determines the time to destination. <0>Learn more\",\"F40cwT\":\"Legacy Markets\",\"F6TdXL\":\"Μάθετε περισσότερα.\",\"F6pfE9\":\"Active\",\"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\":\"Η λειτουργία δεν υποστηρίζεται\",\"FTRJ1l\":\"L2 Networks\",\"FbmMe7\":\"Linked addresses\",\"Fdp03t\":\"ενεργοποίηση\",\"Fjw9N+\":\"Περιουσιακά στοιχεία προς προμήθεια\",\"FmN0fk\":\"Restake\",\"G15AUr\":\"Sending cancel...\",\"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\":\"τελειώνει\",\"GtP2hp\":[\"Ο δανεισμός δεν είναι διαθέσιμος επειδή έχετε ενεργοποιήσει τη λειτουργία Αποδοτικότητας (E-Mode) για την κατηγορία \",[\"0\"],\". Για να διαχειριστείτε τις κατηγορίες E-Mode επισκεφθείτε τον <0>Πίνακα ελέγχου.\"],\"Gz07IS\":\"Your health factor after this swap will be critically low and may result in liquidation. Please choose a different asset or reduce the swap amount to stay safe.\",\"H1oAjw\":[[\"selectedCount\"],\" Categories\"],\"HB/wfS\":[[\"tooltipText\"]],\"HD4KkW\":[\"Swapping \",[\"0\"],\" collateral\"],\"HKDsQN\":\"Rewards can be claimed through\",\"Hi6Ttn\":\"Sorry, an unexpected error happened. In the meantime you may try reloading the page, or come back later.\",\"HkEDbS\":[[\"d\"],\"η\"],\"HlWGZc\":[\"Your \",[\"0\"],\" balance is lower than the selected amount.\"],\"HmkYqM\":\"Παράθυρο ξεκλειδώματος\",\"HpK/8d\":\"Reload\",\"HtBqo9\":\"sGHO\",\"HtuY7v\":\"Please connect your wallet to swap tokens.\",\"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\"],\"%.\"],\"I4Cxlm\":\"E-Mode required\",\"I8CX2c\":\"Το συνολικό ποσό των περιουσιακών σας στοιχείων σε δολάρια ΗΠΑ που μπορούν να χρησιμοποιηθούν ως εγγύηση για δανεισμό περιουσιακών στοιχείων.\",\"IAD2SB\":[\"Claiming \",[\"symbol\"]],\"IG9X9/\":\"Borrowing of this asset is limited to a certain amount to minimize liquidity pool insolvency.\",\"ILXMQA\":\"The Safety Module has been upgraded to <0>Umbrella, a new system that introduces automated slashing, aToken staking, and improved incentives design.\",\"IN8luu\":\"All done\",\"IOIx8L\":\"This asset is planned to be offboarded due to an Aave Protocol Governance decision. <0>More details\",\"IP+I/j\":\"Περίοδος ψύξης\",\"IaA40H\":\"Ρευστοποίηση στο\",\"IhAc6F\":\"Costs & Fees\",\"ImxB3A\":\"deposited\",\"IrtO2E\":\"You have assets with zero LTV that are blocking this operation. Please withdraw them or disable them as collateral first.\",\"J/hVSQ\":[[\"0\"]],\"JCoxL6\":\"Manage analytics\",\"JEdlTC\":\"Stablecoins\",\"JOqFba\":[\"Unstaking \",[\"symbol\"]],\"JPHuMW\":\"Swapping\",\"JPhc4G\":\"ETH Correlated\",\"JPrLjO\":\"Δεν μπορείτε να χρησιμοποιήσετε αυτό το νόμισμα ως εγγύηση\",\"JYKRJS\":\"Κλειδώστε\",\"JZMxX0\":\"Δεν υπάρχει αρκετό υπόλοιπο στο πορτοφόλι σας\",\"Jgflkm\":\"Get GHO\",\"JoMQnI\":\"Υπόλοιπο πορτοφολιού\",\"JtwD8u\":\"Borrow balance after repay\",\"JumYTK\":\"Supplied assets\",\"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\",\"KSlpka\":\"Αυτό αντιπροσωπεύει το κατώτατο όριο στο οποίο μια θέση δανεισμού θα θεωρηθεί υποεγγυημένη και θα υπόκειται σε ρευστοποίηση για κάθε εγγύηση. Για παράδειγμα, εάν μια εγγύηση έχει κατώτατο όριο ρευστοποίησης 80%, αυτό σημαίνει ότι η θέση θα ρευστοποιηθεί όταν η αξία του χρέους ανέρχεται στο 80% της αξίας της εγγύησης.\",\"KYAjf3\":\"Απομονωμένο\",\"KkJaLD\":\"Borrow:\",\"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\":\"Λάθος δίκτυο\",\"KqoLVC\":\"Merkl rewards are claimed through the\",\"KsqhWn\":\"Κλείδωμα\",\"KuBTQq\":\"Εισάγετε διεύθυνση ETH\",\"KvG1xW\":\"Διεκδίκηση\",\"L+8Lzs\":\"Τρέχον LTV\",\"L+qiq+\":\"Αγορά\",\"L2tU22\":\"Learn more about Ethena Rewards program\",\"L3ZyJR\":[[\"popularSectionTitle\"]],\"LEdkyb\":\"Rewards to claim\",\"LIrMcF\":\"Δεν υπάρχει δικαίωμα ψήφου\",\"LL0zks\":\"Μπορεί να αποτελέσει εγγύηση\",\"LLdJWu\":\"Διεκδικήσιμο AAVE\",\"LSIpNK\":\"Δεν επιτρέπεται ο δανεισμός και η αποπληρωμή στο ίδιο block\",\"LVt3TI\":[\"<0>Slippage tolerance <1>\",[\"selectedSlippage\"],\"% <2>\",[\"0\"],\"\"],\"Lhf8zD\":\"Waiting for actions...\",\"Lp2cTp\":\"Eligible for incentives through Merkl.\",\"LvVpD/\":\"Emode\",\"Ly2enB\":\"This will cancel the order via an on-chain transaction. Note that the order will not be marked as cancelled in the CoW Protocol system, but will remain open and expire naturally. Keep in mind that a solver may already have filled your order.\",\"M1RnFv\":\"Expired\",\"M2sknc\":\"Tip: Try increasing slippage or reduce input amount\",\"MKiONF\":\"Activating Cooldown\",\"MOvzXm\":\"Comparing best rates...\",\"MRwaR4\":\"This will require two separate transactions: one to change E-Mode and one to supply.\",\"MZ/nQf\":\"Διεύθυνση παραλήπτη\",\"MZbQHL\":\"No results found.\",\"Ma/MtY\":\"προβολή κλειδώματος\",\"McHlGl\":\"APY change\",\"MeCCA+\":\"APY, μεταβλητό\",\"MghdTe\":\"Εάν ο συντελεστής υγείας πέσει κάτω από το 1, ενδέχεται να ενεργοποιηθεί η ρευστοποίηση των εγγυήσεών σας.\",\"MlRlXX\":\"Current APY\",\"Mm/DVQ\":\"Ακυρώσατε τη συναλλαγή.\",\"MnE2QX\":\"Borrow info\",\"MuDFEQ\":\"Μη έγκυρη τιμή επιστροφής της συνάρτησης εκτελεστή flashloan\",\"My0ZGV\":\"Learn more about the Kernel points distribution\",\"N+3mX2\":\"Please connect your wallet to swap debt.\",\"N39Ax4\":\"Ethereum\",\"N40H+G\":\"All\",\"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\",\"ND1ISA\":\"Weekly Rewards\",\"NF0e1Q\":\"Εκκρεμεί...\",\"NK9ikO\":\"Wallet Balance\",\"NMt2CB\":\"Amount claimable\",\"Na7NlU\":[[\"remainingCustomMessage\"]],\"NcFGxG\":\"Collector Contract\",\"NfpPeS\":\"Τίποτα κλειδωμένο\",\"Nh9DAo\":[[\"m\"],\"λ\"],\"Npz7kI\":\"Inquiry\",\"O+sCUU\":\"Υπέρβαση του ανώτατου ορίου νομισματοκοπείου χωρίς αντίκρισμα\",\"O+tyU+\":[\"Maximum amount available to borrow against this asset is limited because debt ceiling is at \",[\"0\"],\"%.\"],\"O3oNi5\":\"Email\",\"OC4Tzv\":\"here\",\"OFjZGo\":\"Unstake\",\"OR8cYX\":\"Επισκόπηση πρότασης\",\"OYuJ9K\":\"Protocol debt ceiling is at 100% for this asset. Futher borrowing against this asset is unavailable.\",\"OfhWJH\":\"Reset\",\"Og2SKn\":\"απενεργοποιημένο\",\"OiykRd\":\"Deposit GHO\",\"On0aF2\":\"Website\",\"OqAwLU\":\"Protocol APY\",\"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\":\"Κατώτατο όριο ρευστοποίησης\",\"PctCOf\":\"A temporary contract will be used to execute the trade. Your wallet may show a warning for approving a new or empty address.\",\"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.\",\"QONKTE\":\"Merit Rewards\",\"QQYsQ7\":\"Withdrawing\",\"QZEgwS\":\"Execution fee\",\"R+30X3\":\"Δεν έχει επιτευχθεί\",\"R9Khdg\":\"Auto\",\"RCU5PY\":\"Age\",\"RIfckG\":[\"Απενεργοποίηση \",[\"symbol\"],\" ως εγγύηση\"],\"RMtxNk\":\"Διαφορικό\",\"RNK49r\":\"Μη έγκυρη υπογραφή\",\"RS0o7b\":\"Κατάσταση\",\"RTG4/6\":\"There are no stake assets configured for this market\",\"RU+LqV\":\"Λεπτομέρειες πρότασης\",\"RYfdBk\":\"Visit <0><1>https://aave.self.xyz/ to get started with Self’s ZK-powered proof-of-humanity authentication.\",\"RZbjLY\":[\"See \",[\"0\"],\" more\"],\"Rg4K+m\":\"Cannot switch to this category\",\"RiSYV4\":\"Το περιουσιακό στοιχείο δεν περιλαμβάνεται στον κατάλογο\",\"Rj01Fz\":\"Σύνδεσμοι\",\"RmWFEe\":\"Κλείδωμα APR\",\"RtBLm7\":\"Ο συντελεστής υγείας είναι μικρότερος από το όριο ρευστοποίησης\",\"RvF1Ts\":\"stkGHO is now Savings GHO\",\"RxzN1M\":\"Ενεργοποιημένο\",\"SBv4zo\":[[\"0\"],\" collateral would have 0% LTV in this category. Disable \",[\"1\"],\" as collateral to use this option.\"],\"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\",\"SNmu1z\":\"Shares are Umbrella Stake Tokens you receive when staking. They represent your ownership in the pool, and the amount of underlying you can redeem depends on the current exchange rate between shares and the underlying.\",\"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\",\"SZkDmY\":\"The swap could not be completed. Try increasing slippage or changing the amount.\",\"Sa1UE/\":\"Protocol borrow cap is at 100% for this asset. Further borrowing unavailable.\",\"Sk2zW9\":\"Απενεργοποίηση E-Mode\",\"St4jqF\":\"This list may not include all your swaps.\",\"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\":\"Ποινή ρευστοποίησης\",\"TLJkuL\":\"Category assets\",\"TQ7WsV\":\"Available to stake\",\"TUI7iB\":\"To περιουσιακό στοιχείο μπορεί να χρησιμοποιηθεί ως εγγύηση μόνο σε λειτουργία απομόνωσης.\",\"TbjyhA\":\"Docs\",\"TduuS0\":\"Ο χρήστης δεν έχει ανεξόφλητο χρέος σταθερού επιτοκίου σε αυτό το αποθεματικό\",\"Tg1JyO\":\"Bridge history\",\"TszKts\":\"Borrow balance after switch\",\"Tw07Vv\":\"Show assets with small balance\",\"TwJI9F\":\"Asset has been successfully sent to CCIP contract. You can check the status of the transactions below\",\"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.\",\"UMgOim\":\"Send cancel\",\"URmyfc\":\"Λεπτομέρειες\",\"UTTKmT\":\"Stake cooldown activated\",\"UXeR72\":\"Τα κεφάλαια αυτά έχουν δανειστεί και δεν είναι διαθέσιμα για ανάληψη αυτή τη στιγμή.\",\"UYb8CM\":\"Learn more about the SPK rewards\",\"UbRrG0\":\"Ο δείκτης μέγιστου LTV αντιπροσωπεύει τη μέγιστη δανειοληπτική ικανότητα μιας συγκεκριμένης εγγύησης. Για παράδειγμα, εάν μια εγγύηση έχει LTV 75%, ο χρήστης μπορεί να δανειστεί έως και 0,75 ETH στο κύριο νόμισμα για κάθε 1 ETH αξίας εγγύησης.\",\"UiO4Hu\":[\"You'll need to wait \",[\"0\"],\" before you can unstake your tokens. This cooldown starts when you request to unstake. Once it ends, you can withdraw during the unstake window.\"],\"UpndFj\":\"Δεν υπάρχουν ανταμοιβές για διεκδίκηση\",\"V0f2Xv\":\"Reserve factor\",\"V1HK43\":\"Migration risks\",\"V7QGpc\":\"I understand the liquidation risk and want to proceed\",\"V7SFse\":[\"I confirm the swap knowing that I could lose up to <0>\",[\"0\"],\"% on this swap.\"],\"VATFH9\":\"Covered debt\",\"VHOVEJ\":\"Συνδέστε το πορτοφόλι\",\"VMfYUK\":\"Ασφάλεια των κατατεθειμένων εξασφαλίσεών σας έναντι των δανειζόμενων περιουσιακών στοιχείων και της υποκείμενης αξίας τους.\",\"VOAZJh\":\"Σύνολο δανείων\",\"ViKYxK\":\"ΥΠΕΡ\",\"VnQFYr\":\"Claiming all merit rewards only\",\"W1SSoD\":\"Αναθεώρηση λεπτομερειών συναλλαγής\",\"W5hVah\":\"Τίποτα δεν έχει παρασχεθεί ακόμη\",\"W5kTFy\":\"Voting\",\"WHrVwg\":\"Loading quote...\",\"WMJGls\":\"Estimated Costs & Fees\",\"WNGZwH\":\"Το E-Mode αυξάνει το LTV σας για μια επιλεγμένη κατηγορία περιουσιακών στοιχείων έως και <0/>. <1>Μάθετε περισσότερα\",\"WPWG/y\":\"Κατάσταση & διαμόρφωση αποθεματικού\",\"WS67YQ\":\"Let us know how we can help you. You may also consider joining our community\",\"WT188T\":\"Withdraw & Swap\",\"WZLQSU\":\"Ο χρήστης δεν μπορεί να κάνει ανάληψη μεγαλύτερη από το διαθέσιμο υπόλοιπο\",\"WaZyaV\":\"<0>Ampleforth is a rebasing asset. Visit the <1>documentation to learn more.\",\"WbTDwg\":\"In Progress\",\"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\":\"Για να δανειστείτε πρέπει να προσκομίσετε οποιοδήποτε περιουσιακό στοιχείο που θα χρησιμοποιηθεί ως εγγύηση.\",\"X/ITG9\":\"Κείμενο σφάλματος αντιγραφής\",\"X3Pp6x\":\"Χρησιμοποιείται ως εγγύηση\",\"X4Zt7j\":\"Η ενέργεια δεν μπορεί να εκτελεστεί επειδή η εφεδρεία βρίσκεται σε παύση\",\"X4tRM3\":[[\"0\"],\" \",[\"symbol\"],\" to continue\"],\"XBdKOj\":\"Representative smart contract wallet (ie. Safe) addresses on other chains.\",\"XPN5UR\":\"User denied the operation.\",\"XYLcNv\":\"Support\",\"XZzneG\":\"Θα βγείτε από τη λειτουργία απομόνωσης και άλλα tokens μπορούν πλέον να χρησιμοποιηθούν ως εγγύηση\",\"Xe5bTg\":\"Deposit APR\",\"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.\",\"XwKkg/\":\"Staked Underlying\",\"Xy+o6U\":\"For security reasons, limit orders are not supported for Native tokens. To place a limit order, use the wrapped version.\",\"Xy71ST\":\"Umbrella\",\"Y+hUcK\":\"Merit Program and Self rewards can be claimed\",\"Y46iXX\":\"The order could't be filled.\",\"Y5Orec\":\"Collateral options\",\"Y5kGkc\":\"ΨΗΦΙΣΤΕ ΚΑΤΑ\",\"YD+nXc\":\"Aave Shield\",\"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.\",\"Ya/che\":\"Stake token shares\",\"Ykj2Om\":\"Default slippage\",\"YogbCJ\":\"Testnet mode is ON\",\"YrDxdO\":\"Εάν το δάνειο προς αξία υπερβεί το όριο ρευστοποίησης, η παρεχόμενη εγγύηση σας μπορεί να ρευστοποιηθεί.\",\"YrcHPy\":\"VIEW\",\"YyIM65\":\"Δεν τηρήθηκαν οι όροι επανεξισορρόπησης των επιτοκίων\",\"YyydIq\":[\"Add \",[\"0\"],\" to wallet to track your balance.\"],\"Z3FXyt\":\"Loading...\",\"Z99M+T\":\"This is an off-chain operation. Keep in mind that a solver may already have filled your order.\",\"ZBvhI+\":\"Διακυβέρνηση Aave\",\"ZIIRAd\":\"Raw-Ipfs\",\"ZRq4tX\":\"Λειτουργία αποδοτικότητας (E-Mode)\",\"ZRuM45\":\"These are the estimated costs associated with your limit swap, including costs and fees. Consider these costs when setting your order amounts to help optimize execution and maximize your chances of filling the order.\",\"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\",\"aCgA+I\":\"E-Mode change\",\"aEtiwq\":\"Ψηφίστε ΚΑΤΑ\",\"aMmFE1\":\"Buy Crypto With Fiat\",\"aOKIms\":\"Οι παράμετροι της συστοιχίας που θα έπρεπε να είναι ίσου μήκους δεν είναι\",\"aQYztl\":[\"Repaying \",[\"0\"]],\"aXgo8+\":\"from the\",\"adUsDd\":\"An error has occurred fetching the proposal.\",\"afk1Wt\":[\"This asset can only be used as collateral in E-Mode: \",[\"0\"]],\"aoXTT7\":\"Δανεισμός APY, μεταβλητό\",\"aqX1Yp\":\"This asset is eligible for rewards through SuperFest. Aave Labs does not guarantee the program and accepts no liability.\",\"b4NS3e\":\"Προειδοποίηση περιόδου ψύξης\",\"bBHmeP\":\"Available to withdraw\",\"bNEQeI\":\"Cooldown\",\"bUUVED\":\"Περιουσιακό στοιχείο\",\"bXQ/Og\":\"Μοιραστείτε το στο twitter\",\"bXr0ee\":\"Τα απομονωμένα περιουσιακά στοιχεία έχουν περιορισμένη δανειοληπτική ικανότητα και άλλα περιουσιακά στοιχεία δεν μπορούν να χρησιμοποιηθούν ως εγγύηση.\",\"bYmAV1\":\"Addresses\",\"bYtb3C\":\"Network costs\",\"bguKoJ\":\"Το αιτούμενο ποσό είναι μεγαλύτερο από το μέγιστο μέγεθος δανείου στη λειτουργία σταθερού επιτοκίου\",\"bm/mjh\":\"This is a program initiated and implemented by the Aave Chan Initiative (ACI). Aave Labs does not guarantee the program and accepts no liability.\",\"bq0uL+\":\"supply\",\"bwSQI0\":\"Προσφορά\",\"bxN6EM\":\"Cannot disable E-Mode\",\"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.\",\"cc6gEH\":\"Incentives APR\",\"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\"]],\"cqwIvs\":\"Συζήτηση φόρουμ\",\"csDS2L\":\"Διαθέσιμο\",\"cu7Stb\":\"Δεν συμμετείχατε στην παρούσα πρόταση\",\"cuxGZP\":\"Low health factor after swap. Your position will carry a higher risk of liquidation.\",\"d9YZVR\":\"Principle Tokens\",\"dE6BLF\":\"Διακυβέρνηση\",\"dEgA5A\":\"Cancel\",\"dIsyWh\":\"Η επικύρωση του Ltv απέτυχε\",\"dOB5nW\":[\"Maximum amount available to supply is <0/> \",[\"0\"],\" (<1/>).\"],\"dVfODp\":\"Δεν έχετε αρκετά χρήματα στο πορτοφόλι σας για να αποπληρώσετε ολόκληρο το ποσό. Εάν προχωρήσετε στην αποπληρωμή με το τρέχον ποσό των χρημάτων σας, θα εξακολουθείτε να έχετε μια μικρή θέση δανεισμού στο ταμπλό σας.\",\"dXUQFX\":\"Περιουσιακά στοιχεία προς δανεισμό\",\"dYG3JG\":\"Data couldn't be loaded.\",\"dZQvSq\":\"Please review the swap values before confirming.\",\"dfDzrk\":[\"Supply cap reached for \",[\"symbol\"],\". Reduce the amount or choose a different asset.\"],\"dgFOcr\":\"L1 Networks\",\"dgr1aY\":\"Borrowing is disabled due to an Aave community decision. <0>More details\",\"djsg0o\":\"Χρησιμοποίηση εγγυήσεων\",\"drdV8R\":\"Liquidation\",\"dxW8cS\":\"Aave debt token\",\"e/ghIe\":[\"This transaction will enable E-Mode (\",[\"0\"],\"). Borrowing will be restricted to assets within this category.\"],\"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\",\"eQ0Wu0\":\"Please connect a wallet to view your balance here.\",\"eVpCmf\":\"Staking Rewards\",\"eVqvtf\":\"Bridge GHO\",\"eYdurp\":\"No transactions yet.\",\"ebLGGN\":\"Σύνολο δανεικών\",\"ecqEvn\":\"Το υπόλοιπο των εγγυήσεων είναι 0\",\"edXiYw\":[\"You've successfully swapped \",[\"0\"],\".\"],\"efdrrk\":\"Available on\",\"enruNF\":\"starts\",\"eqLYiD\":\"Ξεκλειδώστε τώρα\",\"evw5ha\":\"Καθαρή αξία\",\"ezcU16\":\"Get ABP Token\",\"f2e3vu\":[\"Deposit GHO into savings GHO (sGHO) and earn <0>\",[\"0\"],\"% APY on your GHO holdings. There are no lockups, no rehypothecation, and you can withdraw anytime. Simply deposit GHO, receive sGHO tokens representing your balance, and watch your savings grow earning claimable rewards from merit.\"],\"f3W0Ej\":[\"Αλλάξατε σε ποσοστό \",[\"0\"]],\"fMJQZK\":\"Borrowed\",\"fZ5Vnu\":\"Received\",\"firl9Q\":\"Το τρέχον δάνειο προς αξία με βάση τις παρεχόμενες εξασφαλίσεις σας.\",\"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\",\"g4Ius4\":\"This is the fee for executing position changes, set by governance.\",\"g8KGoA\":\"FAQS\",\"g9zzqS\":\"Voted NAY\",\"gDd2gk\":\"about SuperFest.\",\"gIMJlW\":\"Λειτουργία Testnet\",\"gK+IvE\":\"Withdraw and Swap\",\"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\",\"gjxiVa\":[\"This swap has a price impact of \",[\"0\"],\"%, which exceeds the 25% safety threshold. To proceed, disable Aave Shield in the settings menu.\"],\"goff7V\":\"Η μηδενική διεύθυνση δεν είναι έγκυρη\",\"gvTM4B\":\"Το καθαρό ΑΡΥ είναι η συνδυασμένη επίδραση όλων των θέσεων προσφοράς και δανεισμού στην καθαρή αξία, συμπεριλαμβανομένων των κινήτρων. Είναι δυνατόν να υπάρχει αρνητικό καθαρό APY εάν το χρεωστικό APY είναι υψηλότερο από το προσφερόμενο APY.\",\"gzcch9\":\"Μη έγκυρη αμοιβή πρωτοκόλλου γέφυρας\",\"h33MxW\":\"Representing smart contract wallet (ie. Safe) addresses on other chains.\",\"h3ilK+\":\".CSV\",\"h5hG6q\":\"This is the cost of settling your order on-chain, including gas and any LP fees.\",\"hB23LY\":\"Activate Cooldown\",\"hIJzBh\":\"Available to Claim\",\"hIS4N0\":\"Καθαρό APY\",\"hQRttt\":\"Submit\",\"hRWvpI\":\"Claimed\",\"hb8ajh\":\"Debt Swap\",\"hdmy/o\":\"Το % της συνολικής δανειοληπτικής σας δύναμης που χρησιμοποιείται. Αυτό βασίζεται στο ποσό της παρεχόμενης εξασφάλισής σας και στο συνολικό ποσό που μπορείτε να δανειστείτε.\",\"hehnjM\":\"Ποσό\",\"hjDCQr\":\"Υπήρξε κάποιο σφάλμα. Προσπαθήστε να αλλάξετε τις παραμέτρους ή <0><1>αντιγράψτε το σφάλμα\",\"hom7qf\":\"Διεκδίκηση\",\"hpHJ4I\":\"Liquidated collateral\",\"hrhwub\":\"dashboard\",\"huQ6Tz\":[\"Δανεισμός \",[\"symbol\"]],\"hxYu+F\":\"Borrow: All eligible assets\",\"i/fZ2Z\":\"Staked Balance\",\"i9qiyR\":\"Expires in\",\"iB5+/J\":\"About GHO\",\"iChbOF\":\"Ασυνεπείς παράμετροι flashloan\",\"iEPVHF\":\"Δεν έχει αρκετή δύναμη ψήφου για να συμμετάσχει στην παρούσα πρόταση\",\"iEW87X\":\"Delegated power\",\"iEju36\":[\"Ψηφίσατε \",[\"0\"]],\"iFq2YN\":\"Borrowable\",\"iGxyIA\":\"Safety Module\",\"iIuDE1\":\"Estimated weekly rewards based on your current sGHO balance and APR. Actual rewards may vary depending on market conditions.\",\"iKfD53\":\"Transaction history for Plasma not supported yet, coming soon.\",\"iMVZk9\":\"Select slippage tolerance\",\"iNYgey\":\"Get Support\",\"iPMIoT\":\"Εισάγετε ένα ποσό\",\"iSLIjg\":\"Connect\",\"iUo5rv\":\"tokens δεν είναι το ίδιο με το να τα κλειδώνετε. Εάν επιθυμείτε να κλειδώσετε τα\",\"iZxa38\":\"Use it to vote for or against active proposals.\",\"iboNXd\":\"Amount received\",\"iddNqA\":\"This transaction will disable E-Mode. All assets will revert to their base LTV and liquidation thresholds.\",\"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\"],\"ih/VjN\":\"Staking this amount will reduce your health factor and increase risk of liquidation.\",\"il0sEG\":\"H χρήση εγγυήσεων είναι περιορισμένη λόγω της λειτουργίας Απομόνωσης.\",\"j+K1Xj\":\"Amount After Fee\",\"j4SXZo\":\"Claim all merit rewards\",\"j7JHV+\":\"Total APY\",\"j8cF1R\":\"Cooling down\",\"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\",\"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.\",\"jZkYWO\":\"Boosted LTV\",\"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 για να αποκτήσετε πρόσβαση σε όλα τα περιουσιακά στοιχεία\",\"jqVo/k\":\"here.\",\"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\"],\"kMi0nz\":\"sGHO Merit APY History\",\"kN1Yg5\":\"Για την εξόφληση εκ μέρους ενός χρήστη απαιτείται ένα ρητό ποσό προς εξόφληση\",\"kNiQp6\":\"Pinned\",\"kRTD40\":[\"Repayment amount to reach \",[\"0\"],\"% utilization\"],\"kgKqPv\":\"You can not stake this amount because it will cause collateral call\",\"kj3M8S\":\"Deposit\",\"kjN9tT\":\"Υπέρβαση του ανώτατου ορίου προσφοράς\",\"kn+s7w\":[[\"0\"],\" collateral would have 0% LTV without E-Mode. Disable \",[\"1\"],\" as collateral to use this option.\"],\"knxE+G\":\".JSON\",\"ks2LWT\":\"Το ανώτατο όριο χρέους δεν είναι μηδενικό\",\"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.\",\"kzeZTm\":\"LTV\",\"lCF0wC\":\"Refresh\",\"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.\",\"lXb3Ih\":[\"This asset has 0 LTV and cannot be used as collateral. Enable an E-Mode to use \",[\"symbol\"],\" as collateral.\"],\"lXj2Sq\":\"Repay with Collateral\",\"lYGfRP\":\"Αγγλικά\",\"lfEjIE\":\"Μάθετε περισσότερα στον οδηγό <0>Συχνών Ερωτήσεων\",\"ljF4ko\":\"The selected rate is lower than the market price. You might incur a loss if you proceed.\",\"lqCWte\":[\"Deposit GHO and earn \",[\"0\"],\"% APY\"],\"lu7f+8\":\"Blocked by Shield\",\"m/IEhi\":\"Συνολικές εκπομπές ανά ημέρα\",\"m7r7Hh\":\"Selected borrow assets\",\"mDDK4p\":\"Balancer Pool\",\"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.\"],\"me5LMQ\":\"Checking approval\",\"mogZv0\":\"Favourite\",\"muiOng\":[\"Buy \",[\"cryptoSymbol\"],\" with Fiat\"],\"mvCXBY\":\"Stake AAVE\",\"mwdzil\":\"Εντάξει, Κλείσιμο\",\"mzDAU3\":\"Savings GHO (sGHO)\",\"mzdIia\":\"Το περιουσιακό στοιχείο δεν μπορεί να χρησιμοποιηθεί ως εγγύηση.\",\"n+SX4g\":\"Προγραμματιστές\",\"n1na81\":\"No eligible assets to swap.\",\"n4PWtp\":\"Depositing\",\"nJIhzm\":\"Προσφορά apy\",\"nJgsQu\":\"Με δύναμη ψήφου <0/>\",\"nLC6tu\":\"Γαλλικά\",\"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\",\"nPGNMh\":\"Μπορεί να εκτελεστεί\",\"nUK1ou\":[\"Assets with zero LTV (\",[\"0\"],\") must be withdrawn or disabled as collateral to perform this action\"],\"neITkT\":\"This asset has 0% LTV, meaning it does not contribute to borrowing power. Existing positions with this asset as collateral still count toward the liquidation threshold and protect your health factor. New positions cannot enable this asset as collateral.\",\"njBeMm\":\"Both\",\"ntyFSE\":[[\"h\"],\"ω\"],\"nwIsn4\":\"After the cooldown is initiated, you will be able to withdraw your assets immediatley.\",\"nweCqF\":\"Cancelling order...\",\"nwtY4N\":\"Something went wrong\",\"nxyWvj\":\"Withdrawing this amount will reduce your health factor and increase risk of liquidation.\",\"o17QVP\":\"Ο συντελεστής υγείας και το δάνειο προς αξία καθορίζουν τη διασφάλιση των εξασφαλίσεών σας. Για να αποφύγετε τις ρευστοποιήσεις μπορείτε να παράσχετε περισσότερες εξασφαλίσεις ή να εξοφλήσετε δανειακές θέσεις.\",\"o1xc2V\":\"Η προσφορά AToken δεν είναι μηδενική\",\"o5ooMr\":\"Χρέος\",\"o7J4JM\":\"Φίλτρο\",\"o7Yloh\":\"Learn more about the Ether.fi program\",\"oHFrpj\":\"Ψύξτε για ξεκλείδωμα\",\"oJ5ZiG\":\"Ο χρήστης δεν έχει ανεξόφλητο χρέος μεταβλητού επιτοκίου σε αυτό το αποθεματικό\",\"oUwXhx\":\"Test Assets\",\"oWQnqT\":\"Staking this asset will earn the underlying asset supply yield in addition to other configured rewards.\",\"oWklJD\":\"Το σταθερό επιτόκιο θα <0>μείνει το ίδιο για όλη τη διάρκεια του δανείου σας. Συνιστάται για μακροχρόνιες περιόδους δανεισμού και για χρήστες που προτιμούν την προβλεψιμότητα.\",\"odnIK3\":\"Time remaining until the 48 hour withdraw period starts.\",\"ogU9GD\":\"Target liquidity\",\"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.\",\"om/XHs\":\"Διαθέσιμο για προμήθεια\",\"omq5qJ\":\"Claiming all protocol rewards and merit rewards together\",\"ovBPCi\":\"Default\",\"ovT1pF\":[\"Per the community, the \",[\"market\"],\" has been frozen.\"],\"ow3fug\":\"Nothing found\",\"owSsI3\":\"Signatures ready\",\"p+R52m\":\"Go to Balancer Pool\",\"p2S64u\":\"The loan to value of the migrated positions would cause liquidation. Increase migrated collateral or reduce migrated borrow to continue.\",\"p2Z2Qi\":\"Αυτό το περιουσιακό στοιχείο έχει φθάσει στο ανώτατο όριο δανεισμού του. Τίποτα δεν είναι διαθέσιμο για δανεισμό από αυτή την αγορά.\",\"p45alK\":\"Set up delegation\",\"pDgeaz\":[[\"title\"]],\"pdZqBk\":\"Το υποκείμενο υπόλοιπο πρέπει να είναι μεγαλύτερο από 0\",\"pgWG9H\":\"Δεν υπάρχει αρκετό κλειδωμένο υπόλοιπο\",\"ph9+uj\":[\"Switching to \",[\"networkName\"],\"...\"],\"piPrJ7\":\"παρακαλούμε ελέγξτε ότι το ποσό που θέλετε να παρέχετε δεν χρησιμοποιείται επί του παρόντος για κλείδωμα. Εάν χρησιμοποιείται για κλείδωμα, η συναλλαγή σας ενδέχεται να αποτύχει.\",\"pjO/iH\":\"Minimum amount received\",\"pooutM\":\"Voting is on\",\"pqaM5s\":\"Confirming transaction\",\"ptaxX3\":[\"Καταλαβαίνω πώς λειτουργεί η ψύξη (\",[\"0\"],\") και το ξεκλείδωμα (\",[\"1\"],\")\"],\"pup/ej\":\"Net Protocol Incentives\",\"py2iiY\":\"Ο καλών αυτής της συνάρτησης πρέπει να είναι ένα κοινόχρηστο ταμείο\",\"q/51mF\":\"Migrate to V3\",\"q3df11\":\"Interest rate strategy\",\"q6lAbz\":\"Κλειδωμένο\",\"qB4kPi\":\"Προσφορά APY\",\"qENI8q\":\"Γενικές ρυθμίσεις\",\"qGz5zl\":\"Collateral balance after repay\",\"qKfida\":\"Staked tokens are wrapped and use an exchange rate. You may see fewer token shares, but the value matches your deposit and will grow as yield accrues.\",\"qOqbD6\":\"αντιγράψτε το σφάλμα\",\"qXCkEM\":\"Συνδέστε το πορτοφόλι σας για να δείτε τις προμήθειες, τα δάνεια και τις ανοιχτές θέσεις σας.\",\"qY2jnw\":\"Μη έγκυρη λήξη\",\"qhhf9L\":\"Rewards available to claim\",\"qtS7wW\":\"Thank you for voting\",\"quYPUU\":\"Variable interest rate will <0>fluctuate based on the market conditions.\",\"quzIeW\":\"User is in isolation mode or LTV is zero\",\"qvnz3q\":\"Μη έγκυρη ποσότητα προς καύση\",\"qz6JVE\":[\"Your order amounts are \",[\"0\"],\" less favorable by \",[\"1\"],\"% to the liquidity provider than recommended. This order may not be executed.\"],\"qz9c6b\":[\"Repaying \",[\"0\"],\" with \",[\"1\"]],\"qzFp5D\":\"All Categories\",\"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\",\"riNWOA\":\"E-Mode\",\"rjGI/Q\":\"Privacy\",\"rnKPW1\":\"Watch a wallet balance in read-only mode\",\"rojvRp\":\"Approval by signature not available\",\"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\",\"t/ct9N\":\"Auto Slippage\",\"tBIz3I\":[\"Supply \",[\"0\"],\" and double your yield by <0><1>verifying your humanity through Self for \",[\"1\"],\" per user.\"],\"tCnbEs\":\"Τιμή Oracle\",\"tFZLf8\":\"Αυτός ο υπολογισμός gas είναι μόνο μια εκτίμηση. Το πορτοφόλι σας θα καθορίσει την τιμή της συναλλαγής. Μπορείτε να τροποποιήσετε τις ρυθμίσεις gas απευθείας από τον πάροχο του πορτοφολιού σας.\",\"tHuvQI\":\"Go to V3 Dashboard\",\"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\"],\"tVJk4q\":\"Cancel order\",\"te9Bfl\":\"Παρακαλώ, συνδέστε το πορτοφόλι σας\",\"tj6dr4\":\"Merit Program rewards can be claimed\",\"tt5yma\":\"Οι προμήθειές σας\",\"tw6G0s\":[\"You must disable \",[\"0\"],\" as collateral before exiting E-Mode. These assets have 0 LTV outside of E-Mode and cannot be used as collateral.\"],\"u3ZeYl\":\"Η συναλλαγή απέτυχε\",\"u706uF\":\"Άκυρη πριμοδότηση flashloan\",\"u8Gfu7\":[\"No search results\",[\"0\"]],\"uAQUqI\":\"Status\",\"uGG4Lk\":\"Claim all protocol rewards\",\"uHMwk8\":\"No assets selected to migrate.\",\"uI3SjW\":\"Connection Error\",\"uJOI6M\":\"Tip: Try improving your order parameters\",\"uJPHuY\":\"Migrating\",\"uRXR6h\":[\"Swap \",[\"0\"],\" debt\"],\"uZiu4N\":\"There is an active order for the same sell asset (avoid nonce reuse).\",\"udFheE\":\"Για την αποπληρωμή ενός συγκεκριμένου τύπου χρέους, ο χρήστης πρέπει να έχει χρέος αυτού του τύπου\",\"ulNuNq\":\"Export data to\",\"ulup2p\":\"Buy Crypto with Fiat\",\"usB84Z\":\"Maximum amount available to borrow is limited because protocol borrow cap is nearly reached.\",\"uyLjNw\":\"Custom slippage\",\"v+Fu0z\":\"This asset is eligible for Kernel points incentive program. Aave Labs does not guarantee the program and accepts no liability.\",\"v0CIlJ\":\"You have no rewards to claim at this time.\",\"v8x7Mg\":\"Insufficient collateral to cover new borrow position. Wallet must have borrowing power remaining to perform debt switch.\",\"vEqxH9\":\"Restaked\",\"vH2C/2\":\"Swap\",\"vLyv1R\":\"Απόκρυψη\",\"vMba49\":\"Ο δανεισμός δεν είναι ενεργοποιημένος\",\"vMpNwt\":\"Approve with\",\"vNAHA2\":\"PTs\",\"vXIe7J\":\"Γλώσσα\",\"vesuBJ\":\"Σας επιτρέπει να αποφασίσετε αν θα χρησιμοποιήσετε ένα παρεχόμενο περιουσιακό στοιχείο ως εγγύηση. Ένα περιουσιακό στοιχείο που χρησιμοποιείται ως εγγύηση θα επηρεάσει τη δανειοληπτική σας ικανότητα και τον συντελεστή υγείας.\",\"vv7kpg\":\"Cancelled\",\"w+V9Cx\":\"Σταθερό νόμισμα\",\"w/JtJ3\":\"Η σταθερή προσφορά χρέους δεν είναι μηδενική\",\"w1f8Ky\":\"Savings GHO\",\"w4VBY+\":\"Ανταμοιβές APR\",\"w9dLMW\":[[\"label\"]],\"wAOL+X\":[\"Εσείς \",[\"action\"],\" <0/> \",[\"symbol\"]],\"wBIsjb\":\"Discord channel\",\"wQZbc/\":\"Ο καλών της συνάρτησης δεν είναι AToken\",\"wRRqvW\":\"Δεν έχετε προμήθειες σε αυτό το νόμισμα\",\"wZFvVU\":\"ΨΗΦΙΣΤΕ ΥΠΕΡ\",\"wapGcj\":[[\"message\"]],\"wb/r1O\":[\"Βρύση \",[\"0\"]],\"wdxz7K\":\"Source\",\"weC8IO\":\"All Rewards\",\"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.\",\"wjFWDB\":\"No markets found\",\"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\",\"wuMdlk\":[\"This asset is eligible for \",[\"0\"],\" Sonic Rewards.\"],\"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.\",\"x+QJ9y\":[\"Category \",[\"selectedEmodeId\"]],\"x0TRLG\":[\"Repay your \",[\"0\"],\" \",[\"1\",\"plural\",{\"one\":\"borrow\",\"other\":\"borrows\"}],\" to use this category.\"],\"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\"]],\"yRkqG9\":\"Limit\",\"yYHqJe\":\"Μη έγκυρη διεύθυνση\",\"yZ5ngq\":\"Transaction details not available\",\"yZwLw6\":\"Track wallet\",\"yh2sjd\":[\"Price impact \",[\"0\"],\"%\"],\"yhvj6d\":\"Δεν μπορείτε να αλλάξετε τη χρήση ως λειτουργία εγγύησης για αυτό το νόμισμα, διότι θα προκαλέσει κλήση εγγύησης\",\"ylmtBZ\":\"The app is running in fork mode.\",\"ymNY32\":[\"Δεν υπάρχουν αρκετά κεφάλαια στο\",[\"0\"],\"αποθεματικό για δανεισμό\"],\"yv/Kz/\":\"Back home\",\"yz7wBu\":\"Κλείσιμο\",\"z4uGQg\":\"Υπέρβαση του ανώτατου ορίου χρέους\",\"z5JUmg\":[\"Estimated costs are \",[\"0\"],\"% of the sell amount. This order is unlikely to be filled.\"],\"z5UQOM\":\"Η εγγύηση που έχει επιλεγεί δεν μπορεί να ρευστοποιηθεί\",\"z5Y+p6\":[\"Παροχή \",[\"symbol\"]],\"zCjNKs\":\"Η ενέργεια δεν μπορεί να εκτελεστεί επειδή το αποθεματικό έχει παγώσει\",\"zNgzxM\":\"Excludes variable supply APY\",\"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\",\"zZmf1N\":\"Filled\",\"zgtIDV\":\"Υπολειπόμενο χρέος\",\"zmTPiV\":\"Υπόλοιπο προσφοράς\",\"zpPbZl\":\"Liquidation risk parameters\",\"zqp4Tm\":\"Unable to Connect\",\"zr58Jd\":\"Umbrella is the upgraded version of the Safety Module. Manage your previously staked assets\",\"zucql+\":\"Μενού\",\"zv/j10\":[\"Active \",[\"0\"],\" borrow is not compatible with this category. Repay your \",[\"1\"],\" borrow to use this option.\"],\"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.\",\"+EGVI0\":\"Receive (est.)\",\"+Tzhaj\":\"You've successfully swapped borrow position.\",\"+eOPG+\":\"Φαίνεται ότι δεν μπορούμε να αλλάξουμε το δίκτυο αυτόματα. Ελέγξτε αν μπορείτε να το αλλάξετε από το πορτοφόλι.\",\"+kLZGu\":\"Supplied asset amount\",\"/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\",\"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\",\"1Onqx8\":[\"Έγκριση του \",[\"symbol\"],\"...\"],\"1m9Qqc\":\"Withdrawing and Switching\",\"1oyh4g\":\"Borrow rate\",\"2Q4GU4\":\"Blocked Address\",\"2bAhR7\":\"Meet GHO\",\"2o/xRt\":\"Επίτευξη του ανώτατου ορίου εφοδιασμού στο αποθεματικό-στόχο. Δοκιμάστε να \\nμειώσετε την ποσότητα.\",\"3O8YTV\":\"Total interest accrued\",\"4iPAI3\":\"Minimum GHO borrow amount\",\"6NGLTR\":\"Discountable amount\",\"6yAAbq\":\"APY, borrow rate\",\"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\",\"7sofdl\":\"Withdraw and Switch\",\"9rWaKF\":\"Bridged Via CCIP\",\"ARu1L4\":\"Repaid\",\"B6aXGH\":\"Σταθερό\",\"B9Gqbz\":\"Variable rate\",\"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.\",\"BjLdl1\":\"At a discount\",\"CMHmbm\":\"Slippage\",\"DxfsGs\":\"You can report incident to our <0>Discord or<1>Github.\",\"EBL9Gz\":\"COPIED!\",\"ES8dkb\":\"Fixed rate\",\"GoK/QN\":\"Thank you for submitting feedback!\",\"H6Ma8Z\":\"Discount\",\"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.\",\"HrnC47\":\"Save and share\",\"JK9zf1\":[\"Estimated compounding interest, including discount for Staking \",[\"0\"],\"AAVE in Safety Module.\"],\"JU6q+W\":\"Ανταμοιβή(ες) προς διεκδίκηση\",\"K05qZY\":\"Withdraw & Switch\",\"KRpokz\":\"VIEW TX\",\"KZwRuD\":[[\"notifyText\"]],\"LDzfVJ\":\"Send Feedback\",\"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\",\"MIy2RJ\":\"Maximum amount received\",\"MrmQHg\":\"View Bridge Transactions\",\"N7dVh7\":\"Swap to\",\"QSh9Sn\":\"Swapped\",\"QWYCs/\":\"Stake GHO\",\"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.\",\"RoafuO\":\"Send feedback\",\"SSMiac\":\"Failed to load proposal voters. Please refresh the page.\",\"TeCFg/\":\"Borrow rate change\",\"TskbEN\":\"Holders of stkAAVE receive a discount on the GHO borrowing rate\",\"TtZL6q\":\"Discount model parameters\",\"Tz0GSZ\":\"blocked activities\",\"UE3KJZ\":\"Transaction history is not currently available for this market\",\"W8ekPc\":\"Back to Dashboard\",\"WMPbRK\":\"Μη υποστηριζόμενο\",\"YirHq7\":\"Feedback\",\"aX31hk\":\"Your balance is lower than the selected amount.\",\"al6Pyz\":\"Exceeds the discount\",\"avgETN\":\"Eligible for the Merit program.\",\"bSc4Zw\":\"Swaping\",\"bSruit\":\"ZKSync Ignite Program rewards are claimed through the\",\"bxmzSh\":\"Δεν υπάρχουν επαρκείς εγγυήσεις για την αποπληρωμή αυτού του ποσού χρέους με\",\"cqnmnD\":\"Effective interest rate\",\"dMtLDE\":\"to\",\"dpc0qG\":\"Μεταβλητό\",\"euScGB\":\"APY with discount applied\",\"fHcELk\":\"Καθαρό APR\",\"flRCF/\":\"Staking discount\",\"gncRUO\":\"This address is blocked on app.aave.com because it is associated with one or more\",\"gp+f1B\":\"Version 3\",\"gr8mYw\":\"You may borrow up to <0/> GHO at <1/> (max discount)\",\"hpuVIp\":\"Users who stake AAVE in Safety Module (i.e. stkAAVE holders) receive a discount on GHO borrow interest rate.\",\"hxi7vE\":\"Borrow balance\",\"i2JTiw\":\"You may enter a custom amount in the field.\",\"jMam5g\":[[\"0\"],\" Υπόλοιπο\"],\"jpctdh\":\"View\",\"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.\",\"lNVG7i\":\"Select an asset\",\"lt6bpt\":\"Collateral to repay with\",\"mIM0qu\":\"Expected amount to repay\",\"mUAFd6\":\"Version 2\",\"mzI/c+\":\"Download\",\"n8Psk4\":\"We couldn’t detect a wallet. Connect a wallet to stake and view your balance.\",\"nOy4ob\":\"We suggest you go back to the Dashboard.\",\"nakd8r\":\"stkAAVE holders get a discount on GHO borrow rate\",\"nh2EJK\":[\"Παρακαλώ μεταβείτε στο \",[\"networkName\"],\".\"],\"ntkAoE\":\"Discount applied for <0/> staking AAVE\",\"o4tCu3\":\"Borrow APY\",\"olREoo\":\"All borrow positions outside of this category must be closed to enable this category.\",\"ov0+mq\":\"Eligible for the ZKSync Ignite program.\",\"p2A+s1\":[\"Η περίοδος ψύξης είναι \",[\"0\"],\". Μετά την \",[\"1\"],\" περίοδο ψύξης, θα εισέλθετε στο παράθυρο ξεκλειδώματος \",[\"2\"],\". Θα συνεχίσετε να λαμβάνετε ανταμοιβές κατά τη διάρκεια της ψύξης και του παραθύρου ξεκλειδώματος.\"],\"p3j+mb\":\"Το υπόλοιπο της ανταμοιβής σας είναι 0\",\"p6u2s1\":\"Minimum amount of debt to be repaid\",\"qFD/ij\":\"You've successfully withdrew & swapped tokens.\",\"qT4Lfg\":\"You've successfully swapped tokens.\",\"qf/fr+\":\"Interest accrued\",\"rf8POi\":\"Borrowed asset amount\",\"ruc7X+\":\"Add stkAAVE to see borrow APY with the discount\",\"t81DpC\":[\"Approve \",[\"symbol\"],\" to continue\"],\"umICAY\":\"<0><1><2/>Add stkAAVE to see borrow rate with discount\",\"uwAUvj\":\"COPY IMAGE\",\"wyi0tk\":\"Swap borrow position\",\"yW1oWB\":\"Τύπος APY\",\"zevmS2\":\"<0><1><2/>Add <3/> stkAAVE to borrow at <4/> (max discount)\",\"zzzTXS\":\"Merit Program rewards are claimed through the\"}")}; \ No newline at end of file +/*eslint-disable*/module.exports={messages:JSON.parse("{\"+0xecS\":[\"Εάν ΔΕΝ ξεκλειδώσετε εντός \",[\"0\"],\" του παραθύρου ξεκλειδώματος, θα πρέπει να ενεργοποιήσετε ξανά τη διαδικασία ψύξης.\"],\"+5vxU4\":\"Reward APY at target liquidity\",\"+9RBfc\":\"Thank you for submitting your inquiry!\",\"+F6nAX\":\"Save with sGHO\",\"+KaZP2\":\"Aave Labs does not guarantee the program and accepts no liability.\",\"+Nk14N\":\"Savings GHO token\",\"+VR63W\":[\"Η συμμετοχή σε αυτό το αποθεματικό \",[\"symbol\"],\" δίνει ετήσιες ανταμοιβές.\"],\"+XNrRN\":\"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 restrictions, see the <1>help guide or the <2>Aave V3 Technical Paper.\",\"+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.\",\"+i3Pd2\":\"Ανώτατο όριο δανεισμού\",\"+nuEh/\":\"Estimated time\",\"+xMFF8\":\"Remind me\",\"/+Vmgq\":\"Total amount of underlying assets staked. This number represents the combined sum of your original asset and the corresponding aTokens staked in Umbrella.\",\"/1Qot4\":\"Protocol Rewards\",\"/1xACT\":\"Reward APY adjusts with total staked amount, following a curve that targets optimal staking levels.\",\"/57U31\":\"Amount to migrate\",\"/7ykiW\":\"Borrowing this amount will reduce your health factor and increase risk of liquidation.\",\"/FwCXs\":[[\"0\"],\" \",[\"symbol\"],\"...\"],\"/LCAwL\":\"In progress\",\"/ZyLeG\":\"Amount available to unstake\",\"/jQctM\":\"To\",\"/lDBHm\":\"ΣΥΧΝΕΣ ΕΡΩΤΗΣΕΙΣ\",\"/lMWs6\":[\"Deposit GHO and earn up to <0>\",[\"0\"],\"% APY\"],\"/yNlZf\":\"Ο σταθερός δανεισμός δεν είναι ενεργοποιημένος\",\"/yQcJM\":\"Συνολική αξία\",\"00AB2i\":\"Ο χρήστης δεν δανείστηκε το καθορισμένο νόμισμα\",\"02/4d1\":\"We suggest you go back to the home page.\",\"0AmQcW\":\"Rate change\",\"0BF3yK\":\"Sorry, we couldn't find the page you were looking for.\",\"0RrIzN\":\"Select token\",\"0TAbjq\":\"Recent Transactions\",\"0jhlyw\":\"Liquidation risk\",\"0ojY+Y\":\"Current v2 Balance\",\"0r31vq\":\"Reward Token\",\"0thX3P\":\"Collateral change\",\"0wGCWc\":\"Αυτό είναι το συνολικό ποσό που μπορείτε να προμηθεύσετε σε αυτό το αποθεματικό. Μπορείτε να προμηθεύσετε το υπόλοιπο του πορτοφολιού σας μέχρι να επιτευχθεί το ανώτατο όριο προμηθειών.\",\"11xQTX\":[\"This asset is eligible for \",[\"0\"],\" Ethena Rewards.\"],\"18GnfY\":[\"Repay \",[\"0\"]],\"1AsVfF\":\"Price data is not currently available for this reserve on the protocol subgraph\",\"1LjK22\":\"Transaction history\",\"1PMU2v\":\"Learn more about the risks.\",\"1Ue8sX\":\"Παρακαλούμε συνδέστε ένα πορτοφόλι για να δείτε τις προσωπικές σας πληροφορίες εδώ.\",\"1W8DZp\":\"USDT on Ethereum requires approval reset before a new approval. This will require an additional transaction.\",\"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/> κατώτατο όριο\",\"1t7rez\":\"Asset supply is limited to a certain amount to reduce protocol exposure to the asset and to help manage risks involved.\",\"2/aIvj\":\"Cancellation submited\",\"2C40JO\":[\"This transaction will switch E-Mode from \",[\"0\"],\" to \",[\"1\"],\". Borrowing will be restricted to assets within the new category.\"],\"2Eoi/a\":\"Προβολή λεπτομερειών\",\"2FYpfJ\":\"Περισσότερα\",\"2O3qp5\":\"Διαθέσιμη ρευστότητα\",\"2OIfa1\":\"Please connect your wallet to swap collateral.\",\"2OM8/D\":[\"Asset cannot be migrated due to supply cap restriction in \",[\"marketName\"],\" v3 market.\"],\"2RtYM0\":\"Need help? Our support team can assist.\",\"2RubOP\":\"Initiate Withdraw\",\"2S7oCr\":[\"This asset is eligible for the Ether.fi Loyalty program with a <0>x\",[\"multiplier\"],\" multiplier.\"],\"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.\",\"2eBWE6\":\"I acknowledge the risks involved.\",\"2r2h/U\":\"Total Deposited\",\"2uJToh\":[[\"0\"],[\"name\"]],\"2x1UO0\":\"Favourited\",\"2x58bP\":\"Ο σταθερός δανεισμός είναι ενεργοποιημένος\",\"34Qfwy\":\"Υπέρβαση του ανώτατου ορίου δανεισμού\",\"39eQRj\":[\"Δανεισμός \",[\"symbol\"]],\"3BL1xB\":\"Σύνολο παρεχόμενων\",\"3K0oMo\":\"Υπολειπόμενη προσφορά\",\"3MoZhl\":\"Δεν υπάρχουν επαρκείς εξασφαλίσεις για την κάλυψη ενός νέου δανείου\",\"3NO6VI\":[[\"0\"],\" Balance\",[\"1\"]],\"3Np5O8\":[\"Προσφορά \",[\"symbol\"]],\"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\",\"4fCwrW\":\"or from the\",\"4lDFps\":\"Sign to continue\",\"4p5njr\":\"Total amount staked\",\"4wyw8H\":\"Transactions\",\"5+lhtA\":\"For swapping safety module assets please unstake your position <0>here.\",\"53r7O1\":[\"High price impact (<0>\",[\"0\"],\"%)! This route will return \",[\"1\"],\" due to low liquidity or small order size.\"],\"5CCqcz\":\"Fees help support the user experience and security of the Aave application. <0>Learn more.\",\"5JSSxX\":[\"Your \",[\"networkName\"],\" wallet is empty. Get free test assets at\"],\"5K3B36\":\"We couldn't find any assets related to your search. Try again with a different category.\",\"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\"],\" μπορεί να παρασχεθεί σε αυτή την αγορά.\"],\"5RzvNm\":\"Aave Shield: Transaction blocked\",\"5cZ/KX\":\"Η προσφορά μεταβλητού χρέους δεν είναι μηδενική\",\"5che++\":\"Για να ζητήσετε πρόσβαση σε αυτή την αδειοδοτημένη αγορά, επισκεφθείτε την ιστοσελίδα: <0>Όνομα Παρόχου Πρόσβασης\",\"5ctNdV\":[\"Minimum \",[\"0\"],\" received\"],\"5hDe9v\":\"Απαιτούμενη δράση επιδότησης\",\"5rsnKT\":\"Διαθέσιμες ανταμοιβές\",\"5ty6hB\":\"Claiming individual protocol reward only. Merit rewards excluded - select \\\"claim all\\\" to include merit rewards.\",\"5vxk14\":\"To continue, you need to grant 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\",\"5yC5m5\":\"View all votes\",\"6/dCYd\":\"Επισκόπηση\",\"60crCe\":\"All transactions\",\"62Xcjh\":\"Εγγύηση\",\"65A04M\":\"Ισπανικά\",\"68ANm7\":\"Withdrawing GHO\",\"6G8s+q\":\"Signing\",\"6Jrv+z\":[\"Αποπληρωμή \",[\"symbol\"]],\"6SC+v0\":[\"Disable \",[\"0\"],\" as collateral to use this category. These assets would have 0% LTV.\"],\"6Xr0UU\":\"Ψύξη...\",\"6bxci/\":\"Δύναμη ψήφου\",\"6f8S68\":\"Αγορές\",\"6g1gi0\":\"Προτάσεις\",\"6gvoHP\":\"Copy error message\",\"6h3Q5G\":\"repaid\",\"6lFSyT\":\"Available to Stake\",\"6lGV3K\":\"Show less\",\"6s8L6f\":\"Αλλαγή Δικτύου\",\"70wH1Q\":\"APR\",\"72c5Qo\":\"Total\",\"75qcAQ\":[[\"stepName\"]],\"7ITr5L\":\"Συντελεστής υγείας\",\"7R/kqr\":\"The cooldown period is the time required prior to unstaking your tokens (<0/>). You can only withdraw your assets from the Security Module after the cooldown period and within the unstake window. <1>Learn more\",\"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\",\"7c6Gy8\":\"Learn more about Sonic Rewards program\",\"7er5fP\":\"Διεκδικήστε τα όλα\",\"7hb2+s\":\"Time remaining until the withdraw period ends.\",\"7i1oxe\":\"Withdrawing and Swapping\",\"7l88b8\":\"Data couldn't be fetched, please reload graph.\",\"7p5kLi\":\"Ταμπλό\",\"8+6BI0\":\"Προσοχή - Είστε πολύ κοντά στην ρευστοποίηση. Εξετάστε το ενδεχόμενο να καταθέσετε περισσότερες εγγυήσεις ή να εξοφλήσετε κάποιες από τις δανειακές σας θέσεις\",\"87pUEW\":[\"Το πορτοφόλι σας \",[\"name\"],\" είναι άδειο. Αγοράστε ή μεταφέρετε περιουσιακά στοιχεία.\"],\"8F1i42\":\"Page not found\",\"8G8M0u\":\"Loading data...\",\"8Iu1QS\":\"withdrew\",\"8JL93T\":\"Όλες οι προτάσεις\",\"8Q51DU\":\"Add to wallet\",\"8X/oyn\":\"Μη έγκυρο ποσό για νομισματοκοπία\",\"8Xaoyr\":\"View on CCIP Explorer\",\"8Z5FPv\":\"Αποσυνδέστε το πορτοφόλι\",\"8Zz7s5\":\"περιουσιακά στοιχεία\",\"8aLW8H\":\"Balance to revoke\",\"8bOT3H\":\"Ποσοστό χρησιμοποίησης\",\"8d61xO\":\"The Ink instance is governed by the Ink Foundation\",\"8sLe4/\":\"View contract\",\"8ss7VF\":\"Transaction cancelled\",\"8t/M0y\":\"Please connect your wallet to be able to bridge your tokens.\",\"8u3DDw\":[\"Swap \",[\"0\"],\" collateral\"],\"8vETh9\":\"Εμφάνιση\",\"93T2Os\":\"Total deposited\",\"94OHPx\":\"Εισέρχεστε σε λειτουργία απομόνωσης\",\"9CDK3/\":[\"Ο δανεισμός δεν είναι επί του παρόντος διαθέσιμος για \",[\"0\"],\".\"],\"9GIj3z\":\"Μέγεθος Αποθεματικού\",\"9ITYjl\":\"%\",\"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.\"],\"9YcC7V\":\"Select Categories\",\"9c6vDV\":\"Αυτό το περιουσιακό στοιχείο έχει φτάσει στο όριο της προσφοράς του. Τίποτα δεν είναι διαθέσιμο για προμήθεια από αυτή την αγορά.\",\"9iDHmv\":\"Collateral Swap\",\"9kTWHA\":\"MAI has been paused due to a community decision. Supply, borrows and repays are impacted. <0>More details\",\"9lXchd\":\"Underlying token\",\"9xSooW\":\"Δεδομένου ότι πρόκειται για ένα δοκιμαστικό δίκτυο, μπορείτε να αποκτήσετε οποιοδήποτε από τα περιουσιακά στοιχεία αν έχετε ETH στο πορτοφόλι σας\",\"9y0Q0y\":[\"There is not enough liquidity in \",[\"symbol\"],\" to complete this swap. Try lowering the amount.\"],\"9zzsBx\":\"This is a program initiated by the Aave DAO and implemented by Merkl. Aave Labs does not guarantee the program and accepts no liability.\",\"A/lwoe\":\"Choose one of the on-ramp services\",\"A6dCI6\":[\"Maximum amount available to borrow is <0/> \",[\"0\"],\" (<1/>).\"],\"ACUEES\":\"Check errors\",\"AReoaV\":\"Τα δάνεια σας\",\"AV7cGz\":\"Αναθεώρηση λεπτομερειών έγκρισης συναλλαγής\",\"AZOjB8\":\"Fetching data...\",\"Ai0jas\":\"Join the community discussion\",\"Ajl2rq\":\"Η δύναμη δανεισμού και τα περιουσιακά στοιχεία είναι περιορισμένα λόγω της λειτουργίας απομόνωσης.\",\"AqgYNC\":\"Protocol borrow cap at 100% for this asset. Further borrowing unavailable.\",\"B6zvhF\":\"Shares\",\"BDFEd+\":\"stETH supplied as collateral will continue to accrue staking rewards provided by daily rebases.\",\"BE2mP0\":\"Borrowed assets\",\"BNL4Ep\":\"Η χρήση εγγύησης είναι περιορισμένη λόγω της λειτουργίας απομόνωσης. <0>Μάθετε περισσότερα\",\"BQ+4lu\":\"Swap saved in your <0>history section.\",\"BQ/wCO\":\"Migrate your assets\",\"BaCmXf\":\"AAVE 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.\",\"Baj2MJ\":\"Savings\",\"BnhYo8\":\"Κατηγορία περιουσιακών στοιχείων\",\"Bo6b9i\":\"Withdraw GHO\",\"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\",\"C4qYyX\":[\"Repay \",[\"0\"],\" with \",[\"1\"]],\"C5jQc6\":\"GHO Balance\",\"C7hM0q\":\"Country (optional)\",\"CDrsH+\":\"Techpaper\",\"CGiscJ\":\"You've successfully submitted an order.\",\"CK1KXz\":\"Μεγιστο\",\"COUcFd\":\"Points\",\"CZXzs4\":\"Greek\",\"CkTRmy\":[\"Διεκδίκηση \",[\"symbol\"]],\"CrrC++\":\"Position swaps are disabled for this asset due to security reasons.\",\"CsqtLm\":\"Please connect your wallet to see migration tool.\",\"CtGlFb\":[[\"networkName\"],\" Βρύση\"],\"CuAHqa\":\"Protocol Incentives\",\"Cxt2YY\":\"Watch wallet\",\"D33VQU\":\"This action will reduce health factor of V3 below liquidation threshold. Increase migrated collateral or reduce migrated borrow to continue.\",\"D4Q4h/\":\"Gas estimation error\",\"D79cZK\":\"Instant\",\"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\"],\"DhaOWH\":\"Stake your Aave aTokens or underlying assets to earn rewards. In case of a shortfall event, your stake may be slashed to cover the deficit.\",\"Dj+3wB\":\"Aave ανά μήνα\",\"DlRHbH\":\"Claiming all protocol rewards only. Merit rewards excluded - select \\\"claim all\\\" to include merit rewards.\",\"DuEq2K\":\"Εξασφάλιση\",\"Dzma+E\":\"Main Ethereum market with the largest selection of assets and yield options\",\"E/QGRL\":\"Απενεργοποιημένο\",\"E6UoJs\":\"Estimated compounding 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.\",\"ETtXJg\":\"Share my wallet address to help the support team resolve my issue\",\"EZd3Dk\":[\"Restaking \",[\"symbol\"]],\"Ebgc76\":[\"Ανάληψη \",[\"symbol\"]],\"EdQY6l\":\"Κανένα\",\"Ef7StM\":\"Unknown\",\"Ehzc//\":[\"Swapping \",[\"0\"],\" debt\"],\"Ekea1N\":\"We couldn't detect a wallet. Connect a wallet to stake and view your balance.\",\"Enslfm\":\"Destination\",\"EvE9nO\":[\"Reactivate cooldown period to unstake \",[\"0\"],\" \",[\"stakedToken\"]],\"EvECnL\":\"Migrate to v3\",\"EyYG53\":\"Get support\",\"EzMQbh\":\"The source chain time to finality is the main factor that determines the time to destination. <0>Learn more\",\"F40cwT\":\"Legacy Markets\",\"F6TdXL\":\"Μάθετε περισσότερα.\",\"F6pfE9\":\"Active\",\"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\":\"Η λειτουργία δεν υποστηρίζεται\",\"FTRJ1l\":\"L2 Networks\",\"FbmMe7\":\"Linked addresses\",\"Fdp03t\":\"ενεργοποίηση\",\"Fjw9N+\":\"Περιουσιακά στοιχεία προς προμήθεια\",\"FmN0fk\":\"Restake\",\"G15AUr\":\"Sending cancel...\",\"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\":\"τελειώνει\",\"GtP2hp\":[\"Ο δανεισμός δεν είναι διαθέσιμος επειδή έχετε ενεργοποιήσει τη λειτουργία Αποδοτικότητας (E-Mode) για την κατηγορία \",[\"0\"],\". Για να διαχειριστείτε τις κατηγορίες E-Mode επισκεφθείτε τον <0>Πίνακα ελέγχου.\"],\"Gz07IS\":\"Your health factor after this swap will be critically low and may result in liquidation. Please choose a different asset or reduce the swap amount to stay safe.\",\"H1oAjw\":[[\"selectedCount\"],\" Categories\"],\"HB/wfS\":[[\"tooltipText\"]],\"HD4KkW\":[\"Swapping \",[\"0\"],\" collateral\"],\"HKDsQN\":\"Rewards can be claimed through\",\"Hi6Ttn\":\"Sorry, an unexpected error happened. In the meantime you may try reloading the page, or come back later.\",\"HkEDbS\":[[\"d\"],\"η\"],\"HlWGZc\":[\"Your \",[\"0\"],\" balance is lower than the selected amount.\"],\"HmkYqM\":\"Παράθυρο ξεκλειδώματος\",\"HpK/8d\":\"Reload\",\"HtBqo9\":\"sGHO\",\"HtuY7v\":\"Please connect your wallet to swap tokens.\",\"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\"],\"%.\"],\"I4Cxlm\":\"E-Mode required\",\"I8CX2c\":\"Το συνολικό ποσό των περιουσιακών σας στοιχείων σε δολάρια ΗΠΑ που μπορούν να χρησιμοποιηθούν ως εγγύηση για δανεισμό περιουσιακών στοιχείων.\",\"IAD2SB\":[\"Claiming \",[\"symbol\"]],\"IG9X9/\":\"Borrowing of this asset is limited to a certain amount to minimize liquidity pool insolvency.\",\"ILXMQA\":\"The Safety Module has been upgraded to <0>Umbrella, a new system that introduces automated slashing, aToken staking, and improved incentives design.\",\"IN8luu\":\"All done\",\"IOIx8L\":\"This asset is planned to be offboarded due to an Aave Protocol Governance decision. <0>More details\",\"IP+I/j\":\"Περίοδος ψύξης\",\"IaA40H\":\"Ρευστοποίηση στο\",\"IhAc6F\":\"Costs & Fees\",\"ImxB3A\":\"deposited\",\"IrtO2E\":\"You have assets with zero LTV that are blocking this operation. Please withdraw them or disable them as collateral first.\",\"J/hVSQ\":[[\"0\"]],\"JCoxL6\":\"Manage analytics\",\"JEdlTC\":\"Stablecoins\",\"JOqFba\":[\"Unstaking \",[\"symbol\"]],\"JPHuMW\":\"Swapping\",\"JPhc4G\":\"ETH Correlated\",\"JPrLjO\":\"Δεν μπορείτε να χρησιμοποιήσετε αυτό το νόμισμα ως εγγύηση\",\"JYKRJS\":\"Κλειδώστε\",\"JZMxX0\":\"Δεν υπάρχει αρκετό υπόλοιπο στο πορτοφόλι σας\",\"Jgflkm\":\"Get GHO\",\"JoMQnI\":\"Υπόλοιπο πορτοφολιού\",\"JtwD8u\":\"Borrow balance after repay\",\"JumYTK\":\"Supplied assets\",\"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\",\"KSlpka\":\"Αυτό αντιπροσωπεύει το κατώτατο όριο στο οποίο μια θέση δανεισμού θα θεωρηθεί υποεγγυημένη και θα υπόκειται σε ρευστοποίηση για κάθε εγγύηση. Για παράδειγμα, εάν μια εγγύηση έχει κατώτατο όριο ρευστοποίησης 80%, αυτό σημαίνει ότι η θέση θα ρευστοποιηθεί όταν η αξία του χρέους ανέρχεται στο 80% της αξίας της εγγύησης.\",\"KYAjf3\":\"Απομονωμένο\",\"KkJaLD\":\"Borrow:\",\"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\":\"Λάθος δίκτυο\",\"KqoLVC\":\"Merkl rewards are claimed through the\",\"KsqhWn\":\"Κλείδωμα\",\"KuBTQq\":\"Εισάγετε διεύθυνση ETH\",\"KvG1xW\":\"Διεκδίκηση\",\"L+8Lzs\":\"Τρέχον LTV\",\"L+qiq+\":\"Αγορά\",\"L2tU22\":\"Learn more about Ethena Rewards program\",\"L3ZyJR\":[[\"popularSectionTitle\"]],\"LEdkyb\":\"Rewards to claim\",\"LIrMcF\":\"Δεν υπάρχει δικαίωμα ψήφου\",\"LL0zks\":\"Μπορεί να αποτελέσει εγγύηση\",\"LLdJWu\":\"Διεκδικήσιμο AAVE\",\"LSIpNK\":\"Δεν επιτρέπεται ο δανεισμός και η αποπληρωμή στο ίδιο block\",\"LVt3TI\":[\"<0>Slippage tolerance <1>\",[\"selectedSlippage\"],\"% <2>\",[\"0\"],\"\"],\"Lhf8zD\":\"Waiting for actions...\",\"Lp2cTp\":\"Eligible for incentives through Merkl.\",\"LvVpD/\":\"Emode\",\"Ly2enB\":\"This will cancel the order via an on-chain transaction. Note that the order will not be marked as cancelled in the CoW Protocol system, but will remain open and expire naturally. Keep in mind that a solver may already have filled your order.\",\"M1RnFv\":\"Expired\",\"M2sknc\":\"Tip: Try increasing slippage or reduce input amount\",\"MKiONF\":\"Activating Cooldown\",\"MOvzXm\":\"Comparing best rates...\",\"MRwaR4\":\"This will require two separate transactions: one to change E-Mode and one to supply.\",\"MZ/nQf\":\"Διεύθυνση παραλήπτη\",\"MZbQHL\":\"No results found.\",\"Ma/MtY\":\"προβολή κλειδώματος\",\"McHlGl\":\"APY change\",\"MeCCA+\":\"APY, μεταβλητό\",\"MghdTe\":\"Εάν ο συντελεστής υγείας πέσει κάτω από το 1, ενδέχεται να ενεργοποιηθεί η ρευστοποίηση των εγγυήσεών σας.\",\"MlRlXX\":\"Current APY\",\"Mm/DVQ\":\"Ακυρώσατε τη συναλλαγή.\",\"MnE2QX\":\"Borrow info\",\"MuDFEQ\":\"Μη έγκυρη τιμή επιστροφής της συνάρτησης εκτελεστή flashloan\",\"My0ZGV\":\"Learn more about the Kernel points distribution\",\"N+3mX2\":\"Please connect your wallet to swap debt.\",\"N39Ax4\":\"Ethereum\",\"N40H+G\":\"All\",\"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\",\"ND1ISA\":\"Weekly Rewards\",\"NF0e1Q\":\"Εκκρεμεί...\",\"NK9ikO\":\"Wallet Balance\",\"NMt2CB\":\"Amount claimable\",\"Na7NlU\":[[\"remainingCustomMessage\"]],\"NcFGxG\":\"Collector Contract\",\"NfpPeS\":\"Τίποτα κλειδωμένο\",\"Nh9DAo\":[[\"m\"],\"λ\"],\"Npz7kI\":\"Inquiry\",\"O+sCUU\":\"Υπέρβαση του ανώτατου ορίου νομισματοκοπείου χωρίς αντίκρισμα\",\"O+tyU+\":[\"Maximum amount available to borrow against this asset is limited because debt ceiling is at \",[\"0\"],\"%.\"],\"O3oNi5\":\"Email\",\"OC4Tzv\":\"here\",\"OFjZGo\":\"Unstake\",\"OR8cYX\":\"Επισκόπηση πρότασης\",\"OYuJ9K\":\"Protocol debt ceiling is at 100% for this asset. Futher borrowing against this asset is unavailable.\",\"OclOBa\":\"Favourites\",\"OfhWJH\":\"Reset\",\"Og2SKn\":\"απενεργοποιημένο\",\"OiykRd\":\"Deposit GHO\",\"On0aF2\":\"Website\",\"OqAwLU\":\"Protocol APY\",\"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\":\"Κατώτατο όριο ρευστοποίησης\",\"PctCOf\":\"A temporary contract will be used to execute the trade. Your wallet may show a warning for approving a new or empty address.\",\"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.\",\"QONKTE\":\"Merit Rewards\",\"QQYsQ7\":\"Withdrawing\",\"QZEgwS\":\"Execution fee\",\"R+30X3\":\"Δεν έχει επιτευχθεί\",\"R9Khdg\":\"Auto\",\"RCU5PY\":\"Age\",\"RIfckG\":[\"Απενεργοποίηση \",[\"symbol\"],\" ως εγγύηση\"],\"RMtxNk\":\"Διαφορικό\",\"RNK49r\":\"Μη έγκυρη υπογραφή\",\"RS0o7b\":\"Κατάσταση\",\"RTG4/6\":\"There are no stake assets configured for this market\",\"RU+LqV\":\"Λεπτομέρειες πρότασης\",\"RYfdBk\":\"Visit <0><1>https://aave.self.xyz/ to get started with Self’s ZK-powered proof-of-humanity authentication.\",\"RZbjLY\":[\"See \",[\"0\"],\" more\"],\"Rg4K+m\":\"Cannot switch to this category\",\"RiSYV4\":\"Το περιουσιακό στοιχείο δεν περιλαμβάνεται στον κατάλογο\",\"Rj01Fz\":\"Σύνδεσμοι\",\"RmWFEe\":\"Κλείδωμα APR\",\"RtBLm7\":\"Ο συντελεστής υγείας είναι μικρότερος από το όριο ρευστοποίησης\",\"RvF1Ts\":\"stkGHO is now Savings GHO\",\"RxzN1M\":\"Ενεργοποιημένο\",\"SBv4zo\":[[\"0\"],\" collateral would have 0% LTV in this category. Disable \",[\"1\"],\" as collateral to use this option.\"],\"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\",\"SNmu1z\":\"Shares are Umbrella Stake Tokens you receive when staking. They represent your ownership in the pool, and the amount of underlying you can redeem depends on the current exchange rate between shares and the underlying.\",\"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\",\"SZkDmY\":\"The swap could not be completed. Try increasing slippage or changing the amount.\",\"Sa1UE/\":\"Protocol borrow cap is at 100% for this asset. Further borrowing unavailable.\",\"Sk2zW9\":\"Απενεργοποίηση E-Mode\",\"St4jqF\":\"This list may not include all your swaps.\",\"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\":\"Ποινή ρευστοποίησης\",\"TLJkuL\":\"Category assets\",\"TQ7WsV\":\"Available to stake\",\"TUI7iB\":\"To περιουσιακό στοιχείο μπορεί να χρησιμοποιηθεί ως εγγύηση μόνο σε λειτουργία απομόνωσης.\",\"TbjyhA\":\"Docs\",\"TduuS0\":\"Ο χρήστης δεν έχει ανεξόφλητο χρέος σταθερού επιτοκίου σε αυτό το αποθεματικό\",\"Tg1JyO\":\"Bridge history\",\"TszKts\":\"Borrow balance after switch\",\"Tw07Vv\":\"Show assets with small balance\",\"TwJI9F\":\"Asset has been successfully sent to CCIP contract. You can check the status of the transactions below\",\"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.\",\"UMgOim\":\"Send cancel\",\"URmyfc\":\"Λεπτομέρειες\",\"UTTKmT\":\"Stake cooldown activated\",\"UXeR72\":\"Τα κεφάλαια αυτά έχουν δανειστεί και δεν είναι διαθέσιμα για ανάληψη αυτή τη στιγμή.\",\"UYb8CM\":\"Learn more about the SPK rewards\",\"UbRrG0\":\"Ο δείκτης μέγιστου LTV αντιπροσωπεύει τη μέγιστη δανειοληπτική ικανότητα μιας συγκεκριμένης εγγύησης. Για παράδειγμα, εάν μια εγγύηση έχει LTV 75%, ο χρήστης μπορεί να δανειστεί έως και 0,75 ETH στο κύριο νόμισμα για κάθε 1 ETH αξίας εγγύησης.\",\"UiO4Hu\":[\"You'll need to wait \",[\"0\"],\" before you can unstake your tokens. This cooldown starts when you request to unstake. Once it ends, you can withdraw during the unstake window.\"],\"UpndFj\":\"Δεν υπάρχουν ανταμοιβές για διεκδίκηση\",\"V0f2Xv\":\"Reserve factor\",\"V1HK43\":\"Migration risks\",\"V7QGpc\":\"I understand the liquidation risk and want to proceed\",\"V7SFse\":[\"I confirm the swap knowing that I could lose up to <0>\",[\"0\"],\"% on this swap.\"],\"VATFH9\":\"Covered debt\",\"VHOVEJ\":\"Συνδέστε το πορτοφόλι\",\"VMfYUK\":\"Ασφάλεια των κατατεθειμένων εξασφαλίσεών σας έναντι των δανειζόμενων περιουσιακών στοιχείων και της υποκείμενης αξίας τους.\",\"VOAZJh\":\"Σύνολο δανείων\",\"ViKYxK\":\"ΥΠΕΡ\",\"VnQFYr\":\"Claiming all merit rewards only\",\"W1SSoD\":\"Αναθεώρηση λεπτομερειών συναλλαγής\",\"W5hVah\":\"Τίποτα δεν έχει παρασχεθεί ακόμη\",\"W5kTFy\":\"Voting\",\"WHrVwg\":\"Loading quote...\",\"WMJGls\":\"Estimated Costs & Fees\",\"WNGZwH\":\"Το E-Mode αυξάνει το LTV σας για μια επιλεγμένη κατηγορία περιουσιακών στοιχείων έως και <0/>. <1>Μάθετε περισσότερα\",\"WPWG/y\":\"Κατάσταση & διαμόρφωση αποθεματικού\",\"WS67YQ\":\"Let us know how we can help you. You may also consider joining our community\",\"WT188T\":\"Withdraw & Swap\",\"WZLQSU\":\"Ο χρήστης δεν μπορεί να κάνει ανάληψη μεγαλύτερη από το διαθέσιμο υπόλοιπο\",\"WaZyaV\":\"<0>Ampleforth is a rebasing asset. Visit the <1>documentation to learn more.\",\"WbTDwg\":\"In Progress\",\"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\":\"Για να δανειστείτε πρέπει να προσκομίσετε οποιοδήποτε περιουσιακό στοιχείο που θα χρησιμοποιηθεί ως εγγύηση.\",\"X/ITG9\":\"Κείμενο σφάλματος αντιγραφής\",\"X3Pp6x\":\"Χρησιμοποιείται ως εγγύηση\",\"X4Zt7j\":\"Η ενέργεια δεν μπορεί να εκτελεστεί επειδή η εφεδρεία βρίσκεται σε παύση\",\"X4tRM3\":[[\"0\"],\" \",[\"symbol\"],\" to continue\"],\"XBdKOj\":\"Representative smart contract wallet (ie. Safe) addresses on other chains.\",\"XPN5UR\":\"User denied the operation.\",\"XYLcNv\":\"Support\",\"XZzneG\":\"Θα βγείτε από τη λειτουργία απομόνωσης και άλλα tokens μπορούν πλέον να χρησιμοποιηθούν ως εγγύηση\",\"Xe5bTg\":\"Deposit APR\",\"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.\",\"XwKkg/\":\"Staked Underlying\",\"Xy+o6U\":\"For security reasons, limit orders are not supported for Native tokens. To place a limit order, use the wrapped version.\",\"Xy71ST\":\"Umbrella\",\"Y+hUcK\":\"Merit Program and Self rewards can be claimed\",\"Y46iXX\":\"The order could't be filled.\",\"Y5Orec\":\"Collateral options\",\"Y5kGkc\":\"ΨΗΦΙΣΤΕ ΚΑΤΑ\",\"YD+nXc\":\"Aave Shield\",\"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.\",\"Ya/che\":\"Stake token shares\",\"Ykj2Om\":\"Default slippage\",\"YogbCJ\":\"Testnet mode is ON\",\"YrDxdO\":\"Εάν το δάνειο προς αξία υπερβεί το όριο ρευστοποίησης, η παρεχόμενη εγγύηση σας μπορεί να ρευστοποιηθεί.\",\"YrcHPy\":\"VIEW\",\"YyIM65\":\"Δεν τηρήθηκαν οι όροι επανεξισορρόπησης των επιτοκίων\",\"YyydIq\":[\"Add \",[\"0\"],\" to wallet to track your balance.\"],\"Z3FXyt\":\"Loading...\",\"Z99M+T\":\"This is an off-chain operation. Keep in mind that a solver may already have filled your order.\",\"ZBvhI+\":\"Διακυβέρνηση Aave\",\"ZIIRAd\":\"Raw-Ipfs\",\"ZRq4tX\":\"Λειτουργία αποδοτικότητας (E-Mode)\",\"ZRuM45\":\"These are the estimated costs associated with your limit swap, including costs and fees. Consider these costs when setting your order amounts to help optimize execution and maximize your chances of filling the order.\",\"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\",\"aCgA+I\":\"E-Mode change\",\"aEtiwq\":\"Ψηφίστε ΚΑΤΑ\",\"aMmFE1\":\"Buy Crypto With Fiat\",\"aOKIms\":\"Οι παράμετροι της συστοιχίας που θα έπρεπε να είναι ίσου μήκους δεν είναι\",\"aQYztl\":[\"Repaying \",[\"0\"]],\"aXgo8+\":\"from the\",\"adUsDd\":\"An error has occurred fetching the proposal.\",\"afk1Wt\":[\"This asset can only be used as collateral in E-Mode: \",[\"0\"]],\"aoXTT7\":\"Δανεισμός APY, μεταβλητό\",\"aqX1Yp\":\"This asset is eligible for rewards through SuperFest. Aave Labs does not guarantee the program and accepts no liability.\",\"b4NS3e\":\"Προειδοποίηση περιόδου ψύξης\",\"bBHmeP\":\"Available to withdraw\",\"bNEQeI\":\"Cooldown\",\"bUUVED\":\"Περιουσιακό στοιχείο\",\"bXQ/Og\":\"Μοιραστείτε το στο twitter\",\"bXr0ee\":\"Τα απομονωμένα περιουσιακά στοιχεία έχουν περιορισμένη δανειοληπτική ικανότητα και άλλα περιουσιακά στοιχεία δεν μπορούν να χρησιμοποιηθούν ως εγγύηση.\",\"bYmAV1\":\"Addresses\",\"bYtb3C\":\"Network costs\",\"bguKoJ\":\"Το αιτούμενο ποσό είναι μεγαλύτερο από το μέγιστο μέγεθος δανείου στη λειτουργία σταθερού επιτοκίου\",\"bm/mjh\":\"This is a program initiated and implemented by the Aave Chan Initiative (ACI). Aave Labs does not guarantee the program and accepts no liability.\",\"bq0uL+\":\"supply\",\"bwSQI0\":\"Προσφορά\",\"bxN6EM\":\"Cannot disable E-Mode\",\"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.\",\"cc6gEH\":\"Incentives APR\",\"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\"]],\"cqwIvs\":\"Συζήτηση φόρουμ\",\"csDS2L\":\"Διαθέσιμο\",\"cu7Stb\":\"Δεν συμμετείχατε στην παρούσα πρόταση\",\"cuxGZP\":\"Low health factor after swap. Your position will carry a higher risk of liquidation.\",\"d9YZVR\":\"Principle Tokens\",\"dE6BLF\":\"Διακυβέρνηση\",\"dEgA5A\":\"Cancel\",\"dIsyWh\":\"Η επικύρωση του Ltv απέτυχε\",\"dOB5nW\":[\"Maximum amount available to supply is <0/> \",[\"0\"],\" (<1/>).\"],\"dVfODp\":\"Δεν έχετε αρκετά χρήματα στο πορτοφόλι σας για να αποπληρώσετε ολόκληρο το ποσό. Εάν προχωρήσετε στην αποπληρωμή με το τρέχον ποσό των χρημάτων σας, θα εξακολουθείτε να έχετε μια μικρή θέση δανεισμού στο ταμπλό σας.\",\"dXUQFX\":\"Περιουσιακά στοιχεία προς δανεισμό\",\"dYG3JG\":\"Data couldn't be loaded.\",\"dZQvSq\":\"Please review the swap values before confirming.\",\"dfDzrk\":[\"Supply cap reached for \",[\"symbol\"],\". Reduce the amount or choose a different asset.\"],\"dgFOcr\":\"L1 Networks\",\"dgr1aY\":\"Borrowing is disabled due to an Aave community decision. <0>More details\",\"djsg0o\":\"Χρησιμοποίηση εγγυήσεων\",\"drdV8R\":\"Liquidation\",\"dxW8cS\":\"Aave debt token\",\"e/ghIe\":[\"This transaction will enable E-Mode (\",[\"0\"],\"). Borrowing will be restricted to assets within this category.\"],\"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\",\"eQ0Wu0\":\"Please connect a wallet to view your balance here.\",\"eVpCmf\":\"Staking Rewards\",\"eVqvtf\":\"Bridge GHO\",\"eYdurp\":\"No transactions yet.\",\"ebLGGN\":\"Σύνολο δανεικών\",\"ecqEvn\":\"Το υπόλοιπο των εγγυήσεων είναι 0\",\"edXiYw\":[\"You've successfully swapped \",[\"0\"],\".\"],\"efdrrk\":\"Available on\",\"enruNF\":\"starts\",\"eqLYiD\":\"Ξεκλειδώστε τώρα\",\"evw5ha\":\"Καθαρή αξία\",\"ezcU16\":\"Get ABP Token\",\"f2e3vu\":[\"Deposit GHO into savings GHO (sGHO) and earn <0>\",[\"0\"],\"% APY on your GHO holdings. There are no lockups, no rehypothecation, and you can withdraw anytime. Simply deposit GHO, receive sGHO tokens representing your balance, and watch your savings grow earning claimable rewards from merit.\"],\"f3W0Ej\":[\"Αλλάξατε σε ποσοστό \",[\"0\"]],\"fMJQZK\":\"Borrowed\",\"fZ5Vnu\":\"Received\",\"firl9Q\":\"Το τρέχον δάνειο προς αξία με βάση τις παρεχόμενες εξασφαλίσεις σας.\",\"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\",\"g4Ius4\":\"This is the fee for executing position changes, set by governance.\",\"g8KGoA\":\"FAQS\",\"g9zzqS\":\"Voted NAY\",\"gDd2gk\":\"about SuperFest.\",\"gIMJlW\":\"Λειτουργία Testnet\",\"gK+IvE\":\"Withdraw and Swap\",\"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\",\"gjxiVa\":[\"This swap has a price impact of \",[\"0\"],\"%, which exceeds the 25% safety threshold. To proceed, disable Aave Shield in the settings menu.\"],\"goff7V\":\"Η μηδενική διεύθυνση δεν είναι έγκυρη\",\"gvTM4B\":\"Το καθαρό ΑΡΥ είναι η συνδυασμένη επίδραση όλων των θέσεων προσφοράς και δανεισμού στην καθαρή αξία, συμπεριλαμβανομένων των κινήτρων. Είναι δυνατόν να υπάρχει αρνητικό καθαρό APY εάν το χρεωστικό APY είναι υψηλότερο από το προσφερόμενο APY.\",\"gzcch9\":\"Μη έγκυρη αμοιβή πρωτοκόλλου γέφυρας\",\"h33MxW\":\"Representing smart contract wallet (ie. Safe) addresses on other chains.\",\"h3ilK+\":\".CSV\",\"h5hG6q\":\"This is the cost of settling your order on-chain, including gas and any LP fees.\",\"hB23LY\":\"Activate Cooldown\",\"hIJzBh\":\"Available to Claim\",\"hIS4N0\":\"Καθαρό APY\",\"hQRttt\":\"Submit\",\"hRWvpI\":\"Claimed\",\"hb8ajh\":\"Debt Swap\",\"hdmy/o\":\"Το % της συνολικής δανειοληπτικής σας δύναμης που χρησιμοποιείται. Αυτό βασίζεται στο ποσό της παρεχόμενης εξασφάλισής σας και στο συνολικό ποσό που μπορείτε να δανειστείτε.\",\"hehnjM\":\"Ποσό\",\"hjDCQr\":\"Υπήρξε κάποιο σφάλμα. Προσπαθήστε να αλλάξετε τις παραμέτρους ή <0><1>αντιγράψτε το σφάλμα\",\"hom7qf\":\"Διεκδίκηση\",\"hpHJ4I\":\"Liquidated collateral\",\"hrhwub\":\"dashboard\",\"huQ6Tz\":[\"Δανεισμός \",[\"symbol\"]],\"hxYu+F\":\"Borrow: All eligible assets\",\"i/fZ2Z\":\"Staked Balance\",\"i9qiyR\":\"Expires in\",\"iB5+/J\":\"About GHO\",\"iChbOF\":\"Ασυνεπείς παράμετροι flashloan\",\"iEPVHF\":\"Δεν έχει αρκετή δύναμη ψήφου για να συμμετάσχει στην παρούσα πρόταση\",\"iEW87X\":\"Delegated power\",\"iEju36\":[\"Ψηφίσατε \",[\"0\"]],\"iFq2YN\":\"Borrowable\",\"iGxyIA\":\"Safety Module\",\"iIuDE1\":\"Estimated weekly rewards based on your current sGHO balance and APR. Actual rewards may vary depending on market conditions.\",\"iKfD53\":\"Transaction history for Plasma not supported yet, coming soon.\",\"iMVZk9\":\"Select slippage tolerance\",\"iNYgey\":\"Get Support\",\"iPMIoT\":\"Εισάγετε ένα ποσό\",\"iSLIjg\":\"Connect\",\"iUo5rv\":\"tokens δεν είναι το ίδιο με το να τα κλειδώνετε. Εάν επιθυμείτε να κλειδώσετε τα\",\"iZxa38\":\"Use it to vote for or against active proposals.\",\"iboNXd\":\"Amount received\",\"iddNqA\":\"This transaction will disable E-Mode. All assets will revert to their base LTV and liquidation thresholds.\",\"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\"],\"ih/VjN\":\"Staking this amount will reduce your health factor and increase risk of liquidation.\",\"il0sEG\":\"H χρήση εγγυήσεων είναι περιορισμένη λόγω της λειτουργίας Απομόνωσης.\",\"j+K1Xj\":\"Amount After Fee\",\"j4SXZo\":\"Claim all merit rewards\",\"j7JHV+\":\"Total APY\",\"j8cF1R\":\"Cooling down\",\"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\",\"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.\",\"jZkYWO\":\"Boosted LTV\",\"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 για να αποκτήσετε πρόσβαση σε όλα τα περιουσιακά στοιχεία\",\"jqVo/k\":\"here.\",\"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\"],\"kMi0nz\":\"sGHO Merit APY History\",\"kN1Yg5\":\"Για την εξόφληση εκ μέρους ενός χρήστη απαιτείται ένα ρητό ποσό προς εξόφληση\",\"kRTD40\":[\"Repayment amount to reach \",[\"0\"],\"% utilization\"],\"kgKqPv\":\"You can not stake this amount because it will cause collateral call\",\"kj3M8S\":\"Deposit\",\"kjN9tT\":\"Υπέρβαση του ανώτατου ορίου προσφοράς\",\"kn+s7w\":[[\"0\"],\" collateral would have 0% LTV without E-Mode. Disable \",[\"1\"],\" as collateral to use this option.\"],\"knxE+G\":\".JSON\",\"ks2LWT\":\"Το ανώτατο όριο χρέους δεν είναι μηδενικό\",\"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.\",\"kzeZTm\":\"LTV\",\"lCF0wC\":\"Refresh\",\"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.\",\"lXb3Ih\":[\"This asset has 0 LTV and cannot be used as collateral. Enable an E-Mode to use \",[\"symbol\"],\" as collateral.\"],\"lXj2Sq\":\"Repay with Collateral\",\"lYGfRP\":\"Αγγλικά\",\"lfEjIE\":\"Μάθετε περισσότερα στον οδηγό <0>Συχνών Ερωτήσεων\",\"ljF4ko\":\"The selected rate is lower than the market price. You might incur a loss if you proceed.\",\"lqCWte\":[\"Deposit GHO and earn \",[\"0\"],\"% APY\"],\"lu7f+8\":\"Blocked by Shield\",\"m/IEhi\":\"Συνολικές εκπομπές ανά ημέρα\",\"m7r7Hh\":\"Selected borrow assets\",\"mDDK4p\":\"Balancer Pool\",\"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.\"],\"me5LMQ\":\"Checking approval\",\"mogZv0\":\"Favourite\",\"muiOng\":[\"Buy \",[\"cryptoSymbol\"],\" with Fiat\"],\"mvCXBY\":\"Stake AAVE\",\"mwdzil\":\"Εντάξει, Κλείσιμο\",\"mzDAU3\":\"Savings GHO (sGHO)\",\"mzdIia\":\"Το περιουσιακό στοιχείο δεν μπορεί να χρησιμοποιηθεί ως εγγύηση.\",\"n+SX4g\":\"Προγραμματιστές\",\"n1na81\":\"No eligible assets to swap.\",\"n4PWtp\":\"Depositing\",\"nJIhzm\":\"Προσφορά apy\",\"nJgsQu\":\"Με δύναμη ψήφου <0/>\",\"nLC6tu\":\"Γαλλικά\",\"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\",\"nPGNMh\":\"Μπορεί να εκτελεστεί\",\"nUK1ou\":[\"Assets with zero LTV (\",[\"0\"],\") must be withdrawn or disabled as collateral to perform this action\"],\"neITkT\":\"This asset has 0% LTV, meaning it does not contribute to borrowing power. Existing positions with this asset as collateral still count toward the liquidation threshold and protect your health factor. New positions cannot enable this asset as collateral.\",\"njBeMm\":\"Both\",\"ntyFSE\":[[\"h\"],\"ω\"],\"nwIsn4\":\"After the cooldown is initiated, you will be able to withdraw your assets immediatley.\",\"nweCqF\":\"Cancelling order...\",\"nwtY4N\":\"Something went wrong\",\"nxyWvj\":\"Withdrawing this amount will reduce your health factor and increase risk of liquidation.\",\"o17QVP\":\"Ο συντελεστής υγείας και το δάνειο προς αξία καθορίζουν τη διασφάλιση των εξασφαλίσεών σας. Για να αποφύγετε τις ρευστοποιήσεις μπορείτε να παράσχετε περισσότερες εξασφαλίσεις ή να εξοφλήσετε δανειακές θέσεις.\",\"o1xc2V\":\"Η προσφορά AToken δεν είναι μηδενική\",\"o5ooMr\":\"Χρέος\",\"o7J4JM\":\"Φίλτρο\",\"o7Yloh\":\"Learn more about the Ether.fi program\",\"oHFrpj\":\"Ψύξτε για ξεκλείδωμα\",\"oJ5ZiG\":\"Ο χρήστης δεν έχει ανεξόφλητο χρέος μεταβλητού επιτοκίου σε αυτό το αποθεματικό\",\"oUwXhx\":\"Test Assets\",\"oWQnqT\":\"Staking this asset will earn the underlying asset supply yield in addition to other configured rewards.\",\"oWklJD\":\"Το σταθερό επιτόκιο θα <0>μείνει το ίδιο για όλη τη διάρκεια του δανείου σας. Συνιστάται για μακροχρόνιες περιόδους δανεισμού και για χρήστες που προτιμούν την προβλεψιμότητα.\",\"odnIK3\":\"Time remaining until the 48 hour withdraw period starts.\",\"ogU9GD\":\"Target liquidity\",\"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.\",\"om/XHs\":\"Διαθέσιμο για προμήθεια\",\"omq5qJ\":\"Claiming all protocol rewards and merit rewards together\",\"ovBPCi\":\"Default\",\"ovT1pF\":[\"Per the community, the \",[\"market\"],\" has been frozen.\"],\"ow3fug\":\"Nothing found\",\"owSsI3\":\"Signatures ready\",\"p+R52m\":\"Go to Balancer Pool\",\"p2S64u\":\"The loan to value of the migrated positions would cause liquidation. Increase migrated collateral or reduce migrated borrow to continue.\",\"p2Z2Qi\":\"Αυτό το περιουσιακό στοιχείο έχει φθάσει στο ανώτατο όριο δανεισμού του. Τίποτα δεν είναι διαθέσιμο για δανεισμό από αυτή την αγορά.\",\"p45alK\":\"Set up delegation\",\"pDgeaz\":[[\"title\"]],\"pdZqBk\":\"Το υποκείμενο υπόλοιπο πρέπει να είναι μεγαλύτερο από 0\",\"pgWG9H\":\"Δεν υπάρχει αρκετό κλειδωμένο υπόλοιπο\",\"ph9+uj\":[\"Switching to \",[\"networkName\"],\"...\"],\"piPrJ7\":\"παρακαλούμε ελέγξτε ότι το ποσό που θέλετε να παρέχετε δεν χρησιμοποιείται επί του παρόντος για κλείδωμα. Εάν χρησιμοποιείται για κλείδωμα, η συναλλαγή σας ενδέχεται να αποτύχει.\",\"pjO/iH\":\"Minimum amount received\",\"pooutM\":\"Voting is on\",\"pqaM5s\":\"Confirming transaction\",\"ptaxX3\":[\"Καταλαβαίνω πώς λειτουργεί η ψύξη (\",[\"0\"],\") και το ξεκλείδωμα (\",[\"1\"],\")\"],\"pup/ej\":\"Net Protocol Incentives\",\"py2iiY\":\"Ο καλών αυτής της συνάρτησης πρέπει να είναι ένα κοινόχρηστο ταμείο\",\"q/51mF\":\"Migrate to V3\",\"q3df11\":\"Interest rate strategy\",\"q6lAbz\":\"Κλειδωμένο\",\"qB4kPi\":\"Προσφορά APY\",\"qENI8q\":\"Γενικές ρυθμίσεις\",\"qGz5zl\":\"Collateral balance after repay\",\"qKfida\":\"Staked tokens are wrapped and use an exchange rate. You may see fewer token shares, but the value matches your deposit and will grow as yield accrues.\",\"qOqbD6\":\"αντιγράψτε το σφάλμα\",\"qXCkEM\":\"Συνδέστε το πορτοφόλι σας για να δείτε τις προμήθειες, τα δάνεια και τις ανοιχτές θέσεις σας.\",\"qY2jnw\":\"Μη έγκυρη λήξη\",\"qhhf9L\":\"Rewards available to claim\",\"qtS7wW\":\"Thank you for voting\",\"quYPUU\":\"Variable interest rate will <0>fluctuate based on the market conditions.\",\"quzIeW\":\"User is in isolation mode or LTV is zero\",\"qvnz3q\":\"Μη έγκυρη ποσότητα προς καύση\",\"qz6JVE\":[\"Your order amounts are \",[\"0\"],\" less favorable by \",[\"1\"],\"% to the liquidity provider than recommended. This order may not be executed.\"],\"qz9c6b\":[\"Repaying \",[\"0\"],\" with \",[\"1\"]],\"qzFp5D\":\"All Categories\",\"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\",\"riNWOA\":\"E-Mode\",\"rjGI/Q\":\"Privacy\",\"rnKPW1\":\"Watch a wallet balance in read-only mode\",\"rojvRp\":\"Approval by signature not available\",\"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\",\"t/ct9N\":\"Auto Slippage\",\"tBIz3I\":[\"Supply \",[\"0\"],\" and double your yield by <0><1>verifying your humanity through Self for \",[\"1\"],\" per user.\"],\"tCnbEs\":\"Τιμή Oracle\",\"tFZLf8\":\"Αυτός ο υπολογισμός gas είναι μόνο μια εκτίμηση. Το πορτοφόλι σας θα καθορίσει την τιμή της συναλλαγής. Μπορείτε να τροποποιήσετε τις ρυθμίσεις gas απευθείας από τον πάροχο του πορτοφολιού σας.\",\"tHuvQI\":\"Go to V3 Dashboard\",\"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\"],\"tVJk4q\":\"Cancel order\",\"te9Bfl\":\"Παρακαλώ, συνδέστε το πορτοφόλι σας\",\"tj6dr4\":\"Merit Program rewards can be claimed\",\"tt5yma\":\"Οι προμήθειές σας\",\"tw6G0s\":[\"You must disable \",[\"0\"],\" as collateral before exiting E-Mode. These assets have 0 LTV outside of E-Mode and cannot be used as collateral.\"],\"u3ZeYl\":\"Η συναλλαγή απέτυχε\",\"u706uF\":\"Άκυρη πριμοδότηση flashloan\",\"u8Gfu7\":[\"No search results\",[\"0\"]],\"uAQUqI\":\"Status\",\"uGG4Lk\":\"Claim all protocol rewards\",\"uHMwk8\":\"No assets selected to migrate.\",\"uI3SjW\":\"Connection Error\",\"uJOI6M\":\"Tip: Try improving your order parameters\",\"uJPHuY\":\"Migrating\",\"uRXR6h\":[\"Swap \",[\"0\"],\" debt\"],\"uZiu4N\":\"There is an active order for the same sell asset (avoid nonce reuse).\",\"udFheE\":\"Για την αποπληρωμή ενός συγκεκριμένου τύπου χρέους, ο χρήστης πρέπει να έχει χρέος αυτού του τύπου\",\"ulNuNq\":\"Export data to\",\"ulup2p\":\"Buy Crypto with Fiat\",\"usB84Z\":\"Maximum amount available to borrow is limited because protocol borrow cap is nearly reached.\",\"uyLjNw\":\"Custom slippage\",\"v+Fu0z\":\"This asset is eligible for Kernel points incentive program. Aave Labs does not guarantee the program and accepts no liability.\",\"v0CIlJ\":\"You have no rewards to claim at this time.\",\"v8x7Mg\":\"Insufficient collateral to cover new borrow position. Wallet must have borrowing power remaining to perform debt switch.\",\"vEqxH9\":\"Restaked\",\"vH2C/2\":\"Swap\",\"vLyv1R\":\"Απόκρυψη\",\"vMba49\":\"Ο δανεισμός δεν είναι ενεργοποιημένος\",\"vMpNwt\":\"Approve with\",\"vNAHA2\":\"PTs\",\"vXIe7J\":\"Γλώσσα\",\"vesuBJ\":\"Σας επιτρέπει να αποφασίσετε αν θα χρησιμοποιήσετε ένα παρεχόμενο περιουσιακό στοιχείο ως εγγύηση. Ένα περιουσιακό στοιχείο που χρησιμοποιείται ως εγγύηση θα επηρεάσει τη δανειοληπτική σας ικανότητα και τον συντελεστή υγείας.\",\"vv7kpg\":\"Cancelled\",\"w+V9Cx\":\"Σταθερό νόμισμα\",\"w/JtJ3\":\"Η σταθερή προσφορά χρέους δεν είναι μηδενική\",\"w1f8Ky\":\"Savings GHO\",\"w4VBY+\":\"Ανταμοιβές APR\",\"w9dLMW\":[[\"label\"]],\"wAOL+X\":[\"Εσείς \",[\"action\"],\" <0/> \",[\"symbol\"]],\"wBIsjb\":\"Discord channel\",\"wQZbc/\":\"Ο καλών της συνάρτησης δεν είναι AToken\",\"wRRqvW\":\"Δεν έχετε προμήθειες σε αυτό το νόμισμα\",\"wZFvVU\":\"ΨΗΦΙΣΤΕ ΥΠΕΡ\",\"wapGcj\":[[\"message\"]],\"wb/r1O\":[\"Βρύση \",[\"0\"]],\"wdxz7K\":\"Source\",\"weC8IO\":\"All Rewards\",\"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.\",\"wjFWDB\":\"No markets found\",\"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\",\"wuMdlk\":[\"This asset is eligible for \",[\"0\"],\" Sonic Rewards.\"],\"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.\",\"x+QJ9y\":[\"Category \",[\"selectedEmodeId\"]],\"x0TRLG\":[\"Repay your \",[\"0\"],\" \",[\"1\",\"plural\",{\"one\":\"borrow\",\"other\":\"borrows\"}],\" to use this category.\"],\"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\"]],\"yRkqG9\":\"Limit\",\"yYHqJe\":\"Μη έγκυρη διεύθυνση\",\"yZ5ngq\":\"Transaction details not available\",\"yZwLw6\":\"Track wallet\",\"yh2sjd\":[\"Price impact \",[\"0\"],\"%\"],\"yhvj6d\":\"Δεν μπορείτε να αλλάξετε τη χρήση ως λειτουργία εγγύησης για αυτό το νόμισμα, διότι θα προκαλέσει κλήση εγγύησης\",\"ylmtBZ\":\"The app is running in fork mode.\",\"ymNY32\":[\"Δεν υπάρχουν αρκετά κεφάλαια στο\",[\"0\"],\"αποθεματικό για δανεισμό\"],\"yv/Kz/\":\"Back home\",\"yz7wBu\":\"Κλείσιμο\",\"z4uGQg\":\"Υπέρβαση του ανώτατου ορίου χρέους\",\"z5JUmg\":[\"Estimated costs are \",[\"0\"],\"% of the sell amount. This order is unlikely to be filled.\"],\"z5UQOM\":\"Η εγγύηση που έχει επιλεγεί δεν μπορεί να ρευστοποιηθεί\",\"z5Y+p6\":[\"Παροχή \",[\"symbol\"]],\"zCjNKs\":\"Η ενέργεια δεν μπορεί να εκτελεστεί επειδή το αποθεματικό έχει παγώσει\",\"zNgzxM\":\"Excludes variable supply APY\",\"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\",\"zZmf1N\":\"Filled\",\"zgtIDV\":\"Υπολειπόμενο χρέος\",\"zmTPiV\":\"Υπόλοιπο προσφοράς\",\"zpPbZl\":\"Liquidation risk parameters\",\"zqp4Tm\":\"Unable to Connect\",\"zr58Jd\":\"Umbrella is the upgraded version of the Safety Module. Manage your previously staked assets\",\"zucql+\":\"Μενού\",\"zv/j10\":[\"Active \",[\"0\"],\" borrow is not compatible with this category. Repay your \",[\"1\"],\" borrow to use this option.\"],\"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.\"}")}; \ No newline at end of file diff --git a/src/locales/el/messages.po b/src/locales/el/messages.po index a6253fd09e..e7c619cf09 100644 --- a/src/locales/el/messages.po +++ b/src/locales/el/messages.po @@ -19,11 +19,21 @@ msgstr "" "X-Crowdin-File-ID: 46\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 "Εάν ΔΕΝ ξεκλειδώσετε εντός {0} του παραθύρου ξεκλειδώματος, θα πρέπει να ενεργοποιήσετε ξανά τη διαδικασία ψύξης." -#: src/components/transactions/Withdraw/WithdrawAndSwitchModalContent.tsx -msgid "Receive (est.)" +#: src/modules/umbrella/StakeAssets/StakeAssetName.tsx +msgid "Reward APY at target liquidity" +msgstr "" + +#: src/layouts/SupportModal.tsx +msgid "Thank you for submitting your inquiry!" +msgstr "" + +#: src/modules/markets/Gho/GhoBanner.tsx +#: src/modules/markets/Gho/GhoBanner.tsx +msgid "Save with sGHO" msgstr "" #: src/components/incentives/EthenaIncentivesTooltipContent.tsx @@ -32,38 +42,49 @@ msgstr "" msgid "Aave Labs does not guarantee the program and accepts no liability." msgstr "" -#: src/components/transactions/DebtSwitch/DebtSwitchModalContent.tsx -msgid "You've successfully swapped borrow position." +#: src/modules/reserve-overview/AddTokenDropdown.tsx +msgid "Savings GHO token" msgstr "" #: src/components/incentives/IncentivesTooltipContent.tsx msgid "Participating in this {symbol} reserve gives annualized rewards." msgstr "Η συμμετοχή σε αυτό το αποθεματικό {symbol} δίνει ετήσιες ανταμοιβές." +#: src/modules/reserve-overview/ReserveEModePanel.tsx +msgid "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 restrictions, see the <1>help guide or the <2>Aave V3 Technical Paper." +msgstr "" + #: src/modules/governance/DelegatedInfoPanel.tsx msgid "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." msgstr "" -#: src/components/transactions/Warnings/ChangeNetworkWarning.tsx -msgid "Seems like we can't switch the network automatically. Please check if you can change it from the wallet." -msgstr "Φαίνεται ότι δεν μπορούμε να αλλάξουμε το δίκτυο αυτόματα. Ελέγξτε αν μπορείτε να το αλλάξετε από το πορτοφόλι." - #: src/modules/reserve-overview/BorrowInfo.tsx msgid "Borrow cap" msgstr "Ανώτατο όριο δανεισμού" -#: src/components/transactions/Swap/SwapModalContent.tsx -msgid "Supplied asset amount" -msgstr "" - #: src/components/transactions/Bridge/BridgeModalContent.tsx msgid "Estimated time" msgstr "" #: src/components/transactions/StakeCooldown/StakeCooldownModalContent.tsx +#: src/modules/umbrella/StakeCooldownModalContent.tsx msgid "Remind me" msgstr "" +#: src/modules/umbrella/helpers/StakedUnderlyingTooltip.tsx +msgid "Total amount of underlying assets staked. This number represents the combined sum of your original asset and the corresponding aTokens staked in Umbrella." +msgstr "" + +#: src/components/transactions/ClaimRewards/ClaimRewardsModalContent.tsx +#: src/components/transactions/ClaimRewards/ClaimRewardsModalContent.tsx +#: src/components/transactions/ClaimRewards/RewardsSelect.tsx +msgid "Protocol Rewards" +msgstr "" + +#: src/modules/umbrella/helpers/ApyTooltip.tsx +msgid "Reward APY adjusts with total staked amount, following a curve that targets optimal staking levels." +msgstr "" + #: src/components/transactions/StakingMigrate/StakingMigrateModalContent.tsx msgid "Amount to migrate" msgstr "" @@ -72,16 +93,16 @@ msgstr "" msgid "Borrowing this amount will reduce your health factor and increase risk of liquidation." msgstr "" -#: src/components/transactions/FlowCommons/BaseWaiting.tsx -msgid "In progress" +#: src/components/transactions/TxActionsWrapper.tsx +msgid "{0} {symbol}..." msgstr "" -#: src/modules/reserve-overview/ReserveEModePanel.tsx -msgid "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." +#: src/components/transactions/FlowCommons/BaseWaiting.tsx +msgid "In progress" msgstr "" -#: src/modules/reserve-overview/Gho/GhoDiscountCalculator.tsx -msgid "Minimum staked Aave amount" +#: src/modules/umbrella/StakeCooldownModalContent.tsx +msgid "Amount available to unstake" msgstr "" #: src/components/transactions/Bridge/BridgeDestinationInput.tsx @@ -93,10 +114,16 @@ msgstr "" msgid "FAQ" msgstr "ΣΥΧΝΕΣ ΕΡΩΤΗΣΕΙΣ" +#: src/modules/sGho/SavingsGhoCard.tsx +msgid "Deposit GHO and earn up to <0>{0}% APY" +msgstr "" + #: src/ui-config/errorMapping.tsx msgid "Stable borrowing is not enabled" msgstr "Ο σταθερός δανεισμός δεν είναι ενεργοποιημένος" +#: src/components/transactions/ClaimRewards/ClaimRewardsModalContent.tsx +#: src/components/transactions/ClaimRewards/ClaimRewardsModalContent.tsx #: src/components/transactions/ClaimRewards/ClaimRewardsModalContent.tsx msgid "Total worth" msgstr "Συνολική αξία" @@ -105,12 +132,8 @@ msgstr "Συνολική αξία" msgid "User did not borrow the specified currency" msgstr "Ο χρήστης δεν δανείστηκε το καθορισμένο νόμισμα" -#: src/components/transactions/DebtSwitch/DebtSwitchModalContent.tsx -msgid "There is not enough liquidity for the target asset to perform the switch. Try lowering the amount." -msgstr "" - -#: src/components/Warnings/CooldownWarning.tsx -msgid "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" +#: pages/404.page.tsx +msgid "We suggest you go back to the home page." msgstr "" #: src/modules/history/HistoryFilterMenu.tsx @@ -121,7 +144,7 @@ msgstr "" msgid "Sorry, we couldn't find the page you were looking for." msgstr "" -#: src/components/transactions/Switch/SwitchAssetInput.tsx +#: src/components/transactions/Swap/inputs/primitives/SwapAssetInput.tsx msgid "Select token" msgstr "" @@ -137,6 +160,10 @@ msgstr "" msgid "Current v2 Balance" msgstr "" +#: src/components/incentives/MeritIncentivesTooltipContent.tsx +msgid "Reward Token" +msgstr "" + #: src/modules/history/HistoryFilterMenu.tsx #: src/modules/migration/MigrationList.tsx #: src/modules/migration/MigrationListMobileItem.tsx @@ -151,6 +178,11 @@ msgstr "Αυτό είναι το συνολικό ποσό που μπορείτ msgid "This asset is eligible for {0} Ethena Rewards." msgstr "" +#: src/components/transactions/Swap/actions/RepayWithCollateral/RepayWithCollateralActionsViaParaswap.tsx +#: src/components/transactions/Swap/actions/RepayWithCollateral/RepayWithCollateralActionsViaParaswap.tsx +msgid "Repay {0}" +msgstr "" + #: src/modules/history/PriceUnavailable.tsx msgid "Price data is not currently available for this reserve on the protocol subgraph" msgstr "" @@ -159,15 +191,25 @@ msgstr "" msgid "Transaction history" msgstr "" -#: src/components/transactions/TxActionsWrapper.tsx -msgid "Approving {symbol}..." -msgstr "Έγκριση του {symbol}..." +#: src/modules/umbrella/UmbrellaHeader.tsx +msgid "Learn more about the risks." +msgstr "" #: src/modules/governance/UserGovernanceInfo.tsx #: src/modules/reserve-overview/ReserveActions.tsx msgid "Please connect a wallet to view your personal information here." msgstr "Παρακαλούμε συνδέστε ένα πορτοφόλι για να δείτε τις προσωπικές σας πληροφορίες εδώ." +#: src/components/transactions/Repay/RepayModalContent.tsx +#: src/components/transactions/Swap/warnings/postInputs/USDTResetWarning.tsx +#: src/components/transactions/Warnings/USDTResetWarning.tsx +msgid "USDT on Ethereum requires approval reset before a new approval. This will require an additional transaction." +msgstr "" + +#: src/modules/umbrella/AmountSharesItem.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 "" + #: src/modules/dashboard/lists/SupplyAssetsList/SupplyAssetsListItem.tsx msgid "..." msgstr "" @@ -176,16 +218,16 @@ msgstr "" msgid "Liquidation <0/> threshold" msgstr "Ρευστοποίηση <0/> κατώτατο όριο" -#: src/components/transactions/Withdraw/WithdrawAndSwitchActions.tsx -msgid "Withdrawing and Switching" +#: src/modules/reserve-overview/SupplyInfo.tsx +msgid "Asset supply is limited to a certain amount to reduce protocol exposure to the asset and to help manage risks involved." msgstr "" -#: src/modules/markets/Gho/GhoBanner.tsx -msgid "Borrow rate" +#: src/components/transactions/CancelCowOrder/CancelCowOrderModalContent.tsx +msgid "Cancellation submited" msgstr "" -#: src/modules/reserve-overview/SupplyInfo.tsx -msgid "Asset supply is limited to a certain amount to reduce protocol exposure to the asset and to help manage risks involved." +#: src/components/transactions/Supply/SupplyModalContent.tsx +msgid "This transaction will switch E-Mode from {0} to {1}. Borrowing will be restricted to assets within the new category." msgstr "" #: src/modules/markets/Gho/GhoBanner.tsx @@ -202,12 +244,20 @@ msgstr "Περισσότερα" msgid "Available liquidity" msgstr "Διαθέσιμη ρευστότητα" +#: src/components/transactions/Swap/modals/CollateralSwapModal.tsx +msgid "Please connect your wallet to swap collateral." +msgstr "" + #: src/components/infoTooltips/MigrationDisabledTooltip.tsx msgid "Asset cannot be migrated due to supply cap restriction in {marketName} v3 market." msgstr "" -#: src/components/AddressBlockedModal.tsx -msgid "Blocked Address" +#: src/components/transactions/FlowCommons/Error.tsx +msgid "Need help? Our support team can assist." +msgstr "" + +#: src/modules/sGho/SavingsGhoCard.tsx +msgid "Initiate Withdraw" msgstr "" #: src/components/incentives/EtherfiIncentivesTooltipContent.tsx @@ -222,25 +272,25 @@ msgstr "" msgid "Please enter a valid wallet address." msgstr "" -#: src/modules/markets/Gho/GhoBanner.tsx -msgid "Meet GHO" -msgstr "" - #: 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 "" -#: src/components/transactions/Swap/SwapModalContent.tsx -msgid "Supply cap on target reserve reached. Try lowering the amount." -msgstr "Επίτευξη του ανώτατου ορίου εφοδιασμού στο αποθεματικό-στόχο. Δοκιμάστε να \n" -"μειώσετε την ποσότητα." +#: src/modules/sGho/SGhoDepositPanel.tsx +#: src/modules/sGho/SGhoHeader.tsx +msgid "Total Deposited" +msgstr "" #: src/modules/staking/BuyWithFiatModal.tsx msgid "{0}{name}" msgstr "" +#: src/components/TopInfoPanel/PageTitle.tsx +msgid "Favourited" +msgstr "" + #: src/ui-config/errorMapping.tsx msgid "Stable borrowing is enabled" msgstr "Ο σταθερός δανεισμός είναι ενεργοποιημένος" @@ -260,8 +310,9 @@ msgstr "Δανεισμός {symbol}" msgid "Total supplied" msgstr "Σύνολο παρεχόμενων" -#: src/components/transactions/Withdraw/WithdrawAndSwitchModalContent.tsx +#: src/components/transactions/Swap/details/WithdrawAndSwapDetails.tsx #: src/components/transactions/Withdraw/WithdrawModalContent.tsx +#: src/modules/umbrella/UmbrellaModalContent.tsx msgid "Remaining supply" msgstr "Υπολειπόμενη προσφορά" @@ -269,15 +320,15 @@ msgstr "Υπολειπόμενη προσφορά" msgid "There is not enough collateral to cover a new borrow" msgstr "Δεν υπάρχουν επαρκείς εξασφαλίσεις για την κάλυψη ενός νέου δανείου" +#: src/components/transactions/ClaimRewards/ClaimRewardsModalContent.tsx +msgid "{0} Balance{1}" +msgstr "" + #: src/components/transactions/Supply/SupplyActions.tsx #: src/components/transactions/Supply/SupplyWrappedTokenActions.tsx msgid "Supply {symbol}" msgstr "Προσφορά {symbol}" -#: src/modules/reserve-overview/Gho/GhoInterestRateGraph.tsx -msgid "Total interest accrued" -msgstr "" - #: src/components/transactions/Emode/EmodeModalContent.tsx #: src/components/transactions/Emode/EmodeModalContent.tsx #: src/modules/migration/MigrationList.tsx @@ -290,8 +341,6 @@ msgstr "Μέγιστο LTV" #: src/components/transactions/Repay/RepayModal.tsx #: src/modules/dashboard/lists/BorrowedPositionsList/BorrowedPositionsListItem.tsx #: src/modules/dashboard/lists/BorrowedPositionsList/BorrowedPositionsListItem.tsx -#: src/modules/dashboard/lists/BorrowedPositionsList/GhoBorrowedPositionsListItem.tsx -#: src/modules/dashboard/lists/BorrowedPositionsList/GhoBorrowedPositionsListItem.tsx #: src/modules/history/actions/ActionDetails.tsx #: src/modules/history/HistoryFilterMenu.tsx msgid "Repay" @@ -301,6 +350,8 @@ msgstr "Αποπληρωμή" msgid "The weighted average of APY for all supplied assets, including incentives." msgstr "Ο σταθμισμένος μέσος όρος του APY για όλα τα παρεχόμενα περιουσιακά στοιχεία, συμπεριλαμβανομένων των κινήτρων." +#: src/modules/sGho/SGhoDepositPanel.tsx +#: src/modules/staking/GhoStakingPanel.tsx #: src/modules/staking/StakingPanel.tsx msgid "You can only withdraw your assets from the Security Module after the cooldown period ends and the unstake window is active." msgstr "Μπορείτε να αποσύρετε τα περιουσιακά σας στοιχεία από τη Μονάδα Ασφαλείας μόνο αφού λήξει η περίοδος αναμονής και το παράθυρο ξεκλειδώματος είναι ενεργό." @@ -330,21 +381,35 @@ msgstr "" msgid "Maximum available to borrow" msgstr "" -#: src/modules/reserve-overview/Gho/GhoDiscountCalculator.tsx -msgid "Minimum GHO borrow amount" +#: src/components/incentives/MeritIncentivesTooltipContent.tsx +#: src/components/incentives/MeritIncentivesTooltipContent.tsx +msgid "or from the" msgstr "" #: src/components/transactions/DelegationTxsWrapper.tsx msgid "Sign to continue" msgstr "" +#: src/modules/umbrella/UmbrellaHeader.tsx +#: src/modules/umbrella/UmbrellaHeader.tsx +msgid "Total amount staked" +msgstr "" + #: src/components/transactions/Bridge/BridgeModalContent.tsx #: src/modules/history/HistoryWrapper.tsx #: src/modules/history/HistoryWrapperMobile.tsx msgid "Transactions" msgstr "" -#: src/components/transactions/Switch/SwitchModalTxDetails.tsx +#: src/components/transactions/Swap/warnings/postInputs/SafetyModuleSwapWarning.tsx +msgid "For swapping safety module assets please unstake your position <0>here." +msgstr "" + +#: src/components/transactions/Swap/warnings/postInputs/HighPriceImpactWarning.tsx +msgid "High price impact (<0>{0}%)! This route will return {1} due to low liquidity or small order size." +msgstr "" + +#: src/components/infoTooltips/SwapFeeTooltip.tsx msgid "Fees help support the user experience and security of the Aave application. <0>Learn more." msgstr "" @@ -352,6 +417,11 @@ msgstr "" msgid "Your {networkName} wallet is empty. Get free test assets at" msgstr "" +#: src/modules/dashboard/lists/BorrowAssetsList/BorrowAssetsList.tsx +#: src/modules/dashboard/lists/SupplyAssetsList/SupplyAssetsList.tsx +msgid "We couldn't find any assets related to your search. Try again with a different category." +msgstr "" + #: src/modules/governance/GovernanceTopPanel.tsx msgid "documentation" msgstr "τεκμηρίωση" @@ -364,6 +434,10 @@ msgstr "" msgid "This asset has almost reached its supply cap. There can only be {messageValue} supplied to this market." msgstr "Αυτό το περιουσιακό στοιχείο έχει σχεδόν φτάσει στο όριο της προσφοράς του. Μόνο {messageValue} μπορεί να παρασχεθεί σε αυτή την αγορά." +#: src/components/transactions/Swap/warnings/postInputs/ShieldSwapWarning.tsx +msgid "Aave Shield: Transaction blocked" +msgstr "" + #: src/ui-config/errorMapping.tsx msgid "Variable debt supply is not zero" msgstr "Η προσφορά μεταβλητού χρέους δεν είναι μηδενική" @@ -372,8 +446,8 @@ msgstr "Η προσφορά μεταβλητού χρέους δεν είναι msgid "To request access for this permissioned market, please visit: <0>Acces Provider Name" msgstr "Για να ζητήσετε πρόσβαση σε αυτή την αδειοδοτημένη αγορά, επισκεφθείτε την ιστοσελίδα: <0>Όνομα Παρόχου Πρόσβασης" -#: src/components/transactions/Switch/SwitchModalTxDetails.tsx -#: src/components/transactions/Switch/SwitchModalTxDetails.tsx +#: src/components/transactions/Swap/details/SwapDetails.tsx +#: src/components/transactions/Swap/details/SwapDetails.tsx msgid "Minimum {0} received" msgstr "" @@ -382,9 +456,15 @@ msgid "Allowance required action" msgstr "Απαιτούμενη δράση επιδότησης" #: src/modules/dashboard/DashboardTopPanel.tsx +#: src/modules/sGho/SGhoHeader.tsx +#: src/modules/umbrella/UmbrellaHeader.tsx msgid "Available rewards" msgstr "Διαθέσιμες ανταμοιβές" +#: src/components/transactions/ClaimRewards/ClaimRewardsModalContent.tsx +msgid "Claiming individual protocol reward only. Merit rewards excluded - select \"claim all\" to include merit rewards." +msgstr "" + #: src/components/infoTooltips/ApprovalTooltip.tsx msgid "To continue, you need to grant 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" msgstr "" @@ -402,7 +482,6 @@ msgstr "Επισκόπηση" msgid "All transactions" msgstr "" -#: src/components/transactions/Emode/EmodeModalContent.tsx #: src/components/transactions/Repay/RepayTypeSelector.tsx #: src/modules/dashboard/lists/SuppliedPositionsList/SuppliedPositionsList.tsx #: src/modules/dashboard/lists/SuppliedPositionsList/SuppliedPositionsList.tsx @@ -413,20 +492,25 @@ msgstr "Εγγύηση" msgid "Spanish" msgstr "Ισπανικά" +#: src/components/transactions/SavingsGho/SavingsGhoWithdrawActions.tsx +msgid "Withdrawing GHO" +msgstr "" + #: src/components/transactions/DelegationTxsWrapper.tsx msgid "Signing" msgstr "" -#: src/components/transactions/Repay/CollateralRepayActions.tsx -#: src/components/transactions/Repay/CollateralRepayActions.tsx #: src/components/transactions/Repay/RepayActions.tsx msgid "Repay {symbol}" msgstr "Αποπληρωμή {symbol}" -#: src/modules/reserve-overview/Gho/GhoDiscountCalculator.tsx -msgid "Discountable amount" +#: src/components/transactions/Emode/EmodeModalContent.tsx +msgid "Disable {0} as collateral to use this category. These assets would have 0% LTV." msgstr "" +#: src/modules/sGho/SavingsGhoCard.tsx +#: src/modules/sGho/SGhoDepositPanel.tsx +#: src/modules/staking/GhoStakingPanel.tsx #: src/modules/staking/StakingPanel.tsx msgid "Cooling down..." msgstr "Ψύξη..." @@ -455,30 +539,32 @@ msgstr "" msgid "repaid" msgstr "" +#: src/modules/umbrella/StakeAssets/UmbrellaAssetsList.tsx +msgid "Available to Stake" +msgstr "" + +#: src/components/transactions/Supply/CollateralOptionsSelector.tsx +msgid "Show less" +msgstr "" + #: src/components/transactions/Warnings/ChangeNetworkWarning.tsx msgid "Switch Network" msgstr "Αλλαγή Δικτύου" -#: src/components/transactions/Borrow/GhoBorrowModalContent.tsx -#: src/modules/dashboard/lists/BorrowAssetsList/GhoBorrowAssetsListItem.tsx -#: src/modules/dashboard/lists/BorrowAssetsList/GhoBorrowAssetsListItem.tsx -#: src/modules/reserve-overview/Gho/GhoBorrowInfo.tsx -#: src/modules/reserve-overview/Gho/GhoBorrowInfo.tsx -msgid "APY, borrow rate" -msgstr "" - -#: src/components/incentives/IncentivesTooltipContent.tsx -#: src/components/incentives/IncentivesTooltipContent.tsx -#: src/components/incentives/MeritIncentivesTooltipContent.tsx -#: src/components/incentives/ZkSyncIgniteIncentivesTooltipContent.tsx +#: src/components/transactions/SavingsGho/SavingsGhoModalDepositContent.tsx +#: src/modules/reserve-overview/Gho/SavingsGho.tsx msgid "APR" msgstr "APR" -#: 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" +#: src/modules/umbrella/helpers/Helpers.tsx +#: src/modules/umbrella/StakingApyItem.tsx +#: src/modules/umbrella/UmbrellaClaimModalContent.tsx +#: src/modules/umbrella/UmbrellaClaimModalContent.tsx +msgid "Total" msgstr "" #: src/modules/governance/proposal/ProposalLifecycle.tsx +#: src/modules/governance/proposal/ProposalLifecycleCache.tsx msgid "{stepName}" msgstr "" @@ -488,6 +574,10 @@ msgstr "" msgid "Health factor" msgstr "Συντελεστής υγείας" +#: src/components/Warnings/CooldownWarning.tsx +msgid "The cooldown period is the time required prior to unstaking your tokens (<0/>). You can only withdraw your assets from the Security Module after the cooldown period and within the unstake window. <1>Learn more" +msgstr "" + #: src/modules/governance/proposal/VotingResults.tsx #: src/modules/governance/proposal/VotingResults.tsx msgid "Reached" @@ -506,6 +596,10 @@ msgstr "" msgid "Share on Lens" msgstr "" +#: src/modules/umbrella/UnstakeModalContent.tsx +msgid "Redeem as aToken" +msgstr "" + #: src/components/incentives/SonicIncentivesTooltipContent.tsx msgid "Learn more about Sonic Rewards program" msgstr "" @@ -514,11 +608,18 @@ msgstr "" msgid "Claim all" msgstr "Διεκδικήστε τα όλα" +#: src/modules/sGho/SGhoDepositPanel.tsx +#: src/modules/staking/GhoStakingPanel.tsx #: src/modules/staking/StakingPanel.tsx +#: src/modules/umbrella/AmountSharesItem.tsx msgid "Time remaining until the withdraw period ends." msgstr "" -#: src/modules/reserve-overview/graphs/ApyGraphContainer.tsx +#: src/components/transactions/Swap/actions/WithdrawAndSwap/WithdrawAndSwapActionsViaParaswap.tsx +msgid "Withdrawing and Swapping" +msgstr "" + +#: src/modules/reserve-overview/graphs/MeritApyGraphContainer.tsx msgid "Data couldn't be fetched, please reload graph." msgstr "" @@ -527,11 +628,6 @@ msgstr "" msgid "Dashboard" msgstr "Ταμπλό" -#: src/components/transactions/Withdraw/WithdrawAndSwitchActions.tsx -#: src/components/transactions/Withdraw/WithdrawAndSwitchActions.tsx -msgid "Withdraw and Switch" -msgstr "" - #: src/modules/dashboard/lists/BorrowAssetsList/BorrowAssetsList.tsx msgid "Be careful - You are very close to liquidation. Consider depositing more collateral or paying down some of your borrowed positions" msgstr "Προσοχή - Είστε πολύ κοντά στην ρευστοποίηση. Εξετάστε το ενδεχόμενο να καταθέσετε περισσότερες εγγυήσεις ή να εξοφλήσετε κάποιες από τις δανειακές σας θέσεις" @@ -545,9 +641,11 @@ msgid "Page not found" msgstr "" #: src/modules/reserve-overview/graphs/ApyGraphContainer.tsx +#: src/modules/reserve-overview/graphs/MeritApyGraphContainer.tsx msgid "Loading data..." msgstr "" +#: src/components/transactions/SavingsGho/SavingsGhoWithdrawModalContent.tsx #: src/components/transactions/Withdraw/WithdrawModalContent.tsx msgid "withdrew" msgstr "" @@ -565,10 +663,15 @@ msgstr "" msgid "Invalid amount to mint" msgstr "Μη έγκυρο ποσό για νομισματοκοπία" +#: src/components/transactions/Bridge/BridgeModalContent.tsx +msgid "View on CCIP Explorer" +msgstr "" + #: src/components/AddressBlockedModal.tsx msgid "Disconnect Wallet" msgstr "Αποσυνδέστε το πορτοφόλι" +#: src/modules/markets/MarketAssetsListContainer.tsx #: src/modules/markets/MarketAssetsListContainer.tsx msgid "assets" msgstr "περιουσιακά στοιχεία" @@ -583,6 +686,10 @@ msgstr "" msgid "Utilization Rate" msgstr "Ποσοστό χρησιμοποίησης" +#: src/components/MarketSwitcher.tsx +msgid "The Ink instance is governed by the Ink Foundation" +msgstr "" + #: src/modules/reserve-overview/ReserveFactorOverview.tsx msgid "View contract" msgstr "" @@ -595,16 +702,28 @@ msgstr "" msgid "Please connect your wallet to be able to bridge your tokens." msgstr "" +#: src/components/transactions/Swap/actions/CollateralSwap/CollateralSwapActionsViaCoWAdapters.tsx +#: src/components/transactions/Swap/actions/CollateralSwap/CollateralSwapActionsViaCoWAdapters.tsx +#: src/components/transactions/Swap/actions/CollateralSwap/CollateralSwapActionsViaParaswapAdapters.tsx +#: src/components/transactions/Swap/actions/CollateralSwap/CollateralSwapActionsViaParaswapAdapters.tsx +msgid "Swap {0} collateral" +msgstr "" + #: src/components/lists/ListWrapper.tsx msgid "Show" msgstr "Εμφάνιση" +#: src/modules/markets/Gho/GhoBanner.tsx +#: src/modules/markets/Gho/GhoBanner.tsx +#: src/modules/reserve-overview/Gho/SavingsGho.tsx +msgid "Total deposited" +msgstr "" + #: src/components/transactions/Warnings/IsolationModeWarning.tsx msgid "You are entering Isolation mode" msgstr "Εισέρχεστε σε λειτουργία απομόνωσης" #: src/components/transactions/Borrow/BorrowModalContent.tsx -#: src/components/transactions/Borrow/GhoBorrowModalContent.tsx msgid "Borrowing is currently unavailable for {0}." msgstr "Ο δανεισμός δεν είναι επί του παρόντος διαθέσιμος για {0}." @@ -612,6 +731,11 @@ msgstr "Ο δανεισμός δεν είναι επί του παρόντος msgid "Reserve Size" msgstr "Μέγεθος Αποθεματικού" +#: src/components/transactions/Swap/inputs/primitives/SwapAssetInput.tsx +msgid "%" +msgstr "" + +#: src/components/transactions/SavingsGho/SavingsGhoWithdrawModalContent.tsx #: src/components/transactions/UnStake/UnStakeModalContent.tsx msgid "Staking balance" msgstr "" @@ -632,10 +756,19 @@ msgstr "Αυτό το περιουσιακό στοιχείο έχει σχεδ msgid "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." msgstr "" +#: src/components/AssetCategoryMultiselect.tsx +msgid "Select Categories" +msgstr "" + #: src/components/caps/CapsTooltip.tsx msgid "This asset has reached its supply cap. Nothing is available to be supplied from this market." msgstr "Αυτό το περιουσιακό στοιχείο έχει φτάσει στο όριο της προσφοράς του. Τίποτα δεν είναι διαθέσιμο για προμήθεια από αυτή την αγορά." +#: src/modules/history/actions/ActionDetails.tsx +#: src/modules/history/HistoryFilterMenu.tsx +msgid "Collateral Swap" +msgstr "" + #: src/modules/reserve-overview/ReserveConfiguration.tsx msgid "MAI has been paused due to a community decision. Supply, borrows and repays are impacted. <0>More details" msgstr "" @@ -645,33 +778,35 @@ msgstr "" msgid "Underlying token" msgstr "" -#: src/components/transactions/Bridge/BridgeModalContent.tsx -msgid "Bridged Via CCIP" -msgstr "" - #: src/modules/dashboard/lists/ListBottomText.tsx msgid "Since this is a test network, you can get any of the assets if you have ETH on your wallet" msgstr "Δεδομένου ότι πρόκειται για ένα δοκιμαστικό δίκτυο, μπορείτε να αποκτήσετε οποιοδήποτε από τα περιουσιακά στοιχεία αν έχετε ETH στο πορτοφόλι σας" +#: src/components/transactions/Swap/errors/shared/InsufficientLiquidityBlockingError.tsx +msgid "There is not enough liquidity in {symbol} to complete this swap. Try lowering the amount." +msgstr "" + +#: src/components/incentives/MerklIncentivesTooltipContent.tsx +msgid "This is a program initiated by the Aave DAO and implemented by Merkl. Aave Labs does not guarantee the program and accepts no liability." +msgstr "" + #: src/modules/staking/BuyWithFiatModal.tsx msgid "Choose one of the on-ramp services" msgstr "" #: src/modules/reserve-overview/BorrowInfo.tsx -#: src/modules/reserve-overview/Gho/GhoBorrowInfo.tsx -#: src/modules/reserve-overview/Gho/GhoBorrowInfo.tsx msgid "Maximum amount available to borrow is <0/> {0} (<1/>)." msgstr "" +#: src/components/transactions/Swap/actions/ActionsBlocked.tsx +msgid "Check errors" +msgstr "" + #: src/modules/dashboard/lists/BorrowedPositionsList/BorrowedPositionsList.tsx #: src/modules/dashboard/lists/BorrowedPositionsList/BorrowedPositionsList.tsx msgid "Your borrows" msgstr "Τα δάνεια σας" -#: src/components/transactions/Repay/CollateralRepayModalContent.tsx -msgid "Repaid" -msgstr "" - #: src/components/transactions/FlowCommons/RightHelperText.tsx msgid "Review approval tx details" msgstr "Αναθεώρηση λεπτομερειών έγκρισης συναλλαγής" @@ -692,12 +827,8 @@ msgstr "Η δύναμη δανεισμού και τα περιουσιακά σ msgid "Protocol borrow cap at 100% for this asset. Further borrowing unavailable." msgstr "" -#: src/modules/history/actions/BorrowRateModeBlock.tsx -msgid "Stable" -msgstr "Σταθερό" - -#: src/components/transactions/DebtSwitch/DebtSwitchModalContent.tsx -msgid "Variable rate" +#: src/modules/umbrella/helpers/SharesTooltip.tsx +msgid "Shares" msgstr "" #: src/modules/reserve-overview/SupplyInfo.tsx @@ -708,21 +839,24 @@ msgstr "" msgid "Borrowed assets" msgstr "" -#: src/components/transactions/Repay/CollateralRepayModalContent.tsx -#: src/components/transactions/Swap/SwapModalContent.tsx -msgid "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." -msgstr "" - #: src/modules/dashboard/lists/SupplyAssetsList/SupplyAssetsList.tsx msgid "Collateral usage is limited because of isolation mode. <0>Learn More" msgstr "Η χρήση εγγύησης είναι περιορισμένη λόγω της λειτουργίας απομόνωσης. <0>Μάθετε περισσότερα" +#: src/components/transactions/Swap/modals/result/SwapResultView.tsx +msgid "Swap saved in your <0>history section." +msgstr "" + #: src/modules/migration/MigrationBottomPanel.tsx msgid "Migrate your assets" msgstr "" -#: src/modules/reserve-overview/Gho/GhoPieChartContainer.tsx -msgid "At a discount" +#: src/modules/staking/StakingHeader.tsx +msgid "AAVE 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 "" + +#: src/layouts/components/NavItems.tsx +msgid "Savings" msgstr "" #: src/components/transactions/Emode/EmodeModalContent.tsx @@ -730,6 +864,11 @@ msgstr "" msgid "Asset category" msgstr "Κατηγορία περιουσιακών στοιχείων" +#: src/components/transactions/SavingsGho/SavingsGhoWithdrawActions.tsx +#: src/components/transactions/SavingsGho/SavingsGhoWithdrawModal.tsx +msgid "Withdraw GHO" +msgstr "" + #: src/modules/reserve-overview/ReserveConfiguration.tsx msgid "This asset is frozen due to an Aave community decision. <0>More details" msgstr "" @@ -753,33 +892,46 @@ msgid "The fee includes the gas cost to complete the transaction on the destinat msgstr "" #: src/components/caps/DebtCeilingStatus.tsx -#: src/modules/markets/Gho/GhoBanner.tsx #: src/modules/reserve-overview/BorrowInfo.tsx #: src/modules/reserve-overview/BorrowInfo.tsx -#: src/modules/reserve-overview/Gho/GhoBorrowInfo.tsx -#: src/modules/reserve-overview/Gho/GhoBorrowInfo.tsx -#: src/modules/reserve-overview/Gho/GhoBorrowInfo.tsx -#: src/modules/reserve-overview/Gho/GhoBorrowInfo.tsx #: src/modules/reserve-overview/SupplyInfo.tsx #: src/modules/reserve-overview/SupplyInfo.tsx msgid "of" msgstr "" +#: src/modules/umbrella/AvailableToStakeItem.tsx +msgid "Your balance of assets that are available to stake" +msgstr "" + +#: src/components/transactions/Swap/actions/RepayWithCollateral/RepayWithCollateralActionsViaCoW.tsx +#: src/components/transactions/Swap/actions/RepayWithCollateral/RepayWithCollateralActionsViaCoW.tsx +msgid "Repay {0} with {1}" +msgstr "" + +#: src/modules/sGho/SGhoDepositPanel.tsx +#: src/modules/sGho/SGhoDepositPanel.tsx +msgid "GHO Balance" +msgstr "" + +#: src/layouts/SupportModal.tsx +msgid "Country (optional)" +msgstr "" + #: src/modules/reserve-overview/Gho/GhoReserveConfiguration.tsx msgid "Techpaper" msgstr "" -#: src/components/transactions/Switch/SwitchTxSuccessView.tsx +#: src/components/transactions/Swap/modals/result/SwapResultView.tsx msgid "You've successfully submitted an order." msgstr "" #: src/components/transactions/AssetInput.tsx -#: src/components/transactions/Switch/SwitchAssetInput.tsx +#: src/components/transactions/Swap/inputs/primitives/SwapAssetInput.tsx msgid "Max" msgstr "Μεγιστο" -#: src/components/transactions/Switch/SwitchSlippageSelector.tsx -msgid "Slippage" +#: src/components/incentives/MerklIncentivesTooltipContent.tsx +msgid "Points" msgstr "" #: src/layouts/components/LanguageSwitcher.tsx @@ -790,6 +942,10 @@ msgstr "" msgid "Claim {symbol}" msgstr "Διεκδίκηση {symbol}" +#: src/components/transactions/Swap/errors/shared/FlashLoanDisabledBlockingError.tsx +msgid "Position swaps are disabled for this asset due to security reasons." +msgstr "" + #: pages/v3-migration.page.tsx msgid "Please connect your wallet to see migration tool." msgstr "" @@ -800,6 +956,10 @@ msgstr "" msgid "{networkName} Faucet" msgstr "{networkName} Βρύση" +#: src/components/incentives/MerklIncentivesTooltipContent.tsx +msgid "Protocol Incentives" +msgstr "" + #: src/layouts/MobileMenu.tsx #: src/layouts/SettingsMenu.tsx msgid "Watch wallet" @@ -809,6 +969,20 @@ msgstr "" msgid "This action will reduce health factor of V3 below liquidation threshold. Increase migrated collateral or reduce migrated borrow to continue." msgstr "" +#: src/components/transactions/Swap/errors/shared/GasEstimationError.tsx +msgid "Gas estimation error" +msgstr "" + +#: src/modules/reserve-overview/Gho/SavingsGho.tsx +#: src/modules/sGho/SGhoDepositPanel.tsx +#: src/modules/staking/GhoStakingPanel.tsx +msgid "Instant" +msgstr "" + +#: src/modules/umbrella/UnstakeModalContent.tsx +msgid "Stake balance" +msgstr "" + #: src/components/infoTooltips/PausedTooltip.tsx msgid "This asset has been paused due to a community decision. Supply, withdraw, borrows and repays are impacted." msgstr "" @@ -830,7 +1004,7 @@ msgstr "" msgid "The underlying asset cannot be rescued" msgstr "Το υποκείμενο περιουσιακό στοιχείο δεν μπορεί να διασωθεί" -#: src/components/transactions/Swap/SwapModalDetails.tsx +#: src/components/transactions/Swap/details/CollateralSwapDetails.tsx msgid "Supply balance after switch" msgstr "" @@ -838,35 +1012,40 @@ msgstr "" msgid "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" msgstr "" +#: src/modules/umbrella/UmbrellaHeader.tsx +msgid "Stake your Aave aTokens or underlying assets to earn rewards. In case of a shortfall event, your stake may be slashed to cover the deficit." +msgstr "" + #: src/modules/staking/StakingPanel.tsx msgid "Aave per month" msgstr "Aave ανά μήνα" +#: src/components/transactions/ClaimRewards/ClaimRewardsModalContent.tsx +msgid "Claiming all protocol rewards only. Merit rewards excluded - select \"claim all\" to include merit rewards." +msgstr "" + #: src/components/transactions/FlowCommons/TxModalDetails.tsx -#: src/components/transactions/Swap/SwapModalDetails.tsx +#: src/components/transactions/Swap/details/CollateralSwapDetails.tsx #: src/modules/history/actions/ActionDetails.tsx msgid "Collateralization" msgstr "Εξασφάλιση" -#: src/components/transactions/FlowCommons/Error.tsx -msgid "You can report incident to our <0>Discord or<1>Github." -msgstr "" - #: src/components/MarketSwitcher.tsx msgid "Main Ethereum market with the largest selection of assets and yield options" msgstr "" #: src/components/ReserveSubheader.tsx #: src/components/transactions/FlowCommons/TxModalDetails.tsx +#: src/components/transactions/Supply/SupplyModalContent.tsx msgid "Disabled" msgstr "Απενεργοποιημένο" -#: src/components/transactions/Borrow/GhoBorrowSuccessView.tsx -msgid "COPIED!" +#: src/components/infoTooltips/GhoRateTooltip.tsx +msgid "Estimated compounding 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." msgstr "" -#: src/components/transactions/DebtSwitch/DebtSwitchModalContent.tsx -msgid "Fixed rate" +#: src/layouts/SupportModal.tsx +msgid "Share my wallet address to help the support team resolve my issue" msgstr "" #: src/components/transactions/StakeRewardClaimRestake/StakeRewardClaimRestakeActions.tsx @@ -882,10 +1061,26 @@ msgstr "Ανάληψη {symbol}" msgid "None" msgstr "Κανένα" +#: src/modules/history/actions/ActionDetails.tsx +msgid "Unknown" +msgstr "" + +#: src/components/transactions/Swap/actions/DebtSwap/DebtSwapActionsViaCoW.tsx +msgid "Swapping {0} debt" +msgstr "" + +#: pages/safety-module.page.tsx +msgid "We couldn't detect a wallet. Connect a wallet to stake and view your balance." +msgstr "" + #: src/modules/bridge/BridgeWrapper.tsx msgid "Destination" msgstr "" +#: src/modules/sGho/SGhoDepositPanel.tsx +#: src/modules/sGho/SGhoDepositPanel.tsx +#: src/modules/staking/GhoStakingPanel.tsx +#: src/modules/staking/GhoStakingPanel.tsx #: src/modules/staking/StakingPanel.tsx #: src/modules/staking/StakingPanel.tsx msgid "Reactivate cooldown period to unstake {0} {stakedToken}" @@ -895,6 +1090,10 @@ msgstr "" msgid "Migrate to v3" msgstr "" +#: src/components/transactions/FlowCommons/Error.tsx +msgid "Get support" +msgstr "" + #: src/components/transactions/Bridge/BridgeModalContent.tsx msgid "The source chain time to finality is the main factor that determines the time to destination. <0>Learn more" msgstr "" @@ -907,6 +1106,10 @@ msgstr "" msgid "Learn more." msgstr "Μάθετε περισσότερα." +#: src/components/transactions/Supply/CollateralOptionsSelector.tsx +msgid "Active" +msgstr "" + #: src/modules/migration/MigrationList.tsx #: src/modules/migration/MigrationList.tsx msgid "Current v2 balance" @@ -924,6 +1127,10 @@ msgstr "Δανεισμός χρησιμοποιημένης ισχύος" msgid "Operation not supported" msgstr "Η λειτουργία δεν υποστηρίζεται" +#: src/components/MarketSwitcher.tsx +msgid "L2 Networks" +msgstr "" + #: src/modules/governance/RepresentativesInfoPanel.tsx msgid "Linked addresses" msgstr "" @@ -941,6 +1148,10 @@ msgstr "Περιουσιακά στοιχεία προς προμήθεια" msgid "Restake" msgstr "" +#: src/components/transactions/CancelCowOrder/CancelCowOrderActions.tsx +msgid "Sending cancel..." +msgstr "" + #: src/modules/reserve-overview/Gho/GhoReserveConfiguration.tsx msgid "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." msgstr "" @@ -967,53 +1178,63 @@ msgstr "" msgid "ends" msgstr "τελειώνει" -#: src/layouts/FeedbackDialog.tsx -msgid "Thank you for submitting feedback!" -msgstr "" - #: src/hooks/useReserveActionState.tsx msgid "Borrowing is unavailable because you’ve enabled Efficiency Mode (E-Mode) for {0} category. To manage E-Mode categories visit your <0>Dashboard." msgstr "Ο δανεισμός δεν είναι διαθέσιμος επειδή έχετε ενεργοποιήσει τη λειτουργία Αποδοτικότητας (E-Mode) για την κατηγορία {0}. Για να διαχειριστείτε τις κατηγορίες E-Mode επισκεφθείτε τον <0>Πίνακα ελέγχου." -#: src/modules/reserve-overview/Gho/GhoDiscountCalculator.tsx -msgid "Discount" +#: src/components/transactions/Swap/warnings/postInputs/LiquidationCriticalWarning.tsx +msgid "Your health factor after this swap will be critically low and may result in liquidation. Please choose a different asset or reduce the swap amount to stay safe." +msgstr "" + +#: src/components/AssetCategoryMultiselect.tsx +msgid "{selectedCount} Categories" msgstr "" #: src/components/CircleIcon.tsx msgid "{tooltipText}" msgstr "" -#: src/components/infoTooltips/SuperFestTooltip.tsx -msgid "Rewards can be claimed through" +#: src/components/transactions/Swap/actions/CollateralSwap/CollateralSwapActionsViaCoWAdapters.tsx +#: src/components/transactions/Swap/actions/CollateralSwap/CollateralSwapActionsViaParaswapAdapters.tsx +msgid "Swapping {0} collateral" msgstr "" -#: src/components/incentives/ZkSyncIgniteIncentivesTooltipContent.tsx -msgid "This is a program initiated and implemented by the decentralised ZKSync community. Aave Labs does not guarantee the program and accepts no liability." +#: src/components/infoTooltips/SuperFestTooltip.tsx +msgid "Rewards can be claimed through" msgstr "" #: pages/500.page.tsx msgid "Sorry, an unexpected error happened. In the meantime you may try reloading the page, or come back later." msgstr "" -#: src/modules/staking/StakingPanel.tsx +#: src/components/SecondsToString.tsx msgid "{d}d" msgstr "{d}η" +#: src/components/transactions/Swap/errors/shared/BalanceLowerThanInput.tsx +msgid "Your {0} balance is lower than the selected amount." +msgstr "" + #: 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 "Παράθυρο ξεκλειδώματος" -#: src/modules/reserve-overview/graphs/ApyGraphContainer.tsx +#: src/modules/reserve-overview/graphs/MeritApyGraphContainer.tsx msgid "Reload" msgstr "" -#: src/components/transactions/Borrow/GhoBorrowSuccessView.tsx -msgid "Save and share" +#: src/layouts/components/NavItems.tsx +#: src/modules/reserve-overview/Gho/SavingsGho.tsx +#: src/modules/reserve-overview/Gho/SavingsGho.tsx +#: src/modules/sGho/SGhoDepositPanel.tsx +#: src/modules/staking/GhoStakingPanel.tsx +msgid "sGHO" msgstr "" -#: src/components/transactions/Switch/BaseSwitchModal.tsx -#: src/components/transactions/Switch/BaseSwitchModalContent.tsx +#: src/components/transactions/Swap/modals/SwapModal.tsx msgid "Please connect your wallet to swap tokens." msgstr "" @@ -1025,6 +1246,10 @@ msgstr "" msgid "Maximum amount available to supply is limited because protocol supply cap is at {0}%." msgstr "" +#: src/components/transactions/CollateralChange/CollateralChangeModalContent.tsx +msgid "E-Mode required" +msgstr "" + #: src/components/infoTooltips/CollateralTooltip.tsx msgid "The total amount of your assets denominated in USD that can be used as collateral for borrowing assets." msgstr "Το συνολικό ποσό των περιουσιακών σας στοιχείων σε δολάρια ΗΠΑ που μπορούν να χρησιμοποιηθούν ως εγγύηση για δανεισμό περιουσιακών στοιχείων." @@ -1037,7 +1262,10 @@ msgstr "" msgid "Borrowing of this asset is limited to a certain amount to minimize liquidity pool insolvency." msgstr "" -#: src/components/transactions/Borrow/GhoBorrowSuccessView.tsx +#: src/modules/staking/StakingHeader.tsx +msgid "The Safety Module has been upgraded to <0>Umbrella, a new system that introduces automated slashing, aToken staking, and improved incentives design." +msgstr "" + #: src/components/transactions/FlowCommons/BaseSuccess.tsx msgid "All done" msgstr "" @@ -1047,7 +1275,12 @@ msgid "This asset is planned to be offboarded due to an Aave Protocol Governance msgstr "" #: src/components/transactions/StakeCooldown/StakeCooldownModalContent.tsx +#: src/modules/reserve-overview/Gho/SavingsGho.tsx +#: src/modules/sGho/SavingsGhoCard.tsx +#: src/modules/sGho/SGhoDepositPanel.tsx +#: src/modules/staking/GhoStakingPanel.tsx #: src/modules/staking/StakingPanel.tsx +#: src/modules/umbrella/StakeCooldownModalContent.tsx msgid "Cooldown period" msgstr "Περίοδος ψύξης" @@ -1056,12 +1289,23 @@ msgstr "Περίοδος ψύξης" msgid "Liquidation at" msgstr "Ρευστοποίηση στο" -#: src/components/transactions/Switch/SwitchModalTxDetails.tsx +#: src/components/transactions/Swap/details/CowCostsDetails.tsx msgid "Costs & Fees" msgstr "" +#: src/components/transactions/SavingsGho/SavingsGhoModalDepositContent.tsx +msgid "deposited" +msgstr "" + +#: src/components/transactions/Swap/errors/shared/ZeroLTVBlockingError.tsx +msgid "You have assets with zero LTV that are blocking this operation. Please withdraw them or disable them as collateral first." +msgstr "" + #: src/components/incentives/MeritIncentivesTooltipContent.tsx -#: src/components/incentives/ZkSyncIgniteIncentivesTooltipContent.tsx +#: src/components/incentives/MeritIncentivesTooltipContent.tsx +#: src/components/incentives/MerklIncentivesTooltipContent.tsx +#: src/components/incentives/MerklIncentivesTooltipContent.tsx +#: src/components/incentives/MerklIncentivesTooltipContent.tsx #: src/components/MarketSwitcher.tsx #: src/components/transactions/DelegationTxsWrapper.tsx #: src/components/transactions/DelegationTxsWrapper.tsx @@ -1074,12 +1318,20 @@ msgstr "" #: src/components/transactions/GovDelegation/GovDelegationModalContent.tsx #: src/components/transactions/StakeCooldown/StakeCooldownModalContent.tsx #: src/components/transactions/StakeCooldown/StakeCooldownModalContent.tsx -#: src/components/transactions/Switch/SwitchAssetInput.tsx +#: src/components/transactions/Swap/inputs/primitives/SwapAssetInput.tsx +#: src/components/transactions/Warnings/ChangeNetworkWarning.tsx +#: src/components/transactions/Warnings/ChangeNetworkWarning.tsx +#: src/layouts/TopBarNotify.tsx +#: src/layouts/TopBarNotify.tsx +#: src/layouts/TopBarNotify.tsx #: src/layouts/TopBarNotify.tsx #: src/layouts/TopBarNotify.tsx #: src/modules/dashboard/DashboardEModeButton.tsx #: src/modules/reserve-overview/ReserveTopDetailsWrapper.tsx -#: src/modules/staking/GhoDiscountProgram.tsx +#: src/modules/staking/SavingsGhoProgram.tsx +#: src/modules/umbrella/StakeCooldownModalContent.tsx +#: src/modules/umbrella/StakeCooldownModalContent.tsx +#: src/modules/umbrella/UmbrellaMarketSwitcher.tsx msgid "{0}" msgstr "{0}" @@ -1087,54 +1339,66 @@ msgstr "{0}" msgid "Manage analytics" msgstr "" -#: src/components/incentives/GhoIncentivesCard.tsx -msgid "Estimated compounding interest, including discount for Staking {0}AAVE in Safety Module." +#: src/components/AssetCategoryMultiselect.tsx +#: src/components/MarketAssetCategoryFilter.tsx +msgid "Stablecoins" msgstr "" #: src/components/transactions/UnStake/UnStakeActions.tsx +#: src/modules/umbrella/UnstakeModalActions.tsx msgid "Unstaking {symbol}" msgstr "" -#: src/components/transactions/Switch/SwitchActions.tsx +#: src/components/transactions/Swap/actions/DebtSwap/DebtSwapActionsViaParaswap.tsx +#: src/components/transactions/Swap/actions/SwapActions/SwapActionsViaCoW.tsx +#: src/components/transactions/Swap/actions/SwapActions/SwapActionsViaParaswap.tsx msgid "Swapping" msgstr "" +#: src/components/AssetCategoryMultiselect.tsx +#: src/components/MarketAssetCategoryFilter.tsx +msgid "ETH Correlated" +msgstr "" + #: src/components/transactions/CollateralChange/CollateralChangeModalContent.tsx msgid "You can not use this currency as collateral" msgstr "Δεν μπορείτε να χρησιμοποιήσετε αυτό το νόμισμα ως εγγύηση" -#: src/components/transactions/ClaimRewards/RewardsSelect.tsx -msgid "Reward(s) to claim" -msgstr "Ανταμοιβή(ες) προς διεκδίκηση" - #: 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/helpers/StakingDropdown.tsx +#: src/modules/umbrella/UmbrellaActions.tsx +#: src/modules/umbrella/UmbrellaModal.tsx msgid "Stake" msgstr "Κλειδώστε" +#: src/components/transactions/SavingsGho/SavingsGhoModalDepositContent.tsx #: src/components/transactions/Stake/StakeModalContent.tsx msgid "Not enough balance on your wallet" msgstr "Δεν υπάρχει αρκετό υπόλοιπο στο πορτοφόλι σας" +#: src/modules/sGho/SavingsGhoCard.tsx +#: src/modules/sGho/SGhoDepositPanel.tsx #: src/modules/staking/GetGhoToken.tsx -#: src/modules/staking/StakingPanel.tsx +#: src/modules/staking/GhoStakingPanel.tsx msgid "Get GHO" msgstr "" #: src/components/transactions/Repay/RepayModalContent.tsx #: src/components/transactions/Repay/RepayTypeSelector.tsx +#: src/components/transactions/SavingsGho/SavingsGhoModalDepositContent.tsx #: src/components/transactions/Stake/StakeModalContent.tsx #: src/components/transactions/StakingMigrate/StakingMigrateModalContent.tsx #: src/components/transactions/Supply/SupplyModalContent.tsx #: 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 "Υπόλοιπο πορτοφολιού" -#: src/components/transactions/Repay/CollateralRepayModalContent.tsx +#: src/components/transactions/Swap/details/RepayWithCollateralDetails.tsx msgid "Borrow balance after repay" msgstr "" @@ -1142,10 +1406,6 @@ msgstr "" msgid "Supplied assets" msgstr "" -#: src/components/transactions/Withdraw/WithdrawTypeSelector.tsx -msgid "Withdraw & Switch" -msgstr "" - #: src/components/transactions/Warnings/DebtCeilingWarning.tsx msgid "Protocol debt ceiling is at 100% for this asset. Further borrowing against this asset is unavailable." msgstr "" @@ -1158,10 +1418,6 @@ msgstr "" msgid "Use connected account" msgstr "" -#: src/modules/history/TransactionMobileRowItem.tsx -msgid "VIEW TX" -msgstr "" - #: src/components/infoTooltips/LiquidationThresholdTooltip.tsx msgid "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." msgstr "Αυτό αντιπροσωπεύει το κατώτατο όριο στο οποίο μια θέση δανεισμού θα θεωρηθεί υποεγγυημένη και θα υπόκειται σε ρευστοποίηση για κάθε εγγύηση. Για παράδειγμα, εάν μια εγγύηση έχει κατώτατο όριο ρευστοποίησης 80%, αυτό σημαίνει ότι η θέση θα ρευστοποιηθεί όταν η αξία του χρέους ανέρχεται στο 80% της αξίας της εγγύησης." @@ -1170,8 +1426,8 @@ msgstr "Αυτό αντιπροσωπεύει το κατώτατο όριο σ msgid "Isolated" msgstr "Απομονωμένο" -#: src/layouts/TopBarNotify.tsx -msgid "{notifyText}" +#: src/components/transactions/Supply/CollateralOptionsSelector.tsx +msgid "Borrow:" msgstr "" #: src/components/transactions/Emode/EmodeActions.tsx @@ -1191,8 +1447,15 @@ msgstr "" msgid "Wrong Network" msgstr "Λάθος δίκτυο" +#: src/components/incentives/MerklIncentivesTooltipContent.tsx +msgid "Merkl rewards are claimed through the" +msgstr "" + #: src/components/transactions/Stake/StakeActions.tsx -#: src/modules/staking/StakingHeader.tsx +#: src/layouts/components/NavItems.tsx +#: src/layouts/components/StakingMenu.tsx +#: src/modules/umbrella/UmbrellaActions.tsx +#: src/modules/umbrella/UmbrellaHeader.tsx msgid "Staking" msgstr "Κλείδωμα" @@ -1202,6 +1465,7 @@ msgid "Enter ETH address" msgstr "Εισάγετε διεύθυνση ETH" #: src/components/transactions/ClaimRewards/ClaimRewardsActions.tsx +#: src/modules/umbrella/UmbrellaClaimActions.tsx msgid "Claiming" msgstr "Διεκδίκηση" @@ -1209,6 +1473,7 @@ msgstr "Διεκδίκηση" msgid "Current LTV" msgstr "Τρέχον LTV" +#: src/components/transactions/Swap/shared/OrderTypeSelector.tsx #: src/modules/reserve-overview/ReserveTopDetailsWrapper.tsx msgid "Market" msgstr "Αγορά" @@ -1217,8 +1482,12 @@ msgstr "Αγορά" msgid "Learn more about Ethena Rewards program" msgstr "" -#: src/layouts/FeedbackDialog.tsx -msgid "Send Feedback" +#: src/components/transactions/Swap/inputs/primitives/SwapAssetInput.tsx +msgid "{popularSectionTitle}" +msgstr "" + +#: src/components/transactions/ClaimRewards/RewardsSelect.tsx +msgid "Rewards to claim" msgstr "" #: src/components/transactions/GovVote/GovVoteModalContent.tsx @@ -1228,10 +1497,11 @@ msgstr "Δεν υπάρχει δικαίωμα ψήφου" #: src/modules/dashboard/lists/SupplyAssetsList/SupplyAssetsList.tsx #: src/modules/dashboard/lists/SupplyAssetsList/SupplyAssetsListItem.tsx #: src/modules/dashboard/lists/SupplyAssetsList/SupplyAssetsListMobileItem.tsx -#: src/modules/reserve-overview/SupplyInfo.tsx msgid "Can be collateral" msgstr "Μπορεί να αποτελέσει εγγύηση" +#: src/modules/sGho/SGhoDepositPanel.tsx +#: src/modules/staking/GhoStakingPanel.tsx #: src/modules/staking/StakingPanel.tsx msgid "Claimable AAVE" msgstr "Διεκδικήσιμο AAVE" @@ -1244,30 +1514,53 @@ msgstr "Δεν επιτρέπεται ο δανεισμός και η αποπλ msgid "<0>Slippage tolerance <1>{selectedSlippage}% <2>{0}" msgstr "" -#: src/components/transactions/Repay/CollateralRepayModalContent.tsx -msgid "Maximum collateral amount to use" +#: src/components/transactions/Swap/actions/ActionsSkeleton.tsx +msgid "Waiting for actions..." msgstr "" -#: src/layouts/FeedbackDialog.tsx -msgid "Let us know how we can make the app better for you. For user support related inquiries please reach out on" +#: src/components/incentives/MerklIncentivesTooltipContent.tsx +msgid "Eligible for incentives through Merkl." msgstr "" #: src/components/transactions/Emode/EmodeModalContent.tsx msgid "Emode" msgstr "" +#: src/components/transactions/CancelCowOrder/CancelCowOrderModalContent.tsx +msgid "This will cancel the order via an on-chain transaction. Note that the order will not be marked as cancelled in the CoW Protocol system, but will remain open and expire naturally. Keep in mind that a solver may already have filled your order." +msgstr "" + +#: src/modules/history/actions/ActionDetails.tsx +#: src/modules/history/actions/ActionDetails.tsx +#: src/modules/history/actions/ActionDetails.tsx +msgid "Expired" +msgstr "" + +#: src/components/transactions/Swap/errors/shared/GasEstimationError.tsx #: src/components/transactions/Warnings/ParaswapErrorDisplay.tsx msgid "Tip: Try increasing slippage or reduce input amount" msgstr "" -#: src/components/transactions/DebtSwitch/DebtSwitchModalContent.tsx -msgid "Maximum amount received" +#: src/components/transactions/SavingsGho/SavingsGhoWithdrawActions.tsx +msgid "Activating Cooldown" +msgstr "" + +#: src/components/transactions/Swap/actions/ActionsSkeleton.tsx +msgid "Comparing best rates..." +msgstr "" + +#: src/components/transactions/Supply/SupplyModalContent.tsx +msgid "This will require two separate transactions: one to change E-Mode and one to supply." msgstr "" #: src/components/transactions/GovDelegation/GovDelegationModalContent.tsx msgid "Recipient address" msgstr "Διεύθυνση παραλήπτη" +#: src/components/transactions/Swap/inputs/primitives/SwapAssetInput.tsx +msgid "No results found." +msgstr "" + #: src/components/transactions/Warnings/AAVEWarning.tsx msgid "staking view" msgstr "προβολή κλειδώματος" @@ -1288,6 +1581,10 @@ msgstr "APY, μεταβλητό" msgid "If the health factor goes below 1, the liquidation of your collateral might be triggered." msgstr "Εάν ο συντελεστής υγείας πέσει κάτω από το 1, ενδέχεται να ενεργοποιηθεί η ρευστοποίηση των εγγυήσεών σας." +#: src/modules/sGho/SGhoDepositPanel.tsx +msgid "Current APY" +msgstr "" + #: src/ui-config/errorMapping.tsx msgid "You cancelled the transaction." msgstr "Ακυρώσατε τη συναλλαγή." @@ -1296,10 +1593,6 @@ msgstr "Ακυρώσατε τη συναλλαγή." msgid "Borrow info" msgstr "" -#: src/components/transactions/Bridge/BridgeModalContent.tsx -msgid "View Bridge Transactions" -msgstr "" - #: src/ui-config/errorMapping.tsx msgid "Invalid return value of the flashloan executor function" msgstr "Μη έγκυρη τιμή επιστροφής της συνάρτησης εκτελεστή flashloan" @@ -1308,6 +1601,19 @@ msgstr "Μη έγκυρη τιμή επιστροφής της συνάρτησ msgid "Learn more about the Kernel points distribution" msgstr "" +#: src/components/transactions/Swap/modals/DebtSwapModal.tsx +msgid "Please connect your wallet to swap debt." +msgstr "" + +#: src/components/MarketSwitcher.tsx +msgid "Ethereum" +msgstr "" + +#: src/components/AssetCategoryMultiselect.tsx +#: src/components/MarketAssetCategoryFilter.tsx +msgid "All" +msgstr "" + #: src/components/isolationMode/IsolatedBadge.tsx msgid "Asset can be only used as collateral in isolation mode with limited borrowing power. To enter isolation mode, disable all other collateral." msgstr "" @@ -1316,9 +1622,8 @@ msgstr "" msgid "View all" msgstr "" -#: src/components/transactions/DebtSwitch/DebtSwitchModalContent.tsx -#: src/components/transactions/Swap/SwapModalContent.tsx -msgid "Swap to" +#: src/modules/sGho/SGhoHeader.tsx +msgid "Weekly Rewards" msgstr "" #: src/components/transactions/CollateralChange/CollateralChangeActions.tsx @@ -1326,6 +1631,7 @@ msgstr "" msgid "Pending..." msgstr "Εκκρεμεί..." +#: src/modules/staking/GhoStakingPanel.tsx #: src/modules/staking/StakingPanel.tsx msgid "Wallet Balance" msgstr "" @@ -1335,18 +1641,27 @@ msgstr "" msgid "Amount claimable" msgstr "" +#: src/components/incentives/MeritIncentivesTooltipContent.tsx +msgid "{remainingCustomMessage}" +msgstr "" + #: src/modules/reserve-overview/ReserveFactorOverview.tsx msgid "Collector Contract" msgstr "" #: src/components/transactions/StakeCooldown/StakeCooldownModalContent.tsx +#: src/modules/umbrella/StakeCooldownModalContent.tsx msgid "Nothing staked" msgstr "Τίποτα κλειδωμένο" -#: src/modules/staking/StakingPanel.tsx +#: src/components/SecondsToString.tsx msgid "{m}m" msgstr "{m}λ" +#: src/layouts/SupportModal.tsx +msgid "Inquiry" +msgstr "" + #: src/ui-config/errorMapping.tsx msgid "Unbacked mint cap is exceeded" msgstr "Υπέρβαση του ανώτατου ορίου νομισματοκοπείου χωρίς αντίκρισμα" @@ -1355,11 +1670,17 @@ msgstr "Υπέρβαση του ανώτατου ορίου νομισματοκ msgid "Maximum amount available to borrow against this asset is limited because debt ceiling is at {0}%." msgstr "" -#: src/layouts/FeedbackDialog.tsx +#: src/layouts/SupportModal.tsx msgid "Email" msgstr "" +#: src/components/incentives/MeritIncentivesTooltipContent.tsx +#: src/components/incentives/MeritIncentivesTooltipContent.tsx +msgid "here" +msgstr "" + #: src/modules/staking/StakingPanel.tsx +#: src/modules/umbrella/UnstakeModal.tsx msgid "Unstake" msgstr "" @@ -1371,6 +1692,11 @@ msgstr "Επισκόπηση πρότασης" msgid "Protocol debt ceiling is at 100% for this asset. Futher borrowing against this asset is unavailable." msgstr "" +#: src/components/MarketSwitcher.tsx +msgid "Favourites" +msgstr "" + +#: src/components/AssetCategoryMultiselect.tsx #: src/modules/history/HistoryFilterMenu.tsx msgid "Reset" msgstr "" @@ -1379,11 +1705,19 @@ msgstr "" msgid "disabled" msgstr "απενεργοποιημένο" +#: src/components/transactions/SavingsGho/SavingsGhoDepositModal.tsx +#: src/modules/sGho/SavingsGhoCard.tsx +msgid "Deposit GHO" +msgstr "" + #: src/modules/reserve-overview/Gho/GhoReserveConfiguration.tsx msgid "Website" msgstr "" -#: src/components/transactions/Withdraw/WithdrawAndSwitchModalContent.tsx +#: src/components/incentives/MerklIncentivesTooltipContent.tsx +msgid "Protocol APY" +msgstr "" + #: src/components/transactions/Withdraw/WithdrawAndUnwrapActions.tsx #: src/components/transactions/Withdraw/WithdrawModal.tsx #: src/components/transactions/Withdraw/WithdrawTypeSelector.tsx @@ -1391,6 +1725,13 @@ msgstr "" #: src/modules/dashboard/lists/SuppliedPositionsList/SuppliedPositionsListMobileItem.tsx #: src/modules/history/actions/ActionDetails.tsx #: src/modules/history/HistoryFilterMenu.tsx +#: src/modules/reserve-overview/Gho/SavingsGho.tsx +#: src/modules/sGho/SavingsGhoCard.tsx +#: src/modules/sGho/SGhoDepositPanel.tsx +#: src/modules/sGho/SGhoDepositPanel.tsx +#: src/modules/staking/GhoStakingPanel.tsx +#: src/modules/staking/GhoStakingPanel.tsx +#: src/modules/umbrella/helpers/StakingDropdown.tsx msgid "Withdraw" msgstr "Ανάληψη" @@ -1406,7 +1747,7 @@ msgstr "" msgid "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." msgstr "Όταν πραγματοποιείται ρευστοποίηση, οι ρευστοποιητές επιστρέφουν έως και το 50% του ανεξόφλητου δανεισμένου ποσού για λογαριασμό του δανειολήπτη. Σε αντάλλαγμα, μπορούν να αγοράσουν τις εξασφαλίσεις με έκπτωση και να κρατήσουν τη διαφορά (ποινή ρευστοποίησης) ως μπόνους." -#: pages/staking.staking.tsx +#: pages/safety-module.page.tsx msgid "Stake ABPT" msgstr "" @@ -1419,8 +1760,6 @@ msgstr "Ο σταθμισμένος μέσος όρος του APY για όλα msgid "Please connect your wallet to view transaction history." msgstr "" -#: src/modules/governance/proposal/VotersListContainer.tsx -#: src/modules/governance/proposal/VotersListContainer.tsx #: src/modules/governance/proposal/VotersListContainer.tsx #: src/modules/governance/proposal/VotersListModal.tsx #: src/modules/governance/proposal/VotersListModal.tsx @@ -1432,22 +1771,30 @@ msgstr "" msgid "Disable fork" msgstr "" -#: src/components/transactions/DebtSwitch/DebtSwitchModalDetails.tsx +#: src/components/transactions/Swap/details/DebtSwapDetails.tsx msgid "Borrow apy" msgstr "" +#: src/components/infoTooltips/SwapFeeTooltip.tsx #: src/components/transactions/Bridge/BridgeFeeTokenSelector.tsx -#: src/components/transactions/Switch/SwitchModalTxDetails.tsx msgid "Fee" msgstr "" -#: src/components/transactions/Swap/SwapModalDetails.tsx +#: 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 "" + +#: src/components/transactions/Swap/details/CollateralSwapDetails.tsx #: src/modules/migration/MigrationListMobileItem.tsx #: src/modules/reserve-overview/ReserveEModePanel.tsx #: src/modules/reserve-overview/SupplyInfo.tsx msgid "Liquidation threshold" msgstr "Κατώτατο όριο ρευστοποίησης" +#: src/components/transactions/Swap/warnings/postInputs/CowAdapterApprovalInfo.tsx +msgid "A temporary contract will be used to execute the trade. Your wallet may show a warning for approving a new or empty address." +msgstr "" + #: src/components/infoTooltips/SpkAirdropTooltip.tsx msgid "This asset is eligible for SPK incentive program. Aave Labs does not guarantee the program and accepts no liability." msgstr "" @@ -1472,16 +1819,18 @@ msgstr "" msgid "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." msgstr "" -#: src/components/transactions/Withdraw/WithdrawAndUnwrapActions.tsx -msgid "Withdrawing" +#: src/components/transactions/ClaimRewards/ClaimRewardsModalContent.tsx +#: src/components/transactions/ClaimRewards/ClaimRewardsModalContent.tsx +#: src/components/transactions/ClaimRewards/RewardsSelect.tsx +msgid "Merit Rewards" msgstr "" -#: src/components/transactions/Swap/SwapModalContent.tsx -msgid "Swapped" +#: src/components/transactions/Withdraw/WithdrawAndUnwrapActions.tsx +msgid "Withdrawing" msgstr "" -#: pages/staking.staking.tsx -msgid "Stake GHO" +#: src/components/infoTooltips/ExecutionFeeTooltip.tsx +msgid "Execution fee" msgstr "" #: src/modules/governance/proposal/VotingResults.tsx @@ -1489,6 +1838,10 @@ msgstr "" msgid "Not reached" msgstr "Δεν έχει επιτευχθεί" +#: src/components/transactions/Swap/inputs/shared/SwitchSlippageSelector.tsx +msgid "Auto" +msgstr "" + #: src/modules/bridge/BridgeWrapper.tsx msgid "Age" msgstr "" @@ -1509,12 +1862,25 @@ msgstr "Μη έγκυρη υπογραφή" msgid "State" msgstr "Κατάσταση" +#: src/modules/umbrella/NoStakeAssets.tsx +msgid "There are no stake assets configured for this market" +msgstr "" + #: src/modules/governance/proposal/ProposalLifecycle.tsx +#: src/modules/governance/proposal/ProposalLifecycleCache.tsx msgid "Proposal details" msgstr "Λεπτομέρειες πρότασης" -#: 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." +#: src/components/incentives/MeritIncentivesTooltipContent.tsx +msgid "Visit <0><1>https://aave.self.xyz/ to get started with Self’s ZK-powered proof-of-humanity authentication." +msgstr "" + +#: src/components/transactions/Supply/CollateralOptionsSelector.tsx +msgid "See {0} more" +msgstr "" + +#: src/components/transactions/Emode/EmodeModalContent.tsx +msgid "Cannot switch to this category" msgstr "" #: src/ui-config/errorMapping.tsx @@ -1532,20 +1898,25 @@ msgstr "Σύνδεσμοι" msgid "Staking APR" msgstr "Κλείδωμα APR" -#: src/layouts/AppFooter.tsx -msgid "Send feedback" -msgstr "" - #: src/ui-config/errorMapping.tsx msgid "Health factor is lesser than the liquidation threshold" msgstr "Ο συντελεστής υγείας είναι μικρότερος από το όριο ρευστοποίησης" +#: src/modules/staking/SavingsGhoProgram.tsx +msgid "stkGHO is now Savings GHO" +msgstr "" + #: src/components/transactions/Emode/EmodeModalContent.tsx #: src/components/transactions/FlowCommons/TxModalDetails.tsx #: src/modules/dashboard/DashboardEModeButton.tsx msgid "Enabled" msgstr "Ενεργοποιημένο" +#: src/components/transactions/Supply/CollateralOptionsSelector.tsx +#: src/components/transactions/Supply/CollateralOptionsSelector.tsx +msgid "{0} collateral would have 0% LTV in this category. Disable {1} as collateral to use this option." +msgstr "" + #: src/modules/staking/StakingHeader.tsx msgid "Funds in the Safety Module" msgstr "Κεφάλαια στην Μονάδα Ασφάλειας" @@ -1558,12 +1929,16 @@ msgstr "" msgid "Show Frozen or paused assets" msgstr "" +#: src/modules/reserve-overview/Gho/SavingsGho.tsx +#: src/modules/sGho/SGhoDepositPanel.tsx +#: src/modules/staking/GhoStakingPanel.tsx #: src/modules/staking/StakingPanel.tsx +#: src/modules/umbrella/AmountSharesItem.tsx msgid "Amount in cooldown" msgstr "" -#: src/modules/governance/proposal/VotersListContainer.tsx -msgid "Failed to load proposal voters. Please refresh the page." +#: src/modules/umbrella/helpers/SharesTooltip.tsx +msgid "Shares are Umbrella Stake Tokens you receive when staking. They represent your ownership in the pool, and the amount of underlying you can redeem depends on the current exchange rate between shares and the underlying." msgstr "" #: src/modules/migration/MigrationList.tsx @@ -1582,10 +1957,14 @@ msgstr "" msgid "Read-only mode allows to see address positions in Aave, but you won't be able to perform transactions." msgstr "" -#: src/components/transactions/Switch/SwitchSlippageSelector.tsx +#: src/components/transactions/Swap/inputs/shared/SwitchSlippageSelector.tsx msgid "Max slippage" msgstr "" +#: src/components/transactions/Swap/warnings/postInputs/GasEstimationWarning.tsx +msgid "The swap could not be completed. Try increasing slippage or changing the amount." +msgstr "" + #: src/components/transactions/Warnings/BorrowCapWarning.tsx msgid "Protocol borrow cap is at 100% for this asset. Further borrowing unavailable." msgstr "" @@ -1594,6 +1973,10 @@ msgstr "" msgid "Disabling E-Mode" msgstr "Απενεργοποίηση E-Mode" +#: src/modules/history/HistoryWrapper.tsx +msgid "This list may not include all your swaps." +msgstr "" + #: src/ui-config/errorMapping.tsx msgid "Pool addresses provider is not registered" msgstr "Ο πάροχος διευθύνσεων κοινόχρηστων ταμείων δεν είναι εγγεγραμμένος" @@ -1610,16 +1993,12 @@ msgstr "" msgid "GHO balance" msgstr "" -#: pages/index.page.tsx +#: pages/dashboard.page.tsx #: src/components/transactions/Borrow/BorrowModal.tsx #: src/modules/dashboard/lists/BorrowAssetsList/BorrowAssetsListItem.tsx #: src/modules/dashboard/lists/BorrowAssetsList/BorrowAssetsListMobileItem.tsx -#: src/modules/dashboard/lists/BorrowAssetsList/GhoBorrowAssetsListItem.tsx -#: src/modules/dashboard/lists/BorrowAssetsList/GhoBorrowAssetsListItem.tsx #: src/modules/dashboard/lists/BorrowedPositionsList/BorrowedPositionsListItem.tsx #: src/modules/dashboard/lists/BorrowedPositionsList/BorrowedPositionsListItem.tsx -#: src/modules/dashboard/lists/BorrowedPositionsList/GhoBorrowedPositionsListItem.tsx -#: src/modules/dashboard/lists/BorrowedPositionsList/GhoBorrowedPositionsListItem.tsx #: src/modules/history/actions/ActionDetails.tsx #: src/modules/history/HistoryFilterMenu.tsx #: src/modules/reserve-overview/ReserveActions.tsx @@ -1631,6 +2010,14 @@ msgstr "Δανεισμός" msgid "Liquidation penalty" msgstr "Ποινή ρευστοποίησης" +#: src/components/transactions/Supply/CollateralOptionsSelector.tsx +msgid "Category assets" +msgstr "" + +#: src/modules/umbrella/StakeAssets/UmbrellaAssetsListMobileItem.tsx +msgid "Available to stake" +msgstr "" + #: src/modules/reserve-overview/SupplyInfo.tsx msgid "Asset can only be used as collateral in isolation mode only." msgstr "To περιουσιακό στοιχείο μπορεί να χρησιμοποιηθεί ως εγγύηση μόνο σε λειτουργία απομόνωσης." @@ -1643,34 +2030,22 @@ msgstr "" msgid "User does not have outstanding stable rate debt on this reserve" msgstr "Ο χρήστης δεν έχει ανεξόφλητο χρέος σταθερού επιτοκίου σε αυτό το αποθεματικό" -#: src/modules/history/actions/ActionDetails.tsx -msgid "Borrow rate change" -msgstr "" - #: src/modules/bridge/BridgeTopPanel.tsx msgid "Bridge history" msgstr "" -#: src/modules/staking/GhoDiscountProgram.tsx -msgid "Holders of stkAAVE receive a discount on the GHO borrowing rate" -msgstr "" - -#: src/components/transactions/DebtSwitch/DebtSwitchModalDetails.tsx +#: src/components/transactions/Swap/details/DebtSwapDetails.tsx msgid "Borrow balance after switch" msgstr "" -#: src/modules/reserve-overview/Gho/GhoDiscountCalculator.tsx -msgid "Discount model parameters" +#: src/modules/dashboard/lists/SuppliedPositionsList/SuppliedPositionsList.tsx +msgid "Show assets with small balance" msgstr "" #: src/components/transactions/Bridge/BridgeModalContent.tsx msgid "Asset has been successfully sent to CCIP contract. You can check the status of the transactions below" msgstr "" -#: src/components/AddressBlockedModal.tsx -msgid "blocked activities" -msgstr "" - #: pages/500.page.tsx msgid "Reload the page" msgstr "" @@ -1691,14 +2066,12 @@ msgstr "Το περιουσιακό στοιχείο δεν είναι δανε msgid "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." msgstr "" -#: src/modules/history/HistoryWrapper.tsx -msgid "Transaction history is not currently available for this market" +#: src/components/transactions/CancelCowOrder/CancelCowOrderActions.tsx +msgid "Send cancel" msgstr "" #: src/modules/dashboard/lists/BorrowAssetsList/BorrowAssetsListItem.tsx #: src/modules/dashboard/lists/BorrowAssetsList/BorrowAssetsListMobileItem.tsx -#: src/modules/dashboard/lists/BorrowAssetsList/GhoBorrowAssetsListItem.tsx -#: src/modules/dashboard/lists/BorrowAssetsList/GhoBorrowAssetsListItem.tsx #: src/modules/dashboard/lists/SupplyAssetsList/SupplyAssetsListItem.tsx #: src/modules/dashboard/lists/SupplyAssetsList/SupplyAssetsListMobileItem.tsx #: src/modules/markets/MarketAssetsListItem.tsx @@ -1706,6 +2079,7 @@ msgid "Details" msgstr "Λεπτομέρειες" #: src/components/transactions/StakeCooldown/StakeCooldownModalContent.tsx +#: src/modules/umbrella/StakeCooldownModalContent.tsx msgid "Stake cooldown activated" msgstr "" @@ -1721,6 +2095,11 @@ msgstr "" msgid "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." msgstr "Ο δείκτης μέγιστου LTV αντιπροσωπεύει τη μέγιστη δανειοληπτική ικανότητα μιας συγκεκριμένης εγγύησης. Για παράδειγμα, εάν μια εγγύηση έχει LTV 75%, ο χρήστης μπορεί να δανειστεί έως και 0,75 ETH στο κύριο νόμισμα για κάθε 1 ETH αξίας εγγύησης." +#: src/components/transactions/StakeCooldown/StakeCooldownModalContent.tsx +#: src/modules/umbrella/StakeCooldownModalContent.tsx +msgid "You'll need to wait {0} before you can unstake your tokens. This cooldown starts when you request to unstake. Once it ends, you can withdraw during the unstake window." +msgstr "" + #: src/components/transactions/StakeRewardClaim/StakeRewardClaimModalContent.tsx #: src/components/transactions/StakeRewardClaimRestake/StakeRewardClaimRestakeModalContent.tsx msgid "No rewards to claim" @@ -1734,6 +2113,14 @@ msgstr "" msgid "Migration risks" msgstr "" +#: src/components/transactions/Swap/warnings/postInputs/LowHealthFactorWarning.tsx +msgid "I understand the liquidation risk and want to proceed" +msgstr "" + +#: src/components/transactions/Swap/warnings/postInputs/HighPriceImpactWarning.tsx +msgid "I confirm the swap knowing that I could lose up to <0>{0}% on this swap." +msgstr "" + #: src/modules/history/actions/ActionDetails.tsx msgid "Covered debt" msgstr "" @@ -1754,7 +2141,10 @@ msgstr "Σύνολο δανείων" msgid "YAE" msgstr "ΥΠΕΡ" -#: src/components/transactions/Borrow/GhoBorrowSuccessView.tsx +#: src/components/transactions/ClaimRewards/ClaimRewardsModalContent.tsx +msgid "Claiming all merit rewards only" +msgstr "" + #: src/components/transactions/FlowCommons/BaseCancelled.tsx #: src/components/transactions/FlowCommons/BaseSuccess.tsx #: src/components/transactions/FlowCommons/BaseWaiting.tsx @@ -1770,13 +2160,13 @@ msgstr "Τίποτα δεν έχει παρασχεθεί ακόμη" msgid "Voting" msgstr "" -#: pages/404.page.tsx -msgid "Back to Dashboard" +#: src/components/transactions/Swap/actions/ActionsSkeleton.tsx +msgid "Loading quote..." msgstr "" -#: src/modules/reserve-overview/SupplyInfo.tsx -msgid "Unbacked" -msgstr "Μη υποστηριζόμενο" +#: src/components/infoTooltips/EstimatedCostsForLimitSwap.tsx +msgid "Estimated Costs & Fees" +msgstr "" #: src/components/infoTooltips/EModeTooltip.tsx msgid "E-Mode increases your LTV for a selected category of assets up to<0/>. <1>Learn more" @@ -1786,6 +2176,14 @@ msgstr "Το E-Mode αυξάνει το LTV σας για μια επιλεγμ msgid "Reserve status & configuration" msgstr "Κατάσταση & διαμόρφωση αποθεματικού" +#: src/layouts/SupportModal.tsx +msgid "Let us know how we can help you. You may also consider joining our community" +msgstr "" + +#: src/components/transactions/Withdraw/WithdrawTypeSelector.tsx +msgid "Withdraw & Swap" +msgstr "" + #: src/ui-config/errorMapping.tsx msgid "User cannot withdraw more than the available balance" msgstr "Ο χρήστης δεν μπορεί να κάνει ανάληψη μεγαλύτερη από το διαθέσιμο υπόλοιπο" @@ -1794,6 +2192,8 @@ msgstr "Ο χρήστης δεν μπορεί να κάνει ανάληψη μ msgid "<0>Ampleforth is a rebasing asset. Visit the <1>documentation to learn more." msgstr "" +#: src/modules/history/actions/ActionDetails.tsx +#: src/modules/history/actions/ActionDetails.tsx #: src/modules/history/actions/ActionDetails.tsx msgid "In Progress" msgstr "" @@ -1802,7 +2202,7 @@ msgstr "" msgid "Because this asset is paused, no actions can be taken until further notice" msgstr "" -#: src/components/transactions/Switch/SwitchAssetInput.tsx +#: src/components/transactions/Swap/inputs/primitives/SwapAssetInput.tsx msgid "No results found. You can import a custom token with a contract address" msgstr "" @@ -1823,14 +2223,30 @@ msgstr "Χρησιμοποιείται ως εγγύηση" msgid "Action cannot be performed because the reserve is paused" msgstr "Η ενέργεια δεν μπορεί να εκτελεστεί επειδή η εφεδρεία βρίσκεται σε παύση" +#: src/components/transactions/TxActionsWrapper.tsx +msgid "{0} {symbol} to continue" +msgstr "" + #: src/modules/governance/RepresentativesInfoPanel.tsx msgid "Representative smart contract wallet (ie. Safe) addresses on other chains." msgstr "" +#: src/components/transactions/Swap/errors/shared/UserDenied.tsx +msgid "User denied the operation." +msgstr "" + +#: src/layouts/SupportModal.tsx +msgid "Support" +msgstr "" + #: src/components/transactions/CollateralChange/CollateralChangeModalContent.tsx msgid "You will exit isolation mode and other tokens can now be used as collateral" msgstr "Θα βγείτε από τη λειτουργία απομόνωσης και άλλα tokens μπορούν πλέον να χρησιμοποιηθούν ως εγγύηση" +#: src/modules/staking/GhoStakingPanel.tsx +msgid "Deposit APR" +msgstr "" + #: src/components/transactions/Bridge/BridgeModalContent.tsx msgid "Amount to Bridge" msgstr "" @@ -1839,15 +2255,40 @@ msgstr "" 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 "" -#: src/components/transactions/Switch/SwitchTxSuccessView.tsx +#: src/modules/umbrella/helpers/StakedUnderlyingTooltip.tsx +msgid "Staked Underlying" +msgstr "" + +#: src/components/transactions/Swap/warnings/preInputs/NativeLimitOrderInfo.tsx +msgid "For security reasons, limit orders are not supported for Native tokens. To place a limit order, use the wrapped version." +msgstr "" + +#: src/layouts/components/StakingMenu.tsx +#: src/layouts/components/StakingMenu.tsx +msgid "Umbrella" +msgstr "" + +#: src/components/incentives/MeritIncentivesTooltipContent.tsx +msgid "Merit Program and Self rewards can be claimed" +msgstr "" + +#: src/components/transactions/Swap/modals/result/SwapResultView.tsx msgid "The order could't be filled." msgstr "" +#: src/components/transactions/Supply/CollateralOptionsSelector.tsx +msgid "Collateral options" +msgstr "" + #: src/components/transactions/GovVote/GovVoteActions.tsx #: src/components/transactions/GovVote/GovVoteActions.tsx msgid "VOTE NAY" msgstr "ΨΗΦΙΣΤΕ ΚΑΤΑ" +#: src/layouts/components/ShieldSwitcher.tsx +msgid "Aave Shield" +msgstr "" + #: src/components/transactions/Emode/EmodeActions.tsx msgid "Enabling E-Mode" msgstr "Ενεργοποίηση E-Mode" @@ -1860,9 +2301,12 @@ msgstr "" msgid "The total amount bridged minus CCIP fees. Paying in network token does not impact gho amount." msgstr "" -#: src/layouts/FeedbackDialog.tsx -#: src/layouts/FeedbackDialog.tsx -msgid "Feedback" +#: src/modules/umbrella/UmbrellaModalContent.tsx +msgid "Stake token shares" +msgstr "" + +#: src/components/transactions/Swap/inputs/shared/SwitchSlippageSelector.tsx +msgid "Default slippage" msgstr "" #: src/layouts/AppHeader.tsx @@ -1873,6 +2317,11 @@ msgstr "" msgid "If your loan to value goes above the liquidation threshold your collateral supplied may be liquidated." msgstr "Εάν το δάνειο προς αξία υπερβεί το όριο ρευστοποίησης, η παρεχόμενη εγγύηση σας μπορεί να ρευστοποιηθεί." +#: src/modules/history/TransactionMobileRowItem.tsx +#: src/modules/history/TransactionRowItem.tsx +msgid "VIEW" +msgstr "" + #: src/ui-config/errorMapping.tsx msgid "Interest rate rebalance conditions were not met" msgstr "Δεν τηρήθηκαν οι όροι επανεξισορρόπησης των επιτοκίων" @@ -1881,6 +2330,14 @@ msgstr "Δεν τηρήθηκαν οι όροι επανεξισορρόπηση msgid "Add {0} to wallet to track your balance." msgstr "" +#: src/components/transactions/Swap/actions/ActionsSkeleton.tsx +msgid "Loading..." +msgstr "" + +#: src/components/transactions/CancelCowOrder/CancelCowOrderModalContent.tsx +msgid "This is an off-chain operation. Keep in mind that a solver may already have filled your order." +msgstr "" + #: src/modules/governance/GovernanceTopPanel.tsx msgid "Aave Governance" msgstr "Διακυβέρνηση Aave" @@ -1893,6 +2350,10 @@ msgstr "Raw-Ipfs" msgid "Efficiency mode (E-Mode)" msgstr "Λειτουργία αποδοτικότητας (E-Mode)" +#: src/components/infoTooltips/EstimatedCostsForLimitSwap.tsx +msgid "These are the estimated costs associated with your limit swap, including costs and fees. Consider these costs when setting your order amounts to help optimize execution and maximize your chances of filling the order." +msgstr "" + #: src/components/transactions/Emode/EmodeModalContent.tsx #: src/modules/dashboard/DashboardEModeButton.tsx msgid "Manage E-Mode" @@ -1902,6 +2363,7 @@ msgstr "" msgid "Disable testnet" msgstr "" +#: src/modules/staking/GhoStakingPanel.tsx #: src/modules/staking/StakingPanel.tsx msgid "Max slashing" msgstr "Μέγιστη περικοπή" @@ -1910,11 +2372,17 @@ msgstr "Μέγιστη περικοπή" msgid "Before supplying" msgstr "Πριν από την προμήθεια" +#: src/modules/umbrella/StakeAssets/UmbrellaAssetsListContainer.tsx +#: src/modules/umbrella/UmbrellaAssetsDefault.tsx +msgid "Assets to stake" +msgstr "" + #: src/modules/dashboard/LiquidationRiskParametresModal/components/HFContent.tsx msgid "Liquidation value" msgstr "Αξία ρευστοποίησης" #: 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 "" @@ -1926,6 +2394,8 @@ msgstr "ενεργοποιημένο" msgid "Enter a valid address" msgstr "" +#: src/modules/sGho/SGhoDepositPanel.tsx +#: src/modules/staking/GhoStakingPanel.tsx #: src/modules/staking/StakingPanel.tsx msgid "Time left to unstake" msgstr "Χρόνος που απομένει για το ξεκλείδωμα" @@ -1935,13 +2405,19 @@ msgid "Disabling this asset as collateral affects your borrowing power and Healt msgstr "Η απενεργοποίηση αυτού του περιουσιακού στοιχείου ως εγγύηση επηρεάζει τη δανειοληπτική σας ικανότητα και τον Συντελεστή Υγείας." #: src/modules/reserve-overview/Gho/GhoReserveTopDetails.tsx +#: src/modules/sGho/SGhoHeader.tsx msgid "Price" msgstr "" #: src/components/transactions/UnStake/UnStakeModalContent.tsx +#: src/modules/umbrella/UnstakeModalContent.tsx msgid "Unstaked" msgstr "" +#: src/components/transactions/Supply/SupplyModalContent.tsx +msgid "E-Mode change" +msgstr "" + #: src/modules/governance/proposal/VoteInfo.tsx msgid "Vote NAY" msgstr "Ψηφίστε ΚΑΤΑ" @@ -1954,16 +2430,21 @@ msgstr "" msgid "Array parameters that should be equal length are not" msgstr "Οι παράμετροι της συστοιχίας που θα έπρεπε να είναι ίσου μήκους δεν είναι" -#: src/components/transactions/Switch/SwitchErrors.tsx -msgid "Your balance is lower than the selected amount." +#: src/components/transactions/Swap/actions/RepayWithCollateral/RepayWithCollateralActionsViaParaswap.tsx +msgid "Repaying {0}" +msgstr "" + +#: src/components/incentives/MeritIncentivesTooltipContent.tsx +#: src/components/incentives/MeritIncentivesTooltipContent.tsx +msgid "from the" msgstr "" #: src/modules/governance/proposal/ProposalOverview.tsx msgid "An error has occurred fetching the proposal." msgstr "" -#: src/modules/reserve-overview/Gho/GhoPieChartContainer.tsx -msgid "Exceeds the discount" +#: src/modules/reserve-overview/SupplyInfo.tsx +msgid "This asset can only be used as collateral in E-Mode: {0}" msgstr "" #: src/modules/markets/MarketAssetsList.tsx @@ -1975,30 +2456,27 @@ msgstr "Δανεισμός APY, μεταβλητό" msgid "This asset is eligible for rewards through SuperFest. Aave Labs does not guarantee the program and accepts no liability." msgstr "" -#: src/components/incentives/MeritIncentivesTooltipContent.tsx -msgid "Eligible for the Merit program." -msgstr "" - #: src/components/Warnings/CooldownWarning.tsx msgid "Cooldown period warning" msgstr "Προειδοποίηση περιόδου ψύξης" -#: src/components/transactions/DebtSwitch/DebtSwitchActions.tsx -#: src/components/transactions/Swap/SwapActions.tsx -msgid "Swaping" +#: src/modules/umbrella/AmountSharesItem.tsx +msgid "Available to withdraw" msgstr "" -#: src/components/incentives/ZkSyncIgniteIncentivesTooltipContent.tsx -msgid "ZKSync Ignite Program rewards are claimed through the" +#: src/components/transactions/FlowCommons/TxModalDetails.tsx +msgid "Cooldown" msgstr "" -#: src/components/transactions/Emode/EmodeModalContent.tsx +#: src/components/transactions/Emode/EmodeAssetTable.tsx #: src/modules/bridge/BridgeWrapper.tsx #: src/modules/dashboard/lists/BorrowAssetsList/BorrowAssetsList.tsx #: src/modules/dashboard/lists/BorrowedPositionsList/BorrowedPositionsList.tsx #: src/modules/dashboard/lists/SuppliedPositionsList/SuppliedPositionsList.tsx #: src/modules/faucet/FaucetAssetsList.tsx #: src/modules/markets/MarketAssetsList.tsx +#: src/modules/umbrella/StakeAssets/UmbrellaAssetsList.tsx +#: src/modules/umbrella/UmbrellaAssetsDefault.tsx msgid "Asset" msgstr "Περιουσιακό στοιχείο" @@ -2014,7 +2492,7 @@ msgstr "Τα απομονωμένα περιουσιακά στοιχεία έχ msgid "Addresses" msgstr "" -#: src/components/transactions/Switch/SwitchModalTxDetails.tsx +#: src/components/infoTooltips/NetworkCostTooltip.tsx msgid "Network costs" msgstr "" @@ -2026,7 +2504,11 @@ msgstr "Το αιτούμενο ποσό είναι μεγαλύτερο από msgid "This is a program initiated and implemented by the Aave Chan Initiative (ACI). Aave Labs does not guarantee the program and accepts no liability." msgstr "" -#: pages/index.page.tsx +#: src/modules/umbrella/StakingApyItem.tsx +msgid "supply" +msgstr "" + +#: pages/dashboard.page.tsx #: src/components/transactions/Supply/SupplyModal.tsx #: src/modules/dashboard/lists/SuppliedPositionsList/SuppliedPositionsListItem.tsx #: src/modules/dashboard/lists/SuppliedPositionsList/SuppliedPositionsListMobileItem.tsx @@ -2039,14 +2521,11 @@ msgstr "" msgid "Supply" msgstr "Προσφορά" +#: src/components/transactions/Emode/EmodeModalContent.tsx #: src/components/transactions/Emode/EmodeModalContent.tsx msgid "Cannot disable E-Mode" msgstr "" -#: src/components/transactions/Repay/CollateralRepayModalContent.tsx -msgid "Not enough collateral to repay this amount of debt with" -msgstr "Δεν υπάρχουν επαρκείς εγγυήσεις για την αποπληρωμή αυτού του ποσού χρέους με" - #: src/ui-config/errorMapping.tsx msgid "Address is not a contract" msgstr "Η διεύθυνση δεν είναι συμβόλαιο" @@ -2080,15 +2559,23 @@ msgstr "Ο δανεισμός δεν είναι διαθέσιμος επειδ msgid "Something went wrong fetching bridge message, please try again later." msgstr "" +#: src/modules/staking/StakingPanelNoWallet.tsx +msgid "Incentives APR" +msgstr "" + #: src/modules/governance/VotingPowerInfoPanel.tsx 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 "" +#: src/modules/sGho/SavingsGhoCard.tsx +#: src/modules/umbrella/UmbrellaAssetsDefault.tsx +msgid "Staking APY" +msgstr "" + #: src/modules/governance/proposal/VoteInfo.tsx msgid "Vote YAE" msgstr "Ψηφίστε ΥΠΕΡ" -#: src/components/transactions/Repay/CollateralRepayActions.tsx #: src/components/transactions/Repay/RepayActions.tsx msgid "Repaying {symbol}" msgstr "Αποπληρώνοντας {symbol}" @@ -2097,20 +2584,14 @@ msgstr "Αποπληρώνοντας {symbol}" msgid "Bridge {symbol}" msgstr "" -#: src/modules/reserve-overview/Gho/GhoInterestRateGraph.tsx -msgid "Effective interest rate" -msgstr "" - #: src/modules/governance/proposal/ProposalLifecycle.tsx +#: src/modules/governance/proposal/ProposalLifecycleCache.tsx msgid "Forum discussion" msgstr "Συζήτηση φόρουμ" #: src/components/transactions/Borrow/BorrowModalContent.tsx -#: src/components/transactions/Borrow/GhoBorrowModalContent.tsx -#: src/components/transactions/Withdraw/WithdrawAndSwitchModalContent.tsx #: src/components/transactions/Withdraw/WithdrawModalContent.tsx #: src/modules/dashboard/lists/BorrowAssetsList/BorrowAssetsList.tsx -#: src/modules/dashboard/lists/BorrowAssetsList/GhoBorrowAssetsListItem.tsx msgid "Available" msgstr "Διαθέσιμο" @@ -2118,12 +2599,23 @@ msgstr "Διαθέσιμο" msgid "You did not participate in this proposal" msgstr "Δεν συμμετείχατε στην παρούσα πρόταση" +#: src/components/transactions/Swap/warnings/postInputs/LowHealthFactorWarning.tsx +msgid "Low health factor after swap. Your position will carry a higher risk of liquidation." +msgstr "" + +#: src/components/AssetCategoryMultiselect.tsx +msgid "Principle Tokens" +msgstr "" + #: src/ui-config/menu-items/index.tsx msgid "Governance" msgstr "Διακυβέρνηση" +#: src/components/TitleWithFiltersAndSearchBar.tsx #: src/components/TitleWithSearchBar.tsx #: src/modules/history/HistoryWrapperMobile.tsx +#: src/modules/history/TransactionMobileRowItem.tsx +#: src/modules/history/TransactionRowItem.tsx msgid "Cancel" msgstr "" @@ -2131,10 +2623,6 @@ msgstr "" msgid "Ltv validation failed" msgstr "Η επικύρωση του Ltv απέτυχε" -#: src/modules/reserve-overview/Gho/GhoDiscountCalculator.tsx -msgid "to" -msgstr "" - #: src/modules/reserve-overview/SupplyInfo.tsx msgid "Maximum amount available to supply is <0/> {0} (<1/>)." msgstr "" @@ -2148,6 +2636,22 @@ msgstr "Δεν έχετε αρκετά χρήματα στο πορτοφόλι msgid "Assets to borrow" msgstr "Περιουσιακά στοιχεία προς δανεισμό" +#: src/modules/reserve-overview/graphs/ApyGraphContainer.tsx +msgid "Data couldn't be loaded." +msgstr "" + +#: src/components/transactions/Swap/warnings/postInputs/HighPriceImpactWarning.tsx +msgid "Please review the swap values before confirming." +msgstr "" + +#: src/components/transactions/Swap/errors/shared/SupplyCapBlockingError.tsx +msgid "Supply cap reached for {symbol}. Reduce the amount or choose a different asset." +msgstr "" + +#: src/components/MarketSwitcher.tsx +msgid "L1 Networks" +msgstr "" + #: src/components/Warnings/BorrowDisabledWarning.tsx msgid "Borrowing is disabled due to an Aave community decision. <0>More details" msgstr "" @@ -2156,13 +2660,10 @@ msgstr "" #: src/modules/reserve-overview/SupplyInfo.tsx #: src/modules/reserve-overview/SupplyInfo.tsx #: src/modules/reserve-overview/SupplyInfo.tsx +#: src/modules/reserve-overview/SupplyInfo.tsx msgid "Collateral usage" msgstr "Χρησιμοποίηση εγγυήσεων" -#: src/modules/history/actions/BorrowRateModeBlock.tsx -msgid "Variable" -msgstr "Μεταβλητό" - #: src/modules/history/actions/ActionDetails.tsx #: src/modules/history/HistoryFilterMenu.tsx msgid "Liquidation" @@ -2172,6 +2673,10 @@ msgstr "" msgid "Aave debt token" msgstr "" +#: src/components/transactions/Supply/SupplyModalContent.tsx +msgid "This transaction will enable E-Mode ({0}). Borrowing will be restricted to assets within this category." +msgstr "" + #: src/modules/governance/proposal/VotersListContainer.tsx msgid "Top 10 addresses" msgstr "" @@ -2192,7 +2697,12 @@ msgstr "" msgid "Edit" msgstr "" +#: pages/sgho.page.tsx +msgid "Please connect a wallet to view your balance here." +msgstr "" + #: src/modules/reserve-overview/SupplyInfo.tsx +#: src/modules/umbrella/StakingApyItem.tsx msgid "Staking Rewards" msgstr "" @@ -2205,13 +2715,10 @@ msgstr "" msgid "No transactions yet." msgstr "" -#: src/modules/markets/Gho/GhoBanner.tsx #: src/modules/markets/MarketAssetsList.tsx #: src/modules/markets/MarketAssetsListMobileItem.tsx #: src/modules/reserve-overview/BorrowInfo.tsx #: src/modules/reserve-overview/BorrowInfo.tsx -#: src/modules/reserve-overview/Gho/GhoBorrowInfo.tsx -#: src/modules/reserve-overview/Gho/GhoBorrowInfo.tsx #: src/modules/reserve-overview/Gho/GhoReserveTopDetails.tsx msgid "Total borrowed" msgstr "Σύνολο δανεικών" @@ -2220,6 +2727,11 @@ msgstr "Σύνολο δανεικών" msgid "The collateral balance is 0" msgstr "Το υπόλοιπο των εγγυήσεων είναι 0" +#: src/components/transactions/Swap/modals/result/SwapResultView.tsx +#: src/components/transactions/Swap/modals/result/SwapResultView.tsx +msgid "You've successfully swapped {0}." +msgstr "" + #: src/components/ChainAvailabilityText.tsx msgid "Available on" msgstr "" @@ -2232,10 +2744,6 @@ msgstr "" msgid "Unstake now" msgstr "Ξεκλειδώστε τώρα" -#: src/modules/reserve-overview/Gho/GhoDiscountCalculator.tsx -msgid "APY with discount applied" -msgstr "" - #: src/modules/dashboard/DashboardTopPanel.tsx msgid "Net worth" msgstr "Καθαρή αξία" @@ -2244,16 +2752,15 @@ msgstr "Καθαρή αξία" msgid "Get ABP Token" msgstr "" +#: src/modules/sGho/SGhoHeader.tsx +msgid "Deposit GHO into savings GHO (sGHO) and earn <0>{0}% APY on your GHO holdings. There are no lockups, no rehypothecation, and you can withdraw anytime. Simply deposit GHO, receive sGHO tokens representing your balance, and watch your savings grow earning claimable rewards from merit." +msgstr "" + #: src/components/transactions/FlowCommons/Success.tsx msgid "You switched to {0} rate" msgstr "Αλλάξατε σε ποσοστό {0}" -#: src/components/incentives/IncentivesTooltipContent.tsx -msgid "Net APR" -msgstr "Καθαρό APR" - #: src/components/transactions/Borrow/BorrowModalContent.tsx -#: src/components/transactions/Borrow/GhoBorrowModalContent.tsx msgid "Borrowed" msgstr "" @@ -2265,17 +2772,11 @@ msgstr "" msgid "Your current loan to value based on your collateral supplied." msgstr "Το τρέχον δάνειο προς αξία με βάση τις παρεχόμενες εξασφαλίσεις σας." -#: src/modules/reserve-overview/Gho/GhoDiscountCalculator.tsx -#: src/modules/reserve-overview/Gho/GhoInterestRateGraph.tsx -msgid "Staking discount" -msgstr "" - #: src/modules/migration/MigrationBottomPanel.tsx msgid "Preview tx and migrate" msgstr "" #: src/components/transactions/AssetInput.tsx -#: src/components/transactions/ClaimRewards/ClaimRewardsModalContent.tsx #: src/modules/dashboard/lists/BorrowedPositionsList/BorrowedPositionsList.tsx #: src/modules/dashboard/lists/SuppliedPositionsList/SuppliedPositionsList.tsx #: src/modules/dashboard/lists/SuppliedPositionsList/SuppliedPositionsList.tsx @@ -2303,6 +2804,10 @@ msgstr "" msgid "Powered by" msgstr "" +#: src/components/infoTooltips/ExecutionFeeTooltip.tsx +msgid "This is the fee for executing position changes, set by governance." +msgstr "" + #: src/layouts/AppFooter.tsx msgid "FAQS" msgstr "" @@ -2319,6 +2824,13 @@ msgstr "" msgid "Testnet mode" msgstr "Λειτουργία Testnet" +#: src/components/transactions/Swap/actions/WithdrawAndSwap/WithdrawAndSwapActionsViaParaswap.tsx +#: src/components/transactions/Swap/actions/WithdrawAndSwap/WithdrawAndSwapActionsViaParaswap.tsx +#: src/modules/history/actions/ActionDetails.tsx +#: src/modules/history/HistoryFilterMenu.tsx +msgid "Withdraw and Swap" +msgstr "" + #: src/components/infoTooltips/FrozenTooltip.tsx msgid "This asset is frozen due to an Aave Protocol Governance decision. <0>More details" msgstr "" @@ -2335,22 +2847,14 @@ msgstr "" msgid "Approve Confirmed" msgstr "" -#: src/components/AddressBlockedModal.tsx -msgid "This address is blocked on app.aave.com because it is associated with one or more" +#: src/components/transactions/Swap/warnings/postInputs/ShieldSwapWarning.tsx +msgid "This swap has a price impact of {0}%, which exceeds the 25% safety threshold. To proceed, disable Aave Shield in the settings menu." msgstr "" #: src/ui-config/errorMapping.tsx msgid "Zero address not valid" msgstr "Η μηδενική διεύθυνση δεν είναι έγκυρη" -#: src/components/MarketSwitcher.tsx -msgid "Version 3" -msgstr "" - -#: src/modules/reserve-overview/Gho/GhoDiscountCalculator.tsx -msgid "You may borrow up to <0/> GHO at <1/> (max discount)" -msgstr "" - #: src/components/infoTooltips/NetAPYTooltip.tsx msgid "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." msgstr "Το καθαρό ΑΡΥ είναι η συνδυασμένη επίδραση όλων των θέσεων προσφοράς και δανεισμού στην καθαρή αξία, συμπεριλαμβανομένων των κινήτρων. Είναι δυνατόν να υπάρχει αρνητικό καθαρό APY εάν το χρεωστικό APY είναι υψηλότερο από το προσφερόμενο APY." @@ -2368,24 +2872,43 @@ msgstr "" msgid ".CSV" msgstr "" -#: src/components/transactions/Switch/SwitchModalTxDetails.tsx +#: src/components/infoTooltips/NetworkCostTooltip.tsx msgid "This is the cost of settling your order on-chain, including gas and any LP fees." msgstr "" +#: src/components/transactions/SavingsGho/SavingsGhoWithdrawActions.tsx #: 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 "" +#: src/modules/umbrella/StakeAssets/UmbrellaAssetsList.tsx +msgid "Available to Claim" +msgstr "" + #: src/modules/dashboard/DashboardTopPanel.tsx +#: src/modules/umbrella/UmbrellaHeader.tsx msgid "Net APY" msgstr "Καθαρό APY" +#: src/layouts/SupportModal.tsx +msgid "Submit" +msgstr "" + #: src/components/transactions/ClaimRewards/ClaimRewardsModalContent.tsx #: src/components/transactions/StakeRewardClaim/StakeRewardClaimModalContent.tsx +#: src/modules/umbrella/UmbrellaClaimModalContent.tsx +#: src/modules/umbrella/UmbrellaClaimModalContent.tsx msgid "Claimed" msgstr "" +#: src/modules/history/actions/ActionDetails.tsx +#: src/modules/history/HistoryFilterMenu.tsx +msgid "Debt Swap" +msgstr "" + #: src/components/infoTooltips/BorrowPowerTooltip.tsx msgid "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." msgstr "Το % της συνολικής δανειοληπτικής σας δύναμης που χρησιμοποιείται. Αυτό βασίζεται στο ποσό της παρεχόμενης εξασφάλισής σας και στο συνολικό ποσό που μπορείτε να δανειστείτε." @@ -2394,7 +2917,8 @@ msgstr "Το % της συνολικής δανειοληπτικής σας δ #: src/components/transactions/Bridge/BridgeAmount.tsx #: src/components/transactions/Bridge/BridgeAmount.tsx #: src/components/transactions/Faucet/FaucetModalContent.tsx -#: src/modules/reserve-overview/Gho/GhoPieChartContainer.tsx +#: src/modules/umbrella/UmbrellaClaimModalContent.tsx +#: src/modules/umbrella/UmbrellaClaimModalContent.tsx msgid "Amount" msgstr "Ποσό" @@ -2403,7 +2927,12 @@ msgid "There was some error. Please try changing the parameters or <0><1>copy th msgstr "Υπήρξε κάποιο σφάλμα. Προσπαθήστε να αλλάξετε τις παραμέτρους ή <0><1>αντιγράψτε το σφάλμα" #: src/modules/dashboard/DashboardTopPanel.tsx +#: src/modules/sGho/SGhoDepositPanel.tsx +#: src/modules/sGho/SGhoHeader.tsx +#: src/modules/staking/GhoStakingPanel.tsx #: src/modules/staking/StakingPanel.tsx +#: src/modules/umbrella/UmbrellaClaimActions.tsx +#: src/modules/umbrella/UmbrellaHeader.tsx msgid "Claim" msgstr "Διεκδίκηση" @@ -2411,23 +2940,25 @@ msgstr "Διεκδίκηση" msgid "Liquidated collateral" msgstr "" -#: src/modules/markets/Gho/GhoBanner.tsx -msgid "Users who stake AAVE in Safety Module (i.e. stkAAVE holders) receive a discount on GHO borrow interest rate." +#: src/components/incentives/MeritIncentivesTooltipContent.tsx +#: src/components/incentives/MeritIncentivesTooltipContent.tsx +msgid "dashboard" msgstr "" #: src/components/transactions/Borrow/BorrowActions.tsx msgid "Borrowing {symbol}" msgstr "Δανεισμός {symbol}" -#: src/components/transactions/DebtSwitch/DebtSwitchModalContent.tsx -#: src/components/transactions/Repay/CollateralRepayModalContent.tsx -#: src/components/transactions/Repay/CollateralRepayModalContent.tsx -#: src/modules/reserve-overview/Gho/GhoPieChartContainer.tsx -msgid "Borrow balance" +#: src/components/transactions/Supply/CollateralOptionsSelector.tsx +msgid "Borrow: All eligible assets" +msgstr "" + +#: src/modules/umbrella/UmbrellaHeader.tsx +msgid "Staked Balance" msgstr "" -#: src/modules/reserve-overview/Gho/CalculatorInput.tsx -msgid "You may enter a custom amount in the field." +#: src/components/transactions/Swap/inputs/shared/ExpirySelector.tsx +msgid "Expires in" msgstr "" #: src/modules/reserve-overview/Gho/GhoReserveConfiguration.tsx @@ -2450,14 +2981,33 @@ msgstr "" msgid "You voted {0}" msgstr "Ψηφίσατε {0}" -#: src/components/transactions/Emode/EmodeModalContent.tsx +#: src/components/transactions/Emode/EmodeAssetTable.tsx msgid "Borrowable" msgstr "" +#: src/layouts/components/NavItems.tsx +#: src/layouts/components/StakingMenu.tsx +#: src/layouts/components/StakingMenu.tsx +#: src/modules/staking/StakingHeader.tsx +msgid "Safety Module" +msgstr "" + +#: src/modules/sGho/SGhoHeader.tsx +msgid "Estimated weekly rewards based on your current sGHO balance and APR. Actual rewards may vary depending on market conditions." +msgstr "" + +#: src/modules/history/HistoryWrapper.tsx +msgid "Transaction history for Plasma not supported yet, coming soon." +msgstr "" + #: src/modules/dashboard/lists/SlippageList.tsx msgid "Select slippage tolerance" msgstr "" +#: src/layouts/AppFooter.tsx +msgid "Get Support" +msgstr "" + #: src/components/transactions/TxActionsWrapper.tsx msgid "Enter an amount" msgstr "Εισάγετε ένα ποσό" @@ -2474,6 +3024,14 @@ msgstr "tokens δεν είναι το ίδιο με το να τα κλειδώ msgid "Use it to vote for or against active proposals." msgstr "" +#: src/modules/umbrella/UnstakeModalContent.tsx +msgid "Amount received" +msgstr "" + +#: src/components/transactions/Supply/SupplyModalContent.tsx +msgid "This transaction will disable E-Mode. All assets will revert to their base LTV and liquidation thresholds." +msgstr "" + #: src/modules/reserve-overview/BorrowInfo.tsx msgid "Collector Info" msgstr "" @@ -2482,6 +3040,10 @@ msgstr "" msgid "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" msgstr "" +#: src/modules/umbrella/UmbrellaModalContent.tsx +msgid "Staking this amount will reduce your health factor and increase risk of liquidation." +msgstr "" + #: src/hooks/useReserveActionState.tsx msgid "Collateral usage is limited because of Isolation mode." msgstr "H χρήση εγγυήσεων είναι περιορισμένη λόγω της λειτουργίας Απομόνωσης." @@ -2490,6 +3052,21 @@ msgstr "H χρήση εγγυήσεων είναι περιορισμένη λό msgid "Amount After Fee" msgstr "" +#: src/components/transactions/ClaimRewards/ClaimRewardsActions.tsx +#: src/components/transactions/ClaimRewards/RewardsSelect.tsx +#: src/components/transactions/ClaimRewards/RewardsSelect.tsx +msgid "Claim all merit rewards" +msgstr "" + +#: src/components/incentives/IncentivesTooltipContent.tsx +#: src/components/incentives/MerklIncentivesTooltipContent.tsx +msgid "Total APY" +msgstr "" + +#: src/modules/umbrella/helpers/StakingDropdown.tsx +msgid "Cooling down" +msgstr "" + #: src/components/transactions/Warnings/AAVEWarning.tsx msgid "Supplying your" msgstr "Προμηθεύοντας το" @@ -2508,18 +3085,20 @@ msgstr "Απενεργοποίηση E-Mode" msgid "Enable E-Mode" msgstr "Ενεργοποίηση E-Mode" -#: src/components/transactions/ClaimRewards/ClaimRewardsModalContent.tsx -msgid "{0} Balance" -msgstr "{0} Υπόλοιπο" - #: src/components/transactions/Emode/EmodeModalContent.tsx msgid "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." msgstr "" -#: src/modules/staking/StakingPanel.tsx +#: src/components/transactions/Emode/EmodeAssetTable.tsx +msgid "Boosted LTV" +msgstr "" + +#: src/components/SecondsToString.tsx msgid "{s}s" msgstr "{s}δ" +#: src/modules/sGho/SGhoDepositPanel.tsx +#: src/modules/staking/GhoStakingPanel.tsx #: src/modules/staking/StakingPanel.tsx msgid "Cooldown time left" msgstr "Χρόνος ψύξης που έχει απομείνει" @@ -2537,8 +3116,8 @@ msgstr "" msgid "In E-Mode some assets are not borrowable. Exit E-Mode to get access to all assets" msgstr "Στο E-Mode ορισμένα περιουσιακά στοιχεία δεν είναι δανείσιμα. Βγείτε από το E-Mode για να αποκτήσετε πρόσβαση σε όλα τα περιουσιακά στοιχεία" -#: src/modules/history/TransactionRowItem.tsx -msgid "View" +#: src/modules/umbrella/UmbrellaHeader.tsx +msgid "here." msgstr "" #: src/components/isolationMode/IsolatedBadge.tsx @@ -2560,14 +3139,22 @@ msgstr "" msgid "Claim {0}" msgstr "Διεκδίκηση {0}" -#: src/components/transactions/Switch/SwitchRates.tsx +#: src/components/transactions/Swap/inputs/shared/SwitchRates.tsx msgid "Price impact" msgstr "Επίδραση στην τιμή" +#: src/modules/umbrella/StakeAssets/UmbrellaAssetsListMobileItem.tsx +msgid "Available to claim" +msgstr "" + #: src/modules/migration/MigrationMobileList.tsx msgid "{numSelected}/{numAvailable} assets selected" msgstr "" +#: src/modules/sGho/SGhoApyChart.tsx +msgid "sGHO Merit APY History" +msgstr "" + #: src/ui-config/errorMapping.tsx msgid "To repay on behalf of a user an explicit amount to repay is needed" msgstr "Για την εξόφληση εκ μέρους ενός χρήστη απαιτείται ένα ρητό ποσό προς εξόφληση" @@ -2576,10 +3163,26 @@ msgstr "Για την εξόφληση εκ μέρους ενός χρήστη msgid "Repayment amount to reach {0}% utilization" msgstr "" +#: src/modules/umbrella/UmbrellaModalContent.tsx +msgid "You can not stake this amount because it will cause collateral call" +msgstr "" + +#: src/components/transactions/SavingsGho/SavingsGhoDepositActions.tsx +#: src/modules/reserve-overview/Gho/SavingsGho.tsx +#: src/modules/sGho/SavingsGhoCard.tsx +#: src/modules/sGho/SGhoDepositPanel.tsx +#: src/modules/staking/GhoStakingPanel.tsx +msgid "Deposit" +msgstr "" + #: src/ui-config/errorMapping.tsx msgid "Supply cap is exceeded" msgstr "Υπέρβαση του ανώτατου ορίου προσφοράς" +#: src/components/transactions/Supply/CollateralOptionsSelector.tsx +msgid "{0} collateral would have 0% LTV without E-Mode. Disable {1} as collateral to use this option." +msgstr "" + #: src/modules/history/HistoryWrapper.tsx #: src/modules/history/HistoryWrapperMobile.tsx msgid ".JSON" @@ -2589,10 +3192,6 @@ msgstr "" msgid "Debt ceiling is not zero" msgstr "Το ανώτατο όριο χρέους δεν είναι μηδενικό" -#: src/modules/reserve-overview/Gho/GhoDiscountCalculator.tsx -msgid "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." -msgstr "" - #: src/components/infoTooltips/SpkAirdropTooltip.tsx msgid "and about SPK program" msgstr "" @@ -2601,8 +3200,12 @@ msgstr "" msgid "DAI balance will be converted via DSR contracts and then supplied as sDAI. Switching incurs no additional costs and no slippage." msgstr "" -#: src/components/transactions/DebtSwitch/DebtSwitchModalContent.tsx -msgid "Select an asset" +#: src/components/transactions/Supply/CollateralOptionsSelector.tsx +msgid "LTV" +msgstr "" + +#: src/components/AddressBlockedModal.tsx +msgid "Refresh" msgstr "" #: src/components/infoTooltips/MigrationDisabledTooltip.tsx @@ -2618,6 +3221,15 @@ msgstr "" msgid "We couldn't find any transactions related to your search. Try again with a different asset name, or reset filters." msgstr "" +#: src/components/transactions/CollateralChange/CollateralChangeModalContent.tsx +msgid "This asset has 0 LTV and cannot be used as collateral. Enable an E-Mode to use {symbol} as collateral." +msgstr "" + +#: src/modules/history/actions/ActionDetails.tsx +#: src/modules/history/HistoryFilterMenu.tsx +msgid "Repay with Collateral" +msgstr "" + #: src/layouts/components/LanguageSwitcher.tsx msgid "English" msgstr "Αγγλικά" @@ -2626,8 +3238,24 @@ msgstr "Αγγλικά" msgid "Learn more in our <0>FAQ guide" msgstr "Μάθετε περισσότερα στον οδηγό <0>Συχνών Ερωτήσεων" -#: src/components/transactions/Repay/CollateralRepayModalContent.tsx -msgid "Collateral to repay with" +#: src/components/transactions/Warnings/CowLowerThanMarketWarning.tsx +msgid "The selected rate is lower than the market price. You might incur a loss if you proceed." +msgstr "" + +#: src/modules/sGho/SGhoDepositPanel.tsx +msgid "Deposit GHO and earn {0}% APY" +msgstr "" + +#: src/components/transactions/Swap/actions/CollateralSwap/CollateralSwapActionsViaCoWAdapters.tsx +#: src/components/transactions/Swap/actions/CollateralSwap/CollateralSwapActionsViaParaswapAdapters.tsx +#: src/components/transactions/Swap/actions/DebtSwap/DebtSwapActionsViaCoW.tsx +#: src/components/transactions/Swap/actions/DebtSwap/DebtSwapActionsViaParaswap.tsx +#: src/components/transactions/Swap/actions/RepayWithCollateral/RepayWithCollateralActionsViaCoW.tsx +#: src/components/transactions/Swap/actions/RepayWithCollateral/RepayWithCollateralActionsViaParaswap.tsx +#: src/components/transactions/Swap/actions/SwapActions/SwapActionsViaCoW.tsx +#: src/components/transactions/Swap/actions/SwapActions/SwapActionsViaParaswap.tsx +#: src/components/transactions/Swap/actions/WithdrawAndSwap/WithdrawAndSwapActionsViaParaswap.tsx +msgid "Blocked by Shield" msgstr "" #: src/modules/staking/StakingHeader.tsx @@ -2638,18 +3266,10 @@ msgstr "Συνολικές εκπομπές ανά ημέρα" msgid "Selected borrow assets" msgstr "" -#: pages/staking.staking.tsx +#: pages/safety-module.page.tsx msgid "Balancer Pool" msgstr "" -#: src/components/transactions/Repay/CollateralRepayModalContent.tsx -msgid "Expected amount to repay" -msgstr "" - -#: src/components/MarketSwitcher.tsx -msgid "Version 2" -msgstr "" - #: src/modules/dashboard/DashboardEModeButton.tsx msgid "E-Mode increases your LTV for a selected category of assets. <0>Learn more" msgstr "" @@ -2658,11 +3278,29 @@ msgstr "" msgid "Your {name} wallet is empty. Purchase or transfer assets or use <0>{0} to transfer your {network} assets." msgstr "" +#: src/components/transactions/Swap/actions/CollateralSwap/CollateralSwapActionsViaCoWAdapters.tsx +#: src/components/transactions/Swap/actions/CollateralSwap/CollateralSwapActionsViaCoWAdapters.tsx +#: src/components/transactions/Swap/actions/CollateralSwap/CollateralSwapActionsViaCoWAdapters.tsx +#: src/components/transactions/Swap/actions/CollateralSwap/CollateralSwapActionsViaParaswapAdapters.tsx +#: src/components/transactions/Swap/actions/DebtSwap/DebtSwapActionsViaCoW.tsx +#: src/components/transactions/Swap/actions/DebtSwap/DebtSwapActionsViaCoW.tsx +#: src/components/transactions/Swap/actions/DebtSwap/DebtSwapActionsViaCoW.tsx +#: src/components/transactions/Swap/actions/RepayWithCollateral/RepayWithCollateralActionsViaCoW.tsx +#: src/components/transactions/Swap/actions/RepayWithCollateral/RepayWithCollateralActionsViaCoW.tsx +#: src/components/transactions/Swap/actions/RepayWithCollateral/RepayWithCollateralActionsViaCoW.tsx +msgid "Checking approval" +msgstr "" + +#: src/components/MarketSwitcher.tsx +#: src/components/TopInfoPanel/PageTitle.tsx +msgid "Favourite" +msgstr "" + #: src/modules/staking/BuyWithFiat.tsx msgid "Buy {cryptoSymbol} with Fiat" msgstr "" -#: pages/staking.staking.tsx +#: pages/safety-module.page.tsx msgid "Stake AAVE" msgstr "" @@ -2672,8 +3310,9 @@ msgstr "" msgid "Ok, Close" msgstr "Εντάξει, Κλείσιμο" -#: src/components/transactions/Borrow/GhoBorrowSuccessView.tsx -msgid "Download" +#: pages/sgho.page.tsx +#: src/modules/sGho/SavingsGhoCard.tsx +msgid "Savings GHO (sGHO)" msgstr "" #: src/modules/reserve-overview/SupplyInfo.tsx @@ -2684,11 +3323,15 @@ msgstr "Το περιουσιακό στοιχείο δεν μπορεί να χ msgid "Developers" msgstr "Προγραμματιστές" -#: pages/staking.staking.tsx -msgid "We couldn’t detect a wallet. Connect a wallet to stake and view your balance." +#: src/components/transactions/Swap/modals/request/NoEligibleAssetsToSwap.tsx +msgid "No eligible assets to swap." +msgstr "" + +#: src/components/transactions/SavingsGho/SavingsGhoDepositActions.tsx +msgid "Depositing" msgstr "" -#: src/components/transactions/Swap/SwapModalDetails.tsx +#: src/components/transactions/Swap/details/CollateralSwapDetails.tsx msgid "Supply apy" msgstr "Προσφορά apy" @@ -2708,47 +3351,41 @@ msgstr "" msgid "Proposition" msgstr "" -#: pages/404.page.tsx -msgid "We suggest you go back to the Dashboard." -msgstr "" - #: src/modules/governance/FormattedProposalTime.tsx msgid "Can be executed" msgstr "Μπορεί να εκτελεστεί" #: src/components/transactions/CollateralChange/CollateralChangeModalContent.tsx -#: src/components/transactions/Repay/CollateralRepayModalContent.tsx -#: src/components/transactions/Swap/SwapModalContent.tsx #: src/components/transactions/Withdraw/WithdrawError.tsx msgid "Assets with zero LTV ({0}) must be withdrawn or disabled as collateral to perform this action" msgstr "" -#: src/modules/staking/GhoDiscountProgram.tsx -msgid "stkAAVE holders get a discount on GHO borrow rate" +#: src/modules/reserve-overview/ReserveEModePanel.tsx +msgid "This asset has 0% LTV, meaning it does not contribute to borrowing power. Existing positions with this asset as collateral still count toward the liquidation threshold and protect your health factor. New positions cannot enable this asset as collateral." msgstr "" -#: src/components/transactions/Warnings/ChangeNetworkWarning.tsx -msgid "Please switch to {networkName}." -msgstr "Παρακαλώ μεταβείτε στο {networkName}." - #: src/components/transactions/GovDelegation/DelegationTypeSelector.tsx msgid "Both" msgstr "" -#: src/components/transactions/Borrow/GhoBorrowModalContent.tsx -msgid "Discount applied for <0/> staking AAVE" -msgstr "" - -#: src/modules/staking/StakingPanel.tsx +#: src/components/SecondsToString.tsx msgid "{h}h" msgstr "{h}ω" +#: src/modules/reserve-overview/Gho/SavingsGho.tsx +msgid "After the cooldown is initiated, you will be able to withdraw your assets immediatley." +msgstr "" + +#: src/components/transactions/CancelCowOrder/CancelAdapterOrderActions.tsx +msgid "Cancelling order..." +msgstr "" + #: pages/500.page.tsx #: src/modules/reserve-overview/graphs/ApyGraphContainer.tsx +#: src/modules/reserve-overview/graphs/MeritApyGraphContainer.tsx msgid "Something went wrong" msgstr "" -#: src/components/transactions/Withdraw/WithdrawAndSwitchModalContent.tsx #: src/components/transactions/Withdraw/WithdrawModalContent.tsx msgid "Withdrawing this amount will reduce your health factor and increase risk of liquidation." msgstr "" @@ -2761,13 +3398,8 @@ msgstr "Ο συντελεστής υγείας και το δάνειο προς msgid "AToken supply is not zero" msgstr "Η προσφορά AToken δεν είναι μηδενική" -#: src/components/transactions/DebtSwitch/DebtSwitchModalContent.tsx -msgid "Borrow APY" -msgstr "" - #: src/modules/dashboard/lists/BorrowedPositionsList/BorrowedPositionsList.tsx #: src/modules/dashboard/lists/BorrowedPositionsList/BorrowedPositionsListItem.tsx -#: src/modules/dashboard/lists/BorrowedPositionsList/GhoBorrowedPositionsListItem.tsx msgid "Debt" msgstr "Χρέος" @@ -2780,7 +3412,9 @@ msgstr "Φίλτρο" msgid "Learn more about the Ether.fi program" msgstr "" +#: src/modules/sGho/SavingsGhoCard.tsx #: src/modules/staking/StakingPanel.tsx +#: src/modules/umbrella/helpers/StakingDropdown.tsx msgid "Cooldown to unstake" msgstr "Ψύξτε για ξεκλείδωμα" @@ -2792,21 +3426,26 @@ msgstr "Ο χρήστης δεν έχει ανεξόφλητο χρέος μετ msgid "Test Assets" msgstr "" +#: src/modules/umbrella/StakingApyItem.tsx +msgid "Staking this asset will earn the underlying asset supply yield in addition to other configured rewards." +msgstr "" + #: src/components/infoTooltips/StableAPYTooltip.tsx msgid "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." msgstr "Το σταθερό επιτόκιο θα <0>μείνει το ίδιο για όλη τη διάρκεια του δανείου σας. Συνιστάται για μακροχρόνιες περιόδους δανεισμού και για χρήστες που προτιμούν την προβλεψιμότητα." +#: src/modules/sGho/SGhoDepositPanel.tsx +#: src/modules/staking/GhoStakingPanel.tsx #: src/modules/staking/StakingPanel.tsx msgid "Time remaining until the 48 hour withdraw period starts." msgstr "" -#: src/modules/staking/StakingPanel.tsx -#: src/modules/staking/StakingPanelNoWallet.tsx -msgid "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." +#: src/modules/umbrella/StakeAssets/StakeAssetName.tsx +msgid "Target liquidity" msgstr "" -#: src/components/transactions/Emode/EmodeModalContent.tsx -msgid "All borrow positions outside of this category must be closed to enable this category." +#: src/modules/staking/StakingPanel.tsx +msgid "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." msgstr "" #: src/components/caps/CapsHint.tsx @@ -2814,8 +3453,13 @@ msgstr "" msgid "Available to supply" msgstr "Διαθέσιμο για προμήθεια" -#: src/components/incentives/ZkSyncIgniteIncentivesTooltipContent.tsx -msgid "Eligible for the ZKSync Ignite program." +#: src/components/transactions/ClaimRewards/ClaimRewardsModalContent.tsx +msgid "Claiming all protocol rewards and merit rewards together" +msgstr "" + +#: src/components/transactions/Supply/CollateralOptionsSelector.tsx +#: src/components/transactions/Swap/inputs/shared/SwitchSlippageSelector.tsx +msgid "Default" msgstr "" #: src/components/transactions/Warnings/MarketWarning.tsx @@ -2835,10 +3479,6 @@ msgstr "" msgid "Go to Balancer Pool" msgstr "" -#: src/components/transactions/StakeCooldown/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 "Η περίοδος ψύξης είναι {0}. Μετά την {1} περίοδο ψύξης, θα εισέλθετε στο παράθυρο ξεκλειδώματος {2}. Θα συνεχίσετε να λαμβάνετε ανταμοιβές κατά τη διάρκεια της ψύξης και του παραθύρου ξεκλειδώματος." - #: src/modules/migration/MigrationBottomPanel.tsx msgid "The loan to value of the migrated positions would cause liquidation. Increase migrated collateral or reduce migrated borrow to continue." msgstr "" @@ -2847,20 +3487,11 @@ msgstr "" msgid "This asset has reached its borrow cap. Nothing is available to be borrowed from this market." msgstr "Αυτό το περιουσιακό στοιχείο έχει φθάσει στο ανώτατο όριο δανεισμού του. Τίποτα δεν είναι διαθέσιμο για δανεισμό από αυτή την αγορά." -#: src/components/transactions/ClaimRewards/ClaimRewardsModalContent.tsx -msgid "Your reward balance is 0" -msgstr "Το υπόλοιπο της ανταμοιβής σας είναι 0" - #: src/modules/governance/DelegatedInfoPanel.tsx msgid "Set up delegation" msgstr "" -#: src/components/transactions/Repay/CollateralRepayModalContent.tsx -msgid "Minimum amount of debt to be repaid" -msgstr "" - #: src/modules/governance/DelegatedInfoPanel.tsx -#: src/modules/reserve-overview/Gho/CalculatorInput.tsx msgid "{title}" msgstr "" @@ -2868,17 +3499,20 @@ msgstr "" msgid "The underlying balance needs to be greater than 0" msgstr "Το υποκείμενο υπόλοιπο πρέπει να είναι μεγαλύτερο από 0" +#: src/components/transactions/SavingsGho/SavingsGhoWithdrawModalContent.tsx #: src/components/transactions/UnStake/UnStakeModalContent.tsx msgid "Not enough staked balance" msgstr "Δεν υπάρχει αρκετό κλειδωμένο υπόλοιπο" +#: src/components/transactions/Warnings/ChangeNetworkWarning.tsx +msgid "Switching to {networkName}..." +msgstr "" + #: src/components/transactions/Warnings/SNXWarning.tsx msgid "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." msgstr "παρακαλούμε ελέγξτε ότι το ποσό που θέλετε να παρέχετε δεν χρησιμοποιείται επί του παρόντος για κλείδωμα. Εάν χρησιμοποιείται για κλείδωμα, η συναλλαγή σας ενδέχεται να αποτύχει." #: src/components/transactions/StakingMigrate/StakingMigrateModalContent.tsx -#: src/components/transactions/Swap/SwapModalContent.tsx -#: src/components/transactions/Withdraw/WithdrawAndSwitchModalContent.tsx msgid "Minimum amount received" msgstr "" @@ -2891,9 +3525,14 @@ msgid "Confirming transaction" msgstr "" #: src/components/transactions/StakeCooldown/StakeCooldownModalContent.tsx +#: src/modules/umbrella/StakeCooldownModalContent.tsx msgid "I understand how cooldown ({0}) and unstaking ({1}) work" msgstr "Καταλαβαίνω πώς λειτουργεί η ψύξη ({0}) και το ξεκλείδωμα ({1})" +#: src/components/incentives/IncentivesTooltipContent.tsx +msgid "Net Protocol Incentives" +msgstr "" + #: src/ui-config/errorMapping.tsx msgid "The caller of this function must be a pool" msgstr "Ο καλών αυτής της συνάρτησης πρέπει να είναι ένα κοινόχρηστο ταμείο" @@ -2909,6 +3548,7 @@ msgstr "" #: src/components/transactions/Stake/StakeModalContent.tsx #: src/modules/staking/StakingPanel.tsx #: src/modules/staking/StakingPanel.tsx +#: src/modules/umbrella/UmbrellaModalContent.tsx msgid "Staked" msgstr "Κλειδωμένο" @@ -2927,23 +3567,18 @@ msgstr "Προσφορά APY" msgid "Global settings" msgstr "Γενικές ρυθμίσεις" -#: src/components/transactions/Withdraw/WithdrawAndSwitchSuccess.tsx -msgid "You've successfully withdrew & swapped tokens." +#: src/components/transactions/Swap/details/RepayWithCollateralDetails.tsx +msgid "Collateral balance after repay" msgstr "" -#: src/components/transactions/Repay/CollateralRepayModalContent.tsx -msgid "Collateral balance after repay" +#: src/modules/umbrella/UmbrellaModalContent.tsx +msgid "Staked tokens are wrapped and use an exchange rate. You may see fewer token shares, but the value matches your deposit and will grow as yield accrues." msgstr "" #: src/components/transactions/FlowCommons/GasEstimationError.tsx msgid "copy the error" msgstr "αντιγράψτε το σφάλμα" -#: src/components/transactions/Switch/SwitchTxSuccessView.tsx -#: src/components/transactions/Switch/SwitchTxSuccessView.tsx -msgid "You've successfully swapped tokens." -msgstr "" - #: src/components/ConnectWalletPaper.tsx #: src/components/ConnectWalletPaperStaking.tsx msgid "Please connect your wallet to see your supplies, borrowings, and open positions." @@ -2953,8 +3588,8 @@ msgstr "Συνδέστε το πορτοφόλι σας για να δείτε msgid "Invalid expiration" msgstr "Μη έγκυρη λήξη" -#: src/modules/reserve-overview/Gho/GhoInterestRateGraph.tsx -msgid "Interest accrued" +#: src/modules/umbrella/AvailableToClaimItem.tsx +msgid "Rewards available to claim" msgstr "" #: src/components/transactions/GovVote/GovVoteModalContent.tsx @@ -2973,6 +3608,18 @@ msgstr "" msgid "Invalid amount to burn" msgstr "Μη έγκυρη ποσότητα προς καύση" +#: src/components/transactions/Swap/warnings/postInputs/LimitOrderAmountWarning.tsx +msgid "Your order amounts are {0} less favorable by {1}% to the liquidity provider than recommended. This order may not be executed." +msgstr "" + +#: src/components/transactions/Swap/actions/RepayWithCollateral/RepayWithCollateralActionsViaCoW.tsx +msgid "Repaying {0} with {1}" +msgstr "" + +#: src/components/AssetCategoryMultiselect.tsx +msgid "All Categories" +msgstr "" + #: src/layouts/MobileMenu.tsx #: src/layouts/MoreMenu.tsx msgid "Migrate to Aave V3" @@ -2986,16 +3633,30 @@ msgstr "Το ποσό πρέπει να είναι μεγαλύτερο από 0 msgid "Selected supply assets" msgstr "" +#: src/components/incentives/IncentivesTooltipContent.tsx +#: src/components/incentives/IncentivesTooltipContent.tsx +#: src/components/incentives/MerklIncentivesTooltipContent.tsx +#: src/components/incentives/MerklIncentivesTooltipContent.tsx +#: src/components/incentives/MerklIncentivesTooltipContent.tsx +#: src/components/incentives/MerklIncentivesTooltipContent.tsx +#: src/components/incentives/MerklIncentivesTooltipContent.tsx +#: src/components/incentives/MerklIncentivesTooltipContent.tsx #: src/modules/dashboard/lists/BorrowedPositionsList/BorrowedPositionsList.tsx #: src/modules/dashboard/lists/BorrowedPositionsList/BorrowedPositionsList.tsx #: src/modules/dashboard/lists/BorrowedPositionsList/BorrowedPositionsListItem.tsx -#: src/modules/dashboard/lists/BorrowedPositionsList/GhoBorrowedPositionsListItem.tsx #: src/modules/dashboard/lists/SuppliedPositionsList/SuppliedPositionsList.tsx #: src/modules/dashboard/lists/SuppliedPositionsList/SuppliedPositionsList.tsx #: src/modules/dashboard/lists/SupplyAssetsList/SupplyAssetsList.tsx -#: src/modules/history/actions/BorrowRateModeBlock.tsx -#: src/modules/history/actions/BorrowRateModeBlock.tsx +#: src/modules/markets/Gho/GhoBanner.tsx +#: src/modules/markets/Gho/GhoBanner.tsx +#: src/modules/reserve-overview/BorrowInfo.tsx #: src/modules/reserve-overview/SupplyInfo.tsx +#: src/modules/sGho/SGhoDepositPanel.tsx +#: src/modules/sGho/SGhoHeader.tsx +#: src/modules/umbrella/helpers/ApyTooltip.tsx +#: src/modules/umbrella/StakingApyItem.tsx +#: src/modules/umbrella/StakingApyItem.tsx +#: src/modules/umbrella/UmbrellaAssetsDefault.tsx msgid "APY" msgstr "APY" @@ -3003,14 +3664,11 @@ msgstr "APY" msgid "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" msgstr "" -#: src/modules/dashboard/DashboardListTopPanel.tsx +#: src/modules/dashboard/lists/SupplyAssetsList/SupplyAssetsList.tsx msgid "Show assets with 0 balance" msgstr "Εμφάνιση περιουσιακών στοιχείων με υπόλοιπο 0" -#: src/components/transactions/DebtSwitch/DebtSwitchModalContent.tsx -msgid "Borrowed asset amount" -msgstr "" - +#: src/components/transactions/Supply/SupplyModalContent.tsx #: src/modules/dashboard/DashboardEModeButton.tsx msgid "E-Mode" msgstr "E-Mode" @@ -3023,8 +3681,8 @@ msgstr "" msgid "Watch a wallet balance in read-only mode" msgstr "" -#: src/modules/reserve-overview/Gho/GhoDiscountCalculator.tsx -msgid "Add stkAAVE to see borrow APY with the discount" +#: src/components/transactions/FlowCommons/PermitNonceInfo.tsx +msgid "Approval by signature not available" msgstr "" #: src/components/transactions/Bridge/BridgeActions.tsx @@ -3049,6 +3707,7 @@ msgid "You don't have any bridge transactions" msgstr "" #: src/components/transactions/UnStake/UnStakeActions.tsx +#: src/modules/umbrella/UnstakeModalActions.tsx msgid "Unstake {symbol}" msgstr "" @@ -3064,7 +3723,6 @@ msgstr "Αναθεώρηση συναλλαγής" msgid "NAY" msgstr "ΚΑΤΑ" -#: src/modules/history/actions/ActionDetails.tsx #: src/modules/history/actions/ActionDetails.tsx msgid "for" msgstr "" @@ -3078,12 +3736,12 @@ msgid "Exchange rate" msgstr "" #: src/components/transactions/StakeCooldown/StakeCooldownModalContent.tsx +#: src/modules/umbrella/StakeCooldownModalContent.tsx msgid "You unstake here" msgstr "Μπορείτε να ξεκλειδώσετε εδώ" #: src/components/caps/CapsHint.tsx #: src/modules/dashboard/lists/BorrowAssetsList/BorrowAssetsListMobileItem.tsx -#: src/modules/dashboard/lists/BorrowAssetsList/GhoBorrowAssetsListItem.tsx #: src/modules/reserve-overview/ReserveActions.tsx msgid "Available to borrow" msgstr "Διαθέσιμο για δανεισμό" @@ -3115,8 +3773,12 @@ msgstr "Τίποτα δανεισμένο ακόμα" msgid "Remove" msgstr "" -#: src/components/transactions/TxActionsWrapper.tsx -msgid "Approve {symbol} to continue" +#: src/components/transactions/Swap/inputs/shared/SwitchSlippageSelector.tsx +msgid "Auto Slippage" +msgstr "" + +#: src/components/incentives/MeritIncentivesTooltipContent.tsx +msgid "Supply {0} and double your yield by <0><1>verifying your humanity through Self for {1} per user." msgstr "" #: src/modules/reserve-overview/ReserveTopDetails.tsx @@ -3139,16 +3801,29 @@ msgstr "" msgid "Borrow amount to reach {0}% utilization" msgstr "" +#: src/components/transactions/CancelCowOrder/CancelAdapterOrderActions.tsx +#: src/components/transactions/CancelCowOrder/CancelCowOrderModalContent.tsx +msgid "Cancel order" +msgstr "" + #: src/components/ConnectWalletPaper.tsx #: src/components/ConnectWalletPaperStaking.tsx msgid "Please, connect your wallet" msgstr "Παρακαλώ, συνδέστε το πορτοφόλι σας" +#: src/components/incentives/MeritIncentivesTooltipContent.tsx +msgid "Merit Program rewards can be claimed" +msgstr "" + #: src/modules/dashboard/lists/SuppliedPositionsList/SuppliedPositionsList.tsx #: src/modules/dashboard/lists/SuppliedPositionsList/SuppliedPositionsList.tsx msgid "Your supplies" msgstr "Οι προμήθειές σας" +#: src/components/transactions/Emode/EmodeModalContent.tsx +msgid "You must disable {0} as collateral before exiting E-Mode. These assets have 0 LTV outside of E-Mode and cannot be used as collateral." +msgstr "" + #: src/components/transactions/FlowCommons/Error.tsx msgid "Transaction failed" msgstr "Η συναλλαγή απέτυχε" @@ -3166,15 +3841,38 @@ msgstr "" msgid "Status" msgstr "" +#: src/components/transactions/ClaimRewards/ClaimRewardsActions.tsx +#: src/components/transactions/ClaimRewards/RewardsSelect.tsx +#: src/components/transactions/ClaimRewards/RewardsSelect.tsx +msgid "Claim all protocol rewards" +msgstr "" + #: src/modules/migration/MigrationBottomPanel.tsx msgid "No assets selected to migrate." msgstr "" +#: src/components/AddressBlockedModal.tsx +msgid "Connection Error" +msgstr "" + +#: src/components/transactions/Swap/errors/shared/GasEstimationError.tsx +msgid "Tip: Try improving your order parameters" +msgstr "" + #: src/components/transactions/MigrateV3/MigrateV3Actions.tsx #: src/components/transactions/StakingMigrate/StakingMigrateActions.tsx msgid "Migrating" msgstr "" +#: src/components/transactions/Swap/actions/DebtSwap/DebtSwapActionsViaCoW.tsx +#: src/components/transactions/Swap/actions/DebtSwap/DebtSwapActionsViaCoW.tsx +msgid "Swap {0} debt" +msgstr "" + +#: src/components/transactions/FlowCommons/PermitNonceInfo.tsx +msgid "There is an active order for the same sell asset (avoid nonce reuse)." +msgstr "" + #: src/ui-config/errorMapping.tsx msgid "For repayment of a specific type of debt, the user needs to have debt that type" msgstr "Για την αποπληρωμή ενός συγκεκριμένου τύπου χρέους, ο χρήστης πρέπει να έχει χρέος αυτού του τύπου" @@ -3187,23 +3885,23 @@ msgstr "" msgid "Buy Crypto with Fiat" msgstr "" -#: src/modules/reserve-overview/Gho/GhoDiscountCalculator.tsx -msgid "<0><1><2/>Add stkAAVE to see borrow rate with discount" -msgstr "" - #: src/components/transactions/Warnings/BorrowCapWarning.tsx msgid "Maximum amount available to borrow is limited because protocol borrow cap is nearly reached." msgstr "" -#: src/components/transactions/Borrow/GhoBorrowSuccessView.tsx -msgid "COPY IMAGE" +#: src/components/transactions/Swap/inputs/shared/SwitchSlippageSelector.tsx +msgid "Custom slippage" msgstr "" #: src/components/infoTooltips/KernelAirdropTooltip.tsx msgid "This asset is eligible for Kernel points incentive program. Aave Labs does not guarantee the program and accepts no liability." msgstr "" -#: src/components/transactions/DebtSwitch/DebtSwitchModalContent.tsx +#: src/components/transactions/ClaimRewards/ClaimRewardsModalContent.tsx +msgid "You have no rewards to claim at this time." +msgstr "" + +#: src/components/transactions/Swap/errors/shared/InsufficientBorrowPowerBlockingError.tsx msgid "Insufficient collateral to cover new borrow position. Wallet must have borrowing power remaining to perform debt switch." msgstr "" @@ -3211,17 +3909,15 @@ msgstr "" msgid "Restaked" msgstr "" -#: src/components/transactions/DebtSwitch/DebtSwitchActions.tsx -#: src/components/transactions/DebtSwitch/DebtSwitchActions.tsx -#: src/components/transactions/Swap/SwapActions.tsx -#: src/components/transactions/Swap/SwapActions.tsx -#: src/components/transactions/Swap/SwapModal.tsx -#: src/components/transactions/Switch/SwitchActions.tsx -#: src/components/transactions/Switch/SwitchActions.tsx +#: src/components/transactions/Swap/actions/ActionsBlocked.tsx +#: src/components/transactions/Swap/actions/DebtSwap/DebtSwapActionsViaParaswap.tsx +#: src/components/transactions/Swap/actions/DebtSwap/DebtSwapActionsViaParaswap.tsx +#: src/components/transactions/Swap/actions/SwapActions/SwapActionsViaCoW.tsx +#: src/components/transactions/Swap/actions/SwapActions/SwapActionsViaCoW.tsx +#: src/components/transactions/Swap/actions/SwapActions/SwapActionsViaParaswap.tsx +#: src/components/transactions/Swap/actions/SwapActions/SwapActionsViaParaswap.tsx #: src/modules/dashboard/lists/BorrowedPositionsList/BorrowedPositionsListItem.tsx #: src/modules/dashboard/lists/BorrowedPositionsList/BorrowedPositionsListItem.tsx -#: src/modules/dashboard/lists/BorrowedPositionsList/GhoBorrowedPositionsListItem.tsx -#: src/modules/dashboard/lists/BorrowedPositionsList/GhoBorrowedPositionsListItem.tsx #: src/modules/dashboard/lists/SuppliedPositionsList/SuppliedPositionsListItem.tsx #: src/modules/dashboard/lists/SuppliedPositionsList/SuppliedPositionsListMobileItem.tsx #: src/modules/history/actions/ActionDetails.tsx @@ -3241,6 +3937,10 @@ msgstr "Ο δανεισμός δεν είναι ενεργοποιημένος" msgid "Approve with" msgstr "" +#: src/components/MarketAssetCategoryFilter.tsx +msgid "PTs" +msgstr "" + #: src/layouts/components/LanguageSwitcher.tsx msgid "Language" msgstr "Γλώσσα" @@ -3249,6 +3949,8 @@ msgstr "Γλώσσα" msgid "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." msgstr "Σας επιτρέπει να αποφασίσετε αν θα χρησιμοποιήσετε ένα παρεχόμενο περιουσιακό στοιχείο ως εγγύηση. Ένα περιουσιακό στοιχείο που χρησιμοποιείται ως εγγύηση θα επηρεάσει τη δανειοληπτική σας ικανότητα και τον συντελεστή υγείας." +#: src/modules/history/actions/ActionDetails.tsx +#: src/modules/history/actions/ActionDetails.tsx #: src/modules/history/actions/ActionDetails.tsx msgid "Cancelled" msgstr "" @@ -3261,6 +3963,10 @@ msgstr "Σταθερό νόμισμα" msgid "Stable debt supply is not zero" msgstr "Η σταθερή προσφορά χρέους δεν είναι μηδενική" +#: src/modules/sGho/SGhoHeader.tsx +msgid "Savings GHO" +msgstr "" + #: src/components/transactions/FlowCommons/TxModalDetails.tsx msgid "Rewards APR" msgstr "Ανταμοιβές APR" @@ -3269,7 +3975,6 @@ msgstr "Ανταμοιβές APR" msgid "{label}" msgstr "" -#: src/components/transactions/Borrow/GhoBorrowSuccessView.tsx #: src/components/transactions/FlowCommons/Success.tsx msgid "You {action} <0/> {symbol}" msgstr "Εσείς {action} <0/> {symbol}" @@ -3291,6 +3996,10 @@ msgstr "Δεν έχετε προμήθειες σε αυτό το νόμισμα msgid "VOTE YAE" msgstr "ΨΗΦΙΣΤΕ ΥΠΕΡ" +#: src/components/transactions/Swap/errors/shared/GenericError.tsx +msgid "{message}" +msgstr "" + #: src/components/transactions/Faucet/FaucetActions.tsx msgid "Faucet {0}" msgstr "Βρύση {0}" @@ -3299,6 +4008,10 @@ msgstr "Βρύση {0}" msgid "Source" msgstr "" +#: src/components/transactions/ClaimRewards/RewardsSelect.tsx +msgid "All Rewards" +msgstr "" + #: src/modules/reserve-overview/Gho/GhoReserveTopDetails.tsx msgid "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." msgstr "" @@ -3307,6 +4020,10 @@ msgstr "" msgid "You have no AAVE/stkAAVE/aAave balance to delegate." msgstr "" +#: src/components/MarketSwitcher.tsx +msgid "No markets found" +msgstr "" + #: src/modules/faucet/FaucetTopPanel.tsx msgid "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" msgstr "" @@ -3319,12 +4036,16 @@ msgstr "" msgid "This asset is eligible for {0} Sonic Rewards." msgstr "" -#: pages/staking.staking.tsx +#: pages/safety-module.page.tsx msgid "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." msgstr "" -#: src/components/transactions/DebtSwitch/DebtSwitchModal.tsx -msgid "Swap borrow position" +#: src/components/transactions/Supply/SupplyModalContent.tsx +msgid "Category {selectedEmodeId}" +msgstr "" + +#: src/components/transactions/Emode/EmodeModalContent.tsx +msgid "Repay your {0} {1, plural, one {borrow} other {borrows}} to use this category." msgstr "" #: src/components/transactions/MigrateV3/MigrateV3ModalContent.tsx @@ -3358,6 +4079,7 @@ msgstr "{0} Βρύση" #: pages/governance/index.governance.tsx #: pages/reserve-overview.page.tsx +#: pages/sgho.page.tsx #: src/modules/governance/UserGovernanceInfo.tsx #: src/modules/governance/VotingPowerInfoPanel.tsx #: src/modules/reserve-overview/ReserveActions.tsx @@ -3403,14 +4125,18 @@ msgstr "Επισκόπηση συναλλαγής" msgid "Restake {symbol}" msgstr "" -#: src/modules/dashboard/lists/BorrowedPositionsList/GhoBorrowedPositionsListItem.tsx -msgid "APY type" -msgstr "Τύπος APY" +#: src/components/transactions/Swap/shared/OrderTypeSelector.tsx +msgid "Limit" +msgstr "" #: src/components/transactions/GovDelegation/GovDelegationModalContent.tsx msgid "Not a valid address" msgstr "Μη έγκυρη διεύθυνση" +#: src/modules/history/actions/ActionDetails.tsx +msgid "Transaction details not available" +msgstr "" + #: src/components/WalletConnection/ReadOnlyModal.tsx msgid "Track wallet" msgstr "" @@ -3431,6 +4157,10 @@ msgstr "" msgid "There are not enough funds in the{0}reserve to borrow" msgstr "Δεν υπάρχουν αρκετά κεφάλαια στο{0}αποθεματικό για δανεισμό" +#: pages/404.page.tsx +msgid "Back home" +msgstr "" + #: src/components/transactions/FlowCommons/Error.tsx #: src/components/transactions/FlowCommons/PermissionView.tsx msgid "Close" @@ -3440,6 +4170,10 @@ msgstr "Κλείσιμο" msgid "Debt ceiling is exceeded" msgstr "Υπέρβαση του ανώτατου ορίου χρέους" +#: src/components/transactions/Swap/warnings/postInputs/HighCostsLimitOrderWarning.tsx +msgid "Estimated costs are {0}% of the sell amount. This order is unlikely to be filled." +msgstr "" + #: src/ui-config/errorMapping.tsx msgid "The collateral chosen cannot be liquidated" msgstr "Η εγγύηση που έχει επιλεγεί δεν μπορεί να ρευστοποιηθεί" @@ -3453,6 +4187,10 @@ msgstr "Παροχή {symbol}" msgid "Action cannot be performed because the reserve is frozen" msgstr "Η ενέργεια δεν μπορεί να εκτελεστεί επειδή το αποθεματικό έχει παγώσει" +#: src/modules/umbrella/StakeAssets/StakeAssetName.tsx +msgid "Excludes variable supply APY" +msgstr "" + #: src/components/caps/DebtCeilingStatus.tsx msgid "Isolated Debt Ceiling" msgstr "" @@ -3461,28 +4199,21 @@ msgstr "" msgid "Protocol supply cap is at 100% for this asset. Further supply unavailable." msgstr "" -#: src/layouts/FeedbackDialog.tsx +#: src/layouts/SupportModal.tsx msgid "Submission did not work, please try again later or contact wecare@avara.xyz" msgstr "" +#: src/modules/history/actions/ActionDetails.tsx +#: src/modules/history/actions/ActionDetails.tsx #: src/modules/history/actions/ActionDetails.tsx msgid "Filled" msgstr "" -#: src/modules/reserve-overview/Gho/GhoDiscountCalculator.tsx -msgid "<0><1><2/>Add <3/> stkAAVE to borrow at <4/> (max discount)" -msgstr "" - #: src/components/transactions/Repay/RepayModalContent.tsx msgid "Remaining debt" msgstr "Υπολειπόμενο χρέος" #: src/components/transactions/CollateralChange/CollateralChangeModalContent.tsx -#: src/components/transactions/DebtSwitch/DebtSwitchModalContent.tsx -#: src/components/transactions/Swap/SwapModalContent.tsx -#: src/components/transactions/Swap/SwapModalContent.tsx -#: src/components/transactions/Withdraw/WithdrawAndSwitchModalContent.tsx -#: src/components/transactions/Withdraw/WithdrawAndSwitchModalContent.tsx #: src/components/transactions/Withdraw/WithdrawModalContent.tsx #: src/modules/dashboard/lists/SuppliedPositionsList/SuppliedPositionsListMobileItem.tsx #: src/modules/dashboard/lists/SupplyAssetsList/SupplyAssetsListItem.tsx @@ -3495,12 +4226,23 @@ msgstr "Υπόλοιπο προσφοράς" msgid "Liquidation risk parameters" msgstr "" +#: src/components/AddressBlockedModal.tsx +msgid "Unable to Connect" +msgstr "" + +#: src/modules/umbrella/UmbrellaHeader.tsx +msgid "Umbrella is the upgraded version of the Safety Module. Manage your previously staked assets" +msgstr "" + #: src/layouts/MobileMenu.tsx msgid "Menu" msgstr "Μενού" +#: src/components/transactions/Supply/CollateralOptionsSelector.tsx +msgid "Active {0} borrow is not compatible with this category. Repay your {1} borrow to use this option." +msgstr "" + #: src/components/caps/DebtCeilingStatus.tsx -#: src/components/incentives/GhoIncentivesCard.tsx #: src/components/infoTooltips/BorrowCapMaxedTooltip.tsx #: src/components/infoTooltips/DebtCeilingMaxedTooltip.tsx #: src/components/infoTooltips/SupplyCapMaxedTooltip.tsx @@ -3513,6 +4255,8 @@ msgstr "Μενού" #: src/modules/reserve-overview/BorrowInfo.tsx #: src/modules/reserve-overview/SupplyInfo.tsx #: src/modules/reserve-overview/SupplyInfo.tsx +#: src/modules/umbrella/helpers/ApyTooltip.tsx +#: src/modules/umbrella/StakeCooldownModalContent.tsx msgid "Learn more" msgstr "Μάθετε περισσότερα" @@ -3523,8 +4267,3 @@ msgstr "" #: src/modules/migration/MigrationBottomPanel.tsx msgid "Be mindful of the network congestion and gas prices." msgstr "" - -#: src/components/incentives/MeritIncentivesTooltipContent.tsx -msgid "Merit Program rewards are claimed through the" -msgstr "" - diff --git a/src/locales/en/messages.js b/src/locales/en/messages.js index 08a4c92cee..03afac8fa5 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.\"],\"+5vxU4\":\"Reward APY at target liquidity\",\"+9RBfc\":\"Thank you for submitting your inquiry!\",\"+F6nAX\":\"Save with sGHO\",\"+KaZP2\":\"Aave Labs does not guarantee the program and accepts no liability.\",\"+Nk14N\":\"Savings GHO token\",\"+VR63W\":[\"Participating in this \",[\"symbol\"],\" reserve gives annualized rewards.\"],\"+XNrRN\":\"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 restrictions, see the <1>help guide or the <2>Aave V3 Technical Paper.\",\"+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.\",\"+i3Pd2\":\"Borrow cap\",\"+nuEh/\":\"Estimated time\",\"+xMFF8\":\"Remind me\",\"/+Vmgq\":\"Total amount of underlying assets staked. This number represents the combined sum of your original asset and the corresponding aTokens staked in Umbrella.\",\"/1Qot4\":\"Protocol Rewards\",\"/1xACT\":\"Reward APY adjusts with total staked amount, following a curve that targets optimal staking levels.\",\"/57U31\":\"Amount to migrate\",\"/7ykiW\":\"Borrowing this amount will reduce your health factor and increase risk of liquidation.\",\"/FwCXs\":[[\"0\"],\" \",[\"symbol\"],\"...\"],\"/LCAwL\":\"In progress\",\"/ZyLeG\":\"Amount available to unstake\",\"/jQctM\":\"To\",\"/lDBHm\":\"FAQ\",\"/lMWs6\":[\"Deposit GHO and earn up to <0>\",[\"0\"],\"% APY\"],\"/yNlZf\":\"Stable borrowing is not enabled\",\"/yQcJM\":\"Total worth\",\"00AB2i\":\"User did not borrow the specified currency\",\"02/4d1\":\"We suggest you go back to the home page.\",\"0AmQcW\":\"Rate change\",\"0BF3yK\":\"Sorry, we couldn't find the page you were looking for.\",\"0RrIzN\":\"Select token\",\"0TAbjq\":\"Recent Transactions\",\"0jhlyw\":\"Liquidation risk\",\"0ojY+Y\":\"Current v2 Balance\",\"0r31vq\":\"Reward Token\",\"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.\",\"11xQTX\":[\"This asset is eligible for \",[\"0\"],\" Ethena Rewards.\"],\"18GnfY\":[\"Repay \",[\"0\"]],\"1AsVfF\":\"Price data is not currently available for this reserve on the protocol subgraph\",\"1LjK22\":\"Transaction history\",\"1PMU2v\":\"Learn more about the risks.\",\"1Ue8sX\":\"Please connect a wallet to view your personal information here.\",\"1W8DZp\":\"USDT on Ethereum requires approval reset before a new approval. This will require an additional transaction.\",\"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\",\"1t7rez\":\"Asset supply is limited to a certain amount to reduce protocol exposure to the asset and to help manage risks involved.\",\"2/aIvj\":\"Cancellation submited\",\"2C40JO\":[\"This transaction will switch E-Mode from \",[\"0\"],\" to \",[\"1\"],\". Borrowing will be restricted to assets within the new category.\"],\"2Eoi/a\":\"View details\",\"2FYpfJ\":\"More\",\"2O3qp5\":\"Available liquidity\",\"2OIfa1\":\"Please connect your wallet to swap collateral.\",\"2OM8/D\":[\"Asset cannot be migrated due to supply cap restriction in \",[\"marketName\"],\" v3 market.\"],\"2RtYM0\":\"Need help? Our support team can assist.\",\"2RubOP\":\"Initiate Withdraw\",\"2S7oCr\":[\"This asset is eligible for the Ether.fi Loyalty program with a <0>x\",[\"multiplier\"],\" multiplier.\"],\"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.\",\"2eBWE6\":\"I acknowledge the risks involved.\",\"2r2h/U\":\"Total Deposited\",\"2uJToh\":[[\"0\"],[\"name\"]],\"2x1UO0\":\"Favourited\",\"2x58bP\":\"Stable borrowing is enabled\",\"34Qfwy\":\"Borrow cap is exceeded\",\"39eQRj\":[\"Borrow \",[\"symbol\"]],\"3BL1xB\":\"Total supplied\",\"3K0oMo\":\"Remaining supply\",\"3MoZhl\":\"There is not enough collateral to cover a new borrow\",\"3NO6VI\":[[\"0\"],\" Balance\",[\"1\"]],\"3Np5O8\":[\"Supply \",[\"symbol\"]],\"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\",\"4fCwrW\":\"or from the\",\"4lDFps\":\"Sign to continue\",\"4p5njr\":\"Total amount staked\",\"4wyw8H\":\"Transactions\",\"5+lhtA\":\"For swapping safety module assets please unstake your position <0>here.\",\"53r7O1\":[\"High price impact (<0>\",[\"0\"],\"%)! This route will return \",[\"1\"],\" due to low liquidity or small order size.\"],\"5CCqcz\":\"Fees help support the user experience and security of the Aave application. <0>Learn more.\",\"5JSSxX\":[\"Your \",[\"networkName\"],\" wallet is empty. Get free test assets at\"],\"5K3B36\":\"We couldn't find any assets related to your search. Try again with a different category.\",\"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.\"],\"5RzvNm\":\"Aave Shield: Transaction blocked\",\"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\",\"5ty6hB\":\"Claiming individual protocol reward only. Merit rewards excluded - select \\\"claim all\\\" to include merit rewards.\",\"5vxk14\":\"To continue, you need to grant 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\",\"5yC5m5\":\"View all votes\",\"6/dCYd\":\"Overview\",\"60crCe\":\"All transactions\",\"62Xcjh\":\"Collateral\",\"65A04M\":\"Spanish\",\"68ANm7\":\"Withdrawing GHO\",\"6G8s+q\":\"Signing\",\"6Jrv+z\":[\"Repay \",[\"symbol\"]],\"6SC+v0\":[\"Disable \",[\"0\"],\" as collateral to use this category. These assets would have 0% LTV.\"],\"6Xr0UU\":\"Cooling down...\",\"6bxci/\":\"Voting power\",\"6f8S68\":\"Markets\",\"6g1gi0\":\"Proposals\",\"6gvoHP\":\"Copy error message\",\"6h3Q5G\":\"repaid\",\"6lFSyT\":\"Available to Stake\",\"6lGV3K\":\"Show less\",\"6s8L6f\":\"Switch Network\",\"70wH1Q\":\"APR\",\"72c5Qo\":\"Total\",\"75qcAQ\":[[\"stepName\"]],\"7ITr5L\":\"Health factor\",\"7R/kqr\":\"The cooldown period is the time required prior to unstaking your tokens (<0/>). You can only withdraw your assets from the Security Module after the cooldown period and within the unstake window. <1>Learn more\",\"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\",\"7c6Gy8\":\"Learn more about Sonic Rewards program\",\"7er5fP\":\"Claim all\",\"7hb2+s\":\"Time remaining until the withdraw period ends.\",\"7i1oxe\":\"Withdrawing and Swapping\",\"7l88b8\":\"Data couldn't be fetched, please reload graph.\",\"7p5kLi\":\"Dashboard\",\"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\",\"8Xaoyr\":\"View on CCIP Explorer\",\"8Z5FPv\":\"Disconnect Wallet\",\"8Zz7s5\":\"assets\",\"8aLW8H\":\"Balance to revoke\",\"8bOT3H\":\"Utilization Rate\",\"8d61xO\":\"The Ink instance is governed by the Ink Foundation\",\"8sLe4/\":\"View contract\",\"8ss7VF\":\"Transaction cancelled\",\"8t/M0y\":\"Please connect your wallet to be able to bridge your tokens.\",\"8u3DDw\":[\"Swap \",[\"0\"],\" collateral\"],\"8vETh9\":\"Show\",\"93T2Os\":\"Total deposited\",\"94OHPx\":\"You are entering Isolation mode\",\"9CDK3/\":[\"Borrowing is currently unavailable for \",[\"0\"],\".\"],\"9GIj3z\":\"Reserve Size\",\"9ITYjl\":\"%\",\"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.\"],\"9YcC7V\":\"Select Categories\",\"9c6vDV\":\"This asset has reached its supply cap. Nothing is available to be supplied from this market.\",\"9iDHmv\":\"Collateral Swap\",\"9kTWHA\":\"MAI has been paused due to a community decision. Supply, borrows and repays are impacted. <0>More details\",\"9lXchd\":\"Underlying token\",\"9xSooW\":\"Since this is a test network, you can get any of the assets if you have ETH on your wallet\",\"9y0Q0y\":[\"There is not enough liquidity in \",[\"symbol\"],\" to complete this swap. Try lowering the amount.\"],\"9zzsBx\":\"This is a program initiated by the Aave DAO and implemented by Merkl. Aave Labs does not guarantee the program and accepts no liability.\",\"A/lwoe\":\"Choose one of the on-ramp services\",\"A6dCI6\":[\"Maximum amount available to borrow is <0/> \",[\"0\"],\" (<1/>).\"],\"ACUEES\":\"Check errors\",\"AReoaV\":\"Your borrows\",\"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.\",\"B6zvhF\":\"Shares\",\"BDFEd+\":\"stETH supplied as collateral will continue to accrue staking rewards provided by daily rebases.\",\"BE2mP0\":\"Borrowed assets\",\"BNL4Ep\":\"Collateral usage is limited because of isolation mode. <0>Learn More\",\"BQ+4lu\":\"Swap saved in your <0>history section.\",\"BQ/wCO\":\"Migrate your assets\",\"BaCmXf\":\"AAVE 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.\",\"Baj2MJ\":\"Savings\",\"BnhYo8\":\"Asset category\",\"Bo6b9i\":\"Withdraw GHO\",\"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\",\"C4qYyX\":[\"Repay \",[\"0\"],\" with \",[\"1\"]],\"C5jQc6\":\"GHO Balance\",\"C7hM0q\":\"Country (optional)\",\"CDrsH+\":\"Techpaper\",\"CGiscJ\":\"You've successfully submitted an order.\",\"CK1KXz\":\"Max\",\"COUcFd\":\"Points\",\"CZXzs4\":\"Greek\",\"CkTRmy\":[\"Claim \",[\"symbol\"]],\"CrrC++\":\"Position swaps are disabled for this asset due to security reasons.\",\"CsqtLm\":\"Please connect your wallet to see migration tool.\",\"CtGlFb\":[[\"networkName\"],\" Faucet\"],\"CuAHqa\":\"Protocol Incentives\",\"Cxt2YY\":\"Watch wallet\",\"D33VQU\":\"This action will reduce health factor of V3 below liquidation threshold. Increase migrated collateral or reduce migrated borrow to continue.\",\"D4Q4h/\":\"Gas estimation error\",\"D79cZK\":\"Instant\",\"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\"],\"DhaOWH\":\"Stake your Aave aTokens or underlying assets to earn rewards. In case of a shortfall event, your stake may be slashed to cover the deficit.\",\"Dj+3wB\":\"Aave per month\",\"DlRHbH\":\"Claiming all protocol rewards only. Merit rewards excluded - select \\\"claim all\\\" to include merit rewards.\",\"DuEq2K\":\"Collateralization\",\"Dzma+E\":\"Main Ethereum market with the largest selection of assets and yield options\",\"E/QGRL\":\"Disabled\",\"E6UoJs\":\"Estimated compounding 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.\",\"ETtXJg\":\"Share my wallet address to help the support team resolve my issue\",\"EZd3Dk\":[\"Restaking \",[\"symbol\"]],\"Ebgc76\":[\"Withdrawing \",[\"symbol\"]],\"EdQY6l\":\"None\",\"Ef7StM\":\"Unknown\",\"Ehzc//\":[\"Swapping \",[\"0\"],\" debt\"],\"Ekea1N\":\"We couldn't detect a wallet. Connect a wallet to stake and view your balance.\",\"Enslfm\":\"Destination\",\"EvE9nO\":[\"Reactivate cooldown period to unstake \",[\"0\"],\" \",[\"stakedToken\"]],\"EvECnL\":\"Migrate to v3\",\"EyYG53\":\"Get support\",\"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.\",\"F6pfE9\":\"Active\",\"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\",\"FTRJ1l\":\"L2 Networks\",\"FbmMe7\":\"Linked addresses\",\"Fdp03t\":\"on\",\"Fjw9N+\":\"Assets to supply\",\"FmN0fk\":\"Restake\",\"G15AUr\":\"Sending cancel...\",\"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\",\"GtP2hp\":[\"Borrowing is unavailable because you’ve enabled Efficiency Mode (E-Mode) for \",[\"0\"],\" category. To manage E-Mode categories visit your <0>Dashboard.\"],\"Gz07IS\":\"Your health factor after this swap will be critically low and may result in liquidation. Please choose a different asset or reduce the swap amount to stay safe.\",\"H1oAjw\":[[\"selectedCount\"],\" Categories\"],\"HB/wfS\":[[\"tooltipText\"]],\"HD4KkW\":[\"Swapping \",[\"0\"],\" collateral\"],\"HKDsQN\":\"Rewards can be claimed through\",\"Hi6Ttn\":\"Sorry, an unexpected error happened. In the meantime you may try reloading the page, or come back later.\",\"HkEDbS\":[[\"d\"],\"d\"],\"HlWGZc\":[\"Your \",[\"0\"],\" balance is lower than the selected amount.\"],\"HmkYqM\":\"Unstake window\",\"HpK/8d\":\"Reload\",\"HtBqo9\":\"sGHO\",\"HtuY7v\":\"Please connect your wallet to swap tokens.\",\"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\"],\"%.\"],\"I4Cxlm\":\"E-Mode required\",\"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.\",\"ILXMQA\":\"The Safety Module has been upgraded to <0>Umbrella, a new system that introduces automated slashing, aToken staking, and improved incentives design.\",\"IN8luu\":\"All done\",\"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\",\"IhAc6F\":\"Costs & Fees\",\"ImxB3A\":\"deposited\",\"IrtO2E\":\"You have assets with zero LTV that are blocking this operation. Please withdraw them or disable them as collateral first.\",\"J/hVSQ\":[[\"0\"]],\"JCoxL6\":\"Manage analytics\",\"JEdlTC\":\"Stablecoins\",\"JOqFba\":[\"Unstaking \",[\"symbol\"]],\"JPHuMW\":\"Swapping\",\"JPhc4G\":\"ETH Correlated\",\"JPrLjO\":\"You can not use this currency as collateral\",\"JYKRJS\":\"Stake\",\"JZMxX0\":\"Not enough balance on your wallet\",\"Jgflkm\":\"Get GHO\",\"JoMQnI\":\"Wallet balance\",\"JtwD8u\":\"Borrow balance after repay\",\"JumYTK\":\"Supplied assets\",\"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\",\"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\",\"KkJaLD\":\"Borrow:\",\"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\",\"KqoLVC\":\"Merkl rewards are claimed through the\",\"KsqhWn\":\"Staking\",\"KuBTQq\":\"Enter ETH address\",\"KvG1xW\":\"Claiming\",\"L+8Lzs\":\"Current LTV\",\"L+qiq+\":\"Market\",\"L2tU22\":\"Learn more about Ethena Rewards program\",\"L3ZyJR\":[[\"popularSectionTitle\"]],\"LEdkyb\":\"Rewards to claim\",\"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\"],\"\"],\"Lhf8zD\":\"Waiting for actions...\",\"Lp2cTp\":\"Eligible for incentives through Merkl.\",\"LvVpD/\":\"Emode\",\"Ly2enB\":\"This will cancel the order via an on-chain transaction. Note that the order will not be marked as cancelled in the CoW Protocol system, but will remain open and expire naturally. Keep in mind that a solver may already have filled your order.\",\"M1RnFv\":\"Expired\",\"M2sknc\":\"Tip: Try increasing slippage or reduce input amount\",\"MKiONF\":\"Activating Cooldown\",\"MOvzXm\":\"Comparing best rates...\",\"MRwaR4\":\"This will require two separate transactions: one to change E-Mode and one to supply.\",\"MZ/nQf\":\"Recipient address\",\"MZbQHL\":\"No results found.\",\"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.\",\"MlRlXX\":\"Current APY\",\"Mm/DVQ\":\"You cancelled the transaction.\",\"MnE2QX\":\"Borrow info\",\"MuDFEQ\":\"Invalid return value of the flashloan executor function\",\"My0ZGV\":\"Learn more about the Kernel points distribution\",\"N+3mX2\":\"Please connect your wallet to swap debt.\",\"N39Ax4\":\"Ethereum\",\"N40H+G\":\"All\",\"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\",\"ND1ISA\":\"Weekly Rewards\",\"NF0e1Q\":\"Pending...\",\"NK9ikO\":\"Wallet Balance\",\"NMt2CB\":\"Amount claimable\",\"Na7NlU\":[[\"remainingCustomMessage\"]],\"NcFGxG\":\"Collector Contract\",\"NfpPeS\":\"Nothing staked\",\"Nh9DAo\":[[\"m\"],\"m\"],\"Npz7kI\":\"Inquiry\",\"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\",\"OC4Tzv\":\"here\",\"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\",\"OiykRd\":\"Deposit GHO\",\"On0aF2\":\"Website\",\"OqAwLU\":\"Protocol APY\",\"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\",\"PctCOf\":\"A temporary contract will be used to execute the trade. Your wallet may show a warning for approving a new or empty address.\",\"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.\",\"QONKTE\":\"Merit Rewards\",\"QQYsQ7\":\"Withdrawing\",\"QZEgwS\":\"Execution fee\",\"R+30X3\":\"Not reached\",\"R9Khdg\":\"Auto\",\"RCU5PY\":\"Age\",\"RIfckG\":[\"Disable \",[\"symbol\"],\" as collateral\"],\"RMtxNk\":\"Differential\",\"RNK49r\":\"Invalid signature\",\"RS0o7b\":\"State\",\"RTG4/6\":\"There are no stake assets configured for this market\",\"RU+LqV\":\"Proposal details\",\"RYfdBk\":\"Visit <0><1>https://aave.self.xyz/ to get started with Self’s ZK-powered proof-of-humanity authentication.\",\"RZbjLY\":[\"See \",[\"0\"],\" more\"],\"Rg4K+m\":\"Cannot switch to this category\",\"RiSYV4\":\"Asset is not listed\",\"Rj01Fz\":\"Links\",\"RmWFEe\":\"Staking APR\",\"RtBLm7\":\"Health factor is lesser than the liquidation threshold\",\"RvF1Ts\":\"stkGHO is now Savings GHO\",\"RxzN1M\":\"Enabled\",\"SBv4zo\":[[\"0\"],\" collateral would have 0% LTV in this category. Disable \",[\"1\"],\" as collateral to use this option.\"],\"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\",\"SNmu1z\":\"Shares are Umbrella Stake Tokens you receive when staking. They represent your ownership in the pool, and the amount of underlying you can redeem depends on the current exchange rate between shares and the underlying.\",\"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\",\"SZkDmY\":\"The swap could not be completed. Try increasing slippage or changing the amount.\",\"Sa1UE/\":\"Protocol borrow cap is at 100% for this asset. Further borrowing unavailable.\",\"Sk2zW9\":\"Disabling E-Mode\",\"St4jqF\":\"This list may not include all your swaps.\",\"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\",\"TLJkuL\":\"Category assets\",\"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\",\"Tg1JyO\":\"Bridge history\",\"TszKts\":\"Borrow balance after switch\",\"Tw07Vv\":\"Show assets with small balance\",\"TwJI9F\":\"Asset has been successfully sent to CCIP contract. You can check the status of the transactions below\",\"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.\",\"UMgOim\":\"Send cancel\",\"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.\",\"UiO4Hu\":[\"You'll need to wait \",[\"0\"],\" before you can unstake your tokens. This cooldown starts when you request to unstake. Once it ends, you can withdraw during the unstake window.\"],\"UpndFj\":\"No rewards to claim\",\"V0f2Xv\":\"Reserve factor\",\"V1HK43\":\"Migration risks\",\"V7QGpc\":\"I understand the liquidation risk and want to proceed\",\"V7SFse\":[\"I confirm the swap knowing that I could lose up to <0>\",[\"0\"],\"% on this swap.\"],\"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\",\"VnQFYr\":\"Claiming all merit rewards only\",\"W1SSoD\":\"Review tx details\",\"W5hVah\":\"Nothing supplied yet\",\"W5kTFy\":\"Voting\",\"WHrVwg\":\"Loading quote...\",\"WMJGls\":\"Estimated Costs & Fees\",\"WNGZwH\":\"E-Mode increases your LTV for a selected category of assets up to<0/>. <1>Learn more\",\"WPWG/y\":\"Reserve status & configuration\",\"WS67YQ\":\"Let us know how we can help you. You may also consider joining our community\",\"WT188T\":\"Withdraw & Swap\",\"WZLQSU\":\"User cannot withdraw more than the available balance\",\"WaZyaV\":\"<0>Ampleforth is a rebasing asset. Visit the <1>documentation to learn more.\",\"WbTDwg\":\"In Progress\",\"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.\",\"X/ITG9\":\"Copy error text\",\"X3Pp6x\":\"Used as collateral\",\"X4Zt7j\":\"Action cannot be performed because the reserve is paused\",\"X4tRM3\":[[\"0\"],\" \",[\"symbol\"],\" to continue\"],\"XBdKOj\":\"Representative smart contract wallet (ie. Safe) addresses on other chains.\",\"XPN5UR\":\"User denied the operation.\",\"XYLcNv\":\"Support\",\"XZzneG\":\"You will exit isolation mode and other tokens can now be used as collateral\",\"Xe5bTg\":\"Deposit APR\",\"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.\",\"XwKkg/\":\"Staked Underlying\",\"Xy+o6U\":\"For security reasons, limit orders are not supported for Native tokens. To place a limit order, use the wrapped version.\",\"Xy71ST\":\"Umbrella\",\"Y+hUcK\":\"Merit Program and Self rewards can be claimed\",\"Y46iXX\":\"The order could't be filled.\",\"Y5Orec\":\"Collateral options\",\"Y5kGkc\":\"VOTE NAY\",\"YD+nXc\":\"Aave Shield\",\"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.\",\"Ya/che\":\"Stake token shares\",\"Ykj2Om\":\"Default slippage\",\"YogbCJ\":\"Testnet mode is ON\",\"YrDxdO\":\"If your loan to value goes above the liquidation threshold your collateral supplied may be liquidated.\",\"YrcHPy\":\"VIEW\",\"YyIM65\":\"Interest rate rebalance conditions were not met\",\"YyydIq\":[\"Add \",[\"0\"],\" to wallet to track your balance.\"],\"Z3FXyt\":\"Loading...\",\"Z99M+T\":\"This is an off-chain operation. Keep in mind that a solver may already have filled your order.\",\"ZBvhI+\":\"Aave Governance\",\"ZIIRAd\":\"Raw-Ipfs\",\"ZRq4tX\":\"Efficiency mode (E-Mode)\",\"ZRuM45\":\"These are the estimated costs associated with your limit swap, including costs and fees. Consider these costs when setting your order amounts to help optimize execution and maximize your chances of filling the order.\",\"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\",\"aCgA+I\":\"E-Mode change\",\"aEtiwq\":\"Vote NAY\",\"aMmFE1\":\"Buy Crypto With Fiat\",\"aOKIms\":\"Array parameters that should be equal length are not\",\"aQYztl\":[\"Repaying \",[\"0\"]],\"aXgo8+\":\"from the\",\"adUsDd\":\"An error has occurred fetching the proposal.\",\"afk1Wt\":[\"This asset can only be used as collateral in E-Mode: \",[\"0\"]],\"aoXTT7\":\"Borrow APY, variable\",\"aqX1Yp\":\"This asset is eligible for rewards through SuperFest. Aave Labs does not guarantee the program and accepts no liability.\",\"b4NS3e\":\"Cooldown period warning\",\"bBHmeP\":\"Available to withdraw\",\"bNEQeI\":\"Cooldown\",\"bUUVED\":\"Asset\",\"bXQ/Og\":\"Share on twitter\",\"bXr0ee\":\"Isolated assets have limited borrowing power and other assets cannot be used as collateral.\",\"bYmAV1\":\"Addresses\",\"bYtb3C\":\"Network costs\",\"bguKoJ\":\"The requested amount is greater than the max loan size in stable rate mode\",\"bm/mjh\":\"This is a program initiated and implemented by the Aave Chan Initiative (ACI). Aave Labs does not guarantee the program and accepts no liability.\",\"bq0uL+\":\"supply\",\"bwSQI0\":\"Supply\",\"bxN6EM\":\"Cannot disable E-Mode\",\"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.\",\"cc6gEH\":\"Incentives APR\",\"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\"]],\"cqwIvs\":\"Forum discussion\",\"csDS2L\":\"Available\",\"cu7Stb\":\"You did not participate in this proposal\",\"cuxGZP\":\"Low health factor after swap. Your position will carry a higher risk of liquidation.\",\"d9YZVR\":\"Principle Tokens\",\"dE6BLF\":\"Governance\",\"dEgA5A\":\"Cancel\",\"dIsyWh\":\"Ltv validation failed\",\"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\",\"dYG3JG\":\"Data couldn't be loaded.\",\"dZQvSq\":\"Please review the swap values before confirming.\",\"dfDzrk\":[\"Supply cap reached for \",[\"symbol\"],\". Reduce the amount or choose a different asset.\"],\"dgFOcr\":\"L1 Networks\",\"dgr1aY\":\"Borrowing is disabled due to an Aave community decision. <0>More details\",\"djsg0o\":\"Collateral usage\",\"drdV8R\":\"Liquidation\",\"dxW8cS\":\"Aave debt token\",\"e/ghIe\":[\"This transaction will enable E-Mode (\",[\"0\"],\"). Borrowing will be restricted to assets within this category.\"],\"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\",\"eQ0Wu0\":\"Please connect a wallet to view your balance here.\",\"eVpCmf\":\"Staking Rewards\",\"eVqvtf\":\"Bridge GHO\",\"eYdurp\":\"No transactions yet.\",\"ebLGGN\":\"Total borrowed\",\"ecqEvn\":\"The collateral balance is 0\",\"edXiYw\":[\"You've successfully swapped \",[\"0\"],\".\"],\"efdrrk\":\"Available on\",\"enruNF\":\"starts\",\"eqLYiD\":\"Unstake now\",\"evw5ha\":\"Net worth\",\"ezcU16\":\"Get ABP Token\",\"f2e3vu\":[\"Deposit GHO into savings GHO (sGHO) and earn <0>\",[\"0\"],\"% APY on your GHO holdings. There are no lockups, no rehypothecation, and you can withdraw anytime. Simply deposit GHO, receive sGHO tokens representing your balance, and watch your savings grow earning claimable rewards from merit.\"],\"f3W0Ej\":[\"You switched to \",[\"0\"],\" rate\"],\"fMJQZK\":\"Borrowed\",\"fZ5Vnu\":\"Received\",\"firl9Q\":\"Your current loan to value based on your collateral supplied.\",\"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\",\"g4Ius4\":\"This is the fee for executing position changes, set by governance.\",\"g8KGoA\":\"FAQS\",\"g9zzqS\":\"Voted NAY\",\"gDd2gk\":\"about SuperFest.\",\"gIMJlW\":\"Testnet mode\",\"gK+IvE\":\"Withdraw and Swap\",\"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\",\"gjxiVa\":[\"This swap has a price impact of \",[\"0\"],\"%, which exceeds the 25% safety threshold. To proceed, disable Aave Shield in the settings menu.\"],\"goff7V\":\"Zero address not valid\",\"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\",\"h5hG6q\":\"This is the cost of settling your order on-chain, including gas and any LP fees.\",\"hB23LY\":\"Activate Cooldown\",\"hIJzBh\":\"Available to Claim\",\"hIS4N0\":\"Net APY\",\"hQRttt\":\"Submit\",\"hRWvpI\":\"Claimed\",\"hb8ajh\":\"Debt Swap\",\"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\",\"hrhwub\":\"dashboard\",\"huQ6Tz\":[\"Borrowing \",[\"symbol\"]],\"hxYu+F\":\"Borrow: All eligible assets\",\"i/fZ2Z\":\"Staked Balance\",\"i9qiyR\":\"Expires in\",\"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\",\"iIuDE1\":\"Estimated weekly rewards based on your current sGHO balance and APR. Actual rewards may vary depending on market conditions.\",\"iKfD53\":\"Transaction history for Plasma not supported yet, coming soon.\",\"iMVZk9\":\"Select slippage tolerance\",\"iNYgey\":\"Get Support\",\"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\",\"iddNqA\":\"This transaction will disable E-Mode. All assets will revert to their base LTV and liquidation thresholds.\",\"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\"],\"ih/VjN\":\"Staking this amount will reduce your health factor and increase risk of liquidation.\",\"il0sEG\":\"Collateral usage is limited because of Isolation mode.\",\"j+K1Xj\":\"Amount After Fee\",\"j4SXZo\":\"Claim all merit rewards\",\"j7JHV+\":\"Total APY\",\"j8cF1R\":\"Cooling down\",\"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\",\"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.\",\"jZkYWO\":\"Boosted LTV\",\"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\",\"jqVo/k\":\"here.\",\"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\"],\"kMi0nz\":\"sGHO Merit APY History\",\"kN1Yg5\":\"To repay on behalf of a user an explicit amount to repay is needed\",\"kNiQp6\":\"Pinned\",\"kRTD40\":[\"Repayment amount to reach \",[\"0\"],\"% utilization\"],\"kgKqPv\":\"You can not stake this amount because it will cause collateral call\",\"kj3M8S\":\"Deposit\",\"kjN9tT\":\"Supply cap is exceeded\",\"kn+s7w\":[[\"0\"],\" collateral would have 0% LTV without E-Mode. Disable \",[\"1\"],\" as collateral to use this option.\"],\"knxE+G\":\".JSON\",\"ks2LWT\":\"Debt ceiling is not zero\",\"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.\",\"kzeZTm\":\"LTV\",\"lCF0wC\":\"Refresh\",\"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.\",\"lXb3Ih\":[\"This asset has 0 LTV and cannot be used as collateral. Enable an E-Mode to use \",[\"symbol\"],\" as collateral.\"],\"lXj2Sq\":\"Repay with Collateral\",\"lYGfRP\":\"English\",\"lfEjIE\":\"Learn more in our <0>FAQ guide\",\"ljF4ko\":\"The selected rate is lower than the market price. You might incur a loss if you proceed.\",\"lqCWte\":[\"Deposit GHO and earn \",[\"0\"],\"% APY\"],\"lu7f+8\":\"Blocked by Shield\",\"m/IEhi\":\"Total emission per day\",\"m7r7Hh\":\"Selected borrow assets\",\"mDDK4p\":\"Balancer Pool\",\"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.\"],\"me5LMQ\":\"Checking approval\",\"mogZv0\":\"Favourite\",\"muiOng\":[\"Buy \",[\"cryptoSymbol\"],\" with Fiat\"],\"mvCXBY\":\"Stake AAVE\",\"mwdzil\":\"Ok, Close\",\"mzDAU3\":\"Savings GHO (sGHO)\",\"mzdIia\":\"Asset cannot be used as collateral.\",\"n+SX4g\":\"Developers\",\"n1na81\":\"No eligible assets to swap.\",\"n4PWtp\":\"Depositing\",\"nJIhzm\":\"Supply apy\",\"nJgsQu\":\"With a voting power of <0/>\",\"nLC6tu\":\"French\",\"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\",\"nPGNMh\":\"Can be executed\",\"nUK1ou\":[\"Assets with zero LTV (\",[\"0\"],\") must be withdrawn or disabled as collateral to perform this action\"],\"neITkT\":\"This asset has 0% LTV, meaning it does not contribute to borrowing power. Existing positions with this asset as collateral still count toward the liquidation threshold and protect your health factor. New positions cannot enable this asset as collateral.\",\"njBeMm\":\"Both\",\"ntyFSE\":[[\"h\"],\"h\"],\"nwIsn4\":\"After the cooldown is initiated, you will be able to withdraw your assets immediatley.\",\"nweCqF\":\"Cancelling order...\",\"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\",\"o5ooMr\":\"Debt\",\"o7J4JM\":\"Filter\",\"o7Yloh\":\"Learn more about the Ether.fi program\",\"oHFrpj\":\"Cooldown to unstake\",\"oJ5ZiG\":\"User does not have outstanding variable rate debt on this reserve\",\"oUwXhx\":\"Test Assets\",\"oWQnqT\":\"Staking this asset will earn the underlying asset supply yield in addition to other configured rewards.\",\"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.\",\"ogU9GD\":\"Target liquidity\",\"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.\",\"om/XHs\":\"Available to supply\",\"omq5qJ\":\"Claiming all protocol rewards and merit rewards together\",\"ovBPCi\":\"Default\",\"ovT1pF\":[\"Per the community, the \",[\"market\"],\" has been frozen.\"],\"ow3fug\":\"Nothing found\",\"owSsI3\":\"Signatures ready\",\"p+R52m\":\"Go to Balancer Pool\",\"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.\",\"p45alK\":\"Set up delegation\",\"pDgeaz\":[[\"title\"]],\"pdZqBk\":\"The underlying balance needs to be greater than 0\",\"pgWG9H\":\"Not enough staked balance\",\"ph9+uj\":[\"Switching to \",[\"networkName\"],\"...\"],\"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\"],\"pup/ej\":\"Net Protocol Incentives\",\"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\",\"qKfida\":\"Staked tokens are wrapped and use an exchange rate. You may see fewer token shares, but the value matches your deposit and will grow as yield accrues.\",\"qOqbD6\":\"copy the error\",\"qXCkEM\":\"Please connect your wallet to see your supplies, borrowings, and open positions.\",\"qY2jnw\":\"Invalid expiration\",\"qhhf9L\":\"Rewards available to claim\",\"qtS7wW\":\"Thank you for voting\",\"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\",\"qz6JVE\":[\"Your order amounts are \",[\"0\"],\" less favorable by \",[\"1\"],\"% to the liquidity provider than recommended. This order may not be executed.\"],\"qz9c6b\":[\"Repaying \",[\"0\"],\" with \",[\"1\"]],\"qzFp5D\":\"All Categories\",\"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\",\"riNWOA\":\"E-Mode\",\"rjGI/Q\":\"Privacy\",\"rnKPW1\":\"Watch a wallet balance in read-only mode\",\"rojvRp\":\"Approval by signature not available\",\"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\",\"t/ct9N\":\"Auto Slippage\",\"tBIz3I\":[\"Supply \",[\"0\"],\" and double your yield by <0><1>verifying your humanity through Self for \",[\"1\"],\" per user.\"],\"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\",\"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\"],\"tVJk4q\":\"Cancel order\",\"te9Bfl\":\"Please, connect your wallet\",\"tj6dr4\":\"Merit Program rewards can be claimed\",\"tt5yma\":\"Your supplies\",\"tw6G0s\":[\"You must disable \",[\"0\"],\" as collateral before exiting E-Mode. These assets have 0 LTV outside of E-Mode and cannot be used as collateral.\"],\"u3ZeYl\":\"Transaction failed\",\"u706uF\":\"Invalid flashloan premium\",\"u8Gfu7\":[\"No search results\",[\"0\"]],\"uAQUqI\":\"Status\",\"uGG4Lk\":\"Claim all protocol rewards\",\"uHMwk8\":\"No assets selected to migrate.\",\"uI3SjW\":\"Connection Error\",\"uJOI6M\":\"Tip: Try improving your order parameters\",\"uJPHuY\":\"Migrating\",\"uRXR6h\":[\"Swap \",[\"0\"],\" debt\"],\"uZiu4N\":\"There is an active order for the same sell asset (avoid nonce reuse).\",\"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\",\"usB84Z\":\"Maximum amount available to borrow is limited because protocol borrow cap is nearly reached.\",\"uyLjNw\":\"Custom slippage\",\"v+Fu0z\":\"This asset is eligible for Kernel points incentive program. Aave Labs does not guarantee the program and accepts no liability.\",\"v0CIlJ\":\"You have no rewards to claim at this time.\",\"v8x7Mg\":\"Insufficient collateral to cover new borrow position. Wallet must have borrowing power remaining to perform debt switch.\",\"vEqxH9\":\"Restaked\",\"vH2C/2\":\"Swap\",\"vLyv1R\":\"Hide\",\"vMba49\":\"Borrowing is not enabled\",\"vMpNwt\":\"Approve with\",\"vNAHA2\":\"PTs\",\"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.\",\"vv7kpg\":\"Cancelled\",\"w+V9Cx\":\"Stablecoin\",\"w/JtJ3\":\"Stable debt supply is not zero\",\"w1f8Ky\":\"Savings GHO\",\"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\",\"wapGcj\":[[\"message\"]],\"wb/r1O\":[\"Faucet \",[\"0\"]],\"wdxz7K\":\"Source\",\"weC8IO\":\"All Rewards\",\"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.\",\"wjFWDB\":\"No markets found\",\"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\",\"wuMdlk\":[\"This asset is eligible for \",[\"0\"],\" Sonic Rewards.\"],\"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.\",\"x+QJ9y\":[\"Category \",[\"selectedEmodeId\"]],\"x0TRLG\":[\"Repay your \",[\"0\"],\" \",[\"1\",\"plural\",{\"one\":\"borrow\",\"other\":\"borrows\"}],\" to use this category.\"],\"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\"]],\"yRkqG9\":\"Limit\",\"yYHqJe\":\"Not a valid address\",\"yZ5ngq\":\"Transaction details not available\",\"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\"],\"yv/Kz/\":\"Back home\",\"yz7wBu\":\"Close\",\"z4uGQg\":\"Debt ceiling is exceeded\",\"z5JUmg\":[\"Estimated costs are \",[\"0\"],\"% of the sell amount. This order is unlikely to be filled.\"],\"z5UQOM\":\"The collateral chosen cannot be liquidated\",\"z5Y+p6\":[\"Supplying \",[\"symbol\"]],\"zCjNKs\":\"Action cannot be performed because the reserve is frozen\",\"zNgzxM\":\"Excludes variable supply APY\",\"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\",\"zZmf1N\":\"Filled\",\"zgtIDV\":\"Remaining debt\",\"zmTPiV\":\"Supply balance\",\"zpPbZl\":\"Liquidation risk parameters\",\"zqp4Tm\":\"Unable to Connect\",\"zr58Jd\":\"Umbrella is the upgraded version of the Safety Module. Manage your previously staked assets\",\"zucql+\":\"Menu\",\"zv/j10\":[\"Active \",[\"0\"],\" borrow is not compatible with this category. Repay your \",[\"1\"],\" borrow to use this option.\"],\"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.\"}")}; \ 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.\"],\"+5vxU4\":\"Reward APY at target liquidity\",\"+9RBfc\":\"Thank you for submitting your inquiry!\",\"+F6nAX\":\"Save with sGHO\",\"+KaZP2\":\"Aave Labs does not guarantee the program and accepts no liability.\",\"+Nk14N\":\"Savings GHO token\",\"+VR63W\":[\"Participating in this \",[\"symbol\"],\" reserve gives annualized rewards.\"],\"+XNrRN\":\"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 restrictions, see the <1>help guide or the <2>Aave V3 Technical Paper.\",\"+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.\",\"+i3Pd2\":\"Borrow cap\",\"+nuEh/\":\"Estimated time\",\"+xMFF8\":\"Remind me\",\"/+Vmgq\":\"Total amount of underlying assets staked. This number represents the combined sum of your original asset and the corresponding aTokens staked in Umbrella.\",\"/1Qot4\":\"Protocol Rewards\",\"/1xACT\":\"Reward APY adjusts with total staked amount, following a curve that targets optimal staking levels.\",\"/57U31\":\"Amount to migrate\",\"/7ykiW\":\"Borrowing this amount will reduce your health factor and increase risk of liquidation.\",\"/FwCXs\":[[\"0\"],\" \",[\"symbol\"],\"...\"],\"/LCAwL\":\"In progress\",\"/ZyLeG\":\"Amount available to unstake\",\"/jQctM\":\"To\",\"/lDBHm\":\"FAQ\",\"/lMWs6\":[\"Deposit GHO and earn up to <0>\",[\"0\"],\"% APY\"],\"/yNlZf\":\"Stable borrowing is not enabled\",\"/yQcJM\":\"Total worth\",\"00AB2i\":\"User did not borrow the specified currency\",\"02/4d1\":\"We suggest you go back to the home page.\",\"0AmQcW\":\"Rate change\",\"0BF3yK\":\"Sorry, we couldn't find the page you were looking for.\",\"0RrIzN\":\"Select token\",\"0TAbjq\":\"Recent Transactions\",\"0jhlyw\":\"Liquidation risk\",\"0ojY+Y\":\"Current v2 Balance\",\"0r31vq\":\"Reward Token\",\"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.\",\"11xQTX\":[\"This asset is eligible for \",[\"0\"],\" Ethena Rewards.\"],\"18GnfY\":[\"Repay \",[\"0\"]],\"1AsVfF\":\"Price data is not currently available for this reserve on the protocol subgraph\",\"1LjK22\":\"Transaction history\",\"1PMU2v\":\"Learn more about the risks.\",\"1Ue8sX\":\"Please connect a wallet to view your personal information here.\",\"1W8DZp\":\"USDT on Ethereum requires approval reset before a new approval. This will require an additional transaction.\",\"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\",\"1t7rez\":\"Asset supply is limited to a certain amount to reduce protocol exposure to the asset and to help manage risks involved.\",\"2/aIvj\":\"Cancellation submited\",\"2C40JO\":[\"This transaction will switch E-Mode from \",[\"0\"],\" to \",[\"1\"],\". Borrowing will be restricted to assets within the new category.\"],\"2Eoi/a\":\"View details\",\"2FYpfJ\":\"More\",\"2O3qp5\":\"Available liquidity\",\"2OIfa1\":\"Please connect your wallet to swap collateral.\",\"2OM8/D\":[\"Asset cannot be migrated due to supply cap restriction in \",[\"marketName\"],\" v3 market.\"],\"2RtYM0\":\"Need help? Our support team can assist.\",\"2RubOP\":\"Initiate Withdraw\",\"2S7oCr\":[\"This asset is eligible for the Ether.fi Loyalty program with a <0>x\",[\"multiplier\"],\" multiplier.\"],\"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.\",\"2eBWE6\":\"I acknowledge the risks involved.\",\"2r2h/U\":\"Total Deposited\",\"2uJToh\":[[\"0\"],[\"name\"]],\"2x1UO0\":\"Favourited\",\"2x58bP\":\"Stable borrowing is enabled\",\"34Qfwy\":\"Borrow cap is exceeded\",\"39eQRj\":[\"Borrow \",[\"symbol\"]],\"3BL1xB\":\"Total supplied\",\"3K0oMo\":\"Remaining supply\",\"3MoZhl\":\"There is not enough collateral to cover a new borrow\",\"3NO6VI\":[[\"0\"],\" Balance\",[\"1\"]],\"3Np5O8\":[\"Supply \",[\"symbol\"]],\"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\",\"4fCwrW\":\"or from the\",\"4lDFps\":\"Sign to continue\",\"4p5njr\":\"Total amount staked\",\"4wyw8H\":\"Transactions\",\"5+lhtA\":\"For swapping safety module assets please unstake your position <0>here.\",\"53r7O1\":[\"High price impact (<0>\",[\"0\"],\"%)! This route will return \",[\"1\"],\" due to low liquidity or small order size.\"],\"5CCqcz\":\"Fees help support the user experience and security of the Aave application. <0>Learn more.\",\"5JSSxX\":[\"Your \",[\"networkName\"],\" wallet is empty. Get free test assets at\"],\"5K3B36\":\"We couldn't find any assets related to your search. Try again with a different category.\",\"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.\"],\"5RzvNm\":\"Aave Shield: Transaction blocked\",\"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\",\"5ty6hB\":\"Claiming individual protocol reward only. Merit rewards excluded - select \\\"claim all\\\" to include merit rewards.\",\"5vxk14\":\"To continue, you need to grant 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\",\"5yC5m5\":\"View all votes\",\"6/dCYd\":\"Overview\",\"60crCe\":\"All transactions\",\"62Xcjh\":\"Collateral\",\"65A04M\":\"Spanish\",\"68ANm7\":\"Withdrawing GHO\",\"6G8s+q\":\"Signing\",\"6Jrv+z\":[\"Repay \",[\"symbol\"]],\"6SC+v0\":[\"Disable \",[\"0\"],\" as collateral to use this category. These assets would have 0% LTV.\"],\"6Xr0UU\":\"Cooling down...\",\"6bxci/\":\"Voting power\",\"6f8S68\":\"Markets\",\"6g1gi0\":\"Proposals\",\"6gvoHP\":\"Copy error message\",\"6h3Q5G\":\"repaid\",\"6lFSyT\":\"Available to Stake\",\"6lGV3K\":\"Show less\",\"6s8L6f\":\"Switch Network\",\"70wH1Q\":\"APR\",\"72c5Qo\":\"Total\",\"75qcAQ\":[[\"stepName\"]],\"7ITr5L\":\"Health factor\",\"7R/kqr\":\"The cooldown period is the time required prior to unstaking your tokens (<0/>). You can only withdraw your assets from the Security Module after the cooldown period and within the unstake window. <1>Learn more\",\"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\",\"7c6Gy8\":\"Learn more about Sonic Rewards program\",\"7er5fP\":\"Claim all\",\"7hb2+s\":\"Time remaining until the withdraw period ends.\",\"7i1oxe\":\"Withdrawing and Swapping\",\"7l88b8\":\"Data couldn't be fetched, please reload graph.\",\"7p5kLi\":\"Dashboard\",\"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\",\"8Xaoyr\":\"View on CCIP Explorer\",\"8Z5FPv\":\"Disconnect Wallet\",\"8Zz7s5\":\"assets\",\"8aLW8H\":\"Balance to revoke\",\"8bOT3H\":\"Utilization Rate\",\"8d61xO\":\"The Ink instance is governed by the Ink Foundation\",\"8sLe4/\":\"View contract\",\"8ss7VF\":\"Transaction cancelled\",\"8t/M0y\":\"Please connect your wallet to be able to bridge your tokens.\",\"8u3DDw\":[\"Swap \",[\"0\"],\" collateral\"],\"8vETh9\":\"Show\",\"93T2Os\":\"Total deposited\",\"94OHPx\":\"You are entering Isolation mode\",\"9CDK3/\":[\"Borrowing is currently unavailable for \",[\"0\"],\".\"],\"9GIj3z\":\"Reserve Size\",\"9ITYjl\":\"%\",\"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.\"],\"9YcC7V\":\"Select Categories\",\"9c6vDV\":\"This asset has reached its supply cap. Nothing is available to be supplied from this market.\",\"9iDHmv\":\"Collateral Swap\",\"9kTWHA\":\"MAI has been paused due to a community decision. Supply, borrows and repays are impacted. <0>More details\",\"9lXchd\":\"Underlying token\",\"9xSooW\":\"Since this is a test network, you can get any of the assets if you have ETH on your wallet\",\"9y0Q0y\":[\"There is not enough liquidity in \",[\"symbol\"],\" to complete this swap. Try lowering the amount.\"],\"9zzsBx\":\"This is a program initiated by the Aave DAO and implemented by Merkl. Aave Labs does not guarantee the program and accepts no liability.\",\"A/lwoe\":\"Choose one of the on-ramp services\",\"A6dCI6\":[\"Maximum amount available to borrow is <0/> \",[\"0\"],\" (<1/>).\"],\"ACUEES\":\"Check errors\",\"AReoaV\":\"Your borrows\",\"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.\",\"B6zvhF\":\"Shares\",\"BDFEd+\":\"stETH supplied as collateral will continue to accrue staking rewards provided by daily rebases.\",\"BE2mP0\":\"Borrowed assets\",\"BNL4Ep\":\"Collateral usage is limited because of isolation mode. <0>Learn More\",\"BQ+4lu\":\"Swap saved in your <0>history section.\",\"BQ/wCO\":\"Migrate your assets\",\"BaCmXf\":\"AAVE 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.\",\"Baj2MJ\":\"Savings\",\"BnhYo8\":\"Asset category\",\"Bo6b9i\":\"Withdraw GHO\",\"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\",\"C4qYyX\":[\"Repay \",[\"0\"],\" with \",[\"1\"]],\"C5jQc6\":\"GHO Balance\",\"C7hM0q\":\"Country (optional)\",\"CDrsH+\":\"Techpaper\",\"CGiscJ\":\"You've successfully submitted an order.\",\"CK1KXz\":\"Max\",\"COUcFd\":\"Points\",\"CZXzs4\":\"Greek\",\"CkTRmy\":[\"Claim \",[\"symbol\"]],\"CrrC++\":\"Position swaps are disabled for this asset due to security reasons.\",\"CsqtLm\":\"Please connect your wallet to see migration tool.\",\"CtGlFb\":[[\"networkName\"],\" Faucet\"],\"CuAHqa\":\"Protocol Incentives\",\"Cxt2YY\":\"Watch wallet\",\"D33VQU\":\"This action will reduce health factor of V3 below liquidation threshold. Increase migrated collateral or reduce migrated borrow to continue.\",\"D4Q4h/\":\"Gas estimation error\",\"D79cZK\":\"Instant\",\"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\"],\"DhaOWH\":\"Stake your Aave aTokens or underlying assets to earn rewards. In case of a shortfall event, your stake may be slashed to cover the deficit.\",\"Dj+3wB\":\"Aave per month\",\"DlRHbH\":\"Claiming all protocol rewards only. Merit rewards excluded - select \\\"claim all\\\" to include merit rewards.\",\"DuEq2K\":\"Collateralization\",\"Dzma+E\":\"Main Ethereum market with the largest selection of assets and yield options\",\"E/QGRL\":\"Disabled\",\"E6UoJs\":\"Estimated compounding 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.\",\"ETtXJg\":\"Share my wallet address to help the support team resolve my issue\",\"EZd3Dk\":[\"Restaking \",[\"symbol\"]],\"Ebgc76\":[\"Withdrawing \",[\"symbol\"]],\"EdQY6l\":\"None\",\"Ef7StM\":\"Unknown\",\"Ehzc//\":[\"Swapping \",[\"0\"],\" debt\"],\"Ekea1N\":\"We couldn't detect a wallet. Connect a wallet to stake and view your balance.\",\"Enslfm\":\"Destination\",\"EvE9nO\":[\"Reactivate cooldown period to unstake \",[\"0\"],\" \",[\"stakedToken\"]],\"EvECnL\":\"Migrate to v3\",\"EyYG53\":\"Get support\",\"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.\",\"F6pfE9\":\"Active\",\"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\",\"FTRJ1l\":\"L2 Networks\",\"FbmMe7\":\"Linked addresses\",\"Fdp03t\":\"on\",\"Fjw9N+\":\"Assets to supply\",\"FmN0fk\":\"Restake\",\"G15AUr\":\"Sending cancel...\",\"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\",\"GtP2hp\":[\"Borrowing is unavailable because you’ve enabled Efficiency Mode (E-Mode) for \",[\"0\"],\" category. To manage E-Mode categories visit your <0>Dashboard.\"],\"Gz07IS\":\"Your health factor after this swap will be critically low and may result in liquidation. Please choose a different asset or reduce the swap amount to stay safe.\",\"H1oAjw\":[[\"selectedCount\"],\" Categories\"],\"HB/wfS\":[[\"tooltipText\"]],\"HD4KkW\":[\"Swapping \",[\"0\"],\" collateral\"],\"HKDsQN\":\"Rewards can be claimed through\",\"Hi6Ttn\":\"Sorry, an unexpected error happened. In the meantime you may try reloading the page, or come back later.\",\"HkEDbS\":[[\"d\"],\"d\"],\"HlWGZc\":[\"Your \",[\"0\"],\" balance is lower than the selected amount.\"],\"HmkYqM\":\"Unstake window\",\"HpK/8d\":\"Reload\",\"HtBqo9\":\"sGHO\",\"HtuY7v\":\"Please connect your wallet to swap tokens.\",\"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\"],\"%.\"],\"I4Cxlm\":\"E-Mode required\",\"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.\",\"ILXMQA\":\"The Safety Module has been upgraded to <0>Umbrella, a new system that introduces automated slashing, aToken staking, and improved incentives design.\",\"IN8luu\":\"All done\",\"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\",\"IhAc6F\":\"Costs & Fees\",\"ImxB3A\":\"deposited\",\"IrtO2E\":\"You have assets with zero LTV that are blocking this operation. Please withdraw them or disable them as collateral first.\",\"J/hVSQ\":[[\"0\"]],\"JCoxL6\":\"Manage analytics\",\"JEdlTC\":\"Stablecoins\",\"JOqFba\":[\"Unstaking \",[\"symbol\"]],\"JPHuMW\":\"Swapping\",\"JPhc4G\":\"ETH Correlated\",\"JPrLjO\":\"You can not use this currency as collateral\",\"JYKRJS\":\"Stake\",\"JZMxX0\":\"Not enough balance on your wallet\",\"Jgflkm\":\"Get GHO\",\"JoMQnI\":\"Wallet balance\",\"JtwD8u\":\"Borrow balance after repay\",\"JumYTK\":\"Supplied assets\",\"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\",\"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\",\"KkJaLD\":\"Borrow:\",\"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\",\"KqoLVC\":\"Merkl rewards are claimed through the\",\"KsqhWn\":\"Staking\",\"KuBTQq\":\"Enter ETH address\",\"KvG1xW\":\"Claiming\",\"L+8Lzs\":\"Current LTV\",\"L+qiq+\":\"Market\",\"L2tU22\":\"Learn more about Ethena Rewards program\",\"L3ZyJR\":[[\"popularSectionTitle\"]],\"LEdkyb\":\"Rewards to claim\",\"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\"],\"\"],\"Lhf8zD\":\"Waiting for actions...\",\"Lp2cTp\":\"Eligible for incentives through Merkl.\",\"LvVpD/\":\"Emode\",\"Ly2enB\":\"This will cancel the order via an on-chain transaction. Note that the order will not be marked as cancelled in the CoW Protocol system, but will remain open and expire naturally. Keep in mind that a solver may already have filled your order.\",\"M1RnFv\":\"Expired\",\"M2sknc\":\"Tip: Try increasing slippage or reduce input amount\",\"MKiONF\":\"Activating Cooldown\",\"MOvzXm\":\"Comparing best rates...\",\"MRwaR4\":\"This will require two separate transactions: one to change E-Mode and one to supply.\",\"MZ/nQf\":\"Recipient address\",\"MZbQHL\":\"No results found.\",\"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.\",\"MlRlXX\":\"Current APY\",\"Mm/DVQ\":\"You cancelled the transaction.\",\"MnE2QX\":\"Borrow info\",\"MuDFEQ\":\"Invalid return value of the flashloan executor function\",\"My0ZGV\":\"Learn more about the Kernel points distribution\",\"N+3mX2\":\"Please connect your wallet to swap debt.\",\"N39Ax4\":\"Ethereum\",\"N40H+G\":\"All\",\"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\",\"ND1ISA\":\"Weekly Rewards\",\"NF0e1Q\":\"Pending...\",\"NK9ikO\":\"Wallet Balance\",\"NMt2CB\":\"Amount claimable\",\"Na7NlU\":[[\"remainingCustomMessage\"]],\"NcFGxG\":\"Collector Contract\",\"NfpPeS\":\"Nothing staked\",\"Nh9DAo\":[[\"m\"],\"m\"],\"Npz7kI\":\"Inquiry\",\"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\",\"OC4Tzv\":\"here\",\"OFjZGo\":\"Unstake\",\"OR8cYX\":\"Proposal overview\",\"OYuJ9K\":\"Protocol debt ceiling is at 100% for this asset. Futher borrowing against this asset is unavailable.\",\"OclOBa\":\"Favourites\",\"OfhWJH\":\"Reset\",\"Og2SKn\":\"disabled\",\"OiykRd\":\"Deposit GHO\",\"On0aF2\":\"Website\",\"OqAwLU\":\"Protocol APY\",\"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\",\"PctCOf\":\"A temporary contract will be used to execute the trade. Your wallet may show a warning for approving a new or empty address.\",\"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.\",\"QONKTE\":\"Merit Rewards\",\"QQYsQ7\":\"Withdrawing\",\"QZEgwS\":\"Execution fee\",\"R+30X3\":\"Not reached\",\"R9Khdg\":\"Auto\",\"RCU5PY\":\"Age\",\"RIfckG\":[\"Disable \",[\"symbol\"],\" as collateral\"],\"RMtxNk\":\"Differential\",\"RNK49r\":\"Invalid signature\",\"RS0o7b\":\"State\",\"RTG4/6\":\"There are no stake assets configured for this market\",\"RU+LqV\":\"Proposal details\",\"RYfdBk\":\"Visit <0><1>https://aave.self.xyz/ to get started with Self’s ZK-powered proof-of-humanity authentication.\",\"RZbjLY\":[\"See \",[\"0\"],\" more\"],\"Rg4K+m\":\"Cannot switch to this category\",\"RiSYV4\":\"Asset is not listed\",\"Rj01Fz\":\"Links\",\"RmWFEe\":\"Staking APR\",\"RtBLm7\":\"Health factor is lesser than the liquidation threshold\",\"RvF1Ts\":\"stkGHO is now Savings GHO\",\"RxzN1M\":\"Enabled\",\"SBv4zo\":[[\"0\"],\" collateral would have 0% LTV in this category. Disable \",[\"1\"],\" as collateral to use this option.\"],\"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\",\"SNmu1z\":\"Shares are Umbrella Stake Tokens you receive when staking. They represent your ownership in the pool, and the amount of underlying you can redeem depends on the current exchange rate between shares and the underlying.\",\"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\",\"SZkDmY\":\"The swap could not be completed. Try increasing slippage or changing the amount.\",\"Sa1UE/\":\"Protocol borrow cap is at 100% for this asset. Further borrowing unavailable.\",\"Sk2zW9\":\"Disabling E-Mode\",\"St4jqF\":\"This list may not include all your swaps.\",\"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\",\"TLJkuL\":\"Category assets\",\"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\",\"Tg1JyO\":\"Bridge history\",\"TszKts\":\"Borrow balance after switch\",\"Tw07Vv\":\"Show assets with small balance\",\"TwJI9F\":\"Asset has been successfully sent to CCIP contract. You can check the status of the transactions below\",\"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.\",\"UMgOim\":\"Send cancel\",\"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.\",\"UiO4Hu\":[\"You'll need to wait \",[\"0\"],\" before you can unstake your tokens. This cooldown starts when you request to unstake. Once it ends, you can withdraw during the unstake window.\"],\"UpndFj\":\"No rewards to claim\",\"V0f2Xv\":\"Reserve factor\",\"V1HK43\":\"Migration risks\",\"V7QGpc\":\"I understand the liquidation risk and want to proceed\",\"V7SFse\":[\"I confirm the swap knowing that I could lose up to <0>\",[\"0\"],\"% on this swap.\"],\"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\",\"VnQFYr\":\"Claiming all merit rewards only\",\"W1SSoD\":\"Review tx details\",\"W5hVah\":\"Nothing supplied yet\",\"W5kTFy\":\"Voting\",\"WHrVwg\":\"Loading quote...\",\"WMJGls\":\"Estimated Costs & Fees\",\"WNGZwH\":\"E-Mode increases your LTV for a selected category of assets up to<0/>. <1>Learn more\",\"WPWG/y\":\"Reserve status & configuration\",\"WS67YQ\":\"Let us know how we can help you. You may also consider joining our community\",\"WT188T\":\"Withdraw & Swap\",\"WZLQSU\":\"User cannot withdraw more than the available balance\",\"WaZyaV\":\"<0>Ampleforth is a rebasing asset. Visit the <1>documentation to learn more.\",\"WbTDwg\":\"In Progress\",\"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.\",\"X/ITG9\":\"Copy error text\",\"X3Pp6x\":\"Used as collateral\",\"X4Zt7j\":\"Action cannot be performed because the reserve is paused\",\"X4tRM3\":[[\"0\"],\" \",[\"symbol\"],\" to continue\"],\"XBdKOj\":\"Representative smart contract wallet (ie. Safe) addresses on other chains.\",\"XPN5UR\":\"User denied the operation.\",\"XYLcNv\":\"Support\",\"XZzneG\":\"You will exit isolation mode and other tokens can now be used as collateral\",\"Xe5bTg\":\"Deposit APR\",\"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.\",\"XwKkg/\":\"Staked Underlying\",\"Xy+o6U\":\"For security reasons, limit orders are not supported for Native tokens. To place a limit order, use the wrapped version.\",\"Xy71ST\":\"Umbrella\",\"Y+hUcK\":\"Merit Program and Self rewards can be claimed\",\"Y46iXX\":\"The order could't be filled.\",\"Y5Orec\":\"Collateral options\",\"Y5kGkc\":\"VOTE NAY\",\"YD+nXc\":\"Aave Shield\",\"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.\",\"Ya/che\":\"Stake token shares\",\"Ykj2Om\":\"Default slippage\",\"YogbCJ\":\"Testnet mode is ON\",\"YrDxdO\":\"If your loan to value goes above the liquidation threshold your collateral supplied may be liquidated.\",\"YrcHPy\":\"VIEW\",\"YyIM65\":\"Interest rate rebalance conditions were not met\",\"YyydIq\":[\"Add \",[\"0\"],\" to wallet to track your balance.\"],\"Z3FXyt\":\"Loading...\",\"Z99M+T\":\"This is an off-chain operation. Keep in mind that a solver may already have filled your order.\",\"ZBvhI+\":\"Aave Governance\",\"ZIIRAd\":\"Raw-Ipfs\",\"ZRq4tX\":\"Efficiency mode (E-Mode)\",\"ZRuM45\":\"These are the estimated costs associated with your limit swap, including costs and fees. Consider these costs when setting your order amounts to help optimize execution and maximize your chances of filling the order.\",\"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\",\"aCgA+I\":\"E-Mode change\",\"aEtiwq\":\"Vote NAY\",\"aMmFE1\":\"Buy Crypto With Fiat\",\"aOKIms\":\"Array parameters that should be equal length are not\",\"aQYztl\":[\"Repaying \",[\"0\"]],\"aXgo8+\":\"from the\",\"adUsDd\":\"An error has occurred fetching the proposal.\",\"afk1Wt\":[\"This asset can only be used as collateral in E-Mode: \",[\"0\"]],\"aoXTT7\":\"Borrow APY, variable\",\"aqX1Yp\":\"This asset is eligible for rewards through SuperFest. Aave Labs does not guarantee the program and accepts no liability.\",\"b4NS3e\":\"Cooldown period warning\",\"bBHmeP\":\"Available to withdraw\",\"bNEQeI\":\"Cooldown\",\"bUUVED\":\"Asset\",\"bXQ/Og\":\"Share on twitter\",\"bXr0ee\":\"Isolated assets have limited borrowing power and other assets cannot be used as collateral.\",\"bYmAV1\":\"Addresses\",\"bYtb3C\":\"Network costs\",\"bguKoJ\":\"The requested amount is greater than the max loan size in stable rate mode\",\"bm/mjh\":\"This is a program initiated and implemented by the Aave Chan Initiative (ACI). Aave Labs does not guarantee the program and accepts no liability.\",\"bq0uL+\":\"supply\",\"bwSQI0\":\"Supply\",\"bxN6EM\":\"Cannot disable E-Mode\",\"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.\",\"cc6gEH\":\"Incentives APR\",\"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\"]],\"cqwIvs\":\"Forum discussion\",\"csDS2L\":\"Available\",\"cu7Stb\":\"You did not participate in this proposal\",\"cuxGZP\":\"Low health factor after swap. Your position will carry a higher risk of liquidation.\",\"d9YZVR\":\"Principle Tokens\",\"dE6BLF\":\"Governance\",\"dEgA5A\":\"Cancel\",\"dIsyWh\":\"Ltv validation failed\",\"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\",\"dYG3JG\":\"Data couldn't be loaded.\",\"dZQvSq\":\"Please review the swap values before confirming.\",\"dfDzrk\":[\"Supply cap reached for \",[\"symbol\"],\". Reduce the amount or choose a different asset.\"],\"dgFOcr\":\"L1 Networks\",\"dgr1aY\":\"Borrowing is disabled due to an Aave community decision. <0>More details\",\"djsg0o\":\"Collateral usage\",\"drdV8R\":\"Liquidation\",\"dxW8cS\":\"Aave debt token\",\"e/ghIe\":[\"This transaction will enable E-Mode (\",[\"0\"],\"). Borrowing will be restricted to assets within this category.\"],\"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\",\"eQ0Wu0\":\"Please connect a wallet to view your balance here.\",\"eVpCmf\":\"Staking Rewards\",\"eVqvtf\":\"Bridge GHO\",\"eYdurp\":\"No transactions yet.\",\"ebLGGN\":\"Total borrowed\",\"ecqEvn\":\"The collateral balance is 0\",\"edXiYw\":[\"You've successfully swapped \",[\"0\"],\".\"],\"efdrrk\":\"Available on\",\"enruNF\":\"starts\",\"eqLYiD\":\"Unstake now\",\"evw5ha\":\"Net worth\",\"ezcU16\":\"Get ABP Token\",\"f2e3vu\":[\"Deposit GHO into savings GHO (sGHO) and earn <0>\",[\"0\"],\"% APY on your GHO holdings. There are no lockups, no rehypothecation, and you can withdraw anytime. Simply deposit GHO, receive sGHO tokens representing your balance, and watch your savings grow earning claimable rewards from merit.\"],\"f3W0Ej\":[\"You switched to \",[\"0\"],\" rate\"],\"fMJQZK\":\"Borrowed\",\"fZ5Vnu\":\"Received\",\"firl9Q\":\"Your current loan to value based on your collateral supplied.\",\"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\",\"g4Ius4\":\"This is the fee for executing position changes, set by governance.\",\"g8KGoA\":\"FAQS\",\"g9zzqS\":\"Voted NAY\",\"gDd2gk\":\"about SuperFest.\",\"gIMJlW\":\"Testnet mode\",\"gK+IvE\":\"Withdraw and Swap\",\"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\",\"gjxiVa\":[\"This swap has a price impact of \",[\"0\"],\"%, which exceeds the 25% safety threshold. To proceed, disable Aave Shield in the settings menu.\"],\"goff7V\":\"Zero address not valid\",\"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\",\"h5hG6q\":\"This is the cost of settling your order on-chain, including gas and any LP fees.\",\"hB23LY\":\"Activate Cooldown\",\"hIJzBh\":\"Available to Claim\",\"hIS4N0\":\"Net APY\",\"hQRttt\":\"Submit\",\"hRWvpI\":\"Claimed\",\"hb8ajh\":\"Debt Swap\",\"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\",\"hrhwub\":\"dashboard\",\"huQ6Tz\":[\"Borrowing \",[\"symbol\"]],\"hxYu+F\":\"Borrow: All eligible assets\",\"i/fZ2Z\":\"Staked Balance\",\"i9qiyR\":\"Expires in\",\"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\",\"iIuDE1\":\"Estimated weekly rewards based on your current sGHO balance and APR. Actual rewards may vary depending on market conditions.\",\"iKfD53\":\"Transaction history for Plasma not supported yet, coming soon.\",\"iMVZk9\":\"Select slippage tolerance\",\"iNYgey\":\"Get Support\",\"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\",\"iddNqA\":\"This transaction will disable E-Mode. All assets will revert to their base LTV and liquidation thresholds.\",\"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\"],\"ih/VjN\":\"Staking this amount will reduce your health factor and increase risk of liquidation.\",\"il0sEG\":\"Collateral usage is limited because of Isolation mode.\",\"j+K1Xj\":\"Amount After Fee\",\"j4SXZo\":\"Claim all merit rewards\",\"j7JHV+\":\"Total APY\",\"j8cF1R\":\"Cooling down\",\"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\",\"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.\",\"jZkYWO\":\"Boosted LTV\",\"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\",\"jqVo/k\":\"here.\",\"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\"],\"kMi0nz\":\"sGHO Merit APY History\",\"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\",\"kj3M8S\":\"Deposit\",\"kjN9tT\":\"Supply cap is exceeded\",\"kn+s7w\":[[\"0\"],\" collateral would have 0% LTV without E-Mode. Disable \",[\"1\"],\" as collateral to use this option.\"],\"knxE+G\":\".JSON\",\"ks2LWT\":\"Debt ceiling is not zero\",\"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.\",\"kzeZTm\":\"LTV\",\"lCF0wC\":\"Refresh\",\"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.\",\"lXb3Ih\":[\"This asset has 0 LTV and cannot be used as collateral. Enable an E-Mode to use \",[\"symbol\"],\" as collateral.\"],\"lXj2Sq\":\"Repay with Collateral\",\"lYGfRP\":\"English\",\"lfEjIE\":\"Learn more in our <0>FAQ guide\",\"ljF4ko\":\"The selected rate is lower than the market price. You might incur a loss if you proceed.\",\"lqCWte\":[\"Deposit GHO and earn \",[\"0\"],\"% APY\"],\"lu7f+8\":\"Blocked by Shield\",\"m/IEhi\":\"Total emission per day\",\"m7r7Hh\":\"Selected borrow assets\",\"mDDK4p\":\"Balancer Pool\",\"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.\"],\"me5LMQ\":\"Checking approval\",\"mogZv0\":\"Favourite\",\"muiOng\":[\"Buy \",[\"cryptoSymbol\"],\" with Fiat\"],\"mvCXBY\":\"Stake AAVE\",\"mwdzil\":\"Ok, Close\",\"mzDAU3\":\"Savings GHO (sGHO)\",\"mzdIia\":\"Asset cannot be used as collateral.\",\"n+SX4g\":\"Developers\",\"n1na81\":\"No eligible assets to swap.\",\"n4PWtp\":\"Depositing\",\"nJIhzm\":\"Supply apy\",\"nJgsQu\":\"With a voting power of <0/>\",\"nLC6tu\":\"French\",\"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\",\"nPGNMh\":\"Can be executed\",\"nUK1ou\":[\"Assets with zero LTV (\",[\"0\"],\") must be withdrawn or disabled as collateral to perform this action\"],\"neITkT\":\"This asset has 0% LTV, meaning it does not contribute to borrowing power. Existing positions with this asset as collateral still count toward the liquidation threshold and protect your health factor. New positions cannot enable this asset as collateral.\",\"njBeMm\":\"Both\",\"ntyFSE\":[[\"h\"],\"h\"],\"nwIsn4\":\"After the cooldown is initiated, you will be able to withdraw your assets immediatley.\",\"nweCqF\":\"Cancelling order...\",\"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\",\"o5ooMr\":\"Debt\",\"o7J4JM\":\"Filter\",\"o7Yloh\":\"Learn more about the Ether.fi program\",\"oHFrpj\":\"Cooldown to unstake\",\"oJ5ZiG\":\"User does not have outstanding variable rate debt on this reserve\",\"oUwXhx\":\"Test Assets\",\"oWQnqT\":\"Staking this asset will earn the underlying asset supply yield in addition to other configured rewards.\",\"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.\",\"ogU9GD\":\"Target liquidity\",\"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.\",\"om/XHs\":\"Available to supply\",\"omq5qJ\":\"Claiming all protocol rewards and merit rewards together\",\"ovBPCi\":\"Default\",\"ovT1pF\":[\"Per the community, the \",[\"market\"],\" has been frozen.\"],\"ow3fug\":\"Nothing found\",\"owSsI3\":\"Signatures ready\",\"p+R52m\":\"Go to Balancer Pool\",\"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.\",\"p45alK\":\"Set up delegation\",\"pDgeaz\":[[\"title\"]],\"pdZqBk\":\"The underlying balance needs to be greater than 0\",\"pgWG9H\":\"Not enough staked balance\",\"ph9+uj\":[\"Switching to \",[\"networkName\"],\"...\"],\"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\"],\"pup/ej\":\"Net Protocol Incentives\",\"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\",\"qKfida\":\"Staked tokens are wrapped and use an exchange rate. You may see fewer token shares, but the value matches your deposit and will grow as yield accrues.\",\"qOqbD6\":\"copy the error\",\"qXCkEM\":\"Please connect your wallet to see your supplies, borrowings, and open positions.\",\"qY2jnw\":\"Invalid expiration\",\"qhhf9L\":\"Rewards available to claim\",\"qtS7wW\":\"Thank you for voting\",\"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\",\"qz6JVE\":[\"Your order amounts are \",[\"0\"],\" less favorable by \",[\"1\"],\"% to the liquidity provider than recommended. This order may not be executed.\"],\"qz9c6b\":[\"Repaying \",[\"0\"],\" with \",[\"1\"]],\"qzFp5D\":\"All Categories\",\"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\",\"riNWOA\":\"E-Mode\",\"rjGI/Q\":\"Privacy\",\"rnKPW1\":\"Watch a wallet balance in read-only mode\",\"rojvRp\":\"Approval by signature not available\",\"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\",\"t/ct9N\":\"Auto Slippage\",\"tBIz3I\":[\"Supply \",[\"0\"],\" and double your yield by <0><1>verifying your humanity through Self for \",[\"1\"],\" per user.\"],\"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\",\"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\"],\"tVJk4q\":\"Cancel order\",\"te9Bfl\":\"Please, connect your wallet\",\"tj6dr4\":\"Merit Program rewards can be claimed\",\"tt5yma\":\"Your supplies\",\"tw6G0s\":[\"You must disable \",[\"0\"],\" as collateral before exiting E-Mode. These assets have 0 LTV outside of E-Mode and cannot be used as collateral.\"],\"u3ZeYl\":\"Transaction failed\",\"u706uF\":\"Invalid flashloan premium\",\"u8Gfu7\":[\"No search results\",[\"0\"]],\"uAQUqI\":\"Status\",\"uGG4Lk\":\"Claim all protocol rewards\",\"uHMwk8\":\"No assets selected to migrate.\",\"uI3SjW\":\"Connection Error\",\"uJOI6M\":\"Tip: Try improving your order parameters\",\"uJPHuY\":\"Migrating\",\"uRXR6h\":[\"Swap \",[\"0\"],\" debt\"],\"uZiu4N\":\"There is an active order for the same sell asset (avoid nonce reuse).\",\"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\",\"usB84Z\":\"Maximum amount available to borrow is limited because protocol borrow cap is nearly reached.\",\"uyLjNw\":\"Custom slippage\",\"v+Fu0z\":\"This asset is eligible for Kernel points incentive program. Aave Labs does not guarantee the program and accepts no liability.\",\"v0CIlJ\":\"You have no rewards to claim at this time.\",\"v8x7Mg\":\"Insufficient collateral to cover new borrow position. Wallet must have borrowing power remaining to perform debt switch.\",\"vEqxH9\":\"Restaked\",\"vH2C/2\":\"Swap\",\"vLyv1R\":\"Hide\",\"vMba49\":\"Borrowing is not enabled\",\"vMpNwt\":\"Approve with\",\"vNAHA2\":\"PTs\",\"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.\",\"vv7kpg\":\"Cancelled\",\"w+V9Cx\":\"Stablecoin\",\"w/JtJ3\":\"Stable debt supply is not zero\",\"w1f8Ky\":\"Savings GHO\",\"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\",\"wapGcj\":[[\"message\"]],\"wb/r1O\":[\"Faucet \",[\"0\"]],\"wdxz7K\":\"Source\",\"weC8IO\":\"All Rewards\",\"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.\",\"wjFWDB\":\"No markets found\",\"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\",\"wuMdlk\":[\"This asset is eligible for \",[\"0\"],\" Sonic Rewards.\"],\"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.\",\"x+QJ9y\":[\"Category \",[\"selectedEmodeId\"]],\"x0TRLG\":[\"Repay your \",[\"0\"],\" \",[\"1\",\"plural\",{\"one\":\"borrow\",\"other\":\"borrows\"}],\" to use this category.\"],\"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\"]],\"yRkqG9\":\"Limit\",\"yYHqJe\":\"Not a valid address\",\"yZ5ngq\":\"Transaction details not available\",\"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\"],\"yv/Kz/\":\"Back home\",\"yz7wBu\":\"Close\",\"z4uGQg\":\"Debt ceiling is exceeded\",\"z5JUmg\":[\"Estimated costs are \",[\"0\"],\"% of the sell amount. This order is unlikely to be filled.\"],\"z5UQOM\":\"The collateral chosen cannot be liquidated\",\"z5Y+p6\":[\"Supplying \",[\"symbol\"]],\"zCjNKs\":\"Action cannot be performed because the reserve is frozen\",\"zNgzxM\":\"Excludes variable supply APY\",\"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\",\"zZmf1N\":\"Filled\",\"zgtIDV\":\"Remaining debt\",\"zmTPiV\":\"Supply balance\",\"zpPbZl\":\"Liquidation risk parameters\",\"zqp4Tm\":\"Unable to Connect\",\"zr58Jd\":\"Umbrella is the upgraded version of the Safety Module. Manage your previously staked assets\",\"zucql+\":\"Menu\",\"zv/j10\":[\"Active \",[\"0\"],\" borrow is not compatible with this category. Repay your \",[\"1\"],\" borrow to use this option.\"],\"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.\"}")}; \ No newline at end of file diff --git a/src/locales/en/messages.po b/src/locales/en/messages.po index 12c503cd69..ae18faaffa 100644 --- a/src/locales/en/messages.po +++ b/src/locales/en/messages.po @@ -1687,6 +1687,10 @@ msgstr "Proposal overview" msgid "Protocol debt ceiling is at 100% for this asset. Futher borrowing against this asset is unavailable." msgstr "Protocol debt ceiling is at 100% for this asset. Futher borrowing against this asset is unavailable." +#: src/components/MarketSwitcher.tsx +msgid "Favourites" +msgstr "Favourites" + #: src/components/AssetCategoryMultiselect.tsx #: src/modules/history/HistoryFilterMenu.tsx msgid "Reset" @@ -3150,10 +3154,6 @@ msgstr "sGHO Merit APY History" msgid "To repay on behalf of a user an explicit amount to repay is needed" msgstr "To repay on behalf of a user an explicit amount to repay is needed" -#: src/components/MarketSwitcher.tsx -msgid "Pinned" -msgstr "Pinned" - #: src/modules/reserve-overview/graphs/InterestRateModelGraph.tsx msgid "Repayment amount to reach {0}% utilization" msgstr "Repayment amount to reach {0}% utilization" diff --git a/src/locales/es/messages.js b/src/locales/es/messages.js index a861e8e861..1cf9bab744 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.\"],\"+5vxU4\":\"Reward APY at target liquidity\",\"+9RBfc\":\"Thank you for submitting your inquiry!\",\"+F6nAX\":\"Save with sGHO\",\"+KaZP2\":\"Aave Labs does not guarantee the program and accepts no liability.\",\"+Nk14N\":\"Savings GHO token\",\"+VR63W\":[\"Participar en esta reserva de \",[\"symbol\"],\" da recompensas anuales.\"],\"+XNrRN\":\"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 restrictions, see the <1>help guide or the <2>Aave V3 Technical Paper.\",\"+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.\",\"+i3Pd2\":\"Límite del préstamo\",\"+nuEh/\":\"Estimated time\",\"+xMFF8\":\"Remind me\",\"/+Vmgq\":\"Total amount of underlying assets staked. This number represents the combined sum of your original asset and the corresponding aTokens staked in Umbrella.\",\"/1Qot4\":\"Protocol Rewards\",\"/1xACT\":\"Reward APY adjusts with total staked amount, following a curve that targets optimal staking levels.\",\"/57U31\":\"Cantidad para migrar\",\"/7ykiW\":\"Tomar prestado esta cantidad reducirá tu factor de salud y aumentará el riesgo de liquidación.\",\"/FwCXs\":[[\"0\"],\" \",[\"symbol\"],\"...\"],\"/LCAwL\":\"In progress\",\"/ZyLeG\":\"Amount available to unstake\",\"/jQctM\":\"To\",\"/lDBHm\":\"Preguntas frecuentes\",\"/lMWs6\":[\"Deposit GHO and earn up to <0>\",[\"0\"],\"% APY\"],\"/yNlZf\":\"El préstamo estable no está habilitado\",\"/yQcJM\":\"Valor total\",\"00AB2i\":\"El usuario no tomó prestado el activo especificado\",\"02/4d1\":\"We suggest you go back to the home page.\",\"0AmQcW\":\"Cambio de tasa\",\"0BF3yK\":\"Lo sentimos, no hemos podido encontrar la página que estabas buscando.\",\"0RrIzN\":\"Select token\",\"0TAbjq\":\"Recent Transactions\",\"0jhlyw\":\"Riesgo de liquidación\",\"0ojY+Y\":\"Balance actual v2\",\"0r31vq\":\"Reward Token\",\"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.\",\"11xQTX\":[\"This asset is eligible for \",[\"0\"],\" Ethena Rewards.\"],\"18GnfY\":[\"Repay \",[\"0\"]],\"1AsVfF\":\"Los datos de los precios no están disponibles actualmente para esta reserva en el subgraph del protocolo\",\"1LjK22\":\"Historial de transacciones\",\"1PMU2v\":\"Learn more about the risks.\",\"1Ue8sX\":\"Por favor conecta una cartera para ver tu información personal aquí.\",\"1W8DZp\":\"USDT on Ethereum requires approval reset before a new approval. This will require an additional transaction.\",\"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\",\"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.\",\"2/aIvj\":\"Cancellation submited\",\"2C40JO\":[\"This transaction will switch E-Mode from \",[\"0\"],\" to \",[\"1\"],\". Borrowing will be restricted to assets within the new category.\"],\"2Eoi/a\":\"Ver detalles\",\"2FYpfJ\":\"Más\",\"2O3qp5\":\"Liquidez disponible\",\"2OIfa1\":\"Please connect your wallet to swap collateral.\",\"2OM8/D\":[\"Este activo no se puede migrar debido a una restricción del límite de suministro en el mercado v3 de \",[\"marketName\"],\".\"],\"2RtYM0\":\"Need help? Our support team can assist.\",\"2RubOP\":\"Initiate Withdraw\",\"2S7oCr\":[\"This asset is eligible for the Ether.fi Loyalty program with a <0>x\",[\"multiplier\"],\" multiplier.\"],\"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.\",\"2eBWE6\":\"Acepto los riesgos involucadros.\",\"2r2h/U\":\"Total Deposited\",\"2uJToh\":[[\"0\"],[\"name\"]],\"2x1UO0\":\"Favourited\",\"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\",\"3K0oMo\":\"Suministro restante\",\"3MoZhl\":\"No hay suficiente garantía para cubrir un nuevo préstamo\",\"3NO6VI\":[[\"0\"],\" Balance\",[\"1\"]],\"3Np5O8\":[\"Suministrar \",[\"symbol\"]],\"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\",\"4fCwrW\":\"or from the\",\"4lDFps\":\"Firma para continuar\",\"4p5njr\":\"Total amount staked\",\"4wyw8H\":\"Transacciones\",\"5+lhtA\":\"For swapping safety module assets please unstake your position <0>here.\",\"53r7O1\":[\"High price impact (<0>\",[\"0\"],\"%)! This route will return \",[\"1\"],\" due to low liquidity or small order size.\"],\"5CCqcz\":\"Fees help support the user experience and security of the Aave application. <0>Learn more.\",\"5JSSxX\":[\"Tu cartera de \",[\"networkName\"],\" está vacía. Consigue activos de prueba gratis en\"],\"5K3B36\":\"We couldn't find any assets related to your search. Try again with a different category.\",\"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.\"],\"5RzvNm\":\"Aave Shield: Transaction blocked\",\"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\",\"5ty6hB\":\"Claiming individual protocol reward only. Merit rewards excluded - select \\\"claim all\\\" to include merit rewards.\",\"5vxk14\":\"To continue, you need to grant 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\",\"5yC5m5\":\"Ver todos los votos\",\"6/dCYd\":\"Resumen\",\"60crCe\":\"Todas las transacciones\",\"62Xcjh\":\"Garantía\",\"65A04M\":\"Español\",\"68ANm7\":\"Withdrawing GHO\",\"6G8s+q\":\"Firmando\",\"6Jrv+z\":[\"Pagar \",[\"symbol\"]],\"6SC+v0\":[\"Disable \",[\"0\"],\" as collateral to use this category. These assets would have 0% LTV.\"],\"6Xr0UU\":\"Cooling down...\",\"6bxci/\":\"Poder de votación\",\"6f8S68\":\"Mercados\",\"6g1gi0\":\"Propuestas\",\"6gvoHP\":\"Copiar mensaje de error\",\"6h3Q5G\":\"reembolsado\",\"6lFSyT\":\"Available to Stake\",\"6lGV3K\":\"Show less\",\"6s8L6f\":\"Cambiar de red\",\"70wH1Q\":\"APR\",\"72c5Qo\":\"Total\",\"75qcAQ\":[[\"stepName\"]],\"7ITr5L\":\"Factor de salud\",\"7R/kqr\":\"The cooldown period is the time required prior to unstaking your tokens (<0/>). You can only withdraw your assets from the Security Module after the cooldown period and within the unstake window. <1>Learn more\",\"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\",\"7c6Gy8\":\"Learn more about Sonic Rewards program\",\"7er5fP\":\"Reclamar todo\",\"7hb2+s\":\"Time remaining until the withdraw period ends.\",\"7i1oxe\":\"Withdrawing and Swapping\",\"7l88b8\":\"No se pudieron recuperar los datos, por favor recarga el gráfico.\",\"7p5kLi\":\"Panel de control\",\"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\",\"8Xaoyr\":\"View on CCIP Explorer\",\"8Z5FPv\":\"Desconectar cartera\",\"8Zz7s5\":\"activos\",\"8aLW8H\":\"Balance a revocar\",\"8bOT3H\":\"Tasa de uso\",\"8d61xO\":\"The Ink instance is governed by the Ink Foundation\",\"8sLe4/\":\"Ver contrato\",\"8ss7VF\":\"Transaction cancelled\",\"8t/M0y\":\"Please connect your wallet to be able to bridge your tokens.\",\"8u3DDw\":[\"Swap \",[\"0\"],\" collateral\"],\"8vETh9\":\"Mostrar\",\"93T2Os\":\"Total deposited\",\"94OHPx\":\"Estás entrando en el Isolation mode\",\"9CDK3/\":[\"Tomar prestado no está disponible actualmente para \",[\"0\"],\".\"],\"9GIj3z\":\"Tamaño de la reserva\",\"9ITYjl\":\"%\",\"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.\"],\"9YcC7V\":\"Select Categories\",\"9c6vDV\":\"Este activo ha alcanzado su límite de suministro. No queda nada disponible para ser suministrado desde este mercado.\",\"9iDHmv\":\"Collateral Swap\",\"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\",\"9xSooW\":\"Puesto que esta es una red de pruebas, puedes obtener cualquiera de los activos si tienes ETH en tu cartera\",\"9y0Q0y\":[\"There is not enough liquidity in \",[\"symbol\"],\" to complete this swap. Try lowering the amount.\"],\"9zzsBx\":\"This is a program initiated by the Aave DAO and implemented by Merkl. Aave Labs does not guarantee the program and accepts no liability.\",\"A/lwoe\":\"Elige uno de los servicios on-ramp\",\"A6dCI6\":[\"La máxima cantidad disponible para tomar prestado es <0/> \",[\"0\"],\" (<1/>).\"],\"ACUEES\":\"Check errors\",\"AReoaV\":\"Tus préstamos\",\"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.\",\"B6zvhF\":\"Shares\",\"BDFEd+\":\"stETH suministrado como garantía continuará acumulando recompensas de staking proporcionadas por rebases diarios.\",\"BE2mP0\":\"Borrowed assets\",\"BNL4Ep\":\"El uso como garantía está limitado debido al isolation mode. <0>Aprende más\",\"BQ+4lu\":\"Swap saved in your <0>history section.\",\"BQ/wCO\":\"Migrate your assets\",\"BaCmXf\":\"AAVE 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.\",\"Baj2MJ\":\"Savings\",\"BnhYo8\":\"Categoría de activos\",\"Bo6b9i\":\"Withdraw GHO\",\"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\",\"C4qYyX\":[\"Repay \",[\"0\"],\" with \",[\"1\"]],\"C5jQc6\":\"GHO Balance\",\"C7hM0q\":\"Country (optional)\",\"CDrsH+\":\"Documento técnico\",\"CGiscJ\":\"You've successfully submitted an order.\",\"CK1KXz\":\"Max\",\"COUcFd\":\"Points\",\"CZXzs4\":\"Griego\",\"CkTRmy\":[\"Reclamar \",[\"symbol\"]],\"CrrC++\":\"Position swaps are disabled for this asset due to security reasons.\",\"CsqtLm\":\"Por favor conecta tu cartera para ver la herramienta de migración.\",\"CtGlFb\":[\"Faucet \",[\"networkName\"]],\"CuAHqa\":\"Protocol Incentives\",\"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.\",\"D4Q4h/\":\"Gas estimation error\",\"D79cZK\":\"Instant\",\"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\"],\"DhaOWH\":\"Stake your Aave aTokens or underlying assets to earn rewards. In case of a shortfall event, your stake may be slashed to cover the deficit.\",\"Dj+3wB\":\"Aave por mes\",\"DlRHbH\":\"Claiming all protocol rewards only. Merit rewards excluded - select \\\"claim all\\\" to include merit rewards.\",\"DuEq2K\":\"Colateralización\",\"Dzma+E\":\"Main Ethereum market with the largest selection of assets and yield options\",\"E/QGRL\":\"Deshabilitado\",\"E6UoJs\":\"Estimated compounding 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.\",\"ETtXJg\":\"Share my wallet address to help the support team resolve my issue\",\"EZd3Dk\":[\"Restakeando \",[\"symbol\"]],\"Ebgc76\":[\"Retirando \",[\"symbol\"]],\"EdQY6l\":\"Ninguno\",\"Ef7StM\":\"Unknown\",\"Ehzc//\":[\"Swapping \",[\"0\"],\" debt\"],\"Ekea1N\":\"We couldn't detect a wallet. Connect a wallet to stake and view your balance.\",\"Enslfm\":\"Destination\",\"EvE9nO\":[\"Reactivar el periodo de cooldown para unstakear \",[\"0\"],\" \",[\"stakedToken\"]],\"EvECnL\":\"Migrar a V3\",\"EyYG53\":\"Get support\",\"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.\",\"F6pfE9\":\"Active\",\"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\",\"FTRJ1l\":\"L2 Networks\",\"FbmMe7\":\"Direcciones vinculadas\",\"Fdp03t\":\"en\",\"Fjw9N+\":\"Activos a suministrar\",\"FmN0fk\":\"Restakear\",\"G15AUr\":\"Sending cancel...\",\"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\",\"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.\"],\"Gz07IS\":\"Your health factor after this swap will be critically low and may result in liquidation. Please choose a different asset or reduce the swap amount to stay safe.\",\"H1oAjw\":[[\"selectedCount\"],\" Categories\"],\"HB/wfS\":[[\"tooltipText\"]],\"HD4KkW\":[\"Swapping \",[\"0\"],\" collateral\"],\"HKDsQN\":\"Rewards can be claimed through\",\"Hi6Ttn\":\"Lo sentimos, se produjo un error imprevisto. Mientras tanto, puedes intentar recargar la página, o volver después.\",\"HkEDbS\":[[\"d\"],\"d\"],\"HlWGZc\":[\"Your \",[\"0\"],\" balance is lower than the selected amount.\"],\"HmkYqM\":\"Ventana de unstakeo\",\"HpK/8d\":\"Recargar\",\"HtBqo9\":\"sGHO\",\"HtuY7v\":\"Please connect your wallet to swap tokens.\",\"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\"],\"%.\"],\"I4Cxlm\":\"E-Mode required\",\"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.\",\"ILXMQA\":\"The Safety Module has been upgraded to <0>Umbrella, a new system that introduces automated slashing, aToken staking, and improved incentives design.\",\"IN8luu\":\"All done\",\"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\",\"IhAc6F\":\"Costs & Fees\",\"ImxB3A\":\"deposited\",\"IrtO2E\":\"You have assets with zero LTV that are blocking this operation. Please withdraw them or disable them as collateral first.\",\"J/hVSQ\":[[\"0\"]],\"JCoxL6\":\"Administrar analíticas\",\"JEdlTC\":\"Stablecoins\",\"JOqFba\":[\"Unstakeando \",[\"symbol\"]],\"JPHuMW\":\"Swapping\",\"JPhc4G\":\"ETH Correlated\",\"JPrLjO\":\"No puedes usar este activo como garantía\",\"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\",\"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\",\"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\",\"KkJaLD\":\"Borrow:\",\"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\",\"KqoLVC\":\"Merkl rewards are claimed through the\",\"KsqhWn\":\"Staking\",\"KuBTQq\":\"Introduce la dirección ETH\",\"KvG1xW\":\"Reclamando\",\"L+8Lzs\":\"LTV actual\",\"L+qiq+\":\"Mercado\",\"L2tU22\":\"Learn more about Ethena Rewards program\",\"L3ZyJR\":[[\"popularSectionTitle\"]],\"LEdkyb\":\"Rewards to claim\",\"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\"],\"\"],\"Lhf8zD\":\"Waiting for actions...\",\"Lp2cTp\":\"Eligible for incentives through Merkl.\",\"LvVpD/\":\"Modo E\",\"Ly2enB\":\"This will cancel the order via an on-chain transaction. Note that the order will not be marked as cancelled in the CoW Protocol system, but will remain open and expire naturally. Keep in mind that a solver may already have filled your order.\",\"M1RnFv\":\"Expired\",\"M2sknc\":\"Tip: Intenta aumentar el deslizamiento o reduce la cantidad de entrada\",\"MKiONF\":\"Activating Cooldown\",\"MOvzXm\":\"Comparing best rates...\",\"MRwaR4\":\"This will require two separate transactions: one to change E-Mode and one to supply.\",\"MZ/nQf\":\"Dirección del destinatario\",\"MZbQHL\":\"No results found.\",\"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.\",\"MlRlXX\":\"Current APY\",\"Mm/DVQ\":\"Has cancelado la transacción.\",\"MnE2QX\":\"Información de préstamo\",\"MuDFEQ\":\"Valor de retorno inválido en la función executor del préstamo flash\",\"My0ZGV\":\"Learn more about the Kernel points distribution\",\"N+3mX2\":\"Please connect your wallet to swap debt.\",\"N39Ax4\":\"Ethereum\",\"N40H+G\":\"All\",\"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\",\"ND1ISA\":\"Weekly Rewards\",\"NF0e1Q\":\"Pendiente...\",\"NK9ikO\":\"Balance de la cartera\",\"NMt2CB\":\"Cantidad reclamable\",\"Na7NlU\":[[\"remainingCustomMessage\"]],\"NcFGxG\":\"Collector Contract\",\"NfpPeS\":\"Nada invertido\",\"Nh9DAo\":[[\"m\"],\"m\"],\"Npz7kI\":\"Inquiry\",\"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\",\"OC4Tzv\":\"here\",\"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\",\"OiykRd\":\"Deposit GHO\",\"On0aF2\":\"Página web\",\"OqAwLU\":\"Protocol APY\",\"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\",\"PctCOf\":\"A temporary contract will be used to execute the trade. Your wallet may show a warning for approving a new or empty address.\",\"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.\",\"QONKTE\":\"Merit Rewards\",\"QQYsQ7\":\"Retirando\",\"QZEgwS\":\"Execution fee\",\"R+30X3\":\"No alcanzado\",\"R9Khdg\":\"Auto\",\"RCU5PY\":\"Age\",\"RIfckG\":[\"Desactivar \",[\"symbol\"],\" como garantía\"],\"RMtxNk\":\"Diferencial\",\"RNK49r\":\"Firma inválida\",\"RS0o7b\":\"Estado\",\"RTG4/6\":\"There are no stake assets configured for this market\",\"RU+LqV\":\"Detalles de la propuesta\",\"RYfdBk\":\"Visit <0><1>https://aave.self.xyz/ to get started with Self’s ZK-powered proof-of-humanity authentication.\",\"RZbjLY\":[\"See \",[\"0\"],\" more\"],\"Rg4K+m\":\"Cannot switch to this category\",\"RiSYV4\":\"El activo no está listado\",\"Rj01Fz\":\"Enlaces\",\"RmWFEe\":\"Staking APR\",\"RtBLm7\":\"El factor de salud es menor que el umbral de liquidación\",\"RvF1Ts\":\"stkGHO is now Savings GHO\",\"RxzN1M\":\"Habilitado\",\"SBv4zo\":[[\"0\"],\" collateral would have 0% LTV in this category. Disable \",[\"1\"],\" as collateral to use this option.\"],\"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\",\"SNmu1z\":\"Shares are Umbrella Stake Tokens you receive when staking. They represent your ownership in the pool, and the amount of underlying you can redeem depends on the current exchange rate between shares and the underlying.\",\"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\",\"SZkDmY\":\"The swap could not be completed. Try increasing slippage or changing the amount.\",\"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\",\"St4jqF\":\"This list may not include all your swaps.\",\"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\",\"TLJkuL\":\"Category assets\",\"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\",\"Tg1JyO\":\"Bridge history\",\"TszKts\":\"Balance de préstamo después del cambio\",\"Tw07Vv\":\"Show assets with small balance\",\"TwJI9F\":\"Asset has been successfully sent to CCIP contract. You can check the status of the transactions below\",\"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.\",\"UMgOim\":\"Send cancel\",\"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.\",\"UiO4Hu\":[\"You'll need to wait \",[\"0\"],\" before you can unstake your tokens. This cooldown starts when you request to unstake. Once it ends, you can withdraw during the unstake window.\"],\"UpndFj\":\"No hay recompensas para reclamar\",\"V0f2Xv\":\"Factor de reserva\",\"V1HK43\":\"Riesgos de migración\",\"V7QGpc\":\"I understand the liquidation risk and want to proceed\",\"V7SFse\":[\"I confirm the swap knowing that I could lose up to <0>\",[\"0\"],\"% on this swap.\"],\"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\",\"VnQFYr\":\"Claiming all merit rewards only\",\"W1SSoD\":\"Revisar detalles de la tx\",\"W5hVah\":\"Nada suministrado aún\",\"W5kTFy\":\"Votando\",\"WHrVwg\":\"Loading quote...\",\"WMJGls\":\"Estimated Costs & Fees\",\"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\",\"WS67YQ\":\"Let us know how we can help you. You may also consider joining our community\",\"WT188T\":\"Withdraw & Swap\",\"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.\",\"WbTDwg\":\"In Progress\",\"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.\",\"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\",\"X4tRM3\":[[\"0\"],\" \",[\"symbol\"],\" to continue\"],\"XBdKOj\":\"Direcciones de cartera de contrato inteligente representativas (Safe) en otras cadenas.\",\"XPN5UR\":\"User denied the operation.\",\"XYLcNv\":\"Support\",\"XZzneG\":\"Saldrás del modo aislamiento y otros tokens pueden ser usados ahora como garantía\",\"Xe5bTg\":\"Deposit APR\",\"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.\",\"XwKkg/\":\"Staked Underlying\",\"Xy+o6U\":\"For security reasons, limit orders are not supported for Native tokens. To place a limit order, use the wrapped version.\",\"Xy71ST\":\"Umbrella\",\"Y+hUcK\":\"Merit Program and Self rewards can be claimed\",\"Y46iXX\":\"The order could't be filled.\",\"Y5Orec\":\"Collateral options\",\"Y5kGkc\":\"VOTAR NO\",\"YD+nXc\":\"Aave Shield\",\"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.\",\"Ya/che\":\"Stake token shares\",\"Ykj2Om\":\"Default slippage\",\"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.\",\"YrcHPy\":\"VIEW\",\"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.\"],\"Z3FXyt\":\"Loading...\",\"Z99M+T\":\"This is an off-chain operation. Keep in mind that a solver may already have filled your order.\",\"ZBvhI+\":\"Gobierno de Aave\",\"ZIIRAd\":\"Raw-Ipfs\",\"ZRq4tX\":\"Modo de eficiencia (E-Mode)\",\"ZRuM45\":\"These are the estimated costs associated with your limit swap, including costs and fees. Consider these costs when setting your order amounts to help optimize execution and maximize your chances of filling the order.\",\"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\",\"aCgA+I\":\"E-Mode change\",\"aEtiwq\":\"Votar NO\",\"aMmFE1\":\"Comprar Crypto con Fiat\",\"aOKIms\":\"Los parámetros del array que deberían ser iguales en longitud no lo son\",\"aQYztl\":[\"Repaying \",[\"0\"]],\"aXgo8+\":\"from the\",\"adUsDd\":\"Se ha producido un error al recuperar la propuesta.\",\"afk1Wt\":[\"This asset can only be used as collateral in E-Mode: \",[\"0\"]],\"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.\",\"b4NS3e\":\"Advertencia periodo de cooldown\",\"bBHmeP\":\"Available to withdraw\",\"bNEQeI\":\"Cooldown\",\"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\",\"bYtb3C\":\"Network costs\",\"bguKoJ\":\"La cantidad solicitada es mayor que el tamaño máximo del préstamo en el modo de tasa estable\",\"bm/mjh\":\"This is a program initiated and implemented by the Aave Chan Initiative (ACI). Aave Labs does not guarantee the program and accepts no liability.\",\"bq0uL+\":\"supply\",\"bwSQI0\":\"Suministrar\",\"bxN6EM\":\"No se puede deshabilitar E-Mode\",\"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.\",\"cc6gEH\":\"Incentives APR\",\"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\"]],\"cqwIvs\":\"Hilo de discusión del foro\",\"csDS2L\":\"Disponible\",\"cu7Stb\":\"No has participado en esta propuesta\",\"cuxGZP\":\"Low health factor after swap. Your position will carry a higher risk of liquidation.\",\"d9YZVR\":\"Principle Tokens\",\"dE6BLF\":\"Gobierno\",\"dEgA5A\":\"Cancelar\",\"dIsyWh\":\"La validación del LTV ha fallado\",\"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\",\"dYG3JG\":\"Data couldn't be loaded.\",\"dZQvSq\":\"Please review the swap values before confirming.\",\"dfDzrk\":[\"Supply cap reached for \",[\"symbol\"],\". Reduce the amount or choose a different asset.\"],\"dgFOcr\":\"L1 Networks\",\"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\",\"drdV8R\":\"Liquidación\",\"dxW8cS\":\"Token de deuda de Aave\",\"e/ghIe\":[\"This transaction will enable E-Mode (\",[\"0\"],\"). Borrowing will be restricted to assets within this category.\"],\"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\",\"eQ0Wu0\":\"Please connect a wallet to view your balance here.\",\"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\",\"edXiYw\":[\"You've successfully swapped \",[\"0\"],\".\"],\"efdrrk\":\"Disponible en\",\"enruNF\":\"empieza\",\"eqLYiD\":\"Unstakea ahora\",\"evw5ha\":\"Valor neto\",\"ezcU16\":\"Obtener Token ABP\",\"f2e3vu\":[\"Deposit GHO into savings GHO (sGHO) and earn <0>\",[\"0\"],\"% APY on your GHO holdings. There are no lockups, no rehypothecation, and you can withdraw anytime. Simply deposit GHO, receive sGHO tokens representing your balance, and watch your savings grow earning claimable rewards from merit.\"],\"f3W0Ej\":[\"Has cambiado a tasa \",[\"0\"]],\"fMJQZK\":\"Prestado\",\"fZ5Vnu\":\"Recibido\",\"firl9Q\":\"Tu actual relación préstamo-valor basado en tu garantía suministrada.\",\"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\",\"g4Ius4\":\"This is the fee for executing position changes, set by governance.\",\"g8KGoA\":\"FAQS\",\"g9zzqS\":\"Votó NAY\",\"gDd2gk\":\"about SuperFest.\",\"gIMJlW\":\"Testnet mode\",\"gK+IvE\":\"Withdraw and Swap\",\"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\",\"gjxiVa\":[\"This swap has a price impact of \",[\"0\"],\"%, which exceeds the 25% safety threshold. To proceed, disable Aave Shield in the settings menu.\"],\"goff7V\":\"Dirección cero no válida\",\"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\",\"h5hG6q\":\"This is the cost of settling your order on-chain, including gas and any LP fees.\",\"hB23LY\":\"Activar Cooldown\",\"hIJzBh\":\"Available to Claim\",\"hIS4N0\":\"APY neto\",\"hQRttt\":\"Submit\",\"hRWvpI\":\"Reclamado\",\"hb8ajh\":\"Debt Swap\",\"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\",\"hrhwub\":\"dashboard\",\"huQ6Tz\":[\"Tomando prestado \",[\"symbol\"]],\"hxYu+F\":\"Borrow: All eligible assets\",\"i/fZ2Z\":\"Staked Balance\",\"i9qiyR\":\"Expires in\",\"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\",\"iIuDE1\":\"Estimated weekly rewards based on your current sGHO balance and APR. Actual rewards may vary depending on market conditions.\",\"iKfD53\":\"Transaction history for Plasma not supported yet, coming soon.\",\"iMVZk9\":\"Seleccionar tolerancia de deslizamiento\",\"iNYgey\":\"Get Support\",\"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\",\"iddNqA\":\"This transaction will disable E-Mode. All assets will revert to their base LTV and liquidation thresholds.\",\"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 \"],\"ih/VjN\":\"Staking this amount will reduce your health factor and increase risk of liquidation.\",\"il0sEG\":\"El uso de garantías está limitado debido al Isolation mode.\",\"j+K1Xj\":\"Amount After Fee\",\"j4SXZo\":\"Claim all merit rewards\",\"j7JHV+\":\"Total APY\",\"j8cF1R\":\"Cooling down\",\"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\",\"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.\",\"jZkYWO\":\"Boosted LTV\",\"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\",\"jqVo/k\":\"here.\",\"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\"],\"kMi0nz\":\"sGHO Merit APY History\",\"kN1Yg5\":\"Para pagar en nombre de un usuario, se necesita una cantidad explícita para pagar\",\"kNiQp6\":\"Pinned\",\"kRTD40\":[\"Cantidad a pagar para alcanzar el \",[\"0\"],\"% de utilización\"],\"kgKqPv\":\"You can not stake this amount because it will cause collateral call\",\"kj3M8S\":\"Deposit\",\"kjN9tT\":\"El límite de suministro se ha sobrepasado\",\"kn+s7w\":[[\"0\"],\" collateral would have 0% LTV without E-Mode. Disable \",[\"1\"],\" as collateral to use this option.\"],\"knxE+G\":\".JSON\",\"ks2LWT\":\"El límite de deuda no es cero\",\"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.\",\"kzeZTm\":\"LTV\",\"lCF0wC\":\"Refresh\",\"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.\",\"lXb3Ih\":[\"This asset has 0 LTV and cannot be used as collateral. Enable an E-Mode to use \",[\"symbol\"],\" as collateral.\"],\"lXj2Sq\":\"Repay with Collateral\",\"lYGfRP\":\"Inglés\",\"lfEjIE\":\"Aprende más en nuestra guía <0>Preguntas frecuentes\",\"ljF4ko\":\"The selected rate is lower than the market price. You might incur a loss if you proceed.\",\"lqCWte\":[\"Deposit GHO and earn \",[\"0\"],\"% APY\"],\"lu7f+8\":\"Blocked by Shield\",\"m/IEhi\":\"Emisiones totales por día\",\"m7r7Hh\":\"Activos de préstamo seleccionados\",\"mDDK4p\":\"Pool de Balancer\",\"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\"],\".\"],\"me5LMQ\":\"Checking approval\",\"mogZv0\":\"Favourite\",\"muiOng\":[\"Comprar \",[\"cryptoSymbol\"],\" con Fiat\"],\"mvCXBY\":\"Stakea AAVE\",\"mwdzil\":\"Vale, cerrar\",\"mzDAU3\":\"Savings GHO (sGHO)\",\"mzdIia\":\"Este activo no puede usarse como garantía.\",\"n+SX4g\":\"Desarrolladores\",\"n1na81\":\"No eligible assets to swap.\",\"n4PWtp\":\"Depositing\",\"nJIhzm\":\"Apy de suministro\",\"nJgsQu\":\"Con un poder de votación de <0/>\",\"nLC6tu\":\"Francés\",\"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\",\"nPGNMh\":\"Puede ser ejecutado\",\"nUK1ou\":[\"Assets with zero LTV (\",[\"0\"],\") must be withdrawn or disabled as collateral to perform this action\"],\"neITkT\":\"This asset has 0% LTV, meaning it does not contribute to borrowing power. Existing positions with this asset as collateral still count toward the liquidation threshold and protect your health factor. New positions cannot enable this asset as collateral.\",\"njBeMm\":\"Ambos\",\"ntyFSE\":[[\"h\"],\"h\"],\"nwIsn4\":\"After the cooldown is initiated, you will be able to withdraw your assets immediatley.\",\"nweCqF\":\"Cancelling order...\",\"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\",\"o5ooMr\":\"Deuda\",\"o7J4JM\":\"Filtro\",\"o7Yloh\":\"Learn more about the Ether.fi program\",\"oHFrpj\":\"Cooldown para undstakear\",\"oJ5ZiG\":\"El usuario no tiene deuda pendiente de tasa variable en esta reserva\",\"oUwXhx\":\"Activos de prueba\",\"oWQnqT\":\"Staking this asset will earn the underlying asset supply yield in addition to other configured rewards.\",\"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.\",\"ogU9GD\":\"Target liquidity\",\"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.\",\"om/XHs\":\"Disponible para suministrar\",\"omq5qJ\":\"Claiming all protocol rewards and merit rewards together\",\"ovBPCi\":\"Default\",\"ovT1pF\":[\"Per the community, the \",[\"market\"],\" has been frozen.\"],\"ow3fug\":\"Sin resultados\",\"owSsI3\":\"Firmas listas\",\"p+R52m\":\"Ir al pool de Balancer\",\"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.\",\"p45alK\":\"Configurar la delegación\",\"pDgeaz\":[[\"title\"]],\"pdZqBk\":\"El balance subyacente debe ser mayor que 0\",\"pgWG9H\":\"No hay suficiente balance stakeado\",\"ph9+uj\":[\"Switching to \",[\"networkName\"],\"...\"],\"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\"],\"pup/ej\":\"Net Protocol Incentives\",\"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\",\"qKfida\":\"Staked tokens are wrapped and use an exchange rate. You may see fewer token shares, but the value matches your deposit and will grow as yield accrues.\",\"qOqbD6\":\"copiar el error\",\"qXCkEM\":\"Por favor, conecta tu cartera para ver tus suministros, préstamos y posiciones abiertas.\",\"qY2jnw\":\"Expiración inválida\",\"qhhf9L\":\"Rewards available to claim\",\"qtS7wW\":\"Thank you for voting\",\"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\",\"qz6JVE\":[\"Your order amounts are \",[\"0\"],\" less favorable by \",[\"1\"],\"% to the liquidity provider than recommended. This order may not be executed.\"],\"qz9c6b\":[\"Repaying \",[\"0\"],\" with \",[\"1\"]],\"qzFp5D\":\"All Categories\",\"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\",\"riNWOA\":\"E-Mode\",\"rjGI/Q\":\"Privacidad\",\"rnKPW1\":\"Watch a wallet balance in read-only mode\",\"rojvRp\":\"Approval by signature not available\",\"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\",\"t/ct9N\":\"Auto Slippage\",\"tBIz3I\":[\"Supply \",[\"0\"],\" and double your yield by <0><1>verifying your humanity through Self for \",[\"1\"],\" per user.\"],\"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\",\"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\"],\"tVJk4q\":\"Cancel order\",\"te9Bfl\":\"Por favor, conecta tu cartera\",\"tj6dr4\":\"Merit Program rewards can be claimed\",\"tt5yma\":\"Tus suministros\",\"tw6G0s\":[\"You must disable \",[\"0\"],\" as collateral before exiting E-Mode. These assets have 0 LTV outside of E-Mode and cannot be used as collateral.\"],\"u3ZeYl\":\"Error en la transacción\",\"u706uF\":\"Préstamo flash inválido\",\"u8Gfu7\":[\"Sin resultados de búsqueda\",[\"0\"]],\"uAQUqI\":\"Status\",\"uGG4Lk\":\"Claim all protocol rewards\",\"uHMwk8\":\"No hay activos seleccionados para migrar.\",\"uI3SjW\":\"Connection Error\",\"uJOI6M\":\"Tip: Try improving your order parameters\",\"uJPHuY\":\"Migrando\",\"uRXR6h\":[\"Swap \",[\"0\"],\" debt\"],\"uZiu4N\":\"There is an active order for the same sell asset (avoid nonce reuse).\",\"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\",\"usB84Z\":\"La cantidad máxima disponible para tomar prestado está limitada porque casi se ha alcanzado el límite de préstamo del protocolo.\",\"uyLjNw\":\"Custom slippage\",\"v+Fu0z\":\"This asset is eligible for Kernel points incentive program. Aave Labs does not guarantee the program and accepts no liability.\",\"v0CIlJ\":\"You have no rewards to claim at this time.\",\"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\",\"vH2C/2\":\"Swap\",\"vLyv1R\":\"Ocultar\",\"vMba49\":\"Tomar prestado no está habilitado\",\"vMpNwt\":\"Aprobar con\",\"vNAHA2\":\"PTs\",\"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.\",\"vv7kpg\":\"Cancelled\",\"w+V9Cx\":\"Stablecoin\",\"w/JtJ3\":\"El balance de deuda estable no es cero\",\"w1f8Ky\":\"Savings GHO\",\"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\",\"wapGcj\":[[\"message\"]],\"wb/r1O\":[\"Faucet \",[\"0\"]],\"wdxz7K\":\"Source\",\"weC8IO\":\"All Rewards\",\"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.\",\"wjFWDB\":\"No markets found\",\"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\",\"wuMdlk\":[\"This asset is eligible for \",[\"0\"],\" Sonic Rewards.\"],\"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.\",\"x+QJ9y\":[\"Category \",[\"selectedEmodeId\"]],\"x0TRLG\":[\"Repay your \",[\"0\"],\" \",[\"1\",\"plural\",{\"one\":\"borrow\",\"other\":\"borrows\"}],\" to use this category.\"],\"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\"]],\"yRkqG9\":\"Limit\",\"yYHqJe\":\"Dirección no válida\",\"yZ5ngq\":\"Transaction details not available\",\"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\"],\"yv/Kz/\":\"Back home\",\"yz7wBu\":\"Cerrar\",\"z4uGQg\":\"El límite de deuda está sobrepasado\",\"z5JUmg\":[\"Estimated costs are \",[\"0\"],\"% of the sell amount. This order is unlikely to be filled.\"],\"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\",\"zNgzxM\":\"Excludes variable supply APY\",\"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\",\"zZmf1N\":\"Filled\",\"zgtIDV\":\"Deuda restante\",\"zmTPiV\":\"Balance de suministro\",\"zpPbZl\":\"Parámetros de riesgo de liquidación\",\"zqp4Tm\":\"Unable to Connect\",\"zr58Jd\":\"Umbrella is the upgraded version of the Safety Module. Manage your previously staked assets\",\"zucql+\":\"Menú\",\"zv/j10\":[\"Active \",[\"0\"],\" borrow is not compatible with this category. Repay your \",[\"1\"],\" borrow to use this option.\"],\"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.\",\"+EGVI0\":\"Recibir (est.)\",\"+Tzhaj\":\"You've successfully swapped borrow position.\",\"+eOPG+\":\"Parece que no podemos cambiar la red automáticamente. Por favor, comprueba si puedes cambiarla desde la cartera.\",\"+kLZGu\":\"Cantidad de activos suministrados\",\"/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\",\"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\",\"1Onqx8\":[\"Aprobando \",[\"symbol\"],\"...\"],\"1m9Qqc\":\"Retirando y Cambiando\",\"1oyh4g\":\"Borrow rate\",\"2Q4GU4\":\"Dirección bloqueada\",\"2bAhR7\":\"Conoce GHO\",\"2o/xRt\":\"Se ha alcanzado el límite de suministro en la reserva especificada. Prueba reduciendo la cantidad.\",\"3O8YTV\":\"Interés total acumulado\",\"4iPAI3\":\"Cantidad de préstamo mínima de GHO\",\"6NGLTR\":\"Cantidad descontable\",\"6yAAbq\":\"APY, tasa de préstamo\",\"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\",\"7sofdl\":\"Retirar y Cambiar\",\"9rWaKF\":\"Bridged Via CCIP\",\"ARu1L4\":\"Pagado\",\"B6aXGH\":\"Estable\",\"B9Gqbz\":\"Tasa variable\",\"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.\",\"BjLdl1\":\"Con un descuento\",\"CMHmbm\":\"Deslizamiento\",\"DxfsGs\":\"Puedes reportar cualquier incidente a nuestro <0>Discord o <1>Github.\",\"EBL9Gz\":\"¡COPIADO!\",\"ES8dkb\":\"Interés fijo\",\"GoK/QN\":\"Thank you for submitting feedback!\",\"H6Ma8Z\":\"Descuento\",\"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.\",\"HrnC47\":\"Guardar y compartir\",\"JK9zf1\":[\"Interés compuesto estimado, incluyendo el descuento por Staking \",[\"0\"],\"AAVE en el Módulo de Seguridad.\"],\"JU6q+W\":\"Recompensa(s) por reclamar\",\"K05qZY\":\"Retirar y Cambiar\",\"KRpokz\":\"VER TX\",\"KZwRuD\":[[\"notifyText\"]],\"LDzfVJ\":\"Send Feedback\",\"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\",\"MIy2RJ\":\"Maximum amount received\",\"MrmQHg\":\"View Bridge Transactions\",\"N7dVh7\":\"Swap to\",\"QSh9Sn\":\"Swapped\",\"QWYCs/\":\"Stakear GHO\",\"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.\",\"RoafuO\":\"Enviar feedback\",\"SSMiac\":\"Error al cargar los votantes de la propuesta. Por favor actualiza la página.\",\"TeCFg/\":\"Cambio de tasa de préstamo\",\"TskbEN\":\"Los poseedores de stkAAVE reciben un descuento en la tasa de préstamo de GHO\",\"TtZL6q\":\"Parámetros del modelo de descuento\",\"Tz0GSZ\":\"actividades bloqueadas\",\"UE3KJZ\":\"El historial de transacciones no está disponible actualmente para este mercado\",\"W8ekPc\":\"Volver al panel de control\",\"WMPbRK\":\"No respaldado\",\"YirHq7\":\"Feedback\",\"aX31hk\":\"Tu balance es más bajo que la cantidad seleccionada.\",\"al6Pyz\":\"Supera el descuento\",\"avgETN\":\"Eligible for the Merit program.\",\"bSc4Zw\":\"Swaping\",\"bSruit\":\"ZKSync Ignite Program rewards are claimed through the\",\"bxmzSh\":\"No hay suficiente garantía para pagar esta cantidad de deuda con\",\"cqnmnD\":\"Tasa de interés efectiva\",\"dMtLDE\":\"para\",\"dpc0qG\":\"Variable\",\"euScGB\":\"APY con descuento aplicado\",\"fHcELk\":\"APR Neto\",\"flRCF/\":\"Descuento por staking\",\"gncRUO\":\"Esta dirección está bloqueada en app.aave.com porque está asociada con una o más\",\"gp+f1B\":\"Versión 3\",\"gr8mYw\":\"Puedes tomar prestado hasta <0/> GHO al <1/> (descuento máximo)\",\"hpuVIp\":\"Users who stake AAVE in Safety Module (i.e. stkAAVE holders) receive a discount on GHO borrow interest rate.\",\"hxi7vE\":\"Balance tomado prestado\",\"i2JTiw\":\"Puedes ingresar una cantidad específica en el campo.\",\"jMam5g\":[\"Balance \",[\"0\"]],\"jpctdh\":\"Ver\",\"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.\",\"lNVG7i\":\"Selecciona un activo\",\"lt6bpt\":\"Garantía a pagar con\",\"mIM0qu\":\"Cantidad esperada a pagar\",\"mUAFd6\":\"Versión 2\",\"mzI/c+\":\"Descargar\",\"n8Psk4\":\"No podemos detectar una cartera. Conecta una cartera para stakear y ver tu balance.\",\"nOy4ob\":\"Te sugerimos volver al Panel de control.\",\"nakd8r\":\"poseedores de stkAAVE obtienen un descuento en la tasa de préstamo de GHO\",\"nh2EJK\":[\"Por favor, cambia a \",[\"networkName\"],\".\"],\"ntkAoE\":\"Descuento aplicado para <0/> AAVE stakeados\",\"o4tCu3\":\"APY préstamo\",\"olREoo\":\"All borrow positions outside of this category must be closed to enable this category.\",\"ov0+mq\":\"Eligible for the ZKSync Ignite program.\",\"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.\"],\"p3j+mb\":\"Tu balance de recompensa es 0\",\"p6u2s1\":\"Minimum amount of debt to be repaid\",\"qFD/ij\":\"You've successfully withdrew & swapped tokens.\",\"qT4Lfg\":\"You've successfully swapped tokens.\",\"qf/fr+\":\"Interés acumulado\",\"rf8POi\":\"Cantidad de activos tomados prestados\",\"ruc7X+\":\"Añade stkAAVE para ver el APY de préstamo con el descuento\",\"t81DpC\":[\"Aprueba \",[\"symbol\"],\" para continuar\"],\"umICAY\":\"<0><1><2/>Añade stkAAVE para ver la tasa de préstamo con descuento\",\"uwAUvj\":\"COPIAR IMAGEN\",\"wyi0tk\":\"Swap borrow position\",\"yW1oWB\":\"Tipo APY\",\"zevmS2\":\"<0><1><2/>añade <3/> stkAAVE para tomar prestado al <4/> (descuento máximo)\",\"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.\"],\"+5vxU4\":\"Reward APY at target liquidity\",\"+9RBfc\":\"Thank you for submitting your inquiry!\",\"+F6nAX\":\"Save with sGHO\",\"+KaZP2\":\"Aave Labs does not guarantee the program and accepts no liability.\",\"+Nk14N\":\"Savings GHO token\",\"+VR63W\":[\"Participar en esta reserva de \",[\"symbol\"],\" da recompensas anuales.\"],\"+XNrRN\":\"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 restrictions, see the <1>help guide or the <2>Aave V3 Technical Paper.\",\"+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.\",\"+i3Pd2\":\"Límite del préstamo\",\"+nuEh/\":\"Estimated time\",\"+xMFF8\":\"Remind me\",\"/+Vmgq\":\"Total amount of underlying assets staked. This number represents the combined sum of your original asset and the corresponding aTokens staked in Umbrella.\",\"/1Qot4\":\"Protocol Rewards\",\"/1xACT\":\"Reward APY adjusts with total staked amount, following a curve that targets optimal staking levels.\",\"/57U31\":\"Cantidad para migrar\",\"/7ykiW\":\"Tomar prestado esta cantidad reducirá tu factor de salud y aumentará el riesgo de liquidación.\",\"/FwCXs\":[[\"0\"],\" \",[\"symbol\"],\"...\"],\"/LCAwL\":\"In progress\",\"/ZyLeG\":\"Amount available to unstake\",\"/jQctM\":\"To\",\"/lDBHm\":\"Preguntas frecuentes\",\"/lMWs6\":[\"Deposit GHO and earn up to <0>\",[\"0\"],\"% APY\"],\"/yNlZf\":\"El préstamo estable no está habilitado\",\"/yQcJM\":\"Valor total\",\"00AB2i\":\"El usuario no tomó prestado el activo especificado\",\"02/4d1\":\"We suggest you go back to the home page.\",\"0AmQcW\":\"Cambio de tasa\",\"0BF3yK\":\"Lo sentimos, no hemos podido encontrar la página que estabas buscando.\",\"0RrIzN\":\"Select token\",\"0TAbjq\":\"Recent Transactions\",\"0jhlyw\":\"Riesgo de liquidación\",\"0ojY+Y\":\"Balance actual v2\",\"0r31vq\":\"Reward Token\",\"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.\",\"11xQTX\":[\"This asset is eligible for \",[\"0\"],\" Ethena Rewards.\"],\"18GnfY\":[\"Repay \",[\"0\"]],\"1AsVfF\":\"Los datos de los precios no están disponibles actualmente para esta reserva en el subgraph del protocolo\",\"1LjK22\":\"Historial de transacciones\",\"1PMU2v\":\"Learn more about the risks.\",\"1Ue8sX\":\"Por favor conecta una cartera para ver tu información personal aquí.\",\"1W8DZp\":\"USDT on Ethereum requires approval reset before a new approval. This will require an additional transaction.\",\"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\",\"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.\",\"2/aIvj\":\"Cancellation submited\",\"2C40JO\":[\"This transaction will switch E-Mode from \",[\"0\"],\" to \",[\"1\"],\". Borrowing will be restricted to assets within the new category.\"],\"2Eoi/a\":\"Ver detalles\",\"2FYpfJ\":\"Más\",\"2O3qp5\":\"Liquidez disponible\",\"2OIfa1\":\"Please connect your wallet to swap collateral.\",\"2OM8/D\":[\"Este activo no se puede migrar debido a una restricción del límite de suministro en el mercado v3 de \",[\"marketName\"],\".\"],\"2RtYM0\":\"Need help? Our support team can assist.\",\"2RubOP\":\"Initiate Withdraw\",\"2S7oCr\":[\"This asset is eligible for the Ether.fi Loyalty program with a <0>x\",[\"multiplier\"],\" multiplier.\"],\"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.\",\"2eBWE6\":\"Acepto los riesgos involucadros.\",\"2r2h/U\":\"Total Deposited\",\"2uJToh\":[[\"0\"],[\"name\"]],\"2x1UO0\":\"Favourited\",\"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\",\"3K0oMo\":\"Suministro restante\",\"3MoZhl\":\"No hay suficiente garantía para cubrir un nuevo préstamo\",\"3NO6VI\":[[\"0\"],\" Balance\",[\"1\"]],\"3Np5O8\":[\"Suministrar \",[\"symbol\"]],\"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\",\"4fCwrW\":\"or from the\",\"4lDFps\":\"Firma para continuar\",\"4p5njr\":\"Total amount staked\",\"4wyw8H\":\"Transacciones\",\"5+lhtA\":\"For swapping safety module assets please unstake your position <0>here.\",\"53r7O1\":[\"High price impact (<0>\",[\"0\"],\"%)! This route will return \",[\"1\"],\" due to low liquidity or small order size.\"],\"5CCqcz\":\"Fees help support the user experience and security of the Aave application. <0>Learn more.\",\"5JSSxX\":[\"Tu cartera de \",[\"networkName\"],\" está vacía. Consigue activos de prueba gratis en\"],\"5K3B36\":\"We couldn't find any assets related to your search. Try again with a different category.\",\"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.\"],\"5RzvNm\":\"Aave Shield: Transaction blocked\",\"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\",\"5ty6hB\":\"Claiming individual protocol reward only. Merit rewards excluded - select \\\"claim all\\\" to include merit rewards.\",\"5vxk14\":\"To continue, you need to grant 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\",\"5yC5m5\":\"Ver todos los votos\",\"6/dCYd\":\"Resumen\",\"60crCe\":\"Todas las transacciones\",\"62Xcjh\":\"Garantía\",\"65A04M\":\"Español\",\"68ANm7\":\"Withdrawing GHO\",\"6G8s+q\":\"Firmando\",\"6Jrv+z\":[\"Pagar \",[\"symbol\"]],\"6SC+v0\":[\"Disable \",[\"0\"],\" as collateral to use this category. These assets would have 0% LTV.\"],\"6Xr0UU\":\"Cooling down...\",\"6bxci/\":\"Poder de votación\",\"6f8S68\":\"Mercados\",\"6g1gi0\":\"Propuestas\",\"6gvoHP\":\"Copiar mensaje de error\",\"6h3Q5G\":\"reembolsado\",\"6lFSyT\":\"Available to Stake\",\"6lGV3K\":\"Show less\",\"6s8L6f\":\"Cambiar de red\",\"70wH1Q\":\"APR\",\"72c5Qo\":\"Total\",\"75qcAQ\":[[\"stepName\"]],\"7ITr5L\":\"Factor de salud\",\"7R/kqr\":\"The cooldown period is the time required prior to unstaking your tokens (<0/>). You can only withdraw your assets from the Security Module after the cooldown period and within the unstake window. <1>Learn more\",\"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\",\"7c6Gy8\":\"Learn more about Sonic Rewards program\",\"7er5fP\":\"Reclamar todo\",\"7hb2+s\":\"Time remaining until the withdraw period ends.\",\"7i1oxe\":\"Withdrawing and Swapping\",\"7l88b8\":\"No se pudieron recuperar los datos, por favor recarga el gráfico.\",\"7p5kLi\":\"Panel de control\",\"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\",\"8Xaoyr\":\"View on CCIP Explorer\",\"8Z5FPv\":\"Desconectar cartera\",\"8Zz7s5\":\"activos\",\"8aLW8H\":\"Balance a revocar\",\"8bOT3H\":\"Tasa de uso\",\"8d61xO\":\"The Ink instance is governed by the Ink Foundation\",\"8sLe4/\":\"Ver contrato\",\"8ss7VF\":\"Transaction cancelled\",\"8t/M0y\":\"Please connect your wallet to be able to bridge your tokens.\",\"8u3DDw\":[\"Swap \",[\"0\"],\" collateral\"],\"8vETh9\":\"Mostrar\",\"93T2Os\":\"Total deposited\",\"94OHPx\":\"Estás entrando en el Isolation mode\",\"9CDK3/\":[\"Tomar prestado no está disponible actualmente para \",[\"0\"],\".\"],\"9GIj3z\":\"Tamaño de la reserva\",\"9ITYjl\":\"%\",\"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.\"],\"9YcC7V\":\"Select Categories\",\"9c6vDV\":\"Este activo ha alcanzado su límite de suministro. No queda nada disponible para ser suministrado desde este mercado.\",\"9iDHmv\":\"Collateral Swap\",\"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\",\"9xSooW\":\"Puesto que esta es una red de pruebas, puedes obtener cualquiera de los activos si tienes ETH en tu cartera\",\"9y0Q0y\":[\"There is not enough liquidity in \",[\"symbol\"],\" to complete this swap. Try lowering the amount.\"],\"9zzsBx\":\"This is a program initiated by the Aave DAO and implemented by Merkl. Aave Labs does not guarantee the program and accepts no liability.\",\"A/lwoe\":\"Elige uno de los servicios on-ramp\",\"A6dCI6\":[\"La máxima cantidad disponible para tomar prestado es <0/> \",[\"0\"],\" (<1/>).\"],\"ACUEES\":\"Check errors\",\"AReoaV\":\"Tus préstamos\",\"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.\",\"B6zvhF\":\"Shares\",\"BDFEd+\":\"stETH suministrado como garantía continuará acumulando recompensas de staking proporcionadas por rebases diarios.\",\"BE2mP0\":\"Borrowed assets\",\"BNL4Ep\":\"El uso como garantía está limitado debido al isolation mode. <0>Aprende más\",\"BQ+4lu\":\"Swap saved in your <0>history section.\",\"BQ/wCO\":\"Migrate your assets\",\"BaCmXf\":\"AAVE 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.\",\"Baj2MJ\":\"Savings\",\"BnhYo8\":\"Categoría de activos\",\"Bo6b9i\":\"Withdraw GHO\",\"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\",\"C4qYyX\":[\"Repay \",[\"0\"],\" with \",[\"1\"]],\"C5jQc6\":\"GHO Balance\",\"C7hM0q\":\"Country (optional)\",\"CDrsH+\":\"Documento técnico\",\"CGiscJ\":\"You've successfully submitted an order.\",\"CK1KXz\":\"Max\",\"COUcFd\":\"Points\",\"CZXzs4\":\"Griego\",\"CkTRmy\":[\"Reclamar \",[\"symbol\"]],\"CrrC++\":\"Position swaps are disabled for this asset due to security reasons.\",\"CsqtLm\":\"Por favor conecta tu cartera para ver la herramienta de migración.\",\"CtGlFb\":[\"Faucet \",[\"networkName\"]],\"CuAHqa\":\"Protocol Incentives\",\"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.\",\"D4Q4h/\":\"Gas estimation error\",\"D79cZK\":\"Instant\",\"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\"],\"DhaOWH\":\"Stake your Aave aTokens or underlying assets to earn rewards. In case of a shortfall event, your stake may be slashed to cover the deficit.\",\"Dj+3wB\":\"Aave por mes\",\"DlRHbH\":\"Claiming all protocol rewards only. Merit rewards excluded - select \\\"claim all\\\" to include merit rewards.\",\"DuEq2K\":\"Colateralización\",\"Dzma+E\":\"Main Ethereum market with the largest selection of assets and yield options\",\"E/QGRL\":\"Deshabilitado\",\"E6UoJs\":\"Estimated compounding 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.\",\"ETtXJg\":\"Share my wallet address to help the support team resolve my issue\",\"EZd3Dk\":[\"Restakeando \",[\"symbol\"]],\"Ebgc76\":[\"Retirando \",[\"symbol\"]],\"EdQY6l\":\"Ninguno\",\"Ef7StM\":\"Unknown\",\"Ehzc//\":[\"Swapping \",[\"0\"],\" debt\"],\"Ekea1N\":\"We couldn't detect a wallet. Connect a wallet to stake and view your balance.\",\"Enslfm\":\"Destination\",\"EvE9nO\":[\"Reactivar el periodo de cooldown para unstakear \",[\"0\"],\" \",[\"stakedToken\"]],\"EvECnL\":\"Migrar a V3\",\"EyYG53\":\"Get support\",\"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.\",\"F6pfE9\":\"Active\",\"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\",\"FTRJ1l\":\"L2 Networks\",\"FbmMe7\":\"Direcciones vinculadas\",\"Fdp03t\":\"en\",\"Fjw9N+\":\"Activos a suministrar\",\"FmN0fk\":\"Restakear\",\"G15AUr\":\"Sending cancel...\",\"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\",\"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.\"],\"Gz07IS\":\"Your health factor after this swap will be critically low and may result in liquidation. Please choose a different asset or reduce the swap amount to stay safe.\",\"H1oAjw\":[[\"selectedCount\"],\" Categories\"],\"HB/wfS\":[[\"tooltipText\"]],\"HD4KkW\":[\"Swapping \",[\"0\"],\" collateral\"],\"HKDsQN\":\"Rewards can be claimed through\",\"Hi6Ttn\":\"Lo sentimos, se produjo un error imprevisto. Mientras tanto, puedes intentar recargar la página, o volver después.\",\"HkEDbS\":[[\"d\"],\"d\"],\"HlWGZc\":[\"Your \",[\"0\"],\" balance is lower than the selected amount.\"],\"HmkYqM\":\"Ventana de unstakeo\",\"HpK/8d\":\"Recargar\",\"HtBqo9\":\"sGHO\",\"HtuY7v\":\"Please connect your wallet to swap tokens.\",\"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\"],\"%.\"],\"I4Cxlm\":\"E-Mode required\",\"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.\",\"ILXMQA\":\"The Safety Module has been upgraded to <0>Umbrella, a new system that introduces automated slashing, aToken staking, and improved incentives design.\",\"IN8luu\":\"All done\",\"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\",\"IhAc6F\":\"Costs & Fees\",\"ImxB3A\":\"deposited\",\"IrtO2E\":\"You have assets with zero LTV that are blocking this operation. Please withdraw them or disable them as collateral first.\",\"J/hVSQ\":[[\"0\"]],\"JCoxL6\":\"Administrar analíticas\",\"JEdlTC\":\"Stablecoins\",\"JOqFba\":[\"Unstakeando \",[\"symbol\"]],\"JPHuMW\":\"Swapping\",\"JPhc4G\":\"ETH Correlated\",\"JPrLjO\":\"No puedes usar este activo como garantía\",\"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\",\"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\",\"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\",\"KkJaLD\":\"Borrow:\",\"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\",\"KqoLVC\":\"Merkl rewards are claimed through the\",\"KsqhWn\":\"Staking\",\"KuBTQq\":\"Introduce la dirección ETH\",\"KvG1xW\":\"Reclamando\",\"L+8Lzs\":\"LTV actual\",\"L+qiq+\":\"Mercado\",\"L2tU22\":\"Learn more about Ethena Rewards program\",\"L3ZyJR\":[[\"popularSectionTitle\"]],\"LEdkyb\":\"Rewards to claim\",\"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\"],\"\"],\"Lhf8zD\":\"Waiting for actions...\",\"Lp2cTp\":\"Eligible for incentives through Merkl.\",\"LvVpD/\":\"Modo E\",\"Ly2enB\":\"This will cancel the order via an on-chain transaction. Note that the order will not be marked as cancelled in the CoW Protocol system, but will remain open and expire naturally. Keep in mind that a solver may already have filled your order.\",\"M1RnFv\":\"Expired\",\"M2sknc\":\"Tip: Intenta aumentar el deslizamiento o reduce la cantidad de entrada\",\"MKiONF\":\"Activating Cooldown\",\"MOvzXm\":\"Comparing best rates...\",\"MRwaR4\":\"This will require two separate transactions: one to change E-Mode and one to supply.\",\"MZ/nQf\":\"Dirección del destinatario\",\"MZbQHL\":\"No results found.\",\"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.\",\"MlRlXX\":\"Current APY\",\"Mm/DVQ\":\"Has cancelado la transacción.\",\"MnE2QX\":\"Información de préstamo\",\"MuDFEQ\":\"Valor de retorno inválido en la función executor del préstamo flash\",\"My0ZGV\":\"Learn more about the Kernel points distribution\",\"N+3mX2\":\"Please connect your wallet to swap debt.\",\"N39Ax4\":\"Ethereum\",\"N40H+G\":\"All\",\"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\",\"ND1ISA\":\"Weekly Rewards\",\"NF0e1Q\":\"Pendiente...\",\"NK9ikO\":\"Balance de la cartera\",\"NMt2CB\":\"Cantidad reclamable\",\"Na7NlU\":[[\"remainingCustomMessage\"]],\"NcFGxG\":\"Collector Contract\",\"NfpPeS\":\"Nada invertido\",\"Nh9DAo\":[[\"m\"],\"m\"],\"Npz7kI\":\"Inquiry\",\"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\",\"OC4Tzv\":\"here\",\"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.\",\"OclOBa\":\"Favourites\",\"OfhWJH\":\"Restablecer\",\"Og2SKn\":\"deshabilitado\",\"OiykRd\":\"Deposit GHO\",\"On0aF2\":\"Página web\",\"OqAwLU\":\"Protocol APY\",\"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\",\"PctCOf\":\"A temporary contract will be used to execute the trade. Your wallet may show a warning for approving a new or empty address.\",\"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.\",\"QONKTE\":\"Merit Rewards\",\"QQYsQ7\":\"Retirando\",\"QZEgwS\":\"Execution fee\",\"R+30X3\":\"No alcanzado\",\"R9Khdg\":\"Auto\",\"RCU5PY\":\"Age\",\"RIfckG\":[\"Desactivar \",[\"symbol\"],\" como garantía\"],\"RMtxNk\":\"Diferencial\",\"RNK49r\":\"Firma inválida\",\"RS0o7b\":\"Estado\",\"RTG4/6\":\"There are no stake assets configured for this market\",\"RU+LqV\":\"Detalles de la propuesta\",\"RYfdBk\":\"Visit <0><1>https://aave.self.xyz/ to get started with Self’s ZK-powered proof-of-humanity authentication.\",\"RZbjLY\":[\"See \",[\"0\"],\" more\"],\"Rg4K+m\":\"Cannot switch to this category\",\"RiSYV4\":\"El activo no está listado\",\"Rj01Fz\":\"Enlaces\",\"RmWFEe\":\"Staking APR\",\"RtBLm7\":\"El factor de salud es menor que el umbral de liquidación\",\"RvF1Ts\":\"stkGHO is now Savings GHO\",\"RxzN1M\":\"Habilitado\",\"SBv4zo\":[[\"0\"],\" collateral would have 0% LTV in this category. Disable \",[\"1\"],\" as collateral to use this option.\"],\"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\",\"SNmu1z\":\"Shares are Umbrella Stake Tokens you receive when staking. They represent your ownership in the pool, and the amount of underlying you can redeem depends on the current exchange rate between shares and the underlying.\",\"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\",\"SZkDmY\":\"The swap could not be completed. Try increasing slippage or changing the amount.\",\"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\",\"St4jqF\":\"This list may not include all your swaps.\",\"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\",\"TLJkuL\":\"Category assets\",\"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\",\"Tg1JyO\":\"Bridge history\",\"TszKts\":\"Balance de préstamo después del cambio\",\"Tw07Vv\":\"Show assets with small balance\",\"TwJI9F\":\"Asset has been successfully sent to CCIP contract. You can check the status of the transactions below\",\"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.\",\"UMgOim\":\"Send cancel\",\"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.\",\"UiO4Hu\":[\"You'll need to wait \",[\"0\"],\" before you can unstake your tokens. This cooldown starts when you request to unstake. Once it ends, you can withdraw during the unstake window.\"],\"UpndFj\":\"No hay recompensas para reclamar\",\"V0f2Xv\":\"Factor de reserva\",\"V1HK43\":\"Riesgos de migración\",\"V7QGpc\":\"I understand the liquidation risk and want to proceed\",\"V7SFse\":[\"I confirm the swap knowing that I could lose up to <0>\",[\"0\"],\"% on this swap.\"],\"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\",\"VnQFYr\":\"Claiming all merit rewards only\",\"W1SSoD\":\"Revisar detalles de la tx\",\"W5hVah\":\"Nada suministrado aún\",\"W5kTFy\":\"Votando\",\"WHrVwg\":\"Loading quote...\",\"WMJGls\":\"Estimated Costs & Fees\",\"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\",\"WS67YQ\":\"Let us know how we can help you. You may also consider joining our community\",\"WT188T\":\"Withdraw & Swap\",\"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.\",\"WbTDwg\":\"In Progress\",\"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.\",\"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\",\"X4tRM3\":[[\"0\"],\" \",[\"symbol\"],\" to continue\"],\"XBdKOj\":\"Direcciones de cartera de contrato inteligente representativas (Safe) en otras cadenas.\",\"XPN5UR\":\"User denied the operation.\",\"XYLcNv\":\"Support\",\"XZzneG\":\"Saldrás del modo aislamiento y otros tokens pueden ser usados ahora como garantía\",\"Xe5bTg\":\"Deposit APR\",\"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.\",\"XwKkg/\":\"Staked Underlying\",\"Xy+o6U\":\"For security reasons, limit orders are not supported for Native tokens. To place a limit order, use the wrapped version.\",\"Xy71ST\":\"Umbrella\",\"Y+hUcK\":\"Merit Program and Self rewards can be claimed\",\"Y46iXX\":\"The order could't be filled.\",\"Y5Orec\":\"Collateral options\",\"Y5kGkc\":\"VOTAR NO\",\"YD+nXc\":\"Aave Shield\",\"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.\",\"Ya/che\":\"Stake token shares\",\"Ykj2Om\":\"Default slippage\",\"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.\",\"YrcHPy\":\"VIEW\",\"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.\"],\"Z3FXyt\":\"Loading...\",\"Z99M+T\":\"This is an off-chain operation. Keep in mind that a solver may already have filled your order.\",\"ZBvhI+\":\"Gobierno de Aave\",\"ZIIRAd\":\"Raw-Ipfs\",\"ZRq4tX\":\"Modo de eficiencia (E-Mode)\",\"ZRuM45\":\"These are the estimated costs associated with your limit swap, including costs and fees. Consider these costs when setting your order amounts to help optimize execution and maximize your chances of filling the order.\",\"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\",\"aCgA+I\":\"E-Mode change\",\"aEtiwq\":\"Votar NO\",\"aMmFE1\":\"Comprar Crypto con Fiat\",\"aOKIms\":\"Los parámetros del array que deberían ser iguales en longitud no lo son\",\"aQYztl\":[\"Repaying \",[\"0\"]],\"aXgo8+\":\"from the\",\"adUsDd\":\"Se ha producido un error al recuperar la propuesta.\",\"afk1Wt\":[\"This asset can only be used as collateral in E-Mode: \",[\"0\"]],\"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.\",\"b4NS3e\":\"Advertencia periodo de cooldown\",\"bBHmeP\":\"Available to withdraw\",\"bNEQeI\":\"Cooldown\",\"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\",\"bYtb3C\":\"Network costs\",\"bguKoJ\":\"La cantidad solicitada es mayor que el tamaño máximo del préstamo en el modo de tasa estable\",\"bm/mjh\":\"This is a program initiated and implemented by the Aave Chan Initiative (ACI). Aave Labs does not guarantee the program and accepts no liability.\",\"bq0uL+\":\"supply\",\"bwSQI0\":\"Suministrar\",\"bxN6EM\":\"No se puede deshabilitar E-Mode\",\"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.\",\"cc6gEH\":\"Incentives APR\",\"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\"]],\"cqwIvs\":\"Hilo de discusión del foro\",\"csDS2L\":\"Disponible\",\"cu7Stb\":\"No has participado en esta propuesta\",\"cuxGZP\":\"Low health factor after swap. Your position will carry a higher risk of liquidation.\",\"d9YZVR\":\"Principle Tokens\",\"dE6BLF\":\"Gobierno\",\"dEgA5A\":\"Cancelar\",\"dIsyWh\":\"La validación del LTV ha fallado\",\"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\",\"dYG3JG\":\"Data couldn't be loaded.\",\"dZQvSq\":\"Please review the swap values before confirming.\",\"dfDzrk\":[\"Supply cap reached for \",[\"symbol\"],\". Reduce the amount or choose a different asset.\"],\"dgFOcr\":\"L1 Networks\",\"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\",\"drdV8R\":\"Liquidación\",\"dxW8cS\":\"Token de deuda de Aave\",\"e/ghIe\":[\"This transaction will enable E-Mode (\",[\"0\"],\"). Borrowing will be restricted to assets within this category.\"],\"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\",\"eQ0Wu0\":\"Please connect a wallet to view your balance here.\",\"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\",\"edXiYw\":[\"You've successfully swapped \",[\"0\"],\".\"],\"efdrrk\":\"Disponible en\",\"enruNF\":\"empieza\",\"eqLYiD\":\"Unstakea ahora\",\"evw5ha\":\"Valor neto\",\"ezcU16\":\"Obtener Token ABP\",\"f2e3vu\":[\"Deposit GHO into savings GHO (sGHO) and earn <0>\",[\"0\"],\"% APY on your GHO holdings. There are no lockups, no rehypothecation, and you can withdraw anytime. Simply deposit GHO, receive sGHO tokens representing your balance, and watch your savings grow earning claimable rewards from merit.\"],\"f3W0Ej\":[\"Has cambiado a tasa \",[\"0\"]],\"fMJQZK\":\"Prestado\",\"fZ5Vnu\":\"Recibido\",\"firl9Q\":\"Tu actual relación préstamo-valor basado en tu garantía suministrada.\",\"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\",\"g4Ius4\":\"This is the fee for executing position changes, set by governance.\",\"g8KGoA\":\"FAQS\",\"g9zzqS\":\"Votó NAY\",\"gDd2gk\":\"about SuperFest.\",\"gIMJlW\":\"Testnet mode\",\"gK+IvE\":\"Withdraw and Swap\",\"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\",\"gjxiVa\":[\"This swap has a price impact of \",[\"0\"],\"%, which exceeds the 25% safety threshold. To proceed, disable Aave Shield in the settings menu.\"],\"goff7V\":\"Dirección cero no válida\",\"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\",\"h5hG6q\":\"This is the cost of settling your order on-chain, including gas and any LP fees.\",\"hB23LY\":\"Activar Cooldown\",\"hIJzBh\":\"Available to Claim\",\"hIS4N0\":\"APY neto\",\"hQRttt\":\"Submit\",\"hRWvpI\":\"Reclamado\",\"hb8ajh\":\"Debt Swap\",\"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\",\"hrhwub\":\"dashboard\",\"huQ6Tz\":[\"Tomando prestado \",[\"symbol\"]],\"hxYu+F\":\"Borrow: All eligible assets\",\"i/fZ2Z\":\"Staked Balance\",\"i9qiyR\":\"Expires in\",\"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\",\"iIuDE1\":\"Estimated weekly rewards based on your current sGHO balance and APR. Actual rewards may vary depending on market conditions.\",\"iKfD53\":\"Transaction history for Plasma not supported yet, coming soon.\",\"iMVZk9\":\"Seleccionar tolerancia de deslizamiento\",\"iNYgey\":\"Get Support\",\"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\",\"iddNqA\":\"This transaction will disable E-Mode. All assets will revert to their base LTV and liquidation thresholds.\",\"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 \"],\"ih/VjN\":\"Staking this amount will reduce your health factor and increase risk of liquidation.\",\"il0sEG\":\"El uso de garantías está limitado debido al Isolation mode.\",\"j+K1Xj\":\"Amount After Fee\",\"j4SXZo\":\"Claim all merit rewards\",\"j7JHV+\":\"Total APY\",\"j8cF1R\":\"Cooling down\",\"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\",\"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.\",\"jZkYWO\":\"Boosted LTV\",\"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\",\"jqVo/k\":\"here.\",\"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\"],\"kMi0nz\":\"sGHO Merit APY History\",\"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\",\"kj3M8S\":\"Deposit\",\"kjN9tT\":\"El límite de suministro se ha sobrepasado\",\"kn+s7w\":[[\"0\"],\" collateral would have 0% LTV without E-Mode. Disable \",[\"1\"],\" as collateral to use this option.\"],\"knxE+G\":\".JSON\",\"ks2LWT\":\"El límite de deuda no es cero\",\"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.\",\"kzeZTm\":\"LTV\",\"lCF0wC\":\"Refresh\",\"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.\",\"lXb3Ih\":[\"This asset has 0 LTV and cannot be used as collateral. Enable an E-Mode to use \",[\"symbol\"],\" as collateral.\"],\"lXj2Sq\":\"Repay with Collateral\",\"lYGfRP\":\"Inglés\",\"lfEjIE\":\"Aprende más en nuestra guía <0>Preguntas frecuentes\",\"ljF4ko\":\"The selected rate is lower than the market price. You might incur a loss if you proceed.\",\"lqCWte\":[\"Deposit GHO and earn \",[\"0\"],\"% APY\"],\"lu7f+8\":\"Blocked by Shield\",\"m/IEhi\":\"Emisiones totales por día\",\"m7r7Hh\":\"Activos de préstamo seleccionados\",\"mDDK4p\":\"Pool de Balancer\",\"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\"],\".\"],\"me5LMQ\":\"Checking approval\",\"mogZv0\":\"Favourite\",\"muiOng\":[\"Comprar \",[\"cryptoSymbol\"],\" con Fiat\"],\"mvCXBY\":\"Stakea AAVE\",\"mwdzil\":\"Vale, cerrar\",\"mzDAU3\":\"Savings GHO (sGHO)\",\"mzdIia\":\"Este activo no puede usarse como garantía.\",\"n+SX4g\":\"Desarrolladores\",\"n1na81\":\"No eligible assets to swap.\",\"n4PWtp\":\"Depositing\",\"nJIhzm\":\"Apy de suministro\",\"nJgsQu\":\"Con un poder de votación de <0/>\",\"nLC6tu\":\"Francés\",\"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\",\"nPGNMh\":\"Puede ser ejecutado\",\"nUK1ou\":[\"Assets with zero LTV (\",[\"0\"],\") must be withdrawn or disabled as collateral to perform this action\"],\"neITkT\":\"This asset has 0% LTV, meaning it does not contribute to borrowing power. Existing positions with this asset as collateral still count toward the liquidation threshold and protect your health factor. New positions cannot enable this asset as collateral.\",\"njBeMm\":\"Ambos\",\"ntyFSE\":[[\"h\"],\"h\"],\"nwIsn4\":\"After the cooldown is initiated, you will be able to withdraw your assets immediatley.\",\"nweCqF\":\"Cancelling order...\",\"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\",\"o5ooMr\":\"Deuda\",\"o7J4JM\":\"Filtro\",\"o7Yloh\":\"Learn more about the Ether.fi program\",\"oHFrpj\":\"Cooldown para undstakear\",\"oJ5ZiG\":\"El usuario no tiene deuda pendiente de tasa variable en esta reserva\",\"oUwXhx\":\"Activos de prueba\",\"oWQnqT\":\"Staking this asset will earn the underlying asset supply yield in addition to other configured rewards.\",\"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.\",\"ogU9GD\":\"Target liquidity\",\"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.\",\"om/XHs\":\"Disponible para suministrar\",\"omq5qJ\":\"Claiming all protocol rewards and merit rewards together\",\"ovBPCi\":\"Default\",\"ovT1pF\":[\"Per the community, the \",[\"market\"],\" has been frozen.\"],\"ow3fug\":\"Sin resultados\",\"owSsI3\":\"Firmas listas\",\"p+R52m\":\"Ir al pool de Balancer\",\"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.\",\"p45alK\":\"Configurar la delegación\",\"pDgeaz\":[[\"title\"]],\"pdZqBk\":\"El balance subyacente debe ser mayor que 0\",\"pgWG9H\":\"No hay suficiente balance stakeado\",\"ph9+uj\":[\"Switching to \",[\"networkName\"],\"...\"],\"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\"],\"pup/ej\":\"Net Protocol Incentives\",\"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\",\"qKfida\":\"Staked tokens are wrapped and use an exchange rate. You may see fewer token shares, but the value matches your deposit and will grow as yield accrues.\",\"qOqbD6\":\"copiar el error\",\"qXCkEM\":\"Por favor, conecta tu cartera para ver tus suministros, préstamos y posiciones abiertas.\",\"qY2jnw\":\"Expiración inválida\",\"qhhf9L\":\"Rewards available to claim\",\"qtS7wW\":\"Thank you for voting\",\"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\",\"qz6JVE\":[\"Your order amounts are \",[\"0\"],\" less favorable by \",[\"1\"],\"% to the liquidity provider than recommended. This order may not be executed.\"],\"qz9c6b\":[\"Repaying \",[\"0\"],\" with \",[\"1\"]],\"qzFp5D\":\"All Categories\",\"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\",\"riNWOA\":\"E-Mode\",\"rjGI/Q\":\"Privacidad\",\"rnKPW1\":\"Watch a wallet balance in read-only mode\",\"rojvRp\":\"Approval by signature not available\",\"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\",\"t/ct9N\":\"Auto Slippage\",\"tBIz3I\":[\"Supply \",[\"0\"],\" and double your yield by <0><1>verifying your humanity through Self for \",[\"1\"],\" per user.\"],\"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\",\"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\"],\"tVJk4q\":\"Cancel order\",\"te9Bfl\":\"Por favor, conecta tu cartera\",\"tj6dr4\":\"Merit Program rewards can be claimed\",\"tt5yma\":\"Tus suministros\",\"tw6G0s\":[\"You must disable \",[\"0\"],\" as collateral before exiting E-Mode. These assets have 0 LTV outside of E-Mode and cannot be used as collateral.\"],\"u3ZeYl\":\"Error en la transacción\",\"u706uF\":\"Préstamo flash inválido\",\"u8Gfu7\":[\"Sin resultados de búsqueda\",[\"0\"]],\"uAQUqI\":\"Status\",\"uGG4Lk\":\"Claim all protocol rewards\",\"uHMwk8\":\"No hay activos seleccionados para migrar.\",\"uI3SjW\":\"Connection Error\",\"uJOI6M\":\"Tip: Try improving your order parameters\",\"uJPHuY\":\"Migrando\",\"uRXR6h\":[\"Swap \",[\"0\"],\" debt\"],\"uZiu4N\":\"There is an active order for the same sell asset (avoid nonce reuse).\",\"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\",\"usB84Z\":\"La cantidad máxima disponible para tomar prestado está limitada porque casi se ha alcanzado el límite de préstamo del protocolo.\",\"uyLjNw\":\"Custom slippage\",\"v+Fu0z\":\"This asset is eligible for Kernel points incentive program. Aave Labs does not guarantee the program and accepts no liability.\",\"v0CIlJ\":\"You have no rewards to claim at this time.\",\"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\",\"vH2C/2\":\"Swap\",\"vLyv1R\":\"Ocultar\",\"vMba49\":\"Tomar prestado no está habilitado\",\"vMpNwt\":\"Aprobar con\",\"vNAHA2\":\"PTs\",\"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.\",\"vv7kpg\":\"Cancelled\",\"w+V9Cx\":\"Stablecoin\",\"w/JtJ3\":\"El balance de deuda estable no es cero\",\"w1f8Ky\":\"Savings GHO\",\"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\",\"wapGcj\":[[\"message\"]],\"wb/r1O\":[\"Faucet \",[\"0\"]],\"wdxz7K\":\"Source\",\"weC8IO\":\"All Rewards\",\"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.\",\"wjFWDB\":\"No markets found\",\"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\",\"wuMdlk\":[\"This asset is eligible for \",[\"0\"],\" Sonic Rewards.\"],\"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.\",\"x+QJ9y\":[\"Category \",[\"selectedEmodeId\"]],\"x0TRLG\":[\"Repay your \",[\"0\"],\" \",[\"1\",\"plural\",{\"one\":\"borrow\",\"other\":\"borrows\"}],\" to use this category.\"],\"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\"]],\"yRkqG9\":\"Limit\",\"yYHqJe\":\"Dirección no válida\",\"yZ5ngq\":\"Transaction details not available\",\"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\"],\"yv/Kz/\":\"Back home\",\"yz7wBu\":\"Cerrar\",\"z4uGQg\":\"El límite de deuda está sobrepasado\",\"z5JUmg\":[\"Estimated costs are \",[\"0\"],\"% of the sell amount. This order is unlikely to be filled.\"],\"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\",\"zNgzxM\":\"Excludes variable supply APY\",\"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\",\"zZmf1N\":\"Filled\",\"zgtIDV\":\"Deuda restante\",\"zmTPiV\":\"Balance de suministro\",\"zpPbZl\":\"Parámetros de riesgo de liquidación\",\"zqp4Tm\":\"Unable to Connect\",\"zr58Jd\":\"Umbrella is the upgraded version of the Safety Module. Manage your previously staked assets\",\"zucql+\":\"Menú\",\"zv/j10\":[\"Active \",[\"0\"],\" borrow is not compatible with this category. Repay your \",[\"1\"],\" borrow to use this option.\"],\"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.\"}")}; \ No newline at end of file diff --git a/src/locales/es/messages.po b/src/locales/es/messages.po index 7746ec6f63..d2c9e813e3 100644 --- a/src/locales/es/messages.po +++ b/src/locales/es/messages.po @@ -19,12 +19,22 @@ msgstr "" "X-Crowdin-File-ID: 46\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 "Si NO unstakeas entre {0} de la ventana de unstakeo, necesitarás activar el proceso de cooldown de nuevo." -#: src/components/transactions/Withdraw/WithdrawAndSwitchModalContent.tsx -msgid "Receive (est.)" -msgstr "Recibir (est.)" +#: src/modules/umbrella/StakeAssets/StakeAssetName.tsx +msgid "Reward APY at target liquidity" +msgstr "" + +#: src/layouts/SupportModal.tsx +msgid "Thank you for submitting your inquiry!" +msgstr "" + +#: src/modules/markets/Gho/GhoBanner.tsx +#: src/modules/markets/Gho/GhoBanner.tsx +msgid "Save with sGHO" +msgstr "" #: src/components/incentives/EthenaIncentivesTooltipContent.tsx #: src/components/incentives/EtherfiIncentivesTooltipContent.tsx @@ -32,38 +42,49 @@ msgstr "Recibir (est.)" msgid "Aave Labs does not guarantee the program and accepts no liability." msgstr "" -#: src/components/transactions/DebtSwitch/DebtSwitchModalContent.tsx -msgid "You've successfully swapped borrow position." +#: src/modules/reserve-overview/AddTokenDropdown.tsx +msgid "Savings GHO token" msgstr "" #: src/components/incentives/IncentivesTooltipContent.tsx msgid "Participating in this {symbol} reserve gives annualized rewards." msgstr "Participar en esta reserva de {symbol} da recompensas anuales." +#: src/modules/reserve-overview/ReserveEModePanel.tsx +msgid "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 restrictions, see the <1>help guide or the <2>Aave V3 Technical Paper." +msgstr "" + #: src/modules/governance/DelegatedInfoPanel.tsx msgid "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." msgstr "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." -#: src/components/transactions/Warnings/ChangeNetworkWarning.tsx -msgid "Seems like we can't switch the network automatically. Please check if you can change it from the wallet." -msgstr "Parece que no podemos cambiar la red automáticamente. Por favor, comprueba si puedes cambiarla desde la cartera." - #: src/modules/reserve-overview/BorrowInfo.tsx msgid "Borrow cap" msgstr "Límite del préstamo" -#: src/components/transactions/Swap/SwapModalContent.tsx -msgid "Supplied asset amount" -msgstr "Cantidad de activos suministrados" - #: src/components/transactions/Bridge/BridgeModalContent.tsx msgid "Estimated time" msgstr "" #: src/components/transactions/StakeCooldown/StakeCooldownModalContent.tsx +#: src/modules/umbrella/StakeCooldownModalContent.tsx msgid "Remind me" msgstr "" +#: src/modules/umbrella/helpers/StakedUnderlyingTooltip.tsx +msgid "Total amount of underlying assets staked. This number represents the combined sum of your original asset and the corresponding aTokens staked in Umbrella." +msgstr "" + +#: src/components/transactions/ClaimRewards/ClaimRewardsModalContent.tsx +#: src/components/transactions/ClaimRewards/ClaimRewardsModalContent.tsx +#: src/components/transactions/ClaimRewards/RewardsSelect.tsx +msgid "Protocol Rewards" +msgstr "" + +#: src/modules/umbrella/helpers/ApyTooltip.tsx +msgid "Reward APY adjusts with total staked amount, following a curve that targets optimal staking levels." +msgstr "" + #: src/components/transactions/StakingMigrate/StakingMigrateModalContent.tsx msgid "Amount to migrate" msgstr "Cantidad para migrar" @@ -72,18 +93,18 @@ msgstr "Cantidad para migrar" msgid "Borrowing this amount will reduce your health factor and increase risk of liquidation." msgstr "Tomar prestado esta cantidad reducirá tu factor de salud y aumentará el riesgo de liquidación." +#: src/components/transactions/TxActionsWrapper.tsx +msgid "{0} {symbol}..." +msgstr "" + #: src/components/transactions/FlowCommons/BaseWaiting.tsx msgid "In progress" msgstr "" -#: src/modules/reserve-overview/ReserveEModePanel.tsx -msgid "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." +#: src/modules/umbrella/StakeCooldownModalContent.tsx +msgid "Amount available to unstake" msgstr "" -#: src/modules/reserve-overview/Gho/GhoDiscountCalculator.tsx -msgid "Minimum staked Aave amount" -msgstr "Cantidad mínima de Aave stakeado" - #: src/components/transactions/Bridge/BridgeDestinationInput.tsx msgid "To" msgstr "" @@ -93,10 +114,16 @@ msgstr "" msgid "FAQ" msgstr "Preguntas frecuentes" +#: src/modules/sGho/SavingsGhoCard.tsx +msgid "Deposit GHO and earn up to <0>{0}% APY" +msgstr "" + #: src/ui-config/errorMapping.tsx msgid "Stable borrowing is not enabled" msgstr "El préstamo estable no está habilitado" +#: src/components/transactions/ClaimRewards/ClaimRewardsModalContent.tsx +#: src/components/transactions/ClaimRewards/ClaimRewardsModalContent.tsx #: src/components/transactions/ClaimRewards/ClaimRewardsModalContent.tsx msgid "Total worth" msgstr "Valor total" @@ -105,13 +132,9 @@ msgstr "Valor total" msgid "User did not borrow the specified currency" msgstr "El usuario no tomó prestado el activo especificado" -#: src/components/transactions/DebtSwitch/DebtSwitchModalContent.tsx -msgid "There is not enough liquidity for the target asset to perform the switch. Try lowering the amount." -msgstr "No hay suficiente liquidez para que el activo seleccionado realice el cambio. Prueba reduciendo la cantidad." - -#: src/components/Warnings/CooldownWarning.tsx -msgid "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" -msgstr "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" +#: pages/404.page.tsx +msgid "We suggest you go back to the home page." +msgstr "" #: src/modules/history/HistoryFilterMenu.tsx msgid "Rate change" @@ -121,7 +144,7 @@ msgstr "Cambio de tasa" msgid "Sorry, we couldn't find the page you were looking for." msgstr "Lo sentimos, no hemos podido encontrar la página que estabas buscando." -#: src/components/transactions/Switch/SwitchAssetInput.tsx +#: src/components/transactions/Swap/inputs/primitives/SwapAssetInput.tsx msgid "Select token" msgstr "" @@ -137,6 +160,10 @@ msgstr "Riesgo de liquidación" msgid "Current v2 Balance" msgstr "Balance actual v2" +#: src/components/incentives/MeritIncentivesTooltipContent.tsx +msgid "Reward Token" +msgstr "" + #: src/modules/history/HistoryFilterMenu.tsx #: src/modules/migration/MigrationList.tsx #: src/modules/migration/MigrationListMobileItem.tsx @@ -151,6 +178,11 @@ msgstr "Esta es la cantidad total que puedes suministrar en esta reserva. Puedes msgid "This asset is eligible for {0} Ethena Rewards." msgstr "" +#: src/components/transactions/Swap/actions/RepayWithCollateral/RepayWithCollateralActionsViaParaswap.tsx +#: src/components/transactions/Swap/actions/RepayWithCollateral/RepayWithCollateralActionsViaParaswap.tsx +msgid "Repay {0}" +msgstr "" + #: src/modules/history/PriceUnavailable.tsx msgid "Price data is not currently available for this reserve on the protocol subgraph" msgstr "Los datos de los precios no están disponibles actualmente para esta reserva en el subgraph del protocolo" @@ -159,15 +191,25 @@ msgstr "Los datos de los precios no están disponibles actualmente para esta res msgid "Transaction history" msgstr "Historial de transacciones" -#: src/components/transactions/TxActionsWrapper.tsx -msgid "Approving {symbol}..." -msgstr "Aprobando {symbol}..." +#: src/modules/umbrella/UmbrellaHeader.tsx +msgid "Learn more about the risks." +msgstr "" #: src/modules/governance/UserGovernanceInfo.tsx #: src/modules/reserve-overview/ReserveActions.tsx msgid "Please connect a wallet to view your personal information here." msgstr "Por favor conecta una cartera para ver tu información personal aquí." +#: src/components/transactions/Repay/RepayModalContent.tsx +#: src/components/transactions/Swap/warnings/postInputs/USDTResetWarning.tsx +#: src/components/transactions/Warnings/USDTResetWarning.tsx +msgid "USDT on Ethereum requires approval reset before a new approval. This will require an additional transaction." +msgstr "" + +#: src/modules/umbrella/AmountSharesItem.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 "" + #: src/modules/dashboard/lists/SupplyAssetsList/SupplyAssetsListItem.tsx msgid "..." msgstr "..." @@ -176,18 +218,18 @@ msgstr "..." msgid "Liquidation <0/> threshold" msgstr "Umbral <0/> de liquidación" -#: src/components/transactions/Withdraw/WithdrawAndSwitchActions.tsx -msgid "Withdrawing and Switching" -msgstr "Retirando y Cambiando" - -#: src/modules/markets/Gho/GhoBanner.tsx -msgid "Borrow rate" -msgstr "" - #: src/modules/reserve-overview/SupplyInfo.tsx msgid "Asset supply is limited to a certain amount to reduce protocol exposure to the asset and to help manage risks involved." msgstr "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." +#: src/components/transactions/CancelCowOrder/CancelCowOrderModalContent.tsx +msgid "Cancellation submited" +msgstr "" + +#: src/components/transactions/Supply/SupplyModalContent.tsx +msgid "This transaction will switch E-Mode from {0} to {1}. Borrowing will be restricted to assets within the new category." +msgstr "" + #: src/modules/markets/Gho/GhoBanner.tsx #: src/modules/markets/Gho/GhoBanner.tsx #: src/modules/markets/MarketAssetsListMobileItem.tsx @@ -202,13 +244,21 @@ msgstr "Más" msgid "Available liquidity" msgstr "Liquidez disponible" +#: src/components/transactions/Swap/modals/CollateralSwapModal.tsx +msgid "Please connect your wallet to swap collateral." +msgstr "" + #: src/components/infoTooltips/MigrationDisabledTooltip.tsx msgid "Asset cannot be migrated due to supply cap restriction in {marketName} v3 market." msgstr "Este activo no se puede migrar debido a una restricción del límite de suministro en el mercado v3 de {marketName}." -#: src/components/AddressBlockedModal.tsx -msgid "Blocked Address" -msgstr "Dirección bloqueada" +#: src/components/transactions/FlowCommons/Error.tsx +msgid "Need help? Our support team can assist." +msgstr "" + +#: src/modules/sGho/SavingsGhoCard.tsx +msgid "Initiate Withdraw" +msgstr "" #: src/components/incentives/EtherfiIncentivesTooltipContent.tsx msgid "This asset is eligible for the Ether.fi Loyalty program with a <0>x{multiplier} multiplier." @@ -222,24 +272,25 @@ msgstr "Aave es un protocolo totalmente descentralizado, gobernado por la comuni msgid "Please enter a valid wallet address." msgstr "Por favor introduce una dirección de cartera válida." -#: src/modules/markets/Gho/GhoBanner.tsx -msgid "Meet GHO" -msgstr "Conoce 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 "Acepto los riesgos involucadros." -#: src/components/transactions/Swap/SwapModalContent.tsx -msgid "Supply cap on target reserve reached. Try lowering the amount." -msgstr "Se ha alcanzado el límite de suministro en la reserva especificada. Prueba reduciendo la cantidad." +#: src/modules/sGho/SGhoDepositPanel.tsx +#: src/modules/sGho/SGhoHeader.tsx +msgid "Total Deposited" +msgstr "" #: src/modules/staking/BuyWithFiatModal.tsx msgid "{0}{name}" msgstr "{0}{name}" +#: src/components/TopInfoPanel/PageTitle.tsx +msgid "Favourited" +msgstr "" + #: src/ui-config/errorMapping.tsx msgid "Stable borrowing is enabled" msgstr "El préstamo estable no está habilitado" @@ -259,8 +310,9 @@ msgstr "Tomar prestado {symbol}" msgid "Total supplied" msgstr "Total suministrado" -#: src/components/transactions/Withdraw/WithdrawAndSwitchModalContent.tsx +#: src/components/transactions/Swap/details/WithdrawAndSwapDetails.tsx #: src/components/transactions/Withdraw/WithdrawModalContent.tsx +#: src/modules/umbrella/UmbrellaModalContent.tsx msgid "Remaining supply" msgstr "Suministro restante" @@ -268,15 +320,15 @@ msgstr "Suministro restante" msgid "There is not enough collateral to cover a new borrow" msgstr "No hay suficiente garantía para cubrir un nuevo préstamo" +#: src/components/transactions/ClaimRewards/ClaimRewardsModalContent.tsx +msgid "{0} Balance{1}" +msgstr "" + #: src/components/transactions/Supply/SupplyActions.tsx #: src/components/transactions/Supply/SupplyWrappedTokenActions.tsx msgid "Supply {symbol}" msgstr "Suministrar {symbol}" -#: src/modules/reserve-overview/Gho/GhoInterestRateGraph.tsx -msgid "Total interest accrued" -msgstr "Interés total acumulado" - #: src/components/transactions/Emode/EmodeModalContent.tsx #: src/components/transactions/Emode/EmodeModalContent.tsx #: src/modules/migration/MigrationList.tsx @@ -289,8 +341,6 @@ msgstr "LTV máximo" #: src/components/transactions/Repay/RepayModal.tsx #: src/modules/dashboard/lists/BorrowedPositionsList/BorrowedPositionsListItem.tsx #: src/modules/dashboard/lists/BorrowedPositionsList/BorrowedPositionsListItem.tsx -#: src/modules/dashboard/lists/BorrowedPositionsList/GhoBorrowedPositionsListItem.tsx -#: src/modules/dashboard/lists/BorrowedPositionsList/GhoBorrowedPositionsListItem.tsx #: src/modules/history/actions/ActionDetails.tsx #: src/modules/history/HistoryFilterMenu.tsx msgid "Repay" @@ -300,6 +350,8 @@ msgstr "Pagar" msgid "The weighted average of APY for all supplied assets, including incentives." msgstr "El promedio ponderado de APY para todos los activos suministrados, incluidos los incentivos." +#: src/modules/sGho/SGhoDepositPanel.tsx +#: src/modules/staking/GhoStakingPanel.tsx #: src/modules/staking/StakingPanel.tsx msgid "You can only withdraw your assets from the Security Module after the cooldown period ends and the unstake window is active." msgstr "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." @@ -329,21 +381,35 @@ msgstr "Términos" msgid "Maximum available to borrow" msgstr "Máximo disponible para tomar prestado" -#: src/modules/reserve-overview/Gho/GhoDiscountCalculator.tsx -msgid "Minimum GHO borrow amount" -msgstr "Cantidad de préstamo mínima de GHO" +#: src/components/incentives/MeritIncentivesTooltipContent.tsx +#: src/components/incentives/MeritIncentivesTooltipContent.tsx +msgid "or from the" +msgstr "" #: src/components/transactions/DelegationTxsWrapper.tsx msgid "Sign to continue" msgstr "Firma para continuar" +#: src/modules/umbrella/UmbrellaHeader.tsx +#: src/modules/umbrella/UmbrellaHeader.tsx +msgid "Total amount staked" +msgstr "" + #: src/components/transactions/Bridge/BridgeModalContent.tsx #: src/modules/history/HistoryWrapper.tsx #: src/modules/history/HistoryWrapperMobile.tsx msgid "Transactions" msgstr "Transacciones" -#: src/components/transactions/Switch/SwitchModalTxDetails.tsx +#: src/components/transactions/Swap/warnings/postInputs/SafetyModuleSwapWarning.tsx +msgid "For swapping safety module assets please unstake your position <0>here." +msgstr "" + +#: src/components/transactions/Swap/warnings/postInputs/HighPriceImpactWarning.tsx +msgid "High price impact (<0>{0}%)! This route will return {1} due to low liquidity or small order size." +msgstr "" + +#: src/components/infoTooltips/SwapFeeTooltip.tsx msgid "Fees help support the user experience and security of the Aave application. <0>Learn more." msgstr "" @@ -351,6 +417,11 @@ msgstr "" msgid "Your {networkName} wallet is empty. Get free test assets at" msgstr "Tu cartera de {networkName} está vacía. Consigue activos de prueba gratis en" +#: src/modules/dashboard/lists/BorrowAssetsList/BorrowAssetsList.tsx +#: src/modules/dashboard/lists/SupplyAssetsList/SupplyAssetsList.tsx +msgid "We couldn't find any assets related to your search. Try again with a different category." +msgstr "" + #: src/modules/governance/GovernanceTopPanel.tsx msgid "documentation" msgstr "documentación" @@ -363,6 +434,10 @@ msgstr "El límite de deuda limita la cantidad posible que los usuarios del prot msgid "This asset has almost reached its supply cap. There can only be {messageValue} supplied to this market." msgstr "Este activo casi ha alcanzado su límite de suministro. Solo se puede suministrar {messageValue} a este mercado." +#: src/components/transactions/Swap/warnings/postInputs/ShieldSwapWarning.tsx +msgid "Aave Shield: Transaction blocked" +msgstr "" + #: src/ui-config/errorMapping.tsx msgid "Variable debt supply is not zero" msgstr "El suministro de deuda variable no es cero" @@ -371,8 +446,8 @@ msgstr "El suministro de deuda variable no es cero" msgid "To request access for this permissioned market, please visit: <0>Acces Provider Name" msgstr "Para solicitar acceso a este mercado, porfavor visita: <0>Nombre del proveedor de acceso" -#: src/components/transactions/Switch/SwitchModalTxDetails.tsx -#: src/components/transactions/Switch/SwitchModalTxDetails.tsx +#: src/components/transactions/Swap/details/SwapDetails.tsx +#: src/components/transactions/Swap/details/SwapDetails.tsx msgid "Minimum {0} received" msgstr "Mínimo {0} recibido" @@ -381,9 +456,15 @@ msgid "Allowance required action" msgstr "Acción de permiso requerida" #: src/modules/dashboard/DashboardTopPanel.tsx +#: src/modules/sGho/SGhoHeader.tsx +#: src/modules/umbrella/UmbrellaHeader.tsx msgid "Available rewards" msgstr "Recompensas disponibles" +#: src/components/transactions/ClaimRewards/ClaimRewardsModalContent.tsx +msgid "Claiming individual protocol reward only. Merit rewards excluded - select \"claim all\" to include merit rewards." +msgstr "" + #: src/components/infoTooltips/ApprovalTooltip.tsx msgid "To continue, you need to grant 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" msgstr "" @@ -401,7 +482,6 @@ msgstr "Resumen" msgid "All transactions" msgstr "Todas las transacciones" -#: src/components/transactions/Emode/EmodeModalContent.tsx #: src/components/transactions/Repay/RepayTypeSelector.tsx #: src/modules/dashboard/lists/SuppliedPositionsList/SuppliedPositionsList.tsx #: src/modules/dashboard/lists/SuppliedPositionsList/SuppliedPositionsList.tsx @@ -412,20 +492,25 @@ msgstr "Garantía" msgid "Spanish" msgstr "Español" +#: src/components/transactions/SavingsGho/SavingsGhoWithdrawActions.tsx +msgid "Withdrawing GHO" +msgstr "" + #: src/components/transactions/DelegationTxsWrapper.tsx msgid "Signing" msgstr "Firmando" -#: src/components/transactions/Repay/CollateralRepayActions.tsx -#: src/components/transactions/Repay/CollateralRepayActions.tsx #: src/components/transactions/Repay/RepayActions.tsx msgid "Repay {symbol}" msgstr "Pagar {symbol}" -#: src/modules/reserve-overview/Gho/GhoDiscountCalculator.tsx -msgid "Discountable amount" -msgstr "Cantidad descontable" +#: src/components/transactions/Emode/EmodeModalContent.tsx +msgid "Disable {0} as collateral to use this category. These assets would have 0% LTV." +msgstr "" +#: src/modules/sGho/SavingsGhoCard.tsx +#: src/modules/sGho/SGhoDepositPanel.tsx +#: src/modules/staking/GhoStakingPanel.tsx #: src/modules/staking/StakingPanel.tsx msgid "Cooling down..." msgstr "Cooling down..." @@ -454,30 +539,32 @@ msgstr "Copiar mensaje de error" msgid "repaid" msgstr "reembolsado" +#: src/modules/umbrella/StakeAssets/UmbrellaAssetsList.tsx +msgid "Available to Stake" +msgstr "" + +#: src/components/transactions/Supply/CollateralOptionsSelector.tsx +msgid "Show less" +msgstr "" + #: src/components/transactions/Warnings/ChangeNetworkWarning.tsx msgid "Switch Network" msgstr "Cambiar de red" -#: src/components/transactions/Borrow/GhoBorrowModalContent.tsx -#: src/modules/dashboard/lists/BorrowAssetsList/GhoBorrowAssetsListItem.tsx -#: src/modules/dashboard/lists/BorrowAssetsList/GhoBorrowAssetsListItem.tsx -#: src/modules/reserve-overview/Gho/GhoBorrowInfo.tsx -#: src/modules/reserve-overview/Gho/GhoBorrowInfo.tsx -msgid "APY, borrow rate" -msgstr "APY, tasa de préstamo" - -#: src/components/incentives/IncentivesTooltipContent.tsx -#: src/components/incentives/IncentivesTooltipContent.tsx -#: src/components/incentives/MeritIncentivesTooltipContent.tsx -#: src/components/incentives/ZkSyncIgniteIncentivesTooltipContent.tsx +#: src/components/transactions/SavingsGho/SavingsGhoModalDepositContent.tsx +#: src/modules/reserve-overview/Gho/SavingsGho.tsx msgid "APR" msgstr "APR" -#: 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 "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" +#: src/modules/umbrella/helpers/Helpers.tsx +#: src/modules/umbrella/StakingApyItem.tsx +#: src/modules/umbrella/UmbrellaClaimModalContent.tsx +#: src/modules/umbrella/UmbrellaClaimModalContent.tsx +msgid "Total" +msgstr "" #: src/modules/governance/proposal/ProposalLifecycle.tsx +#: src/modules/governance/proposal/ProposalLifecycleCache.tsx msgid "{stepName}" msgstr "" @@ -487,6 +574,10 @@ msgstr "" msgid "Health factor" msgstr "Factor de salud" +#: src/components/Warnings/CooldownWarning.tsx +msgid "The cooldown period is the time required prior to unstaking your tokens (<0/>). You can only withdraw your assets from the Security Module after the cooldown period and within the unstake window. <1>Learn more" +msgstr "" + #: src/modules/governance/proposal/VotingResults.tsx #: src/modules/governance/proposal/VotingResults.tsx msgid "Reached" @@ -505,6 +596,10 @@ msgstr "Tomar prestado no está disponible porque estás usando el Isolation mod msgid "Share on Lens" msgstr "Compartir en Lens" +#: src/modules/umbrella/UnstakeModalContent.tsx +msgid "Redeem as aToken" +msgstr "" + #: src/components/incentives/SonicIncentivesTooltipContent.tsx msgid "Learn more about Sonic Rewards program" msgstr "" @@ -513,11 +608,18 @@ msgstr "" msgid "Claim all" msgstr "Reclamar todo" +#: src/modules/sGho/SGhoDepositPanel.tsx +#: src/modules/staking/GhoStakingPanel.tsx #: src/modules/staking/StakingPanel.tsx +#: src/modules/umbrella/AmountSharesItem.tsx msgid "Time remaining until the withdraw period ends." msgstr "" -#: src/modules/reserve-overview/graphs/ApyGraphContainer.tsx +#: src/components/transactions/Swap/actions/WithdrawAndSwap/WithdrawAndSwapActionsViaParaswap.tsx +msgid "Withdrawing and Swapping" +msgstr "" + +#: src/modules/reserve-overview/graphs/MeritApyGraphContainer.tsx msgid "Data couldn't be fetched, please reload graph." msgstr "No se pudieron recuperar los datos, por favor recarga el gráfico." @@ -526,11 +628,6 @@ msgstr "No se pudieron recuperar los datos, por favor recarga el gráfico." msgid "Dashboard" msgstr "Panel de control" -#: src/components/transactions/Withdraw/WithdrawAndSwitchActions.tsx -#: src/components/transactions/Withdraw/WithdrawAndSwitchActions.tsx -msgid "Withdraw and Switch" -msgstr "Retirar y Cambiar" - #: src/modules/dashboard/lists/BorrowAssetsList/BorrowAssetsList.tsx msgid "Be careful - You are very close to liquidation. Consider depositing more collateral or paying down some of your borrowed positions" msgstr "Ten cuidado - Estás muy cerca de la liquidación. Considera depositar más garantía o pagar alguno de tus préstamos" @@ -544,9 +641,11 @@ msgid "Page not found" msgstr "Página no encontrada" #: src/modules/reserve-overview/graphs/ApyGraphContainer.tsx +#: src/modules/reserve-overview/graphs/MeritApyGraphContainer.tsx msgid "Loading data..." msgstr "Cargando datos..." +#: src/components/transactions/SavingsGho/SavingsGhoWithdrawModalContent.tsx #: src/components/transactions/Withdraw/WithdrawModalContent.tsx msgid "withdrew" msgstr "retirado" @@ -564,10 +663,15 @@ msgstr "Añadir a la cartera" msgid "Invalid amount to mint" msgstr "Cantidad invalidad para generar" +#: src/components/transactions/Bridge/BridgeModalContent.tsx +msgid "View on CCIP Explorer" +msgstr "" + #: src/components/AddressBlockedModal.tsx msgid "Disconnect Wallet" msgstr "Desconectar cartera" +#: src/modules/markets/MarketAssetsListContainer.tsx #: src/modules/markets/MarketAssetsListContainer.tsx msgid "assets" msgstr "activos" @@ -582,6 +686,10 @@ msgstr "Balance a revocar" msgid "Utilization Rate" msgstr "Tasa de uso" +#: src/components/MarketSwitcher.tsx +msgid "The Ink instance is governed by the Ink Foundation" +msgstr "" + #: src/modules/reserve-overview/ReserveFactorOverview.tsx msgid "View contract" msgstr "Ver contrato" @@ -594,16 +702,28 @@ msgstr "" msgid "Please connect your wallet to be able to bridge your tokens." msgstr "" +#: src/components/transactions/Swap/actions/CollateralSwap/CollateralSwapActionsViaCoWAdapters.tsx +#: src/components/transactions/Swap/actions/CollateralSwap/CollateralSwapActionsViaCoWAdapters.tsx +#: src/components/transactions/Swap/actions/CollateralSwap/CollateralSwapActionsViaParaswapAdapters.tsx +#: src/components/transactions/Swap/actions/CollateralSwap/CollateralSwapActionsViaParaswapAdapters.tsx +msgid "Swap {0} collateral" +msgstr "" + #: src/components/lists/ListWrapper.tsx msgid "Show" msgstr "Mostrar" +#: src/modules/markets/Gho/GhoBanner.tsx +#: src/modules/markets/Gho/GhoBanner.tsx +#: src/modules/reserve-overview/Gho/SavingsGho.tsx +msgid "Total deposited" +msgstr "" + #: src/components/transactions/Warnings/IsolationModeWarning.tsx msgid "You are entering Isolation mode" msgstr "Estás entrando en el Isolation mode" #: src/components/transactions/Borrow/BorrowModalContent.tsx -#: src/components/transactions/Borrow/GhoBorrowModalContent.tsx msgid "Borrowing is currently unavailable for {0}." msgstr "Tomar prestado no está disponible actualmente para {0}." @@ -611,6 +731,11 @@ msgstr "Tomar prestado no está disponible actualmente para {0}." msgid "Reserve Size" msgstr "Tamaño de la reserva" +#: src/components/transactions/Swap/inputs/primitives/SwapAssetInput.tsx +msgid "%" +msgstr "" + +#: src/components/transactions/SavingsGho/SavingsGhoWithdrawModalContent.tsx #: src/components/transactions/UnStake/UnStakeModalContent.tsx msgid "Staking balance" msgstr "Balance stakeado" @@ -631,10 +756,19 @@ msgstr "Este activo casi ha alcanzado su límite de préstamo. Solo hay {message msgid "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." msgstr "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." +#: src/components/AssetCategoryMultiselect.tsx +msgid "Select Categories" +msgstr "" + #: src/components/caps/CapsTooltip.tsx msgid "This asset has reached its supply cap. Nothing is available to be supplied from this market." msgstr "Este activo ha alcanzado su límite de suministro. No queda nada disponible para ser suministrado desde este mercado." +#: src/modules/history/actions/ActionDetails.tsx +#: src/modules/history/HistoryFilterMenu.tsx +msgid "Collateral Swap" +msgstr "" + #: src/modules/reserve-overview/ReserveConfiguration.tsx msgid "MAI has been paused due to a community decision. Supply, borrows and repays are impacted. <0>More details" msgstr "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" @@ -644,33 +778,35 @@ msgstr "MAI ha sido pausado debido a una decisión de la comunidad. Los suminist msgid "Underlying token" msgstr "Token subyacente" -#: src/components/transactions/Bridge/BridgeModalContent.tsx -msgid "Bridged Via CCIP" -msgstr "" - #: src/modules/dashboard/lists/ListBottomText.tsx msgid "Since this is a test network, you can get any of the assets if you have ETH on your wallet" msgstr "Puesto que esta es una red de pruebas, puedes obtener cualquiera de los activos si tienes ETH en tu cartera" +#: src/components/transactions/Swap/errors/shared/InsufficientLiquidityBlockingError.tsx +msgid "There is not enough liquidity in {symbol} to complete this swap. Try lowering the amount." +msgstr "" + +#: src/components/incentives/MerklIncentivesTooltipContent.tsx +msgid "This is a program initiated by the Aave DAO and implemented by Merkl. Aave Labs does not guarantee the program and accepts no liability." +msgstr "" + #: src/modules/staking/BuyWithFiatModal.tsx msgid "Choose one of the on-ramp services" msgstr "Elige uno de los servicios on-ramp" #: src/modules/reserve-overview/BorrowInfo.tsx -#: src/modules/reserve-overview/Gho/GhoBorrowInfo.tsx -#: src/modules/reserve-overview/Gho/GhoBorrowInfo.tsx msgid "Maximum amount available to borrow is <0/> {0} (<1/>)." msgstr "La máxima cantidad disponible para tomar prestado es <0/> {0} (<1/>)." +#: src/components/transactions/Swap/actions/ActionsBlocked.tsx +msgid "Check errors" +msgstr "" + #: src/modules/dashboard/lists/BorrowedPositionsList/BorrowedPositionsList.tsx #: src/modules/dashboard/lists/BorrowedPositionsList/BorrowedPositionsList.tsx msgid "Your borrows" msgstr "Tus préstamos" -#: src/components/transactions/Repay/CollateralRepayModalContent.tsx -msgid "Repaid" -msgstr "Pagado" - #: src/components/transactions/FlowCommons/RightHelperText.tsx msgid "Review approval tx details" msgstr "Revisa los detalles del approve" @@ -691,13 +827,9 @@ msgstr "El poder de préstamo y los activos están limitados debido al Isolation msgid "Protocol borrow cap at 100% for this asset. Further borrowing unavailable." msgstr "El límite de préstamo del protocolo está al 100% para este activo. No es posible tomar más prestado." -#: src/modules/history/actions/BorrowRateModeBlock.tsx -msgid "Stable" -msgstr "Estable" - -#: src/components/transactions/DebtSwitch/DebtSwitchModalContent.tsx -msgid "Variable rate" -msgstr "Tasa variable" +#: src/modules/umbrella/helpers/SharesTooltip.tsx +msgid "Shares" +msgstr "" #: src/modules/reserve-overview/SupplyInfo.tsx msgid "stETH supplied as collateral will continue to accrue staking rewards provided by daily rebases." @@ -707,28 +839,36 @@ msgstr "stETH suministrado como garantía continuará acumulando recompensas de msgid "Borrowed assets" msgstr "" -#: src/components/transactions/Repay/CollateralRepayModalContent.tsx -#: src/components/transactions/Swap/SwapModalContent.tsx -msgid "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." -msgstr "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." - #: src/modules/dashboard/lists/SupplyAssetsList/SupplyAssetsList.tsx msgid "Collateral usage is limited because of isolation mode. <0>Learn More" msgstr "El uso como garantía está limitado debido al isolation mode. <0>Aprende más" +#: src/components/transactions/Swap/modals/result/SwapResultView.tsx +msgid "Swap saved in your <0>history section." +msgstr "" + #: src/modules/migration/MigrationBottomPanel.tsx msgid "Migrate your assets" msgstr "" -#: src/modules/reserve-overview/Gho/GhoPieChartContainer.tsx -msgid "At a discount" -msgstr "Con un descuento" +#: src/modules/staking/StakingHeader.tsx +msgid "AAVE 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 "" + +#: src/layouts/components/NavItems.tsx +msgid "Savings" +msgstr "" #: src/components/transactions/Emode/EmodeModalContent.tsx #: src/modules/dashboard/DashboardEModeButton.tsx msgid "Asset category" msgstr "Categoría de activos" +#: src/components/transactions/SavingsGho/SavingsGhoWithdrawActions.tsx +#: src/components/transactions/SavingsGho/SavingsGhoWithdrawModal.tsx +msgid "Withdraw GHO" +msgstr "" + #: src/modules/reserve-overview/ReserveConfiguration.tsx msgid "This asset is frozen due to an Aave community decision. <0>More details" msgstr "Este activo está congelado debido a una decisión de la comunidad de Aave. <0>Más información" @@ -752,34 +892,47 @@ msgid "The fee includes the gas cost to complete the transaction on the destinat msgstr "" #: src/components/caps/DebtCeilingStatus.tsx -#: src/modules/markets/Gho/GhoBanner.tsx #: src/modules/reserve-overview/BorrowInfo.tsx #: src/modules/reserve-overview/BorrowInfo.tsx -#: src/modules/reserve-overview/Gho/GhoBorrowInfo.tsx -#: src/modules/reserve-overview/Gho/GhoBorrowInfo.tsx -#: src/modules/reserve-overview/Gho/GhoBorrowInfo.tsx -#: src/modules/reserve-overview/Gho/GhoBorrowInfo.tsx #: src/modules/reserve-overview/SupplyInfo.tsx #: src/modules/reserve-overview/SupplyInfo.tsx msgid "of" msgstr "de" +#: src/modules/umbrella/AvailableToStakeItem.tsx +msgid "Your balance of assets that are available to stake" +msgstr "" + +#: src/components/transactions/Swap/actions/RepayWithCollateral/RepayWithCollateralActionsViaCoW.tsx +#: src/components/transactions/Swap/actions/RepayWithCollateral/RepayWithCollateralActionsViaCoW.tsx +msgid "Repay {0} with {1}" +msgstr "" + +#: src/modules/sGho/SGhoDepositPanel.tsx +#: src/modules/sGho/SGhoDepositPanel.tsx +msgid "GHO Balance" +msgstr "" + +#: src/layouts/SupportModal.tsx +msgid "Country (optional)" +msgstr "" + #: src/modules/reserve-overview/Gho/GhoReserveConfiguration.tsx msgid "Techpaper" msgstr "Documento técnico" -#: src/components/transactions/Switch/SwitchTxSuccessView.tsx +#: src/components/transactions/Swap/modals/result/SwapResultView.tsx msgid "You've successfully submitted an order." msgstr "" #: src/components/transactions/AssetInput.tsx -#: src/components/transactions/Switch/SwitchAssetInput.tsx +#: src/components/transactions/Swap/inputs/primitives/SwapAssetInput.tsx msgid "Max" msgstr "Max" -#: src/components/transactions/Switch/SwitchSlippageSelector.tsx -msgid "Slippage" -msgstr "Deslizamiento" +#: src/components/incentives/MerklIncentivesTooltipContent.tsx +msgid "Points" +msgstr "" #: src/layouts/components/LanguageSwitcher.tsx msgid "Greek" @@ -789,6 +942,10 @@ msgstr "Griego" msgid "Claim {symbol}" msgstr "Reclamar {symbol}" +#: src/components/transactions/Swap/errors/shared/FlashLoanDisabledBlockingError.tsx +msgid "Position swaps are disabled for this asset due to security reasons." +msgstr "" + #: pages/v3-migration.page.tsx msgid "Please connect your wallet to see migration tool." msgstr "Por favor conecta tu cartera para ver la herramienta de migración." @@ -799,6 +956,10 @@ msgstr "Por favor conecta tu cartera para ver la herramienta de migración." msgid "{networkName} Faucet" msgstr "Faucet {networkName}" +#: src/components/incentives/MerklIncentivesTooltipContent.tsx +msgid "Protocol Incentives" +msgstr "" + #: src/layouts/MobileMenu.tsx #: src/layouts/SettingsMenu.tsx msgid "Watch wallet" @@ -808,6 +969,20 @@ msgstr "" msgid "This action will reduce health factor of V3 below liquidation threshold. Increase migrated collateral or reduce migrated borrow to continue." msgstr "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." +#: src/components/transactions/Swap/errors/shared/GasEstimationError.tsx +msgid "Gas estimation error" +msgstr "" + +#: src/modules/reserve-overview/Gho/SavingsGho.tsx +#: src/modules/sGho/SGhoDepositPanel.tsx +#: src/modules/staking/GhoStakingPanel.tsx +msgid "Instant" +msgstr "" + +#: src/modules/umbrella/UnstakeModalContent.tsx +msgid "Stake balance" +msgstr "" + #: src/components/infoTooltips/PausedTooltip.tsx msgid "This asset has been paused due to a community decision. Supply, withdraw, borrows and repays are impacted." msgstr "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." @@ -829,7 +1004,7 @@ msgstr "Entiendo completamente los riesgos de migrar." msgid "The underlying asset cannot be rescued" msgstr "El activo base no puede ser rescatado" -#: src/components/transactions/Swap/SwapModalDetails.tsx +#: src/components/transactions/Swap/details/CollateralSwapDetails.tsx msgid "Supply balance after switch" msgstr "Balance del suministro después del cambio" @@ -837,36 +1012,41 @@ msgstr "Balance del suministro después del cambio" msgid "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" msgstr "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" +#: src/modules/umbrella/UmbrellaHeader.tsx +msgid "Stake your Aave aTokens or underlying assets to earn rewards. In case of a shortfall event, your stake may be slashed to cover the deficit." +msgstr "" + #: src/modules/staking/StakingPanel.tsx msgid "Aave per month" msgstr "Aave por mes" +#: src/components/transactions/ClaimRewards/ClaimRewardsModalContent.tsx +msgid "Claiming all protocol rewards only. Merit rewards excluded - select \"claim all\" to include merit rewards." +msgstr "" + #: src/components/transactions/FlowCommons/TxModalDetails.tsx -#: src/components/transactions/Swap/SwapModalDetails.tsx +#: src/components/transactions/Swap/details/CollateralSwapDetails.tsx #: src/modules/history/actions/ActionDetails.tsx msgid "Collateralization" msgstr "Colateralización" -#: src/components/transactions/FlowCommons/Error.tsx -msgid "You can report incident to our <0>Discord or<1>Github." -msgstr "Puedes reportar cualquier incidente a nuestro <0>Discord o <1>Github." - #: src/components/MarketSwitcher.tsx msgid "Main Ethereum market with the largest selection of assets and yield options" msgstr "" #: src/components/ReserveSubheader.tsx #: src/components/transactions/FlowCommons/TxModalDetails.tsx +#: src/components/transactions/Supply/SupplyModalContent.tsx msgid "Disabled" msgstr "Deshabilitado" -#: src/components/transactions/Borrow/GhoBorrowSuccessView.tsx -msgid "COPIED!" -msgstr "¡COPIADO!" +#: src/components/infoTooltips/GhoRateTooltip.tsx +msgid "Estimated compounding 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." +msgstr "" -#: src/components/transactions/DebtSwitch/DebtSwitchModalContent.tsx -msgid "Fixed rate" -msgstr "Interés fijo" +#: src/layouts/SupportModal.tsx +msgid "Share my wallet address to help the support team resolve my issue" +msgstr "" #: src/components/transactions/StakeRewardClaimRestake/StakeRewardClaimRestakeActions.tsx msgid "Restaking {symbol}" @@ -881,10 +1061,26 @@ msgstr "Retirando {symbol}" msgid "None" msgstr "Ninguno" +#: src/modules/history/actions/ActionDetails.tsx +msgid "Unknown" +msgstr "" + +#: src/components/transactions/Swap/actions/DebtSwap/DebtSwapActionsViaCoW.tsx +msgid "Swapping {0} debt" +msgstr "" + +#: pages/safety-module.page.tsx +msgid "We couldn't detect a wallet. Connect a wallet to stake and view your balance." +msgstr "" + #: src/modules/bridge/BridgeWrapper.tsx msgid "Destination" msgstr "" +#: src/modules/sGho/SGhoDepositPanel.tsx +#: src/modules/sGho/SGhoDepositPanel.tsx +#: src/modules/staking/GhoStakingPanel.tsx +#: src/modules/staking/GhoStakingPanel.tsx #: src/modules/staking/StakingPanel.tsx #: src/modules/staking/StakingPanel.tsx msgid "Reactivate cooldown period to unstake {0} {stakedToken}" @@ -894,6 +1090,10 @@ msgstr "Reactivar el periodo de cooldown para unstakear {0} {stakedToken}" msgid "Migrate to v3" msgstr "Migrar a V3" +#: src/components/transactions/FlowCommons/Error.tsx +msgid "Get support" +msgstr "" + #: src/components/transactions/Bridge/BridgeModalContent.tsx msgid "The source chain time to finality is the main factor that determines the time to destination. <0>Learn more" msgstr "" @@ -906,6 +1106,10 @@ msgstr "" msgid "Learn more." msgstr "Aprende más." +#: src/components/transactions/Supply/CollateralOptionsSelector.tsx +msgid "Active" +msgstr "" + #: src/modules/migration/MigrationList.tsx #: src/modules/migration/MigrationList.tsx msgid "Current v2 balance" @@ -923,6 +1127,10 @@ msgstr "Capacidad de préstamo utilizada" msgid "Operation not supported" msgstr "Operación no soportada" +#: src/components/MarketSwitcher.tsx +msgid "L2 Networks" +msgstr "" + #: src/modules/governance/RepresentativesInfoPanel.tsx msgid "Linked addresses" msgstr "Direcciones vinculadas" @@ -940,6 +1148,10 @@ msgstr "Activos a suministrar" msgid "Restake" msgstr "Restakear" +#: src/components/transactions/CancelCowOrder/CancelCowOrderActions.tsx +msgid "Sending cancel..." +msgstr "" + #: src/modules/reserve-overview/Gho/GhoReserveConfiguration.tsx msgid "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." msgstr "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 la DAO de Aave." @@ -966,53 +1178,63 @@ msgstr "Modo de solo lectura. Conéctate a una cartera para realizar transaccion msgid "ends" msgstr "finaliza" -#: src/layouts/FeedbackDialog.tsx -msgid "Thank you for submitting feedback!" -msgstr "" - #: src/hooks/useReserveActionState.tsx msgid "Borrowing is unavailable because you’ve enabled Efficiency Mode (E-Mode) for {0} category. To manage E-Mode categories visit your <0>Dashboard." msgstr "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." -#: src/modules/reserve-overview/Gho/GhoDiscountCalculator.tsx -msgid "Discount" -msgstr "Descuento" +#: src/components/transactions/Swap/warnings/postInputs/LiquidationCriticalWarning.tsx +msgid "Your health factor after this swap will be critically low and may result in liquidation. Please choose a different asset or reduce the swap amount to stay safe." +msgstr "" + +#: src/components/AssetCategoryMultiselect.tsx +msgid "{selectedCount} Categories" +msgstr "" #: src/components/CircleIcon.tsx msgid "{tooltipText}" msgstr "{tooltipText}" -#: src/components/infoTooltips/SuperFestTooltip.tsx -msgid "Rewards can be claimed through" +#: src/components/transactions/Swap/actions/CollateralSwap/CollateralSwapActionsViaCoWAdapters.tsx +#: src/components/transactions/Swap/actions/CollateralSwap/CollateralSwapActionsViaParaswapAdapters.tsx +msgid "Swapping {0} collateral" msgstr "" -#: src/components/incentives/ZkSyncIgniteIncentivesTooltipContent.tsx -msgid "This is a program initiated and implemented by the decentralised ZKSync community. Aave Labs does not guarantee the program and accepts no liability." +#: src/components/infoTooltips/SuperFestTooltip.tsx +msgid "Rewards can be claimed through" msgstr "" #: pages/500.page.tsx msgid "Sorry, an unexpected error happened. In the meantime you may try reloading the page, or come back later." msgstr "Lo sentimos, se produjo un error imprevisto. Mientras tanto, puedes intentar recargar la página, o volver después." -#: src/modules/staking/StakingPanel.tsx +#: src/components/SecondsToString.tsx msgid "{d}d" msgstr "{d}d" +#: src/components/transactions/Swap/errors/shared/BalanceLowerThanInput.tsx +msgid "Your {0} balance is lower than the selected amount." +msgstr "" + #: 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 "Ventana de unstakeo" -#: src/modules/reserve-overview/graphs/ApyGraphContainer.tsx +#: src/modules/reserve-overview/graphs/MeritApyGraphContainer.tsx msgid "Reload" msgstr "Recargar" -#: src/components/transactions/Borrow/GhoBorrowSuccessView.tsx -msgid "Save and share" -msgstr "Guardar y compartir" +#: src/layouts/components/NavItems.tsx +#: src/modules/reserve-overview/Gho/SavingsGho.tsx +#: src/modules/reserve-overview/Gho/SavingsGho.tsx +#: src/modules/sGho/SGhoDepositPanel.tsx +#: src/modules/staking/GhoStakingPanel.tsx +msgid "sGHO" +msgstr "" -#: src/components/transactions/Switch/BaseSwitchModal.tsx -#: src/components/transactions/Switch/BaseSwitchModalContent.tsx +#: src/components/transactions/Swap/modals/SwapModal.tsx msgid "Please connect your wallet to swap tokens." msgstr "" @@ -1024,6 +1246,10 @@ msgstr "Este activo no se puede migrar al mercado v3 de {marketName}, ya que el msgid "Maximum amount available to supply is limited because protocol supply cap is at {0}%." msgstr "La cantidad máxima disponible para suministrar está limitada porque el límite de suministro del protocolo está al {0}%." +#: src/components/transactions/CollateralChange/CollateralChangeModalContent.tsx +msgid "E-Mode required" +msgstr "" + #: src/components/infoTooltips/CollateralTooltip.tsx msgid "The total amount of your assets denominated in USD that can be used as collateral for borrowing assets." msgstr "La cantidad total de tus activos denominados en USD que pueden ser usados como garantía para activos de préstamo." @@ -1036,7 +1262,10 @@ msgstr "Reclamando {symbol}" msgid "Borrowing of this asset is limited to a certain amount to minimize liquidity pool insolvency." msgstr "Tomar prestado este activo está limitado a una cierta cantidad para minimizar la insolvencia del fondo de liquidez." -#: src/components/transactions/Borrow/GhoBorrowSuccessView.tsx +#: src/modules/staking/StakingHeader.tsx +msgid "The Safety Module has been upgraded to <0>Umbrella, a new system that introduces automated slashing, aToken staking, and improved incentives design." +msgstr "" + #: src/components/transactions/FlowCommons/BaseSuccess.tsx msgid "All done" msgstr "" @@ -1046,7 +1275,12 @@ msgid "This asset is planned to be offboarded due to an Aave Protocol Governance msgstr "Está previsto que este activo se desvincule debido a una decisión del Gobierno del Protocolo Aave. <0>Más detalles" #: src/components/transactions/StakeCooldown/StakeCooldownModalContent.tsx +#: src/modules/reserve-overview/Gho/SavingsGho.tsx +#: src/modules/sGho/SavingsGhoCard.tsx +#: src/modules/sGho/SGhoDepositPanel.tsx +#: src/modules/staking/GhoStakingPanel.tsx #: src/modules/staking/StakingPanel.tsx +#: src/modules/umbrella/StakeCooldownModalContent.tsx msgid "Cooldown period" msgstr "Periodo de cooldown" @@ -1055,12 +1289,23 @@ msgstr "Periodo de cooldown" msgid "Liquidation at" msgstr "Liquidación en" -#: src/components/transactions/Switch/SwitchModalTxDetails.tsx +#: src/components/transactions/Swap/details/CowCostsDetails.tsx msgid "Costs & Fees" msgstr "" +#: src/components/transactions/SavingsGho/SavingsGhoModalDepositContent.tsx +msgid "deposited" +msgstr "" + +#: src/components/transactions/Swap/errors/shared/ZeroLTVBlockingError.tsx +msgid "You have assets with zero LTV that are blocking this operation. Please withdraw them or disable them as collateral first." +msgstr "" + +#: src/components/incentives/MeritIncentivesTooltipContent.tsx #: src/components/incentives/MeritIncentivesTooltipContent.tsx -#: src/components/incentives/ZkSyncIgniteIncentivesTooltipContent.tsx +#: src/components/incentives/MerklIncentivesTooltipContent.tsx +#: src/components/incentives/MerklIncentivesTooltipContent.tsx +#: src/components/incentives/MerklIncentivesTooltipContent.tsx #: src/components/MarketSwitcher.tsx #: src/components/transactions/DelegationTxsWrapper.tsx #: src/components/transactions/DelegationTxsWrapper.tsx @@ -1073,12 +1318,20 @@ msgstr "" #: src/components/transactions/GovDelegation/GovDelegationModalContent.tsx #: src/components/transactions/StakeCooldown/StakeCooldownModalContent.tsx #: src/components/transactions/StakeCooldown/StakeCooldownModalContent.tsx -#: src/components/transactions/Switch/SwitchAssetInput.tsx +#: src/components/transactions/Swap/inputs/primitives/SwapAssetInput.tsx +#: src/components/transactions/Warnings/ChangeNetworkWarning.tsx +#: src/components/transactions/Warnings/ChangeNetworkWarning.tsx +#: src/layouts/TopBarNotify.tsx +#: src/layouts/TopBarNotify.tsx +#: src/layouts/TopBarNotify.tsx #: src/layouts/TopBarNotify.tsx #: src/layouts/TopBarNotify.tsx #: src/modules/dashboard/DashboardEModeButton.tsx #: src/modules/reserve-overview/ReserveTopDetailsWrapper.tsx -#: src/modules/staking/GhoDiscountProgram.tsx +#: src/modules/staking/SavingsGhoProgram.tsx +#: src/modules/umbrella/StakeCooldownModalContent.tsx +#: src/modules/umbrella/StakeCooldownModalContent.tsx +#: src/modules/umbrella/UmbrellaMarketSwitcher.tsx msgid "{0}" msgstr "{0}" @@ -1086,54 +1339,66 @@ msgstr "{0}" msgid "Manage analytics" msgstr "Administrar analíticas" -#: src/components/incentives/GhoIncentivesCard.tsx -msgid "Estimated compounding interest, including discount for Staking {0}AAVE in Safety Module." -msgstr "Interés compuesto estimado, incluyendo el descuento por Staking {0}AAVE en el Módulo de Seguridad." +#: src/components/AssetCategoryMultiselect.tsx +#: src/components/MarketAssetCategoryFilter.tsx +msgid "Stablecoins" +msgstr "" #: src/components/transactions/UnStake/UnStakeActions.tsx +#: src/modules/umbrella/UnstakeModalActions.tsx msgid "Unstaking {symbol}" msgstr "Unstakeando {symbol}" -#: src/components/transactions/Switch/SwitchActions.tsx +#: src/components/transactions/Swap/actions/DebtSwap/DebtSwapActionsViaParaswap.tsx +#: src/components/transactions/Swap/actions/SwapActions/SwapActionsViaCoW.tsx +#: src/components/transactions/Swap/actions/SwapActions/SwapActionsViaParaswap.tsx msgid "Swapping" msgstr "" +#: src/components/AssetCategoryMultiselect.tsx +#: src/components/MarketAssetCategoryFilter.tsx +msgid "ETH Correlated" +msgstr "" + #: src/components/transactions/CollateralChange/CollateralChangeModalContent.tsx msgid "You can not use this currency as collateral" msgstr "No puedes usar este activo como garantía" -#: src/components/transactions/ClaimRewards/RewardsSelect.tsx -msgid "Reward(s) to claim" -msgstr "Recompensa(s) por reclamar" - #: 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/helpers/StakingDropdown.tsx +#: src/modules/umbrella/UmbrellaActions.tsx +#: src/modules/umbrella/UmbrellaModal.tsx msgid "Stake" msgstr "Stakear" +#: src/components/transactions/SavingsGho/SavingsGhoModalDepositContent.tsx #: src/components/transactions/Stake/StakeModalContent.tsx msgid "Not enough balance on your wallet" msgstr "No hay suficiente balance en tu cartera" +#: src/modules/sGho/SavingsGhoCard.tsx +#: src/modules/sGho/SGhoDepositPanel.tsx #: src/modules/staking/GetGhoToken.tsx -#: src/modules/staking/StakingPanel.tsx +#: src/modules/staking/GhoStakingPanel.tsx msgid "Get GHO" msgstr "Obtener GHO" #: src/components/transactions/Repay/RepayModalContent.tsx #: src/components/transactions/Repay/RepayTypeSelector.tsx +#: src/components/transactions/SavingsGho/SavingsGhoModalDepositContent.tsx #: src/components/transactions/Stake/StakeModalContent.tsx #: src/components/transactions/StakingMigrate/StakingMigrateModalContent.tsx #: src/components/transactions/Supply/SupplyModalContent.tsx #: 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 "Balance de la cartera" -#: src/components/transactions/Repay/CollateralRepayModalContent.tsx +#: src/components/transactions/Swap/details/RepayWithCollateralDetails.tsx msgid "Borrow balance after repay" msgstr "Balance tomado prestado tras pagar" @@ -1141,10 +1406,6 @@ msgstr "Balance tomado prestado tras pagar" msgid "Supplied assets" msgstr "" -#: src/components/transactions/Withdraw/WithdrawTypeSelector.tsx -msgid "Withdraw & Switch" -msgstr "Retirar y Cambiar" - #: src/components/transactions/Warnings/DebtCeilingWarning.tsx msgid "Protocol debt ceiling is at 100% for this asset. Further borrowing against this asset is unavailable." msgstr "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." @@ -1157,10 +1418,6 @@ msgstr "Los tokens stETH se migrarán a Wrapped stETH usando el wrapper del prot msgid "Use connected account" msgstr "" -#: src/modules/history/TransactionMobileRowItem.tsx -msgid "VIEW TX" -msgstr "VER TX" - #: src/components/infoTooltips/LiquidationThresholdTooltip.tsx msgid "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." msgstr "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." @@ -1169,9 +1426,9 @@ msgstr "Esto representa el umbral en el que un préstamo será considerado sin g msgid "Isolated" msgstr "Aislado" -#: src/layouts/TopBarNotify.tsx -msgid "{notifyText}" -msgstr "{notifyText}" +#: src/components/transactions/Supply/CollateralOptionsSelector.tsx +msgid "Borrow:" +msgstr "" #: src/components/transactions/Emode/EmodeActions.tsx msgid "Switching E-Mode" @@ -1190,8 +1447,15 @@ msgstr "Debido a mecánicas internas de stETH requeridas para el soporte del reb msgid "Wrong Network" msgstr "Red incorrecta" +#: src/components/incentives/MerklIncentivesTooltipContent.tsx +msgid "Merkl rewards are claimed through the" +msgstr "" + #: src/components/transactions/Stake/StakeActions.tsx -#: src/modules/staking/StakingHeader.tsx +#: src/layouts/components/NavItems.tsx +#: src/layouts/components/StakingMenu.tsx +#: src/modules/umbrella/UmbrellaActions.tsx +#: src/modules/umbrella/UmbrellaHeader.tsx msgid "Staking" msgstr "Staking" @@ -1201,6 +1465,7 @@ msgid "Enter ETH address" msgstr "Introduce la dirección ETH" #: src/components/transactions/ClaimRewards/ClaimRewardsActions.tsx +#: src/modules/umbrella/UmbrellaClaimActions.tsx msgid "Claiming" msgstr "Reclamando" @@ -1208,6 +1473,7 @@ msgstr "Reclamando" msgid "Current LTV" msgstr "LTV actual" +#: src/components/transactions/Swap/shared/OrderTypeSelector.tsx #: src/modules/reserve-overview/ReserveTopDetailsWrapper.tsx msgid "Market" msgstr "Mercado" @@ -1216,8 +1482,12 @@ msgstr "Mercado" msgid "Learn more about Ethena Rewards program" msgstr "" -#: src/layouts/FeedbackDialog.tsx -msgid "Send Feedback" +#: src/components/transactions/Swap/inputs/primitives/SwapAssetInput.tsx +msgid "{popularSectionTitle}" +msgstr "" + +#: src/components/transactions/ClaimRewards/RewardsSelect.tsx +msgid "Rewards to claim" msgstr "" #: src/components/transactions/GovVote/GovVoteModalContent.tsx @@ -1227,10 +1497,11 @@ msgstr "Sin poder de voto" #: src/modules/dashboard/lists/SupplyAssetsList/SupplyAssetsList.tsx #: src/modules/dashboard/lists/SupplyAssetsList/SupplyAssetsListItem.tsx #: src/modules/dashboard/lists/SupplyAssetsList/SupplyAssetsListMobileItem.tsx -#: src/modules/reserve-overview/SupplyInfo.tsx msgid "Can be collateral" msgstr "Puede ser garantía" +#: src/modules/sGho/SGhoDepositPanel.tsx +#: src/modules/staking/GhoStakingPanel.tsx #: src/modules/staking/StakingPanel.tsx msgid "Claimable AAVE" msgstr "AAVE Reclamable" @@ -1243,30 +1514,53 @@ msgstr "Tomar prestado y pagar en el mismo bloque no está permitido" msgid "<0>Slippage tolerance <1>{selectedSlippage}% <2>{0}" msgstr "<0>Tolerancia de deslizamiento <1>{selectedSlippage}% <2>{0}" -#: src/components/transactions/Repay/CollateralRepayModalContent.tsx -msgid "Maximum collateral amount to use" +#: src/components/transactions/Swap/actions/ActionsSkeleton.tsx +msgid "Waiting for actions..." msgstr "" -#: src/layouts/FeedbackDialog.tsx -msgid "Let us know how we can make the app better for you. For user support related inquiries please reach out on" +#: src/components/incentives/MerklIncentivesTooltipContent.tsx +msgid "Eligible for incentives through Merkl." msgstr "" #: src/components/transactions/Emode/EmodeModalContent.tsx msgid "Emode" msgstr "Modo E" +#: src/components/transactions/CancelCowOrder/CancelCowOrderModalContent.tsx +msgid "This will cancel the order via an on-chain transaction. Note that the order will not be marked as cancelled in the CoW Protocol system, but will remain open and expire naturally. Keep in mind that a solver may already have filled your order." +msgstr "" + +#: src/modules/history/actions/ActionDetails.tsx +#: src/modules/history/actions/ActionDetails.tsx +#: src/modules/history/actions/ActionDetails.tsx +msgid "Expired" +msgstr "" + +#: src/components/transactions/Swap/errors/shared/GasEstimationError.tsx #: src/components/transactions/Warnings/ParaswapErrorDisplay.tsx msgid "Tip: Try increasing slippage or reduce input amount" msgstr "Tip: Intenta aumentar el deslizamiento o reduce la cantidad de entrada" -#: src/components/transactions/DebtSwitch/DebtSwitchModalContent.tsx -msgid "Maximum amount received" +#: src/components/transactions/SavingsGho/SavingsGhoWithdrawActions.tsx +msgid "Activating Cooldown" +msgstr "" + +#: src/components/transactions/Swap/actions/ActionsSkeleton.tsx +msgid "Comparing best rates..." +msgstr "" + +#: src/components/transactions/Supply/SupplyModalContent.tsx +msgid "This will require two separate transactions: one to change E-Mode and one to supply." msgstr "" #: src/components/transactions/GovDelegation/GovDelegationModalContent.tsx msgid "Recipient address" msgstr "Dirección del destinatario" +#: src/components/transactions/Swap/inputs/primitives/SwapAssetInput.tsx +msgid "No results found." +msgstr "" + #: src/components/transactions/Warnings/AAVEWarning.tsx msgid "staking view" msgstr "vista de stakeo" @@ -1287,6 +1581,10 @@ msgstr "APY, variable" msgid "If the health factor goes below 1, the liquidation of your collateral might be triggered." msgstr "Si el factor de salud se encuentra por debajo de 1, la liquidación de tu colateral puede ser activada." +#: src/modules/sGho/SGhoDepositPanel.tsx +msgid "Current APY" +msgstr "" + #: src/ui-config/errorMapping.tsx msgid "You cancelled the transaction." msgstr "Has cancelado la transacción." @@ -1295,10 +1593,6 @@ msgstr "Has cancelado la transacción." msgid "Borrow info" msgstr "Información de préstamo" -#: src/components/transactions/Bridge/BridgeModalContent.tsx -msgid "View Bridge Transactions" -msgstr "" - #: src/ui-config/errorMapping.tsx msgid "Invalid return value of the flashloan executor function" msgstr "Valor de retorno inválido en la función executor del préstamo flash" @@ -1307,6 +1601,19 @@ msgstr "Valor de retorno inválido en la función executor del préstamo flash" msgid "Learn more about the Kernel points distribution" msgstr "" +#: src/components/transactions/Swap/modals/DebtSwapModal.tsx +msgid "Please connect your wallet to swap debt." +msgstr "" + +#: src/components/MarketSwitcher.tsx +msgid "Ethereum" +msgstr "" + +#: src/components/AssetCategoryMultiselect.tsx +#: src/components/MarketAssetCategoryFilter.tsx +msgid "All" +msgstr "" + #: src/components/isolationMode/IsolatedBadge.tsx msgid "Asset can be only used as collateral in isolation mode with limited borrowing power. To enter isolation mode, disable all other collateral." msgstr "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." @@ -1315,9 +1622,8 @@ msgstr "Este activo solo se puede utilizar como garantía en isolation mode con msgid "View all" msgstr "" -#: src/components/transactions/DebtSwitch/DebtSwitchModalContent.tsx -#: src/components/transactions/Swap/SwapModalContent.tsx -msgid "Swap to" +#: src/modules/sGho/SGhoHeader.tsx +msgid "Weekly Rewards" msgstr "" #: src/components/transactions/CollateralChange/CollateralChangeActions.tsx @@ -1325,6 +1631,7 @@ msgstr "" msgid "Pending..." msgstr "Pendiente..." +#: src/modules/staking/GhoStakingPanel.tsx #: src/modules/staking/StakingPanel.tsx msgid "Wallet Balance" msgstr "Balance de la cartera" @@ -1334,18 +1641,27 @@ msgstr "Balance de la cartera" msgid "Amount claimable" msgstr "Cantidad reclamable" +#: src/components/incentives/MeritIncentivesTooltipContent.tsx +msgid "{remainingCustomMessage}" +msgstr "" + #: src/modules/reserve-overview/ReserveFactorOverview.tsx msgid "Collector Contract" msgstr "Collector Contract" #: src/components/transactions/StakeCooldown/StakeCooldownModalContent.tsx +#: src/modules/umbrella/StakeCooldownModalContent.tsx msgid "Nothing staked" msgstr "Nada invertido" -#: src/modules/staking/StakingPanel.tsx +#: src/components/SecondsToString.tsx msgid "{m}m" msgstr "{m}m" +#: src/layouts/SupportModal.tsx +msgid "Inquiry" +msgstr "" + #: src/ui-config/errorMapping.tsx msgid "Unbacked mint cap is exceeded" msgstr "El límite de minteo sin respaldo ha sido excedido" @@ -1354,11 +1670,17 @@ msgstr "El límite de minteo sin respaldo ha sido excedido" msgid "Maximum amount available to borrow against this asset is limited because debt ceiling is at {0}%." msgstr "La cantidad máxima disponible para tomar prestado contra este activo está limitada porque el límite de deuda está al {0}%." -#: src/layouts/FeedbackDialog.tsx +#: src/layouts/SupportModal.tsx msgid "Email" msgstr "" +#: src/components/incentives/MeritIncentivesTooltipContent.tsx +#: src/components/incentives/MeritIncentivesTooltipContent.tsx +msgid "here" +msgstr "" + #: src/modules/staking/StakingPanel.tsx +#: src/modules/umbrella/UnstakeModal.tsx msgid "Unstake" msgstr "Unstakear" @@ -1370,6 +1692,11 @@ msgstr "Resumen de la propuesta" msgid "Protocol debt ceiling is at 100% for this asset. Futher borrowing against this asset is unavailable." msgstr "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." +#: src/components/MarketSwitcher.tsx +msgid "Favourites" +msgstr "" + +#: src/components/AssetCategoryMultiselect.tsx #: src/modules/history/HistoryFilterMenu.tsx msgid "Reset" msgstr "Restablecer" @@ -1378,11 +1705,19 @@ msgstr "Restablecer" msgid "disabled" msgstr "deshabilitado" +#: src/components/transactions/SavingsGho/SavingsGhoDepositModal.tsx +#: src/modules/sGho/SavingsGhoCard.tsx +msgid "Deposit GHO" +msgstr "" + #: src/modules/reserve-overview/Gho/GhoReserveConfiguration.tsx msgid "Website" msgstr "Página web" -#: src/components/transactions/Withdraw/WithdrawAndSwitchModalContent.tsx +#: src/components/incentives/MerklIncentivesTooltipContent.tsx +msgid "Protocol APY" +msgstr "" + #: src/components/transactions/Withdraw/WithdrawAndUnwrapActions.tsx #: src/components/transactions/Withdraw/WithdrawModal.tsx #: src/components/transactions/Withdraw/WithdrawTypeSelector.tsx @@ -1390,6 +1725,13 @@ msgstr "Página web" #: src/modules/dashboard/lists/SuppliedPositionsList/SuppliedPositionsListMobileItem.tsx #: src/modules/history/actions/ActionDetails.tsx #: src/modules/history/HistoryFilterMenu.tsx +#: src/modules/reserve-overview/Gho/SavingsGho.tsx +#: src/modules/sGho/SavingsGhoCard.tsx +#: src/modules/sGho/SGhoDepositPanel.tsx +#: src/modules/sGho/SGhoDepositPanel.tsx +#: src/modules/staking/GhoStakingPanel.tsx +#: src/modules/staking/GhoStakingPanel.tsx +#: src/modules/umbrella/helpers/StakingDropdown.tsx msgid "Withdraw" msgstr "Retirar" @@ -1405,7 +1747,7 @@ msgstr "El activo subyacente no existe en el mercado v3 de {marketName}, por lo msgid "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." msgstr "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." -#: pages/staking.staking.tsx +#: pages/safety-module.page.tsx msgid "Stake ABPT" msgstr "Stakea ABPT" @@ -1418,8 +1760,6 @@ msgstr "El promedio ponderado de APY para todos los activos prestados, incluidos msgid "Please connect your wallet to view transaction history." msgstr "Por favor conecta tu cartera para ver el historial de transacciones." -#: src/modules/governance/proposal/VotersListContainer.tsx -#: src/modules/governance/proposal/VotersListContainer.tsx #: src/modules/governance/proposal/VotersListContainer.tsx #: src/modules/governance/proposal/VotersListModal.tsx #: src/modules/governance/proposal/VotersListModal.tsx @@ -1431,22 +1771,30 @@ msgstr "Votos" msgid "Disable fork" msgstr "Deshabilitar fork" -#: src/components/transactions/DebtSwitch/DebtSwitchModalDetails.tsx +#: src/components/transactions/Swap/details/DebtSwapDetails.tsx msgid "Borrow apy" msgstr "Apy préstamo" +#: src/components/infoTooltips/SwapFeeTooltip.tsx #: src/components/transactions/Bridge/BridgeFeeTokenSelector.tsx -#: src/components/transactions/Switch/SwitchModalTxDetails.tsx msgid "Fee" msgstr "" -#: src/components/transactions/Swap/SwapModalDetails.tsx +#: 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 "" + +#: src/components/transactions/Swap/details/CollateralSwapDetails.tsx #: src/modules/migration/MigrationListMobileItem.tsx #: src/modules/reserve-overview/ReserveEModePanel.tsx #: src/modules/reserve-overview/SupplyInfo.tsx msgid "Liquidation threshold" msgstr "Umbral de liquidación" +#: src/components/transactions/Swap/warnings/postInputs/CowAdapterApprovalInfo.tsx +msgid "A temporary contract will be used to execute the trade. Your wallet may show a warning for approving a new or empty address." +msgstr "" + #: src/components/infoTooltips/SpkAirdropTooltip.tsx msgid "This asset is eligible for SPK incentive program. Aave Labs does not guarantee the program and accepts no liability." msgstr "" @@ -1471,23 +1819,29 @@ msgstr "" msgid "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." msgstr "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." +#: src/components/transactions/ClaimRewards/ClaimRewardsModalContent.tsx +#: src/components/transactions/ClaimRewards/ClaimRewardsModalContent.tsx +#: src/components/transactions/ClaimRewards/RewardsSelect.tsx +msgid "Merit Rewards" +msgstr "" + #: src/components/transactions/Withdraw/WithdrawAndUnwrapActions.tsx msgid "Withdrawing" msgstr "Retirando" -#: src/components/transactions/Swap/SwapModalContent.tsx -msgid "Swapped" +#: src/components/infoTooltips/ExecutionFeeTooltip.tsx +msgid "Execution fee" msgstr "" -#: pages/staking.staking.tsx -msgid "Stake GHO" -msgstr "Stakear GHO" - #: src/modules/governance/proposal/VotingResults.tsx #: src/modules/governance/proposal/VotingResults.tsx msgid "Not reached" msgstr "No alcanzado" +#: src/components/transactions/Swap/inputs/shared/SwitchSlippageSelector.tsx +msgid "Auto" +msgstr "" + #: src/modules/bridge/BridgeWrapper.tsx msgid "Age" msgstr "" @@ -1508,13 +1862,26 @@ msgstr "Firma inválida" msgid "State" msgstr "Estado" +#: src/modules/umbrella/NoStakeAssets.tsx +msgid "There are no stake assets configured for this market" +msgstr "" + #: src/modules/governance/proposal/ProposalLifecycle.tsx +#: src/modules/governance/proposal/ProposalLifecycleCache.tsx msgid "Proposal details" msgstr "Detalles de la propuesta" -#: 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 "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." +#: src/components/incentives/MeritIncentivesTooltipContent.tsx +msgid "Visit <0><1>https://aave.self.xyz/ to get started with Self’s ZK-powered proof-of-humanity authentication." +msgstr "" + +#: src/components/transactions/Supply/CollateralOptionsSelector.tsx +msgid "See {0} more" +msgstr "" + +#: src/components/transactions/Emode/EmodeModalContent.tsx +msgid "Cannot switch to this category" +msgstr "" #: src/ui-config/errorMapping.tsx msgid "Asset is not listed" @@ -1531,20 +1898,25 @@ msgstr "Enlaces" msgid "Staking APR" msgstr "Staking APR" -#: src/layouts/AppFooter.tsx -msgid "Send feedback" -msgstr "Enviar feedback" - #: src/ui-config/errorMapping.tsx msgid "Health factor is lesser than the liquidation threshold" msgstr "El factor de salud es menor que el umbral de liquidación" +#: src/modules/staking/SavingsGhoProgram.tsx +msgid "stkGHO is now Savings GHO" +msgstr "" + #: src/components/transactions/Emode/EmodeModalContent.tsx #: src/components/transactions/FlowCommons/TxModalDetails.tsx #: src/modules/dashboard/DashboardEModeButton.tsx msgid "Enabled" msgstr "Habilitado" +#: src/components/transactions/Supply/CollateralOptionsSelector.tsx +#: src/components/transactions/Supply/CollateralOptionsSelector.tsx +msgid "{0} collateral would have 0% LTV in this category. Disable {1} as collateral to use this option." +msgstr "" + #: src/modules/staking/StakingHeader.tsx msgid "Funds in the Safety Module" msgstr "Fondos en el Módulo de Seguridad" @@ -1557,13 +1929,17 @@ msgstr "Si el error persiste, <0/> podrías reportarlo a esto" msgid "Show Frozen or paused assets" msgstr "Mostrar activos congelados o pausados" +#: src/modules/reserve-overview/Gho/SavingsGho.tsx +#: src/modules/sGho/SGhoDepositPanel.tsx +#: src/modules/staking/GhoStakingPanel.tsx #: src/modules/staking/StakingPanel.tsx +#: src/modules/umbrella/AmountSharesItem.tsx msgid "Amount in cooldown" msgstr "Cantidad en cooldown" -#: src/modules/governance/proposal/VotersListContainer.tsx -msgid "Failed to load proposal voters. Please refresh the page." -msgstr "Error al cargar los votantes de la propuesta. Por favor actualiza la página." +#: src/modules/umbrella/helpers/SharesTooltip.tsx +msgid "Shares are Umbrella Stake Tokens you receive when staking. They represent your ownership in the pool, and the amount of underlying you can redeem depends on the current exchange rate between shares and the underlying." +msgstr "" #: src/modules/migration/MigrationList.tsx msgid "Liquidation Threshold" @@ -1581,10 +1957,14 @@ msgstr "" msgid "Read-only mode allows to see address positions in Aave, but you won't be able to perform transactions." msgstr "El modo de solo lectura permite ver las posiciones de las direcciones en Aave, pero no podrás realizar transacciones." -#: src/components/transactions/Switch/SwitchSlippageSelector.tsx +#: src/components/transactions/Swap/inputs/shared/SwitchSlippageSelector.tsx msgid "Max slippage" msgstr "Deslizamiento máximo" +#: src/components/transactions/Swap/warnings/postInputs/GasEstimationWarning.tsx +msgid "The swap could not be completed. Try increasing slippage or changing the amount." +msgstr "" + #: src/components/transactions/Warnings/BorrowCapWarning.tsx msgid "Protocol borrow cap is at 100% for this asset. Further borrowing unavailable." msgstr "El límite de préstamo del protocolo está al 100% para este activo. No es posible tomar más prestado." @@ -1593,6 +1973,10 @@ msgstr "El límite de préstamo del protocolo está al 100% para este activo. No msgid "Disabling E-Mode" msgstr "Desactivando E-Mode" +#: src/modules/history/HistoryWrapper.tsx +msgid "This list may not include all your swaps." +msgstr "" + #: src/ui-config/errorMapping.tsx msgid "Pool addresses provider is not registered" msgstr "La dirección del proveedor del pool no esta registrada" @@ -1609,16 +1993,12 @@ msgstr "No se puede validar la dirección de la cartera. Vuelve a intentarlo." msgid "GHO balance" msgstr "" -#: pages/index.page.tsx +#: pages/dashboard.page.tsx #: src/components/transactions/Borrow/BorrowModal.tsx #: src/modules/dashboard/lists/BorrowAssetsList/BorrowAssetsListItem.tsx #: src/modules/dashboard/lists/BorrowAssetsList/BorrowAssetsListMobileItem.tsx -#: src/modules/dashboard/lists/BorrowAssetsList/GhoBorrowAssetsListItem.tsx -#: src/modules/dashboard/lists/BorrowAssetsList/GhoBorrowAssetsListItem.tsx #: src/modules/dashboard/lists/BorrowedPositionsList/BorrowedPositionsListItem.tsx #: src/modules/dashboard/lists/BorrowedPositionsList/BorrowedPositionsListItem.tsx -#: src/modules/dashboard/lists/BorrowedPositionsList/GhoBorrowedPositionsListItem.tsx -#: src/modules/dashboard/lists/BorrowedPositionsList/GhoBorrowedPositionsListItem.tsx #: src/modules/history/actions/ActionDetails.tsx #: src/modules/history/HistoryFilterMenu.tsx #: src/modules/reserve-overview/ReserveActions.tsx @@ -1630,6 +2010,14 @@ msgstr "Tomar prestado" msgid "Liquidation penalty" msgstr "Penalización de liquidación" +#: src/components/transactions/Supply/CollateralOptionsSelector.tsx +msgid "Category assets" +msgstr "" + +#: src/modules/umbrella/StakeAssets/UmbrellaAssetsListMobileItem.tsx +msgid "Available to stake" +msgstr "" + #: src/modules/reserve-overview/SupplyInfo.tsx msgid "Asset can only be used as collateral in isolation mode only." msgstr "El activo solo puede usarse como garantía en el Isolation mode únicamente." @@ -1642,34 +2030,22 @@ msgstr "Docs" msgid "User does not have outstanding stable rate debt on this reserve" msgstr "El usuario no tiene deuda pendiente de tasa estable en esta reserva" -#: src/modules/history/actions/ActionDetails.tsx -msgid "Borrow rate change" -msgstr "Cambio de tasa de préstamo" - #: src/modules/bridge/BridgeTopPanel.tsx msgid "Bridge history" msgstr "" -#: src/modules/staking/GhoDiscountProgram.tsx -msgid "Holders of stkAAVE receive a discount on the GHO borrowing rate" -msgstr "Los poseedores de stkAAVE reciben un descuento en la tasa de préstamo de GHO" - -#: src/components/transactions/DebtSwitch/DebtSwitchModalDetails.tsx +#: src/components/transactions/Swap/details/DebtSwapDetails.tsx msgid "Borrow balance after switch" msgstr "Balance de préstamo después del cambio" -#: src/modules/reserve-overview/Gho/GhoDiscountCalculator.tsx -msgid "Discount model parameters" -msgstr "Parámetros del modelo de descuento" +#: src/modules/dashboard/lists/SuppliedPositionsList/SuppliedPositionsList.tsx +msgid "Show assets with small balance" +msgstr "" #: src/components/transactions/Bridge/BridgeModalContent.tsx msgid "Asset has been successfully sent to CCIP contract. You can check the status of the transactions below" msgstr "" -#: src/components/AddressBlockedModal.tsx -msgid "blocked activities" -msgstr "actividades bloqueadas" - #: pages/500.page.tsx msgid "Reload the page" msgstr "Recarga la página" @@ -1690,14 +2066,12 @@ msgstr "El activo no se puede pedir prestado en isolation mode" msgid "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." msgstr "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." -#: src/modules/history/HistoryWrapper.tsx -msgid "Transaction history is not currently available for this market" -msgstr "El historial de transacciones no está disponible actualmente para este mercado" +#: src/components/transactions/CancelCowOrder/CancelCowOrderActions.tsx +msgid "Send cancel" +msgstr "" #: src/modules/dashboard/lists/BorrowAssetsList/BorrowAssetsListItem.tsx #: src/modules/dashboard/lists/BorrowAssetsList/BorrowAssetsListMobileItem.tsx -#: src/modules/dashboard/lists/BorrowAssetsList/GhoBorrowAssetsListItem.tsx -#: src/modules/dashboard/lists/BorrowAssetsList/GhoBorrowAssetsListItem.tsx #: src/modules/dashboard/lists/SupplyAssetsList/SupplyAssetsListItem.tsx #: src/modules/dashboard/lists/SupplyAssetsList/SupplyAssetsListMobileItem.tsx #: src/modules/markets/MarketAssetsListItem.tsx @@ -1705,6 +2079,7 @@ msgid "Details" msgstr "Detalles" #: src/components/transactions/StakeCooldown/StakeCooldownModalContent.tsx +#: src/modules/umbrella/StakeCooldownModalContent.tsx msgid "Stake cooldown activated" msgstr "Cooldown de stakeo activado" @@ -1720,6 +2095,11 @@ msgstr "" msgid "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." msgstr "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." +#: src/components/transactions/StakeCooldown/StakeCooldownModalContent.tsx +#: src/modules/umbrella/StakeCooldownModalContent.tsx +msgid "You'll need to wait {0} before you can unstake your tokens. This cooldown starts when you request to unstake. Once it ends, you can withdraw during the unstake window." +msgstr "" + #: src/components/transactions/StakeRewardClaim/StakeRewardClaimModalContent.tsx #: src/components/transactions/StakeRewardClaimRestake/StakeRewardClaimRestakeModalContent.tsx msgid "No rewards to claim" @@ -1733,6 +2113,14 @@ msgstr "Factor de reserva" msgid "Migration risks" msgstr "Riesgos de migración" +#: src/components/transactions/Swap/warnings/postInputs/LowHealthFactorWarning.tsx +msgid "I understand the liquidation risk and want to proceed" +msgstr "" + +#: src/components/transactions/Swap/warnings/postInputs/HighPriceImpactWarning.tsx +msgid "I confirm the swap knowing that I could lose up to <0>{0}% on this swap." +msgstr "" + #: src/modules/history/actions/ActionDetails.tsx msgid "Covered debt" msgstr "Deuda cubierta" @@ -1753,7 +2141,10 @@ msgstr "Total de préstamos" msgid "YAE" msgstr "YAE" -#: src/components/transactions/Borrow/GhoBorrowSuccessView.tsx +#: src/components/transactions/ClaimRewards/ClaimRewardsModalContent.tsx +msgid "Claiming all merit rewards only" +msgstr "" + #: src/components/transactions/FlowCommons/BaseCancelled.tsx #: src/components/transactions/FlowCommons/BaseSuccess.tsx #: src/components/transactions/FlowCommons/BaseWaiting.tsx @@ -1769,13 +2160,13 @@ msgstr "Nada suministrado aún" msgid "Voting" msgstr "Votando" -#: pages/404.page.tsx -msgid "Back to Dashboard" -msgstr "Volver al panel de control" +#: src/components/transactions/Swap/actions/ActionsSkeleton.tsx +msgid "Loading quote..." +msgstr "" -#: src/modules/reserve-overview/SupplyInfo.tsx -msgid "Unbacked" -msgstr "No respaldado" +#: src/components/infoTooltips/EstimatedCostsForLimitSwap.tsx +msgid "Estimated Costs & Fees" +msgstr "" #: src/components/infoTooltips/EModeTooltip.tsx msgid "E-Mode increases your LTV for a selected category of assets up to<0/>. <1>Learn more" @@ -1785,6 +2176,14 @@ msgstr "El E-Mode incrementa tu LTV para una categoría seleccionada de activos msgid "Reserve status & configuration" msgstr "Configuración y estado de la reserva" +#: src/layouts/SupportModal.tsx +msgid "Let us know how we can help you. You may also consider joining our community" +msgstr "" + +#: src/components/transactions/Withdraw/WithdrawTypeSelector.tsx +msgid "Withdraw & Swap" +msgstr "" + #: src/ui-config/errorMapping.tsx msgid "User cannot withdraw more than the available balance" msgstr "El usuario no puede retirar más que el balance disponible" @@ -1793,6 +2192,8 @@ msgstr "El usuario no puede retirar más que el balance disponible" msgid "<0>Ampleforth is a rebasing asset. Visit the <1>documentation to learn more." msgstr "<0>Ampleforth es un activo con rebase. Visita la <1>documentación para aprender más." +#: src/modules/history/actions/ActionDetails.tsx +#: src/modules/history/actions/ActionDetails.tsx #: src/modules/history/actions/ActionDetails.tsx msgid "In Progress" msgstr "" @@ -1801,7 +2202,7 @@ msgstr "" msgid "Because this asset is paused, no actions can be taken until further notice" msgstr "Debido a que este activo está en pausa, no se pueden realizar acciones hasta nuevo aviso" -#: src/components/transactions/Switch/SwitchAssetInput.tsx +#: src/components/transactions/Swap/inputs/primitives/SwapAssetInput.tsx msgid "No results found. You can import a custom token with a contract address" msgstr "" @@ -1822,14 +2223,30 @@ msgstr "Utilizado como garantía" msgid "Action cannot be performed because the reserve is paused" msgstr "No se puede realizar la acción porque la reserva está pausada" +#: src/components/transactions/TxActionsWrapper.tsx +msgid "{0} {symbol} to continue" +msgstr "" + #: src/modules/governance/RepresentativesInfoPanel.tsx msgid "Representative smart contract wallet (ie. Safe) addresses on other chains." msgstr "Direcciones de cartera de contrato inteligente representativas (Safe) en otras cadenas." +#: src/components/transactions/Swap/errors/shared/UserDenied.tsx +msgid "User denied the operation." +msgstr "" + +#: src/layouts/SupportModal.tsx +msgid "Support" +msgstr "" + #: src/components/transactions/CollateralChange/CollateralChangeModalContent.tsx msgid "You will exit isolation mode and other tokens can now be used as collateral" msgstr "Saldrás del modo aislamiento y otros tokens pueden ser usados ahora como garantía" +#: src/modules/staking/GhoStakingPanel.tsx +msgid "Deposit APR" +msgstr "" + #: src/components/transactions/Bridge/BridgeModalContent.tsx msgid "Amount to Bridge" msgstr "" @@ -1838,15 +2255,40 @@ msgstr "" 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 "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." -#: src/components/transactions/Switch/SwitchTxSuccessView.tsx +#: src/modules/umbrella/helpers/StakedUnderlyingTooltip.tsx +msgid "Staked Underlying" +msgstr "" + +#: src/components/transactions/Swap/warnings/preInputs/NativeLimitOrderInfo.tsx +msgid "For security reasons, limit orders are not supported for Native tokens. To place a limit order, use the wrapped version." +msgstr "" + +#: src/layouts/components/StakingMenu.tsx +#: src/layouts/components/StakingMenu.tsx +msgid "Umbrella" +msgstr "" + +#: src/components/incentives/MeritIncentivesTooltipContent.tsx +msgid "Merit Program and Self rewards can be claimed" +msgstr "" + +#: src/components/transactions/Swap/modals/result/SwapResultView.tsx msgid "The order could't be filled." msgstr "" +#: src/components/transactions/Supply/CollateralOptionsSelector.tsx +msgid "Collateral options" +msgstr "" + #: src/components/transactions/GovVote/GovVoteActions.tsx #: src/components/transactions/GovVote/GovVoteActions.tsx msgid "VOTE NAY" msgstr "VOTAR NO" +#: src/layouts/components/ShieldSwitcher.tsx +msgid "Aave Shield" +msgstr "" + #: src/components/transactions/Emode/EmodeActions.tsx msgid "Enabling E-Mode" msgstr "Habilitar E-Mode" @@ -1859,9 +2301,12 @@ msgstr "Esta acción reducirá tu factor de salud. Por favor ten en cuenta el ri msgid "The total amount bridged minus CCIP fees. Paying in network token does not impact gho amount." msgstr "" -#: src/layouts/FeedbackDialog.tsx -#: src/layouts/FeedbackDialog.tsx -msgid "Feedback" +#: src/modules/umbrella/UmbrellaModalContent.tsx +msgid "Stake token shares" +msgstr "" + +#: src/components/transactions/Swap/inputs/shared/SwitchSlippageSelector.tsx +msgid "Default slippage" msgstr "" #: src/layouts/AppHeader.tsx @@ -1872,6 +2317,11 @@ msgstr "Testnet mode está ON" msgid "If your loan to value goes above the liquidation threshold your collateral supplied may be liquidated." msgstr "Si tu relación préstamo-valor supera el umbral de liquidación, tu garantía puede ser liquidada." +#: src/modules/history/TransactionMobileRowItem.tsx +#: src/modules/history/TransactionRowItem.tsx +msgid "VIEW" +msgstr "" + #: src/ui-config/errorMapping.tsx msgid "Interest rate rebalance conditions were not met" msgstr "No se cumplieron las condiciones de ajuste de tasas de interés" @@ -1880,6 +2330,14 @@ msgstr "No se cumplieron las condiciones de ajuste de tasas de interés" msgid "Add {0} to wallet to track your balance." msgstr "Añade {0} a tu cartera para hacer un seguimiento del balance." +#: src/components/transactions/Swap/actions/ActionsSkeleton.tsx +msgid "Loading..." +msgstr "" + +#: src/components/transactions/CancelCowOrder/CancelCowOrderModalContent.tsx +msgid "This is an off-chain operation. Keep in mind that a solver may already have filled your order." +msgstr "" + #: src/modules/governance/GovernanceTopPanel.tsx msgid "Aave Governance" msgstr "Gobierno de Aave" @@ -1892,6 +2350,10 @@ msgstr "Raw-Ipfs" msgid "Efficiency mode (E-Mode)" msgstr "Modo de eficiencia (E-Mode)" +#: src/components/infoTooltips/EstimatedCostsForLimitSwap.tsx +msgid "These are the estimated costs associated with your limit swap, including costs and fees. Consider these costs when setting your order amounts to help optimize execution and maximize your chances of filling the order." +msgstr "" + #: src/components/transactions/Emode/EmodeModalContent.tsx #: src/modules/dashboard/DashboardEModeButton.tsx msgid "Manage E-Mode" @@ -1901,6 +2363,7 @@ msgstr "" msgid "Disable testnet" msgstr "Deshabilitar testnet" +#: src/modules/staking/GhoStakingPanel.tsx #: src/modules/staking/StakingPanel.tsx msgid "Max slashing" msgstr "Max slashing" @@ -1909,11 +2372,17 @@ msgstr "Max slashing" msgid "Before supplying" msgstr "Antes de suministrar" +#: src/modules/umbrella/StakeAssets/UmbrellaAssetsListContainer.tsx +#: src/modules/umbrella/UmbrellaAssetsDefault.tsx +msgid "Assets to stake" +msgstr "" + #: src/modules/dashboard/LiquidationRiskParametresModal/components/HFContent.tsx msgid "Liquidation value" msgstr "Valor de liquidación" #: 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 "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." @@ -1925,6 +2394,8 @@ msgstr "habilitado" msgid "Enter a valid address" msgstr "" +#: src/modules/sGho/SGhoDepositPanel.tsx +#: src/modules/staking/GhoStakingPanel.tsx #: src/modules/staking/StakingPanel.tsx msgid "Time left to unstake" msgstr "Tempo restante para unstakear" @@ -1934,13 +2405,19 @@ msgid "Disabling this asset as collateral affects your borrowing power and Healt msgstr "Deshabilitar este activo como garantía afecta tu poder de préstamo y Factor de Salud." #: src/modules/reserve-overview/Gho/GhoReserveTopDetails.tsx +#: src/modules/sGho/SGhoHeader.tsx msgid "Price" msgstr "Precio" #: src/components/transactions/UnStake/UnStakeModalContent.tsx +#: src/modules/umbrella/UnstakeModalContent.tsx msgid "Unstaked" msgstr "Unstakeado" +#: src/components/transactions/Supply/SupplyModalContent.tsx +msgid "E-Mode change" +msgstr "" + #: src/modules/governance/proposal/VoteInfo.tsx msgid "Vote NAY" msgstr "Votar NO" @@ -1953,17 +2430,22 @@ msgstr "Comprar Crypto con Fiat" msgid "Array parameters that should be equal length are not" msgstr "Los parámetros del array que deberían ser iguales en longitud no lo son" -#: src/components/transactions/Switch/SwitchErrors.tsx -msgid "Your balance is lower than the selected amount." -msgstr "Tu balance es más bajo que la cantidad seleccionada." +#: src/components/transactions/Swap/actions/RepayWithCollateral/RepayWithCollateralActionsViaParaswap.tsx +msgid "Repaying {0}" +msgstr "" + +#: src/components/incentives/MeritIncentivesTooltipContent.tsx +#: src/components/incentives/MeritIncentivesTooltipContent.tsx +msgid "from the" +msgstr "" #: src/modules/governance/proposal/ProposalOverview.tsx msgid "An error has occurred fetching the proposal." msgstr "Se ha producido un error al recuperar la propuesta." -#: src/modules/reserve-overview/Gho/GhoPieChartContainer.tsx -msgid "Exceeds the discount" -msgstr "Supera el descuento" +#: src/modules/reserve-overview/SupplyInfo.tsx +msgid "This asset can only be used as collateral in E-Mode: {0}" +msgstr "" #: src/modules/markets/MarketAssetsList.tsx #: src/modules/markets/MarketAssetsListMobileItem.tsx @@ -1974,30 +2456,27 @@ msgstr "APY préstamo, variable" msgid "This asset is eligible for rewards through SuperFest. Aave Labs does not guarantee the program and accepts no liability." msgstr "" -#: src/components/incentives/MeritIncentivesTooltipContent.tsx -msgid "Eligible for the Merit program." -msgstr "" - #: src/components/Warnings/CooldownWarning.tsx msgid "Cooldown period warning" msgstr "Advertencia periodo de cooldown" -#: src/components/transactions/DebtSwitch/DebtSwitchActions.tsx -#: src/components/transactions/Swap/SwapActions.tsx -msgid "Swaping" +#: src/modules/umbrella/AmountSharesItem.tsx +msgid "Available to withdraw" msgstr "" -#: src/components/incentives/ZkSyncIgniteIncentivesTooltipContent.tsx -msgid "ZKSync Ignite Program rewards are claimed through the" +#: src/components/transactions/FlowCommons/TxModalDetails.tsx +msgid "Cooldown" msgstr "" -#: src/components/transactions/Emode/EmodeModalContent.tsx +#: src/components/transactions/Emode/EmodeAssetTable.tsx #: src/modules/bridge/BridgeWrapper.tsx #: src/modules/dashboard/lists/BorrowAssetsList/BorrowAssetsList.tsx #: src/modules/dashboard/lists/BorrowedPositionsList/BorrowedPositionsList.tsx #: src/modules/dashboard/lists/SuppliedPositionsList/SuppliedPositionsList.tsx #: src/modules/faucet/FaucetAssetsList.tsx #: src/modules/markets/MarketAssetsList.tsx +#: src/modules/umbrella/StakeAssets/UmbrellaAssetsList.tsx +#: src/modules/umbrella/UmbrellaAssetsDefault.tsx msgid "Asset" msgstr "Activo" @@ -2013,7 +2492,7 @@ msgstr "Los activos aislados han limitado tu capacidad de préstamo y otros acti msgid "Addresses" msgstr "Direcciones" -#: src/components/transactions/Switch/SwitchModalTxDetails.tsx +#: src/components/infoTooltips/NetworkCostTooltip.tsx msgid "Network costs" msgstr "" @@ -2025,7 +2504,11 @@ msgstr "La cantidad solicitada es mayor que el tamaño máximo del préstamo en msgid "This is a program initiated and implemented by the Aave Chan Initiative (ACI). Aave Labs does not guarantee the program and accepts no liability." msgstr "" -#: pages/index.page.tsx +#: src/modules/umbrella/StakingApyItem.tsx +msgid "supply" +msgstr "" + +#: pages/dashboard.page.tsx #: src/components/transactions/Supply/SupplyModal.tsx #: src/modules/dashboard/lists/SuppliedPositionsList/SuppliedPositionsListItem.tsx #: src/modules/dashboard/lists/SuppliedPositionsList/SuppliedPositionsListMobileItem.tsx @@ -2038,14 +2521,11 @@ msgstr "" msgid "Supply" msgstr "Suministrar" +#: src/components/transactions/Emode/EmodeModalContent.tsx #: src/components/transactions/Emode/EmodeModalContent.tsx msgid "Cannot disable E-Mode" msgstr "No se puede deshabilitar E-Mode" -#: src/components/transactions/Repay/CollateralRepayModalContent.tsx -msgid "Not enough collateral to repay this amount of debt with" -msgstr "No hay suficiente garantía para pagar esta cantidad de deuda con" - #: src/ui-config/errorMapping.tsx msgid "Address is not a contract" msgstr "La dirección no es un contrato" @@ -2079,15 +2559,23 @@ msgstr "Tomar prestado no está disponible porque has habilitado el Efficiency M msgid "Something went wrong fetching bridge message, please try again later." msgstr "" +#: src/modules/staking/StakingPanelNoWallet.tsx +msgid "Incentives APR" +msgstr "" + #: src/modules/governance/VotingPowerInfoPanel.tsx 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 "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" +#: src/modules/sGho/SavingsGhoCard.tsx +#: src/modules/umbrella/UmbrellaAssetsDefault.tsx +msgid "Staking APY" +msgstr "" + #: src/modules/governance/proposal/VoteInfo.tsx msgid "Vote YAE" msgstr "Votar SI" -#: src/components/transactions/Repay/CollateralRepayActions.tsx #: src/components/transactions/Repay/RepayActions.tsx msgid "Repaying {symbol}" msgstr "Pagando {symbol}" @@ -2096,20 +2584,14 @@ msgstr "Pagando {symbol}" msgid "Bridge {symbol}" msgstr "" -#: src/modules/reserve-overview/Gho/GhoInterestRateGraph.tsx -msgid "Effective interest rate" -msgstr "Tasa de interés efectiva" - #: src/modules/governance/proposal/ProposalLifecycle.tsx +#: src/modules/governance/proposal/ProposalLifecycleCache.tsx msgid "Forum discussion" msgstr "Hilo de discusión del foro" #: src/components/transactions/Borrow/BorrowModalContent.tsx -#: src/components/transactions/Borrow/GhoBorrowModalContent.tsx -#: src/components/transactions/Withdraw/WithdrawAndSwitchModalContent.tsx #: src/components/transactions/Withdraw/WithdrawModalContent.tsx #: src/modules/dashboard/lists/BorrowAssetsList/BorrowAssetsList.tsx -#: src/modules/dashboard/lists/BorrowAssetsList/GhoBorrowAssetsListItem.tsx msgid "Available" msgstr "Disponible" @@ -2117,12 +2599,23 @@ msgstr "Disponible" msgid "You did not participate in this proposal" msgstr "No has participado en esta propuesta" +#: src/components/transactions/Swap/warnings/postInputs/LowHealthFactorWarning.tsx +msgid "Low health factor after swap. Your position will carry a higher risk of liquidation." +msgstr "" + +#: src/components/AssetCategoryMultiselect.tsx +msgid "Principle Tokens" +msgstr "" + #: src/ui-config/menu-items/index.tsx msgid "Governance" msgstr "Gobierno" +#: src/components/TitleWithFiltersAndSearchBar.tsx #: src/components/TitleWithSearchBar.tsx #: src/modules/history/HistoryWrapperMobile.tsx +#: src/modules/history/TransactionMobileRowItem.tsx +#: src/modules/history/TransactionRowItem.tsx msgid "Cancel" msgstr "Cancelar" @@ -2130,10 +2623,6 @@ msgstr "Cancelar" msgid "Ltv validation failed" msgstr "La validación del LTV ha fallado" -#: src/modules/reserve-overview/Gho/GhoDiscountCalculator.tsx -msgid "to" -msgstr "para" - #: src/modules/reserve-overview/SupplyInfo.tsx msgid "Maximum amount available to supply is <0/> {0} (<1/>)." msgstr "La cantidad máxima disponible para suministrar es <0/> {0} (<1/>)." @@ -2147,6 +2636,22 @@ msgstr "No tienes suficientes fondos en tu cartera para pagar la cantidad total. msgid "Assets to borrow" msgstr "Activos a tomar prestado" +#: src/modules/reserve-overview/graphs/ApyGraphContainer.tsx +msgid "Data couldn't be loaded." +msgstr "" + +#: src/components/transactions/Swap/warnings/postInputs/HighPriceImpactWarning.tsx +msgid "Please review the swap values before confirming." +msgstr "" + +#: src/components/transactions/Swap/errors/shared/SupplyCapBlockingError.tsx +msgid "Supply cap reached for {symbol}. Reduce the amount or choose a different asset." +msgstr "" + +#: src/components/MarketSwitcher.tsx +msgid "L1 Networks" +msgstr "" + #: src/components/Warnings/BorrowDisabledWarning.tsx msgid "Borrowing is disabled due to an Aave community decision. <0>More details" msgstr "Tomar prestado está deshabilitado debido a una decisión de la comunidad de Aave. <0>Más información" @@ -2155,13 +2660,10 @@ msgstr "Tomar prestado está deshabilitado debido a una decisión de la comunida #: src/modules/reserve-overview/SupplyInfo.tsx #: src/modules/reserve-overview/SupplyInfo.tsx #: src/modules/reserve-overview/SupplyInfo.tsx +#: src/modules/reserve-overview/SupplyInfo.tsx msgid "Collateral usage" msgstr "Uso de la garantía" -#: src/modules/history/actions/BorrowRateModeBlock.tsx -msgid "Variable" -msgstr "Variable" - #: src/modules/history/actions/ActionDetails.tsx #: src/modules/history/HistoryFilterMenu.tsx msgid "Liquidation" @@ -2171,6 +2673,10 @@ msgstr "Liquidación" msgid "Aave debt token" msgstr "Token de deuda de Aave" +#: src/components/transactions/Supply/SupplyModalContent.tsx +msgid "This transaction will enable E-Mode ({0}). Borrowing will be restricted to assets within this category." +msgstr "" + #: src/modules/governance/proposal/VotersListContainer.tsx msgid "Top 10 addresses" msgstr "Top 10 direcciones" @@ -2191,7 +2697,12 @@ msgstr "El deslizamiento es la diferencia entre las cantidades calculadas y las msgid "Edit" msgstr "Editar" +#: pages/sgho.page.tsx +msgid "Please connect a wallet to view your balance here." +msgstr "" + #: src/modules/reserve-overview/SupplyInfo.tsx +#: src/modules/umbrella/StakingApyItem.tsx msgid "Staking Rewards" msgstr "Recompensas de Staking" @@ -2204,13 +2715,10 @@ msgstr "" msgid "No transactions yet." msgstr "Aún no hay transacciones." -#: src/modules/markets/Gho/GhoBanner.tsx #: src/modules/markets/MarketAssetsList.tsx #: src/modules/markets/MarketAssetsListMobileItem.tsx #: src/modules/reserve-overview/BorrowInfo.tsx #: src/modules/reserve-overview/BorrowInfo.tsx -#: src/modules/reserve-overview/Gho/GhoBorrowInfo.tsx -#: src/modules/reserve-overview/Gho/GhoBorrowInfo.tsx #: src/modules/reserve-overview/Gho/GhoReserveTopDetails.tsx msgid "Total borrowed" msgstr "Total tomado prestado" @@ -2219,6 +2727,11 @@ msgstr "Total tomado prestado" msgid "The collateral balance is 0" msgstr "El balance de garantía es 0" +#: src/components/transactions/Swap/modals/result/SwapResultView.tsx +#: src/components/transactions/Swap/modals/result/SwapResultView.tsx +msgid "You've successfully swapped {0}." +msgstr "" + #: src/components/ChainAvailabilityText.tsx msgid "Available on" msgstr "Disponible en" @@ -2231,10 +2744,6 @@ msgstr "empieza" msgid "Unstake now" msgstr "Unstakea ahora" -#: src/modules/reserve-overview/Gho/GhoDiscountCalculator.tsx -msgid "APY with discount applied" -msgstr "APY con descuento aplicado" - #: src/modules/dashboard/DashboardTopPanel.tsx msgid "Net worth" msgstr "Valor neto" @@ -2243,16 +2752,15 @@ msgstr "Valor neto" msgid "Get ABP Token" msgstr "Obtener Token ABP" +#: src/modules/sGho/SGhoHeader.tsx +msgid "Deposit GHO into savings GHO (sGHO) and earn <0>{0}% APY on your GHO holdings. There are no lockups, no rehypothecation, and you can withdraw anytime. Simply deposit GHO, receive sGHO tokens representing your balance, and watch your savings grow earning claimable rewards from merit." +msgstr "" + #: src/components/transactions/FlowCommons/Success.tsx msgid "You switched to {0} rate" msgstr "Has cambiado a tasa {0}" -#: src/components/incentives/IncentivesTooltipContent.tsx -msgid "Net APR" -msgstr "APR Neto" - #: src/components/transactions/Borrow/BorrowModalContent.tsx -#: src/components/transactions/Borrow/GhoBorrowModalContent.tsx msgid "Borrowed" msgstr "Prestado" @@ -2264,17 +2772,11 @@ msgstr "Recibido" msgid "Your current loan to value based on your collateral supplied." msgstr "Tu actual relación préstamo-valor basado en tu garantía suministrada." -#: src/modules/reserve-overview/Gho/GhoDiscountCalculator.tsx -#: src/modules/reserve-overview/Gho/GhoInterestRateGraph.tsx -msgid "Staking discount" -msgstr "Descuento por staking" - #: src/modules/migration/MigrationBottomPanel.tsx msgid "Preview tx and migrate" msgstr "Previsualizar la tx y migrar" #: src/components/transactions/AssetInput.tsx -#: src/components/transactions/ClaimRewards/ClaimRewardsModalContent.tsx #: src/modules/dashboard/lists/BorrowedPositionsList/BorrowedPositionsList.tsx #: src/modules/dashboard/lists/SuppliedPositionsList/SuppliedPositionsList.tsx #: src/modules/dashboard/lists/SuppliedPositionsList/SuppliedPositionsList.tsx @@ -2302,6 +2804,10 @@ msgstr "" msgid "Powered by" msgstr "Powered by" +#: src/components/infoTooltips/ExecutionFeeTooltip.tsx +msgid "This is the fee for executing position changes, set by governance." +msgstr "" + #: src/layouts/AppFooter.tsx msgid "FAQS" msgstr "FAQS" @@ -2318,6 +2824,13 @@ msgstr "" msgid "Testnet mode" msgstr "Testnet mode" +#: src/components/transactions/Swap/actions/WithdrawAndSwap/WithdrawAndSwapActionsViaParaswap.tsx +#: src/components/transactions/Swap/actions/WithdrawAndSwap/WithdrawAndSwapActionsViaParaswap.tsx +#: src/modules/history/actions/ActionDetails.tsx +#: src/modules/history/HistoryFilterMenu.tsx +msgid "Withdraw and Swap" +msgstr "" + #: src/components/infoTooltips/FrozenTooltip.tsx msgid "This asset is frozen due to an Aave Protocol Governance decision. <0>More details" msgstr "Este activo está congelado debido a una decisión del Gobierno del Protocolo Aave. <0>More información" @@ -2334,22 +2847,14 @@ msgstr "Por favor conecta tu cartera para obtener activos testnet gratis." msgid "Approve Confirmed" msgstr "Aprobación confirmada" -#: src/components/AddressBlockedModal.tsx -msgid "This address is blocked on app.aave.com because it is associated with one or more" -msgstr "Esta dirección está bloqueada en app.aave.com porque está asociada con una o más" +#: src/components/transactions/Swap/warnings/postInputs/ShieldSwapWarning.tsx +msgid "This swap has a price impact of {0}%, which exceeds the 25% safety threshold. To proceed, disable Aave Shield in the settings menu." +msgstr "" #: src/ui-config/errorMapping.tsx msgid "Zero address not valid" msgstr "Dirección cero no válida" -#: src/components/MarketSwitcher.tsx -msgid "Version 3" -msgstr "Versión 3" - -#: src/modules/reserve-overview/Gho/GhoDiscountCalculator.tsx -msgid "You may borrow up to <0/> GHO at <1/> (max discount)" -msgstr "Puedes tomar prestado hasta <0/> GHO al <1/> (descuento máximo)" - #: src/components/infoTooltips/NetAPYTooltip.tsx msgid "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." msgstr "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." @@ -2367,24 +2872,43 @@ msgstr "Direcciones de cartera de contrato inteligente representantes (Safe) en msgid ".CSV" msgstr ".CSV" -#: src/components/transactions/Switch/SwitchModalTxDetails.tsx +#: src/components/infoTooltips/NetworkCostTooltip.tsx msgid "This is the cost of settling your order on-chain, including gas and any LP fees." msgstr "" +#: src/components/transactions/SavingsGho/SavingsGhoWithdrawActions.tsx #: 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 "Activar Cooldown" +#: src/modules/umbrella/StakeAssets/UmbrellaAssetsList.tsx +msgid "Available to Claim" +msgstr "" + #: src/modules/dashboard/DashboardTopPanel.tsx +#: src/modules/umbrella/UmbrellaHeader.tsx msgid "Net APY" msgstr "APY neto" +#: src/layouts/SupportModal.tsx +msgid "Submit" +msgstr "" + #: src/components/transactions/ClaimRewards/ClaimRewardsModalContent.tsx #: src/components/transactions/StakeRewardClaim/StakeRewardClaimModalContent.tsx +#: src/modules/umbrella/UmbrellaClaimModalContent.tsx +#: src/modules/umbrella/UmbrellaClaimModalContent.tsx msgid "Claimed" msgstr "Reclamado" +#: src/modules/history/actions/ActionDetails.tsx +#: src/modules/history/HistoryFilterMenu.tsx +msgid "Debt Swap" +msgstr "" + #: src/components/infoTooltips/BorrowPowerTooltip.tsx msgid "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." msgstr "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." @@ -2393,7 +2917,8 @@ msgstr "El % de tu poder de préstamo total utilizado. Esto se basa en la cantid #: src/components/transactions/Bridge/BridgeAmount.tsx #: src/components/transactions/Bridge/BridgeAmount.tsx #: src/components/transactions/Faucet/FaucetModalContent.tsx -#: src/modules/reserve-overview/Gho/GhoPieChartContainer.tsx +#: src/modules/umbrella/UmbrellaClaimModalContent.tsx +#: src/modules/umbrella/UmbrellaClaimModalContent.tsx msgid "Amount" msgstr "Cantidad" @@ -2402,7 +2927,12 @@ msgid "There was some error. Please try changing the parameters or <0><1>copy th msgstr "Hubo un error. Por favor intenta cambiar los parámetros o <0><1>copiar el error" #: src/modules/dashboard/DashboardTopPanel.tsx +#: src/modules/sGho/SGhoDepositPanel.tsx +#: src/modules/sGho/SGhoHeader.tsx +#: src/modules/staking/GhoStakingPanel.tsx #: src/modules/staking/StakingPanel.tsx +#: src/modules/umbrella/UmbrellaClaimActions.tsx +#: src/modules/umbrella/UmbrellaHeader.tsx msgid "Claim" msgstr "Reclamar" @@ -2410,24 +2940,26 @@ msgstr "Reclamar" msgid "Liquidated collateral" msgstr "Garantía liquidada" -#: src/modules/markets/Gho/GhoBanner.tsx -msgid "Users who stake AAVE in Safety Module (i.e. stkAAVE holders) receive a discount on GHO borrow interest rate." +#: src/components/incentives/MeritIncentivesTooltipContent.tsx +#: src/components/incentives/MeritIncentivesTooltipContent.tsx +msgid "dashboard" msgstr "" #: src/components/transactions/Borrow/BorrowActions.tsx msgid "Borrowing {symbol}" msgstr "Tomando prestado {symbol}" -#: src/components/transactions/DebtSwitch/DebtSwitchModalContent.tsx -#: src/components/transactions/Repay/CollateralRepayModalContent.tsx -#: src/components/transactions/Repay/CollateralRepayModalContent.tsx -#: src/modules/reserve-overview/Gho/GhoPieChartContainer.tsx -msgid "Borrow balance" -msgstr "Balance tomado prestado" +#: src/components/transactions/Supply/CollateralOptionsSelector.tsx +msgid "Borrow: All eligible assets" +msgstr "" + +#: src/modules/umbrella/UmbrellaHeader.tsx +msgid "Staked Balance" +msgstr "" -#: src/modules/reserve-overview/Gho/CalculatorInput.tsx -msgid "You may enter a custom amount in the field." -msgstr "Puedes ingresar una cantidad específica en el campo." +#: src/components/transactions/Swap/inputs/shared/ExpirySelector.tsx +msgid "Expires in" +msgstr "" #: src/modules/reserve-overview/Gho/GhoReserveConfiguration.tsx msgid "About GHO" @@ -2449,14 +2981,33 @@ msgstr "Poder delegado" msgid "You voted {0}" msgstr "Has votado {0}" -#: src/components/transactions/Emode/EmodeModalContent.tsx +#: src/components/transactions/Emode/EmodeAssetTable.tsx msgid "Borrowable" msgstr "" +#: src/layouts/components/NavItems.tsx +#: src/layouts/components/StakingMenu.tsx +#: src/layouts/components/StakingMenu.tsx +#: src/modules/staking/StakingHeader.tsx +msgid "Safety Module" +msgstr "" + +#: src/modules/sGho/SGhoHeader.tsx +msgid "Estimated weekly rewards based on your current sGHO balance and APR. Actual rewards may vary depending on market conditions." +msgstr "" + +#: src/modules/history/HistoryWrapper.tsx +msgid "Transaction history for Plasma not supported yet, coming soon." +msgstr "" + #: src/modules/dashboard/lists/SlippageList.tsx msgid "Select slippage tolerance" msgstr "Seleccionar tolerancia de deslizamiento" +#: src/layouts/AppFooter.tsx +msgid "Get Support" +msgstr "" + #: src/components/transactions/TxActionsWrapper.tsx msgid "Enter an amount" msgstr "Ingresa una cantidad" @@ -2473,6 +3024,14 @@ msgstr "tokens no es lo mismo que stakearlos. Si deseas stakearlos" msgid "Use it to vote for or against active proposals." msgstr "Úsalo para votar a favor o en contra de propuestas activas." +#: src/modules/umbrella/UnstakeModalContent.tsx +msgid "Amount received" +msgstr "" + +#: src/components/transactions/Supply/SupplyModalContent.tsx +msgid "This transaction will disable E-Mode. All assets will revert to their base LTV and liquidation thresholds." +msgstr "" + #: src/modules/reserve-overview/BorrowInfo.tsx msgid "Collector Info" msgstr "Collector Info" @@ -2481,6 +3040,10 @@ msgstr "Collector Info" msgid "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" msgstr "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 " +#: src/modules/umbrella/UmbrellaModalContent.tsx +msgid "Staking this amount will reduce your health factor and increase risk of liquidation." +msgstr "" + #: src/hooks/useReserveActionState.tsx msgid "Collateral usage is limited because of Isolation mode." msgstr "El uso de garantías está limitado debido al Isolation mode." @@ -2489,6 +3052,21 @@ msgstr "El uso de garantías está limitado debido al Isolation mode." msgid "Amount After Fee" msgstr "" +#: src/components/transactions/ClaimRewards/ClaimRewardsActions.tsx +#: src/components/transactions/ClaimRewards/RewardsSelect.tsx +#: src/components/transactions/ClaimRewards/RewardsSelect.tsx +msgid "Claim all merit rewards" +msgstr "" + +#: src/components/incentives/IncentivesTooltipContent.tsx +#: src/components/incentives/MerklIncentivesTooltipContent.tsx +msgid "Total APY" +msgstr "" + +#: src/modules/umbrella/helpers/StakingDropdown.tsx +msgid "Cooling down" +msgstr "" + #: src/components/transactions/Warnings/AAVEWarning.tsx msgid "Supplying your" msgstr "Suministrando tu" @@ -2507,18 +3085,20 @@ msgstr "Desactivar el E-Mode" msgid "Enable E-Mode" msgstr "Habilitar E-Mode" -#: src/components/transactions/ClaimRewards/ClaimRewardsModalContent.tsx -msgid "{0} Balance" -msgstr "Balance {0}" - #: src/components/transactions/Emode/EmodeModalContent.tsx msgid "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." msgstr "" -#: src/modules/staking/StakingPanel.tsx +#: src/components/transactions/Emode/EmodeAssetTable.tsx +msgid "Boosted LTV" +msgstr "" + +#: src/components/SecondsToString.tsx msgid "{s}s" msgstr "{s}s" +#: src/modules/sGho/SGhoDepositPanel.tsx +#: src/modules/staking/GhoStakingPanel.tsx #: src/modules/staking/StakingPanel.tsx msgid "Cooldown time left" msgstr "Periodo restante de cooldown" @@ -2536,9 +3116,9 @@ msgstr "Migrado" msgid "In E-Mode some assets are not borrowable. Exit E-Mode to get access to all assets" msgstr "En E-Mode algunos activos no se pueden pedir prestados. Sal del E-Mode para obtener acceso a todos los activos" -#: src/modules/history/TransactionRowItem.tsx -msgid "View" -msgstr "Ver" +#: src/modules/umbrella/UmbrellaHeader.tsx +msgid "here." +msgstr "" #: src/components/isolationMode/IsolatedBadge.tsx #: src/components/isolationMode/IsolatedBadge.tsx @@ -2559,14 +3139,22 @@ msgstr "<0>Atención: Los cambios de parámetros a través de la gobernanza msgid "Claim {0}" msgstr "Reclamar {0}" -#: src/components/transactions/Switch/SwitchRates.tsx +#: src/components/transactions/Swap/inputs/shared/SwitchRates.tsx msgid "Price impact" msgstr "Impacto del precio" +#: src/modules/umbrella/StakeAssets/UmbrellaAssetsListMobileItem.tsx +msgid "Available to claim" +msgstr "" + #: src/modules/migration/MigrationMobileList.tsx msgid "{numSelected}/{numAvailable} assets selected" msgstr "{numSelected}/{numAvailable} activos seleccionados" +#: src/modules/sGho/SGhoApyChart.tsx +msgid "sGHO Merit APY History" +msgstr "" + #: src/ui-config/errorMapping.tsx msgid "To repay on behalf of a user an explicit amount to repay is needed" msgstr "Para pagar en nombre de un usuario, se necesita una cantidad explícita para pagar" @@ -2575,10 +3163,26 @@ msgstr "Para pagar en nombre de un usuario, se necesita una cantidad explícita msgid "Repayment amount to reach {0}% utilization" msgstr "Cantidad a pagar para alcanzar el {0}% de utilización" +#: src/modules/umbrella/UmbrellaModalContent.tsx +msgid "You can not stake this amount because it will cause collateral call" +msgstr "" + +#: src/components/transactions/SavingsGho/SavingsGhoDepositActions.tsx +#: src/modules/reserve-overview/Gho/SavingsGho.tsx +#: src/modules/sGho/SavingsGhoCard.tsx +#: src/modules/sGho/SGhoDepositPanel.tsx +#: src/modules/staking/GhoStakingPanel.tsx +msgid "Deposit" +msgstr "" + #: src/ui-config/errorMapping.tsx msgid "Supply cap is exceeded" msgstr "El límite de suministro se ha sobrepasado" +#: src/components/transactions/Supply/CollateralOptionsSelector.tsx +msgid "{0} collateral would have 0% LTV without E-Mode. Disable {1} as collateral to use this option." +msgstr "" + #: src/modules/history/HistoryWrapper.tsx #: src/modules/history/HistoryWrapperMobile.tsx msgid ".JSON" @@ -2588,10 +3192,6 @@ msgstr ".JSON" msgid "Debt ceiling is not zero" msgstr "El límite de deuda no es cero" -#: src/modules/reserve-overview/Gho/GhoDiscountCalculator.tsx -msgid "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." -msgstr "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." - #: src/components/infoTooltips/SpkAirdropTooltip.tsx msgid "and about SPK program" msgstr "" @@ -2600,9 +3200,13 @@ msgstr "" msgid "DAI balance will be converted via DSR contracts and then supplied as sDAI. Switching incurs no additional costs and no slippage." msgstr "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." -#: src/components/transactions/DebtSwitch/DebtSwitchModalContent.tsx -msgid "Select an asset" -msgstr "Selecciona un activo" +#: src/components/transactions/Supply/CollateralOptionsSelector.tsx +msgid "LTV" +msgstr "" + +#: src/components/AddressBlockedModal.tsx +msgid "Refresh" +msgstr "" #: src/components/infoTooltips/MigrationDisabledTooltip.tsx msgid "Asset cannot be migrated due to insufficient liquidity or borrow cap limitation in {marketName} v3 market." @@ -2617,6 +3221,15 @@ msgstr "Votó YAE" msgid "We couldn't find any transactions related to your search. Try again with a different asset name, or reset filters." msgstr "No pudimos encontrar ninguna transacción relacionada con tu búsqueda. Vuelve a intentarlo con un nombre de activo diferente o restablece los filtros." +#: src/components/transactions/CollateralChange/CollateralChangeModalContent.tsx +msgid "This asset has 0 LTV and cannot be used as collateral. Enable an E-Mode to use {symbol} as collateral." +msgstr "" + +#: src/modules/history/actions/ActionDetails.tsx +#: src/modules/history/HistoryFilterMenu.tsx +msgid "Repay with Collateral" +msgstr "" + #: src/layouts/components/LanguageSwitcher.tsx msgid "English" msgstr "Inglés" @@ -2625,9 +3238,25 @@ msgstr "Inglés" msgid "Learn more in our <0>FAQ guide" msgstr "Aprende más en nuestra guía <0>Preguntas frecuentes" -#: src/components/transactions/Repay/CollateralRepayModalContent.tsx -msgid "Collateral to repay with" -msgstr "Garantía a pagar con" +#: src/components/transactions/Warnings/CowLowerThanMarketWarning.tsx +msgid "The selected rate is lower than the market price. You might incur a loss if you proceed." +msgstr "" + +#: src/modules/sGho/SGhoDepositPanel.tsx +msgid "Deposit GHO and earn {0}% APY" +msgstr "" + +#: src/components/transactions/Swap/actions/CollateralSwap/CollateralSwapActionsViaCoWAdapters.tsx +#: src/components/transactions/Swap/actions/CollateralSwap/CollateralSwapActionsViaParaswapAdapters.tsx +#: src/components/transactions/Swap/actions/DebtSwap/DebtSwapActionsViaCoW.tsx +#: src/components/transactions/Swap/actions/DebtSwap/DebtSwapActionsViaParaswap.tsx +#: src/components/transactions/Swap/actions/RepayWithCollateral/RepayWithCollateralActionsViaCoW.tsx +#: src/components/transactions/Swap/actions/RepayWithCollateral/RepayWithCollateralActionsViaParaswap.tsx +#: src/components/transactions/Swap/actions/SwapActions/SwapActionsViaCoW.tsx +#: src/components/transactions/Swap/actions/SwapActions/SwapActionsViaParaswap.tsx +#: src/components/transactions/Swap/actions/WithdrawAndSwap/WithdrawAndSwapActionsViaParaswap.tsx +msgid "Blocked by Shield" +msgstr "" #: src/modules/staking/StakingHeader.tsx msgid "Total emission per day" @@ -2637,18 +3266,10 @@ msgstr "Emisiones totales por día" msgid "Selected borrow assets" msgstr "Activos de préstamo seleccionados" -#: pages/staking.staking.tsx +#: pages/safety-module.page.tsx msgid "Balancer Pool" msgstr "Pool de Balancer" -#: src/components/transactions/Repay/CollateralRepayModalContent.tsx -msgid "Expected amount to repay" -msgstr "Cantidad esperada a pagar" - -#: src/components/MarketSwitcher.tsx -msgid "Version 2" -msgstr "Versión 2" - #: src/modules/dashboard/DashboardEModeButton.tsx msgid "E-Mode increases your LTV for a selected category of assets. <0>Learn more" msgstr "" @@ -2657,11 +3278,29 @@ msgstr "" msgid "Your {name} wallet is empty. Purchase or transfer assets or use <0>{0} to transfer your {network} assets." msgstr "Tu cartera de {name} está vacía. Compra o transfiere activos o usa <0>{0} para transferir tus activos de {network}." +#: src/components/transactions/Swap/actions/CollateralSwap/CollateralSwapActionsViaCoWAdapters.tsx +#: src/components/transactions/Swap/actions/CollateralSwap/CollateralSwapActionsViaCoWAdapters.tsx +#: src/components/transactions/Swap/actions/CollateralSwap/CollateralSwapActionsViaCoWAdapters.tsx +#: src/components/transactions/Swap/actions/CollateralSwap/CollateralSwapActionsViaParaswapAdapters.tsx +#: src/components/transactions/Swap/actions/DebtSwap/DebtSwapActionsViaCoW.tsx +#: src/components/transactions/Swap/actions/DebtSwap/DebtSwapActionsViaCoW.tsx +#: src/components/transactions/Swap/actions/DebtSwap/DebtSwapActionsViaCoW.tsx +#: src/components/transactions/Swap/actions/RepayWithCollateral/RepayWithCollateralActionsViaCoW.tsx +#: src/components/transactions/Swap/actions/RepayWithCollateral/RepayWithCollateralActionsViaCoW.tsx +#: src/components/transactions/Swap/actions/RepayWithCollateral/RepayWithCollateralActionsViaCoW.tsx +msgid "Checking approval" +msgstr "" + +#: src/components/MarketSwitcher.tsx +#: src/components/TopInfoPanel/PageTitle.tsx +msgid "Favourite" +msgstr "" + #: src/modules/staking/BuyWithFiat.tsx msgid "Buy {cryptoSymbol} with Fiat" msgstr "Comprar {cryptoSymbol} con Fiat" -#: pages/staking.staking.tsx +#: pages/safety-module.page.tsx msgid "Stake AAVE" msgstr "Stakea AAVE" @@ -2671,9 +3310,10 @@ msgstr "Stakea AAVE" msgid "Ok, Close" msgstr "Vale, cerrar" -#: src/components/transactions/Borrow/GhoBorrowSuccessView.tsx -msgid "Download" -msgstr "Descargar" +#: pages/sgho.page.tsx +#: src/modules/sGho/SavingsGhoCard.tsx +msgid "Savings GHO (sGHO)" +msgstr "" #: src/modules/reserve-overview/SupplyInfo.tsx msgid "Asset cannot be used as collateral." @@ -2683,11 +3323,15 @@ msgstr "Este activo no puede usarse como garantía." msgid "Developers" msgstr "Desarrolladores" -#: pages/staking.staking.tsx -msgid "We couldn’t detect a wallet. Connect a wallet to stake and view your balance." -msgstr "No podemos detectar una cartera. Conecta una cartera para stakear y ver tu balance." +#: src/components/transactions/Swap/modals/request/NoEligibleAssetsToSwap.tsx +msgid "No eligible assets to swap." +msgstr "" + +#: src/components/transactions/SavingsGho/SavingsGhoDepositActions.tsx +msgid "Depositing" +msgstr "" -#: src/components/transactions/Swap/SwapModalDetails.tsx +#: src/components/transactions/Swap/details/CollateralSwapDetails.tsx msgid "Supply apy" msgstr "Apy de suministro" @@ -2707,47 +3351,41 @@ msgstr "Migrar múltiples garantías y activos prestados al mismo tiempo puede s msgid "Proposition" msgstr "Proposición" -#: pages/404.page.tsx -msgid "We suggest you go back to the Dashboard." -msgstr "Te sugerimos volver al Panel de control." - #: src/modules/governance/FormattedProposalTime.tsx msgid "Can be executed" msgstr "Puede ser ejecutado" #: src/components/transactions/CollateralChange/CollateralChangeModalContent.tsx -#: src/components/transactions/Repay/CollateralRepayModalContent.tsx -#: src/components/transactions/Swap/SwapModalContent.tsx #: src/components/transactions/Withdraw/WithdrawError.tsx msgid "Assets with zero LTV ({0}) must be withdrawn or disabled as collateral to perform this action" msgstr "" -#: src/modules/staking/GhoDiscountProgram.tsx -msgid "stkAAVE holders get a discount on GHO borrow rate" -msgstr "poseedores de stkAAVE obtienen un descuento en la tasa de préstamo de GHO" - -#: src/components/transactions/Warnings/ChangeNetworkWarning.tsx -msgid "Please switch to {networkName}." -msgstr "Por favor, cambia a {networkName}." +#: src/modules/reserve-overview/ReserveEModePanel.tsx +msgid "This asset has 0% LTV, meaning it does not contribute to borrowing power. Existing positions with this asset as collateral still count toward the liquidation threshold and protect your health factor. New positions cannot enable this asset as collateral." +msgstr "" #: src/components/transactions/GovDelegation/DelegationTypeSelector.tsx msgid "Both" msgstr "Ambos" -#: src/components/transactions/Borrow/GhoBorrowModalContent.tsx -msgid "Discount applied for <0/> staking AAVE" -msgstr "Descuento aplicado para <0/> AAVE stakeados" - -#: src/modules/staking/StakingPanel.tsx +#: src/components/SecondsToString.tsx msgid "{h}h" msgstr "{h}h" +#: src/modules/reserve-overview/Gho/SavingsGho.tsx +msgid "After the cooldown is initiated, you will be able to withdraw your assets immediatley." +msgstr "" + +#: src/components/transactions/CancelCowOrder/CancelAdapterOrderActions.tsx +msgid "Cancelling order..." +msgstr "" + #: pages/500.page.tsx #: src/modules/reserve-overview/graphs/ApyGraphContainer.tsx +#: src/modules/reserve-overview/graphs/MeritApyGraphContainer.tsx msgid "Something went wrong" msgstr "Se produjo un error" -#: src/components/transactions/Withdraw/WithdrawAndSwitchModalContent.tsx #: src/components/transactions/Withdraw/WithdrawModalContent.tsx msgid "Withdrawing this amount will reduce your health factor and increase risk of liquidation." msgstr "Retirar esta cantidad reducirá tu factor de salud y aumentará el riesgo de liquidación." @@ -2760,13 +3398,8 @@ msgstr "Tu factor de salud y la relación préstamo-valor determinan la segurida msgid "AToken supply is not zero" msgstr "El balance de AToken no es cero" -#: src/components/transactions/DebtSwitch/DebtSwitchModalContent.tsx -msgid "Borrow APY" -msgstr "APY préstamo" - #: src/modules/dashboard/lists/BorrowedPositionsList/BorrowedPositionsList.tsx #: src/modules/dashboard/lists/BorrowedPositionsList/BorrowedPositionsListItem.tsx -#: src/modules/dashboard/lists/BorrowedPositionsList/GhoBorrowedPositionsListItem.tsx msgid "Debt" msgstr "Deuda" @@ -2779,7 +3412,9 @@ msgstr "Filtro" msgid "Learn more about the Ether.fi program" msgstr "" +#: src/modules/sGho/SavingsGhoCard.tsx #: src/modules/staking/StakingPanel.tsx +#: src/modules/umbrella/helpers/StakingDropdown.tsx msgid "Cooldown to unstake" msgstr "Cooldown para undstakear" @@ -2791,21 +3426,26 @@ msgstr "El usuario no tiene deuda pendiente de tasa variable en esta reserva" msgid "Test Assets" msgstr "Activos de prueba" +#: src/modules/umbrella/StakingApyItem.tsx +msgid "Staking this asset will earn the underlying asset supply yield in addition to other configured rewards." +msgstr "" + #: src/components/infoTooltips/StableAPYTooltip.tsx msgid "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." msgstr "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." +#: src/modules/sGho/SGhoDepositPanel.tsx +#: src/modules/staking/GhoStakingPanel.tsx #: src/modules/staking/StakingPanel.tsx msgid "Time remaining until the 48 hour withdraw period starts." msgstr "" -#: src/modules/staking/StakingPanel.tsx -#: src/modules/staking/StakingPanelNoWallet.tsx -msgid "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." +#: src/modules/umbrella/StakeAssets/StakeAssetName.tsx +msgid "Target liquidity" msgstr "" -#: src/components/transactions/Emode/EmodeModalContent.tsx -msgid "All borrow positions outside of this category must be closed to enable this category." +#: src/modules/staking/StakingPanel.tsx +msgid "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." msgstr "" #: src/components/caps/CapsHint.tsx @@ -2813,8 +3453,13 @@ msgstr "" msgid "Available to supply" msgstr "Disponible para suministrar" -#: src/components/incentives/ZkSyncIgniteIncentivesTooltipContent.tsx -msgid "Eligible for the ZKSync Ignite program." +#: src/components/transactions/ClaimRewards/ClaimRewardsModalContent.tsx +msgid "Claiming all protocol rewards and merit rewards together" +msgstr "" + +#: src/components/transactions/Supply/CollateralOptionsSelector.tsx +#: src/components/transactions/Swap/inputs/shared/SwitchSlippageSelector.tsx +msgid "Default" msgstr "" #: src/components/transactions/Warnings/MarketWarning.tsx @@ -2834,10 +3479,6 @@ msgstr "Firmas listas" msgid "Go to Balancer Pool" msgstr "Ir al pool de Balancer" -#: src/components/transactions/StakeCooldown/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 "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." - #: src/modules/migration/MigrationBottomPanel.tsx msgid "The loan to value of the migrated positions would cause liquidation. Increase migrated collateral or reduce migrated borrow to continue." msgstr "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." @@ -2846,20 +3487,11 @@ msgstr "La relación préstamo-valor de las posiciones migradas provocaría la l msgid "This asset has reached its borrow cap. Nothing is available to be borrowed from this market." msgstr "Este activo ha alcanzado su límite de préstamo. No queda nada disponible para ser prestado de este mercado." -#: src/components/transactions/ClaimRewards/ClaimRewardsModalContent.tsx -msgid "Your reward balance is 0" -msgstr "Tu balance de recompensa es 0" - #: src/modules/governance/DelegatedInfoPanel.tsx msgid "Set up delegation" msgstr "Configurar la delegación" -#: src/components/transactions/Repay/CollateralRepayModalContent.tsx -msgid "Minimum amount of debt to be repaid" -msgstr "" - #: src/modules/governance/DelegatedInfoPanel.tsx -#: src/modules/reserve-overview/Gho/CalculatorInput.tsx msgid "{title}" msgstr "{title}" @@ -2867,17 +3499,20 @@ msgstr "{title}" msgid "The underlying balance needs to be greater than 0" msgstr "El balance subyacente debe ser mayor que 0" +#: src/components/transactions/SavingsGho/SavingsGhoWithdrawModalContent.tsx #: src/components/transactions/UnStake/UnStakeModalContent.tsx msgid "Not enough staked balance" msgstr "No hay suficiente balance stakeado" +#: src/components/transactions/Warnings/ChangeNetworkWarning.tsx +msgid "Switching to {networkName}..." +msgstr "" + #: src/components/transactions/Warnings/SNXWarning.tsx msgid "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." msgstr "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." #: src/components/transactions/StakingMigrate/StakingMigrateModalContent.tsx -#: src/components/transactions/Swap/SwapModalContent.tsx -#: src/components/transactions/Withdraw/WithdrawAndSwitchModalContent.tsx msgid "Minimum amount received" msgstr "Cantidad mínima recibida" @@ -2890,9 +3525,14 @@ msgid "Confirming transaction" msgstr "Confirmando transacción" #: src/components/transactions/StakeCooldown/StakeCooldownModalContent.tsx +#: src/modules/umbrella/StakeCooldownModalContent.tsx msgid "I understand how cooldown ({0}) and unstaking ({1}) work" msgstr "Entiendo como el cooldown ({0}) y el proceso de unstaking ({1}) funcionan" +#: src/components/incentives/IncentivesTooltipContent.tsx +msgid "Net Protocol Incentives" +msgstr "" + #: src/ui-config/errorMapping.tsx msgid "The caller of this function must be a pool" msgstr "La función debe ser llamada por un pool" @@ -2908,6 +3548,7 @@ msgstr "Estrategia de tasa de interés" #: src/components/transactions/Stake/StakeModalContent.tsx #: src/modules/staking/StakingPanel.tsx #: src/modules/staking/StakingPanel.tsx +#: src/modules/umbrella/UmbrellaModalContent.tsx msgid "Staked" msgstr "Stakeado" @@ -2926,23 +3567,18 @@ msgstr "Suministrar APY" msgid "Global settings" msgstr "Configuración global" -#: src/components/transactions/Withdraw/WithdrawAndSwitchSuccess.tsx -msgid "You've successfully withdrew & swapped tokens." -msgstr "" - -#: src/components/transactions/Repay/CollateralRepayModalContent.tsx +#: src/components/transactions/Swap/details/RepayWithCollateralDetails.tsx msgid "Collateral balance after repay" msgstr "Balance de la garantía tras pagar" +#: src/modules/umbrella/UmbrellaModalContent.tsx +msgid "Staked tokens are wrapped and use an exchange rate. You may see fewer token shares, but the value matches your deposit and will grow as yield accrues." +msgstr "" + #: src/components/transactions/FlowCommons/GasEstimationError.tsx msgid "copy the error" msgstr "copiar el error" -#: src/components/transactions/Switch/SwitchTxSuccessView.tsx -#: src/components/transactions/Switch/SwitchTxSuccessView.tsx -msgid "You've successfully swapped tokens." -msgstr "" - #: src/components/ConnectWalletPaper.tsx #: src/components/ConnectWalletPaperStaking.tsx msgid "Please connect your wallet to see your supplies, borrowings, and open positions." @@ -2952,9 +3588,9 @@ msgstr "Por favor, conecta tu cartera para ver tus suministros, préstamos y pos msgid "Invalid expiration" msgstr "Expiración inválida" -#: src/modules/reserve-overview/Gho/GhoInterestRateGraph.tsx -msgid "Interest accrued" -msgstr "Interés acumulado" +#: src/modules/umbrella/AvailableToClaimItem.tsx +msgid "Rewards available to claim" +msgstr "" #: src/components/transactions/GovVote/GovVoteModalContent.tsx msgid "Thank you for voting" @@ -2972,6 +3608,18 @@ msgstr "" msgid "Invalid amount to burn" msgstr "Cantidad inválida para quemar" +#: src/components/transactions/Swap/warnings/postInputs/LimitOrderAmountWarning.tsx +msgid "Your order amounts are {0} less favorable by {1}% to the liquidity provider than recommended. This order may not be executed." +msgstr "" + +#: src/components/transactions/Swap/actions/RepayWithCollateral/RepayWithCollateralActionsViaCoW.tsx +msgid "Repaying {0} with {1}" +msgstr "" + +#: src/components/AssetCategoryMultiselect.tsx +msgid "All Categories" +msgstr "" + #: src/layouts/MobileMenu.tsx #: src/layouts/MoreMenu.tsx msgid "Migrate to Aave V3" @@ -2985,16 +3633,30 @@ msgstr "La cantidad debe ser mayor que 0" msgid "Selected supply assets" msgstr "Activos de suministro seleccionados" +#: src/components/incentives/IncentivesTooltipContent.tsx +#: src/components/incentives/IncentivesTooltipContent.tsx +#: src/components/incentives/MerklIncentivesTooltipContent.tsx +#: src/components/incentives/MerklIncentivesTooltipContent.tsx +#: src/components/incentives/MerklIncentivesTooltipContent.tsx +#: src/components/incentives/MerklIncentivesTooltipContent.tsx +#: src/components/incentives/MerklIncentivesTooltipContent.tsx +#: src/components/incentives/MerklIncentivesTooltipContent.tsx #: src/modules/dashboard/lists/BorrowedPositionsList/BorrowedPositionsList.tsx #: src/modules/dashboard/lists/BorrowedPositionsList/BorrowedPositionsList.tsx #: src/modules/dashboard/lists/BorrowedPositionsList/BorrowedPositionsListItem.tsx -#: src/modules/dashboard/lists/BorrowedPositionsList/GhoBorrowedPositionsListItem.tsx #: src/modules/dashboard/lists/SuppliedPositionsList/SuppliedPositionsList.tsx #: src/modules/dashboard/lists/SuppliedPositionsList/SuppliedPositionsList.tsx #: src/modules/dashboard/lists/SupplyAssetsList/SupplyAssetsList.tsx -#: src/modules/history/actions/BorrowRateModeBlock.tsx -#: src/modules/history/actions/BorrowRateModeBlock.tsx +#: src/modules/markets/Gho/GhoBanner.tsx +#: src/modules/markets/Gho/GhoBanner.tsx +#: src/modules/reserve-overview/BorrowInfo.tsx #: src/modules/reserve-overview/SupplyInfo.tsx +#: src/modules/sGho/SGhoDepositPanel.tsx +#: src/modules/sGho/SGhoHeader.tsx +#: src/modules/umbrella/helpers/ApyTooltip.tsx +#: src/modules/umbrella/StakingApyItem.tsx +#: src/modules/umbrella/StakingApyItem.tsx +#: src/modules/umbrella/UmbrellaAssetsDefault.tsx msgid "APY" msgstr "APY" @@ -3002,14 +3664,11 @@ msgstr "APY" msgid "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" msgstr "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}" -#: src/modules/dashboard/DashboardListTopPanel.tsx +#: src/modules/dashboard/lists/SupplyAssetsList/SupplyAssetsList.tsx msgid "Show assets with 0 balance" msgstr "Mostrar activos con 0 balance" -#: src/components/transactions/DebtSwitch/DebtSwitchModalContent.tsx -msgid "Borrowed asset amount" -msgstr "Cantidad de activos tomados prestados" - +#: src/components/transactions/Supply/SupplyModalContent.tsx #: src/modules/dashboard/DashboardEModeButton.tsx msgid "E-Mode" msgstr "E-Mode" @@ -3022,9 +3681,9 @@ msgstr "Privacidad" msgid "Watch a wallet balance in read-only mode" msgstr "" -#: src/modules/reserve-overview/Gho/GhoDiscountCalculator.tsx -msgid "Add stkAAVE to see borrow APY with the discount" -msgstr "Añade stkAAVE para ver el APY de préstamo con el descuento" +#: src/components/transactions/FlowCommons/PermitNonceInfo.tsx +msgid "Approval by signature not available" +msgstr "" #: src/components/transactions/Bridge/BridgeActions.tsx msgid "Bridging {symbol}" @@ -3048,6 +3707,7 @@ msgid "You don't have any bridge transactions" msgstr "" #: src/components/transactions/UnStake/UnStakeActions.tsx +#: src/modules/umbrella/UnstakeModalActions.tsx msgid "Unstake {symbol}" msgstr "Unstakear {symbol}" @@ -3063,7 +3723,6 @@ msgstr "Revisión tx" msgid "NAY" msgstr "NO" -#: src/modules/history/actions/ActionDetails.tsx #: src/modules/history/actions/ActionDetails.tsx msgid "for" msgstr "para" @@ -3077,12 +3736,12 @@ msgid "Exchange rate" msgstr "Tasa de cambio" #: src/components/transactions/StakeCooldown/StakeCooldownModalContent.tsx +#: src/modules/umbrella/StakeCooldownModalContent.tsx msgid "You unstake here" msgstr "Unstakea aquí" #: src/components/caps/CapsHint.tsx #: src/modules/dashboard/lists/BorrowAssetsList/BorrowAssetsListMobileItem.tsx -#: src/modules/dashboard/lists/BorrowAssetsList/GhoBorrowAssetsListItem.tsx #: src/modules/reserve-overview/ReserveActions.tsx msgid "Available to borrow" msgstr "Disponible para tomar prestado" @@ -3114,9 +3773,13 @@ msgstr "Nada tomado prestado aún" msgid "Remove" msgstr "Eliminar" -#: src/components/transactions/TxActionsWrapper.tsx -msgid "Approve {symbol} to continue" -msgstr "Aprueba {symbol} para continuar" +#: src/components/transactions/Swap/inputs/shared/SwitchSlippageSelector.tsx +msgid "Auto Slippage" +msgstr "" + +#: src/components/incentives/MeritIncentivesTooltipContent.tsx +msgid "Supply {0} and double your yield by <0><1>verifying your humanity through Self for {1} per user." +msgstr "" #: src/modules/reserve-overview/ReserveTopDetails.tsx msgid "Oracle price" @@ -3138,16 +3801,29 @@ msgstr "Dado que este activo está congelado, las únicas acciones disponibles s msgid "Borrow amount to reach {0}% utilization" msgstr "Cantidad a tomar prestado para alcanzar el {0}% de utilización" +#: src/components/transactions/CancelCowOrder/CancelAdapterOrderActions.tsx +#: src/components/transactions/CancelCowOrder/CancelCowOrderModalContent.tsx +msgid "Cancel order" +msgstr "" + #: src/components/ConnectWalletPaper.tsx #: src/components/ConnectWalletPaperStaking.tsx msgid "Please, connect your wallet" msgstr "Por favor, conecta tu cartera" +#: src/components/incentives/MeritIncentivesTooltipContent.tsx +msgid "Merit Program rewards can be claimed" +msgstr "" + #: src/modules/dashboard/lists/SuppliedPositionsList/SuppliedPositionsList.tsx #: src/modules/dashboard/lists/SuppliedPositionsList/SuppliedPositionsList.tsx msgid "Your supplies" msgstr "Tus suministros" +#: src/components/transactions/Emode/EmodeModalContent.tsx +msgid "You must disable {0} as collateral before exiting E-Mode. These assets have 0 LTV outside of E-Mode and cannot be used as collateral." +msgstr "" + #: src/components/transactions/FlowCommons/Error.tsx msgid "Transaction failed" msgstr "Error en la transacción" @@ -3165,15 +3841,38 @@ msgstr "Sin resultados de búsqueda{0}" msgid "Status" msgstr "" +#: src/components/transactions/ClaimRewards/ClaimRewardsActions.tsx +#: src/components/transactions/ClaimRewards/RewardsSelect.tsx +#: src/components/transactions/ClaimRewards/RewardsSelect.tsx +msgid "Claim all protocol rewards" +msgstr "" + #: src/modules/migration/MigrationBottomPanel.tsx msgid "No assets selected to migrate." msgstr "No hay activos seleccionados para migrar." +#: src/components/AddressBlockedModal.tsx +msgid "Connection Error" +msgstr "" + +#: src/components/transactions/Swap/errors/shared/GasEstimationError.tsx +msgid "Tip: Try improving your order parameters" +msgstr "" + #: src/components/transactions/MigrateV3/MigrateV3Actions.tsx #: src/components/transactions/StakingMigrate/StakingMigrateActions.tsx msgid "Migrating" msgstr "Migrando" +#: src/components/transactions/Swap/actions/DebtSwap/DebtSwapActionsViaCoW.tsx +#: src/components/transactions/Swap/actions/DebtSwap/DebtSwapActionsViaCoW.tsx +msgid "Swap {0} debt" +msgstr "" + +#: src/components/transactions/FlowCommons/PermitNonceInfo.tsx +msgid "There is an active order for the same sell asset (avoid nonce reuse)." +msgstr "" + #: src/ui-config/errorMapping.tsx msgid "For repayment of a specific type of debt, the user needs to have debt that type" msgstr "Para el pago de un tipo específico de deuda, el usuario necesita tener una deuda de ese tipo" @@ -3186,23 +3885,23 @@ msgstr "Exportar datos a" msgid "Buy Crypto with Fiat" msgstr "Comprar Crypto con Fiat" -#: src/modules/reserve-overview/Gho/GhoDiscountCalculator.tsx -msgid "<0><1><2/>Add stkAAVE to see borrow rate with discount" -msgstr "<0><1><2/>Añade stkAAVE para ver la tasa de préstamo con descuento" - #: src/components/transactions/Warnings/BorrowCapWarning.tsx msgid "Maximum amount available to borrow is limited because protocol borrow cap is nearly reached." msgstr "La cantidad máxima disponible para tomar prestado está limitada porque casi se ha alcanzado el límite de préstamo del protocolo." -#: src/components/transactions/Borrow/GhoBorrowSuccessView.tsx -msgid "COPY IMAGE" -msgstr "COPIAR IMAGEN" +#: src/components/transactions/Swap/inputs/shared/SwitchSlippageSelector.tsx +msgid "Custom slippage" +msgstr "" #: src/components/infoTooltips/KernelAirdropTooltip.tsx msgid "This asset is eligible for Kernel points incentive program. Aave Labs does not guarantee the program and accepts no liability." msgstr "" -#: src/components/transactions/DebtSwitch/DebtSwitchModalContent.tsx +#: src/components/transactions/ClaimRewards/ClaimRewardsModalContent.tsx +msgid "You have no rewards to claim at this time." +msgstr "" + +#: src/components/transactions/Swap/errors/shared/InsufficientBorrowPowerBlockingError.tsx msgid "Insufficient collateral to cover new borrow position. Wallet must have borrowing power remaining to perform debt switch." msgstr "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." @@ -3210,17 +3909,15 @@ msgstr "Garantía insuficiente para cubrir la nueva posición de préstamo. La c msgid "Restaked" msgstr "Restakeado" -#: src/components/transactions/DebtSwitch/DebtSwitchActions.tsx -#: src/components/transactions/DebtSwitch/DebtSwitchActions.tsx -#: src/components/transactions/Swap/SwapActions.tsx -#: src/components/transactions/Swap/SwapActions.tsx -#: src/components/transactions/Swap/SwapModal.tsx -#: src/components/transactions/Switch/SwitchActions.tsx -#: src/components/transactions/Switch/SwitchActions.tsx +#: src/components/transactions/Swap/actions/ActionsBlocked.tsx +#: src/components/transactions/Swap/actions/DebtSwap/DebtSwapActionsViaParaswap.tsx +#: src/components/transactions/Swap/actions/DebtSwap/DebtSwapActionsViaParaswap.tsx +#: src/components/transactions/Swap/actions/SwapActions/SwapActionsViaCoW.tsx +#: src/components/transactions/Swap/actions/SwapActions/SwapActionsViaCoW.tsx +#: src/components/transactions/Swap/actions/SwapActions/SwapActionsViaParaswap.tsx +#: src/components/transactions/Swap/actions/SwapActions/SwapActionsViaParaswap.tsx #: src/modules/dashboard/lists/BorrowedPositionsList/BorrowedPositionsListItem.tsx #: src/modules/dashboard/lists/BorrowedPositionsList/BorrowedPositionsListItem.tsx -#: src/modules/dashboard/lists/BorrowedPositionsList/GhoBorrowedPositionsListItem.tsx -#: src/modules/dashboard/lists/BorrowedPositionsList/GhoBorrowedPositionsListItem.tsx #: src/modules/dashboard/lists/SuppliedPositionsList/SuppliedPositionsListItem.tsx #: src/modules/dashboard/lists/SuppliedPositionsList/SuppliedPositionsListMobileItem.tsx #: src/modules/history/actions/ActionDetails.tsx @@ -3240,6 +3937,10 @@ msgstr "Tomar prestado no está habilitado" msgid "Approve with" msgstr "Aprobar con" +#: src/components/MarketAssetCategoryFilter.tsx +msgid "PTs" +msgstr "" + #: src/layouts/components/LanguageSwitcher.tsx msgid "Language" msgstr "Idioma" @@ -3248,6 +3949,8 @@ msgstr "Idioma" msgid "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." msgstr "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." +#: src/modules/history/actions/ActionDetails.tsx +#: src/modules/history/actions/ActionDetails.tsx #: src/modules/history/actions/ActionDetails.tsx msgid "Cancelled" msgstr "" @@ -3260,6 +3963,10 @@ msgstr "Stablecoin" msgid "Stable debt supply is not zero" msgstr "El balance de deuda estable no es cero" +#: src/modules/sGho/SGhoHeader.tsx +msgid "Savings GHO" +msgstr "" + #: src/components/transactions/FlowCommons/TxModalDetails.tsx msgid "Rewards APR" msgstr "APR de recompensas" @@ -3268,7 +3975,6 @@ msgstr "APR de recompensas" msgid "{label}" msgstr "" -#: src/components/transactions/Borrow/GhoBorrowSuccessView.tsx #: src/components/transactions/FlowCommons/Success.tsx msgid "You {action} <0/> {symbol}" msgstr "Tu {action} <0/> {symbol}" @@ -3290,6 +3996,10 @@ msgstr "No tienes suministros en este activo" msgid "VOTE YAE" msgstr "VOTAR SI" +#: src/components/transactions/Swap/errors/shared/GenericError.tsx +msgid "{message}" +msgstr "" + #: src/components/transactions/Faucet/FaucetActions.tsx msgid "Faucet {0}" msgstr "Faucet {0}" @@ -3298,6 +4008,10 @@ msgstr "Faucet {0}" msgid "Source" msgstr "" +#: src/components/transactions/ClaimRewards/RewardsSelect.tsx +msgid "All Rewards" +msgstr "" + #: src/modules/reserve-overview/Gho/GhoReserveTopDetails.tsx msgid "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." msgstr "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." @@ -3306,6 +4020,10 @@ msgstr "El Protocolo Aave está programado para usar siempre el precio de 1 GHO msgid "You have no AAVE/stkAAVE/aAave balance to delegate." msgstr "No tienes balance de AAVE/stkAAVE/aAave para delegar." +#: src/components/MarketSwitcher.tsx +msgid "No markets found" +msgstr "" + #: src/modules/faucet/FaucetTopPanel.tsx msgid "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" msgstr "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" @@ -3318,12 +4036,16 @@ msgstr "Obtener Token ABP v2" msgid "This asset is eligible for {0} Sonic Rewards." msgstr "" -#: pages/staking.staking.tsx +#: pages/safety-module.page.tsx msgid "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." msgstr "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." -#: src/components/transactions/DebtSwitch/DebtSwitchModal.tsx -msgid "Swap borrow position" +#: src/components/transactions/Supply/SupplyModalContent.tsx +msgid "Category {selectedEmodeId}" +msgstr "" + +#: src/components/transactions/Emode/EmodeModalContent.tsx +msgid "Repay your {0} {1, plural, one {borrow} other {borrows}} to use this category." msgstr "" #: src/components/transactions/MigrateV3/MigrateV3ModalContent.tsx @@ -3357,6 +4079,7 @@ msgstr "{0} Faucet" #: pages/governance/index.governance.tsx #: pages/reserve-overview.page.tsx +#: pages/sgho.page.tsx #: src/modules/governance/UserGovernanceInfo.tsx #: src/modules/governance/VotingPowerInfoPanel.tsx #: src/modules/reserve-overview/ReserveActions.tsx @@ -3402,14 +4125,18 @@ msgstr "Resumen de la transacción" msgid "Restake {symbol}" msgstr "Restakear {symbol}" -#: src/modules/dashboard/lists/BorrowedPositionsList/GhoBorrowedPositionsListItem.tsx -msgid "APY type" -msgstr "Tipo APY" +#: src/components/transactions/Swap/shared/OrderTypeSelector.tsx +msgid "Limit" +msgstr "" #: src/components/transactions/GovDelegation/GovDelegationModalContent.tsx msgid "Not a valid address" msgstr "Dirección no válida" +#: src/modules/history/actions/ActionDetails.tsx +msgid "Transaction details not available" +msgstr "" + #: src/components/WalletConnection/ReadOnlyModal.tsx msgid "Track wallet" msgstr "Haz seguimiento de tu cartera" @@ -3430,6 +4157,10 @@ msgstr "La aplicación se ejecuta en fork mode." msgid "There are not enough funds in the{0}reserve to borrow" msgstr "No hay fondos suficientes en la reserva{0}para tomar prestado" +#: pages/404.page.tsx +msgid "Back home" +msgstr "" + #: src/components/transactions/FlowCommons/Error.tsx #: src/components/transactions/FlowCommons/PermissionView.tsx msgid "Close" @@ -3439,6 +4170,10 @@ msgstr "Cerrar" msgid "Debt ceiling is exceeded" msgstr "El límite de deuda está sobrepasado" +#: src/components/transactions/Swap/warnings/postInputs/HighCostsLimitOrderWarning.tsx +msgid "Estimated costs are {0}% of the sell amount. This order is unlikely to be filled." +msgstr "" + #: src/ui-config/errorMapping.tsx msgid "The collateral chosen cannot be liquidated" msgstr "La garantía elegida no puede ser liquidada" @@ -3452,6 +4187,10 @@ msgstr "Suministrando {symbol}" msgid "Action cannot be performed because the reserve is frozen" msgstr "No se puede realizar la acción porque la reserva está congelada" +#: src/modules/umbrella/StakeAssets/StakeAssetName.tsx +msgid "Excludes variable supply APY" +msgstr "" + #: src/components/caps/DebtCeilingStatus.tsx msgid "Isolated Debt Ceiling" msgstr "Límite de deuda aislado" @@ -3460,28 +4199,21 @@ msgstr "Límite de deuda aislado" msgid "Protocol supply cap is at 100% for this asset. Further supply unavailable." msgstr "El límite de suministro del protocolo está al 100% para este activo. No es posible suministrar más." -#: src/layouts/FeedbackDialog.tsx +#: src/layouts/SupportModal.tsx msgid "Submission did not work, please try again later or contact wecare@avara.xyz" msgstr "" +#: src/modules/history/actions/ActionDetails.tsx +#: src/modules/history/actions/ActionDetails.tsx #: src/modules/history/actions/ActionDetails.tsx msgid "Filled" msgstr "" -#: src/modules/reserve-overview/Gho/GhoDiscountCalculator.tsx -msgid "<0><1><2/>Add <3/> stkAAVE to borrow at <4/> (max discount)" -msgstr "<0><1><2/>añade <3/> stkAAVE para tomar prestado al <4/> (descuento máximo)" - #: src/components/transactions/Repay/RepayModalContent.tsx msgid "Remaining debt" msgstr "Deuda restante" #: src/components/transactions/CollateralChange/CollateralChangeModalContent.tsx -#: src/components/transactions/DebtSwitch/DebtSwitchModalContent.tsx -#: src/components/transactions/Swap/SwapModalContent.tsx -#: src/components/transactions/Swap/SwapModalContent.tsx -#: src/components/transactions/Withdraw/WithdrawAndSwitchModalContent.tsx -#: src/components/transactions/Withdraw/WithdrawAndSwitchModalContent.tsx #: src/components/transactions/Withdraw/WithdrawModalContent.tsx #: src/modules/dashboard/lists/SuppliedPositionsList/SuppliedPositionsListMobileItem.tsx #: src/modules/dashboard/lists/SupplyAssetsList/SupplyAssetsListItem.tsx @@ -3494,12 +4226,23 @@ msgstr "Balance de suministro" msgid "Liquidation risk parameters" msgstr "Parámetros de riesgo de liquidación" +#: src/components/AddressBlockedModal.tsx +msgid "Unable to Connect" +msgstr "" + +#: src/modules/umbrella/UmbrellaHeader.tsx +msgid "Umbrella is the upgraded version of the Safety Module. Manage your previously staked assets" +msgstr "" + #: src/layouts/MobileMenu.tsx msgid "Menu" msgstr "Menú" +#: src/components/transactions/Supply/CollateralOptionsSelector.tsx +msgid "Active {0} borrow is not compatible with this category. Repay your {1} borrow to use this option." +msgstr "" + #: src/components/caps/DebtCeilingStatus.tsx -#: src/components/incentives/GhoIncentivesCard.tsx #: src/components/infoTooltips/BorrowCapMaxedTooltip.tsx #: src/components/infoTooltips/DebtCeilingMaxedTooltip.tsx #: src/components/infoTooltips/SupplyCapMaxedTooltip.tsx @@ -3512,6 +4255,8 @@ msgstr "Menú" #: src/modules/reserve-overview/BorrowInfo.tsx #: src/modules/reserve-overview/SupplyInfo.tsx #: src/modules/reserve-overview/SupplyInfo.tsx +#: src/modules/umbrella/helpers/ApyTooltip.tsx +#: src/modules/umbrella/StakeCooldownModalContent.tsx msgid "Learn more" msgstr "Aprende más" @@ -3522,8 +4267,3 @@ msgstr "Este activo está congelado en el mercado v3 de {marketName}, por lo tan #: src/modules/migration/MigrationBottomPanel.tsx msgid "Be mindful of the network congestion and gas prices." msgstr "Ten en cuenta la congestión de la red y los precios del gas." - -#: src/components/incentives/MeritIncentivesTooltipContent.tsx -msgid "Merit Program rewards are claimed through the" -msgstr "" - diff --git a/src/locales/fr/messages.js b/src/locales/fr/messages.js index eb5c8dfc2d..de6e4feb00 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.\"],\"+5vxU4\":\"Reward APY at target liquidity\",\"+9RBfc\":\"Thank you for submitting your inquiry!\",\"+F6nAX\":\"Save with sGHO\",\"+KaZP2\":\"Aave Labs does not guarantee the program and accepts no liability.\",\"+Nk14N\":\"Savings GHO token\",\"+VR63W\":[\"Participer à cette réserve \",[\"symbol\"],\" donne des récompenses annualisées.\"],\"+XNrRN\":\"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 restrictions, see the <1>help guide or the <2>Aave V3 Technical Paper.\",\"+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.\",\"+i3Pd2\":\"Limite d'emprunt\",\"+nuEh/\":\"Estimated time\",\"+xMFF8\":\"Remind me\",\"/+Vmgq\":\"Total amount of underlying assets staked. This number represents the combined sum of your original asset and the corresponding aTokens staked in Umbrella.\",\"/1Qot4\":\"Protocol Rewards\",\"/1xACT\":\"Reward APY adjusts with total staked amount, following a curve that targets optimal staking levels.\",\"/57U31\":\"Amount to migrate\",\"/7ykiW\":\"Emprunter ce montant réduira votre facteur santé et augmentera le risque de liquidation.\",\"/FwCXs\":[[\"0\"],\" \",[\"symbol\"],\"...\"],\"/LCAwL\":\"In progress\",\"/ZyLeG\":\"Amount available to unstake\",\"/jQctM\":\"To\",\"/lDBHm\":\"FAQ\",\"/lMWs6\":[\"Deposit GHO and earn up to <0>\",[\"0\"],\"% APY\"],\"/yNlZf\":\"L'emprunt stable n'est pas activé\",\"/yQcJM\":\"Valeur totale\",\"00AB2i\":\"L'utilisateur n'a pas emprunté la devise spécifiée\",\"02/4d1\":\"We suggest you go back to the home page.\",\"0AmQcW\":\"Changement de taux\",\"0BF3yK\":\"Désolé, nous n’avons pas trouvé la page que vous cherchiez.\",\"0RrIzN\":\"Select token\",\"0TAbjq\":\"Recent Transactions\",\"0jhlyw\":\"Risque de liquidation\",\"0ojY+Y\":\"Solde actuel v2\",\"0r31vq\":\"Reward Token\",\"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.\",\"11xQTX\":[\"This asset is eligible for \",[\"0\"],\" Ethena Rewards.\"],\"18GnfY\":[\"Repay \",[\"0\"]],\"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\",\"1PMU2v\":\"Learn more about the risks.\",\"1Ue8sX\":\"Veuillez connecter un portefeuille pour afficher vos informations personnelles ici.\",\"1W8DZp\":\"USDT on Ethereum requires approval reset before a new approval. This will require an additional transaction.\",\"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/>\",\"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.\",\"2/aIvj\":\"Cancellation submited\",\"2C40JO\":[\"This transaction will switch E-Mode from \",[\"0\"],\" to \",[\"1\"],\". Borrowing will be restricted to assets within the new category.\"],\"2Eoi/a\":\"Voir détails\",\"2FYpfJ\":\"Plus\",\"2O3qp5\":\"Liquidités disponibles\",\"2OIfa1\":\"Please connect your wallet to swap collateral.\",\"2OM8/D\":[\"L’actif ne peut pas être migré en raison d’une restriction de plafond d’approvisionnement dans \",[\"marketName\"],\" v3 marché.\"],\"2RtYM0\":\"Need help? Our support team can assist.\",\"2RubOP\":\"Initiate Withdraw\",\"2S7oCr\":[\"This asset is eligible for the Ether.fi Loyalty program with a <0>x\",[\"multiplier\"],\" multiplier.\"],\"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.\",\"2eBWE6\":\"Je reconnais les risques encourus.\",\"2r2h/U\":\"Total Deposited\",\"2uJToh\":[[\"0\"],[\"name\"]],\"2x1UO0\":\"Favourited\",\"2x58bP\":\"L'emprunt stable est activé\",\"34Qfwy\":\"Le plafond d'emprunt est dépassé\",\"39eQRj\":[\"Emprunter \",[\"symbole\"]],\"3BL1xB\":\"Total fourni\",\"3K0oMo\":\"Offre restante\",\"3MoZhl\":\"Il n'y a pas assez de collatéral pour couvrir un nouvel emprunt\",\"3NO6VI\":[[\"0\"],\" Balance\",[\"1\"]],\"3Np5O8\":[\"Fournir \",[\"symbole\"]],\"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\",\"4fCwrW\":\"or from the\",\"4lDFps\":\"Signez pour continuer\",\"4p5njr\":\"Total amount staked\",\"4wyw8H\":\"Transactions\",\"5+lhtA\":\"For swapping safety module assets please unstake your position <0>here.\",\"53r7O1\":[\"High price impact (<0>\",[\"0\"],\"%)! This route will return \",[\"1\"],\" due to low liquidity or small order size.\"],\"5CCqcz\":\"Fees help support the user experience and security of the Aave application. <0>Learn more.\",\"5JSSxX\":[\"Votre \",[\"networkName\"],\" Le portefeuille est vide. Obtenez des ressources de test gratuites à l’adresse suivante :\"],\"5K3B36\":\"We couldn't find any assets related to your search. Try again with a different category.\",\"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é.\"],\"5RzvNm\":\"Aave Shield: Transaction blocked\",\"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\",\"5ty6hB\":\"Claiming individual protocol reward only. Merit rewards excluded - select \\\"claim all\\\" to include merit rewards.\",\"5vxk14\":\"To continue, you need to grant 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\",\"5yC5m5\":\"Voir tous les votes\",\"6/dCYd\":\"Aperçu\",\"60crCe\":\"Toutes les transactions\",\"62Xcjh\":\"Collatérale\",\"65A04M\":\"Espagnol\",\"68ANm7\":\"Withdrawing GHO\",\"6G8s+q\":\"Signature\",\"6Jrv+z\":[\"Rembourser \",[\"symbole\"]],\"6SC+v0\":[\"Disable \",[\"0\"],\" as collateral to use this category. These assets would have 0% LTV.\"],\"6Xr0UU\":\"Refroidissement...\",\"6bxci/\":\"Pouvoir de vote\",\"6f8S68\":\"Marchés\",\"6g1gi0\":\"Les propositions\",\"6gvoHP\":\"Copier le message d’erreur\",\"6h3Q5G\":\"Remboursé\",\"6lFSyT\":\"Available to Stake\",\"6lGV3K\":\"Show less\",\"6s8L6f\":\"Changer de réseau\",\"70wH1Q\":\"APR\",\"72c5Qo\":\"Total\",\"75qcAQ\":[[\"stepName\"]],\"7ITr5L\":\"Facteur de santé\",\"7R/kqr\":\"The cooldown period is the time required prior to unstaking your tokens (<0/>). You can only withdraw your assets from the Security Module after the cooldown period and within the unstake window. <1>Learn more\",\"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\",\"7c6Gy8\":\"Learn more about Sonic Rewards program\",\"7er5fP\":\"Réclamer tout\",\"7hb2+s\":\"Time remaining until the withdraw period ends.\",\"7i1oxe\":\"Withdrawing and Swapping\",\"7l88b8\":\"Les données n’ont pas pu être récupérées, veuillez recharger le graphique.\",\"7p5kLi\":\"Tableau de bord\",\"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\",\"8Xaoyr\":\"View on CCIP Explorer\",\"8Z5FPv\":\"Déconnecter le portefeuille\",\"8Zz7s5\":\"actifs\",\"8aLW8H\":\"Solde à révoquer\",\"8bOT3H\":\"Taux d'utilisation\",\"8d61xO\":\"The Ink instance is governed by the Ink Foundation\",\"8sLe4/\":\"Voir le contrat\",\"8ss7VF\":\"Transaction cancelled\",\"8t/M0y\":\"Please connect your wallet to be able to bridge your tokens.\",\"8u3DDw\":[\"Swap \",[\"0\"],\" collateral\"],\"8vETh9\":\"Montrer\",\"93T2Os\":\"Total deposited\",\"94OHPx\":\"Vous entrez en mode Isolation\",\"9CDK3/\":[\"L'emprunt n'est actuellement pas disponible pour \",[\"0\"],\".\"],\"9GIj3z\":\"Taille de réserve\",\"9ITYjl\":\"%\",\"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.\"],\"9YcC7V\":\"Select Categories\",\"9c6vDV\":\"Cet actif a atteint son plafond d'offre. Rien n'est disponible pour être fourni à partir de ce marché.\",\"9iDHmv\":\"Collateral Swap\",\"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\",\"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\",\"9y0Q0y\":[\"There is not enough liquidity in \",[\"symbol\"],\" to complete this swap. Try lowering the amount.\"],\"9zzsBx\":\"This is a program initiated by the Aave DAO and implemented by Merkl. Aave Labs does not guarantee the program and accepts no liability.\",\"A/lwoe\":\"Choisissez l’un des services de rampe d’accès\",\"A6dCI6\":[\"Le montant maximal disponible pour emprunter est de <0/> \",[\"0\"],\" (<1/>).\"],\"ACUEES\":\"Check errors\",\"AReoaV\":\"Vos emprunts\",\"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.\",\"B6zvhF\":\"Shares\",\"BDFEd+\":\"Les stETH fournis en garantie continueront d’accumuler des récompenses de staking fournies par les rebasages quotidiens.\",\"BE2mP0\":\"Borrowed assets\",\"BNL4Ep\":\"L'utilisation de la garantie est limitée en raison du mode d'isolement. <0>En savoir plus\",\"BQ+4lu\":\"Swap saved in your <0>history section.\",\"BQ/wCO\":\"Migrate your assets\",\"BaCmXf\":\"AAVE 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.\",\"Baj2MJ\":\"Savings\",\"BnhYo8\":\"Catégorie d'actifs\",\"Bo6b9i\":\"Withdraw GHO\",\"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\",\"C4qYyX\":[\"Repay \",[\"0\"],\" with \",[\"1\"]],\"C5jQc6\":\"GHO Balance\",\"C7hM0q\":\"Country (optional)\",\"CDrsH+\":\"Fiche technique\",\"CGiscJ\":\"You've successfully submitted an order.\",\"CK1KXz\":\"Max\",\"COUcFd\":\"Points\",\"CZXzs4\":\"Grec\",\"CkTRmy\":[\"Revendication \",[\"symbol\"]],\"CrrC++\":\"Position swaps are disabled for this asset due to security reasons.\",\"CsqtLm\":\"Veuillez connecter votre portefeuille pour voir l’outil de migration.\",\"CtGlFb\":[[\"networkName\"],\" Robinet\"],\"CuAHqa\":\"Protocol Incentives\",\"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.\",\"D4Q4h/\":\"Gas estimation error\",\"D79cZK\":\"Instant\",\"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\"],\"DhaOWH\":\"Stake your Aave aTokens or underlying assets to earn rewards. In case of a shortfall event, your stake may be slashed to cover the deficit.\",\"Dj+3wB\":\"Aave par mois\",\"DlRHbH\":\"Claiming all protocol rewards only. Merit rewards excluded - select \\\"claim all\\\" to include merit rewards.\",\"DuEq2K\":\"Collatéralisation\",\"Dzma+E\":\"Main Ethereum market with the largest selection of assets and yield options\",\"E/QGRL\":\"Désactivé\",\"E6UoJs\":\"Estimated compounding 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.\",\"ETtXJg\":\"Share my wallet address to help the support team resolve my issue\",\"EZd3Dk\":[\"Reprise \",[\"symbol\"]],\"Ebgc76\":[\"Retrait \",[\"symbole\"]],\"EdQY6l\":\"Aucun/Aucune\",\"Ef7StM\":\"Unknown\",\"Ehzc//\":[\"Swapping \",[\"0\"],\" debt\"],\"Ekea1N\":\"We couldn't detect a wallet. Connect a wallet to stake and view your balance.\",\"Enslfm\":\"Destination\",\"EvE9nO\":[\"Réactiver la période de recharge pour annuler le pieu \",[\"0\"],\" \",[\"stakedToken\"]],\"EvECnL\":\"Migrer vers la v3\",\"EyYG53\":\"Get support\",\"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.\",\"F6pfE9\":\"Active\",\"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\",\"FTRJ1l\":\"L2 Networks\",\"FbmMe7\":\"Linked addresses\",\"Fdp03t\":\"sur\",\"Fjw9N+\":\"Actifs à déposer\",\"FmN0fk\":\"Remise en jeu\",\"G15AUr\":\"Sending cancel...\",\"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\",\"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.\"],\"Gz07IS\":\"Your health factor after this swap will be critically low and may result in liquidation. Please choose a different asset or reduce the swap amount to stay safe.\",\"H1oAjw\":[[\"selectedCount\"],\" Categories\"],\"HB/wfS\":[[\"tooltipText\"]],\"HD4KkW\":[\"Swapping \",[\"0\"],\" collateral\"],\"HKDsQN\":\"Rewards can be claimed through\",\"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\"],\"HlWGZc\":[\"Your \",[\"0\"],\" balance is lower than the selected amount.\"],\"HmkYqM\":\"Fenêtre d'arrêt de staking\",\"HpK/8d\":\"Recharger\",\"HtBqo9\":\"sGHO\",\"HtuY7v\":\"Please connect your wallet to swap tokens.\",\"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\"],\"%.\"],\"I4Cxlm\":\"E-Mode required\",\"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.\",\"ILXMQA\":\"The Safety Module has been upgraded to <0>Umbrella, a new system that introduces automated slashing, aToken staking, and improved incentives design.\",\"IN8luu\":\"All done\",\"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 à\",\"IhAc6F\":\"Costs & Fees\",\"ImxB3A\":\"deposited\",\"IrtO2E\":\"You have assets with zero LTV that are blocking this operation. Please withdraw them or disable them as collateral first.\",\"J/hVSQ\":[[\"0\"]],\"JCoxL6\":\"Gérer l’analytique\",\"JEdlTC\":\"Stablecoins\",\"JOqFba\":[\"Déjalonnement \",[\"symbol\"]],\"JPHuMW\":\"Swapping\",\"JPhc4G\":\"ETH Correlated\",\"JPrLjO\":\"Vous ne pouvez pas utiliser cette devise comme garantie\",\"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\",\"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\",\"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é\",\"KkJaLD\":\"Borrow:\",\"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\",\"KqoLVC\":\"Merkl rewards are claimed through the\",\"KsqhWn\":\"Staking\",\"KuBTQq\":\"Entrez l'adresse ETH\",\"KvG1xW\":\"Réclamer\",\"L+8Lzs\":\"LTV actuelle\",\"L+qiq+\":\"Marché\",\"L2tU22\":\"Learn more about Ethena Rewards program\",\"L3ZyJR\":[[\"popularSectionTitle\"]],\"LEdkyb\":\"Rewards to claim\",\"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\"],\"\"],\"Lhf8zD\":\"Waiting for actions...\",\"Lp2cTp\":\"Eligible for incentives through Merkl.\",\"LvVpD/\":\"Emode\",\"Ly2enB\":\"This will cancel the order via an on-chain transaction. Note that the order will not be marked as cancelled in the CoW Protocol system, but will remain open and expire naturally. Keep in mind that a solver may already have filled your order.\",\"M1RnFv\":\"Expired\",\"M2sknc\":\"Astuce : Essayez d’augmenter le glissement ou de réduire la quantité d’entrée\",\"MKiONF\":\"Activating Cooldown\",\"MOvzXm\":\"Comparing best rates...\",\"MRwaR4\":\"This will require two separate transactions: one to change E-Mode and one to supply.\",\"MZ/nQf\":\"Adresse du destinataire\",\"MZbQHL\":\"No results found.\",\"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.\",\"MlRlXX\":\"Current APY\",\"Mm/DVQ\":\"Vous avez annulé la transaction.\",\"MnE2QX\":\"Emprunter des informations\",\"MuDFEQ\":\"Valeur de retour invalide de la fonction flashloan executor\",\"My0ZGV\":\"Learn more about the Kernel points distribution\",\"N+3mX2\":\"Please connect your wallet to swap debt.\",\"N39Ax4\":\"Ethereum\",\"N40H+G\":\"All\",\"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\",\"ND1ISA\":\"Weekly Rewards\",\"NF0e1Q\":\"En attente...\",\"NK9ikO\":\"Solde du portefeuille\",\"NMt2CB\":\"Montant réclamable\",\"Na7NlU\":[[\"remainingCustomMessage\"]],\"NcFGxG\":\"Contrat de collectionneur\",\"NfpPeS\":\"Rien staké\",\"Nh9DAo\":[[\"m\"],\"m\"],\"Npz7kI\":\"Inquiry\",\"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\",\"OC4Tzv\":\"here\",\"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é\",\"OiykRd\":\"Deposit GHO\",\"On0aF2\":\"Site internet\",\"OqAwLU\":\"Protocol APY\",\"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\",\"PctCOf\":\"A temporary contract will be used to execute the trade. Your wallet may show a warning for approving a new or empty address.\",\"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.\",\"QONKTE\":\"Merit Rewards\",\"QQYsQ7\":\"Withdrawing\",\"QZEgwS\":\"Execution fee\",\"R+30X3\":\"Non atteint\",\"R9Khdg\":\"Auto\",\"RCU5PY\":\"Age\",\"RIfckG\":[\"Désactiver \",[\"symbol\"],\" comme garantie\"],\"RMtxNk\":\"Différentiel\",\"RNK49r\":\"Signature non valide\",\"RS0o7b\":\"État\",\"RTG4/6\":\"There are no stake assets configured for this market\",\"RU+LqV\":\"Détails de la proposition\",\"RYfdBk\":\"Visit <0><1>https://aave.self.xyz/ to get started with Self’s ZK-powered proof-of-humanity authentication.\",\"RZbjLY\":[\"See \",[\"0\"],\" more\"],\"Rg4K+m\":\"Cannot switch to this category\",\"RiSYV4\":\"L'actif n'est pas répertorié\",\"Rj01Fz\":\"Liens\",\"RmWFEe\":\"APR staké\",\"RtBLm7\":\"Le facteur santé est inférieur au seuil de liquidation\",\"RvF1Ts\":\"stkGHO is now Savings GHO\",\"RxzN1M\":\"Activé\",\"SBv4zo\":[[\"0\"],\" collateral would have 0% LTV in this category. Disable \",[\"1\"],\" as collateral to use this option.\"],\"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\",\"SNmu1z\":\"Shares are Umbrella Stake Tokens you receive when staking. They represent your ownership in the pool, and the amount of underlying you can redeem depends on the current exchange rate between shares and the underlying.\",\"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\",\"SZkDmY\":\"The swap could not be completed. Try increasing slippage or changing the amount.\",\"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\",\"St4jqF\":\"This list may not include all your swaps.\",\"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\",\"TLJkuL\":\"Category assets\",\"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\",\"Tg1JyO\":\"Bridge history\",\"TszKts\":\"Emprunter le solde après le changement\",\"Tw07Vv\":\"Show assets with small balance\",\"TwJI9F\":\"Asset has been successfully sent to CCIP contract. You can check the status of the transactions below\",\"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.\",\"UMgOim\":\"Send cancel\",\"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.\",\"UiO4Hu\":[\"You'll need to wait \",[\"0\"],\" before you can unstake your tokens. This cooldown starts when you request to unstake. Once it ends, you can withdraw during the unstake window.\"],\"UpndFj\":\"Aucune récompense à réclamer\",\"V0f2Xv\":\"Facteur de réserve\",\"V1HK43\":\"Risques liés à la migration\",\"V7QGpc\":\"I understand the liquidation risk and want to proceed\",\"V7SFse\":[\"I confirm the swap knowing that I could lose up to <0>\",[\"0\"],\"% on this swap.\"],\"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\",\"VnQFYr\":\"Claiming all merit rewards only\",\"W1SSoD\":\"Examiner les détails de la transaction\",\"W5hVah\":\"Rien fourni pour le moment\",\"W5kTFy\":\"Vote\",\"WHrVwg\":\"Loading quote...\",\"WMJGls\":\"Estimated Costs & Fees\",\"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\",\"WS67YQ\":\"Let us know how we can help you. You may also consider joining our community\",\"WT188T\":\"Withdraw & Swap\",\"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.\",\"WbTDwg\":\"In Progress\",\"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.\",\"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\",\"X4tRM3\":[[\"0\"],\" \",[\"symbol\"],\" to continue\"],\"XBdKOj\":\"Representative smart contract wallet (ie. Safe) addresses on other chains.\",\"XPN5UR\":\"User denied the operation.\",\"XYLcNv\":\"Support\",\"XZzneG\":\"Vous quitterez le mode d'isolement et d'autres jetons peuvent désormais être utilisés comme collatéral\",\"Xe5bTg\":\"Deposit APR\",\"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.\",\"XwKkg/\":\"Staked Underlying\",\"Xy+o6U\":\"For security reasons, limit orders are not supported for Native tokens. To place a limit order, use the wrapped version.\",\"Xy71ST\":\"Umbrella\",\"Y+hUcK\":\"Merit Program and Self rewards can be claimed\",\"Y46iXX\":\"The order could't be filled.\",\"Y5Orec\":\"Collateral options\",\"Y5kGkc\":\"VOTER NON\",\"YD+nXc\":\"Aave Shield\",\"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.\",\"Ya/che\":\"Stake token shares\",\"Ykj2Om\":\"Default slippage\",\"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.\",\"YrcHPy\":\"VIEW\",\"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.\"],\"Z3FXyt\":\"Loading...\",\"Z99M+T\":\"This is an off-chain operation. Keep in mind that a solver may already have filled your order.\",\"ZBvhI+\":\"Gouvernance Aave\",\"ZIIRAd\":\"Raw-Ipfs\",\"ZRq4tX\":\"Mode efficacité (E-Mode)\",\"ZRuM45\":\"These are the estimated costs associated with your limit swap, including costs and fees. Consider these costs when setting your order amounts to help optimize execution and maximize your chances of filling the order.\",\"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é\",\"aCgA+I\":\"E-Mode change\",\"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\",\"aQYztl\":[\"Repaying \",[\"0\"]],\"aXgo8+\":\"from the\",\"adUsDd\":\"An error has occurred fetching the proposal.\",\"afk1Wt\":[\"This asset can only be used as collateral in E-Mode: \",[\"0\"]],\"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.\",\"b4NS3e\":\"Avertissement de période de refroidissement\",\"bBHmeP\":\"Available to withdraw\",\"bNEQeI\":\"Cooldown\",\"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\",\"bYtb3C\":\"Network costs\",\"bguKoJ\":\"Le montant demandé est supérieur au montant maximum du prêt en mode taux stable\",\"bm/mjh\":\"This is a program initiated and implemented by the Aave Chan Initiative (ACI). Aave Labs does not guarantee the program and accepts no liability.\",\"bq0uL+\":\"supply\",\"bwSQI0\":\"Fournir\",\"bxN6EM\":\"Impossible de désactiver le mode E\",\"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.\",\"cc6gEH\":\"Incentives APR\",\"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\"]],\"cqwIvs\":\"Discussion de forum\",\"csDS2L\":\"Disponible\",\"cu7Stb\":\"Vous n'avez pas participé à cette proposition\",\"cuxGZP\":\"Low health factor after swap. Your position will carry a higher risk of liquidation.\",\"d9YZVR\":\"Principle Tokens\",\"dE6BLF\":\"Gouvernance\",\"dEgA5A\":\"Annuler\",\"dIsyWh\":\"Échec de la validation LTV\",\"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\",\"dYG3JG\":\"Data couldn't be loaded.\",\"dZQvSq\":\"Please review the swap values before confirming.\",\"dfDzrk\":[\"Supply cap reached for \",[\"symbol\"],\". Reduce the amount or choose a different asset.\"],\"dgFOcr\":\"L1 Networks\",\"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\",\"drdV8R\":\"Liquidation\",\"dxW8cS\":\"Jeton de dette Aave\",\"e/ghIe\":[\"This transaction will enable E-Mode (\",[\"0\"],\"). Borrowing will be restricted to assets within this category.\"],\"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\",\"eQ0Wu0\":\"Please connect a wallet to view your balance here.\",\"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\",\"edXiYw\":[\"You've successfully swapped \",[\"0\"],\".\"],\"efdrrk\":\"Disponible sur\",\"enruNF\":\"Commence\",\"eqLYiD\":\"Arrêter de staker maintenant\",\"evw5ha\":\"Valeur nette\",\"ezcU16\":\"Obtenir le jeton ABP\",\"f2e3vu\":[\"Deposit GHO into savings GHO (sGHO) and earn <0>\",[\"0\"],\"% APY on your GHO holdings. There are no lockups, no rehypothecation, and you can withdraw anytime. Simply deposit GHO, receive sGHO tokens representing your balance, and watch your savings grow earning claimable rewards from merit.\"],\"f3W0Ej\":[\"Vous êtes passé au tarif \",[\"0\"]],\"fMJQZK\":\"Emprunté\",\"fZ5Vnu\":\"Reçu\",\"firl9Q\":\"Votre prêt actuel à la valeur en fonction de votre collatéral fournie.\",\"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\",\"g4Ius4\":\"This is the fee for executing position changes, set by governance.\",\"g8KGoA\":\"Foire aux questions\",\"g9zzqS\":\"A voté NAY\",\"gDd2gk\":\"about SuperFest.\",\"gIMJlW\":\"Mode réseau test\",\"gK+IvE\":\"Withdraw and Swap\",\"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é\",\"gjxiVa\":[\"This swap has a price impact of \",[\"0\"],\"%, which exceeds the 25% safety threshold. To proceed, disable Aave Shield in the settings menu.\"],\"goff7V\":\"Adresse zéro non-valide\",\"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\",\"h5hG6q\":\"This is the cost of settling your order on-chain, including gas and any LP fees.\",\"hB23LY\":\"Activer le temps de recharge\",\"hIJzBh\":\"Available to Claim\",\"hIS4N0\":\"APY Net\",\"hQRttt\":\"Submit\",\"hRWvpI\":\"Revendiqué\",\"hb8ajh\":\"Debt Swap\",\"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\",\"hrhwub\":\"dashboard\",\"huQ6Tz\":[\"Emprunter \",[\"symbole\"]],\"hxYu+F\":\"Borrow: All eligible assets\",\"i/fZ2Z\":\"Staked Balance\",\"i9qiyR\":\"Expires in\",\"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\",\"iIuDE1\":\"Estimated weekly rewards based on your current sGHO balance and APR. Actual rewards may vary depending on market conditions.\",\"iKfD53\":\"Transaction history for Plasma not supported yet, coming soon.\",\"iMVZk9\":\"Sélectionner la tolérance de glissement\",\"iNYgey\":\"Get Support\",\"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\",\"iddNqA\":\"This transaction will disable E-Mode. All assets will revert to their base LTV and liquidation thresholds.\",\"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\"],\"ih/VjN\":\"Staking this amount will reduce your health factor and increase risk of liquidation.\",\"il0sEG\":\"L'utilisation du collatéral est limitée en raison du mode d'isolation.\",\"j+K1Xj\":\"Amount After Fee\",\"j4SXZo\":\"Claim all merit rewards\",\"j7JHV+\":\"Total APY\",\"j8cF1R\":\"Cooling down\",\"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\",\"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.\",\"jZkYWO\":\"Boosted LTV\",\"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\",\"jqVo/k\":\"here.\",\"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\"],\"kMi0nz\":\"sGHO Merit APY History\",\"kN1Yg5\":\"Pour rembourser au nom d'un utilisateur, un montant explicite à rembourser est nécessaire\",\"kNiQp6\":\"Pinned\",\"kRTD40\":[\"Montant de remboursement à atteindre \",[\"0\"],\"% d’utilisation\"],\"kgKqPv\":\"You can not stake this amount because it will cause collateral call\",\"kj3M8S\":\"Deposit\",\"kjN9tT\":\"Le plafond d'approvisionnement est dépassé\",\"kn+s7w\":[[\"0\"],\" collateral would have 0% LTV without E-Mode. Disable \",[\"1\"],\" as collateral to use this option.\"],\"knxE+G\":\". JSON (en anglais seulement)\",\"ks2LWT\":\"Le plafond de la dette n'est pas nul\",\"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.\",\"kzeZTm\":\"LTV\",\"lCF0wC\":\"Refresh\",\"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.\",\"lXb3Ih\":[\"This asset has 0 LTV and cannot be used as collateral. Enable an E-Mode to use \",[\"symbol\"],\" as collateral.\"],\"lXj2Sq\":\"Repay with Collateral\",\"lYGfRP\":\"Anglais\",\"lfEjIE\":\"En savoir plus dans notre <0>guide FAQ\",\"ljF4ko\":\"The selected rate is lower than the market price. You might incur a loss if you proceed.\",\"lqCWte\":[\"Deposit GHO and earn \",[\"0\"],\"% APY\"],\"lu7f+8\":\"Blocked by Shield\",\"m/IEhi\":\"Émission totale par jour\",\"m7r7Hh\":\"Sélection d’actifs d’emprunt\",\"mDDK4p\":\"Balancer Pool\",\"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.\"],\"me5LMQ\":\"Checking approval\",\"mogZv0\":\"Favourite\",\"muiOng\":[\"Acheter \",[\"cryptoSymbol\"],\" avec Fiat\"],\"mvCXBY\":\"Mise en jeu AAVE\",\"mwdzil\":\"D'accord, fermer\",\"mzDAU3\":\"Savings GHO (sGHO)\",\"mzdIia\":\"L'actif ne peut pas être utilisé comme collatéral.\",\"n+SX4g\":\"Développeurs\",\"n1na81\":\"No eligible assets to swap.\",\"n4PWtp\":\"Depositing\",\"nJIhzm\":\"Fournir apy\",\"nJgsQu\":\"Avec un pouvoir de vote de <0/>\",\"nLC6tu\":\"Français\",\"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\",\"nPGNMh\":\"Peut être exécuté\",\"nUK1ou\":[\"Assets with zero LTV (\",[\"0\"],\") must be withdrawn or disabled as collateral to perform this action\"],\"neITkT\":\"This asset has 0% LTV, meaning it does not contribute to borrowing power. Existing positions with this asset as collateral still count toward the liquidation threshold and protect your health factor. New positions cannot enable this asset as collateral.\",\"njBeMm\":\"Les deux\",\"ntyFSE\":[[\"h\"],\"h\"],\"nwIsn4\":\"After the cooldown is initiated, you will be able to withdraw your assets immediatley.\",\"nweCqF\":\"Cancelling order...\",\"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\",\"o5ooMr\":\"Dette\",\"o7J4JM\":\"Filtrer\",\"o7Yloh\":\"Learn more about the Ether.fi program\",\"oHFrpj\":\"Temps de recharge pour déstaker\",\"oJ5ZiG\":\"L'utilisateur n'a pas de dette à taux variable impayée sur cette réserve\",\"oUwXhx\":\"Ressources de test\",\"oWQnqT\":\"Staking this asset will earn the underlying asset supply yield in addition to other configured rewards.\",\"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.\",\"ogU9GD\":\"Target liquidity\",\"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.\",\"om/XHs\":\"Disponible au dépôt\",\"omq5qJ\":\"Claiming all protocol rewards and merit rewards together\",\"ovBPCi\":\"Default\",\"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\",\"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é.\",\"p45alK\":\"Configurer la délégation\",\"pDgeaz\":[[\"title\"]],\"pdZqBk\":\"Le solde sous-jacent doit être supérieur à 0\",\"pgWG9H\":\"Pas assez de solde staké\",\"ph9+uj\":[\"Switching to \",[\"networkName\"],\"...\"],\"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\"],\")\"],\"pup/ej\":\"Net Protocol Incentives\",\"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\",\"qKfida\":\"Staked tokens are wrapped and use an exchange rate. You may see fewer token shares, but the value matches your deposit and will grow as yield accrues.\",\"qOqbD6\":\"copier l'erreur\",\"qXCkEM\":\"Veuillez connecter votre portefeuille pour voir vos fournitures, vos emprunts et vos positions ouvertes.\",\"qY2jnw\":\"Expiration invalide\",\"qhhf9L\":\"Rewards available to claim\",\"qtS7wW\":\"Thank you for voting\",\"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\",\"qz6JVE\":[\"Your order amounts are \",[\"0\"],\" less favorable by \",[\"1\"],\"% to the liquidity provider than recommended. This order may not be executed.\"],\"qz9c6b\":[\"Repaying \",[\"0\"],\" with \",[\"1\"]],\"qzFp5D\":\"All Categories\",\"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\",\"riNWOA\":\"E-Mode\",\"rjGI/Q\":\"Vie privée\",\"rnKPW1\":\"Watch a wallet balance in read-only mode\",\"rojvRp\":\"Approval by signature not available\",\"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\",\"t/ct9N\":\"Auto Slippage\",\"tBIz3I\":[\"Supply \",[\"0\"],\" and double your yield by <0><1>verifying your humanity through Self for \",[\"1\"],\" per user.\"],\"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\",\"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\"],\"tVJk4q\":\"Cancel order\",\"te9Bfl\":\"S'il vous plaît, connectez votre portefeuille\",\"tj6dr4\":\"Merit Program rewards can be claimed\",\"tt5yma\":\"Vos ressources\",\"tw6G0s\":[\"You must disable \",[\"0\"],\" as collateral before exiting E-Mode. These assets have 0 LTV outside of E-Mode and cannot be used as collateral.\"],\"u3ZeYl\":\"La transaction a échoué\",\"u706uF\":\"Prime flash non valide\",\"u8Gfu7\":[\"Aucun résultat de recherche\",[\"0\"]],\"uAQUqI\":\"Status\",\"uGG4Lk\":\"Claim all protocol rewards\",\"uHMwk8\":\"Aucune ressource n’a été sélectionnée pour la migration.\",\"uI3SjW\":\"Connection Error\",\"uJOI6M\":\"Tip: Try improving your order parameters\",\"uJPHuY\":\"Migration\",\"uRXR6h\":[\"Swap \",[\"0\"],\" debt\"],\"uZiu4N\":\"There is an active order for the same sell asset (avoid nonce reuse).\",\"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\",\"usB84Z\":\"Le montant maximum disponible pour emprunter est limité car le plafond d’emprunt du protocole est presque atteint.\",\"uyLjNw\":\"Custom slippage\",\"v+Fu0z\":\"This asset is eligible for Kernel points incentive program. Aave Labs does not guarantee the program and accepts no liability.\",\"v0CIlJ\":\"You have no rewards to claim at this time.\",\"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é\",\"vH2C/2\":\"Swap\",\"vLyv1R\":\"Cacher\",\"vMba49\":\"L'emprunt n'est pas activé\",\"vMpNwt\":\"Approuvez avec\",\"vNAHA2\":\"PTs\",\"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.\",\"vv7kpg\":\"Cancelled\",\"w+V9Cx\":\"Stablecoin\",\"w/JtJ3\":\"L'offre de dette stable n'est pas nulle\",\"w1f8Ky\":\"Savings GHO\",\"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\",\"wapGcj\":[[\"message\"]],\"wb/r1O\":[\"Faucet \",[\"0\"]],\"wdxz7K\":\"Source\",\"weC8IO\":\"All Rewards\",\"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.\",\"wjFWDB\":\"No markets found\",\"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\",\"wuMdlk\":[\"This asset is eligible for \",[\"0\"],\" Sonic Rewards.\"],\"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.\",\"x+QJ9y\":[\"Category \",[\"selectedEmodeId\"]],\"x0TRLG\":[\"Repay your \",[\"0\"],\" \",[\"1\",\"plural\",{\"one\":\"borrow\",\"other\":\"borrows\"}],\" to use this category.\"],\"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\"]],\"yRkqG9\":\"Limit\",\"yYHqJe\":\"Pas une adresse valide\",\"yZ5ngq\":\"Transaction details not available\",\"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\"],\"yv/Kz/\":\"Back home\",\"yz7wBu\":\"Fermer\",\"z4uGQg\":\"Le plafond de la dette est dépassé\",\"z5JUmg\":[\"Estimated costs are \",[\"0\"],\"% of the sell amount. This order is unlikely to be filled.\"],\"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\",\"zNgzxM\":\"Excludes variable supply APY\",\"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\",\"zZmf1N\":\"Filled\",\"zgtIDV\":\"Dette restante\",\"zmTPiV\":\"Bilan d'approvisionnement\",\"zpPbZl\":\"Paramètres du risque de liquidation\",\"zqp4Tm\":\"Unable to Connect\",\"zr58Jd\":\"Umbrella is the upgraded version of the Safety Module. Manage your previously staked assets\",\"zucql+\":\"Menu\",\"zv/j10\":[\"Active \",[\"0\"],\" borrow is not compatible with this category. Repay your \",[\"1\"],\" borrow to use this option.\"],\"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.\",\"+EGVI0\":\"Recevoir (est.)\",\"+Tzhaj\":\"You've successfully swapped borrow position.\",\"+eOPG+\":\"On dirait que nous ne pouvons pas changer de réseau automatiquement. Veuillez vérifier si vous pouvez le changer depuis le portefeuille.\",\"+kLZGu\":\"Montant de l’actif fourni\",\"/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\",\"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\",\"1Onqx8\":[\"Approuver \",[\"symbol\"],\"...\"],\"1m9Qqc\":\"Retrait et changement\",\"1oyh4g\":\"Borrow rate\",\"2Q4GU4\":\"Adresse bloquée\",\"2bAhR7\":\"Rencontrez GHO\",\"2o/xRt\":\"Plafond d'approvisionnement sur la réserve cible atteint. Essayez de réduire le montant.\",\"3O8YTV\":\"Total des intérêts courus\",\"4iPAI3\":\"Montant minimum d’emprunt GHO\",\"6NGLTR\":\"Montant actualisable\",\"6yAAbq\":\"APY, borrow rate\",\"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\",\"7sofdl\":\"Retrait et échange\",\"9rWaKF\":\"Bridged Via CCIP\",\"ARu1L4\":\"Remboursé\",\"B6aXGH\":\"Stable\",\"B9Gqbz\":\"Taux variable\",\"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.\",\"BjLdl1\":\"À prix réduit\",\"CMHmbm\":\"Glissement\",\"DxfsGs\":\"Vous pouvez signaler un incident sur notre <0>Discord ou<1>Github.\",\"EBL9Gz\":\"COPIÉ!\",\"ES8dkb\":\"Taux fixe\",\"GoK/QN\":\"Thank you for submitting feedback!\",\"H6Ma8Z\":\"Rabais\",\"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.\",\"HrnC47\":\"Enregistrer et partager\",\"JK9zf1\":[\"Intérêts composés estimés, y compris l’escompte pour le jalonnement \",[\"0\"],\"AAVE dans le module de sécurité.\"],\"JU6q+W\":\"Récompense(s) à réclamer\",\"K05qZY\":\"Retrait et échange\",\"KRpokz\":\"VOIR TX\",\"KZwRuD\":[[\"notifyText\"]],\"LDzfVJ\":\"Send Feedback\",\"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\",\"MIy2RJ\":\"Maximum amount received\",\"MrmQHg\":\"View Bridge Transactions\",\"N7dVh7\":\"Swap to\",\"QSh9Sn\":\"Swapped\",\"QWYCs/\":\"Stake GHO\",\"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.\",\"RoafuO\":\"Envoyer des commentaires\",\"SSMiac\":\"Impossible de charger les votants de proposition. Veuillez rafraîchir la page.\",\"TeCFg/\":\"Modification du taux d’emprunt\",\"TskbEN\":\"Les détenteurs de stkAAVE bénéficient d’une réduction sur le taux d’emprunt GHO\",\"TtZL6q\":\"Paramètres du modèle de remise\",\"Tz0GSZ\":\"Activités bloquées\",\"UE3KJZ\":\"L’historique des transactions n’est actuellement pas disponible pour ce marché\",\"W8ekPc\":\"Retour au tableau de bord\",\"WMPbRK\":\"Sans support\",\"YirHq7\":\"Feedback\",\"aX31hk\":\"Votre solde est inférieur au montant sélectionné.\",\"al6Pyz\":\"Dépasse la remise\",\"avgETN\":\"Eligible for the Merit program.\",\"bSc4Zw\":\"Swaping\",\"bSruit\":\"ZKSync Ignite Program rewards are claimed through the\",\"bxmzSh\":\"Pas assez de collatéral pour rembourser ce montant de dette avec\",\"cqnmnD\":\"Taux d’intérêt effectif\",\"dMtLDE\":\"À\",\"dpc0qG\":\"Variable\",\"euScGB\":\"APY avec remise appliquée\",\"fHcELk\":\"APR Net\",\"flRCF/\":\"Remise sur le staking\",\"gncRUO\":\"Cette adresse est bloquée sur app.aave.com car elle est associée à un ou plusieurs\",\"gp+f1B\":\"Variante 3\",\"gr8mYw\":\"Vous pouvez emprunter jusqu’à GHO à <0/> <1/> (rabais maximum)\",\"hpuVIp\":\"Users who stake AAVE in Safety Module (i.e. stkAAVE holders) receive a discount on GHO borrow interest rate.\",\"hxi7vE\":\"Emprunter le solde\",\"i2JTiw\":\"Vous pouvez saisir un montant personnalisé dans le champ.\",\"jMam5g\":[[\"0\"],\" Balance\"],\"jpctdh\":\"Vue\",\"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é.\",\"lNVG7i\":\"Sélectionner une ressource\",\"lt6bpt\":\"Garantie à rembourser\",\"mIM0qu\":\"Montant prévu à rembourser\",\"mUAFd6\":\"Variante 2\",\"mzI/c+\":\"Télécharger\",\"n8Psk4\":\"Nous n’avons pas pu détecter de portefeuille. Connectez un portefeuille pour staker et consulter votre solde.\",\"nOy4ob\":\"Nous vous suggérons de revenir au tableau de bord.\",\"nakd8r\":\"Les détenteurs de stkAAVE bénéficient d’une réduction sur le taux d’emprunt GHO\",\"nh2EJK\":[\"Veuillez passer à \",[\"networkName\"],\".\"],\"ntkAoE\":\"Remise appliquée pour <0/> le staking d’AAVE\",\"o4tCu3\":\"Emprunter de l’APY\",\"olREoo\":\"All borrow positions outside of this category must be closed to enable this category.\",\"ov0+mq\":\"Eligible for the ZKSync Ignite program.\",\"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.\"],\"p3j+mb\":\"Votre solde de récompenses est de 0\",\"p6u2s1\":\"Minimum amount of debt to be repaid\",\"qFD/ij\":\"You've successfully withdrew & swapped tokens.\",\"qT4Lfg\":\"You've successfully swapped tokens.\",\"qf/fr+\":\"Intérêts courus\",\"rf8POi\":\"Montant de l’actif emprunté\",\"ruc7X+\":\"Ajoutez stkAAVE pour voir l’APY d’emprunt avec la remise\",\"t81DpC\":[\"Approuver \",[\"symbol\"],\" pour continuer\"],\"umICAY\":\"<0><1><2/>Ajoutez stkAAVE pour voir le taux d’emprunt avec escompte\",\"uwAUvj\":\"COPIER L’IMAGE\",\"wyi0tk\":\"Swap borrow position\",\"yW1oWB\":\"APY type\",\"zevmS2\":\"<0><1><2/>Ajoutez <3/> stkAAVE pour emprunter à <4/> (remise maximale)\",\"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.\"],\"+5vxU4\":\"Reward APY at target liquidity\",\"+9RBfc\":\"Thank you for submitting your inquiry!\",\"+F6nAX\":\"Save with sGHO\",\"+KaZP2\":\"Aave Labs does not guarantee the program and accepts no liability.\",\"+Nk14N\":\"Savings GHO token\",\"+VR63W\":[\"Participer à cette réserve \",[\"symbol\"],\" donne des récompenses annualisées.\"],\"+XNrRN\":\"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 restrictions, see the <1>help guide or the <2>Aave V3 Technical Paper.\",\"+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.\",\"+i3Pd2\":\"Limite d'emprunt\",\"+nuEh/\":\"Estimated time\",\"+xMFF8\":\"Remind me\",\"/+Vmgq\":\"Total amount of underlying assets staked. This number represents the combined sum of your original asset and the corresponding aTokens staked in Umbrella.\",\"/1Qot4\":\"Protocol Rewards\",\"/1xACT\":\"Reward APY adjusts with total staked amount, following a curve that targets optimal staking levels.\",\"/57U31\":\"Amount to migrate\",\"/7ykiW\":\"Emprunter ce montant réduira votre facteur santé et augmentera le risque de liquidation.\",\"/FwCXs\":[[\"0\"],\" \",[\"symbol\"],\"...\"],\"/LCAwL\":\"In progress\",\"/ZyLeG\":\"Amount available to unstake\",\"/jQctM\":\"To\",\"/lDBHm\":\"FAQ\",\"/lMWs6\":[\"Deposit GHO and earn up to <0>\",[\"0\"],\"% APY\"],\"/yNlZf\":\"L'emprunt stable n'est pas activé\",\"/yQcJM\":\"Valeur totale\",\"00AB2i\":\"L'utilisateur n'a pas emprunté la devise spécifiée\",\"02/4d1\":\"We suggest you go back to the home page.\",\"0AmQcW\":\"Changement de taux\",\"0BF3yK\":\"Désolé, nous n’avons pas trouvé la page que vous cherchiez.\",\"0RrIzN\":\"Select token\",\"0TAbjq\":\"Recent Transactions\",\"0jhlyw\":\"Risque de liquidation\",\"0ojY+Y\":\"Solde actuel v2\",\"0r31vq\":\"Reward Token\",\"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.\",\"11xQTX\":[\"This asset is eligible for \",[\"0\"],\" Ethena Rewards.\"],\"18GnfY\":[\"Repay \",[\"0\"]],\"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\",\"1PMU2v\":\"Learn more about the risks.\",\"1Ue8sX\":\"Veuillez connecter un portefeuille pour afficher vos informations personnelles ici.\",\"1W8DZp\":\"USDT on Ethereum requires approval reset before a new approval. This will require an additional transaction.\",\"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/>\",\"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.\",\"2/aIvj\":\"Cancellation submited\",\"2C40JO\":[\"This transaction will switch E-Mode from \",[\"0\"],\" to \",[\"1\"],\". Borrowing will be restricted to assets within the new category.\"],\"2Eoi/a\":\"Voir détails\",\"2FYpfJ\":\"Plus\",\"2O3qp5\":\"Liquidités disponibles\",\"2OIfa1\":\"Please connect your wallet to swap collateral.\",\"2OM8/D\":[\"L’actif ne peut pas être migré en raison d’une restriction de plafond d’approvisionnement dans \",[\"marketName\"],\" v3 marché.\"],\"2RtYM0\":\"Need help? Our support team can assist.\",\"2RubOP\":\"Initiate Withdraw\",\"2S7oCr\":[\"This asset is eligible for the Ether.fi Loyalty program with a <0>x\",[\"multiplier\"],\" multiplier.\"],\"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.\",\"2eBWE6\":\"Je reconnais les risques encourus.\",\"2r2h/U\":\"Total Deposited\",\"2uJToh\":[[\"0\"],[\"name\"]],\"2x1UO0\":\"Favourited\",\"2x58bP\":\"L'emprunt stable est activé\",\"34Qfwy\":\"Le plafond d'emprunt est dépassé\",\"39eQRj\":[\"Emprunter \",[\"symbole\"]],\"3BL1xB\":\"Total fourni\",\"3K0oMo\":\"Offre restante\",\"3MoZhl\":\"Il n'y a pas assez de collatéral pour couvrir un nouvel emprunt\",\"3NO6VI\":[[\"0\"],\" Balance\",[\"1\"]],\"3Np5O8\":[\"Fournir \",[\"symbole\"]],\"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\",\"4fCwrW\":\"or from the\",\"4lDFps\":\"Signez pour continuer\",\"4p5njr\":\"Total amount staked\",\"4wyw8H\":\"Transactions\",\"5+lhtA\":\"For swapping safety module assets please unstake your position <0>here.\",\"53r7O1\":[\"High price impact (<0>\",[\"0\"],\"%)! This route will return \",[\"1\"],\" due to low liquidity or small order size.\"],\"5CCqcz\":\"Fees help support the user experience and security of the Aave application. <0>Learn more.\",\"5JSSxX\":[\"Votre \",[\"networkName\"],\" Le portefeuille est vide. Obtenez des ressources de test gratuites à l’adresse suivante :\"],\"5K3B36\":\"We couldn't find any assets related to your search. Try again with a different category.\",\"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é.\"],\"5RzvNm\":\"Aave Shield: Transaction blocked\",\"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\",\"5ty6hB\":\"Claiming individual protocol reward only. Merit rewards excluded - select \\\"claim all\\\" to include merit rewards.\",\"5vxk14\":\"To continue, you need to grant 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\",\"5yC5m5\":\"Voir tous les votes\",\"6/dCYd\":\"Aperçu\",\"60crCe\":\"Toutes les transactions\",\"62Xcjh\":\"Collatérale\",\"65A04M\":\"Espagnol\",\"68ANm7\":\"Withdrawing GHO\",\"6G8s+q\":\"Signature\",\"6Jrv+z\":[\"Rembourser \",[\"symbole\"]],\"6SC+v0\":[\"Disable \",[\"0\"],\" as collateral to use this category. These assets would have 0% LTV.\"],\"6Xr0UU\":\"Refroidissement...\",\"6bxci/\":\"Pouvoir de vote\",\"6f8S68\":\"Marchés\",\"6g1gi0\":\"Les propositions\",\"6gvoHP\":\"Copier le message d’erreur\",\"6h3Q5G\":\"Remboursé\",\"6lFSyT\":\"Available to Stake\",\"6lGV3K\":\"Show less\",\"6s8L6f\":\"Changer de réseau\",\"70wH1Q\":\"APR\",\"72c5Qo\":\"Total\",\"75qcAQ\":[[\"stepName\"]],\"7ITr5L\":\"Facteur de santé\",\"7R/kqr\":\"The cooldown period is the time required prior to unstaking your tokens (<0/>). You can only withdraw your assets from the Security Module after the cooldown period and within the unstake window. <1>Learn more\",\"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\",\"7c6Gy8\":\"Learn more about Sonic Rewards program\",\"7er5fP\":\"Réclamer tout\",\"7hb2+s\":\"Time remaining until the withdraw period ends.\",\"7i1oxe\":\"Withdrawing and Swapping\",\"7l88b8\":\"Les données n’ont pas pu être récupérées, veuillez recharger le graphique.\",\"7p5kLi\":\"Tableau de bord\",\"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\",\"8Xaoyr\":\"View on CCIP Explorer\",\"8Z5FPv\":\"Déconnecter le portefeuille\",\"8Zz7s5\":\"actifs\",\"8aLW8H\":\"Solde à révoquer\",\"8bOT3H\":\"Taux d'utilisation\",\"8d61xO\":\"The Ink instance is governed by the Ink Foundation\",\"8sLe4/\":\"Voir le contrat\",\"8ss7VF\":\"Transaction cancelled\",\"8t/M0y\":\"Please connect your wallet to be able to bridge your tokens.\",\"8u3DDw\":[\"Swap \",[\"0\"],\" collateral\"],\"8vETh9\":\"Montrer\",\"93T2Os\":\"Total deposited\",\"94OHPx\":\"Vous entrez en mode Isolation\",\"9CDK3/\":[\"L'emprunt n'est actuellement pas disponible pour \",[\"0\"],\".\"],\"9GIj3z\":\"Taille de réserve\",\"9ITYjl\":\"%\",\"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.\"],\"9YcC7V\":\"Select Categories\",\"9c6vDV\":\"Cet actif a atteint son plafond d'offre. Rien n'est disponible pour être fourni à partir de ce marché.\",\"9iDHmv\":\"Collateral Swap\",\"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\",\"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\",\"9y0Q0y\":[\"There is not enough liquidity in \",[\"symbol\"],\" to complete this swap. Try lowering the amount.\"],\"9zzsBx\":\"This is a program initiated by the Aave DAO and implemented by Merkl. Aave Labs does not guarantee the program and accepts no liability.\",\"A/lwoe\":\"Choisissez l’un des services de rampe d’accès\",\"A6dCI6\":[\"Le montant maximal disponible pour emprunter est de <0/> \",[\"0\"],\" (<1/>).\"],\"ACUEES\":\"Check errors\",\"AReoaV\":\"Vos emprunts\",\"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.\",\"B6zvhF\":\"Shares\",\"BDFEd+\":\"Les stETH fournis en garantie continueront d’accumuler des récompenses de staking fournies par les rebasages quotidiens.\",\"BE2mP0\":\"Borrowed assets\",\"BNL4Ep\":\"L'utilisation de la garantie est limitée en raison du mode d'isolement. <0>En savoir plus\",\"BQ+4lu\":\"Swap saved in your <0>history section.\",\"BQ/wCO\":\"Migrate your assets\",\"BaCmXf\":\"AAVE 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.\",\"Baj2MJ\":\"Savings\",\"BnhYo8\":\"Catégorie d'actifs\",\"Bo6b9i\":\"Withdraw GHO\",\"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\",\"C4qYyX\":[\"Repay \",[\"0\"],\" with \",[\"1\"]],\"C5jQc6\":\"GHO Balance\",\"C7hM0q\":\"Country (optional)\",\"CDrsH+\":\"Fiche technique\",\"CGiscJ\":\"You've successfully submitted an order.\",\"CK1KXz\":\"Max\",\"COUcFd\":\"Points\",\"CZXzs4\":\"Grec\",\"CkTRmy\":[\"Revendication \",[\"symbol\"]],\"CrrC++\":\"Position swaps are disabled for this asset due to security reasons.\",\"CsqtLm\":\"Veuillez connecter votre portefeuille pour voir l’outil de migration.\",\"CtGlFb\":[[\"networkName\"],\" Robinet\"],\"CuAHqa\":\"Protocol Incentives\",\"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.\",\"D4Q4h/\":\"Gas estimation error\",\"D79cZK\":\"Instant\",\"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\"],\"DhaOWH\":\"Stake your Aave aTokens or underlying assets to earn rewards. In case of a shortfall event, your stake may be slashed to cover the deficit.\",\"Dj+3wB\":\"Aave par mois\",\"DlRHbH\":\"Claiming all protocol rewards only. Merit rewards excluded - select \\\"claim all\\\" to include merit rewards.\",\"DuEq2K\":\"Collatéralisation\",\"Dzma+E\":\"Main Ethereum market with the largest selection of assets and yield options\",\"E/QGRL\":\"Désactivé\",\"E6UoJs\":\"Estimated compounding 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.\",\"ETtXJg\":\"Share my wallet address to help the support team resolve my issue\",\"EZd3Dk\":[\"Reprise \",[\"symbol\"]],\"Ebgc76\":[\"Retrait \",[\"symbole\"]],\"EdQY6l\":\"Aucun/Aucune\",\"Ef7StM\":\"Unknown\",\"Ehzc//\":[\"Swapping \",[\"0\"],\" debt\"],\"Ekea1N\":\"We couldn't detect a wallet. Connect a wallet to stake and view your balance.\",\"Enslfm\":\"Destination\",\"EvE9nO\":[\"Réactiver la période de recharge pour annuler le pieu \",[\"0\"],\" \",[\"stakedToken\"]],\"EvECnL\":\"Migrer vers la v3\",\"EyYG53\":\"Get support\",\"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.\",\"F6pfE9\":\"Active\",\"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\",\"FTRJ1l\":\"L2 Networks\",\"FbmMe7\":\"Linked addresses\",\"Fdp03t\":\"sur\",\"Fjw9N+\":\"Actifs à déposer\",\"FmN0fk\":\"Remise en jeu\",\"G15AUr\":\"Sending cancel...\",\"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\",\"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.\"],\"Gz07IS\":\"Your health factor after this swap will be critically low and may result in liquidation. Please choose a different asset or reduce the swap amount to stay safe.\",\"H1oAjw\":[[\"selectedCount\"],\" Categories\"],\"HB/wfS\":[[\"tooltipText\"]],\"HD4KkW\":[\"Swapping \",[\"0\"],\" collateral\"],\"HKDsQN\":\"Rewards can be claimed through\",\"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\"],\"HlWGZc\":[\"Your \",[\"0\"],\" balance is lower than the selected amount.\"],\"HmkYqM\":\"Fenêtre d'arrêt de staking\",\"HpK/8d\":\"Recharger\",\"HtBqo9\":\"sGHO\",\"HtuY7v\":\"Please connect your wallet to swap tokens.\",\"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\"],\"%.\"],\"I4Cxlm\":\"E-Mode required\",\"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.\",\"ILXMQA\":\"The Safety Module has been upgraded to <0>Umbrella, a new system that introduces automated slashing, aToken staking, and improved incentives design.\",\"IN8luu\":\"All done\",\"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 à\",\"IhAc6F\":\"Costs & Fees\",\"ImxB3A\":\"deposited\",\"IrtO2E\":\"You have assets with zero LTV that are blocking this operation. Please withdraw them or disable them as collateral first.\",\"J/hVSQ\":[[\"0\"]],\"JCoxL6\":\"Gérer l’analytique\",\"JEdlTC\":\"Stablecoins\",\"JOqFba\":[\"Déjalonnement \",[\"symbol\"]],\"JPHuMW\":\"Swapping\",\"JPhc4G\":\"ETH Correlated\",\"JPrLjO\":\"Vous ne pouvez pas utiliser cette devise comme garantie\",\"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\",\"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\",\"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é\",\"KkJaLD\":\"Borrow:\",\"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\",\"KqoLVC\":\"Merkl rewards are claimed through the\",\"KsqhWn\":\"Staking\",\"KuBTQq\":\"Entrez l'adresse ETH\",\"KvG1xW\":\"Réclamer\",\"L+8Lzs\":\"LTV actuelle\",\"L+qiq+\":\"Marché\",\"L2tU22\":\"Learn more about Ethena Rewards program\",\"L3ZyJR\":[[\"popularSectionTitle\"]],\"LEdkyb\":\"Rewards to claim\",\"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\"],\"\"],\"Lhf8zD\":\"Waiting for actions...\",\"Lp2cTp\":\"Eligible for incentives through Merkl.\",\"LvVpD/\":\"Emode\",\"Ly2enB\":\"This will cancel the order via an on-chain transaction. Note that the order will not be marked as cancelled in the CoW Protocol system, but will remain open and expire naturally. Keep in mind that a solver may already have filled your order.\",\"M1RnFv\":\"Expired\",\"M2sknc\":\"Astuce : Essayez d’augmenter le glissement ou de réduire la quantité d’entrée\",\"MKiONF\":\"Activating Cooldown\",\"MOvzXm\":\"Comparing best rates...\",\"MRwaR4\":\"This will require two separate transactions: one to change E-Mode and one to supply.\",\"MZ/nQf\":\"Adresse du destinataire\",\"MZbQHL\":\"No results found.\",\"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.\",\"MlRlXX\":\"Current APY\",\"Mm/DVQ\":\"Vous avez annulé la transaction.\",\"MnE2QX\":\"Emprunter des informations\",\"MuDFEQ\":\"Valeur de retour invalide de la fonction flashloan executor\",\"My0ZGV\":\"Learn more about the Kernel points distribution\",\"N+3mX2\":\"Please connect your wallet to swap debt.\",\"N39Ax4\":\"Ethereum\",\"N40H+G\":\"All\",\"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\",\"ND1ISA\":\"Weekly Rewards\",\"NF0e1Q\":\"En attente...\",\"NK9ikO\":\"Solde du portefeuille\",\"NMt2CB\":\"Montant réclamable\",\"Na7NlU\":[[\"remainingCustomMessage\"]],\"NcFGxG\":\"Contrat de collectionneur\",\"NfpPeS\":\"Rien staké\",\"Nh9DAo\":[[\"m\"],\"m\"],\"Npz7kI\":\"Inquiry\",\"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\",\"OC4Tzv\":\"here\",\"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.\",\"OclOBa\":\"Favourites\",\"OfhWJH\":\"Réinitialisation\",\"Og2SKn\":\"handicapé\",\"OiykRd\":\"Deposit GHO\",\"On0aF2\":\"Site internet\",\"OqAwLU\":\"Protocol APY\",\"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\",\"PctCOf\":\"A temporary contract will be used to execute the trade. Your wallet may show a warning for approving a new or empty address.\",\"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.\",\"QONKTE\":\"Merit Rewards\",\"QQYsQ7\":\"Withdrawing\",\"QZEgwS\":\"Execution fee\",\"R+30X3\":\"Non atteint\",\"R9Khdg\":\"Auto\",\"RCU5PY\":\"Age\",\"RIfckG\":[\"Désactiver \",[\"symbol\"],\" comme garantie\"],\"RMtxNk\":\"Différentiel\",\"RNK49r\":\"Signature non valide\",\"RS0o7b\":\"État\",\"RTG4/6\":\"There are no stake assets configured for this market\",\"RU+LqV\":\"Détails de la proposition\",\"RYfdBk\":\"Visit <0><1>https://aave.self.xyz/ to get started with Self’s ZK-powered proof-of-humanity authentication.\",\"RZbjLY\":[\"See \",[\"0\"],\" more\"],\"Rg4K+m\":\"Cannot switch to this category\",\"RiSYV4\":\"L'actif n'est pas répertorié\",\"Rj01Fz\":\"Liens\",\"RmWFEe\":\"APR staké\",\"RtBLm7\":\"Le facteur santé est inférieur au seuil de liquidation\",\"RvF1Ts\":\"stkGHO is now Savings GHO\",\"RxzN1M\":\"Activé\",\"SBv4zo\":[[\"0\"],\" collateral would have 0% LTV in this category. Disable \",[\"1\"],\" as collateral to use this option.\"],\"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\",\"SNmu1z\":\"Shares are Umbrella Stake Tokens you receive when staking. They represent your ownership in the pool, and the amount of underlying you can redeem depends on the current exchange rate between shares and the underlying.\",\"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\",\"SZkDmY\":\"The swap could not be completed. Try increasing slippage or changing the amount.\",\"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\",\"St4jqF\":\"This list may not include all your swaps.\",\"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\",\"TLJkuL\":\"Category assets\",\"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\",\"Tg1JyO\":\"Bridge history\",\"TszKts\":\"Emprunter le solde après le changement\",\"Tw07Vv\":\"Show assets with small balance\",\"TwJI9F\":\"Asset has been successfully sent to CCIP contract. You can check the status of the transactions below\",\"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.\",\"UMgOim\":\"Send cancel\",\"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.\",\"UiO4Hu\":[\"You'll need to wait \",[\"0\"],\" before you can unstake your tokens. This cooldown starts when you request to unstake. Once it ends, you can withdraw during the unstake window.\"],\"UpndFj\":\"Aucune récompense à réclamer\",\"V0f2Xv\":\"Facteur de réserve\",\"V1HK43\":\"Risques liés à la migration\",\"V7QGpc\":\"I understand the liquidation risk and want to proceed\",\"V7SFse\":[\"I confirm the swap knowing that I could lose up to <0>\",[\"0\"],\"% on this swap.\"],\"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\",\"VnQFYr\":\"Claiming all merit rewards only\",\"W1SSoD\":\"Examiner les détails de la transaction\",\"W5hVah\":\"Rien fourni pour le moment\",\"W5kTFy\":\"Vote\",\"WHrVwg\":\"Loading quote...\",\"WMJGls\":\"Estimated Costs & Fees\",\"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\",\"WS67YQ\":\"Let us know how we can help you. You may also consider joining our community\",\"WT188T\":\"Withdraw & Swap\",\"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.\",\"WbTDwg\":\"In Progress\",\"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.\",\"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\",\"X4tRM3\":[[\"0\"],\" \",[\"symbol\"],\" to continue\"],\"XBdKOj\":\"Representative smart contract wallet (ie. Safe) addresses on other chains.\",\"XPN5UR\":\"User denied the operation.\",\"XYLcNv\":\"Support\",\"XZzneG\":\"Vous quitterez le mode d'isolement et d'autres jetons peuvent désormais être utilisés comme collatéral\",\"Xe5bTg\":\"Deposit APR\",\"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.\",\"XwKkg/\":\"Staked Underlying\",\"Xy+o6U\":\"For security reasons, limit orders are not supported for Native tokens. To place a limit order, use the wrapped version.\",\"Xy71ST\":\"Umbrella\",\"Y+hUcK\":\"Merit Program and Self rewards can be claimed\",\"Y46iXX\":\"The order could't be filled.\",\"Y5Orec\":\"Collateral options\",\"Y5kGkc\":\"VOTER NON\",\"YD+nXc\":\"Aave Shield\",\"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.\",\"Ya/che\":\"Stake token shares\",\"Ykj2Om\":\"Default slippage\",\"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.\",\"YrcHPy\":\"VIEW\",\"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.\"],\"Z3FXyt\":\"Loading...\",\"Z99M+T\":\"This is an off-chain operation. Keep in mind that a solver may already have filled your order.\",\"ZBvhI+\":\"Gouvernance Aave\",\"ZIIRAd\":\"Raw-Ipfs\",\"ZRq4tX\":\"Mode efficacité (E-Mode)\",\"ZRuM45\":\"These are the estimated costs associated with your limit swap, including costs and fees. Consider these costs when setting your order amounts to help optimize execution and maximize your chances of filling the order.\",\"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é\",\"aCgA+I\":\"E-Mode change\",\"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\",\"aQYztl\":[\"Repaying \",[\"0\"]],\"aXgo8+\":\"from the\",\"adUsDd\":\"An error has occurred fetching the proposal.\",\"afk1Wt\":[\"This asset can only be used as collateral in E-Mode: \",[\"0\"]],\"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.\",\"b4NS3e\":\"Avertissement de période de refroidissement\",\"bBHmeP\":\"Available to withdraw\",\"bNEQeI\":\"Cooldown\",\"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\",\"bYtb3C\":\"Network costs\",\"bguKoJ\":\"Le montant demandé est supérieur au montant maximum du prêt en mode taux stable\",\"bm/mjh\":\"This is a program initiated and implemented by the Aave Chan Initiative (ACI). Aave Labs does not guarantee the program and accepts no liability.\",\"bq0uL+\":\"supply\",\"bwSQI0\":\"Fournir\",\"bxN6EM\":\"Impossible de désactiver le mode E\",\"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.\",\"cc6gEH\":\"Incentives APR\",\"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\"]],\"cqwIvs\":\"Discussion de forum\",\"csDS2L\":\"Disponible\",\"cu7Stb\":\"Vous n'avez pas participé à cette proposition\",\"cuxGZP\":\"Low health factor after swap. Your position will carry a higher risk of liquidation.\",\"d9YZVR\":\"Principle Tokens\",\"dE6BLF\":\"Gouvernance\",\"dEgA5A\":\"Annuler\",\"dIsyWh\":\"Échec de la validation LTV\",\"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\",\"dYG3JG\":\"Data couldn't be loaded.\",\"dZQvSq\":\"Please review the swap values before confirming.\",\"dfDzrk\":[\"Supply cap reached for \",[\"symbol\"],\". Reduce the amount or choose a different asset.\"],\"dgFOcr\":\"L1 Networks\",\"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\",\"drdV8R\":\"Liquidation\",\"dxW8cS\":\"Jeton de dette Aave\",\"e/ghIe\":[\"This transaction will enable E-Mode (\",[\"0\"],\"). Borrowing will be restricted to assets within this category.\"],\"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\",\"eQ0Wu0\":\"Please connect a wallet to view your balance here.\",\"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\",\"edXiYw\":[\"You've successfully swapped \",[\"0\"],\".\"],\"efdrrk\":\"Disponible sur\",\"enruNF\":\"Commence\",\"eqLYiD\":\"Arrêter de staker maintenant\",\"evw5ha\":\"Valeur nette\",\"ezcU16\":\"Obtenir le jeton ABP\",\"f2e3vu\":[\"Deposit GHO into savings GHO (sGHO) and earn <0>\",[\"0\"],\"% APY on your GHO holdings. There are no lockups, no rehypothecation, and you can withdraw anytime. Simply deposit GHO, receive sGHO tokens representing your balance, and watch your savings grow earning claimable rewards from merit.\"],\"f3W0Ej\":[\"Vous êtes passé au tarif \",[\"0\"]],\"fMJQZK\":\"Emprunté\",\"fZ5Vnu\":\"Reçu\",\"firl9Q\":\"Votre prêt actuel à la valeur en fonction de votre collatéral fournie.\",\"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\",\"g4Ius4\":\"This is the fee for executing position changes, set by governance.\",\"g8KGoA\":\"Foire aux questions\",\"g9zzqS\":\"A voté NAY\",\"gDd2gk\":\"about SuperFest.\",\"gIMJlW\":\"Mode réseau test\",\"gK+IvE\":\"Withdraw and Swap\",\"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é\",\"gjxiVa\":[\"This swap has a price impact of \",[\"0\"],\"%, which exceeds the 25% safety threshold. To proceed, disable Aave Shield in the settings menu.\"],\"goff7V\":\"Adresse zéro non-valide\",\"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\",\"h5hG6q\":\"This is the cost of settling your order on-chain, including gas and any LP fees.\",\"hB23LY\":\"Activer le temps de recharge\",\"hIJzBh\":\"Available to Claim\",\"hIS4N0\":\"APY Net\",\"hQRttt\":\"Submit\",\"hRWvpI\":\"Revendiqué\",\"hb8ajh\":\"Debt Swap\",\"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\",\"hrhwub\":\"dashboard\",\"huQ6Tz\":[\"Emprunter \",[\"symbole\"]],\"hxYu+F\":\"Borrow: All eligible assets\",\"i/fZ2Z\":\"Staked Balance\",\"i9qiyR\":\"Expires in\",\"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\",\"iIuDE1\":\"Estimated weekly rewards based on your current sGHO balance and APR. Actual rewards may vary depending on market conditions.\",\"iKfD53\":\"Transaction history for Plasma not supported yet, coming soon.\",\"iMVZk9\":\"Sélectionner la tolérance de glissement\",\"iNYgey\":\"Get Support\",\"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\",\"iddNqA\":\"This transaction will disable E-Mode. All assets will revert to their base LTV and liquidation thresholds.\",\"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\"],\"ih/VjN\":\"Staking this amount will reduce your health factor and increase risk of liquidation.\",\"il0sEG\":\"L'utilisation du collatéral est limitée en raison du mode d'isolation.\",\"j+K1Xj\":\"Amount After Fee\",\"j4SXZo\":\"Claim all merit rewards\",\"j7JHV+\":\"Total APY\",\"j8cF1R\":\"Cooling down\",\"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\",\"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.\",\"jZkYWO\":\"Boosted LTV\",\"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\",\"jqVo/k\":\"here.\",\"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\"],\"kMi0nz\":\"sGHO Merit APY History\",\"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\",\"kj3M8S\":\"Deposit\",\"kjN9tT\":\"Le plafond d'approvisionnement est dépassé\",\"kn+s7w\":[[\"0\"],\" collateral would have 0% LTV without E-Mode. Disable \",[\"1\"],\" as collateral to use this option.\"],\"knxE+G\":\". JSON (en anglais seulement)\",\"ks2LWT\":\"Le plafond de la dette n'est pas nul\",\"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.\",\"kzeZTm\":\"LTV\",\"lCF0wC\":\"Refresh\",\"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.\",\"lXb3Ih\":[\"This asset has 0 LTV and cannot be used as collateral. Enable an E-Mode to use \",[\"symbol\"],\" as collateral.\"],\"lXj2Sq\":\"Repay with Collateral\",\"lYGfRP\":\"Anglais\",\"lfEjIE\":\"En savoir plus dans notre <0>guide FAQ\",\"ljF4ko\":\"The selected rate is lower than the market price. You might incur a loss if you proceed.\",\"lqCWte\":[\"Deposit GHO and earn \",[\"0\"],\"% APY\"],\"lu7f+8\":\"Blocked by Shield\",\"m/IEhi\":\"Émission totale par jour\",\"m7r7Hh\":\"Sélection d’actifs d’emprunt\",\"mDDK4p\":\"Balancer Pool\",\"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.\"],\"me5LMQ\":\"Checking approval\",\"mogZv0\":\"Favourite\",\"muiOng\":[\"Acheter \",[\"cryptoSymbol\"],\" avec Fiat\"],\"mvCXBY\":\"Mise en jeu AAVE\",\"mwdzil\":\"D'accord, fermer\",\"mzDAU3\":\"Savings GHO (sGHO)\",\"mzdIia\":\"L'actif ne peut pas être utilisé comme collatéral.\",\"n+SX4g\":\"Développeurs\",\"n1na81\":\"No eligible assets to swap.\",\"n4PWtp\":\"Depositing\",\"nJIhzm\":\"Fournir apy\",\"nJgsQu\":\"Avec un pouvoir de vote de <0/>\",\"nLC6tu\":\"Français\",\"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\",\"nPGNMh\":\"Peut être exécuté\",\"nUK1ou\":[\"Assets with zero LTV (\",[\"0\"],\") must be withdrawn or disabled as collateral to perform this action\"],\"neITkT\":\"This asset has 0% LTV, meaning it does not contribute to borrowing power. Existing positions with this asset as collateral still count toward the liquidation threshold and protect your health factor. New positions cannot enable this asset as collateral.\",\"njBeMm\":\"Les deux\",\"ntyFSE\":[[\"h\"],\"h\"],\"nwIsn4\":\"After the cooldown is initiated, you will be able to withdraw your assets immediatley.\",\"nweCqF\":\"Cancelling order...\",\"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\",\"o5ooMr\":\"Dette\",\"o7J4JM\":\"Filtrer\",\"o7Yloh\":\"Learn more about the Ether.fi program\",\"oHFrpj\":\"Temps de recharge pour déstaker\",\"oJ5ZiG\":\"L'utilisateur n'a pas de dette à taux variable impayée sur cette réserve\",\"oUwXhx\":\"Ressources de test\",\"oWQnqT\":\"Staking this asset will earn the underlying asset supply yield in addition to other configured rewards.\",\"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.\",\"ogU9GD\":\"Target liquidity\",\"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.\",\"om/XHs\":\"Disponible au dépôt\",\"omq5qJ\":\"Claiming all protocol rewards and merit rewards together\",\"ovBPCi\":\"Default\",\"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\",\"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é.\",\"p45alK\":\"Configurer la délégation\",\"pDgeaz\":[[\"title\"]],\"pdZqBk\":\"Le solde sous-jacent doit être supérieur à 0\",\"pgWG9H\":\"Pas assez de solde staké\",\"ph9+uj\":[\"Switching to \",[\"networkName\"],\"...\"],\"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\"],\")\"],\"pup/ej\":\"Net Protocol Incentives\",\"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\",\"qKfida\":\"Staked tokens are wrapped and use an exchange rate. You may see fewer token shares, but the value matches your deposit and will grow as yield accrues.\",\"qOqbD6\":\"copier l'erreur\",\"qXCkEM\":\"Veuillez connecter votre portefeuille pour voir vos fournitures, vos emprunts et vos positions ouvertes.\",\"qY2jnw\":\"Expiration invalide\",\"qhhf9L\":\"Rewards available to claim\",\"qtS7wW\":\"Thank you for voting\",\"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\",\"qz6JVE\":[\"Your order amounts are \",[\"0\"],\" less favorable by \",[\"1\"],\"% to the liquidity provider than recommended. This order may not be executed.\"],\"qz9c6b\":[\"Repaying \",[\"0\"],\" with \",[\"1\"]],\"qzFp5D\":\"All Categories\",\"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\",\"riNWOA\":\"E-Mode\",\"rjGI/Q\":\"Vie privée\",\"rnKPW1\":\"Watch a wallet balance in read-only mode\",\"rojvRp\":\"Approval by signature not available\",\"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\",\"t/ct9N\":\"Auto Slippage\",\"tBIz3I\":[\"Supply \",[\"0\"],\" and double your yield by <0><1>verifying your humanity through Self for \",[\"1\"],\" per user.\"],\"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\",\"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\"],\"tVJk4q\":\"Cancel order\",\"te9Bfl\":\"S'il vous plaît, connectez votre portefeuille\",\"tj6dr4\":\"Merit Program rewards can be claimed\",\"tt5yma\":\"Vos ressources\",\"tw6G0s\":[\"You must disable \",[\"0\"],\" as collateral before exiting E-Mode. These assets have 0 LTV outside of E-Mode and cannot be used as collateral.\"],\"u3ZeYl\":\"La transaction a échoué\",\"u706uF\":\"Prime flash non valide\",\"u8Gfu7\":[\"Aucun résultat de recherche\",[\"0\"]],\"uAQUqI\":\"Status\",\"uGG4Lk\":\"Claim all protocol rewards\",\"uHMwk8\":\"Aucune ressource n’a été sélectionnée pour la migration.\",\"uI3SjW\":\"Connection Error\",\"uJOI6M\":\"Tip: Try improving your order parameters\",\"uJPHuY\":\"Migration\",\"uRXR6h\":[\"Swap \",[\"0\"],\" debt\"],\"uZiu4N\":\"There is an active order for the same sell asset (avoid nonce reuse).\",\"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\",\"usB84Z\":\"Le montant maximum disponible pour emprunter est limité car le plafond d’emprunt du protocole est presque atteint.\",\"uyLjNw\":\"Custom slippage\",\"v+Fu0z\":\"This asset is eligible for Kernel points incentive program. Aave Labs does not guarantee the program and accepts no liability.\",\"v0CIlJ\":\"You have no rewards to claim at this time.\",\"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é\",\"vH2C/2\":\"Swap\",\"vLyv1R\":\"Cacher\",\"vMba49\":\"L'emprunt n'est pas activé\",\"vMpNwt\":\"Approuvez avec\",\"vNAHA2\":\"PTs\",\"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.\",\"vv7kpg\":\"Cancelled\",\"w+V9Cx\":\"Stablecoin\",\"w/JtJ3\":\"L'offre de dette stable n'est pas nulle\",\"w1f8Ky\":\"Savings GHO\",\"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\",\"wapGcj\":[[\"message\"]],\"wb/r1O\":[\"Faucet \",[\"0\"]],\"wdxz7K\":\"Source\",\"weC8IO\":\"All Rewards\",\"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.\",\"wjFWDB\":\"No markets found\",\"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\",\"wuMdlk\":[\"This asset is eligible for \",[\"0\"],\" Sonic Rewards.\"],\"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.\",\"x+QJ9y\":[\"Category \",[\"selectedEmodeId\"]],\"x0TRLG\":[\"Repay your \",[\"0\"],\" \",[\"1\",\"plural\",{\"one\":\"borrow\",\"other\":\"borrows\"}],\" to use this category.\"],\"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\"]],\"yRkqG9\":\"Limit\",\"yYHqJe\":\"Pas une adresse valide\",\"yZ5ngq\":\"Transaction details not available\",\"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\"],\"yv/Kz/\":\"Back home\",\"yz7wBu\":\"Fermer\",\"z4uGQg\":\"Le plafond de la dette est dépassé\",\"z5JUmg\":[\"Estimated costs are \",[\"0\"],\"% of the sell amount. This order is unlikely to be filled.\"],\"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\",\"zNgzxM\":\"Excludes variable supply APY\",\"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\",\"zZmf1N\":\"Filled\",\"zgtIDV\":\"Dette restante\",\"zmTPiV\":\"Bilan d'approvisionnement\",\"zpPbZl\":\"Paramètres du risque de liquidation\",\"zqp4Tm\":\"Unable to Connect\",\"zr58Jd\":\"Umbrella is the upgraded version of the Safety Module. Manage your previously staked assets\",\"zucql+\":\"Menu\",\"zv/j10\":[\"Active \",[\"0\"],\" borrow is not compatible with this category. Repay your \",[\"1\"],\" borrow to use this option.\"],\"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.\"}")}; \ No newline at end of file diff --git a/src/locales/fr/messages.po b/src/locales/fr/messages.po index 8e38261a13..d7b7278c40 100644 --- a/src/locales/fr/messages.po +++ b/src/locales/fr/messages.po @@ -19,12 +19,22 @@ msgstr "" "X-Crowdin-File-ID: 46\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 "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." -#: src/components/transactions/Withdraw/WithdrawAndSwitchModalContent.tsx -msgid "Receive (est.)" -msgstr "Recevoir (est.)" +#: src/modules/umbrella/StakeAssets/StakeAssetName.tsx +msgid "Reward APY at target liquidity" +msgstr "" + +#: src/layouts/SupportModal.tsx +msgid "Thank you for submitting your inquiry!" +msgstr "" + +#: src/modules/markets/Gho/GhoBanner.tsx +#: src/modules/markets/Gho/GhoBanner.tsx +msgid "Save with sGHO" +msgstr "" #: src/components/incentives/EthenaIncentivesTooltipContent.tsx #: src/components/incentives/EtherfiIncentivesTooltipContent.tsx @@ -32,38 +42,49 @@ msgstr "Recevoir (est.)" msgid "Aave Labs does not guarantee the program and accepts no liability." msgstr "" -#: src/components/transactions/DebtSwitch/DebtSwitchModalContent.tsx -msgid "You've successfully swapped borrow position." +#: src/modules/reserve-overview/AddTokenDropdown.tsx +msgid "Savings GHO token" msgstr "" #: src/components/incentives/IncentivesTooltipContent.tsx msgid "Participating in this {symbol} reserve gives annualized rewards." msgstr "Participer à cette réserve {symbol} donne des récompenses annualisées." +#: src/modules/reserve-overview/ReserveEModePanel.tsx +msgid "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 restrictions, see the <1>help guide or the <2>Aave V3 Technical Paper." +msgstr "" + #: src/modules/governance/DelegatedInfoPanel.tsx msgid "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." msgstr "" -#: src/components/transactions/Warnings/ChangeNetworkWarning.tsx -msgid "Seems like we can't switch the network automatically. Please check if you can change it from the wallet." -msgstr "On dirait que nous ne pouvons pas changer de réseau automatiquement. Veuillez vérifier si vous pouvez le changer depuis le portefeuille." - #: src/modules/reserve-overview/BorrowInfo.tsx msgid "Borrow cap" msgstr "Limite d'emprunt" -#: src/components/transactions/Swap/SwapModalContent.tsx -msgid "Supplied asset amount" -msgstr "Montant de l’actif fourni" - #: src/components/transactions/Bridge/BridgeModalContent.tsx msgid "Estimated time" msgstr "" #: src/components/transactions/StakeCooldown/StakeCooldownModalContent.tsx +#: src/modules/umbrella/StakeCooldownModalContent.tsx msgid "Remind me" msgstr "" +#: src/modules/umbrella/helpers/StakedUnderlyingTooltip.tsx +msgid "Total amount of underlying assets staked. This number represents the combined sum of your original asset and the corresponding aTokens staked in Umbrella." +msgstr "" + +#: src/components/transactions/ClaimRewards/ClaimRewardsModalContent.tsx +#: src/components/transactions/ClaimRewards/ClaimRewardsModalContent.tsx +#: src/components/transactions/ClaimRewards/RewardsSelect.tsx +msgid "Protocol Rewards" +msgstr "" + +#: src/modules/umbrella/helpers/ApyTooltip.tsx +msgid "Reward APY adjusts with total staked amount, following a curve that targets optimal staking levels." +msgstr "" + #: src/components/transactions/StakingMigrate/StakingMigrateModalContent.tsx msgid "Amount to migrate" msgstr "" @@ -72,18 +93,18 @@ msgstr "" msgid "Borrowing this amount will reduce your health factor and increase risk of liquidation." msgstr "Emprunter ce montant réduira votre facteur santé et augmentera le risque de liquidation." +#: src/components/transactions/TxActionsWrapper.tsx +msgid "{0} {symbol}..." +msgstr "" + #: src/components/transactions/FlowCommons/BaseWaiting.tsx msgid "In progress" msgstr "" -#: src/modules/reserve-overview/ReserveEModePanel.tsx -msgid "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." +#: src/modules/umbrella/StakeCooldownModalContent.tsx +msgid "Amount available to unstake" msgstr "" -#: src/modules/reserve-overview/Gho/GhoDiscountCalculator.tsx -msgid "Minimum staked Aave amount" -msgstr "Montant minimum d’Aave mis en jeu" - #: src/components/transactions/Bridge/BridgeDestinationInput.tsx msgid "To" msgstr "" @@ -93,10 +114,16 @@ msgstr "" msgid "FAQ" msgstr "FAQ" +#: src/modules/sGho/SavingsGhoCard.tsx +msgid "Deposit GHO and earn up to <0>{0}% APY" +msgstr "" + #: src/ui-config/errorMapping.tsx msgid "Stable borrowing is not enabled" msgstr "L'emprunt stable n'est pas activé" +#: src/components/transactions/ClaimRewards/ClaimRewardsModalContent.tsx +#: src/components/transactions/ClaimRewards/ClaimRewardsModalContent.tsx #: src/components/transactions/ClaimRewards/ClaimRewardsModalContent.tsx msgid "Total worth" msgstr "Valeur totale" @@ -105,13 +132,9 @@ msgstr "Valeur totale" msgid "User did not borrow the specified currency" msgstr "L'utilisateur n'a pas emprunté la devise spécifiée" -#: src/components/transactions/DebtSwitch/DebtSwitchModalContent.tsx -msgid "There is not enough liquidity for the target asset to perform the switch. Try lowering the amount." -msgstr "Il n’y a pas assez de liquidités pour que l’actif cible puisse effectuer le changement. Essayez de réduire le montant." - -#: src/components/Warnings/CooldownWarning.tsx -msgid "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" -msgstr "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" +#: pages/404.page.tsx +msgid "We suggest you go back to the home page." +msgstr "" #: src/modules/history/HistoryFilterMenu.tsx msgid "Rate change" @@ -121,7 +144,7 @@ msgstr "Changement de taux" msgid "Sorry, we couldn't find the page you were looking for." msgstr "Désolé, nous n’avons pas trouvé la page que vous cherchiez." -#: src/components/transactions/Switch/SwitchAssetInput.tsx +#: src/components/transactions/Swap/inputs/primitives/SwapAssetInput.tsx msgid "Select token" msgstr "" @@ -137,6 +160,10 @@ msgstr "Risque de liquidation" msgid "Current v2 Balance" msgstr "Solde actuel v2" +#: src/components/incentives/MeritIncentivesTooltipContent.tsx +msgid "Reward Token" +msgstr "" + #: src/modules/history/HistoryFilterMenu.tsx #: src/modules/migration/MigrationList.tsx #: src/modules/migration/MigrationListMobileItem.tsx @@ -151,6 +178,11 @@ msgstr "Il s'agit du montant total que vous pouvez emprunter. Vous pouvez emprun msgid "This asset is eligible for {0} Ethena Rewards." msgstr "" +#: src/components/transactions/Swap/actions/RepayWithCollateral/RepayWithCollateralActionsViaParaswap.tsx +#: src/components/transactions/Swap/actions/RepayWithCollateral/RepayWithCollateralActionsViaParaswap.tsx +msgid "Repay {0}" +msgstr "" + #: src/modules/history/PriceUnavailable.tsx msgid "Price data is not currently available for this reserve on the protocol subgraph" msgstr "À l’heure actuelle, les données sur les prix ne sont pas disponibles pour cette réserve dans le sous-graphe du protocole" @@ -159,15 +191,25 @@ msgstr "À l’heure actuelle, les données sur les prix ne sont pas disponibles msgid "Transaction history" msgstr "Historique des transactions" -#: src/components/transactions/TxActionsWrapper.tsx -msgid "Approving {symbol}..." -msgstr "Approuver {symbol}..." +#: src/modules/umbrella/UmbrellaHeader.tsx +msgid "Learn more about the risks." +msgstr "" #: src/modules/governance/UserGovernanceInfo.tsx #: src/modules/reserve-overview/ReserveActions.tsx msgid "Please connect a wallet to view your personal information here." msgstr "Veuillez connecter un portefeuille pour afficher vos informations personnelles ici." +#: src/components/transactions/Repay/RepayModalContent.tsx +#: src/components/transactions/Swap/warnings/postInputs/USDTResetWarning.tsx +#: src/components/transactions/Warnings/USDTResetWarning.tsx +msgid "USDT on Ethereum requires approval reset before a new approval. This will require an additional transaction." +msgstr "" + +#: src/modules/umbrella/AmountSharesItem.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 "" + #: src/modules/dashboard/lists/SupplyAssetsList/SupplyAssetsListItem.tsx msgid "..." msgstr "..." @@ -176,18 +218,18 @@ msgstr "..." msgid "Liquidation <0/> threshold" msgstr "Seuil de liquidation <0/>" -#: src/components/transactions/Withdraw/WithdrawAndSwitchActions.tsx -msgid "Withdrawing and Switching" -msgstr "Retrait et changement" - -#: src/modules/markets/Gho/GhoBanner.tsx -msgid "Borrow rate" -msgstr "" - #: src/modules/reserve-overview/SupplyInfo.tsx msgid "Asset supply is limited to a certain amount to reduce protocol exposure to the asset and to help manage risks involved." msgstr "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." +#: src/components/transactions/CancelCowOrder/CancelCowOrderModalContent.tsx +msgid "Cancellation submited" +msgstr "" + +#: src/components/transactions/Supply/SupplyModalContent.tsx +msgid "This transaction will switch E-Mode from {0} to {1}. Borrowing will be restricted to assets within the new category." +msgstr "" + #: src/modules/markets/Gho/GhoBanner.tsx #: src/modules/markets/Gho/GhoBanner.tsx #: src/modules/markets/MarketAssetsListMobileItem.tsx @@ -202,13 +244,21 @@ msgstr "Plus" msgid "Available liquidity" msgstr "Liquidités disponibles" +#: src/components/transactions/Swap/modals/CollateralSwapModal.tsx +msgid "Please connect your wallet to swap collateral." +msgstr "" + #: src/components/infoTooltips/MigrationDisabledTooltip.tsx msgid "Asset cannot be migrated due to supply cap restriction in {marketName} v3 market." msgstr "L’actif ne peut pas être migré en raison d’une restriction de plafond d’approvisionnement dans {marketName} v3 marché." -#: src/components/AddressBlockedModal.tsx -msgid "Blocked Address" -msgstr "Adresse bloquée" +#: src/components/transactions/FlowCommons/Error.tsx +msgid "Need help? Our support team can assist." +msgstr "" + +#: src/modules/sGho/SavingsGhoCard.tsx +msgid "Initiate Withdraw" +msgstr "" #: src/components/incentives/EtherfiIncentivesTooltipContent.tsx msgid "This asset is eligible for the Ether.fi Loyalty program with a <0>x{multiplier} multiplier." @@ -222,24 +272,25 @@ msgstr "Aave est un protocole entièrement décentralisé et régi par la commun msgid "Please enter a valid wallet address." msgstr "Veuillez saisir une adresse de portefeuille valide." -#: src/modules/markets/Gho/GhoBanner.tsx -msgid "Meet GHO" -msgstr "Rencontrez 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 "Je reconnais les risques encourus." -#: src/components/transactions/Swap/SwapModalContent.tsx -msgid "Supply cap on target reserve reached. Try lowering the amount." -msgstr "Plafond d'approvisionnement sur la réserve cible atteint. Essayez de réduire le montant." +#: src/modules/sGho/SGhoDepositPanel.tsx +#: src/modules/sGho/SGhoHeader.tsx +msgid "Total Deposited" +msgstr "" #: src/modules/staking/BuyWithFiatModal.tsx msgid "{0}{name}" msgstr "{0}{name}" +#: src/components/TopInfoPanel/PageTitle.tsx +msgid "Favourited" +msgstr "" + #: src/ui-config/errorMapping.tsx msgid "Stable borrowing is enabled" msgstr "L'emprunt stable est activé" @@ -259,8 +310,9 @@ msgstr "Emprunter {symbole}" msgid "Total supplied" msgstr "Total fourni" -#: src/components/transactions/Withdraw/WithdrawAndSwitchModalContent.tsx +#: src/components/transactions/Swap/details/WithdrawAndSwapDetails.tsx #: src/components/transactions/Withdraw/WithdrawModalContent.tsx +#: src/modules/umbrella/UmbrellaModalContent.tsx msgid "Remaining supply" msgstr "Offre restante" @@ -268,15 +320,15 @@ msgstr "Offre restante" msgid "There is not enough collateral to cover a new borrow" msgstr "Il n'y a pas assez de collatéral pour couvrir un nouvel emprunt" +#: src/components/transactions/ClaimRewards/ClaimRewardsModalContent.tsx +msgid "{0} Balance{1}" +msgstr "" + #: src/components/transactions/Supply/SupplyActions.tsx #: src/components/transactions/Supply/SupplyWrappedTokenActions.tsx msgid "Supply {symbol}" msgstr "Fournir {symbole}" -#: src/modules/reserve-overview/Gho/GhoInterestRateGraph.tsx -msgid "Total interest accrued" -msgstr "Total des intérêts courus" - #: src/components/transactions/Emode/EmodeModalContent.tsx #: src/components/transactions/Emode/EmodeModalContent.tsx #: src/modules/migration/MigrationList.tsx @@ -289,8 +341,6 @@ msgstr "Max LTV" #: src/components/transactions/Repay/RepayModal.tsx #: src/modules/dashboard/lists/BorrowedPositionsList/BorrowedPositionsListItem.tsx #: src/modules/dashboard/lists/BorrowedPositionsList/BorrowedPositionsListItem.tsx -#: src/modules/dashboard/lists/BorrowedPositionsList/GhoBorrowedPositionsListItem.tsx -#: src/modules/dashboard/lists/BorrowedPositionsList/GhoBorrowedPositionsListItem.tsx #: src/modules/history/actions/ActionDetails.tsx #: src/modules/history/HistoryFilterMenu.tsx msgid "Repay" @@ -300,6 +350,8 @@ msgstr "Rembourser" msgid "The weighted average of APY for all supplied assets, including incentives." msgstr "La moyenne pondérée de l'APY pour tous les actifs fournis, y compris les incitations." +#: src/modules/sGho/SGhoDepositPanel.tsx +#: src/modules/staking/GhoStakingPanel.tsx #: src/modules/staking/StakingPanel.tsx msgid "You can only withdraw your assets from the Security Module after the cooldown period ends and the unstake window is active." msgstr "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." @@ -329,21 +381,35 @@ msgstr "Petits caractères" msgid "Maximum available to borrow" msgstr "" -#: src/modules/reserve-overview/Gho/GhoDiscountCalculator.tsx -msgid "Minimum GHO borrow amount" -msgstr "Montant minimum d’emprunt GHO" +#: src/components/incentives/MeritIncentivesTooltipContent.tsx +#: src/components/incentives/MeritIncentivesTooltipContent.tsx +msgid "or from the" +msgstr "" #: src/components/transactions/DelegationTxsWrapper.tsx msgid "Sign to continue" msgstr "Signez pour continuer" +#: src/modules/umbrella/UmbrellaHeader.tsx +#: src/modules/umbrella/UmbrellaHeader.tsx +msgid "Total amount staked" +msgstr "" + #: src/components/transactions/Bridge/BridgeModalContent.tsx #: src/modules/history/HistoryWrapper.tsx #: src/modules/history/HistoryWrapperMobile.tsx msgid "Transactions" msgstr "Transactions" -#: src/components/transactions/Switch/SwitchModalTxDetails.tsx +#: src/components/transactions/Swap/warnings/postInputs/SafetyModuleSwapWarning.tsx +msgid "For swapping safety module assets please unstake your position <0>here." +msgstr "" + +#: src/components/transactions/Swap/warnings/postInputs/HighPriceImpactWarning.tsx +msgid "High price impact (<0>{0}%)! This route will return {1} due to low liquidity or small order size." +msgstr "" + +#: src/components/infoTooltips/SwapFeeTooltip.tsx msgid "Fees help support the user experience and security of the Aave application. <0>Learn more." msgstr "" @@ -351,6 +417,11 @@ msgstr "" msgid "Your {networkName} wallet is empty. Get free test assets at" msgstr "Votre {networkName} Le portefeuille est vide. Obtenez des ressources de test gratuites à l’adresse suivante :" +#: src/modules/dashboard/lists/BorrowAssetsList/BorrowAssetsList.tsx +#: src/modules/dashboard/lists/SupplyAssetsList/SupplyAssetsList.tsx +msgid "We couldn't find any assets related to your search. Try again with a different category." +msgstr "" + #: src/modules/governance/GovernanceTopPanel.tsx msgid "documentation" msgstr "documentation" @@ -363,6 +434,10 @@ msgstr "Le plafond de la dette limite le montant que les utilisateurs du protoco msgid "This asset has almost reached its supply cap. There can only be {messageValue} supplied to this market." msgstr "Cet actif a presque atteint son plafond d'offre. Il ne peut y avoir que {messageValue} fourni à ce marché." +#: src/components/transactions/Swap/warnings/postInputs/ShieldSwapWarning.tsx +msgid "Aave Shield: Transaction blocked" +msgstr "" + #: src/ui-config/errorMapping.tsx msgid "Variable debt supply is not zero" msgstr "L'offre de dette variable n'est pas nulle" @@ -371,8 +446,8 @@ msgstr "L'offre de dette variable n'est pas nulle" msgid "To request access for this permissioned market, please visit: <0>Acces Provider Name" msgstr "Pour demander l'accès à ce marché autorisé, veuillez consulter : <0>Nom du fournisseur d'accès" -#: src/components/transactions/Switch/SwitchModalTxDetails.tsx -#: src/components/transactions/Switch/SwitchModalTxDetails.tsx +#: src/components/transactions/Swap/details/SwapDetails.tsx +#: src/components/transactions/Swap/details/SwapDetails.tsx msgid "Minimum {0} received" msgstr "Minimum {0} reçu" @@ -381,9 +456,15 @@ msgid "Allowance required action" msgstr "Allocation action requise" #: src/modules/dashboard/DashboardTopPanel.tsx +#: src/modules/sGho/SGhoHeader.tsx +#: src/modules/umbrella/UmbrellaHeader.tsx msgid "Available rewards" msgstr "Récompenses disponibles" +#: src/components/transactions/ClaimRewards/ClaimRewardsModalContent.tsx +msgid "Claiming individual protocol reward only. Merit rewards excluded - select \"claim all\" to include merit rewards." +msgstr "" + #: src/components/infoTooltips/ApprovalTooltip.tsx msgid "To continue, you need to grant 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" msgstr "" @@ -401,7 +482,6 @@ msgstr "Aperçu" msgid "All transactions" msgstr "Toutes les transactions" -#: src/components/transactions/Emode/EmodeModalContent.tsx #: src/components/transactions/Repay/RepayTypeSelector.tsx #: src/modules/dashboard/lists/SuppliedPositionsList/SuppliedPositionsList.tsx #: src/modules/dashboard/lists/SuppliedPositionsList/SuppliedPositionsList.tsx @@ -412,20 +492,25 @@ msgstr "Collatérale" msgid "Spanish" msgstr "Espagnol" +#: src/components/transactions/SavingsGho/SavingsGhoWithdrawActions.tsx +msgid "Withdrawing GHO" +msgstr "" + #: src/components/transactions/DelegationTxsWrapper.tsx msgid "Signing" msgstr "Signature" -#: src/components/transactions/Repay/CollateralRepayActions.tsx -#: src/components/transactions/Repay/CollateralRepayActions.tsx #: src/components/transactions/Repay/RepayActions.tsx msgid "Repay {symbol}" msgstr "Rembourser {symbole}" -#: src/modules/reserve-overview/Gho/GhoDiscountCalculator.tsx -msgid "Discountable amount" -msgstr "Montant actualisable" +#: src/components/transactions/Emode/EmodeModalContent.tsx +msgid "Disable {0} as collateral to use this category. These assets would have 0% LTV." +msgstr "" +#: src/modules/sGho/SavingsGhoCard.tsx +#: src/modules/sGho/SGhoDepositPanel.tsx +#: src/modules/staking/GhoStakingPanel.tsx #: src/modules/staking/StakingPanel.tsx msgid "Cooling down..." msgstr "Refroidissement..." @@ -454,30 +539,32 @@ msgstr "Copier le message d’erreur" msgid "repaid" msgstr "Remboursé" +#: src/modules/umbrella/StakeAssets/UmbrellaAssetsList.tsx +msgid "Available to Stake" +msgstr "" + +#: src/components/transactions/Supply/CollateralOptionsSelector.tsx +msgid "Show less" +msgstr "" + #: src/components/transactions/Warnings/ChangeNetworkWarning.tsx msgid "Switch Network" msgstr "Changer de réseau" -#: src/components/transactions/Borrow/GhoBorrowModalContent.tsx -#: src/modules/dashboard/lists/BorrowAssetsList/GhoBorrowAssetsListItem.tsx -#: src/modules/dashboard/lists/BorrowAssetsList/GhoBorrowAssetsListItem.tsx -#: src/modules/reserve-overview/Gho/GhoBorrowInfo.tsx -#: src/modules/reserve-overview/Gho/GhoBorrowInfo.tsx -msgid "APY, borrow rate" -msgstr "" - -#: src/components/incentives/IncentivesTooltipContent.tsx -#: src/components/incentives/IncentivesTooltipContent.tsx -#: src/components/incentives/MeritIncentivesTooltipContent.tsx -#: src/components/incentives/ZkSyncIgniteIncentivesTooltipContent.tsx +#: src/components/transactions/SavingsGho/SavingsGhoModalDepositContent.tsx +#: src/modules/reserve-overview/Gho/SavingsGho.tsx msgid "APR" msgstr "APR" -#: 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 "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" +#: src/modules/umbrella/helpers/Helpers.tsx +#: src/modules/umbrella/StakingApyItem.tsx +#: src/modules/umbrella/UmbrellaClaimModalContent.tsx +#: src/modules/umbrella/UmbrellaClaimModalContent.tsx +msgid "Total" +msgstr "" #: src/modules/governance/proposal/ProposalLifecycle.tsx +#: src/modules/governance/proposal/ProposalLifecycleCache.tsx msgid "{stepName}" msgstr "" @@ -487,6 +574,10 @@ msgstr "" msgid "Health factor" msgstr "Facteur de santé" +#: src/components/Warnings/CooldownWarning.tsx +msgid "The cooldown period is the time required prior to unstaking your tokens (<0/>). You can only withdraw your assets from the Security Module after the cooldown period and within the unstake window. <1>Learn more" +msgstr "" + #: src/modules/governance/proposal/VotingResults.tsx #: src/modules/governance/proposal/VotingResults.tsx msgid "Reached" @@ -505,6 +596,10 @@ msgstr "L’emprunt n’est pas disponible car vous utilisez le mode Isolation. msgid "Share on Lens" msgstr "Partager sur Lens" +#: src/modules/umbrella/UnstakeModalContent.tsx +msgid "Redeem as aToken" +msgstr "" + #: src/components/incentives/SonicIncentivesTooltipContent.tsx msgid "Learn more about Sonic Rewards program" msgstr "" @@ -513,11 +608,18 @@ msgstr "" msgid "Claim all" msgstr "Réclamer tout" +#: src/modules/sGho/SGhoDepositPanel.tsx +#: src/modules/staking/GhoStakingPanel.tsx #: src/modules/staking/StakingPanel.tsx +#: src/modules/umbrella/AmountSharesItem.tsx msgid "Time remaining until the withdraw period ends." msgstr "" -#: src/modules/reserve-overview/graphs/ApyGraphContainer.tsx +#: src/components/transactions/Swap/actions/WithdrawAndSwap/WithdrawAndSwapActionsViaParaswap.tsx +msgid "Withdrawing and Swapping" +msgstr "" + +#: src/modules/reserve-overview/graphs/MeritApyGraphContainer.tsx msgid "Data couldn't be fetched, please reload graph." msgstr "Les données n’ont pas pu être récupérées, veuillez recharger le graphique." @@ -526,11 +628,6 @@ msgstr "Les données n’ont pas pu être récupérées, veuillez recharger le g msgid "Dashboard" msgstr "Tableau de bord" -#: src/components/transactions/Withdraw/WithdrawAndSwitchActions.tsx -#: src/components/transactions/Withdraw/WithdrawAndSwitchActions.tsx -msgid "Withdraw and Switch" -msgstr "Retrait et échange" - #: src/modules/dashboard/lists/BorrowAssetsList/BorrowAssetsList.tsx msgid "Be careful - You are very close to liquidation. Consider depositing more collateral or paying down some of your borrowed positions" msgstr "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" @@ -544,9 +641,11 @@ msgid "Page not found" msgstr "Page introuvable" #: src/modules/reserve-overview/graphs/ApyGraphContainer.tsx +#: src/modules/reserve-overview/graphs/MeritApyGraphContainer.tsx msgid "Loading data..." msgstr "Chargement des données..." +#: src/components/transactions/SavingsGho/SavingsGhoWithdrawModalContent.tsx #: src/components/transactions/Withdraw/WithdrawModalContent.tsx msgid "withdrew" msgstr "Retiré" @@ -564,10 +663,15 @@ msgstr "Ajouter au portefeuille" msgid "Invalid amount to mint" msgstr "Montant invalide à frapper" +#: src/components/transactions/Bridge/BridgeModalContent.tsx +msgid "View on CCIP Explorer" +msgstr "" + #: src/components/AddressBlockedModal.tsx msgid "Disconnect Wallet" msgstr "Déconnecter le portefeuille" +#: src/modules/markets/MarketAssetsListContainer.tsx #: src/modules/markets/MarketAssetsListContainer.tsx msgid "assets" msgstr "actifs" @@ -582,6 +686,10 @@ msgstr "Solde à révoquer" msgid "Utilization Rate" msgstr "Taux d'utilisation" +#: src/components/MarketSwitcher.tsx +msgid "The Ink instance is governed by the Ink Foundation" +msgstr "" + #: src/modules/reserve-overview/ReserveFactorOverview.tsx msgid "View contract" msgstr "Voir le contrat" @@ -594,16 +702,28 @@ msgstr "" msgid "Please connect your wallet to be able to bridge your tokens." msgstr "" +#: src/components/transactions/Swap/actions/CollateralSwap/CollateralSwapActionsViaCoWAdapters.tsx +#: src/components/transactions/Swap/actions/CollateralSwap/CollateralSwapActionsViaCoWAdapters.tsx +#: src/components/transactions/Swap/actions/CollateralSwap/CollateralSwapActionsViaParaswapAdapters.tsx +#: src/components/transactions/Swap/actions/CollateralSwap/CollateralSwapActionsViaParaswapAdapters.tsx +msgid "Swap {0} collateral" +msgstr "" + #: src/components/lists/ListWrapper.tsx msgid "Show" msgstr "Montrer" +#: src/modules/markets/Gho/GhoBanner.tsx +#: src/modules/markets/Gho/GhoBanner.tsx +#: src/modules/reserve-overview/Gho/SavingsGho.tsx +msgid "Total deposited" +msgstr "" + #: src/components/transactions/Warnings/IsolationModeWarning.tsx msgid "You are entering Isolation mode" msgstr "Vous entrez en mode Isolation" #: src/components/transactions/Borrow/BorrowModalContent.tsx -#: src/components/transactions/Borrow/GhoBorrowModalContent.tsx msgid "Borrowing is currently unavailable for {0}." msgstr "L'emprunt n'est actuellement pas disponible pour {0}." @@ -611,6 +731,11 @@ msgstr "L'emprunt n'est actuellement pas disponible pour {0}." msgid "Reserve Size" msgstr "Taille de réserve" +#: src/components/transactions/Swap/inputs/primitives/SwapAssetInput.tsx +msgid "%" +msgstr "" + +#: src/components/transactions/SavingsGho/SavingsGhoWithdrawModalContent.tsx #: src/components/transactions/UnStake/UnStakeModalContent.tsx msgid "Staking balance" msgstr "Solde de mise en jeu" @@ -631,10 +756,19 @@ msgstr "Cet actif a presque atteint son plafond d'emprunt. Il n'y a que {message msgid "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." msgstr "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." +#: src/components/AssetCategoryMultiselect.tsx +msgid "Select Categories" +msgstr "" + #: src/components/caps/CapsTooltip.tsx msgid "This asset has reached its supply cap. Nothing is available to be supplied from this market." msgstr "Cet actif a atteint son plafond d'offre. Rien n'est disponible pour être fourni à partir de ce marché." +#: src/modules/history/actions/ActionDetails.tsx +#: src/modules/history/HistoryFilterMenu.tsx +msgid "Collateral Swap" +msgstr "" + #: src/modules/reserve-overview/ReserveConfiguration.tsx msgid "MAI has been paused due to a community decision. Supply, borrows and repays are impacted. <0>More details" msgstr "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" @@ -644,33 +778,35 @@ msgstr "L’AMI a été suspendu en raison d’une décision de la communauté. msgid "Underlying token" msgstr "Jeton sous-jacent" -#: src/components/transactions/Bridge/BridgeModalContent.tsx -msgid "Bridged Via CCIP" -msgstr "" - #: src/modules/dashboard/lists/ListBottomText.tsx msgid "Since this is a test network, you can get any of the assets if you have ETH on your wallet" msgstr "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" +#: src/components/transactions/Swap/errors/shared/InsufficientLiquidityBlockingError.tsx +msgid "There is not enough liquidity in {symbol} to complete this swap. Try lowering the amount." +msgstr "" + +#: src/components/incentives/MerklIncentivesTooltipContent.tsx +msgid "This is a program initiated by the Aave DAO and implemented by Merkl. Aave Labs does not guarantee the program and accepts no liability." +msgstr "" + #: src/modules/staking/BuyWithFiatModal.tsx msgid "Choose one of the on-ramp services" msgstr "Choisissez l’un des services de rampe d’accès" #: src/modules/reserve-overview/BorrowInfo.tsx -#: src/modules/reserve-overview/Gho/GhoBorrowInfo.tsx -#: src/modules/reserve-overview/Gho/GhoBorrowInfo.tsx msgid "Maximum amount available to borrow is <0/> {0} (<1/>)." msgstr "Le montant maximal disponible pour emprunter est de <0/> {0} (<1/>)." +#: src/components/transactions/Swap/actions/ActionsBlocked.tsx +msgid "Check errors" +msgstr "" + #: src/modules/dashboard/lists/BorrowedPositionsList/BorrowedPositionsList.tsx #: src/modules/dashboard/lists/BorrowedPositionsList/BorrowedPositionsList.tsx msgid "Your borrows" msgstr "Vos emprunts" -#: src/components/transactions/Repay/CollateralRepayModalContent.tsx -msgid "Repaid" -msgstr "Remboursé" - #: src/components/transactions/FlowCommons/RightHelperText.tsx msgid "Review approval tx details" msgstr "Examiner les détails de la taxe d'approbation" @@ -691,13 +827,9 @@ msgstr "Le pouvoir d'emprunt et les actifs sont limités en raison du mode d'iso msgid "Protocol borrow cap at 100% for this asset. Further borrowing unavailable." msgstr "Plafond d’emprunt du protocole à 100% pour cet actif. Il n’est pas possible d’emprunter davantage." -#: src/modules/history/actions/BorrowRateModeBlock.tsx -msgid "Stable" -msgstr "Stable" - -#: src/components/transactions/DebtSwitch/DebtSwitchModalContent.tsx -msgid "Variable rate" -msgstr "Taux variable" +#: src/modules/umbrella/helpers/SharesTooltip.tsx +msgid "Shares" +msgstr "" #: src/modules/reserve-overview/SupplyInfo.tsx msgid "stETH supplied as collateral will continue to accrue staking rewards provided by daily rebases." @@ -707,28 +839,36 @@ msgstr "Les stETH fournis en garantie continueront d’accumuler des récompense msgid "Borrowed assets" msgstr "" -#: src/components/transactions/Repay/CollateralRepayModalContent.tsx -#: src/components/transactions/Swap/SwapModalContent.tsx -msgid "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." -msgstr "" - #: src/modules/dashboard/lists/SupplyAssetsList/SupplyAssetsList.tsx msgid "Collateral usage is limited because of isolation mode. <0>Learn More" msgstr "L'utilisation de la garantie est limitée en raison du mode d'isolement. <0>En savoir plus" +#: src/components/transactions/Swap/modals/result/SwapResultView.tsx +msgid "Swap saved in your <0>history section." +msgstr "" + #: src/modules/migration/MigrationBottomPanel.tsx msgid "Migrate your assets" msgstr "" -#: src/modules/reserve-overview/Gho/GhoPieChartContainer.tsx -msgid "At a discount" -msgstr "À prix réduit" +#: src/modules/staking/StakingHeader.tsx +msgid "AAVE 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 "" + +#: src/layouts/components/NavItems.tsx +msgid "Savings" +msgstr "" #: src/components/transactions/Emode/EmodeModalContent.tsx #: src/modules/dashboard/DashboardEModeButton.tsx msgid "Asset category" msgstr "Catégorie d'actifs" +#: src/components/transactions/SavingsGho/SavingsGhoWithdrawActions.tsx +#: src/components/transactions/SavingsGho/SavingsGhoWithdrawModal.tsx +msgid "Withdraw GHO" +msgstr "" + #: src/modules/reserve-overview/ReserveConfiguration.tsx msgid "This asset is frozen due to an Aave community decision. <0>More details" msgstr "Cet actif est gelé en raison d’une décision de la communauté Aave. <0>Plus d’informations" @@ -752,34 +892,47 @@ msgid "The fee includes the gas cost to complete the transaction on the destinat msgstr "" #: src/components/caps/DebtCeilingStatus.tsx -#: src/modules/markets/Gho/GhoBanner.tsx #: src/modules/reserve-overview/BorrowInfo.tsx #: src/modules/reserve-overview/BorrowInfo.tsx -#: src/modules/reserve-overview/Gho/GhoBorrowInfo.tsx -#: src/modules/reserve-overview/Gho/GhoBorrowInfo.tsx -#: src/modules/reserve-overview/Gho/GhoBorrowInfo.tsx -#: src/modules/reserve-overview/Gho/GhoBorrowInfo.tsx #: src/modules/reserve-overview/SupplyInfo.tsx #: src/modules/reserve-overview/SupplyInfo.tsx msgid "of" msgstr "de" +#: src/modules/umbrella/AvailableToStakeItem.tsx +msgid "Your balance of assets that are available to stake" +msgstr "" + +#: src/components/transactions/Swap/actions/RepayWithCollateral/RepayWithCollateralActionsViaCoW.tsx +#: src/components/transactions/Swap/actions/RepayWithCollateral/RepayWithCollateralActionsViaCoW.tsx +msgid "Repay {0} with {1}" +msgstr "" + +#: src/modules/sGho/SGhoDepositPanel.tsx +#: src/modules/sGho/SGhoDepositPanel.tsx +msgid "GHO Balance" +msgstr "" + +#: src/layouts/SupportModal.tsx +msgid "Country (optional)" +msgstr "" + #: src/modules/reserve-overview/Gho/GhoReserveConfiguration.tsx msgid "Techpaper" msgstr "Fiche technique" -#: src/components/transactions/Switch/SwitchTxSuccessView.tsx +#: src/components/transactions/Swap/modals/result/SwapResultView.tsx msgid "You've successfully submitted an order." msgstr "" #: src/components/transactions/AssetInput.tsx -#: src/components/transactions/Switch/SwitchAssetInput.tsx +#: src/components/transactions/Swap/inputs/primitives/SwapAssetInput.tsx msgid "Max" msgstr "Max" -#: src/components/transactions/Switch/SwitchSlippageSelector.tsx -msgid "Slippage" -msgstr "Glissement" +#: src/components/incentives/MerklIncentivesTooltipContent.tsx +msgid "Points" +msgstr "" #: src/layouts/components/LanguageSwitcher.tsx msgid "Greek" @@ -789,6 +942,10 @@ msgstr "Grec" msgid "Claim {symbol}" msgstr "Revendication {symbol}" +#: src/components/transactions/Swap/errors/shared/FlashLoanDisabledBlockingError.tsx +msgid "Position swaps are disabled for this asset due to security reasons." +msgstr "" + #: pages/v3-migration.page.tsx msgid "Please connect your wallet to see migration tool." msgstr "Veuillez connecter votre portefeuille pour voir l’outil de migration." @@ -799,6 +956,10 @@ msgstr "Veuillez connecter votre portefeuille pour voir l’outil de migration." msgid "{networkName} Faucet" msgstr "{networkName} Robinet" +#: src/components/incentives/MerklIncentivesTooltipContent.tsx +msgid "Protocol Incentives" +msgstr "" + #: src/layouts/MobileMenu.tsx #: src/layouts/SettingsMenu.tsx msgid "Watch wallet" @@ -808,6 +969,20 @@ msgstr "" msgid "This action will reduce health factor of V3 below liquidation threshold. Increase migrated collateral or reduce migrated borrow to continue." msgstr "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." +#: src/components/transactions/Swap/errors/shared/GasEstimationError.tsx +msgid "Gas estimation error" +msgstr "" + +#: src/modules/reserve-overview/Gho/SavingsGho.tsx +#: src/modules/sGho/SGhoDepositPanel.tsx +#: src/modules/staking/GhoStakingPanel.tsx +msgid "Instant" +msgstr "" + +#: src/modules/umbrella/UnstakeModalContent.tsx +msgid "Stake balance" +msgstr "" + #: src/components/infoTooltips/PausedTooltip.tsx msgid "This asset has been paused due to a community decision. Supply, withdraw, borrows and repays are impacted." msgstr "" @@ -829,7 +1004,7 @@ msgstr "Je comprends parfaitement les risques liés à la migration." msgid "The underlying asset cannot be rescued" msgstr "L'actif sous-jacent ne peut pas être sauvé" -#: src/components/transactions/Swap/SwapModalDetails.tsx +#: src/components/transactions/Swap/details/CollateralSwapDetails.tsx msgid "Supply balance after switch" msgstr "Bilan de l’alimentation après le changement" @@ -837,36 +1012,41 @@ msgstr "Bilan de l’alimentation après le changement" msgid "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" msgstr "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" +#: src/modules/umbrella/UmbrellaHeader.tsx +msgid "Stake your Aave aTokens or underlying assets to earn rewards. In case of a shortfall event, your stake may be slashed to cover the deficit." +msgstr "" + #: src/modules/staking/StakingPanel.tsx msgid "Aave per month" msgstr "Aave par mois" +#: src/components/transactions/ClaimRewards/ClaimRewardsModalContent.tsx +msgid "Claiming all protocol rewards only. Merit rewards excluded - select \"claim all\" to include merit rewards." +msgstr "" + #: src/components/transactions/FlowCommons/TxModalDetails.tsx -#: src/components/transactions/Swap/SwapModalDetails.tsx +#: src/components/transactions/Swap/details/CollateralSwapDetails.tsx #: src/modules/history/actions/ActionDetails.tsx msgid "Collateralization" msgstr "Collatéralisation" -#: src/components/transactions/FlowCommons/Error.tsx -msgid "You can report incident to our <0>Discord or<1>Github." -msgstr "Vous pouvez signaler un incident sur notre <0>Discord ou<1>Github." - #: src/components/MarketSwitcher.tsx msgid "Main Ethereum market with the largest selection of assets and yield options" msgstr "" #: src/components/ReserveSubheader.tsx #: src/components/transactions/FlowCommons/TxModalDetails.tsx +#: src/components/transactions/Supply/SupplyModalContent.tsx msgid "Disabled" msgstr "Désactivé" -#: src/components/transactions/Borrow/GhoBorrowSuccessView.tsx -msgid "COPIED!" -msgstr "COPIÉ!" +#: src/components/infoTooltips/GhoRateTooltip.tsx +msgid "Estimated compounding 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." +msgstr "" -#: src/components/transactions/DebtSwitch/DebtSwitchModalContent.tsx -msgid "Fixed rate" -msgstr "Taux fixe" +#: src/layouts/SupportModal.tsx +msgid "Share my wallet address to help the support team resolve my issue" +msgstr "" #: src/components/transactions/StakeRewardClaimRestake/StakeRewardClaimRestakeActions.tsx msgid "Restaking {symbol}" @@ -881,10 +1061,26 @@ msgstr "Retrait {symbole}" msgid "None" msgstr "Aucun/Aucune" +#: src/modules/history/actions/ActionDetails.tsx +msgid "Unknown" +msgstr "" + +#: src/components/transactions/Swap/actions/DebtSwap/DebtSwapActionsViaCoW.tsx +msgid "Swapping {0} debt" +msgstr "" + +#: pages/safety-module.page.tsx +msgid "We couldn't detect a wallet. Connect a wallet to stake and view your balance." +msgstr "" + #: src/modules/bridge/BridgeWrapper.tsx msgid "Destination" msgstr "" +#: src/modules/sGho/SGhoDepositPanel.tsx +#: src/modules/sGho/SGhoDepositPanel.tsx +#: src/modules/staking/GhoStakingPanel.tsx +#: src/modules/staking/GhoStakingPanel.tsx #: src/modules/staking/StakingPanel.tsx #: src/modules/staking/StakingPanel.tsx msgid "Reactivate cooldown period to unstake {0} {stakedToken}" @@ -894,6 +1090,10 @@ msgstr "Réactiver la période de recharge pour annuler le pieu {0} {stakedToken msgid "Migrate to v3" msgstr "Migrer vers la v3" +#: src/components/transactions/FlowCommons/Error.tsx +msgid "Get support" +msgstr "" + #: src/components/transactions/Bridge/BridgeModalContent.tsx msgid "The source chain time to finality is the main factor that determines the time to destination. <0>Learn more" msgstr "" @@ -906,6 +1106,10 @@ msgstr "" msgid "Learn more." msgstr "Pour en savoir plus." +#: src/components/transactions/Supply/CollateralOptionsSelector.tsx +msgid "Active" +msgstr "" + #: src/modules/migration/MigrationList.tsx #: src/modules/migration/MigrationList.tsx msgid "Current v2 balance" @@ -923,6 +1127,10 @@ msgstr "Puissance d'emprunt utilisée" msgid "Operation not supported" msgstr "Opération non prise en charge" +#: src/components/MarketSwitcher.tsx +msgid "L2 Networks" +msgstr "" + #: src/modules/governance/RepresentativesInfoPanel.tsx msgid "Linked addresses" msgstr "" @@ -940,6 +1148,10 @@ msgstr "Actifs à déposer" msgid "Restake" msgstr "Remise en jeu" +#: src/components/transactions/CancelCowOrder/CancelCowOrderActions.tsx +msgid "Sending cancel..." +msgstr "" + #: src/modules/reserve-overview/Gho/GhoReserveConfiguration.tsx msgid "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." msgstr "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." @@ -966,53 +1178,63 @@ msgstr "Mode lecture seule. Connectez-vous à un portefeuille pour effectuer des msgid "ends" msgstr "Prend fin" -#: src/layouts/FeedbackDialog.tsx -msgid "Thank you for submitting feedback!" -msgstr "" - #: src/hooks/useReserveActionState.tsx msgid "Borrowing is unavailable because you’ve enabled Efficiency Mode (E-Mode) for {0} category. To manage E-Mode categories visit your <0>Dashboard." msgstr "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." -#: src/modules/reserve-overview/Gho/GhoDiscountCalculator.tsx -msgid "Discount" -msgstr "Rabais" +#: src/components/transactions/Swap/warnings/postInputs/LiquidationCriticalWarning.tsx +msgid "Your health factor after this swap will be critically low and may result in liquidation. Please choose a different asset or reduce the swap amount to stay safe." +msgstr "" + +#: src/components/AssetCategoryMultiselect.tsx +msgid "{selectedCount} Categories" +msgstr "" #: src/components/CircleIcon.tsx msgid "{tooltipText}" msgstr "{tooltipText}" -#: src/components/infoTooltips/SuperFestTooltip.tsx -msgid "Rewards can be claimed through" +#: src/components/transactions/Swap/actions/CollateralSwap/CollateralSwapActionsViaCoWAdapters.tsx +#: src/components/transactions/Swap/actions/CollateralSwap/CollateralSwapActionsViaParaswapAdapters.tsx +msgid "Swapping {0} collateral" msgstr "" -#: src/components/incentives/ZkSyncIgniteIncentivesTooltipContent.tsx -msgid "This is a program initiated and implemented by the decentralised ZKSync community. Aave Labs does not guarantee the program and accepts no liability." +#: src/components/infoTooltips/SuperFestTooltip.tsx +msgid "Rewards can be claimed through" msgstr "" #: pages/500.page.tsx msgid "Sorry, an unexpected error happened. In the meantime you may try reloading the page, or come back later." msgstr "Désolé, une erreur inattendue s’est produite. En attendant, vous pouvez essayer de recharger la page, ou revenir plus tard." -#: src/modules/staking/StakingPanel.tsx +#: src/components/SecondsToString.tsx msgid "{d}d" msgstr "{d}d" +#: src/components/transactions/Swap/errors/shared/BalanceLowerThanInput.tsx +msgid "Your {0} balance is lower than the selected amount." +msgstr "" + #: 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 "Fenêtre d'arrêt de staking" -#: src/modules/reserve-overview/graphs/ApyGraphContainer.tsx +#: src/modules/reserve-overview/graphs/MeritApyGraphContainer.tsx msgid "Reload" msgstr "Recharger" -#: src/components/transactions/Borrow/GhoBorrowSuccessView.tsx -msgid "Save and share" -msgstr "Enregistrer et partager" +#: src/layouts/components/NavItems.tsx +#: src/modules/reserve-overview/Gho/SavingsGho.tsx +#: src/modules/reserve-overview/Gho/SavingsGho.tsx +#: src/modules/sGho/SGhoDepositPanel.tsx +#: src/modules/staking/GhoStakingPanel.tsx +msgid "sGHO" +msgstr "" -#: src/components/transactions/Switch/BaseSwitchModal.tsx -#: src/components/transactions/Switch/BaseSwitchModalContent.tsx +#: src/components/transactions/Swap/modals/SwapModal.tsx msgid "Please connect your wallet to swap tokens." msgstr "" @@ -1024,6 +1246,10 @@ msgstr "La ressource ne peut pas être migrée vers {marketName} v3 Marché puis msgid "Maximum amount available to supply is limited because protocol supply cap is at {0}%." msgstr "La quantité maximale disponible pour l’approvisionnement est limitée parce que le plafond d’approvisionnement du protocole est à {0}%." +#: src/components/transactions/CollateralChange/CollateralChangeModalContent.tsx +msgid "E-Mode required" +msgstr "" + #: src/components/infoTooltips/CollateralTooltip.tsx msgid "The total amount of your assets denominated in USD that can be used as collateral for borrowing assets." msgstr "Le montant total de vos actifs libellés en USD qui peut être utilisé comme garantie pour emprunter des actifs." @@ -1036,7 +1262,10 @@ msgstr "Prétendant {symbol}" msgid "Borrowing of this asset is limited to a certain amount to minimize liquidity pool insolvency." msgstr "L’emprunt de cet actif est limité à un certain montant afin de minimiser l’insolvabilité du pool de liquidités." -#: src/components/transactions/Borrow/GhoBorrowSuccessView.tsx +#: src/modules/staking/StakingHeader.tsx +msgid "The Safety Module has been upgraded to <0>Umbrella, a new system that introduces automated slashing, aToken staking, and improved incentives design." +msgstr "" + #: src/components/transactions/FlowCommons/BaseSuccess.tsx msgid "All done" msgstr "" @@ -1046,7 +1275,12 @@ msgid "This asset is planned to be offboarded due to an Aave Protocol Governance msgstr "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" #: src/components/transactions/StakeCooldown/StakeCooldownModalContent.tsx +#: src/modules/reserve-overview/Gho/SavingsGho.tsx +#: src/modules/sGho/SavingsGhoCard.tsx +#: src/modules/sGho/SGhoDepositPanel.tsx +#: src/modules/staking/GhoStakingPanel.tsx #: src/modules/staking/StakingPanel.tsx +#: src/modules/umbrella/StakeCooldownModalContent.tsx msgid "Cooldown period" msgstr "Période de recharge" @@ -1055,12 +1289,23 @@ msgstr "Période de recharge" msgid "Liquidation at" msgstr "Liquidation à" -#: src/components/transactions/Switch/SwitchModalTxDetails.tsx +#: src/components/transactions/Swap/details/CowCostsDetails.tsx msgid "Costs & Fees" msgstr "" +#: src/components/transactions/SavingsGho/SavingsGhoModalDepositContent.tsx +msgid "deposited" +msgstr "" + +#: src/components/transactions/Swap/errors/shared/ZeroLTVBlockingError.tsx +msgid "You have assets with zero LTV that are blocking this operation. Please withdraw them or disable them as collateral first." +msgstr "" + +#: src/components/incentives/MeritIncentivesTooltipContent.tsx #: src/components/incentives/MeritIncentivesTooltipContent.tsx -#: src/components/incentives/ZkSyncIgniteIncentivesTooltipContent.tsx +#: src/components/incentives/MerklIncentivesTooltipContent.tsx +#: src/components/incentives/MerklIncentivesTooltipContent.tsx +#: src/components/incentives/MerklIncentivesTooltipContent.tsx #: src/components/MarketSwitcher.tsx #: src/components/transactions/DelegationTxsWrapper.tsx #: src/components/transactions/DelegationTxsWrapper.tsx @@ -1073,12 +1318,20 @@ msgstr "" #: src/components/transactions/GovDelegation/GovDelegationModalContent.tsx #: src/components/transactions/StakeCooldown/StakeCooldownModalContent.tsx #: src/components/transactions/StakeCooldown/StakeCooldownModalContent.tsx -#: src/components/transactions/Switch/SwitchAssetInput.tsx +#: src/components/transactions/Swap/inputs/primitives/SwapAssetInput.tsx +#: src/components/transactions/Warnings/ChangeNetworkWarning.tsx +#: src/components/transactions/Warnings/ChangeNetworkWarning.tsx +#: src/layouts/TopBarNotify.tsx +#: src/layouts/TopBarNotify.tsx +#: src/layouts/TopBarNotify.tsx #: src/layouts/TopBarNotify.tsx #: src/layouts/TopBarNotify.tsx #: src/modules/dashboard/DashboardEModeButton.tsx #: src/modules/reserve-overview/ReserveTopDetailsWrapper.tsx -#: src/modules/staking/GhoDiscountProgram.tsx +#: src/modules/staking/SavingsGhoProgram.tsx +#: src/modules/umbrella/StakeCooldownModalContent.tsx +#: src/modules/umbrella/StakeCooldownModalContent.tsx +#: src/modules/umbrella/UmbrellaMarketSwitcher.tsx msgid "{0}" msgstr "{0}" @@ -1086,54 +1339,66 @@ msgstr "{0}" msgid "Manage analytics" msgstr "Gérer l’analytique" -#: src/components/incentives/GhoIncentivesCard.tsx -msgid "Estimated compounding interest, including discount for Staking {0}AAVE in Safety Module." -msgstr "Intérêts composés estimés, y compris l’escompte pour le jalonnement {0}AAVE dans le module de sécurité." +#: src/components/AssetCategoryMultiselect.tsx +#: src/components/MarketAssetCategoryFilter.tsx +msgid "Stablecoins" +msgstr "" #: src/components/transactions/UnStake/UnStakeActions.tsx +#: src/modules/umbrella/UnstakeModalActions.tsx msgid "Unstaking {symbol}" msgstr "Déjalonnement {symbol}" -#: src/components/transactions/Switch/SwitchActions.tsx +#: src/components/transactions/Swap/actions/DebtSwap/DebtSwapActionsViaParaswap.tsx +#: src/components/transactions/Swap/actions/SwapActions/SwapActionsViaCoW.tsx +#: src/components/transactions/Swap/actions/SwapActions/SwapActionsViaParaswap.tsx msgid "Swapping" msgstr "" +#: src/components/AssetCategoryMultiselect.tsx +#: src/components/MarketAssetCategoryFilter.tsx +msgid "ETH Correlated" +msgstr "" + #: src/components/transactions/CollateralChange/CollateralChangeModalContent.tsx msgid "You can not use this currency as collateral" msgstr "Vous ne pouvez pas utiliser cette devise comme garantie" -#: src/components/transactions/ClaimRewards/RewardsSelect.tsx -msgid "Reward(s) to claim" -msgstr "Récompense(s) à réclamer" - #: 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/helpers/StakingDropdown.tsx +#: src/modules/umbrella/UmbrellaActions.tsx +#: src/modules/umbrella/UmbrellaModal.tsx msgid "Stake" msgstr "Stake" +#: src/components/transactions/SavingsGho/SavingsGhoModalDepositContent.tsx #: src/components/transactions/Stake/StakeModalContent.tsx msgid "Not enough balance on your wallet" msgstr "Pas assez de solde sur votre portefeuille" +#: src/modules/sGho/SavingsGhoCard.tsx +#: src/modules/sGho/SGhoDepositPanel.tsx #: src/modules/staking/GetGhoToken.tsx -#: src/modules/staking/StakingPanel.tsx +#: src/modules/staking/GhoStakingPanel.tsx msgid "Get GHO" msgstr "" #: src/components/transactions/Repay/RepayModalContent.tsx #: src/components/transactions/Repay/RepayTypeSelector.tsx +#: src/components/transactions/SavingsGho/SavingsGhoModalDepositContent.tsx #: src/components/transactions/Stake/StakeModalContent.tsx #: src/components/transactions/StakingMigrate/StakingMigrateModalContent.tsx #: src/components/transactions/Supply/SupplyModalContent.tsx #: 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 "Solde du portefeuille" -#: src/components/transactions/Repay/CollateralRepayModalContent.tsx +#: src/components/transactions/Swap/details/RepayWithCollateralDetails.tsx msgid "Borrow balance after repay" msgstr "Emprunter le solde après le remboursement" @@ -1141,10 +1406,6 @@ msgstr "Emprunter le solde après le remboursement" msgid "Supplied assets" msgstr "" -#: src/components/transactions/Withdraw/WithdrawTypeSelector.tsx -msgid "Withdraw & Switch" -msgstr "Retrait et échange" - #: src/components/transactions/Warnings/DebtCeilingWarning.tsx msgid "Protocol debt ceiling is at 100% for this asset. Further borrowing against this asset is unavailable." msgstr "Le plafond d’endettement du protocole est de 100% pour cet actif. Il n’est pas possible d’emprunter davantage sur cet actif." @@ -1157,10 +1418,6 @@ msgstr "Les tokens stETH seront migrés vers Wrapped stETH à l’aide du wrappe msgid "Use connected account" msgstr "" -#: src/modules/history/TransactionMobileRowItem.tsx -msgid "VIEW TX" -msgstr "VOIR TX" - #: src/components/infoTooltips/LiquidationThresholdTooltip.tsx msgid "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." msgstr "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 %, cela signifie que la position sera liquidée lorsque la valeur de la dette vaut 80 % de la valeur de la garantie." @@ -1169,9 +1426,9 @@ msgstr "Cela représente le seuil auquel une position d'emprunt sera considéré msgid "Isolated" msgstr "Isolé" -#: src/layouts/TopBarNotify.tsx -msgid "{notifyText}" -msgstr "{notifyText}" +#: src/components/transactions/Supply/CollateralOptionsSelector.tsx +msgid "Borrow:" +msgstr "" #: src/components/transactions/Emode/EmodeActions.tsx msgid "Switching E-Mode" @@ -1190,8 +1447,15 @@ msgstr "En raison de la mécanique interne de stETH requise pour le rebasage de msgid "Wrong Network" msgstr "Mauvais réseau" +#: src/components/incentives/MerklIncentivesTooltipContent.tsx +msgid "Merkl rewards are claimed through the" +msgstr "" + #: src/components/transactions/Stake/StakeActions.tsx -#: src/modules/staking/StakingHeader.tsx +#: src/layouts/components/NavItems.tsx +#: src/layouts/components/StakingMenu.tsx +#: src/modules/umbrella/UmbrellaActions.tsx +#: src/modules/umbrella/UmbrellaHeader.tsx msgid "Staking" msgstr "Staking" @@ -1201,6 +1465,7 @@ msgid "Enter ETH address" msgstr "Entrez l'adresse ETH" #: src/components/transactions/ClaimRewards/ClaimRewardsActions.tsx +#: src/modules/umbrella/UmbrellaClaimActions.tsx msgid "Claiming" msgstr "Réclamer" @@ -1208,6 +1473,7 @@ msgstr "Réclamer" msgid "Current LTV" msgstr "LTV actuelle" +#: src/components/transactions/Swap/shared/OrderTypeSelector.tsx #: src/modules/reserve-overview/ReserveTopDetailsWrapper.tsx msgid "Market" msgstr "Marché" @@ -1216,8 +1482,12 @@ msgstr "Marché" msgid "Learn more about Ethena Rewards program" msgstr "" -#: src/layouts/FeedbackDialog.tsx -msgid "Send Feedback" +#: src/components/transactions/Swap/inputs/primitives/SwapAssetInput.tsx +msgid "{popularSectionTitle}" +msgstr "" + +#: src/components/transactions/ClaimRewards/RewardsSelect.tsx +msgid "Rewards to claim" msgstr "" #: src/components/transactions/GovVote/GovVoteModalContent.tsx @@ -1227,10 +1497,11 @@ msgstr "Pas de pouvoir de vote" #: src/modules/dashboard/lists/SupplyAssetsList/SupplyAssetsList.tsx #: src/modules/dashboard/lists/SupplyAssetsList/SupplyAssetsListItem.tsx #: src/modules/dashboard/lists/SupplyAssetsList/SupplyAssetsListMobileItem.tsx -#: src/modules/reserve-overview/SupplyInfo.tsx msgid "Can be collateral" msgstr "Peut être collatéral" +#: src/modules/sGho/SGhoDepositPanel.tsx +#: src/modules/staking/GhoStakingPanel.tsx #: src/modules/staking/StakingPanel.tsx msgid "Claimable AAVE" msgstr "AAVE Réclamable" @@ -1243,30 +1514,53 @@ msgstr "Emprunter et rembourser dans le même bloc n'est pas autorisé" msgid "<0>Slippage tolerance <1>{selectedSlippage}% <2>{0}" msgstr "<0>Tolérance de glissement <1>{selectedSlippage}% <2>{0}" -#: src/components/transactions/Repay/CollateralRepayModalContent.tsx -msgid "Maximum collateral amount to use" +#: src/components/transactions/Swap/actions/ActionsSkeleton.tsx +msgid "Waiting for actions..." msgstr "" -#: src/layouts/FeedbackDialog.tsx -msgid "Let us know how we can make the app better for you. For user support related inquiries please reach out on" +#: src/components/incentives/MerklIncentivesTooltipContent.tsx +msgid "Eligible for incentives through Merkl." msgstr "" #: src/components/transactions/Emode/EmodeModalContent.tsx msgid "Emode" msgstr "Emode" +#: src/components/transactions/CancelCowOrder/CancelCowOrderModalContent.tsx +msgid "This will cancel the order via an on-chain transaction. Note that the order will not be marked as cancelled in the CoW Protocol system, but will remain open and expire naturally. Keep in mind that a solver may already have filled your order." +msgstr "" + +#: src/modules/history/actions/ActionDetails.tsx +#: src/modules/history/actions/ActionDetails.tsx +#: src/modules/history/actions/ActionDetails.tsx +msgid "Expired" +msgstr "" + +#: src/components/transactions/Swap/errors/shared/GasEstimationError.tsx #: src/components/transactions/Warnings/ParaswapErrorDisplay.tsx msgid "Tip: Try increasing slippage or reduce input amount" msgstr "Astuce : Essayez d’augmenter le glissement ou de réduire la quantité d’entrée" -#: src/components/transactions/DebtSwitch/DebtSwitchModalContent.tsx -msgid "Maximum amount received" +#: src/components/transactions/SavingsGho/SavingsGhoWithdrawActions.tsx +msgid "Activating Cooldown" +msgstr "" + +#: src/components/transactions/Swap/actions/ActionsSkeleton.tsx +msgid "Comparing best rates..." +msgstr "" + +#: src/components/transactions/Supply/SupplyModalContent.tsx +msgid "This will require two separate transactions: one to change E-Mode and one to supply." msgstr "" #: src/components/transactions/GovDelegation/GovDelegationModalContent.tsx msgid "Recipient address" msgstr "Adresse du destinataire" +#: src/components/transactions/Swap/inputs/primitives/SwapAssetInput.tsx +msgid "No results found." +msgstr "" + #: src/components/transactions/Warnings/AAVEWarning.tsx msgid "staking view" msgstr "vue de staking" @@ -1287,6 +1581,10 @@ msgstr "APY, variable" msgid "If the health factor goes below 1, the liquidation of your collateral might be triggered." msgstr "Si le facteur de santé descend en dessous de 1, la liquidation de votre collatéral peut être déclenchée." +#: src/modules/sGho/SGhoDepositPanel.tsx +msgid "Current APY" +msgstr "" + #: src/ui-config/errorMapping.tsx msgid "You cancelled the transaction." msgstr "Vous avez annulé la transaction." @@ -1295,10 +1593,6 @@ msgstr "Vous avez annulé la transaction." msgid "Borrow info" msgstr "Emprunter des informations" -#: src/components/transactions/Bridge/BridgeModalContent.tsx -msgid "View Bridge Transactions" -msgstr "" - #: src/ui-config/errorMapping.tsx msgid "Invalid return value of the flashloan executor function" msgstr "Valeur de retour invalide de la fonction flashloan executor" @@ -1307,6 +1601,19 @@ msgstr "Valeur de retour invalide de la fonction flashloan executor" msgid "Learn more about the Kernel points distribution" msgstr "" +#: src/components/transactions/Swap/modals/DebtSwapModal.tsx +msgid "Please connect your wallet to swap debt." +msgstr "" + +#: src/components/MarketSwitcher.tsx +msgid "Ethereum" +msgstr "" + +#: src/components/AssetCategoryMultiselect.tsx +#: src/components/MarketAssetCategoryFilter.tsx +msgid "All" +msgstr "" + #: src/components/isolationMode/IsolatedBadge.tsx msgid "Asset can be only used as collateral in isolation mode with limited borrowing power. To enter isolation mode, disable all other collateral." msgstr "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." @@ -1315,9 +1622,8 @@ msgstr "L’actif ne peut être utilisé comme garantie qu’en mode isolé avec msgid "View all" msgstr "" -#: src/components/transactions/DebtSwitch/DebtSwitchModalContent.tsx -#: src/components/transactions/Swap/SwapModalContent.tsx -msgid "Swap to" +#: src/modules/sGho/SGhoHeader.tsx +msgid "Weekly Rewards" msgstr "" #: src/components/transactions/CollateralChange/CollateralChangeActions.tsx @@ -1325,6 +1631,7 @@ msgstr "" msgid "Pending..." msgstr "En attente..." +#: src/modules/staking/GhoStakingPanel.tsx #: src/modules/staking/StakingPanel.tsx msgid "Wallet Balance" msgstr "Solde du portefeuille" @@ -1334,18 +1641,27 @@ msgstr "Solde du portefeuille" msgid "Amount claimable" msgstr "Montant réclamable" +#: src/components/incentives/MeritIncentivesTooltipContent.tsx +msgid "{remainingCustomMessage}" +msgstr "" + #: src/modules/reserve-overview/ReserveFactorOverview.tsx msgid "Collector Contract" msgstr "Contrat de collectionneur" #: src/components/transactions/StakeCooldown/StakeCooldownModalContent.tsx +#: src/modules/umbrella/StakeCooldownModalContent.tsx msgid "Nothing staked" msgstr "Rien staké" -#: src/modules/staking/StakingPanel.tsx +#: src/components/SecondsToString.tsx msgid "{m}m" msgstr "{m}m" +#: src/layouts/SupportModal.tsx +msgid "Inquiry" +msgstr "" + #: src/ui-config/errorMapping.tsx msgid "Unbacked mint cap is exceeded" msgstr "Le plafond de mintage non soutenu est dépassé" @@ -1354,11 +1670,17 @@ msgstr "Le plafond de mintage non soutenu est dépassé" msgid "Maximum amount available to borrow against this asset is limited because debt ceiling is at {0}%." msgstr "Le montant maximal disponible pour emprunter sur cet actif est limité car le plafond de la dette est à {0}%." -#: src/layouts/FeedbackDialog.tsx +#: src/layouts/SupportModal.tsx msgid "Email" msgstr "" +#: src/components/incentives/MeritIncentivesTooltipContent.tsx +#: src/components/incentives/MeritIncentivesTooltipContent.tsx +msgid "here" +msgstr "" + #: src/modules/staking/StakingPanel.tsx +#: src/modules/umbrella/UnstakeModal.tsx msgid "Unstake" msgstr "" @@ -1370,6 +1692,11 @@ msgstr "Aperçu de la proposition" msgid "Protocol debt ceiling is at 100% for this asset. Futher borrowing against this asset is unavailable." msgstr "Le plafond d’endettement du protocole est de 100% pour cet actif. Il n’est pas possible d’emprunter sur cet actif." +#: src/components/MarketSwitcher.tsx +msgid "Favourites" +msgstr "" + +#: src/components/AssetCategoryMultiselect.tsx #: src/modules/history/HistoryFilterMenu.tsx msgid "Reset" msgstr "Réinitialisation" @@ -1378,11 +1705,19 @@ msgstr "Réinitialisation" msgid "disabled" msgstr "handicapé" +#: src/components/transactions/SavingsGho/SavingsGhoDepositModal.tsx +#: src/modules/sGho/SavingsGhoCard.tsx +msgid "Deposit GHO" +msgstr "" + #: src/modules/reserve-overview/Gho/GhoReserveConfiguration.tsx msgid "Website" msgstr "Site internet" -#: src/components/transactions/Withdraw/WithdrawAndSwitchModalContent.tsx +#: src/components/incentives/MerklIncentivesTooltipContent.tsx +msgid "Protocol APY" +msgstr "" + #: src/components/transactions/Withdraw/WithdrawAndUnwrapActions.tsx #: src/components/transactions/Withdraw/WithdrawModal.tsx #: src/components/transactions/Withdraw/WithdrawTypeSelector.tsx @@ -1390,6 +1725,13 @@ msgstr "Site internet" #: src/modules/dashboard/lists/SuppliedPositionsList/SuppliedPositionsListMobileItem.tsx #: src/modules/history/actions/ActionDetails.tsx #: src/modules/history/HistoryFilterMenu.tsx +#: src/modules/reserve-overview/Gho/SavingsGho.tsx +#: src/modules/sGho/SavingsGhoCard.tsx +#: src/modules/sGho/SGhoDepositPanel.tsx +#: src/modules/sGho/SGhoDepositPanel.tsx +#: src/modules/staking/GhoStakingPanel.tsx +#: src/modules/staking/GhoStakingPanel.tsx +#: src/modules/umbrella/helpers/StakingDropdown.tsx msgid "Withdraw" msgstr "Retirer" @@ -1405,7 +1747,7 @@ msgstr "L’actif sous-jacent n’existe pas dans {marketName} v3 Market, par co msgid "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." msgstr "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." -#: pages/staking.staking.tsx +#: pages/safety-module.page.tsx msgid "Stake ABPT" msgstr "Mise en jeu ABPT" @@ -1418,8 +1760,6 @@ msgstr "La moyenne pondérée de l'APY pour tous les actifs empruntés, y compri msgid "Please connect your wallet to view transaction history." msgstr "Veuillez connecter votre portefeuille pour consulter l’historique des transactions." -#: src/modules/governance/proposal/VotersListContainer.tsx -#: src/modules/governance/proposal/VotersListContainer.tsx #: src/modules/governance/proposal/VotersListContainer.tsx #: src/modules/governance/proposal/VotersListModal.tsx #: src/modules/governance/proposal/VotersListModal.tsx @@ -1431,22 +1771,30 @@ msgstr "Votes" msgid "Disable fork" msgstr "" -#: src/components/transactions/DebtSwitch/DebtSwitchModalDetails.tsx +#: src/components/transactions/Swap/details/DebtSwapDetails.tsx msgid "Borrow apy" msgstr "Emprunter apy" +#: src/components/infoTooltips/SwapFeeTooltip.tsx #: src/components/transactions/Bridge/BridgeFeeTokenSelector.tsx -#: src/components/transactions/Switch/SwitchModalTxDetails.tsx msgid "Fee" msgstr "" -#: src/components/transactions/Swap/SwapModalDetails.tsx +#: 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 "" + +#: src/components/transactions/Swap/details/CollateralSwapDetails.tsx #: src/modules/migration/MigrationListMobileItem.tsx #: src/modules/reserve-overview/ReserveEModePanel.tsx #: src/modules/reserve-overview/SupplyInfo.tsx msgid "Liquidation threshold" msgstr "Seuil de liquidation" +#: src/components/transactions/Swap/warnings/postInputs/CowAdapterApprovalInfo.tsx +msgid "A temporary contract will be used to execute the trade. Your wallet may show a warning for approving a new or empty address." +msgstr "" + #: src/components/infoTooltips/SpkAirdropTooltip.tsx msgid "This asset is eligible for SPK incentive program. Aave Labs does not guarantee the program and accepts no liability." msgstr "" @@ -1471,16 +1819,18 @@ msgstr "" msgid "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." msgstr "" -#: src/components/transactions/Withdraw/WithdrawAndUnwrapActions.tsx -msgid "Withdrawing" +#: src/components/transactions/ClaimRewards/ClaimRewardsModalContent.tsx +#: src/components/transactions/ClaimRewards/ClaimRewardsModalContent.tsx +#: src/components/transactions/ClaimRewards/RewardsSelect.tsx +msgid "Merit Rewards" msgstr "" -#: src/components/transactions/Swap/SwapModalContent.tsx -msgid "Swapped" +#: src/components/transactions/Withdraw/WithdrawAndUnwrapActions.tsx +msgid "Withdrawing" msgstr "" -#: pages/staking.staking.tsx -msgid "Stake GHO" +#: src/components/infoTooltips/ExecutionFeeTooltip.tsx +msgid "Execution fee" msgstr "" #: src/modules/governance/proposal/VotingResults.tsx @@ -1488,6 +1838,10 @@ msgstr "" msgid "Not reached" msgstr "Non atteint" +#: src/components/transactions/Swap/inputs/shared/SwitchSlippageSelector.tsx +msgid "Auto" +msgstr "" + #: src/modules/bridge/BridgeWrapper.tsx msgid "Age" msgstr "" @@ -1508,12 +1862,25 @@ msgstr "Signature non valide" msgid "State" msgstr "État" +#: src/modules/umbrella/NoStakeAssets.tsx +msgid "There are no stake assets configured for this market" +msgstr "" + #: src/modules/governance/proposal/ProposalLifecycle.tsx +#: src/modules/governance/proposal/ProposalLifecycleCache.tsx msgid "Proposal details" msgstr "Détails de la proposition" -#: 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." +#: src/components/incentives/MeritIncentivesTooltipContent.tsx +msgid "Visit <0><1>https://aave.self.xyz/ to get started with Self’s ZK-powered proof-of-humanity authentication." +msgstr "" + +#: src/components/transactions/Supply/CollateralOptionsSelector.tsx +msgid "See {0} more" +msgstr "" + +#: src/components/transactions/Emode/EmodeModalContent.tsx +msgid "Cannot switch to this category" msgstr "" #: src/ui-config/errorMapping.tsx @@ -1531,20 +1898,25 @@ msgstr "Liens" msgid "Staking APR" msgstr "APR staké" -#: src/layouts/AppFooter.tsx -msgid "Send feedback" -msgstr "Envoyer des commentaires" - #: src/ui-config/errorMapping.tsx msgid "Health factor is lesser than the liquidation threshold" msgstr "Le facteur santé est inférieur au seuil de liquidation" +#: src/modules/staking/SavingsGhoProgram.tsx +msgid "stkGHO is now Savings GHO" +msgstr "" + #: src/components/transactions/Emode/EmodeModalContent.tsx #: src/components/transactions/FlowCommons/TxModalDetails.tsx #: src/modules/dashboard/DashboardEModeButton.tsx msgid "Enabled" msgstr "Activé" +#: src/components/transactions/Supply/CollateralOptionsSelector.tsx +#: src/components/transactions/Supply/CollateralOptionsSelector.tsx +msgid "{0} collateral would have 0% LTV in this category. Disable {1} as collateral to use this option." +msgstr "" + #: src/modules/staking/StakingHeader.tsx msgid "Funds in the Safety Module" msgstr "Fonds dans le Safety Module" @@ -1557,13 +1929,17 @@ msgstr "Si l’erreur persiste,<0/> vous pouvez la signaler à ce" msgid "Show Frozen or paused assets" msgstr "Afficher les ressources gelées ou mises en pause" +#: src/modules/reserve-overview/Gho/SavingsGho.tsx +#: src/modules/sGho/SGhoDepositPanel.tsx +#: src/modules/staking/GhoStakingPanel.tsx #: src/modules/staking/StakingPanel.tsx +#: src/modules/umbrella/AmountSharesItem.tsx msgid "Amount in cooldown" msgstr "Quantité en temps de recharge" -#: src/modules/governance/proposal/VotersListContainer.tsx -msgid "Failed to load proposal voters. Please refresh the page." -msgstr "Impossible de charger les votants de proposition. Veuillez rafraîchir la page." +#: src/modules/umbrella/helpers/SharesTooltip.tsx +msgid "Shares are Umbrella Stake Tokens you receive when staking. They represent your ownership in the pool, and the amount of underlying you can redeem depends on the current exchange rate between shares and the underlying." +msgstr "" #: src/modules/migration/MigrationList.tsx msgid "Liquidation Threshold" @@ -1581,10 +1957,14 @@ msgstr "" msgid "Read-only mode allows to see address positions in Aave, but you won't be able to perform transactions." msgstr "Le mode lecture seule permet de voir les positions d’adresses dans Aave, mais vous ne pourrez pas effectuer de transactions." -#: src/components/transactions/Switch/SwitchSlippageSelector.tsx +#: src/components/transactions/Swap/inputs/shared/SwitchSlippageSelector.tsx msgid "Max slippage" msgstr "Glissement maximal" +#: src/components/transactions/Swap/warnings/postInputs/GasEstimationWarning.tsx +msgid "The swap could not be completed. Try increasing slippage or changing the amount." +msgstr "" + #: src/components/transactions/Warnings/BorrowCapWarning.tsx msgid "Protocol borrow cap is at 100% for this asset. Further borrowing unavailable." msgstr "Le plafond d’emprunt du protocole est de 100 % pour cet actif. Il n’est pas possible d’emprunter davantage." @@ -1593,6 +1973,10 @@ msgstr "Le plafond d’emprunt du protocole est de 100 % pour cet actif. Il n’ msgid "Disabling E-Mode" msgstr "Désactiver le E-mode" +#: src/modules/history/HistoryWrapper.tsx +msgid "This list may not include all your swaps." +msgstr "" + #: src/ui-config/errorMapping.tsx msgid "Pool addresses provider is not registered" msgstr "Le fournisseur d'adresses de pool n'est pas enregistré" @@ -1609,16 +1993,12 @@ msgstr "" msgid "GHO balance" msgstr "" -#: pages/index.page.tsx +#: pages/dashboard.page.tsx #: src/components/transactions/Borrow/BorrowModal.tsx #: src/modules/dashboard/lists/BorrowAssetsList/BorrowAssetsListItem.tsx #: src/modules/dashboard/lists/BorrowAssetsList/BorrowAssetsListMobileItem.tsx -#: src/modules/dashboard/lists/BorrowAssetsList/GhoBorrowAssetsListItem.tsx -#: src/modules/dashboard/lists/BorrowAssetsList/GhoBorrowAssetsListItem.tsx #: src/modules/dashboard/lists/BorrowedPositionsList/BorrowedPositionsListItem.tsx #: src/modules/dashboard/lists/BorrowedPositionsList/BorrowedPositionsListItem.tsx -#: src/modules/dashboard/lists/BorrowedPositionsList/GhoBorrowedPositionsListItem.tsx -#: src/modules/dashboard/lists/BorrowedPositionsList/GhoBorrowedPositionsListItem.tsx #: src/modules/history/actions/ActionDetails.tsx #: src/modules/history/HistoryFilterMenu.tsx #: src/modules/reserve-overview/ReserveActions.tsx @@ -1630,6 +2010,14 @@ msgstr "Emprunter" msgid "Liquidation penalty" msgstr "Pénalité de liquidation" +#: src/components/transactions/Supply/CollateralOptionsSelector.tsx +msgid "Category assets" +msgstr "" + +#: src/modules/umbrella/StakeAssets/UmbrellaAssetsListMobileItem.tsx +msgid "Available to stake" +msgstr "" + #: src/modules/reserve-overview/SupplyInfo.tsx msgid "Asset can only be used as collateral in isolation mode only." msgstr "L'actif ne peut être utilisé comme garantie qu'en mode isolé." @@ -1642,34 +2030,22 @@ msgstr "Docs" msgid "User does not have outstanding stable rate debt on this reserve" msgstr "L'utilisateur n'a pas de dette à taux stable impayée sur cette réserve" -#: src/modules/history/actions/ActionDetails.tsx -msgid "Borrow rate change" -msgstr "Modification du taux d’emprunt" - #: src/modules/bridge/BridgeTopPanel.tsx msgid "Bridge history" msgstr "" -#: src/modules/staking/GhoDiscountProgram.tsx -msgid "Holders of stkAAVE receive a discount on the GHO borrowing rate" -msgstr "Les détenteurs de stkAAVE bénéficient d’une réduction sur le taux d’emprunt GHO" - -#: src/components/transactions/DebtSwitch/DebtSwitchModalDetails.tsx +#: src/components/transactions/Swap/details/DebtSwapDetails.tsx msgid "Borrow balance after switch" msgstr "Emprunter le solde après le changement" -#: src/modules/reserve-overview/Gho/GhoDiscountCalculator.tsx -msgid "Discount model parameters" -msgstr "Paramètres du modèle de remise" +#: src/modules/dashboard/lists/SuppliedPositionsList/SuppliedPositionsList.tsx +msgid "Show assets with small balance" +msgstr "" #: src/components/transactions/Bridge/BridgeModalContent.tsx msgid "Asset has been successfully sent to CCIP contract. You can check the status of the transactions below" msgstr "" -#: src/components/AddressBlockedModal.tsx -msgid "blocked activities" -msgstr "Activités bloquées" - #: pages/500.page.tsx msgid "Reload the page" msgstr "Recharger la page" @@ -1690,14 +2066,12 @@ msgstr "L'actif n'est pas empruntable en mode d'isolement" msgid "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." msgstr "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." -#: src/modules/history/HistoryWrapper.tsx -msgid "Transaction history is not currently available for this market" -msgstr "L’historique des transactions n’est actuellement pas disponible pour ce marché" +#: src/components/transactions/CancelCowOrder/CancelCowOrderActions.tsx +msgid "Send cancel" +msgstr "" #: src/modules/dashboard/lists/BorrowAssetsList/BorrowAssetsListItem.tsx #: src/modules/dashboard/lists/BorrowAssetsList/BorrowAssetsListMobileItem.tsx -#: src/modules/dashboard/lists/BorrowAssetsList/GhoBorrowAssetsListItem.tsx -#: src/modules/dashboard/lists/BorrowAssetsList/GhoBorrowAssetsListItem.tsx #: src/modules/dashboard/lists/SupplyAssetsList/SupplyAssetsListItem.tsx #: src/modules/dashboard/lists/SupplyAssetsList/SupplyAssetsListMobileItem.tsx #: src/modules/markets/MarketAssetsListItem.tsx @@ -1705,6 +2079,7 @@ msgid "Details" msgstr "Détails" #: src/components/transactions/StakeCooldown/StakeCooldownModalContent.tsx +#: src/modules/umbrella/StakeCooldownModalContent.tsx msgid "Stake cooldown activated" msgstr "Temps de recharge de la mise activé" @@ -1720,6 +2095,11 @@ msgstr "" msgid "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." msgstr "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." +#: src/components/transactions/StakeCooldown/StakeCooldownModalContent.tsx +#: src/modules/umbrella/StakeCooldownModalContent.tsx +msgid "You'll need to wait {0} before you can unstake your tokens. This cooldown starts when you request to unstake. Once it ends, you can withdraw during the unstake window." +msgstr "" + #: src/components/transactions/StakeRewardClaim/StakeRewardClaimModalContent.tsx #: src/components/transactions/StakeRewardClaimRestake/StakeRewardClaimRestakeModalContent.tsx msgid "No rewards to claim" @@ -1733,6 +2113,14 @@ msgstr "Facteur de réserve" msgid "Migration risks" msgstr "Risques liés à la migration" +#: src/components/transactions/Swap/warnings/postInputs/LowHealthFactorWarning.tsx +msgid "I understand the liquidation risk and want to proceed" +msgstr "" + +#: src/components/transactions/Swap/warnings/postInputs/HighPriceImpactWarning.tsx +msgid "I confirm the swap knowing that I could lose up to <0>{0}% on this swap." +msgstr "" + #: src/modules/history/actions/ActionDetails.tsx msgid "Covered debt" msgstr "Dette couverte" @@ -1753,7 +2141,10 @@ msgstr "Total des emprunts" msgid "YAE" msgstr "YAE" -#: src/components/transactions/Borrow/GhoBorrowSuccessView.tsx +#: src/components/transactions/ClaimRewards/ClaimRewardsModalContent.tsx +msgid "Claiming all merit rewards only" +msgstr "" + #: src/components/transactions/FlowCommons/BaseCancelled.tsx #: src/components/transactions/FlowCommons/BaseSuccess.tsx #: src/components/transactions/FlowCommons/BaseWaiting.tsx @@ -1769,13 +2160,13 @@ msgstr "Rien fourni pour le moment" msgid "Voting" msgstr "Vote" -#: pages/404.page.tsx -msgid "Back to Dashboard" -msgstr "Retour au tableau de bord" +#: src/components/transactions/Swap/actions/ActionsSkeleton.tsx +msgid "Loading quote..." +msgstr "" -#: src/modules/reserve-overview/SupplyInfo.tsx -msgid "Unbacked" -msgstr "Sans support" +#: src/components/infoTooltips/EstimatedCostsForLimitSwap.tsx +msgid "Estimated Costs & Fees" +msgstr "" #: src/components/infoTooltips/EModeTooltip.tsx msgid "E-Mode increases your LTV for a selected category of assets up to<0/>. <1>Learn more" @@ -1785,6 +2176,14 @@ msgstr "E-Mode augmente votre LTV pour une catégorie d'actifs sélectionnée ju msgid "Reserve status & configuration" msgstr "Statut et configuration de la réserve" +#: src/layouts/SupportModal.tsx +msgid "Let us know how we can help you. You may also consider joining our community" +msgstr "" + +#: src/components/transactions/Withdraw/WithdrawTypeSelector.tsx +msgid "Withdraw & Swap" +msgstr "" + #: src/ui-config/errorMapping.tsx msgid "User cannot withdraw more than the available balance" msgstr "L'utilisateur ne peut pas retirer plus que le solde disponible" @@ -1793,6 +2192,8 @@ msgstr "L'utilisateur ne peut pas retirer plus que le solde disponible" msgid "<0>Ampleforth is a rebasing asset. Visit the <1>documentation to learn more." msgstr "<0>Ampleforth est un actif de rebasage. Consultez la <1>documentation pour en savoir plus." +#: src/modules/history/actions/ActionDetails.tsx +#: src/modules/history/actions/ActionDetails.tsx #: src/modules/history/actions/ActionDetails.tsx msgid "In Progress" msgstr "" @@ -1801,7 +2202,7 @@ msgstr "" msgid "Because this asset is paused, no actions can be taken until further notice" msgstr "Étant donné que cette ressource est suspendue, aucune action ne peut être entreprise jusqu’à nouvel ordre" -#: src/components/transactions/Switch/SwitchAssetInput.tsx +#: src/components/transactions/Swap/inputs/primitives/SwapAssetInput.tsx msgid "No results found. You can import a custom token with a contract address" msgstr "" @@ -1822,14 +2223,30 @@ msgstr "Utilisé comme collatéral" msgid "Action cannot be performed because the reserve is paused" msgstr "L'action ne peut pas être effectuée car la réserve est mise en pause" +#: src/components/transactions/TxActionsWrapper.tsx +msgid "{0} {symbol} to continue" +msgstr "" + #: src/modules/governance/RepresentativesInfoPanel.tsx msgid "Representative smart contract wallet (ie. Safe) addresses on other chains." msgstr "" +#: src/components/transactions/Swap/errors/shared/UserDenied.tsx +msgid "User denied the operation." +msgstr "" + +#: src/layouts/SupportModal.tsx +msgid "Support" +msgstr "" + #: src/components/transactions/CollateralChange/CollateralChangeModalContent.tsx msgid "You will exit isolation mode and other tokens can now be used as collateral" msgstr "Vous quitterez le mode d'isolement et d'autres jetons peuvent désormais être utilisés comme collatéral" +#: src/modules/staking/GhoStakingPanel.tsx +msgid "Deposit APR" +msgstr "" + #: src/components/transactions/Bridge/BridgeModalContent.tsx msgid "Amount to Bridge" msgstr "" @@ -1838,15 +2255,40 @@ msgstr "" 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 "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." -#: src/components/transactions/Switch/SwitchTxSuccessView.tsx +#: src/modules/umbrella/helpers/StakedUnderlyingTooltip.tsx +msgid "Staked Underlying" +msgstr "" + +#: src/components/transactions/Swap/warnings/preInputs/NativeLimitOrderInfo.tsx +msgid "For security reasons, limit orders are not supported for Native tokens. To place a limit order, use the wrapped version." +msgstr "" + +#: src/layouts/components/StakingMenu.tsx +#: src/layouts/components/StakingMenu.tsx +msgid "Umbrella" +msgstr "" + +#: src/components/incentives/MeritIncentivesTooltipContent.tsx +msgid "Merit Program and Self rewards can be claimed" +msgstr "" + +#: src/components/transactions/Swap/modals/result/SwapResultView.tsx msgid "The order could't be filled." msgstr "" +#: src/components/transactions/Supply/CollateralOptionsSelector.tsx +msgid "Collateral options" +msgstr "" + #: src/components/transactions/GovVote/GovVoteActions.tsx #: src/components/transactions/GovVote/GovVoteActions.tsx msgid "VOTE NAY" msgstr "VOTER NON" +#: src/layouts/components/ShieldSwitcher.tsx +msgid "Aave Shield" +msgstr "" + #: src/components/transactions/Emode/EmodeActions.tsx msgid "Enabling E-Mode" msgstr "Activation du E-Mode" @@ -1859,9 +2301,12 @@ msgstr "Cette action réduira votre facteur de santé. Veuillez garder à l’es msgid "The total amount bridged minus CCIP fees. Paying in network token does not impact gho amount." msgstr "" -#: src/layouts/FeedbackDialog.tsx -#: src/layouts/FeedbackDialog.tsx -msgid "Feedback" +#: src/modules/umbrella/UmbrellaModalContent.tsx +msgid "Stake token shares" +msgstr "" + +#: src/components/transactions/Swap/inputs/shared/SwitchSlippageSelector.tsx +msgid "Default slippage" msgstr "" #: src/layouts/AppHeader.tsx @@ -1872,6 +2317,11 @@ msgstr "Le mode réseau de test est activé" msgid "If your loan to value goes above the liquidation threshold your collateral supplied may be liquidated." msgstr "Si votre prêt à la valeur dépasse le seuil de liquidation, votre garantie fournie peut être liquidée." +#: src/modules/history/TransactionMobileRowItem.tsx +#: src/modules/history/TransactionRowItem.tsx +msgid "VIEW" +msgstr "" + #: src/ui-config/errorMapping.tsx msgid "Interest rate rebalance conditions were not met" msgstr "Les conditions de rééquilibrage des taux d'intérêt n'ont pas été remplies" @@ -1880,6 +2330,14 @@ msgstr "Les conditions de rééquilibrage des taux d'intérêt n'ont pas été r msgid "Add {0} to wallet to track your balance." msgstr "Ajouter {0} à Wallet pour suivre votre solde." +#: src/components/transactions/Swap/actions/ActionsSkeleton.tsx +msgid "Loading..." +msgstr "" + +#: src/components/transactions/CancelCowOrder/CancelCowOrderModalContent.tsx +msgid "This is an off-chain operation. Keep in mind that a solver may already have filled your order." +msgstr "" + #: src/modules/governance/GovernanceTopPanel.tsx msgid "Aave Governance" msgstr "Gouvernance Aave" @@ -1892,6 +2350,10 @@ msgstr "Raw-Ipfs" msgid "Efficiency mode (E-Mode)" msgstr "Mode efficacité (E-Mode)" +#: src/components/infoTooltips/EstimatedCostsForLimitSwap.tsx +msgid "These are the estimated costs associated with your limit swap, including costs and fees. Consider these costs when setting your order amounts to help optimize execution and maximize your chances of filling the order." +msgstr "" + #: src/components/transactions/Emode/EmodeModalContent.tsx #: src/modules/dashboard/DashboardEModeButton.tsx msgid "Manage E-Mode" @@ -1901,6 +2363,7 @@ msgstr "" msgid "Disable testnet" msgstr "Désactiver le réseau de test" +#: src/modules/staking/GhoStakingPanel.tsx #: src/modules/staking/StakingPanel.tsx msgid "Max slashing" msgstr "Coupure maximale" @@ -1909,11 +2372,17 @@ msgstr "Coupure maximale" msgid "Before supplying" msgstr "Avant de déposer" +#: src/modules/umbrella/StakeAssets/UmbrellaAssetsListContainer.tsx +#: src/modules/umbrella/UmbrellaAssetsDefault.tsx +msgid "Assets to stake" +msgstr "" + #: src/modules/dashboard/LiquidationRiskParametresModal/components/HFContent.tsx msgid "Liquidation value" msgstr "Valeur de liquidation" #: 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 "Nous n’avons trouvé aucun élément lié à votre recherche. Réessayez avec un autre nom, symbole ou adresse de ressource." @@ -1925,6 +2394,8 @@ msgstr "Activé" msgid "Enter a valid address" msgstr "" +#: src/modules/sGho/SGhoDepositPanel.tsx +#: src/modules/staking/GhoStakingPanel.tsx #: src/modules/staking/StakingPanel.tsx msgid "Time left to unstake" msgstr "Temps restant pour dépiquer" @@ -1934,13 +2405,19 @@ msgid "Disabling this asset as collateral affects your borrowing power and Healt msgstr "La désactivation de cet actif en tant que garantie affecte votre pouvoir d'emprunt et votre facteur de santé." #: src/modules/reserve-overview/Gho/GhoReserveTopDetails.tsx +#: src/modules/sGho/SGhoHeader.tsx msgid "Price" msgstr "Prix" #: src/components/transactions/UnStake/UnStakeModalContent.tsx +#: src/modules/umbrella/UnstakeModalContent.tsx msgid "Unstaked" msgstr "Non jalonné" +#: src/components/transactions/Supply/SupplyModalContent.tsx +msgid "E-Mode change" +msgstr "" + #: src/modules/governance/proposal/VoteInfo.tsx msgid "Vote NAY" msgstr "Vote NAY" @@ -1953,17 +2430,22 @@ msgstr "Acheter des crypto-monnaies avec des monnaies fiduciaires" msgid "Array parameters that should be equal length are not" msgstr "Les paramètres de tableau devraient être de même longueur ne sont pas" -#: src/components/transactions/Switch/SwitchErrors.tsx -msgid "Your balance is lower than the selected amount." -msgstr "Votre solde est inférieur au montant sélectionné." +#: src/components/transactions/Swap/actions/RepayWithCollateral/RepayWithCollateralActionsViaParaswap.tsx +msgid "Repaying {0}" +msgstr "" + +#: src/components/incentives/MeritIncentivesTooltipContent.tsx +#: src/components/incentives/MeritIncentivesTooltipContent.tsx +msgid "from the" +msgstr "" #: src/modules/governance/proposal/ProposalOverview.tsx msgid "An error has occurred fetching the proposal." msgstr "" -#: src/modules/reserve-overview/Gho/GhoPieChartContainer.tsx -msgid "Exceeds the discount" -msgstr "Dépasse la remise" +#: src/modules/reserve-overview/SupplyInfo.tsx +msgid "This asset can only be used as collateral in E-Mode: {0}" +msgstr "" #: src/modules/markets/MarketAssetsList.tsx #: src/modules/markets/MarketAssetsListMobileItem.tsx @@ -1974,30 +2456,27 @@ msgstr "Prêt APY, variable" msgid "This asset is eligible for rewards through SuperFest. Aave Labs does not guarantee the program and accepts no liability." msgstr "" -#: src/components/incentives/MeritIncentivesTooltipContent.tsx -msgid "Eligible for the Merit program." -msgstr "" - #: src/components/Warnings/CooldownWarning.tsx msgid "Cooldown period warning" msgstr "Avertissement de période de refroidissement" -#: src/components/transactions/DebtSwitch/DebtSwitchActions.tsx -#: src/components/transactions/Swap/SwapActions.tsx -msgid "Swaping" +#: src/modules/umbrella/AmountSharesItem.tsx +msgid "Available to withdraw" msgstr "" -#: src/components/incentives/ZkSyncIgniteIncentivesTooltipContent.tsx -msgid "ZKSync Ignite Program rewards are claimed through the" +#: src/components/transactions/FlowCommons/TxModalDetails.tsx +msgid "Cooldown" msgstr "" -#: src/components/transactions/Emode/EmodeModalContent.tsx +#: src/components/transactions/Emode/EmodeAssetTable.tsx #: src/modules/bridge/BridgeWrapper.tsx #: src/modules/dashboard/lists/BorrowAssetsList/BorrowAssetsList.tsx #: src/modules/dashboard/lists/BorrowedPositionsList/BorrowedPositionsList.tsx #: src/modules/dashboard/lists/SuppliedPositionsList/SuppliedPositionsList.tsx #: src/modules/faucet/FaucetAssetsList.tsx #: src/modules/markets/MarketAssetsList.tsx +#: src/modules/umbrella/StakeAssets/UmbrellaAssetsList.tsx +#: src/modules/umbrella/UmbrellaAssetsDefault.tsx msgid "Asset" msgstr "Actif" @@ -2013,7 +2492,7 @@ msgstr "Les actifs isolés ont un pouvoir d'emprunt limité et les autres actifs msgid "Addresses" msgstr "Adresses" -#: src/components/transactions/Switch/SwitchModalTxDetails.tsx +#: src/components/infoTooltips/NetworkCostTooltip.tsx msgid "Network costs" msgstr "" @@ -2025,7 +2504,11 @@ msgstr "Le montant demandé est supérieur au montant maximum du prêt en mode t msgid "This is a program initiated and implemented by the Aave Chan Initiative (ACI). Aave Labs does not guarantee the program and accepts no liability." msgstr "" -#: pages/index.page.tsx +#: src/modules/umbrella/StakingApyItem.tsx +msgid "supply" +msgstr "" + +#: pages/dashboard.page.tsx #: src/components/transactions/Supply/SupplyModal.tsx #: src/modules/dashboard/lists/SuppliedPositionsList/SuppliedPositionsListItem.tsx #: src/modules/dashboard/lists/SuppliedPositionsList/SuppliedPositionsListMobileItem.tsx @@ -2038,14 +2521,11 @@ msgstr "" msgid "Supply" msgstr "Fournir" +#: src/components/transactions/Emode/EmodeModalContent.tsx #: src/components/transactions/Emode/EmodeModalContent.tsx msgid "Cannot disable E-Mode" msgstr "Impossible de désactiver le mode E" -#: src/components/transactions/Repay/CollateralRepayModalContent.tsx -msgid "Not enough collateral to repay this amount of debt with" -msgstr "Pas assez de collatéral pour rembourser ce montant de dette avec" - #: src/ui-config/errorMapping.tsx msgid "Address is not a contract" msgstr "L'adresse n'est pas un contrat" @@ -2079,15 +2559,23 @@ msgstr "L'emprunt n'est pas disponible car vous avez activé le mode Efficacité msgid "Something went wrong fetching bridge message, please try again later." msgstr "" +#: src/modules/staking/StakingPanelNoWallet.tsx +msgid "Incentives APR" +msgstr "" + #: src/modules/governance/VotingPowerInfoPanel.tsx 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 "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." +#: src/modules/sGho/SavingsGhoCard.tsx +#: src/modules/umbrella/UmbrellaAssetsDefault.tsx +msgid "Staking APY" +msgstr "" + #: src/modules/governance/proposal/VoteInfo.tsx msgid "Vote YAE" msgstr "Vote YAE" -#: src/components/transactions/Repay/CollateralRepayActions.tsx #: src/components/transactions/Repay/RepayActions.tsx msgid "Repaying {symbol}" msgstr "Remboursement {symbole}" @@ -2096,20 +2584,14 @@ msgstr "Remboursement {symbole}" msgid "Bridge {symbol}" msgstr "" -#: src/modules/reserve-overview/Gho/GhoInterestRateGraph.tsx -msgid "Effective interest rate" -msgstr "Taux d’intérêt effectif" - #: src/modules/governance/proposal/ProposalLifecycle.tsx +#: src/modules/governance/proposal/ProposalLifecycleCache.tsx msgid "Forum discussion" msgstr "Discussion de forum" #: src/components/transactions/Borrow/BorrowModalContent.tsx -#: src/components/transactions/Borrow/GhoBorrowModalContent.tsx -#: src/components/transactions/Withdraw/WithdrawAndSwitchModalContent.tsx #: src/components/transactions/Withdraw/WithdrawModalContent.tsx #: src/modules/dashboard/lists/BorrowAssetsList/BorrowAssetsList.tsx -#: src/modules/dashboard/lists/BorrowAssetsList/GhoBorrowAssetsListItem.tsx msgid "Available" msgstr "Disponible" @@ -2117,12 +2599,23 @@ msgstr "Disponible" msgid "You did not participate in this proposal" msgstr "Vous n'avez pas participé à cette proposition" +#: src/components/transactions/Swap/warnings/postInputs/LowHealthFactorWarning.tsx +msgid "Low health factor after swap. Your position will carry a higher risk of liquidation." +msgstr "" + +#: src/components/AssetCategoryMultiselect.tsx +msgid "Principle Tokens" +msgstr "" + #: src/ui-config/menu-items/index.tsx msgid "Governance" msgstr "Gouvernance" +#: src/components/TitleWithFiltersAndSearchBar.tsx #: src/components/TitleWithSearchBar.tsx #: src/modules/history/HistoryWrapperMobile.tsx +#: src/modules/history/TransactionMobileRowItem.tsx +#: src/modules/history/TransactionRowItem.tsx msgid "Cancel" msgstr "Annuler" @@ -2130,10 +2623,6 @@ msgstr "Annuler" msgid "Ltv validation failed" msgstr "Échec de la validation LTV" -#: src/modules/reserve-overview/Gho/GhoDiscountCalculator.tsx -msgid "to" -msgstr "À" - #: src/modules/reserve-overview/SupplyInfo.tsx msgid "Maximum amount available to supply is <0/> {0} (<1/>)." msgstr "La quantité maximale disponible pour la fourniture est de <0/> {0} (<1/>)." @@ -2147,6 +2636,22 @@ msgstr "Vous n'avez pas assez de fonds dans votre portefeuille pour rembourser l msgid "Assets to borrow" msgstr "Actifs à emprunter" +#: src/modules/reserve-overview/graphs/ApyGraphContainer.tsx +msgid "Data couldn't be loaded." +msgstr "" + +#: src/components/transactions/Swap/warnings/postInputs/HighPriceImpactWarning.tsx +msgid "Please review the swap values before confirming." +msgstr "" + +#: src/components/transactions/Swap/errors/shared/SupplyCapBlockingError.tsx +msgid "Supply cap reached for {symbol}. Reduce the amount or choose a different asset." +msgstr "" + +#: src/components/MarketSwitcher.tsx +msgid "L1 Networks" +msgstr "" + #: src/components/Warnings/BorrowDisabledWarning.tsx msgid "Borrowing is disabled due to an Aave community decision. <0>More details" msgstr "L’emprunt est désactivé en raison d’une décision de la communauté Aave. <0>Plus d’informations" @@ -2155,13 +2660,10 @@ msgstr "L’emprunt est désactivé en raison d’une décision de la communaut #: src/modules/reserve-overview/SupplyInfo.tsx #: src/modules/reserve-overview/SupplyInfo.tsx #: src/modules/reserve-overview/SupplyInfo.tsx +#: src/modules/reserve-overview/SupplyInfo.tsx msgid "Collateral usage" msgstr "Usage de collatéral" -#: src/modules/history/actions/BorrowRateModeBlock.tsx -msgid "Variable" -msgstr "Variable" - #: src/modules/history/actions/ActionDetails.tsx #: src/modules/history/HistoryFilterMenu.tsx msgid "Liquidation" @@ -2171,6 +2673,10 @@ msgstr "Liquidation" msgid "Aave debt token" msgstr "Jeton de dette Aave" +#: src/components/transactions/Supply/SupplyModalContent.tsx +msgid "This transaction will enable E-Mode ({0}). Borrowing will be restricted to assets within this category." +msgstr "" + #: src/modules/governance/proposal/VotersListContainer.tsx msgid "Top 10 addresses" msgstr "Top 10 des adresses" @@ -2191,7 +2697,12 @@ msgstr "Le slippage est la différence entre les montants cotés et reçus en ra msgid "Edit" msgstr "" +#: pages/sgho.page.tsx +msgid "Please connect a wallet to view your balance here." +msgstr "" + #: src/modules/reserve-overview/SupplyInfo.tsx +#: src/modules/umbrella/StakingApyItem.tsx msgid "Staking Rewards" msgstr "Récompenses de staking" @@ -2204,13 +2715,10 @@ msgstr "" msgid "No transactions yet." msgstr "Aucune transaction n’a encore été effectuée." -#: src/modules/markets/Gho/GhoBanner.tsx #: src/modules/markets/MarketAssetsList.tsx #: src/modules/markets/MarketAssetsListMobileItem.tsx #: src/modules/reserve-overview/BorrowInfo.tsx #: src/modules/reserve-overview/BorrowInfo.tsx -#: src/modules/reserve-overview/Gho/GhoBorrowInfo.tsx -#: src/modules/reserve-overview/Gho/GhoBorrowInfo.tsx #: src/modules/reserve-overview/Gho/GhoReserveTopDetails.tsx msgid "Total borrowed" msgstr "Total emprunté" @@ -2219,6 +2727,11 @@ msgstr "Total emprunté" msgid "The collateral balance is 0" msgstr "Le solde de la garantie est de 0" +#: src/components/transactions/Swap/modals/result/SwapResultView.tsx +#: src/components/transactions/Swap/modals/result/SwapResultView.tsx +msgid "You've successfully swapped {0}." +msgstr "" + #: src/components/ChainAvailabilityText.tsx msgid "Available on" msgstr "Disponible sur" @@ -2231,10 +2744,6 @@ msgstr "Commence" msgid "Unstake now" msgstr "Arrêter de staker maintenant" -#: src/modules/reserve-overview/Gho/GhoDiscountCalculator.tsx -msgid "APY with discount applied" -msgstr "APY avec remise appliquée" - #: src/modules/dashboard/DashboardTopPanel.tsx msgid "Net worth" msgstr "Valeur nette" @@ -2243,16 +2752,15 @@ msgstr "Valeur nette" msgid "Get ABP Token" msgstr "Obtenir le jeton ABP" +#: src/modules/sGho/SGhoHeader.tsx +msgid "Deposit GHO into savings GHO (sGHO) and earn <0>{0}% APY on your GHO holdings. There are no lockups, no rehypothecation, and you can withdraw anytime. Simply deposit GHO, receive sGHO tokens representing your balance, and watch your savings grow earning claimable rewards from merit." +msgstr "" + #: src/components/transactions/FlowCommons/Success.tsx msgid "You switched to {0} rate" msgstr "Vous êtes passé au tarif {0}" -#: src/components/incentives/IncentivesTooltipContent.tsx -msgid "Net APR" -msgstr "APR Net" - #: src/components/transactions/Borrow/BorrowModalContent.tsx -#: src/components/transactions/Borrow/GhoBorrowModalContent.tsx msgid "Borrowed" msgstr "Emprunté" @@ -2264,17 +2772,11 @@ msgstr "Reçu" msgid "Your current loan to value based on your collateral supplied." msgstr "Votre prêt actuel à la valeur en fonction de votre collatéral fournie." -#: src/modules/reserve-overview/Gho/GhoDiscountCalculator.tsx -#: src/modules/reserve-overview/Gho/GhoInterestRateGraph.tsx -msgid "Staking discount" -msgstr "Remise sur le staking" - #: src/modules/migration/MigrationBottomPanel.tsx msgid "Preview tx and migrate" msgstr "Prévisualiser tx et migrer" #: src/components/transactions/AssetInput.tsx -#: src/components/transactions/ClaimRewards/ClaimRewardsModalContent.tsx #: src/modules/dashboard/lists/BorrowedPositionsList/BorrowedPositionsList.tsx #: src/modules/dashboard/lists/SuppliedPositionsList/SuppliedPositionsList.tsx #: src/modules/dashboard/lists/SuppliedPositionsList/SuppliedPositionsList.tsx @@ -2302,6 +2804,10 @@ msgstr "" msgid "Powered by" msgstr "Alimenté par" +#: src/components/infoTooltips/ExecutionFeeTooltip.tsx +msgid "This is the fee for executing position changes, set by governance." +msgstr "" + #: src/layouts/AppFooter.tsx msgid "FAQS" msgstr "Foire aux questions" @@ -2318,6 +2824,13 @@ msgstr "" msgid "Testnet mode" msgstr "Mode réseau test" +#: src/components/transactions/Swap/actions/WithdrawAndSwap/WithdrawAndSwapActionsViaParaswap.tsx +#: src/components/transactions/Swap/actions/WithdrawAndSwap/WithdrawAndSwapActionsViaParaswap.tsx +#: src/modules/history/actions/ActionDetails.tsx +#: src/modules/history/HistoryFilterMenu.tsx +msgid "Withdraw and Swap" +msgstr "" + #: src/components/infoTooltips/FrozenTooltip.tsx msgid "This asset is frozen due to an Aave Protocol Governance decision. <0>More details" msgstr "Cet actif est gelé en raison d’une décision de gouvernance du protocole Aave. <0>Plus d’informations" @@ -2334,22 +2847,14 @@ msgstr "Veuillez connecter votre portefeuille pour obtenir des ressources de ré msgid "Approve Confirmed" msgstr "Approuver Confirmé" -#: src/components/AddressBlockedModal.tsx -msgid "This address is blocked on app.aave.com because it is associated with one or more" -msgstr "Cette adresse est bloquée sur app.aave.com car elle est associée à un ou plusieurs" +#: src/components/transactions/Swap/warnings/postInputs/ShieldSwapWarning.tsx +msgid "This swap has a price impact of {0}%, which exceeds the 25% safety threshold. To proceed, disable Aave Shield in the settings menu." +msgstr "" #: src/ui-config/errorMapping.tsx msgid "Zero address not valid" msgstr "Adresse zéro non-valide" -#: src/components/MarketSwitcher.tsx -msgid "Version 3" -msgstr "Variante 3" - -#: src/modules/reserve-overview/Gho/GhoDiscountCalculator.tsx -msgid "You may borrow up to <0/> GHO at <1/> (max discount)" -msgstr "Vous pouvez emprunter jusqu’à GHO à <0/> <1/> (rabais maximum)" - #: src/components/infoTooltips/NetAPYTooltip.tsx msgid "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." msgstr "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." @@ -2367,24 +2872,43 @@ msgstr "" msgid ".CSV" msgstr ". .CSV" -#: src/components/transactions/Switch/SwitchModalTxDetails.tsx +#: src/components/infoTooltips/NetworkCostTooltip.tsx msgid "This is the cost of settling your order on-chain, including gas and any LP fees." msgstr "" +#: src/components/transactions/SavingsGho/SavingsGhoWithdrawActions.tsx #: 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 "Activer le temps de recharge" +#: src/modules/umbrella/StakeAssets/UmbrellaAssetsList.tsx +msgid "Available to Claim" +msgstr "" + #: src/modules/dashboard/DashboardTopPanel.tsx +#: src/modules/umbrella/UmbrellaHeader.tsx msgid "Net APY" msgstr "APY Net" +#: src/layouts/SupportModal.tsx +msgid "Submit" +msgstr "" + #: src/components/transactions/ClaimRewards/ClaimRewardsModalContent.tsx #: src/components/transactions/StakeRewardClaim/StakeRewardClaimModalContent.tsx +#: src/modules/umbrella/UmbrellaClaimModalContent.tsx +#: src/modules/umbrella/UmbrellaClaimModalContent.tsx msgid "Claimed" msgstr "Revendiqué" +#: src/modules/history/actions/ActionDetails.tsx +#: src/modules/history/HistoryFilterMenu.tsx +msgid "Debt Swap" +msgstr "" + #: src/components/infoTooltips/BorrowPowerTooltip.tsx msgid "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." msgstr "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." @@ -2393,7 +2917,8 @@ msgstr "Le % de votre pouvoir d'emprunt total utilisé. Ceci est basé sur le mo #: src/components/transactions/Bridge/BridgeAmount.tsx #: src/components/transactions/Bridge/BridgeAmount.tsx #: src/components/transactions/Faucet/FaucetModalContent.tsx -#: src/modules/reserve-overview/Gho/GhoPieChartContainer.tsx +#: src/modules/umbrella/UmbrellaClaimModalContent.tsx +#: src/modules/umbrella/UmbrellaClaimModalContent.tsx msgid "Amount" msgstr "Montant" @@ -2402,7 +2927,12 @@ msgid "There was some error. Please try changing the parameters or <0><1>copy th msgstr "Il y a eu une erreur. Veuillez essayer de modifier les paramètres ou <0><1>copier l'erreur" #: src/modules/dashboard/DashboardTopPanel.tsx +#: src/modules/sGho/SGhoDepositPanel.tsx +#: src/modules/sGho/SGhoHeader.tsx +#: src/modules/staking/GhoStakingPanel.tsx #: src/modules/staking/StakingPanel.tsx +#: src/modules/umbrella/UmbrellaClaimActions.tsx +#: src/modules/umbrella/UmbrellaHeader.tsx msgid "Claim" msgstr "Réclamer" @@ -2410,24 +2940,26 @@ msgstr "Réclamer" msgid "Liquidated collateral" msgstr "Garantie liquidée" -#: src/modules/markets/Gho/GhoBanner.tsx -msgid "Users who stake AAVE in Safety Module (i.e. stkAAVE holders) receive a discount on GHO borrow interest rate." +#: src/components/incentives/MeritIncentivesTooltipContent.tsx +#: src/components/incentives/MeritIncentivesTooltipContent.tsx +msgid "dashboard" msgstr "" #: src/components/transactions/Borrow/BorrowActions.tsx msgid "Borrowing {symbol}" msgstr "Emprunter {symbole}" -#: src/components/transactions/DebtSwitch/DebtSwitchModalContent.tsx -#: src/components/transactions/Repay/CollateralRepayModalContent.tsx -#: src/components/transactions/Repay/CollateralRepayModalContent.tsx -#: src/modules/reserve-overview/Gho/GhoPieChartContainer.tsx -msgid "Borrow balance" -msgstr "Emprunter le solde" +#: src/components/transactions/Supply/CollateralOptionsSelector.tsx +msgid "Borrow: All eligible assets" +msgstr "" + +#: src/modules/umbrella/UmbrellaHeader.tsx +msgid "Staked Balance" +msgstr "" -#: src/modules/reserve-overview/Gho/CalculatorInput.tsx -msgid "You may enter a custom amount in the field." -msgstr "Vous pouvez saisir un montant personnalisé dans le champ." +#: src/components/transactions/Swap/inputs/shared/ExpirySelector.tsx +msgid "Expires in" +msgstr "" #: src/modules/reserve-overview/Gho/GhoReserveConfiguration.tsx msgid "About GHO" @@ -2449,14 +2981,33 @@ msgstr "Délégation de pouvoirs" msgid "You voted {0}" msgstr "Vous avez voté {0}" -#: src/components/transactions/Emode/EmodeModalContent.tsx +#: src/components/transactions/Emode/EmodeAssetTable.tsx msgid "Borrowable" msgstr "" +#: src/layouts/components/NavItems.tsx +#: src/layouts/components/StakingMenu.tsx +#: src/layouts/components/StakingMenu.tsx +#: src/modules/staking/StakingHeader.tsx +msgid "Safety Module" +msgstr "" + +#: src/modules/sGho/SGhoHeader.tsx +msgid "Estimated weekly rewards based on your current sGHO balance and APR. Actual rewards may vary depending on market conditions." +msgstr "" + +#: src/modules/history/HistoryWrapper.tsx +msgid "Transaction history for Plasma not supported yet, coming soon." +msgstr "" + #: src/modules/dashboard/lists/SlippageList.tsx msgid "Select slippage tolerance" msgstr "Sélectionner la tolérance de glissement" +#: src/layouts/AppFooter.tsx +msgid "Get Support" +msgstr "" + #: src/components/transactions/TxActionsWrapper.tsx msgid "Enter an amount" msgstr "Entrez un montant" @@ -2473,6 +3024,14 @@ msgstr "tokens n'est pas la même chose que de les staker . Si vous souhaitez st msgid "Use it to vote for or against active proposals." msgstr "Utilisez-le pour voter pour ou contre les propositions actives." +#: src/modules/umbrella/UnstakeModalContent.tsx +msgid "Amount received" +msgstr "" + +#: src/components/transactions/Supply/SupplyModalContent.tsx +msgid "This transaction will disable E-Mode. All assets will revert to their base LTV and liquidation thresholds." +msgstr "" + #: src/modules/reserve-overview/BorrowInfo.tsx msgid "Collector Info" msgstr "Informations sur le collectionneur" @@ -2481,6 +3040,10 @@ msgstr "Informations sur le collectionneur" msgid "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" msgstr "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" +#: src/modules/umbrella/UmbrellaModalContent.tsx +msgid "Staking this amount will reduce your health factor and increase risk of liquidation." +msgstr "" + #: src/hooks/useReserveActionState.tsx msgid "Collateral usage is limited because of Isolation mode." msgstr "L'utilisation du collatéral est limitée en raison du mode d'isolation." @@ -2489,6 +3052,21 @@ msgstr "L'utilisation du collatéral est limitée en raison du mode d'isolation. msgid "Amount After Fee" msgstr "" +#: src/components/transactions/ClaimRewards/ClaimRewardsActions.tsx +#: src/components/transactions/ClaimRewards/RewardsSelect.tsx +#: src/components/transactions/ClaimRewards/RewardsSelect.tsx +msgid "Claim all merit rewards" +msgstr "" + +#: src/components/incentives/IncentivesTooltipContent.tsx +#: src/components/incentives/MerklIncentivesTooltipContent.tsx +msgid "Total APY" +msgstr "" + +#: src/modules/umbrella/helpers/StakingDropdown.tsx +msgid "Cooling down" +msgstr "" + #: src/components/transactions/Warnings/AAVEWarning.tsx msgid "Supplying your" msgstr "Fournir votre" @@ -2507,18 +3085,20 @@ msgstr "Désactiver le E-mode" msgid "Enable E-Mode" msgstr "Activer le E-Mode" -#: src/components/transactions/ClaimRewards/ClaimRewardsModalContent.tsx -msgid "{0} Balance" -msgstr "{0} Balance" - #: src/components/transactions/Emode/EmodeModalContent.tsx msgid "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." msgstr "" -#: src/modules/staking/StakingPanel.tsx +#: src/components/transactions/Emode/EmodeAssetTable.tsx +msgid "Boosted LTV" +msgstr "" + +#: src/components/SecondsToString.tsx msgid "{s}s" msgstr "{s}s" +#: src/modules/sGho/SGhoDepositPanel.tsx +#: src/modules/staking/GhoStakingPanel.tsx #: src/modules/staking/StakingPanel.tsx msgid "Cooldown time left" msgstr "Temps de recharge restant" @@ -2536,9 +3116,9 @@ msgstr "Migré" msgid "In E-Mode some assets are not borrowable. Exit E-Mode to get access to all assets" msgstr "En E-Mode, certains actifs ne sont pas empruntables. Quittez le E-mode pour accéder à tous les actifs" -#: src/modules/history/TransactionRowItem.tsx -msgid "View" -msgstr "Vue" +#: src/modules/umbrella/UmbrellaHeader.tsx +msgid "here." +msgstr "" #: src/components/isolationMode/IsolatedBadge.tsx #: src/components/isolationMode/IsolatedBadge.tsx @@ -2559,14 +3139,22 @@ msgstr "<0>Attention: Les changements de paramètres via la gouvernance peuv msgid "Claim {0}" msgstr "Réclamer {0}" -#: src/components/transactions/Switch/SwitchRates.tsx +#: src/components/transactions/Swap/inputs/shared/SwitchRates.tsx msgid "Price impact" msgstr "Impact sur les prix" +#: src/modules/umbrella/StakeAssets/UmbrellaAssetsListMobileItem.tsx +msgid "Available to claim" +msgstr "" + #: src/modules/migration/MigrationMobileList.tsx msgid "{numSelected}/{numAvailable} assets selected" msgstr "{numSelected}/{numAvailable} Actifs sélectionnés" +#: src/modules/sGho/SGhoApyChart.tsx +msgid "sGHO Merit APY History" +msgstr "" + #: src/ui-config/errorMapping.tsx msgid "To repay on behalf of a user an explicit amount to repay is needed" msgstr "Pour rembourser au nom d'un utilisateur, un montant explicite à rembourser est nécessaire" @@ -2575,10 +3163,26 @@ msgstr "Pour rembourser au nom d'un utilisateur, un montant explicite à rembour msgid "Repayment amount to reach {0}% utilization" msgstr "Montant de remboursement à atteindre {0}% d’utilisation" +#: src/modules/umbrella/UmbrellaModalContent.tsx +msgid "You can not stake this amount because it will cause collateral call" +msgstr "" + +#: src/components/transactions/SavingsGho/SavingsGhoDepositActions.tsx +#: src/modules/reserve-overview/Gho/SavingsGho.tsx +#: src/modules/sGho/SavingsGhoCard.tsx +#: src/modules/sGho/SGhoDepositPanel.tsx +#: src/modules/staking/GhoStakingPanel.tsx +msgid "Deposit" +msgstr "" + #: src/ui-config/errorMapping.tsx msgid "Supply cap is exceeded" msgstr "Le plafond d'approvisionnement est dépassé" +#: src/components/transactions/Supply/CollateralOptionsSelector.tsx +msgid "{0} collateral would have 0% LTV without E-Mode. Disable {1} as collateral to use this option." +msgstr "" + #: src/modules/history/HistoryWrapper.tsx #: src/modules/history/HistoryWrapperMobile.tsx msgid ".JSON" @@ -2588,10 +3192,6 @@ msgstr ". JSON (en anglais seulement)" msgid "Debt ceiling is not zero" msgstr "Le plafond de la dette n'est pas nul" -#: src/modules/reserve-overview/Gho/GhoDiscountCalculator.tsx -msgid "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." -msgstr "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é." - #: src/components/infoTooltips/SpkAirdropTooltip.tsx msgid "and about SPK program" msgstr "" @@ -2600,9 +3200,13 @@ msgstr "" msgid "DAI balance will be converted via DSR contracts and then supplied as sDAI. Switching incurs no additional costs and no slippage." msgstr "" -#: src/components/transactions/DebtSwitch/DebtSwitchModalContent.tsx -msgid "Select an asset" -msgstr "Sélectionner une ressource" +#: src/components/transactions/Supply/CollateralOptionsSelector.tsx +msgid "LTV" +msgstr "" + +#: src/components/AddressBlockedModal.tsx +msgid "Refresh" +msgstr "" #: src/components/infoTooltips/MigrationDisabledTooltip.tsx msgid "Asset cannot be migrated due to insufficient liquidity or borrow cap limitation in {marketName} v3 market." @@ -2617,6 +3221,15 @@ msgstr "A voté YAE" msgid "We couldn't find any transactions related to your search. Try again with a different asset name, or reset filters." msgstr "Nous n’avons trouvé aucune transaction liée à votre recherche. Réessayez avec un autre nom de ressource ou réinitialisez les filtres." +#: src/components/transactions/CollateralChange/CollateralChangeModalContent.tsx +msgid "This asset has 0 LTV and cannot be used as collateral. Enable an E-Mode to use {symbol} as collateral." +msgstr "" + +#: src/modules/history/actions/ActionDetails.tsx +#: src/modules/history/HistoryFilterMenu.tsx +msgid "Repay with Collateral" +msgstr "" + #: src/layouts/components/LanguageSwitcher.tsx msgid "English" msgstr "Anglais" @@ -2625,9 +3238,25 @@ msgstr "Anglais" msgid "Learn more in our <0>FAQ guide" msgstr "En savoir plus dans notre <0>guide FAQ" -#: src/components/transactions/Repay/CollateralRepayModalContent.tsx -msgid "Collateral to repay with" -msgstr "Garantie à rembourser" +#: src/components/transactions/Warnings/CowLowerThanMarketWarning.tsx +msgid "The selected rate is lower than the market price. You might incur a loss if you proceed." +msgstr "" + +#: src/modules/sGho/SGhoDepositPanel.tsx +msgid "Deposit GHO and earn {0}% APY" +msgstr "" + +#: src/components/transactions/Swap/actions/CollateralSwap/CollateralSwapActionsViaCoWAdapters.tsx +#: src/components/transactions/Swap/actions/CollateralSwap/CollateralSwapActionsViaParaswapAdapters.tsx +#: src/components/transactions/Swap/actions/DebtSwap/DebtSwapActionsViaCoW.tsx +#: src/components/transactions/Swap/actions/DebtSwap/DebtSwapActionsViaParaswap.tsx +#: src/components/transactions/Swap/actions/RepayWithCollateral/RepayWithCollateralActionsViaCoW.tsx +#: src/components/transactions/Swap/actions/RepayWithCollateral/RepayWithCollateralActionsViaParaswap.tsx +#: src/components/transactions/Swap/actions/SwapActions/SwapActionsViaCoW.tsx +#: src/components/transactions/Swap/actions/SwapActions/SwapActionsViaParaswap.tsx +#: src/components/transactions/Swap/actions/WithdrawAndSwap/WithdrawAndSwapActionsViaParaswap.tsx +msgid "Blocked by Shield" +msgstr "" #: src/modules/staking/StakingHeader.tsx msgid "Total emission per day" @@ -2637,18 +3266,10 @@ msgstr "Émission totale par jour" msgid "Selected borrow assets" msgstr "Sélection d’actifs d’emprunt" -#: pages/staking.staking.tsx +#: pages/safety-module.page.tsx msgid "Balancer Pool" msgstr "" -#: src/components/transactions/Repay/CollateralRepayModalContent.tsx -msgid "Expected amount to repay" -msgstr "Montant prévu à rembourser" - -#: src/components/MarketSwitcher.tsx -msgid "Version 2" -msgstr "Variante 2" - #: src/modules/dashboard/DashboardEModeButton.tsx msgid "E-Mode increases your LTV for a selected category of assets. <0>Learn more" msgstr "" @@ -2657,11 +3278,29 @@ msgstr "" msgid "Your {name} wallet is empty. Purchase or transfer assets or use <0>{0} to transfer your {network} assets." msgstr "Votre {name} Le portefeuille est vide. Acheter ou transférer des actifs ou utiliser <0>{0} pour transférer votre {network} actif." +#: src/components/transactions/Swap/actions/CollateralSwap/CollateralSwapActionsViaCoWAdapters.tsx +#: src/components/transactions/Swap/actions/CollateralSwap/CollateralSwapActionsViaCoWAdapters.tsx +#: src/components/transactions/Swap/actions/CollateralSwap/CollateralSwapActionsViaCoWAdapters.tsx +#: src/components/transactions/Swap/actions/CollateralSwap/CollateralSwapActionsViaParaswapAdapters.tsx +#: src/components/transactions/Swap/actions/DebtSwap/DebtSwapActionsViaCoW.tsx +#: src/components/transactions/Swap/actions/DebtSwap/DebtSwapActionsViaCoW.tsx +#: src/components/transactions/Swap/actions/DebtSwap/DebtSwapActionsViaCoW.tsx +#: src/components/transactions/Swap/actions/RepayWithCollateral/RepayWithCollateralActionsViaCoW.tsx +#: src/components/transactions/Swap/actions/RepayWithCollateral/RepayWithCollateralActionsViaCoW.tsx +#: src/components/transactions/Swap/actions/RepayWithCollateral/RepayWithCollateralActionsViaCoW.tsx +msgid "Checking approval" +msgstr "" + +#: src/components/MarketSwitcher.tsx +#: src/components/TopInfoPanel/PageTitle.tsx +msgid "Favourite" +msgstr "" + #: src/modules/staking/BuyWithFiat.tsx msgid "Buy {cryptoSymbol} with Fiat" msgstr "Acheter {cryptoSymbol} avec Fiat" -#: pages/staking.staking.tsx +#: pages/safety-module.page.tsx msgid "Stake AAVE" msgstr "Mise en jeu AAVE" @@ -2671,9 +3310,10 @@ msgstr "Mise en jeu AAVE" msgid "Ok, Close" msgstr "D'accord, fermer" -#: src/components/transactions/Borrow/GhoBorrowSuccessView.tsx -msgid "Download" -msgstr "Télécharger" +#: pages/sgho.page.tsx +#: src/modules/sGho/SavingsGhoCard.tsx +msgid "Savings GHO (sGHO)" +msgstr "" #: src/modules/reserve-overview/SupplyInfo.tsx msgid "Asset cannot be used as collateral." @@ -2683,11 +3323,15 @@ msgstr "L'actif ne peut pas être utilisé comme collatéral." msgid "Developers" msgstr "Développeurs" -#: pages/staking.staking.tsx -msgid "We couldn’t detect a wallet. Connect a wallet to stake and view your balance." -msgstr "Nous n’avons pas pu détecter de portefeuille. Connectez un portefeuille pour staker et consulter votre solde." +#: src/components/transactions/Swap/modals/request/NoEligibleAssetsToSwap.tsx +msgid "No eligible assets to swap." +msgstr "" + +#: src/components/transactions/SavingsGho/SavingsGhoDepositActions.tsx +msgid "Depositing" +msgstr "" -#: src/components/transactions/Swap/SwapModalDetails.tsx +#: src/components/transactions/Swap/details/CollateralSwapDetails.tsx msgid "Supply apy" msgstr "Fournir apy" @@ -2707,47 +3351,41 @@ msgstr "La migration simultanée de plusieurs garanties et d’actifs empruntés msgid "Proposition" msgstr "Proposition" -#: pages/404.page.tsx -msgid "We suggest you go back to the Dashboard." -msgstr "Nous vous suggérons de revenir au tableau de bord." - #: src/modules/governance/FormattedProposalTime.tsx msgid "Can be executed" msgstr "Peut être exécuté" #: src/components/transactions/CollateralChange/CollateralChangeModalContent.tsx -#: src/components/transactions/Repay/CollateralRepayModalContent.tsx -#: src/components/transactions/Swap/SwapModalContent.tsx #: src/components/transactions/Withdraw/WithdrawError.tsx msgid "Assets with zero LTV ({0}) must be withdrawn or disabled as collateral to perform this action" msgstr "" -#: src/modules/staking/GhoDiscountProgram.tsx -msgid "stkAAVE holders get a discount on GHO borrow rate" -msgstr "Les détenteurs de stkAAVE bénéficient d’une réduction sur le taux d’emprunt GHO" - -#: src/components/transactions/Warnings/ChangeNetworkWarning.tsx -msgid "Please switch to {networkName}." -msgstr "Veuillez passer à {networkName}." +#: src/modules/reserve-overview/ReserveEModePanel.tsx +msgid "This asset has 0% LTV, meaning it does not contribute to borrowing power. Existing positions with this asset as collateral still count toward the liquidation threshold and protect your health factor. New positions cannot enable this asset as collateral." +msgstr "" #: src/components/transactions/GovDelegation/DelegationTypeSelector.tsx msgid "Both" msgstr "Les deux" -#: src/components/transactions/Borrow/GhoBorrowModalContent.tsx -msgid "Discount applied for <0/> staking AAVE" -msgstr "Remise appliquée pour <0/> le staking d’AAVE" - -#: src/modules/staking/StakingPanel.tsx +#: src/components/SecondsToString.tsx msgid "{h}h" msgstr "{h}h" +#: src/modules/reserve-overview/Gho/SavingsGho.tsx +msgid "After the cooldown is initiated, you will be able to withdraw your assets immediatley." +msgstr "" + +#: src/components/transactions/CancelCowOrder/CancelAdapterOrderActions.tsx +msgid "Cancelling order..." +msgstr "" + #: pages/500.page.tsx #: src/modules/reserve-overview/graphs/ApyGraphContainer.tsx +#: src/modules/reserve-overview/graphs/MeritApyGraphContainer.tsx msgid "Something went wrong" msgstr "Quelque chose s’est mal passé" -#: src/components/transactions/Withdraw/WithdrawAndSwitchModalContent.tsx #: src/components/transactions/Withdraw/WithdrawModalContent.tsx msgid "Withdrawing this amount will reduce your health factor and increase risk of liquidation." msgstr "Le retrait de ce montant réduira votre facteur santé et augmentera le risque de liquidation." @@ -2760,13 +3398,8 @@ msgstr "Votre facteur de santé et votre prêt à la valeur déterminent l'assur msgid "AToken supply is not zero" msgstr "L'approvisionnement en aTokens n'est pas nul" -#: src/components/transactions/DebtSwitch/DebtSwitchModalContent.tsx -msgid "Borrow APY" -msgstr "Emprunter de l’APY" - #: src/modules/dashboard/lists/BorrowedPositionsList/BorrowedPositionsList.tsx #: src/modules/dashboard/lists/BorrowedPositionsList/BorrowedPositionsListItem.tsx -#: src/modules/dashboard/lists/BorrowedPositionsList/GhoBorrowedPositionsListItem.tsx msgid "Debt" msgstr "Dette" @@ -2779,7 +3412,9 @@ msgstr "Filtrer" msgid "Learn more about the Ether.fi program" msgstr "" +#: src/modules/sGho/SavingsGhoCard.tsx #: src/modules/staking/StakingPanel.tsx +#: src/modules/umbrella/helpers/StakingDropdown.tsx msgid "Cooldown to unstake" msgstr "Temps de recharge pour déstaker" @@ -2791,21 +3426,26 @@ msgstr "L'utilisateur n'a pas de dette à taux variable impayée sur cette rése msgid "Test Assets" msgstr "Ressources de test" +#: src/modules/umbrella/StakingApyItem.tsx +msgid "Staking this asset will earn the underlying asset supply yield in addition to other configured rewards." +msgstr "" + #: src/components/infoTooltips/StableAPYTooltip.tsx msgid "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." msgstr "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é." +#: src/modules/sGho/SGhoDepositPanel.tsx +#: src/modules/staking/GhoStakingPanel.tsx #: src/modules/staking/StakingPanel.tsx msgid "Time remaining until the 48 hour withdraw period starts." msgstr "" -#: src/modules/staking/StakingPanel.tsx -#: src/modules/staking/StakingPanelNoWallet.tsx -msgid "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." +#: src/modules/umbrella/StakeAssets/StakeAssetName.tsx +msgid "Target liquidity" msgstr "" -#: src/components/transactions/Emode/EmodeModalContent.tsx -msgid "All borrow positions outside of this category must be closed to enable this category." +#: src/modules/staking/StakingPanel.tsx +msgid "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." msgstr "" #: src/components/caps/CapsHint.tsx @@ -2813,8 +3453,13 @@ msgstr "" msgid "Available to supply" msgstr "Disponible au dépôt" -#: src/components/incentives/ZkSyncIgniteIncentivesTooltipContent.tsx -msgid "Eligible for the ZKSync Ignite program." +#: src/components/transactions/ClaimRewards/ClaimRewardsModalContent.tsx +msgid "Claiming all protocol rewards and merit rewards together" +msgstr "" + +#: src/components/transactions/Supply/CollateralOptionsSelector.tsx +#: src/components/transactions/Swap/inputs/shared/SwitchSlippageSelector.tsx +msgid "Default" msgstr "" #: src/components/transactions/Warnings/MarketWarning.tsx @@ -2834,10 +3479,6 @@ msgstr "Signatures prêtes" msgid "Go to Balancer Pool" msgstr "Accéder à Balancer Pool" -#: src/components/transactions/StakeCooldown/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 "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." - #: src/modules/migration/MigrationBottomPanel.tsx msgid "The loan to value of the migrated positions would cause liquidation. Increase migrated collateral or reduce migrated borrow to continue." msgstr "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." @@ -2846,20 +3487,11 @@ msgstr "Le ratio prêt/valeur des positions migrées entraînerait la liquidatio msgid "This asset has reached its borrow cap. Nothing is available to be borrowed from this market." msgstr "Cet actif a atteint son plafond d'emprunt. Rien n'est disponible pour être emprunté à ce marché." -#: src/components/transactions/ClaimRewards/ClaimRewardsModalContent.tsx -msgid "Your reward balance is 0" -msgstr "Votre solde de récompenses est de 0" - #: src/modules/governance/DelegatedInfoPanel.tsx msgid "Set up delegation" msgstr "Configurer la délégation" -#: src/components/transactions/Repay/CollateralRepayModalContent.tsx -msgid "Minimum amount of debt to be repaid" -msgstr "" - #: src/modules/governance/DelegatedInfoPanel.tsx -#: src/modules/reserve-overview/Gho/CalculatorInput.tsx msgid "{title}" msgstr "{title}" @@ -2867,17 +3499,20 @@ msgstr "{title}" msgid "The underlying balance needs to be greater than 0" msgstr "Le solde sous-jacent doit être supérieur à 0" +#: src/components/transactions/SavingsGho/SavingsGhoWithdrawModalContent.tsx #: src/components/transactions/UnStake/UnStakeModalContent.tsx msgid "Not enough staked balance" msgstr "Pas assez de solde staké" +#: src/components/transactions/Warnings/ChangeNetworkWarning.tsx +msgid "Switching to {networkName}..." +msgstr "" + #: src/components/transactions/Warnings/SNXWarning.tsx msgid "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." msgstr "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." #: src/components/transactions/StakingMigrate/StakingMigrateModalContent.tsx -#: src/components/transactions/Swap/SwapModalContent.tsx -#: src/components/transactions/Withdraw/WithdrawAndSwitchModalContent.tsx msgid "Minimum amount received" msgstr "" @@ -2890,9 +3525,14 @@ msgid "Confirming transaction" msgstr "" #: src/components/transactions/StakeCooldown/StakeCooldownModalContent.tsx +#: src/modules/umbrella/StakeCooldownModalContent.tsx msgid "I understand how cooldown ({0}) and unstaking ({1}) work" msgstr "Je comprends comment fonctionnent le temps de recharge ({0}) et le retrait ({1})" +#: src/components/incentives/IncentivesTooltipContent.tsx +msgid "Net Protocol Incentives" +msgstr "" + #: src/ui-config/errorMapping.tsx msgid "The caller of this function must be a pool" msgstr "L'appelant de cette fonction doit être un pool" @@ -2908,6 +3548,7 @@ msgstr "Stratégie de taux d’intérêt" #: src/components/transactions/Stake/StakeModalContent.tsx #: src/modules/staking/StakingPanel.tsx #: src/modules/staking/StakingPanel.tsx +#: src/modules/umbrella/UmbrellaModalContent.tsx msgid "Staked" msgstr "Staké" @@ -2926,23 +3567,18 @@ msgstr "Fournir APY" msgid "Global settings" msgstr "Paramètres globaux" -#: src/components/transactions/Withdraw/WithdrawAndSwitchSuccess.tsx -msgid "You've successfully withdrew & swapped tokens." -msgstr "" - -#: src/components/transactions/Repay/CollateralRepayModalContent.tsx +#: src/components/transactions/Swap/details/RepayWithCollateralDetails.tsx msgid "Collateral balance after repay" msgstr "Solde de garantie après remboursement" +#: src/modules/umbrella/UmbrellaModalContent.tsx +msgid "Staked tokens are wrapped and use an exchange rate. You may see fewer token shares, but the value matches your deposit and will grow as yield accrues." +msgstr "" + #: src/components/transactions/FlowCommons/GasEstimationError.tsx msgid "copy the error" msgstr "copier l'erreur" -#: src/components/transactions/Switch/SwitchTxSuccessView.tsx -#: src/components/transactions/Switch/SwitchTxSuccessView.tsx -msgid "You've successfully swapped tokens." -msgstr "" - #: src/components/ConnectWalletPaper.tsx #: src/components/ConnectWalletPaperStaking.tsx msgid "Please connect your wallet to see your supplies, borrowings, and open positions." @@ -2952,9 +3588,9 @@ msgstr "Veuillez connecter votre portefeuille pour voir vos fournitures, vos emp msgid "Invalid expiration" msgstr "Expiration invalide" -#: src/modules/reserve-overview/Gho/GhoInterestRateGraph.tsx -msgid "Interest accrued" -msgstr "Intérêts courus" +#: src/modules/umbrella/AvailableToClaimItem.tsx +msgid "Rewards available to claim" +msgstr "" #: src/components/transactions/GovVote/GovVoteModalContent.tsx msgid "Thank you for voting" @@ -2972,6 +3608,18 @@ msgstr "" msgid "Invalid amount to burn" msgstr "Montant non valide à brûler" +#: src/components/transactions/Swap/warnings/postInputs/LimitOrderAmountWarning.tsx +msgid "Your order amounts are {0} less favorable by {1}% to the liquidity provider than recommended. This order may not be executed." +msgstr "" + +#: src/components/transactions/Swap/actions/RepayWithCollateral/RepayWithCollateralActionsViaCoW.tsx +msgid "Repaying {0} with {1}" +msgstr "" + +#: src/components/AssetCategoryMultiselect.tsx +msgid "All Categories" +msgstr "" + #: src/layouts/MobileMenu.tsx #: src/layouts/MoreMenu.tsx msgid "Migrate to Aave V3" @@ -2985,16 +3633,30 @@ msgstr "Le montant doit être supérieur à 0" msgid "Selected supply assets" msgstr "Sélection d’actifs d’approvisionnement" +#: src/components/incentives/IncentivesTooltipContent.tsx +#: src/components/incentives/IncentivesTooltipContent.tsx +#: src/components/incentives/MerklIncentivesTooltipContent.tsx +#: src/components/incentives/MerklIncentivesTooltipContent.tsx +#: src/components/incentives/MerklIncentivesTooltipContent.tsx +#: src/components/incentives/MerklIncentivesTooltipContent.tsx +#: src/components/incentives/MerklIncentivesTooltipContent.tsx +#: src/components/incentives/MerklIncentivesTooltipContent.tsx #: src/modules/dashboard/lists/BorrowedPositionsList/BorrowedPositionsList.tsx #: src/modules/dashboard/lists/BorrowedPositionsList/BorrowedPositionsList.tsx #: src/modules/dashboard/lists/BorrowedPositionsList/BorrowedPositionsListItem.tsx -#: src/modules/dashboard/lists/BorrowedPositionsList/GhoBorrowedPositionsListItem.tsx #: src/modules/dashboard/lists/SuppliedPositionsList/SuppliedPositionsList.tsx #: src/modules/dashboard/lists/SuppliedPositionsList/SuppliedPositionsList.tsx #: src/modules/dashboard/lists/SupplyAssetsList/SupplyAssetsList.tsx -#: src/modules/history/actions/BorrowRateModeBlock.tsx -#: src/modules/history/actions/BorrowRateModeBlock.tsx +#: src/modules/markets/Gho/GhoBanner.tsx +#: src/modules/markets/Gho/GhoBanner.tsx +#: src/modules/reserve-overview/BorrowInfo.tsx #: src/modules/reserve-overview/SupplyInfo.tsx +#: src/modules/sGho/SGhoDepositPanel.tsx +#: src/modules/sGho/SGhoHeader.tsx +#: src/modules/umbrella/helpers/ApyTooltip.tsx +#: src/modules/umbrella/StakingApyItem.tsx +#: src/modules/umbrella/StakingApyItem.tsx +#: src/modules/umbrella/UmbrellaAssetsDefault.tsx msgid "APY" msgstr "APY" @@ -3002,14 +3664,11 @@ msgstr "APY" msgid "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" msgstr "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" -#: src/modules/dashboard/DashboardListTopPanel.tsx +#: src/modules/dashboard/lists/SupplyAssetsList/SupplyAssetsList.tsx msgid "Show assets with 0 balance" msgstr "Afficher les actifs avec 0 solde" -#: src/components/transactions/DebtSwitch/DebtSwitchModalContent.tsx -msgid "Borrowed asset amount" -msgstr "Montant de l’actif emprunté" - +#: src/components/transactions/Supply/SupplyModalContent.tsx #: src/modules/dashboard/DashboardEModeButton.tsx msgid "E-Mode" msgstr "E-Mode" @@ -3022,9 +3681,9 @@ msgstr "Vie privée" msgid "Watch a wallet balance in read-only mode" msgstr "" -#: src/modules/reserve-overview/Gho/GhoDiscountCalculator.tsx -msgid "Add stkAAVE to see borrow APY with the discount" -msgstr "Ajoutez stkAAVE pour voir l’APY d’emprunt avec la remise" +#: src/components/transactions/FlowCommons/PermitNonceInfo.tsx +msgid "Approval by signature not available" +msgstr "" #: src/components/transactions/Bridge/BridgeActions.tsx msgid "Bridging {symbol}" @@ -3048,6 +3707,7 @@ msgid "You don't have any bridge transactions" msgstr "" #: src/components/transactions/UnStake/UnStakeActions.tsx +#: src/modules/umbrella/UnstakeModalActions.tsx msgid "Unstake {symbol}" msgstr "" @@ -3063,7 +3723,6 @@ msgstr "Réviser tx" msgid "NAY" msgstr "NON" -#: src/modules/history/actions/ActionDetails.tsx #: src/modules/history/actions/ActionDetails.tsx msgid "for" msgstr "pour" @@ -3077,12 +3736,12 @@ msgid "Exchange rate" msgstr "" #: src/components/transactions/StakeCooldown/StakeCooldownModalContent.tsx +#: src/modules/umbrella/StakeCooldownModalContent.tsx msgid "You unstake here" msgstr "Vous unstaké ici" #: src/components/caps/CapsHint.tsx #: src/modules/dashboard/lists/BorrowAssetsList/BorrowAssetsListMobileItem.tsx -#: src/modules/dashboard/lists/BorrowAssetsList/GhoBorrowAssetsListItem.tsx #: src/modules/reserve-overview/ReserveActions.tsx msgid "Available to borrow" msgstr "Disponible à emprunter" @@ -3114,9 +3773,13 @@ msgstr "Aucun emprunt pour l'instant" msgid "Remove" msgstr "" -#: src/components/transactions/TxActionsWrapper.tsx -msgid "Approve {symbol} to continue" -msgstr "Approuver {symbol} pour continuer" +#: src/components/transactions/Swap/inputs/shared/SwitchSlippageSelector.tsx +msgid "Auto Slippage" +msgstr "" + +#: src/components/incentives/MeritIncentivesTooltipContent.tsx +msgid "Supply {0} and double your yield by <0><1>verifying your humanity through Self for {1} per user." +msgstr "" #: src/modules/reserve-overview/ReserveTopDetails.tsx msgid "Oracle price" @@ -3138,16 +3801,29 @@ msgstr "Étant donné que cet actif est gelé, les seules actions disponibles so msgid "Borrow amount to reach {0}% utilization" msgstr "Emprunter le montant à atteindre {0}% d’utilisation" +#: src/components/transactions/CancelCowOrder/CancelAdapterOrderActions.tsx +#: src/components/transactions/CancelCowOrder/CancelCowOrderModalContent.tsx +msgid "Cancel order" +msgstr "" + #: src/components/ConnectWalletPaper.tsx #: src/components/ConnectWalletPaperStaking.tsx msgid "Please, connect your wallet" msgstr "S'il vous plaît, connectez votre portefeuille" +#: src/components/incentives/MeritIncentivesTooltipContent.tsx +msgid "Merit Program rewards can be claimed" +msgstr "" + #: src/modules/dashboard/lists/SuppliedPositionsList/SuppliedPositionsList.tsx #: src/modules/dashboard/lists/SuppliedPositionsList/SuppliedPositionsList.tsx msgid "Your supplies" msgstr "Vos ressources" +#: src/components/transactions/Emode/EmodeModalContent.tsx +msgid "You must disable {0} as collateral before exiting E-Mode. These assets have 0 LTV outside of E-Mode and cannot be used as collateral." +msgstr "" + #: src/components/transactions/FlowCommons/Error.tsx msgid "Transaction failed" msgstr "La transaction a échoué" @@ -3165,15 +3841,38 @@ msgstr "Aucun résultat de recherche{0}" msgid "Status" msgstr "" +#: src/components/transactions/ClaimRewards/ClaimRewardsActions.tsx +#: src/components/transactions/ClaimRewards/RewardsSelect.tsx +#: src/components/transactions/ClaimRewards/RewardsSelect.tsx +msgid "Claim all protocol rewards" +msgstr "" + #: src/modules/migration/MigrationBottomPanel.tsx msgid "No assets selected to migrate." msgstr "Aucune ressource n’a été sélectionnée pour la migration." +#: src/components/AddressBlockedModal.tsx +msgid "Connection Error" +msgstr "" + +#: src/components/transactions/Swap/errors/shared/GasEstimationError.tsx +msgid "Tip: Try improving your order parameters" +msgstr "" + #: src/components/transactions/MigrateV3/MigrateV3Actions.tsx #: src/components/transactions/StakingMigrate/StakingMigrateActions.tsx msgid "Migrating" msgstr "Migration" +#: src/components/transactions/Swap/actions/DebtSwap/DebtSwapActionsViaCoW.tsx +#: src/components/transactions/Swap/actions/DebtSwap/DebtSwapActionsViaCoW.tsx +msgid "Swap {0} debt" +msgstr "" + +#: src/components/transactions/FlowCommons/PermitNonceInfo.tsx +msgid "There is an active order for the same sell asset (avoid nonce reuse)." +msgstr "" + #: src/ui-config/errorMapping.tsx msgid "For repayment of a specific type of debt, the user needs to have debt that type" msgstr "For repayment of a specific type of debt, the user needs to have debt that type" @@ -3186,23 +3885,23 @@ msgstr "Exporter des données vers" msgid "Buy Crypto with Fiat" msgstr "Acheter des crypto-monnaies avec des monnaies fiduciaires" -#: src/modules/reserve-overview/Gho/GhoDiscountCalculator.tsx -msgid "<0><1><2/>Add stkAAVE to see borrow rate with discount" -msgstr "<0><1><2/>Ajoutez stkAAVE pour voir le taux d’emprunt avec escompte" - #: src/components/transactions/Warnings/BorrowCapWarning.tsx msgid "Maximum amount available to borrow is limited because protocol borrow cap is nearly reached." msgstr "Le montant maximum disponible pour emprunter est limité car le plafond d’emprunt du protocole est presque atteint." -#: src/components/transactions/Borrow/GhoBorrowSuccessView.tsx -msgid "COPY IMAGE" -msgstr "COPIER L’IMAGE" +#: src/components/transactions/Swap/inputs/shared/SwitchSlippageSelector.tsx +msgid "Custom slippage" +msgstr "" #: src/components/infoTooltips/KernelAirdropTooltip.tsx msgid "This asset is eligible for Kernel points incentive program. Aave Labs does not guarantee the program and accepts no liability." msgstr "" -#: src/components/transactions/DebtSwitch/DebtSwitchModalContent.tsx +#: src/components/transactions/ClaimRewards/ClaimRewardsModalContent.tsx +msgid "You have no rewards to claim at this time." +msgstr "" + +#: src/components/transactions/Swap/errors/shared/InsufficientBorrowPowerBlockingError.tsx msgid "Insufficient collateral to cover new borrow position. Wallet must have borrowing power remaining to perform debt switch." msgstr "Garantie insuffisante pour couvrir une nouvelle position d’emprunt. Le portefeuille doit avoir une capacité d’emprunt restante pour effectuer le transfert de dette." @@ -3210,17 +3909,15 @@ msgstr "Garantie insuffisante pour couvrir une nouvelle position d’emprunt. Le msgid "Restaked" msgstr "Restauré" -#: src/components/transactions/DebtSwitch/DebtSwitchActions.tsx -#: src/components/transactions/DebtSwitch/DebtSwitchActions.tsx -#: src/components/transactions/Swap/SwapActions.tsx -#: src/components/transactions/Swap/SwapActions.tsx -#: src/components/transactions/Swap/SwapModal.tsx -#: src/components/transactions/Switch/SwitchActions.tsx -#: src/components/transactions/Switch/SwitchActions.tsx +#: src/components/transactions/Swap/actions/ActionsBlocked.tsx +#: src/components/transactions/Swap/actions/DebtSwap/DebtSwapActionsViaParaswap.tsx +#: src/components/transactions/Swap/actions/DebtSwap/DebtSwapActionsViaParaswap.tsx +#: src/components/transactions/Swap/actions/SwapActions/SwapActionsViaCoW.tsx +#: src/components/transactions/Swap/actions/SwapActions/SwapActionsViaCoW.tsx +#: src/components/transactions/Swap/actions/SwapActions/SwapActionsViaParaswap.tsx +#: src/components/transactions/Swap/actions/SwapActions/SwapActionsViaParaswap.tsx #: src/modules/dashboard/lists/BorrowedPositionsList/BorrowedPositionsListItem.tsx #: src/modules/dashboard/lists/BorrowedPositionsList/BorrowedPositionsListItem.tsx -#: src/modules/dashboard/lists/BorrowedPositionsList/GhoBorrowedPositionsListItem.tsx -#: src/modules/dashboard/lists/BorrowedPositionsList/GhoBorrowedPositionsListItem.tsx #: src/modules/dashboard/lists/SuppliedPositionsList/SuppliedPositionsListItem.tsx #: src/modules/dashboard/lists/SuppliedPositionsList/SuppliedPositionsListMobileItem.tsx #: src/modules/history/actions/ActionDetails.tsx @@ -3240,6 +3937,10 @@ msgstr "L'emprunt n'est pas activé" msgid "Approve with" msgstr "Approuvez avec" +#: src/components/MarketAssetCategoryFilter.tsx +msgid "PTs" +msgstr "" + #: src/layouts/components/LanguageSwitcher.tsx msgid "Language" msgstr "Language" @@ -3248,6 +3949,8 @@ msgstr "Language" msgid "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." msgstr "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." +#: src/modules/history/actions/ActionDetails.tsx +#: src/modules/history/actions/ActionDetails.tsx #: src/modules/history/actions/ActionDetails.tsx msgid "Cancelled" msgstr "" @@ -3260,6 +3963,10 @@ msgstr "Stablecoin" msgid "Stable debt supply is not zero" msgstr "L'offre de dette stable n'est pas nulle" +#: src/modules/sGho/SGhoHeader.tsx +msgid "Savings GHO" +msgstr "" + #: src/components/transactions/FlowCommons/TxModalDetails.tsx msgid "Rewards APR" msgstr "Récompenses APR" @@ -3268,7 +3975,6 @@ msgstr "Récompenses APR" msgid "{label}" msgstr "" -#: src/components/transactions/Borrow/GhoBorrowSuccessView.tsx #: src/components/transactions/FlowCommons/Success.tsx msgid "You {action} <0/> {symbol}" msgstr "Vous {action} <0/> {symbole}" @@ -3290,6 +3996,10 @@ msgstr "Vous n'avez pas de fournitures dans cette devise" msgid "VOTE YAE" msgstr "VOTER OUI" +#: src/components/transactions/Swap/errors/shared/GenericError.tsx +msgid "{message}" +msgstr "" + #: src/components/transactions/Faucet/FaucetActions.tsx msgid "Faucet {0}" msgstr "Faucet {0}" @@ -3298,6 +4008,10 @@ msgstr "Faucet {0}" msgid "Source" msgstr "" +#: src/components/transactions/ClaimRewards/RewardsSelect.tsx +msgid "All Rewards" +msgstr "" + #: src/modules/reserve-overview/Gho/GhoReserveTopDetails.tsx msgid "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." msgstr "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." @@ -3306,6 +4020,10 @@ msgstr "Le protocole Aave est programmé pour toujours utiliser le prix de 1 GHO msgid "You have no AAVE/stkAAVE/aAave balance to delegate." msgstr "" +#: src/components/MarketSwitcher.tsx +msgid "No markets found" +msgstr "" + #: src/modules/faucet/FaucetTopPanel.tsx msgid "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" msgstr "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 « Faucet » 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" @@ -3318,12 +4036,16 @@ msgstr "" msgid "This asset is eligible for {0} Sonic Rewards." msgstr "" -#: pages/staking.staking.tsx +#: pages/safety-module.page.tsx msgid "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." msgstr "" -#: src/components/transactions/DebtSwitch/DebtSwitchModal.tsx -msgid "Swap borrow position" +#: src/components/transactions/Supply/SupplyModalContent.tsx +msgid "Category {selectedEmodeId}" +msgstr "" + +#: src/components/transactions/Emode/EmodeModalContent.tsx +msgid "Repay your {0} {1, plural, one {borrow} other {borrows}} to use this category." msgstr "" #: src/components/transactions/MigrateV3/MigrateV3ModalContent.tsx @@ -3357,6 +4079,7 @@ msgstr "{0} Faucet" #: pages/governance/index.governance.tsx #: pages/reserve-overview.page.tsx +#: pages/sgho.page.tsx #: src/modules/governance/UserGovernanceInfo.tsx #: src/modules/governance/VotingPowerInfoPanel.tsx #: src/modules/reserve-overview/ReserveActions.tsx @@ -3402,14 +4125,18 @@ msgstr "Aperçu des transactions" msgid "Restake {symbol}" msgstr "Remise en jeu {symbol}" -#: src/modules/dashboard/lists/BorrowedPositionsList/GhoBorrowedPositionsListItem.tsx -msgid "APY type" -msgstr "APY type" +#: src/components/transactions/Swap/shared/OrderTypeSelector.tsx +msgid "Limit" +msgstr "" #: src/components/transactions/GovDelegation/GovDelegationModalContent.tsx msgid "Not a valid address" msgstr "Pas une adresse valide" +#: src/modules/history/actions/ActionDetails.tsx +msgid "Transaction details not available" +msgstr "" + #: src/components/WalletConnection/ReadOnlyModal.tsx msgid "Track wallet" msgstr "Suivre le portefeuille" @@ -3430,6 +4157,10 @@ msgstr "" msgid "There are not enough funds in the{0}reserve to borrow" msgstr "Il n'y a pas assez de fonds dans la {0} réserve pour emprunter" +#: pages/404.page.tsx +msgid "Back home" +msgstr "" + #: src/components/transactions/FlowCommons/Error.tsx #: src/components/transactions/FlowCommons/PermissionView.tsx msgid "Close" @@ -3439,6 +4170,10 @@ msgstr "Fermer" msgid "Debt ceiling is exceeded" msgstr "Le plafond de la dette est dépassé" +#: src/components/transactions/Swap/warnings/postInputs/HighCostsLimitOrderWarning.tsx +msgid "Estimated costs are {0}% of the sell amount. This order is unlikely to be filled." +msgstr "" + #: src/ui-config/errorMapping.tsx msgid "The collateral chosen cannot be liquidated" msgstr "La garantie choisie ne peut être liquidée" @@ -3452,6 +4187,10 @@ msgstr "Fournir {symbole}" msgid "Action cannot be performed because the reserve is frozen" msgstr "L'action ne peut pas être effectuée car la réserve est gelée" +#: src/modules/umbrella/StakeAssets/StakeAssetName.tsx +msgid "Excludes variable supply APY" +msgstr "" + #: src/components/caps/DebtCeilingStatus.tsx msgid "Isolated Debt Ceiling" msgstr "Plafond de la dette isolée" @@ -3460,28 +4199,21 @@ msgstr "Plafond de la dette isolée" msgid "Protocol supply cap is at 100% for this asset. Further supply unavailable." msgstr "La limite d’approvisionnement du protocole est de 100 % pour cet actif. D’autres approvisionnements ne sont pas disponibles." -#: src/layouts/FeedbackDialog.tsx +#: src/layouts/SupportModal.tsx msgid "Submission did not work, please try again later or contact wecare@avara.xyz" msgstr "" +#: src/modules/history/actions/ActionDetails.tsx +#: src/modules/history/actions/ActionDetails.tsx #: src/modules/history/actions/ActionDetails.tsx msgid "Filled" msgstr "" -#: src/modules/reserve-overview/Gho/GhoDiscountCalculator.tsx -msgid "<0><1><2/>Add <3/> stkAAVE to borrow at <4/> (max discount)" -msgstr "<0><1><2/>Ajoutez <3/> stkAAVE pour emprunter à <4/> (remise maximale)" - #: src/components/transactions/Repay/RepayModalContent.tsx msgid "Remaining debt" msgstr "Dette restante" #: src/components/transactions/CollateralChange/CollateralChangeModalContent.tsx -#: src/components/transactions/DebtSwitch/DebtSwitchModalContent.tsx -#: src/components/transactions/Swap/SwapModalContent.tsx -#: src/components/transactions/Swap/SwapModalContent.tsx -#: src/components/transactions/Withdraw/WithdrawAndSwitchModalContent.tsx -#: src/components/transactions/Withdraw/WithdrawAndSwitchModalContent.tsx #: src/components/transactions/Withdraw/WithdrawModalContent.tsx #: src/modules/dashboard/lists/SuppliedPositionsList/SuppliedPositionsListMobileItem.tsx #: src/modules/dashboard/lists/SupplyAssetsList/SupplyAssetsListItem.tsx @@ -3494,12 +4226,23 @@ msgstr "Bilan d'approvisionnement" msgid "Liquidation risk parameters" msgstr "Paramètres du risque de liquidation" +#: src/components/AddressBlockedModal.tsx +msgid "Unable to Connect" +msgstr "" + +#: src/modules/umbrella/UmbrellaHeader.tsx +msgid "Umbrella is the upgraded version of the Safety Module. Manage your previously staked assets" +msgstr "" + #: src/layouts/MobileMenu.tsx msgid "Menu" msgstr "Menu" +#: src/components/transactions/Supply/CollateralOptionsSelector.tsx +msgid "Active {0} borrow is not compatible with this category. Repay your {1} borrow to use this option." +msgstr "" + #: src/components/caps/DebtCeilingStatus.tsx -#: src/components/incentives/GhoIncentivesCard.tsx #: src/components/infoTooltips/BorrowCapMaxedTooltip.tsx #: src/components/infoTooltips/DebtCeilingMaxedTooltip.tsx #: src/components/infoTooltips/SupplyCapMaxedTooltip.tsx @@ -3512,6 +4255,8 @@ msgstr "Menu" #: src/modules/reserve-overview/BorrowInfo.tsx #: src/modules/reserve-overview/SupplyInfo.tsx #: src/modules/reserve-overview/SupplyInfo.tsx +#: src/modules/umbrella/helpers/ApyTooltip.tsx +#: src/modules/umbrella/StakeCooldownModalContent.tsx msgid "Learn more" msgstr "Apprendre encore plus" @@ -3522,8 +4267,3 @@ msgstr "L’actif est gelé {marketName} v3, donc cette position ne peut pas êt #: src/modules/migration/MigrationBottomPanel.tsx msgid "Be mindful of the network congestion and gas prices." msgstr "Faites attention à la congestion du réseau et aux prix de l’essence." - -#: src/components/incentives/MeritIncentivesTooltipContent.tsx -msgid "Merit Program rewards are claimed through the" -msgstr "" - From 34c2c1840cc0d440b63d9aa7fb82c5c54d9f862f Mon Sep 17 00:00:00 2001 From: mark hinschberger Date: Fri, 10 Apr 2026 12:57:17 +0100 Subject: [PATCH 4/8] fix: match market selector search input to Figma design specs --- src/components/MarketSwitcher.tsx | 33 ++++++++++++++++++++++++++----- 1 file changed, 28 insertions(+), 5 deletions(-) diff --git a/src/components/MarketSwitcher.tsx b/src/components/MarketSwitcher.tsx index a843340dd7..d5b2fb1b9f 100644 --- a/src/components/MarketSwitcher.tsx +++ b/src/components/MarketSwitcher.tsx @@ -1,4 +1,4 @@ -import { ChevronDownIcon, XIcon } from '@heroicons/react/outline'; +import { ChevronDownIcon, SearchIcon, XIcon } from '@heroicons/react/outline'; import { ExternalLinkIcon, StarIcon } from '@heroicons/react/solid'; import { Trans } from '@lingui/macro'; import { @@ -7,6 +7,7 @@ import { Divider, Drawer, IconButton, + InputAdornment, Popover, SvgIcon, TextField, @@ -411,8 +412,8 @@ export const MarketSwitcher = () => { const renderSelectorContent = (mobile: boolean) => ( <> {/* Fixed header with search */} - - + + {ENABLE_TESTNET || STAGING_ENV ? 'Select Aave Testnet Market' : 'Select Aave Market'} @@ -426,17 +427,39 @@ export const MarketSwitcher = () => { )} + + setSearchQuery(e.target.value)} + InputProps={{ + startAdornment: ( + + + + + + ), + }} sx={{ '& .MuiOutlinedInput-root': { - borderRadius: '8px', + borderRadius: '6px', height: '36px', + '& fieldset': { + borderColor: '#EAEBEF', + }, + }, + '& .MuiOutlinedInput-input': { + fontSize: '14px', + letterSpacing: '0.15px', + '&::placeholder': { + color: '#A5A8B6', + opacity: 1, + }, }, }} /> From 5931bbd170e2d81a8629fcadfaf0c534ddfe20e7 Mon Sep 17 00:00:00 2001 From: mark hinschberger Date: Fri, 10 Apr 2026 15:07:55 +0100 Subject: [PATCH 5/8] fix: restore fork indicator in market selector dropdown rows --- src/components/MarketSwitcher.tsx | 4 ++-- 1 file changed, 2 insertions(+), 2 deletions(-) diff --git a/src/components/MarketSwitcher.tsx b/src/components/MarketSwitcher.tsx index d5b2fb1b9f..f30c25bcc7 100644 --- a/src/components/MarketSwitcher.tsx +++ b/src/components/MarketSwitcher.tsx @@ -296,7 +296,7 @@ export const MarketSwitcher = () => { /> - {marketNaming.name} + {marketNaming.name} {market.isFork ? 'Fork' : ''} { /> - {marketNaming.name} + {marketNaming.name} {market.isFork ? 'Fork' : ''} {market.externalUrl && ( From 7ba2d3e2aafae89447b391d8ffcc60544822a560 Mon Sep 17 00:00:00 2001 From: mark hinschberger Date: Fri, 10 Apr 2026 15:28:31 +0100 Subject: [PATCH 6/8] fix: align market selector spacing and sizing to Figma specs --- src/components/MarketSwitcher.tsx | 103 +++++++++++++++++++----------- 1 file changed, 66 insertions(+), 37 deletions(-) diff --git a/src/components/MarketSwitcher.tsx b/src/components/MarketSwitcher.tsx index f30c25bcc7..5b297ca950 100644 --- a/src/components/MarketSwitcher.tsx +++ b/src/components/MarketSwitcher.tsx @@ -273,41 +273,46 @@ export const MarketSwitcher = () => { sx={{ display: 'flex', alignItems: 'center', - gap: 0.75, - pl: 1.5, - pr: 0.75, - py: 0.5, - borderRadius: '16px', + gap: '7px', + height: 36, + pl: '6px', + pr: '10px', + py: 1, + borderRadius: '48px', border: '1px solid', - borderColor: isSelected ? 'primary.main' : 'divider', + borderColor: isSelected ? 'primary.main' : 'rgba(0,0,0,0.1)', bgcolor: isSelected ? 'action.selected' : 'transparent', cursor: 'pointer', '&:hover': { bgcolor: 'action.hover' }, flexShrink: 0, }} > - - + + + + + + {marketNaming.name} {market.isFork ? 'Fork' : ''} + - - {marketNaming.name} {market.isFork ? 'Fork' : ''} - handleStarClick(e, marketId)} sx={{ - padding: '2px', + padding: 0, flexShrink: 0, - '& svg': { width: 14, height: 14 }, }} > - + @@ -328,8 +333,8 @@ export const MarketSwitcher = () => { sx={{ display: 'flex', alignItems: 'center', - py: 1.25, - px: 1.5, + py: 1, + px: '10px', width: isMobile ? '50%' : '33.33%', boxSizing: 'border-box', borderRadius: '8px', @@ -369,7 +374,17 @@ export const MarketSwitcher = () => { style={{ display: 'block', objectFit: 'contain' }} /> - + {marketNaming.name} {market.isFork ? 'Fork' : ''} {market.externalUrl && ( @@ -400,7 +415,13 @@ export const MarketSwitcher = () => { {label} @@ -412,7 +433,7 @@ export const MarketSwitcher = () => { const renderSelectorContent = (mobile: boolean) => ( <> {/* Fixed header with search */} - + @@ -428,7 +449,7 @@ export const MarketSwitcher = () => { )} - + { {/* Favourites */} {pinned.length > 0 && ( - + Favourites - + {pinned.map(renderPinnedChip)} - + )} @@ -488,10 +515,10 @@ export const MarketSwitcher = () => { {ethereum.length > 0 && ( {sectionHeader(Ethereum)} - + {ethereum.map((id) => renderGridItem(id, mobile))} - + )} @@ -499,10 +526,10 @@ export const MarketSwitcher = () => { {l2.length > 0 && ( {sectionHeader(L2 Networks)} - + {l2.map((id) => renderGridItem(id, mobile))} - + )} @@ -510,7 +537,7 @@ export const MarketSwitcher = () => { {other.length > 0 && ( {sectionHeader(L1 Networks)} - + {other.map((id) => renderGridItem(id, mobile))} @@ -668,15 +695,17 @@ export const MarketSwitcher = () => { }} slotProps={{ paper: { - variant: 'outlined', elevation: 0, sx: { - width: 480, + width: 535, maxHeight: 520, overflow: 'hidden', display: 'flex', flexDirection: 'column', mt: 1, + borderRadius: '8px', + border: '1px solid rgba(0,0,0,0.04)', + boxShadow: '0px 0px 3px 0px rgba(0,0,0,0.1), 0px 4px 20px 0px rgba(0,0,0,0.15)', }, }, }} From 334ecb442b6393981f6c5d8d1b37f714ab18c021 Mon Sep 17 00:00:00 2001 From: mark hinschberger Date: Fri, 10 Apr 2026 15:29:38 +0100 Subject: [PATCH 7/8] fix: remove gradient indicator on selected market in dropdown --- src/components/MarketSwitcher.tsx | 13 ------------- 1 file changed, 13 deletions(-) diff --git a/src/components/MarketSwitcher.tsx b/src/components/MarketSwitcher.tsx index 5b297ca950..68892531b1 100644 --- a/src/components/MarketSwitcher.tsx +++ b/src/components/MarketSwitcher.tsx @@ -352,19 +352,6 @@ export const MarketSwitcher = () => { }, }} > - {isSelected && ( - theme.palette.gradients.aaveGradient, - }} - /> - )} Date: Fri, 10 Apr 2026 15:30:14 +0100 Subject: [PATCH 8/8] fix: remove uppercase transform from section headers --- src/components/MarketSwitcher.tsx | 2 -- 1 file changed, 2 deletions(-) diff --git a/src/components/MarketSwitcher.tsx b/src/components/MarketSwitcher.tsx index 68892531b1..929654940a 100644 --- a/src/components/MarketSwitcher.tsx +++ b/src/components/MarketSwitcher.tsx @@ -403,7 +403,6 @@ export const MarketSwitcher = () => { variant="secondary12" color="text.secondary" sx={{ - textTransform: 'uppercase', letterSpacing: '0.1px', px: 2, py: 1, @@ -482,7 +481,6 @@ export const MarketSwitcher = () => { variant="secondary12" color="text.secondary" sx={{ - textTransform: 'uppercase', letterSpacing: '0.1px', px: 2, py: 1,