From ba58f0aba64b06ea3975caa902fa75c1f189e200 Mon Sep 17 00:00:00 2001 From: =?UTF-8?q?Bego=C3=B1a=20=C3=81lvarez=20de=20la=20Cruz?= Date: Fri, 13 May 2022 02:36:10 +0200 Subject: [PATCH 1/5] fix: receive qr responsiveness (#3159) * fix: receive qr responsiveness * feat: adjust qr size * fix: increase QR size slightly Co-authored-by: Charlie Varley --- .../dashboard/wallet/views/Receive.svelte | 17 +++++++++++++---- 1 file changed, 13 insertions(+), 4 deletions(-) diff --git a/packages/shared/routes/dashboard/wallet/views/Receive.svelte b/packages/shared/routes/dashboard/wallet/views/Receive.svelte index f9884d20d95..dc09fe8a547 100644 --- a/packages/shared/routes/dashboard/wallet/views/Receive.svelte +++ b/packages/shared/routes/dashboard/wallet/views/Receive.svelte @@ -1,15 +1,20 @@ -
+
{localize('general.receiveFunds')} @@ -48,7 +57,7 @@
{:else}
- +
From 4c80c8fb24e5696c86b4ff7d5c11a8a584b000ac Mon Sep 17 00:00:00 2001 From: Rajiv Shah Date: Thu, 12 May 2022 21:03:00 -0400 Subject: [PATCH 2/5] chore: sync strings from Desktop 1.5.2 to develop (#3184) --- packages/shared/locales/en.json | 8 +++++--- 1 file changed, 5 insertions(+), 3 deletions(-) diff --git a/packages/shared/locales/en.json b/packages/shared/locales/en.json index 08279a33f20..0e2d29223b9 100644 --- a/packages/shared/locales/en.json +++ b/packages/shared/locales/en.json @@ -990,7 +990,7 @@ "profiles": "Profiles", "dev": "Dev", "createAccount": "Create a Wallet", - "createNewWallet": "Create a new wallet", + "addAWallet": "Add a wallet", "accountName": "Wallet name", "latestTransactions": "Latest Transactions", "transactions": "Transactions", @@ -1079,7 +1079,8 @@ "stakedFunds": "Staked funds", "unstakedFunds": "Unstaked funds", "accountColor": "Wallet color", - "myAssets": "My assets" + "myAssets": "My assets", + "total": "Total: {balance}" }, "dates": { "today": "Today", @@ -1252,7 +1253,8 @@ "cannotUseAccount": "Unable to use the specified account.", "cannotFindStakingEvent": "Unable to find staking event.", "cannotVisitAirdropWebsite": "Unable to open the {airdrop} website.", - "invalidStakingEventId": "Invalid staking event ID." + "invalidStakingEventId": "Invalid staking event ID.", + "failedToFetchPreviousRewards": "Failed to fetch previous rewards, please check your firewall settings." }, "invalidDate": "INVALID DATE", "invalidTime": "INVALID TIME" From 21942ec983881ce5b46b8fa142f98c85e6e4c245 Mon Sep 17 00:00:00 2001 From: Amadeo Marchioni Date: Fri, 13 May 2022 09:35:46 -0300 Subject: [PATCH 3/5] feat: mobile rename profile (#2512) * implement renameProfileFolder function Signed-off-by: Amadeo Marchioni * fix bindings definitions Signed-off-by: Amadeo Marchioni * add plugin code to use profilePath var Signed-off-by: Amadeo Marchioni * fix bindings API to use storagePath Signed-off-by: Amadeo Marchioni * implement plugin Java code Signed-off-by: Amadeo Marchioni * fix format Signed-off-by: Amadeo Marchioni * ensure received vars are not null on Java code Signed-off-by: Amadeo Marchioni * more fixes on Java code Signed-off-by: Amadeo Marchioni * Update packages/backend/bindings/capacitor/android/src/main/java/org/iota/walletactorsystem/WalletPlugin.java Co-authored-by: Rajiv Shah * Update packages/backend/bindings/capacitor/ios/Plugin/Plugin.swift Co-authored-by: Rajiv Shah * Update packages/backend/bindings/capacitor/ios/Plugin/Plugin.swift Co-authored-by: Rajiv Shah * Update packages/backend/bindings/capacitor/ios/Plugin/Plugin.swift Co-authored-by: Rajiv Shah Co-authored-by: Rajiv Shah --- .../iota/walletactorsystem/WalletPlugin.java | 24 ++++++++----------- .../capacitor/ios/Plugin/Plugin.swift | 7 +++--- .../bindings/capacitor/src/definitions.ts | 2 +- packages/mobile/capacitor/capacitorApi.ts | 7 +++++- packages/mobile/capacitor/walletPluginApi.ts | 2 +- 5 files changed, 22 insertions(+), 20 deletions(-) diff --git a/packages/backend/bindings/capacitor/android/src/main/java/org/iota/walletactorsystem/WalletPlugin.java b/packages/backend/bindings/capacitor/android/src/main/java/org/iota/walletactorsystem/WalletPlugin.java index 6e4186f2ae2..022f2f39801 100644 --- a/packages/backend/bindings/capacitor/android/src/main/java/org/iota/walletactorsystem/WalletPlugin.java +++ b/packages/backend/bindings/capacitor/android/src/main/java/org/iota/walletactorsystem/WalletPlugin.java @@ -23,13 +23,16 @@ public void load() { @PluginMethod() public void initialize(final PluginCall call) { - if (isInitialized) return; - if (!call.getData().has("actorId")) { - call.reject("actorId is required"); - return; + if (isInitialized) { + call.reject("Wallet is already initialized!"); + } + if (!call.getData().has("actorId") || !call.getData().has("storagePath")) { + call.reject("actorId & storagePath are required"); } String actorId = call.getString("actorId"); - String dbPath = getContext().getFilesDir() + "/database"; + String storagePath = call.getString("storagePath"); + assert actorId != null && storagePath != null; + String dbPath = getContext().getFilesDir() + storagePath; final ActorCallback callback = response -> { JSObject walletResponse = new JSObject(); @@ -47,7 +50,6 @@ public void sendMessage(final PluginCall call) { try { if (!call.getData().has("message")) { call.reject("message is required"); - return; } Actor.iotaSendMessage(call.getObject("message").toString()); @@ -61,14 +63,13 @@ public void sendMessage(final PluginCall call) { public void destroy(final PluginCall call) { if (!isInitialized) { call.reject("Wallet is not initialized yet"); - return; } try { if (!call.getData().has("actorId")) { call.reject("actorId is required"); - return; } String actorId = call.getString("actorId"); + assert actorId != null; Actor.iotaDestroy(actorId); } catch (Exception ex) { @@ -80,21 +81,16 @@ public void destroy(final PluginCall call) { public void listen(final PluginCall call) { if (!isInitialized) { call.reject("Wallet is not initialized yet"); - return; } if (!call.getData().has("actorId") || !call.getData().has("id") || !call.getData().has("event")) { call.reject("actorId, id and event are required"); - return; } String actorId = call.getString("actorId"); String id = call.getString("id"); String event = call.getString("event"); - if (event == null) { - call.reject("event is null"); - return; - } + assert actorId != null && id != null && event != null; String snakedEvent = event.replaceAll("([a-z])([A-Z]+)", "$1_$2").toUpperCase(); synchronized (lock) { diff --git a/packages/backend/bindings/capacitor/ios/Plugin/Plugin.swift b/packages/backend/bindings/capacitor/ios/Plugin/Plugin.swift index e55c2839624..aef330e7692 100644 --- a/packages/backend/bindings/capacitor/ios/Plugin/Plugin.swift +++ b/packages/backend/bindings/capacitor/ios/Plugin/Plugin.swift @@ -10,12 +10,13 @@ public class WalletPlugin: CAPPlugin { @objc func initialize(_ call: CAPPluginCall) { do { guard !isInitialized else { return } - guard let actorId = call.getString("actorId") else { - return call.reject("actorId is required") + guard let actorId = call.getString("actorId"), + let storagePath = call.getString("storagePath") else { + return call.reject("actorId and storagePath are required") } let fm = FileManager.default let documents = fm.urls(for: .documentDirectory, in: .userDomainMask).first! - let path = documents.appendingPathComponent("database", isDirectory: true).path + let path = documents.appendingPathComponent(storagePath, isDirectory: true).path if !fm.fileExists(atPath: path) { try fm.createDirectory(atPath: path, withIntermediateDirectories: false, attributes: nil) } diff --git a/packages/backend/bindings/capacitor/src/definitions.ts b/packages/backend/bindings/capacitor/src/definitions.ts index 74c90a80223..a60880a385f 100644 --- a/packages/backend/bindings/capacitor/src/definitions.ts +++ b/packages/backend/bindings/capacitor/src/definitions.ts @@ -1,7 +1,7 @@ import { PluginListenerHandle } from "@capacitor/core"; export interface WalletPluginTypes { - initialize(options: { actorId: string }): Promise + initialize(options: { actorId: string, storagePath: string }): Promise listen(options: { actorId: string, id: string, event: string }): Promise destroy(options: { actorId: string }): Promise sendMessage(message: { [key: string]: any }): Promise diff --git a/packages/mobile/capacitor/capacitorApi.ts b/packages/mobile/capacitor/capacitorApi.ts index cc61f54d5f8..5cde725f8de 100644 --- a/packages/mobile/capacitor/capacitorApi.ts +++ b/packages/mobile/capacitor/capacitorApi.ts @@ -34,7 +34,12 @@ export const CapacitorApi: IPlatform = { activeProfileId = id }, - renameProfileFolder: (oldPath, newPath) => new Promise((resolve, reject) => {}), + renameProfileFolder: async (oldPath, newPath) => { + void (await SecureFilesystemAccess.renameProfileFolder({ + oldName: oldPath, + newName: newPath, + })) + }, removeProfileFolder: async (profilePath) => { void (await SecureFilesystemAccess.removeProfileFolder({ diff --git a/packages/mobile/capacitor/walletPluginApi.ts b/packages/mobile/capacitor/walletPluginApi.ts index 61169830ce2..55cf83af286 100644 --- a/packages/mobile/capacitor/walletPluginApi.ts +++ b/packages/mobile/capacitor/walletPluginApi.ts @@ -97,7 +97,7 @@ export function init( onMessageListeners.forEach((listener) => listener(parsedResponse)) }) void WalletPlugin.initialize({ - // storagePath: 'data/data/com.iota.wallet/cache/database', + storagePath, actorId: id, }) // for testing purposes, send undefined id to catch all errors responses From 3fb377e37413c43e1ab9624e3defb7697e1d49ee Mon Sep 17 00:00:00 2001 From: "github-actions[bot]" <41898282+github-actions[bot]@users.noreply.github.com> Date: Fri, 13 May 2022 19:50:38 +0100 Subject: [PATCH 4/5] New Crowdin translations by Github Action (#2964) Co-authored-by: Crowdin Bot --- packages/shared/locales/af.json | 104 +++---- packages/shared/locales/ar.json | 8 +- packages/shared/locales/bg.json | 8 +- packages/shared/locales/ca.json | 102 +++---- packages/shared/locales/cs.json | 8 +- packages/shared/locales/da.json | 8 +- packages/shared/locales/de.json | 8 +- packages/shared/locales/el.json | 150 +++++----- packages/shared/locales/eo.json | 8 +- packages/shared/locales/es-ES.json | 8 +- packages/shared/locales/es-LA.json | 8 +- packages/shared/locales/et.json | 8 +- packages/shared/locales/fa.json | 440 +++++++++++++++-------------- packages/shared/locales/fi.json | 8 +- packages/shared/locales/fr.json | 8 +- packages/shared/locales/he.json | 8 +- packages/shared/locales/hi.json | 8 +- packages/shared/locales/hr.json | 16 +- packages/shared/locales/hu.json | 148 +++++----- packages/shared/locales/id.json | 8 +- packages/shared/locales/it.json | 10 +- packages/shared/locales/ja.json | 68 ++--- packages/shared/locales/ko.json | 8 +- packages/shared/locales/ku.json | 8 +- packages/shared/locales/lv.json | 8 +- packages/shared/locales/mk.json | 8 +- packages/shared/locales/nl.json | 8 +- packages/shared/locales/no.json | 8 +- packages/shared/locales/pl.json | 18 +- packages/shared/locales/pt-BR.json | 28 +- packages/shared/locales/pt-PT.json | 8 +- packages/shared/locales/ro.json | 8 +- packages/shared/locales/ru.json | 8 +- packages/shared/locales/si.json | 8 +- packages/shared/locales/sk.json | 8 +- packages/shared/locales/sl.json | 8 +- packages/shared/locales/sq.json | 8 +- packages/shared/locales/sr.json | 8 +- packages/shared/locales/sv.json | 8 +- packages/shared/locales/tr.json | 8 +- packages/shared/locales/uk.json | 8 +- packages/shared/locales/ur.json | 8 +- packages/shared/locales/vi.json | 8 +- packages/shared/locales/zh-CN.json | 8 +- packages/shared/locales/zh-TW.json | 8 +- 45 files changed, 727 insertions(+), 637 deletions(-) diff --git a/packages/shared/locales/af.json b/packages/shared/locales/af.json index eda00b595e7..0682b91b7c3 100644 --- a/packages/shared/locales/af.json +++ b/packages/shared/locales/af.json @@ -10,9 +10,9 @@ "checkbox": "Ek het die privaatheidsbeleid en diensvoorwaardes gelees en aanvaar" }, "crashReporting": { - "title": "Crash Reporting", - "body": "Help the developers improve Firefly by automatically sending diagnostic data when an error or crash occurs.", - "checkbox": "Send crash reports to the IOTA Foundation" + "title": "Fout verslag", + "body": "Help die ontwikkelaars om Firefly te verbeter deur outomaties diagnostiese data te stuur wanneer 'n fout of ongeluk plaasvind.", + "checkbox": "Stuur fout verslag aan die IOTA Foundation" }, "appearance": { "title": "Voorkoms", @@ -318,7 +318,7 @@ "theme": { "title": "Tema", "description": "", - "advice": "If you change your system theme, you may need to restart Firefly to see the effects" + "advice": "As jy jou stelseltema verander, moet jy dalk Firefly herbegin om die effekte te sien" }, "language": { "title": "Taal", @@ -417,10 +417,10 @@ "description": "Kyk na foute om 'n probleem op te spoor" }, "crashReporting": { - "title": "Crash reports", - "body": "Help the developers improve Firefly by automatically sending diagnostic data when an error or crash occurs", - "checkbox": "Send crash reports", - "advice": "Please restart the Firefly application to {sendCrashReports, select, true {start sharing crash reports} false {stop sharing crash reports} other {apply this change}}" + "title": "Fout verslag", + "body": "Help die ontwikkelaars om Firefly te verbeter deur outomaties diagnostiese data te stuur wanneer 'n fout of ongeluk plaasvind", + "checkbox": "Stuur fout verslag", + "advice": "Herbegin asseblief die Firefly-toepassing na {sendCrashReports, select, true {start sharing crash reports} false {stop sharing crash reports} other {apply this change}}" }, "diagnostics": { "title": "Diagnostiek", @@ -462,9 +462,9 @@ }, "dashboard": { "network": { - "networkOperational": "Network operational", - "networkDegraded": "Network degraded", - "networkDown": "Network disconnected", + "networkOperational": "Netwerk Operasioneel", + "networkDegraded": "Netwerk is nie optimaal nie", + "networkDown": "Netwerk ontkoppel", "status": "Status", "messagesPerSecond": "Boodskappe per sekondes", "referencedRate": "Verwysde tempo" @@ -473,32 +473,32 @@ "allSettings": "Alle instellings", "logout": "Log out", "stronghold": { - "title": "Profile lock", - "locked": "Stronghold locked", - "unlocked": "Stronghold unlocked" + "title": "Profiel sluit", + "locked": "Stronghold gesluit", + "unlocked": "Stronghold oopgesluit" }, "hardware": { - "title": "Hardware Device", + "title": "Hardeware-toestel", "statuses": { - "appNotOpen": "IOTA app not open", - "connected": "Connected", - "legacyConnected": "Legacy app open", - "locked": "Locked", - "mnemonicMismatch": "Wrong Ledger or mnemonic", - "notDetected": "Not detected", - "otherConnected": "App open" + "appNotOpen": "IOTA app nie oop nie", + "connected": "Gekoppel", + "legacyConnected": "Legacy App oop", + "locked": "Gesluit", + "mnemonicMismatch": "Verkeerde Ledger of Mnemonic", + "notDetected": "Nie opgespoor nie", + "otherConnected": "App oop" } }, "backup": { - "title": "Backup your wallets", + "title": "Back-up you beursies", "lastBackup": "Jy het laas 'n backup op {date} gemaak", "notBackedUp": "Nie gebackup", "button": "Backup" }, "version": { - "title": "New update available", + "title": "Nuwe opgradering is beskikbaar", "updateVersion": "Firefly v{version}", - "button": "Update" + "button": "Opdateer" } } }, @@ -517,28 +517,28 @@ }, "info": { "headers": { - "upcoming": "Check back later", - "commencing": "Pre-staking is open", - "holding": "{duration} of staking left", - "ended": "Staking has now ended", - "inactive": "No staking events detected" + "upcoming": "Kom later terug", + "commencing": "Pre-Staking is oop", + "holding": "{duration} of staking oor", + "ended": "Staking het geëindig", + "inactive": "Geen staking gebeurtenisse bespeur nie" }, "bodies": { - "upcoming": "Stake your {token} tokens to automatically receive rewards every 10 seconds once staking starts on {date}.", - "commencing": "Stake your {token} tokens to automatically receive rewards every 10 seconds once staking starts on {date}.", - "holdingAndStaking": "You automatically receive rewards every 10 seconds.", - "holdingAndNotStaking": "Stake your {token} tokens to receive rewards every 10 seconds.", - "endedAndDidStake": "{token} rewards will be distributed to your wallet once the network launches.", + "upcoming": "Sit jou {token} tokens in om outomaties elke 10 sekondes belonings te ontvang sodra die inzet op {date} begin.", + "commencing": "Sit jou {token} tokens in om outomaties elke 10 sekondes belonings te ontvang sodra die inzet op {date} begin.", + "holdingAndStaking": "Jy ontvang outomaties belonings elke 10 sekondes.", + "holdingAndNotStaking": "Stake jou {token} tokens in om elke 10 sekondes belonings te ontvang.", + "endedAndDidStake": "{token} belonings sal na jou beursie versprei word sodra die netwerk begin.", "endedAndDidNotStake": "You did not participate in this airdrop.", - "endedAndDidNotReachMinRewards": "You did not stake enough {token} tokens to reach the minimum airdrop rewards.", - "inactive": "Open network configuration in the advanced settings and make sure the current node has the \"Participation\" feature by clicking \"View info\"." + "endedAndDidNotReachMinRewards": "Jy het nie genoeg {token} tokens om die minimum belonings te bereik nie.", + "inactive": "Maak netwerkkonfigurasie in gevorderde instellings oop en maak seker dat die huidige node die \"Participation\"-funksie het deur op \"Bekyk inligting\" te klik." } }, "airdrops": { "holding": "Oorblywende", "commencing": "Totdat staking begin", - "currentStakingPeriod": "Current staking period", - "totalWalletRewards": "Total wallet rewards", + "currentStakingPeriod": "Huidige stakingstydperk", + "totalWalletRewards": "Totale beursie-belonings", "assembly": { "name": "Assembly", "description": "Assembly is 'n toestemminglose, hoogs skaalbare multi-chain netwerk om saamstelbare smart-contracts te bou en te ontplooi. Assembly is die toekoms van web3. " @@ -549,14 +549,14 @@ } }, "banners": { - "new": "New Event", - "complete": "Complete" + "new": "Nuwe Geleentheid", + "complete": "Voltooid" } }, "picker": { "color": { - "title": "Color picker", - "hexCode": "Color hex code" + "title": "Kleurkieser", + "hexCode": "Kleur hekskode" } } }, @@ -576,7 +576,7 @@ "updateAvailable": "Firefly update beskikbaar", "updateDetails": "Weergawe {version} - {date}", "noAutoUpdate": "Outo-opdatering is in hierdie Windows-weergawe gedeaktiveer. Gaan na https://firefly.iota.org om die opdatering af te laai.", - "preReleaseDescription": "You are running a pre-release version of Firefly. Updates are disabled." + "preReleaseDescription": "Jy gebruik 'n voorvrystelling weergawe van Firefly. Opdaterings is gedeaktiveer." }, "backup": { "title": "Laaste backup: {date}", @@ -675,9 +675,9 @@ }, "balanceFinder": { "title": "Balans-finder", - "body": "Perform a more exhaustive search of addresses to find missing balances and previous airdrop rewards. This may take a while.", - "accountsSearched": "Wallets searched", - "addressesSearched": "Addresses searched per wallet", + "body": "Voer 'n meer omvattende soektog na adresse uit om ontbrekende saldo's en vorige airdrop-belonings te vind. Dit kan 'n rukkie neem.", + "accountsSearched": "Beursies gesoek", + "addressesSearched": "Beursies gesoek", "accountsFound": "Wallets found", "totalWalletBalance": "Totale balans", "searchAgainHint": "Is your balance or number of wallets incorrect? Press search again until your full balance is shown.", @@ -792,7 +792,7 @@ "crashReporting": { "title": "Crash reporting", "body": "Help the developers improve Firefly by automatically sending diagnostic data when an error or crash occurs. If selected, this will take effect after restarting Firefly.", - "checkbox": "Send crash reports to the IOTA Foundation" + "checkbox": "Stuur fout verslag aan die IOTA Foundation" }, "legalUpdate": { "tosTitle": "Terms of Service", @@ -990,7 +990,7 @@ "profiles": "Profiel", "dev": "Dev", "createAccount": "Skep 'n Beursie", - "createNewWallet": "Create a new wallet", + "addAWallet": "Add a wallet", "accountName": "Beursie naam", "latestTransactions": "Nuutste transaksie", "transactions": "Transaksies", @@ -1079,7 +1079,8 @@ "stakedFunds": "Staked fondse", "unstakedFunds": "Unstaked fondse", "accountColor": "Wallet color", - "myAssets": "My assets" + "myAssets": "My assets", + "total": "Total: {balance}" }, "dates": { "today": "Vandag", @@ -1252,7 +1253,8 @@ "cannotUseAccount": "Kan nie die gespesifiseerde rekening gebruik nie.", "cannotFindStakingEvent": "Kan nie staking event vind nie.", "cannotVisitAirdropWebsite": "Kan nie die {airdrop} webwerf oopmaak nie.", - "invalidStakingEventId": "Ongeldige staking event ID." + "invalidStakingEventId": "Ongeldige staking event ID.", + "failedToFetchPreviousRewards": "Failed to fetch previous rewards, please check your firewall settings." }, "invalidDate": "INVALID DATE", "invalidTime": "INVALID TIME" diff --git a/packages/shared/locales/ar.json b/packages/shared/locales/ar.json index 3e7de003954..a285cfcc344 100644 --- a/packages/shared/locales/ar.json +++ b/packages/shared/locales/ar.json @@ -990,7 +990,7 @@ "profiles": "الملفات الشخصية", "dev": "المطور", "createAccount": "إنشاء محفظة", - "createNewWallet": "إنشاء محفظة جديدة", + "addAWallet": "Add a wallet", "accountName": "اسم المحفظة", "latestTransactions": "آخر المعاملات", "transactions": "المعاملات", @@ -1079,7 +1079,8 @@ "stakedFunds": "الارصدة المخزنة", "unstakedFunds": "الارصدة غير المخزنة", "accountColor": "لون المحفظة", - "myAssets": "My assets" + "myAssets": "My assets", + "total": "Total: {balance}" }, "dates": { "today": "اليوم", @@ -1252,7 +1253,8 @@ "cannotUseAccount": "غير قادر على استخدام الحساب المحدد.", "cannotFindStakingEvent": "غير قادر على إيجاد فعالية الربح من التخزين.", "cannotVisitAirdropWebsite": "غير قادر على فتح الموقع الالكتروني لفعالية الربح {airdrop}.", - "invalidStakingEventId": "رقم التصريح لفعالية الربح من التخزين خاطئ." + "invalidStakingEventId": "رقم التصريح لفعالية الربح من التخزين خاطئ.", + "failedToFetchPreviousRewards": "Failed to fetch previous rewards, please check your firewall settings." }, "invalidDate": "تاريخ غير صالح", "invalidTime": "وقت غير صالح" diff --git a/packages/shared/locales/bg.json b/packages/shared/locales/bg.json index c5df5364ca0..e3f9df27cee 100644 --- a/packages/shared/locales/bg.json +++ b/packages/shared/locales/bg.json @@ -990,7 +990,7 @@ "profiles": "Профили", "dev": "За разработчици", "createAccount": "Създаване на портфейл", - "createNewWallet": "Create a new wallet", + "addAWallet": "Add a wallet", "accountName": "Име на портфейла", "latestTransactions": "Последни трансакции", "transactions": "Транзакции", @@ -1079,7 +1079,8 @@ "stakedFunds": "Стейкнати средства", "unstakedFunds": "Unstaked funds", "accountColor": "Wallet color", - "myAssets": "My assets" + "myAssets": "My assets", + "total": "Total: {balance}" }, "dates": { "today": "Днес", @@ -1252,7 +1253,8 @@ "cannotUseAccount": "Unable to use the specified account.", "cannotFindStakingEvent": "Unable to find staking event.", "cannotVisitAirdropWebsite": "Unable to open the {airdrop} website.", - "invalidStakingEventId": "Invalid staking event ID." + "invalidStakingEventId": "Invalid staking event ID.", + "failedToFetchPreviousRewards": "Failed to fetch previous rewards, please check your firewall settings." }, "invalidDate": "INVALID DATE", "invalidTime": "INVALID TIME" diff --git a/packages/shared/locales/ca.json b/packages/shared/locales/ca.json index 539fe77678a..987cc1a2bdb 100644 --- a/packages/shared/locales/ca.json +++ b/packages/shared/locales/ca.json @@ -607,45 +607,45 @@ }, "addressHistory": { "title": "Historial d'adreces de {name}", - "currentBalance": "Balance: {balance}", - "internal": "Internal Address", - "external": "Deposit Address" + "currentBalance": "Saldo {balance}", + "internal": "Adreça interna", + "external": "Adreça de dipòsit" }, "node": { "titleAdd": "Afegeix un node", "titleUpdate": "Actualitzar el node", "titleRemove": "Traieu un node", - "titleRemoveAll": "Remove all nodes", + "titleRemoveAll": "Elimina tots els nodes", "titleDetails": "Detalls del node", - "titleInfo": "Node info", - "addingNode": "Adding node", - "updatingNode": "Updating node", - "loadingNodeInfo": "Loading node info", + "titleInfo": "Informació del node", + "addingNode": "Afegint node", + "updatingNode": "Actualitzant el node", + "loadingNodeInfo": "Carregant informació del node", "nodeAddress": "Adreça del node", "optionalUsername": "Nom d'usuari (opcional)", "optionalPassword": "Contrasenya (opcional)", - "optionalJwt": "JSON web token (optional)", + "optionalJwt": "JSON web token (opcional)\n", "setAsPrimaryNode": "Estableix com a node principal", "removeConfirmation": "Esteu segur que voleu eliminar aquest node?", - "removeAllConfirmation": "Are you sure you want to remove all nodes?", + "removeAllConfirmation": "Segur que vols eliminar tots els nodes?", "info": { "url": "URL", "software": "Software", - "networkId": "Network ID", + "networkId": "ID de xarxa", "bech32HRP": "Bech32 HRP", - "features": "Features", - "confirmedMilestoneIndex": "Confirmed milestone index", - "pruningIndex": "Pruning index", + "features": "Característiques", + "confirmedMilestoneIndex": "Índex de fita confirmat", + "pruningIndex": "Índex de poda", "messagesPerSecond": "Missatges per segon", "referencedRate": "Taxa referenciada" } }, "switchNetwork": { - "title": "Switch network", - "newNetwork": "New network", - "resetWarning": "Changing networks will log you out and reset all accounts, balances, and transaction history for this profile.", - "switchingNetwork": "Switching network", - "typePassword": "Type your password to switch to:" + "title": "Canvia de xarxa", + "newNetwork": "Nova xarxa", + "resetWarning": "Si canvieu de xarxes, tanqueu la sessió i es restablirà tots els comptes, els saldos i l'historial de transaccions d'aquest perfil.", + "switchingNetwork": "Canviant xarxa", + "typePassword": "Escriviu la vostra contrasenya per canviar a:" }, "errorLog": { "title": "Registre d'errors", @@ -670,17 +670,17 @@ "transaction": { "title": "Confirmar la transacció", "body": "Estàs a punt d'enviar {amount} a", - "sendingFromStakedAccount": "You are sending a transfer from a wallet that is currently being staked. This may unstake your tokens. Feel free to send the transfer but you may need to restake your remaining tokens afterwards.", - "sendingFromStakedAccountBelowMinReward": "You are sending a transfer from a wallet that has not yet reached the minimum staking rewards. This may unstake your tokens and you may lose your staking rewards on this wallet." + "sendingFromStakedAccount": "Esteu enviant una transferència des d'una cartera que s'està stakejant actualment. Això pot desfer l'stake. Es lliure d'enviar la transferència, però és possible que hàgiu de tornar a refer l'stake amb els tokens restants després.", + "sendingFromStakedAccountBelowMinReward": "Esteu enviant una transferència des d'una bitlletera que encara no ha arribat a les recompenses mínimes de staking. Això pot desfer l'stake i podeu perdre les vostres recompenses d'stake en aquesta cartera." }, "balanceFinder": { "title": "Cercador de balanços", - "body": "Perform a more exhaustive search of addresses to find missing balances and previous airdrop rewards. This may take a while.", - "accountsSearched": "Wallets searched", - "addressesSearched": "Addresses searched per wallet", - "accountsFound": "Wallets found", + "body": "Realitzeu una cerca més exhaustiva d'adreces per trobar saldos que falten i recompenses d'airdrops anteriors. Pot trigar una estona.", + "accountsSearched": "Bitlleteres buscades", + "addressesSearched": "Adreces cercades per bitlletera", + "accountsFound": "Bitlleteres trobades", "totalWalletBalance": "Balanç total", - "searchAgainHint": "Is your balance or number of wallets incorrect? Press search again until your full balance is shown.", + "searchAgainHint": "El vostre saldo o nombre de carteres és incorrecte? Premeu cerca de nou fins que es mostri el vostre saldo complet.", "typePassword": "Escriviu la vostra contrasenya per pemetre la cerca." }, "riskFunds": { @@ -736,38 +736,38 @@ }, "transaction": { "title": "Confirmar la transacció", - "info": "Confirm that the transaction information displayed on your Ledger device matches the information displayed below. If they match, press both buttons on your Ledger as prompted." + "info": "Confirmeu que la informació de la transacció que es mostra al vostre dispositiu Ledger coincideix amb la que es mostra a continuació. Si coincideixen, premeu els dos botons del vostre Ledger tal com se us demani." } }, "ledgerAddress": { - "title": "Confirm receive address", - "body": "Confirm that the receive address displayed on your Ledger matches the one displayed below. If they match, press both buttons on your Ledger as prompted." + "title": "Confirmeu l'adreça de recepció", + "body": "Confirmeu que l'adreça de recepció que es mostra al vostre Ledger coincideix amb la que es mostra a continuació. Si coincideixen, premeu els dos botons del vostre Ledger tal com se us demani." }, "ledgerMigrateIndex": { - "title": "Do you need to migrate another Trinity account index?", - "body": "You can also migrate later in Advanced Settings." + "title": "Necessites migrar un altre índex de compte de Trinity?", + "body": "També podeu migrar més tard a la configuració avançada." }, "exportTransactionHistory": { - "title": "Export transaction history", - "body": "Export the transaction history for the selected wallet. The exported file will be in .csv format.", - "profileName": "Profile name:", - "accountName": "Wallet name:", - "typePassword": "Type your password to allow exporting" + "title": "Exporta l'historial de transaccions", + "body": "Exporteu l'historial de transaccions de la bitlletera seleccionada. El fitxer exportat estarà en format .csv.", + "profileName": "Nom del perfil:", + "accountName": "Nom de la bitlletera:", + "typePassword": "Escriviu la vostra contrasenya per permetre l'exportació" }, "stakingManager": { - "title": "Staking Management", - "description": "When you stake a wallet, you send a transaction to yourself marking those funds as \"staked\". You can transfer the tokens at any time, but you won’t continue receiving staking rewards.", - "totalFundsStaked": "Total funds staked", - "stakedSuccessfully": "Your funds have been staked for {account}.", - "unstakedSuccessfully": "Your funds have been unstaked for {account}.", - "singleAccountHint": "Looking for your wallets? Firefly has changed. Toggle between your wallets in the top menu bar." + "title": "Gestió de staking", + "description": "Quan feu stake a una bitlletera, us envieu una transacció marcant aquests fons com a \"stakejats\". Podeu transferir els tokens en qualsevol moment, però no continuareu rebent recompenses d'stake.", + "totalFundsStaked": "Total de fons amb stake", + "stakedSuccessfully": "Els vostres fons han estat stakejats {account}.", + "unstakedSuccessfully": "S'ha desfet l'stake dels vostres fons {account}.", + "singleAccountHint": "Busques les teves bitlleteres? Firefly ha canviat. Canvia entre les teves bitlleteres a la barra de menú superior." }, "stakingConfirmation": { - "title": "Confirm Participation", - "subtitleStake": "You are about to stake", - "subtitleMerge": "You are about to merge", - "multiAirdropWarning": "If you do not want to participate in both airdrops, you can opt-out below. You can unstake and restake to opt back in at any time.", - "mergeStakeWarning": "Your funds will be staked for {airdrop}. To change which airdrops you want to participate in, unstake this wallet and stake it again.", + "title": "Confirmeu la participació", + "subtitleStake": "Estàs a punt de fer stake", + "subtitleMerge": "Estàs a punt de combinar", + "multiAirdropWarning": "Si no voleu participar en els dos airdrops, podeu desactivar-lo a continuació. Podeu desactivar i tornar a activar-lo en qualsevol moment.", + "mergeStakeWarning": "Els vostres fons es posaran a stake per {airdrop}. Per canviar en quins airdrops vols participar, desfeu l'stake d'aquesta bitlletera i torneu-la a apostar.", "estimatedAirdrop": "Recompenses estimades" }, "newStakingPeriodNotification": { @@ -990,7 +990,7 @@ "profiles": "Perfils", "dev": "Dev", "createAccount": "Crea un moneder", - "createNewWallet": "Create a new wallet", + "addAWallet": "Add a wallet", "accountName": "Nom del moneder", "latestTransactions": "Últimes transaccions", "transactions": "Transaccions", @@ -1079,7 +1079,8 @@ "stakedFunds": "Fons en stake", "unstakedFunds": "Unstaked funds", "accountColor": "Wallet color", - "myAssets": "My assets" + "myAssets": "My assets", + "total": "Total: {balance}" }, "dates": { "today": "Avui", @@ -1252,7 +1253,8 @@ "cannotUseAccount": "Unable to use the specified account.", "cannotFindStakingEvent": "Unable to find staking event.", "cannotVisitAirdropWebsite": "Unable to open the {airdrop} website.", - "invalidStakingEventId": "Invalid staking event ID." + "invalidStakingEventId": "Invalid staking event ID.", + "failedToFetchPreviousRewards": "Failed to fetch previous rewards, please check your firewall settings." }, "invalidDate": "INVALID DATE", "invalidTime": "INVALID TIME" diff --git a/packages/shared/locales/cs.json b/packages/shared/locales/cs.json index 4164c97eb08..04491e46bff 100644 --- a/packages/shared/locales/cs.json +++ b/packages/shared/locales/cs.json @@ -990,7 +990,7 @@ "profiles": "Profily", "dev": "Vývojář", "createAccount": "Vytvořit peněženku", - "createNewWallet": "Create a new wallet", + "addAWallet": "Add a wallet", "accountName": "Název peněženky", "latestTransactions": "Poslední transakce", "transactions": "Transakce", @@ -1079,7 +1079,8 @@ "stakedFunds": "Stakované prostředky", "unstakedFunds": "Prostředky, které byly stakovány", "accountColor": "Barva peněženky", - "myAssets": "My assets" + "myAssets": "My assets", + "total": "Total: {balance}" }, "dates": { "today": "Dnes", @@ -1252,7 +1253,8 @@ "cannotUseAccount": "Zadaný účet nelze použít.", "cannotFindStakingEvent": "Nelze najít stakovací událost.", "cannotVisitAirdropWebsite": "Web {airdrop} nelze otevřít.", - "invalidStakingEventId": "Neplatné ID stakování." + "invalidStakingEventId": "Neplatné ID stakování.", + "failedToFetchPreviousRewards": "Failed to fetch previous rewards, please check your firewall settings." }, "invalidDate": "INVALID DATE", "invalidTime": "INVALID TIME" diff --git a/packages/shared/locales/da.json b/packages/shared/locales/da.json index 57e1025bae9..56c6d5d6685 100644 --- a/packages/shared/locales/da.json +++ b/packages/shared/locales/da.json @@ -990,7 +990,7 @@ "profiles": "Profiler", "dev": "Udvikler", "createAccount": "Opret ny Wallet", - "createNewWallet": "Create a new wallet", + "addAWallet": "Add a wallet", "accountName": "Wallet navn", "latestTransactions": "Seneste transaktioner", "transactions": "Transaktioner", @@ -1079,7 +1079,8 @@ "stakedFunds": "Staked funds", "unstakedFunds": "Unstaked funds", "accountColor": "Wallet color", - "myAssets": "My assets" + "myAssets": "My assets", + "total": "Total: {balance}" }, "dates": { "today": "I dag", @@ -1252,7 +1253,8 @@ "cannotUseAccount": "Unable to use the specified account.", "cannotFindStakingEvent": "Unable to find staking event.", "cannotVisitAirdropWebsite": "Unable to open the {airdrop} website.", - "invalidStakingEventId": "Invalid staking event ID." + "invalidStakingEventId": "Invalid staking event ID.", + "failedToFetchPreviousRewards": "Failed to fetch previous rewards, please check your firewall settings." }, "invalidDate": "INVALID DATE", "invalidTime": "INVALID TIME" diff --git a/packages/shared/locales/de.json b/packages/shared/locales/de.json index d480a4e7c3f..636fbfa4aaa 100644 --- a/packages/shared/locales/de.json +++ b/packages/shared/locales/de.json @@ -990,7 +990,7 @@ "profiles": "Profile", "dev": "Entwickler", "createAccount": "Wallet erstellen", - "createNewWallet": "Neue Wallet erstellen", + "addAWallet": "Add a wallet", "accountName": "Wallet-Name", "latestTransactions": "Neueste Transaktionen", "transactions": "Transaktionen", @@ -1079,7 +1079,8 @@ "stakedFunds": "Gestaktes Guthaben", "unstakedFunds": "Ungestaktes Guthaben", "accountColor": "Wallet-Farbe", - "myAssets": "Meine Assets" + "myAssets": "Meine Assets", + "total": "Total: {balance}" }, "dates": { "today": "Heute", @@ -1252,7 +1253,8 @@ "cannotUseAccount": "Das angegebene Konto kann nicht verwendet werden.", "cannotFindStakingEvent": "Staking-Event konnte nicht gefunden werden.", "cannotVisitAirdropWebsite": "Die {airdrop}-Website konnte nicht geöffnet werden.", - "invalidStakingEventId": "Ungültige Staking-Event ID." + "invalidStakingEventId": "Ungültige Staking-Event ID.", + "failedToFetchPreviousRewards": "Failed to fetch previous rewards, please check your firewall settings." }, "invalidDate": "UNGÜLTIGES DATUM", "invalidTime": "UNGÜLTIGE ZEIT" diff --git a/packages/shared/locales/el.json b/packages/shared/locales/el.json index 82e1edce248..daea7e2ef7b 100644 --- a/packages/shared/locales/el.json +++ b/packages/shared/locales/el.json @@ -318,7 +318,7 @@ "theme": { "title": "Θεματικό", "description": "", - "advice": "If you change your system theme, you may need to restart Firefly to see the effects" + "advice": "Αν αλλάξετε το θέμα του συστήματός σας, μπορεί να χρειαστεί να κάνετε επανεκκίνηση του Firefly για να δείτε τα εφέ" }, "language": { "title": "Γλώσσα", @@ -462,9 +462,9 @@ }, "dashboard": { "network": { - "networkOperational": "Network operational", - "networkDegraded": "Network degraded", - "networkDown": "Network disconnected", + "networkOperational": "Δίκτυο σε λειτουργία", + "networkDegraded": "Δίκτυο Υποβαθμισμένο", + "networkDown": "Το δίκτυο αποσυνδέθηκε", "status": "Κατάσταση", "messagesPerSecond": "Μηνύματα ανά δευτερόλεπτο", "referencedRate": "Αναφερόμενη τιμή" @@ -473,32 +473,32 @@ "allSettings": "Όλες οι ρυθμίσεις", "logout": "Αποσύνδεση", "stronghold": { - "title": "Profile lock", - "locked": "Stronghold locked", - "unlocked": "Stronghold unlocked" + "title": "Κλείδωμα προφίλ", + "locked": "Stronghold κλειδωμένο", + "unlocked": "Stronghold ξεκλείδωτο" }, "hardware": { - "title": "Hardware Device", + "title": "Συσκευή", "statuses": { - "appNotOpen": "IOTA app not open", - "connected": "Connected", - "legacyConnected": "Legacy app open", - "locked": "Locked", - "mnemonicMismatch": "Wrong Ledger or mnemonic", - "notDetected": "Not detected", - "otherConnected": "App open" + "appNotOpen": "Η Εφαρμογή IOTA δεν είναι ανοιχτή", + "connected": "Σύνδεση", + "legacyConnected": "Η εφαρμογή παλαιού τύπου είναι ανοιχτή", + "locked": "Κλειδωμένο", + "mnemonicMismatch": "Λάθος Ledger ή μνημονικό", + "notDetected": "Δεν ανιχνεύθηκε", + "otherConnected": "Η εφαρμογή άνοιξε" } }, "backup": { - "title": "Backup your wallets", + "title": "Αντίγραφο ασφαλείας των πορτοφολιών σας", "lastBackup": "Τελευταία δημιουργία αντιγράφων ασφαλείας {date}", "notBackedUp": "Δεν έγιναν ακόμα τα αντίγραφα ασφαλείας", - "button": "Backup" + "button": "Αντίγραφα Ασφαλείας" }, "version": { - "title": "New update available", + "title": "Νέα ενημέρωση είναι διαθέσιμη", "updateVersion": "Firefly v{version}", - "button": "Update" + "button": "Αναβάθμιση" } } }, @@ -517,28 +517,28 @@ }, "info": { "headers": { - "upcoming": "Check back later", - "commencing": "Pre-staking is open", - "holding": "{duration} of staking left", - "ended": "Staking has now ended", - "inactive": "No staking events detected" + "upcoming": "Επιστρέψτε αργότερα", + "commencing": "Άνοιξε το Pre-staking", + "holding": "Απομένουν {duration} για staking", + "ended": "Το staking τελείωσε τώρα", + "inactive": "Δεν ανιχνεύθηκαν συμβάντα για staking" }, "bodies": { - "upcoming": "Stake your {token} tokens to automatically receive rewards every 10 seconds once staking starts on {date}.", - "commencing": "Stake your {token} tokens to automatically receive rewards every 10 seconds once staking starts on {date}.", - "holdingAndStaking": "You automatically receive rewards every 10 seconds.", - "holdingAndNotStaking": "Stake your {token} tokens to receive rewards every 10 seconds.", - "endedAndDidStake": "{token} rewards will be distributed to your wallet once the network launches.", - "endedAndDidNotStake": "You did not participate in this airdrop.", - "endedAndDidNotReachMinRewards": "You did not stake enough {token} tokens to reach the minimum airdrop rewards.", - "inactive": "Open network configuration in the advanced settings and make sure the current node has the \"Participation\" feature by clicking \"View info\"." + "upcoming": "Κάνε τα {token} tokens σου για να λαμβάνεις αυτόματα ανταμοιβές κάθε 10 δευτερόλεπτα μόλις ξεκινήσεις να κάνεις staking την {date}.", + "commencing": "Κάνε τα {token} tokens σου για να λαμβάνεις αυτόματα ανταμοιβές κάθε 10 δευτερόλεπτα μόλις ξεκινήσεις να κάνεις staking την {date}.", + "holdingAndStaking": "Λαμβάνετε αυτόματα ανταμοιβές κάθε 10 δευτερόλεπτα.", + "holdingAndNotStaking": "Κάνετε stake τα {token} tokens σας για να λαμβάνετε ανταμοιβές κάθε 10 δευτερόλεπτα.", + "endedAndDidStake": "{token} ανταμοιβές θα διανεμηθούν στο πορτοφόλι σας μόλις ξεκινήσει το δίκτυο.", + "endedAndDidNotStake": "Δεν συμμετείχες σε αυτό το airdrop.", + "endedAndDidNotReachMinRewards": "Δεν έχετε κάνει stake αρκετά IOTA για να φτάσετε τις ελάχιστες ανταμοιβές για airdrop.", + "inactive": "Ανοίξτε τις ρυθμίσεις δικτύου στις Ρυθμίσεις για προχωρημένους και βεβαιωθείτε ότι ο τρέχων κόμβος έχει τη δυνατότητα \"Συμμετοχή\" κάνοντας κλικ στο \"Πληροφορίες Προβολής\"." } }, "airdrops": { "holding": "Απομένουν", "commencing": "Μέχρι να αρχίσει το staking", - "currentStakingPeriod": "Current staking period", - "totalWalletRewards": "Total wallet rewards", + "currentStakingPeriod": "Τρέχουσα περίοδος staking", + "totalWalletRewards": "Σύνολο ανταμοιβών πορτοφολιού", "assembly": { "name": "Assembly", "description": "Το Assembly είναι ένα αυτόνομο, εξαιρετικά επεκτάσιμο multi-chain δίκτυο για την κατασκευή και ανάπτυξη έξυπνων συμβολαίων. Το Assembly είναι το μέλλον του web3. " @@ -549,8 +549,8 @@ } }, "banners": { - "new": "New Event", - "complete": "Complete" + "new": "Νέο συμβάν", + "complete": "Ολοκληρώθηκε" } }, "picker": { @@ -675,12 +675,12 @@ }, "balanceFinder": { "title": "Εύρεση υπολοίπου", - "body": "Perform a more exhaustive search of addresses to find missing balances and previous airdrop rewards. This may take a while.", - "accountsSearched": "Wallets searched", - "addressesSearched": "Addresses searched per wallet", - "accountsFound": "Wallets found", + "body": "Εκτελέστε μια πιο εξαντλητική αναζήτηση διευθύνσεων για να βρείτε τα υπόλοιπα που λείπουν. Αυτό μπορεί να διαρκέσει λίγο.", + "accountsSearched": "Πορτοφόλια που ζητήθηκαν", + "addressesSearched": "Διευθύνσεις που αναζητήθηκαν ανά πορτοφόλι", + "accountsFound": "Βρέθηκαν πορτοφόλια", "totalWalletBalance": "Συνολικό υπόλοιπο", - "searchAgainHint": "Is your balance or number of wallets incorrect? Press search again until your full balance is shown.", + "searchAgainHint": "Είναι το υπόλοιπό σας ή ο αριθμός των πορτοφολιών λανθασμένα? Πατήστε ξανά την αναζήτηση μέχρι να εμφανιστεί το πλήρες υπόλοιπό σας.", "typePassword": "Πληκτρολογήστε τον κωδικό πρόσβασης για να επιτρέψετε την αναζήτηση." }, "riskFunds": { @@ -751,7 +751,7 @@ "title": "Εξαγωγή ιστορικού συναλλαγών", "body": "Εξαγωγή του ιστορικού συναλλαγών για το επιλεγμένο πορτοφόλι. Το εξαγόμενο αρχείο θα είναι σε μορφή .csv.", "profileName": "Όνομα Προφίλ:", - "accountName": "Wallet name:", + "accountName": "Όνομα πορτοφολιού:", "typePassword": "Πληκτρολογήστε τον κωδικό πρόσβασης για να επιτρέψετε την εξαγωγή" }, "stakingManager": { @@ -760,20 +760,20 @@ "totalFundsStaked": "Συνολικό κεφάλαιο που είναι staked", "stakedSuccessfully": "Το κεφάλαιο σας που είναι staked για {account}.", "unstakedSuccessfully": "Το κεφάλαιο σας που έχει γίνει unstaked για {account}.", - "singleAccountHint": "Looking for your wallets? Firefly has changed. Toggle between your wallets in the top menu bar." + "singleAccountHint": "Ψάχνετε για τα πορτοφόλια σας? Το Firefly έχει αλλάξει. Εναλλαγή μεταξύ των πορτοφολιών σας στο επάνω μενού." }, "stakingConfirmation": { - "title": "Confirm Participation", + "title": "Επιβεβαίωση Συμμετοχής", "subtitleStake": "Πρόκειται να κάνετε staking", "subtitleMerge": "Πρόκειται να συγχωνεύσετε", - "multiAirdropWarning": "If you do not want to participate in both airdrops, you can opt-out below. You can unstake and restake to opt back in at any time.", - "mergeStakeWarning": "Your funds will be staked for {airdrop}. To change which airdrops you want to participate in, unstake this wallet and stake it again.", + "multiAirdropWarning": "Αν δεν θέλετε να συμμετάσχετε και στα δύο airdrops, μπορείτε να εξαιρεθείτε παρακάτω. Μπορείτε να αναιρέσετε και να επανακτήσετε το staking σας ανά πάσα στιγμή.", + "mergeStakeWarning": "Τα κεφάλαιά σας θα γίνουν stake για το {airdrop}. Για να αλλάξετε σε ποια airdrops θέλετε να συμμετάσχετε, αποδεσμεύστε αυτό το πορτοφόλι και κάνετε stake ξανά.", "estimatedAirdrop": "Εκτιμώμενες ανταμοιβές" }, "newStakingPeriodNotification": { - "title": "Staking phase {periodNumber} from {date}", - "body": "IOTA staking for Assembly continues... Participate in phase {periodNumber} for 90 days. Stake your IOTA tokens and earn ASMB rewards!", - "info": "Shimmer staking is now complete and only ASMB tokens will be distributed." + "title": "Φάση staking {periodNumber} από {date}", + "body": "Το IOTA staking για Assembly συνεχίζεται... Συμμετέχετε στη φάση {periodNumber} για 90 ημέρες. Κάνετε stake τα IOTA σας και κερδίστε ανταμοιβές ASMB!", + "info": "Το Shimmer staking είναι πλέον πλήρες και μόνο ASMB tokens θα διανεμηθεί." }, "shimmer-info": { "title": "Σχετικά Με Shimmer", @@ -805,9 +805,9 @@ "privPolicyCheckbox": "Έχω διαβάσει και αποδέχομαι την ενημερωμένη Πολιτική Απορρήτου" }, "singleAccountGuide": { - "title": "The way you use Firefly has changed", - "body": "The content of each tab is now in the context of a single wallet. You can change the selected wallet from anywhere by using the switcher in the title bar.", - "hint": "Can't find a wallet? Use the balance finder in the settings to discover previously used wallets." + "title": "Ο τρόπος που χρησιμοποιείτε το Firefly έχει αλλάξει", + "body": "Το περιεχόμενο κάθε καρτέλας είναι τώρα στο πλαίσιο ενός μόνο πορτοφολιού. Μπορείτε να αλλάξετε το επιλεγμένο πορτοφόλι από οπουδήποτε χρησιμοποιώντας την εναλλαγή στη γραμμή τίτλου.", + "hint": "Αδυναμία εύρεσης πορτοφολιού? Χρησιμοποιήστε τον ανιχνευτή υπολοίπου στις ρυθμίσεις για να ανακαλύψετε τα προηγούμενα πορτοφόλια." } }, "charts": { @@ -931,8 +931,8 @@ "merge": "Συγχώνευση", "mergeFunds": "Συγχώνευση κεφαλαίων", "done": "Ολοκληρώθηκε", - "okIUnderstand": "OK, I understand", - "readMore": "Read more" + "okIUnderstand": "Εντάξει, καταλαβαίνω", + "readMore": "Διαβάστε περισσότερα" }, "general": { "password": "Κωδικός πρόσβασης", @@ -990,7 +990,7 @@ "profiles": "Προφίλ", "dev": "Προγραμματιστής", "createAccount": "Δημιουργία πορτοφολιού", - "createNewWallet": "Create a new wallet", + "addAWallet": "Add a wallet", "accountName": "Όνομα πορτοφολιού", "latestTransactions": "Τελευταίες Συναλλαγές", "transactions": "Συναλλαγές", @@ -1049,20 +1049,20 @@ "creatingProfile": "Δημιουργία λογαριασμού, παρακαλώ περιμένετε...", "fundMigration": "Μετεγκατάσταση κεφαλαίων", "accountRemoved": "Αυτό το πορτοφόλι είναι κρυμμένο. Αποκρύψτε το για να εκτελέσετε μεταφορές.", - "receivingFrom": "Receiving from {account}", - "sendingTo": "Sending to {account}", - "receivedFrom": "Received from {account}", - "sentTo": "Sent to {account}", - "transferringFrom": "Transferring from {account}", - "transferringTo": "Transferring to {account}", - "transferFrom": "Transfer from {account}", - "transferTo": "Transfer to {account}", + "receivingFrom": "Λήψη από {account}", + "sendingTo": "Αποστολή στό {account}", + "receivedFrom": "Λήψη από {account}", + "sentTo": "Στάλθηκε στο {account}", + "transferringFrom": "Μεταφορά από {account}", + "transferringTo": "Μεταφορά στο {account}", + "transferFrom": "Μεταφορά από {account}", + "transferTo": "Μεταφορά στο {account}", "stakedFor": "Staked για {account}", "unstakedFor": "Unstaked για {account}", "votedFor": "Επιλέχθηκε για {account}", "unvotedFor": "Δεν επιλέχθηκε για {account}", - "stakingTransaction": "Staking Transaction", - "unstakingTransaction": "Unstaking Transaction", + "stakingTransaction": "Συναλλαγή για Staking", + "unstakingTransaction": "Αποτροπή Συναλλαγής Staking", "receiving": "Λήψη", "sending": "Αποστολή σε εξέλιξη", "legacyNetwork": "Παλαιό Δίκτυο", @@ -1079,7 +1079,8 @@ "stakedFunds": "Κεφάλαιο σε staking", "unstakedFunds": "Unstaked kεφάλαιο", "accountColor": "Χρώμα πορτοφολιού", - "myAssets": "My assets" + "myAssets": "Τα περιουσιακά μου", + "total": "Total: {balance}" }, "dates": { "today": "Σήμερα", @@ -1127,9 +1128,9 @@ } } }, - "syncing": "Please wait until synchronization is finished to change wallets.", - "transferring": "Please wait until all transactions are completed to change wallets.", - "participating": "Please wait until all staking/voting transactions are completed to change wallets." + "syncing": "Παρακαλώ περιμένετε μέχρι να ολοκληρωθεί ο συγχρονισμός για να αλλάξετε τα πορτοφόλια.", + "transferring": "Παρακαλώ περιμένετε μέχρι να ολοκληρωθούν όλες οι συναλλαγές για να αλλάξετε πορτοφόλια.", + "participating": "Παρακαλώ περιμένετε μέχρι να ολοκληρωθούν όλες οι συναλλαγές staking/ψηφοφορίας για να αλλάξετε τα πορτοφόλια." }, "error": { "profile": { @@ -1252,17 +1253,18 @@ "cannotUseAccount": "Δεν είναι δυνατή η χρήση του καθορισμένου λογαριασμού.", "cannotFindStakingEvent": "Δεν είναι δυνατή η εύρεση του staking συμβάντος.", "cannotVisitAirdropWebsite": "Δεν είναι δυνατό να ανοίξει η ιστοσελίδα {airdrop}.", - "invalidStakingEventId": "Μη έγκυρη staking event ID." + "invalidStakingEventId": "Μη έγκυρη staking event ID.", + "failedToFetchPreviousRewards": "Failed to fetch previous rewards, please check your firewall settings." }, - "invalidDate": "INVALID DATE", - "invalidTime": "INVALID TIME" + "invalidDate": "ΑΚΥΡΗ ΗΜΕΡΟΜΗΝΙΑ", + "invalidTime": "ΑΚΥΡΟΣ ΧΡΟΝΟΣ" }, "warning": { "node": { "http": "Η χρήση κόμβων μέσω HTTP αφήνει την κυκλοφορία μη κρυπτογραφημένη και θα μπορούσε να θέσει σε κίνδυνο την ασφάλεια." }, "participation": { - "noFunds": "You do not have any IOTA." + "noFunds": "Δεν έχετε κανένα IOTA." } }, "tooltips": { @@ -1277,7 +1279,7 @@ "partiallyStakedFunds": { "title": "Νέα unstaked κεφάλαια: {amount}", "titleNoFunds": "Νέα unstaked κεφάλαια", - "preBody": "You have received tokens that are not staked.", + "preBody": "Έχετε λάβει tokens που δεν έχουν γίνει staked.", "body": "Θα πρέπει να κάνετε χειροκίνητο staking για αυτά τα νέα κεφάλαια για να μπορέσετε τα \nλαμβάνετε airdrop ανταμοιβές για αυτά." }, "stakingMinRewards": { diff --git a/packages/shared/locales/eo.json b/packages/shared/locales/eo.json index 5c6f3a80b42..f48d06ceed7 100644 --- a/packages/shared/locales/eo.json +++ b/packages/shared/locales/eo.json @@ -990,7 +990,7 @@ "profiles": "Profiloj", "dev": "Programisto", "createAccount": "Krei monujon", - "createNewWallet": "Create a new wallet", + "addAWallet": "Add a wallet", "accountName": "Nomo de la monujo", "latestTransactions": "La lastaj transakcioj", "transactions": "Transakcioj", @@ -1079,7 +1079,8 @@ "stakedFunds": "Stakitaj bonhavojn", "unstakedFunds": "Bonhavoj ne investitaj", "accountColor": "Wallet color", - "myAssets": "My assets" + "myAssets": "My assets", + "total": "Total: {balance}" }, "dates": { "today": "Hodiaŭ", @@ -1252,7 +1253,8 @@ "cannotUseAccount": "Unable to use the specified account.", "cannotFindStakingEvent": "Unable to find staking event.", "cannotVisitAirdropWebsite": "Unable to open the {airdrop} website.", - "invalidStakingEventId": "Invalid staking event ID." + "invalidStakingEventId": "Invalid staking event ID.", + "failedToFetchPreviousRewards": "Failed to fetch previous rewards, please check your firewall settings." }, "invalidDate": "INVALID DATE", "invalidTime": "INVALID TIME" diff --git a/packages/shared/locales/es-ES.json b/packages/shared/locales/es-ES.json index 533135126e3..5ac43ddfde2 100644 --- a/packages/shared/locales/es-ES.json +++ b/packages/shared/locales/es-ES.json @@ -990,7 +990,7 @@ "profiles": "Perfiles", "dev": "Desarrollador", "createAccount": "Crear una Cartera", - "createNewWallet": "Crear una nueva cartera", + "addAWallet": "Add a wallet", "accountName": "Nombre de cartera", "latestTransactions": "Últimas Transacciones", "transactions": "Transacciones", @@ -1079,7 +1079,8 @@ "stakedFunds": "Fondos en staking", "unstakedFunds": "Fondos sin Stake", "accountColor": "Color de la billetera", - "myAssets": "Mis activos" + "myAssets": "Mis activos", + "total": "Total: {balance}" }, "dates": { "today": "Hoy", @@ -1252,7 +1253,8 @@ "cannotUseAccount": "No se puede utilizar la cuenta especificada.", "cannotFindStakingEvent": "No se puede encontrar el evento de Staking.", "cannotVisitAirdropWebsite": "No se puede abrir el sitio web de {airdrop}.", - "invalidStakingEventId": "ID del evento de Staking es inválido." + "invalidStakingEventId": "ID del evento de Staking es inválido.", + "failedToFetchPreviousRewards": "Failed to fetch previous rewards, please check your firewall settings." }, "invalidDate": "FECHA INVALIDA", "invalidTime": "HORA NO VÁLIDA" diff --git a/packages/shared/locales/es-LA.json b/packages/shared/locales/es-LA.json index 2550c0c96ab..a11d3c9e4c1 100644 --- a/packages/shared/locales/es-LA.json +++ b/packages/shared/locales/es-LA.json @@ -990,7 +990,7 @@ "profiles": "Perfiles", "dev": "Dev", "createAccount": "Crear una Billetera", - "createNewWallet": "Create a new wallet", + "addAWallet": "Add a wallet", "accountName": "Nombre de billetera", "latestTransactions": "Últimas transacciones", "transactions": "Transacciones", @@ -1079,7 +1079,8 @@ "stakedFunds": "Fondos en staking", "unstakedFunds": "Fondos sin Stake", "accountColor": "Color de la billetera", - "myAssets": "My assets" + "myAssets": "My assets", + "total": "Total: {balance}" }, "dates": { "today": "Hoy", @@ -1252,7 +1253,8 @@ "cannotUseAccount": "No se puede utilizar la cuenta especificada.", "cannotFindStakingEvent": "No se puede encontrar el evento de Staking.", "cannotVisitAirdropWebsite": "No se puede abrir el sitio web de {airdrop}.", - "invalidStakingEventId": "ID del evento de Staking es inválido." + "invalidStakingEventId": "ID del evento de Staking es inválido.", + "failedToFetchPreviousRewards": "Failed to fetch previous rewards, please check your firewall settings." }, "invalidDate": "INVALID DATE", "invalidTime": "INVALID TIME" diff --git a/packages/shared/locales/et.json b/packages/shared/locales/et.json index aed9c4f2266..d76b05899bd 100644 --- a/packages/shared/locales/et.json +++ b/packages/shared/locales/et.json @@ -990,7 +990,7 @@ "profiles": "Profiilid", "dev": "Arendaja", "createAccount": "Loo rahakott", - "createNewWallet": "Create a new wallet", + "addAWallet": "Add a wallet", "accountName": "Rahakoti nimi", "latestTransactions": "Viimased tehingud", "transactions": "Tehingud", @@ -1079,7 +1079,8 @@ "stakedFunds": "Staked funds", "unstakedFunds": "Unstaked funds", "accountColor": "Wallet color", - "myAssets": "My assets" + "myAssets": "My assets", + "total": "Total: {balance}" }, "dates": { "today": "Täna", @@ -1252,7 +1253,8 @@ "cannotUseAccount": "Unable to use the specified account.", "cannotFindStakingEvent": "Unable to find staking event.", "cannotVisitAirdropWebsite": "Unable to open the {airdrop} website.", - "invalidStakingEventId": "Invalid staking event ID." + "invalidStakingEventId": "Invalid staking event ID.", + "failedToFetchPreviousRewards": "Failed to fetch previous rewards, please check your firewall settings." }, "invalidDate": "INVALID DATE", "invalidTime": "INVALID TIME" diff --git a/packages/shared/locales/fa.json b/packages/shared/locales/fa.json index 43c6e9a4843..7b21750b926 100644 --- a/packages/shared/locales/fa.json +++ b/packages/shared/locales/fa.json @@ -10,9 +10,9 @@ "checkbox": "من سیاست حریم خصوصی و شرایط استفاده را مطالعه کرده و میپذیرم" }, "crashReporting": { - "title": "Crash Reporting", - "body": "Help the developers improve Firefly by automatically sending diagnostic data when an error or crash occurs.", - "checkbox": "Send crash reports to the IOTA Foundation" + "title": "گزارش دادن مشکل", + "body": "وقتی مشکلی روی میدهد با ارسال خودکار اطلاعات کسب شده از آن، به توسعه دهندگان نرم‌افزار فایرفلای کمک کنید.", + "checkbox": "ارسال گزارش مشکل ایجاد شده به بنیاد آیوتا" }, "appearance": { "title": "ظاهر", @@ -23,20 +23,20 @@ "profileName": "نام پروفایل", "body1": "شما میتوانید برای نگهداری توکن های خود به صورت جداگانه و ارتقای حریم خصوصی، چندین پروفایل کاربری درست کنید.", "body2": { - "first": "For now, let's start with your first profile name.", - "nonFirst": "For now, let's start with your profile name." + "first": "فعلاً ،با اسم اولین حساب کاربری شما شروع کنیم.", + "nonFirst": "فعلاً ، با اسم حساب کاربری شما شروع کنیم." }, - "addMore": "You can add more profiles later.", - "advancedOptions": "Advanced options", + "addMore": "بعدا حساب های بیشتری اضافه کنید.", + "advancedOptions": "تنظیمات پیشرفته", "developer": { - "label": "Developer profile", - "info": "Connect to the devnet or a private network" + "label": "حالت برنامه نویسی", + "info": "اتصال به شبکه برنامه نویسان یا شبکه خصوصی" } }, "setup": { "title": "راه اندازی کیف پول", "chrysalisTitle": "بروزرسانی شبکه Chrysalis", - "chrysalisBody": "From April 21st 2021, users can migrate their tokens to the new Chrysalis network. We recommend you migrate your existing tokens as soon as possible.", + "chrysalisBody": "از 21 آوریل 2021، کاربران می‌توانند توکن های خود را به شبکه جدید Chrysalis منتقل کنند. توصیه ما این است که هرچه زودتر توکن های خود را انتقال دهید.", "learnMore": "کسب اطلاعات در مورد انتقال" }, "secure": { @@ -46,29 +46,29 @@ }, "create": { "title": "ايجاد كيف پول", - "body": "Create a new wallet. You can choose a regular software wallet or if you have a Ledger device you can set up a hardware wallet.", + "body": "ساخت کیف پول جدید. شما می توانید بین کیف پول عادی یا اگر کیف پول لجر دارید کیف پول سخت افزاری را انتخاب کنید.", "softwareAccount": { "title": "من کیف پول نرم‌افزاری می‌خواهم", - "description": "Create a 24-word Recovery Phrase" + "description": "ساخت عبارت بازیابی 24 کلمه ای" }, "ledgerAccount": { "title": "کیف پول سخت افزاری میخواهم", - "description": "Ledger Nano S or Nano X required" + "description": "لجر نانو اس یا ایکس لازم است" } }, "setupLedger": { - "progress1": "Connect your Ledger", + "progress1": "لجر خود را متصل کنید", "progress2": "تولید آدرس", - "progress3": "Switch Ledger app", - "progress4": "Transfer funds", - "watchVideo": "Watch video guide", - "videoGuide": "Ledger migration video guide" + "progress3": "تغییر برنامه لجر", + "progress4": "انتقال وجه", + "watchVideo": "تماشا ودیو راهنما", + "videoGuide": "ودیوی راهنمای انتقال با لجر" }, "ledgerInstallationGuide": { - "title": "Have you installed the necessary Ledger apps?", - "body1": "Before you proceed, you must find and install both the {legacy} app and the new IOTA app through Ledger Live.", - "body2": "Make sure your Ledger firmware is up-to-date. Any pre-installed apps should be updated to their latest versions.", - "action": "Yes, I've installed these apps" + "title": "آیا برنامه های لازم را روی لجر دارید؟", + "body1": "قبل از ادامه دادن، ابتدا شما باید هر دو برنامه {قدیمی} و جدید آیوتا را روی لجر خود داشته باشید.", + "body2": "از به روز بودن سیستم عامل لجر خود اطمینان حاصل کنید. تمامی برنامه های از قبل ریخته شده باید آخرین نسخه باشند.", + "action": "بله، من این برنامه ها را دارم" }, "password": { "title": "ایجاد رمز عبور", @@ -128,8 +128,8 @@ "fundsMigrated": "وجوه منتقل شد", "body": "کیف پول جدید شما آماده استفاده میباشد.", "softwareMigratedBody": "شما با موفقیت وجوه خود را به شبکه جدید منتقل کردید", - "fireflyLedgerBody": "Your Ledger account is successfully recovered and you can now continue.", - "trinityLedgerBody": "You have successfully migrated your Ledger to the new network.", + "fireflyLedgerBody": "حساب لجر شما با موفقیت بازیابی شد و شما میتوانید ادامه دهید.", + "trinityLedgerBody": "لجر و حساب شما با موفقیت به شبکه جدید منتقل شد.", "exportMigration": "گرفتن گزارش انتقال و اتمام راه اندازی" }, "import": { @@ -141,8 +141,8 @@ "importMnemonicDescription": "جهت بازگردانی کیف پول های خود عبارت بازیابی را وارد کنید", "importFile": "فایل پشتیبان در اختیار دارم", "importFileDescription": "فایل SeedVault یا Stronghold را ارسال کنید", - "importLedger": "I have a Ledger backup", - "importLedgerDescription": "Restore or migrate a Ledger profile" + "importLedger": "من پشتیبان لجری دارم", + "importLedgerDescription": "بازیابی یا انتقال حساب لجر" }, "importFromText": { "seed": { @@ -164,52 +164,52 @@ "body": "جهت بازگردانی کیف پول های خود، فایل بک آپ را وارد کنید. فایل بک آپ میتواند یک استرانگ هُلد (stronghold.) و یا ترینیتی سیدوالت (kdbx.) باشد." }, "importFromLedger": { - "title": "Restore or Migrate your Ledger", - "body": "Restore an existing Firefly Ledger profile, or migrate your funds from Trinity.", - "haveFireflyLedger": "I have a Firefly Ledger backup", - "haveFireflyLedgerDescription": "Restore a Firefly profile", - "haveTrinityLedger": "I have a Trinity Ledger backup", - "haveTrinityLedgerDescription": "Migrate a Trinity profile" + "title": "بازیابی یا انتقال لجر شما", + "body": "بازیابی حساب موجود فایرفلای لجر، یا انتقال وجوه شما از ترینیتی.", + "haveFireflyLedger": "من پشتیبان فایرفلای لجر دارم", + "haveFireflyLedgerDescription": "بازیابی حساب فایرفلای", + "haveTrinityLedger": "من پشتیبان ترینیتی لجری دارم", + "haveTrinityLedgerDescription": "انتقال حساب ترینیتی" }, "connectLedger": { - "title": "Connect your Ledger to Firefly", - "body": "For your Ledger device to be found by Firefly, please ensure that the official Ledger Live application is closed.", - "trafficLight1": "Connect and unlock your Ledger with your PIN", - "trafficLight2": "Open the new IOTA app on your Ledger", - "tips": "Tips if your Ledger isn’t connecting" + "title": "لجر خود را وصل کنید", + "body": "برای اینکه فایرفلای بتواند لجر شما را شناسایی کند، اطمینان حاصل کنید که برنامه ی اصلی لجر لایو بسته باشد.", + "trafficLight1": "لجر خود را وصل و باز کنید", + "trafficLight2": "برنامه جدید آیوتارا روی لجر باز کنید", + "tips": "نکته هایی اگر لجر شما وصل نمی شود" }, "restoreFromFireflyLedger": { - "title": "Restore Your Ledger Profile", - "body": "Press restore to complete the setup process and restore your wallets, balances and transaction history.", - "restoring": "Restoring from Ledger..." + "title": "بازیابی حساب لجری شما", + "body": "بازیابی را انتخاب کنید تا مراحل راه اندازی را کامل کرده و کیف ها، موجودی ها و تاریخچه را بازیابی کنید.", + "restoring": "در حال بازیابی از لجر..." }, "legacyLedgerIntro": { - "title": "Start your Ledger migration using Firefly", - "body1": "Firefly will help you to transfer your tokens to the new Chrysalis network.", - "body2": "After the migration, you will be able to send and receive your tokens using your Ledger with Firefly.", - "readMore": "What to expect from the migration process" + "title": "شروع انتقال لجر با استفاده از فایرفلای", + "body1": "فایرفلای به شما کمک می کند توکن های خود را به شبکه جدید منتقال کنید.", + "body2": "بعد از انتقال، شما می توانید به ارسال و دریافت توکن های خود با استفاده از فایرفلای بپردازید.", + "readMore": "از فرآیند انتقال چه انتظاراتی می توان داشت" }, "generateNewLedgerAddress": { "title": "تولید آدرس جدید", - "body": "You need to generate a new address to migrate your tokens with Firefly. Click the button below to continue.", - "confirmTitle": "Confirm the new address", - "confirmBody": "For security, please compare the address generated on your Ledger device with the one displayed below. If they match, press both buttons on your Ledger as prompted.", - "confirmedTitle": "Address confirmed", - "confirmedBody": "You have confirmed that the address in Firefly matches the one on your Ledger device.", - "generating": "Generating address" + "body": "شما برای انتقال توکن های خود با فایرفلای باید یک آدرس جدید بسازید. برای ادامه روی دکمه زیر کلیک کنید.", + "confirmTitle": "آدرس جدید را تایید کنید", + "confirmBody": "برای امنیت، لطفاً آدرس تولید شده در لجر خود را با آدرس زیر مقایسه کنید. اگر مطابقت دارند، همانطور که از شما خواسته شده است، هر دو دکمه لجر خود فشار دهید.", + "confirmedTitle": "آدرس تایید شد", + "confirmedBody": "شما تأیید کرده‌اید که آدرس موجود در فایرفلای با آدرس لجر شما مطابقت دارد.", + "generating": "تولید آدرس" }, "switchLedgerApps": { - "title": "Switch Ledger apps", + "title": "تغییر برنامه لجر", "body": "Please switch to the {legacy} app on your Ledger device to continue migration. When ready, press continue." }, "selectLedgerAccountIndex": { "title": "Choose Ledger account index", "body": "Choose the Ledger account index you used with Trinity. For most users this will be the default index of 0.", - "accountIndex": "Account Index", - "accountPage": "Account Page", - "standard": "Standard", - "expert": "Expert", - "takingAWhile": "This is taking a while...", + "accountIndex": "شاخص حساب", + "accountPage": "صفحه حساب", + "standard": "عادی", + "expert": "حرفه‌ای", + "takingAWhile": "ممکن است مدتی طول بکشد...", "notGeneratingAddresses": "Is your Ledger generating addresses?", "reinstallLegacy": "If not, disconnect the device and try again. If the issue persists, you may need to reinstall the {legacy} app." }, @@ -292,7 +292,7 @@ "settings": { "settings": "تنظیمات", "generalSettings": { - "title": "General", + "title": "عمومی", "description": "تنظیمات ظاهری و عمومی کیف پول خود را پیکربندی کنید" }, "security": { @@ -300,7 +300,7 @@ "description": "تغییر رمز عبور و تنظیمات مربوط به امنیت" }, "advancedSettings": { - "title": "Advanced", + "title": "پیشرفته", "description": "تنظیمات مربوط به ابزار و راهنما برای کاربران فنی" }, "helpAndInfo": { @@ -337,11 +337,11 @@ "description": "Displays the status of the node you are currently connected to" }, "exportStronghold": { - "title": "Export backup", + "title": "استخراج بک آپ", "description": "استخراج به صورت فایل Stronghold - یک بک آپ گیری کامل و رمزگذاری شده از کیف پول های شما به همراه آخرین تاریخچه تراکنش ها" }, "appLock": { - "title": "Automatic lock", + "title": "ﻗﻔﻞ ﺧﻮﺩﮐﺎﺭ", "description": "مدت زمان عدم فعالیت قبل از قفل شدن کیف پول و خارج شدن از سیستم" }, "changePassword": { @@ -357,9 +357,9 @@ "action": "تغییر PIN" }, "changeProfileName": { - "title": "Change profile name", - "description": "Change your Firefly profile name", - "success": "You changed your profile name" + "title": "تغییر نام حساب", + "description": "نام حساب فایرفلای خود را تغییر دهید", + "success": "نام حساب خود را تغییر دادید" }, "balanceFinder": { "title": "یابنده موجودی", @@ -374,34 +374,34 @@ "description": "کل پروفایل ، کیف پول ها و سابقه تراکنش های شما را حذف می کند. از داشتن نسخه بک آپ مطمئن شوید" }, "deepLinks": { - "title": "IOTA links", + "title": "اتصالات آیوتا", "description": "Automatically fill transaction data in Firefly upon clicking an IOTA link" }, "networkConfiguration": { - "title": "Network config", - "title2": "Network configuration", + "title": "پیکربندی شبکه", + "title2": "پیکربندی شبکه", "description": { "dev": "Your network settings will update automatically according to the current node configuration (switching networks will result in resetting the wallet state)", "nonDev": "Your network settings will update automatically according to the current node configuration" }, "switchedNetworks": "Successfully switched network to \"{networkName}\".", - "resetWallet": "Your wallet state has been reset.", - "connectedTo": "Connected to", + "resetWallet": "کیف پول شما بازنشانی شده است.", + "connectedTo": "اتصال به", "nodeConfiguration": { - "title": "Node selection", + "title": "انتخاب نود", "description": "Select \"Manual\" to configure node settings and connect to your own node(s)", - "automatic": "Automatic", - "manual": "Manual" + "automatic": "خودکار", + "manual": "دستی" } }, "configureNodeList": { - "title": "Node configuration", + "title": "پیکربندی نود", "description": "Manage the list of nodes you connect to", "primaryNode": "گره اصلی", "excludeNode": "حذف گره", "includeNode": "اضافه کردن گره", - "editDetails": "Edit details", - "viewInfo": "View info", + "editDetails": "تغییر جزئیات", + "viewInfo": "نمایش اطلاعات", "setAsPrimary": "تنظیم به عنوان اصلی", "removeNode": "حذف نود", "includeOfficialNodeList": "اضافه کردن لیست گره های رسمی", @@ -417,9 +417,9 @@ "description": "نمایش خطاها برای برطرف کردن مشکل" }, "crashReporting": { - "title": "Crash reports", + "title": "گزارش خرابی", "body": "Help the developers improve Firefly by automatically sending diagnostic data when an error or crash occurs", - "checkbox": "Send crash reports", + "checkbox": "ارسال گزارش مشکل", "advice": "Please restart the Firefly application to {sendCrashReports, select, true {start sharing crash reports} false {stop sharing crash reports} other {apply this change}}" }, "diagnostics": { @@ -427,7 +427,7 @@ "description": "نمایش اطلاعات سیستم و اپلیکیشن" }, "migrateLedgerIndex": { - "title": "Migrate Ledger index", + "title": "انتقال شاخص لجر", "description": "Migrate another Trinity account index" }, "troubleshoot": { @@ -440,7 +440,7 @@ }, "faq": { "title": "پرسش و پاسخ های متداول", - "title2": "Frequently asked questions", + "title2": "سوالات متداول", "description": "نمایش سوالات متداول برای کمک به حل یک مشکل یا سوال" }, "discord": { @@ -473,32 +473,32 @@ "allSettings": "همه تنظیمات", "logout": "خروج از حساب", "stronghold": { - "title": "Profile lock", - "locked": "Stronghold locked", - "unlocked": "Stronghold unlocked" + "title": "قفل حساب", + "locked": "قفل گاوصندق", + "unlocked": "باز کردن گاوصندق" }, "hardware": { - "title": "Hardware Device", + "title": "دستگاه سخت افزاری", "statuses": { - "appNotOpen": "IOTA app not open", - "connected": "Connected", - "legacyConnected": "Legacy app open", - "locked": "Locked", + "appNotOpen": "برنامه آیوتا باز نیست", + "connected": "متصل شد", + "legacyConnected": "برنامه قدیمی باز", + "locked": "قفل شد", "mnemonicMismatch": "Wrong Ledger or mnemonic", - "notDetected": "Not detected", - "otherConnected": "App open" + "notDetected": "یافت نشد", + "otherConnected": "برنامه باز" } }, "backup": { - "title": "Backup your wallets", + "title": "بک آپ گیری از کیف پول ها", "lastBackup": "آخرین به روز رسانی در تاریخ {date}", "notBackedUp": "بک آپ گرفته نشده", - "button": "Backup" + "button": "پشتیبان گیری" }, "version": { - "title": "New update available", - "updateVersion": "Firefly v{version}", - "button": "Update" + "title": "بروزرسانی جدید موجود است", + "updateVersion": "فایرفلای نسخه {version}", + "button": "به‌روزرسانی" } } }, @@ -508,12 +508,12 @@ "upcoming": "Event not started", "commencing": "Pre-staking open", "holdingActive": "Staking in progress", - "holdingInactive": "Staking open", - "inactive": "Staking not detected", - "ended": "Staking ended" + "holdingInactive": "استیکینگ باز است", + "inactive": "استیکینگ یافت نشد", + "ended": "اتمام استیکینگ" }, "summary": { - "stakedFunds": "Staked funds" + "stakedFunds": "وجوه استیک شده" }, "info": { "headers": { @@ -535,28 +535,28 @@ } }, "airdrops": { - "holding": "Remaining", + "holding": "باقی مانده", "commencing": "Until staking begins", "currentStakingPeriod": "Current staking period", "totalWalletRewards": "Total wallet rewards", "assembly": { - "name": "Assembly", + "name": "اسمبلی", "description": "Assembly is a permissionless, highly scalable multi-chain network to build and deploy composable smart contracts. Assembly is the future of web3. " }, "shimmer": { - "name": "Shimmer", + "name": "شیمر", "description": "The incentivized staging network to advance major innovations on IOTA. Whatever happens, happens. How Shimmer evolves is up to you." } }, "banners": { - "new": "New Event", - "complete": "Complete" + "new": "رویداد جدید", + "complete": "کامل شد" } }, "picker": { "color": { - "title": "Color picker", - "hexCode": "Color hex code" + "title": "انتخابگر رنگ", + "hexCode": "کد hex رنگ" } } }, @@ -607,33 +607,33 @@ }, "addressHistory": { "title": "تاریخچه آدرس {name}", - "currentBalance": "Balance: {balance}", - "internal": "Internal Address", - "external": "Deposit Address" + "currentBalance": "موجودی {balance}", + "internal": "آدرس های درونی", + "external": "آدرس دریافت" }, "node": { "titleAdd": "اضافه کردن نود", "titleUpdate": "بروزرسانی یک گره", "titleRemove": "حذف نود", - "titleRemoveAll": "Remove all nodes", + "titleRemoveAll": "حذف همه نود ها", "titleDetails": "جزییات نود", - "titleInfo": "Node info", - "addingNode": "Adding node", - "updatingNode": "Updating node", - "loadingNodeInfo": "Loading node info", + "titleInfo": "اطلاعات نود", + "addingNode": "اضافه کردن نود", + "updatingNode": "بروزرسانی نود", + "loadingNodeInfo": "بارگذاری اطلاعات نود", "nodeAddress": "آدرس نود", "optionalUsername": "نام کاربری (اختیاری)", "optionalPassword": "رمز عبور (اختیاری)", "optionalJwt": "JSON web token (optional)", "setAsPrimaryNode": "تنظیم به عنوان نود اصلی", "removeConfirmation": "آیا مطمئن به حذف این نود هستید؟", - "removeAllConfirmation": "Are you sure you want to remove all nodes?", + "removeAllConfirmation": "آیا مطمئن هستید که میخواهید همه نودها را حذف کنید؟", "info": { "url": "URL", - "software": "Software", - "networkId": "Network ID", + "software": "نرم افزار", + "networkId": "شناسه شبکه", "bech32HRP": "Bech32 HRP", - "features": "Features", + "features": "ویژگی‌ها", "confirmedMilestoneIndex": "Confirmed milestone index", "pruningIndex": "Pruning index", "messagesPerSecond": "پیام ها در ثانیه", @@ -641,10 +641,10 @@ } }, "switchNetwork": { - "title": "Switch network", - "newNetwork": "New network", + "title": "تعویض شبکه‌", + "newNetwork": "شبکه جدید", "resetWarning": "Changing networks will log you out and reset all accounts, balances, and transaction history for this profile.", - "switchingNetwork": "Switching network", + "switchingNetwork": "در حال تعویض شبکه", "typePassword": "Type your password to switch to:" }, "errorLog": { @@ -678,7 +678,7 @@ "body": "Perform a more exhaustive search of addresses to find missing balances and previous airdrop rewards. This may take a while.", "accountsSearched": "Wallets searched", "addressesSearched": "Addresses searched per wallet", - "accountsFound": "Wallets found", + "accountsFound": "کیف های پیدا شده", "totalWalletBalance": "موجودی کل", "searchAgainHint": "Is your balance or number of wallets incorrect? Press search again until your full balance is shown.", "typePassword": "برای شروع جستجو، رمز خود را وارد کنید." @@ -718,7 +718,7 @@ } }, "ledgerConnectionGuide": { - "title": "Tips if your Ledger isn’t connecting", + "title": "نکته هایی اگر لجر شما وصل نمی شود", "steps": { "0": "Make sure Ledger Live is not open on your computer", "1": "Ensure you have unlocked your Ledger device with your PIN", @@ -740,7 +740,7 @@ } }, "ledgerAddress": { - "title": "Confirm receive address", + "title": "آدرس دریافت را تایید کنید", "body": "Confirm that the receive address displayed on your Ledger matches the one displayed below. If they match, press both buttons on your Ledger as prompted." }, "ledgerMigrateIndex": { @@ -748,27 +748,27 @@ "body": "You can also migrate later in Advanced Settings." }, "exportTransactionHistory": { - "title": "Export transaction history", + "title": "خارج کردن سابقه تراکنش ها", "body": "Export the transaction history for the selected wallet. The exported file will be in .csv format.", - "profileName": "Profile name:", - "accountName": "Wallet name:", - "typePassword": "Type your password to allow exporting" + "profileName": "نام حساب:", + "accountName": "نام کیف پول:", + "typePassword": "برای خارج کردن، رمز خود را وارد کنید" }, "stakingManager": { - "title": "Staking Management", + "title": "مدیریت استیک", "description": "When you stake a wallet, you send a transaction to yourself marking those funds as \"staked\". You can transfer the tokens at any time, but you won’t continue receiving staking rewards.", - "totalFundsStaked": "Total funds staked", + "totalFundsStaked": "همه وجوه استیک شده", "stakedSuccessfully": "Your funds have been staked for {account}.", "unstakedSuccessfully": "Your funds have been unstaked for {account}.", "singleAccountHint": "Looking for your wallets? Firefly has changed. Toggle between your wallets in the top menu bar." }, "stakingConfirmation": { "title": "Confirm Participation", - "subtitleStake": "You are about to stake", - "subtitleMerge": "You are about to merge", + "subtitleStake": "شما در حال استیک کردن هستید", + "subtitleMerge": "شما در حال ادغام هستید", "multiAirdropWarning": "If you do not want to participate in both airdrops, you can opt-out below. You can unstake and restake to opt back in at any time.", "mergeStakeWarning": "Your funds will be staked for {airdrop}. To change which airdrops you want to participate in, unstake this wallet and stake it again.", - "estimatedAirdrop": "Estimated rewards" + "estimatedAirdrop": "جوایز تخمین زده شده" }, "newStakingPeriodNotification": { "title": "Staking phase {periodNumber} from {date}", @@ -776,12 +776,12 @@ "info": "Shimmer staking is now complete and only ASMB tokens will be distributed." }, "shimmer-info": { - "title": "About Shimmer", + "title": "درباره ی شیمر", "body1": "Congratulations you have earned SMR tokens as a staking reward. Shimmer is an incentivized staging network to test major upgrades on IOTA.", "body2": "We aim to launch Shimmer in 2022. Your tokens will become available to transfer once the network launches." }, "assembly-info": { - "title": "About Assembly", + "title": "درباره اسمبلی", "body1": "Congratulations you have earned ASMB tokens as a staking reward. Assembly is a multi-chain network for deploying scalable smart contracts on IOTA.", "body2": "We aim to launch Assembly in 2022. Your tokens will become available to transfer once the network launches." }, @@ -790,13 +790,13 @@ "body": "You will be connected to the Chrysalis Devnet by default, and can switch networks manually. Only continue if you know what you are doing." }, "crashReporting": { - "title": "Crash reporting", + "title": "گزارش دادن مشکل", "body": "Help the developers improve Firefly by automatically sending diagnostic data when an error or crash occurs. If selected, this will take effect after restarting Firefly.", - "checkbox": "Send crash reports to the IOTA Foundation" + "checkbox": "ارسال گزارش مشکل ایجاد شده به بنیاد آیوتا" }, "legalUpdate": { - "tosTitle": "Terms of Service", - "privPolicyTitle": "Privacy Policy", + "tosTitle": "شرایط خدمات", + "privPolicyTitle": "سیاست حریم خصوصی", "tosAndPrivPolicyBody": "We have updated Firefly's Terms of Service and Privacy Policy.", "tosBody": "We have updated Firefly's Terms of Service.", "privPolicyBody": "We have updated Firefly's Privacy Policy.", @@ -815,7 +815,7 @@ "outgoingMi": "خروجی {value} Mi", "portoflio": "سبد سهام", "token": "توکن", - "holdings": "Holdings", + "holdings": "در حال انتظار", "accountValue": "مقدار کیف پول", "accountActivity": "فعالیت کیف پول", "timeframe1Hour": "۱ ساعت", @@ -826,8 +826,8 @@ "actions": { "continue": "ادامه", "back": "بازگشت", - "previous": "Previous", - "next": "Next", + "previous": "قبلی", + "next": "بعدی", "cancel": "لغو", "close": "بستن", "dismiss": "نادیده گرفتن", @@ -863,15 +863,15 @@ "dropHere": "فایل خود را این جا بیاندازید", "syncAll": "همگام‌سازی همه", "export": "استخراج", - "exporting": "Exporting", + "exporting": "صادر کردن", "exportNewStronghold": "استخراج یک Stronghold جدید", - "enableDeepLinks": "Enable IOTA links", + "enableDeepLinks": "فعالسازی لینک های آیوتا", "enableDeveloperMode": "فعالسازی حالت برنامه نویسی", "enableSystemNotifications": "فعالسازی اعلان های سیستم", - "exportTransactionHistory": "Export transaction history", + "exportTransactionHistory": "خارج کردن سابقه تراکنش ها", "localProofOfWork": "اثبات کار محلی", "unlock": "بازکردن", - "updateFirefly": "به روز رسانی Firefly", + "updateFirefly": "به روز رسانی فایرفلای", "restartNow": "بستن و باز کردن مجدد", "saveBackup": "ذخیره بک آپ Stronghold", "customizeAcount": "کیف پول سفارشی", @@ -881,16 +881,16 @@ "deleteAccount": "حذف کیف پول", "max": "حداکثر", "addNode": "اضافه کردن نود", - "updateNode": "بروزرسانی گره", + "updateNode": "بروزرسانی نود", "removeNode": "حذف نود", - "removeAllNodes": "Remove all nodes", - "hide": "پنهان کردن", + "removeAllNodes": "حذف همه نود ها", + "hide": "پنهان", "hideOthers": "پنهان کردن بقیه", "showAll": "نمایش همه", "quit": "خروج", - "edit": "ویرایش", - "undo": "تصحیح عمل قبلی", - "redo": "انجام دوباره", + "edit": "تغییر", + "undo": "برگردان", + "redo": "تکرار", "cut": "برش", "copy": "کپی", "paste": "جای‌گذاری", @@ -898,7 +898,7 @@ "addAccount": "اضافه کردن کیف پول", "checkForUpdates": "بررسی برای بروزرسانی", "reportAnIssue": "گزارش مشکل", - "restore": "Restore", + "restore": "بازیابی", "clear": "پاک کردن", "hideDetails": "پنهان کردن جزئیات", "yes": "بله", @@ -920,19 +920,19 @@ "searching": "درحال جستجو...", "closeFirefly": "بستن Firefly", "generateAddress": "تولید آدرس", - "migrateAgain": "Migrate another index", - "visitWebsite": "Visit website", - "howItWorks": "How it works", - "learnAboutStaking": "Learn about staking", - "stake": "Stake", - "unstake": "Unstake", - "stakeFunds": "Stake funds", - "manageStake": "Manage stake", - "merge": "Merge", - "mergeFunds": "Merge funds", - "done": "Done", - "okIUnderstand": "OK, I understand", - "readMore": "Read more" + "migrateAgain": "انتقال شاخصی دیگر", + "visitWebsite": "مشاهده‌ سایت", + "howItWorks": "نحوه عملکرد", + "learnAboutStaking": "آشنایی با استیکینگ", + "stake": "استیک", + "unstake": "خروج از استیک", + "stakeFunds": "استیک وجوه", + "manageStake": "مدیریت استیک", + "merge": "ادغام", + "mergeFunds": "ادغام وجوه", + "done": "تمام", + "okIUnderstand": "بله، متوجه شدم", + "readMore": "بیشتر بخوانید" }, "general": { "password": "رمز عبور", @@ -947,7 +947,7 @@ "received": "دریافت شده", "sendPayment": "ارسال پرداخت", "moveFunds": "انتقال داخلی", - "sendTo": "Send To", + "sendTo": "ارسال به", "sendFunds": "ارسال وجه", "sendToAddress": "ارسال به آدرس", "scanQrOrPaste": "کد QR یا آدرس را وارد کنید", @@ -963,12 +963,12 @@ "from": "فرستنده", "to": "گیرنده", "receiveFunds": "دریافت وجه", - "address": "Address", + "address": "آدرس", "myAddress": "آدرس من", "shareAddress": "اشتراک گذاری یک آدرس", "yourAddress": "آدرس شما", - "newRemainder": "New Remainder", - "remainder": "Remainder", + "newRemainder": "باقی مانده جدید", + "remainder": "باقی مانده", "generateNewAddress": "تولید آدرس جدید", "copyAddress": "کپی کردن آدرس", "import": "وارد کردن", @@ -976,11 +976,11 @@ "stronghold": "استرانگ هُلد", "language": "زبان", "appearance": "ظاهر", - "lightTheme": "Light", - "darkTheme": "Dark", - "systemTheme": "System", + "lightTheme": "روشن", + "darkTheme": "تیره", + "systemTheme": "سیستم", "balance": "موجودی", - "all": "All", + "all": "همه", "incoming": "ورودی", "outgoing": "خروجی", "totalIn": "کل دریافتی", @@ -990,13 +990,13 @@ "profiles": "پروفایل ها", "dev": "برنامه نویس", "createAccount": "ايجاد كيف پول", - "createNewWallet": "Create a new wallet", + "addAWallet": "Add a wallet", "accountName": "نام کیف پول", "latestTransactions": "آخرین تراکنش ها", "transactions": "تراکنش ها", "security": "امنیت", "accountAddress": "آدرس کیف پول", - "network": "Network", + "network": "شبکه", "nodes": "نودها", "wallet": "کیف پول", "help": "راهنما", @@ -1004,7 +1004,7 @@ "messageId": "شناسه پیام", "inputAddress": "ارسال آدرس", "receiveAddress": "آدرس گیرنده", - "newAddress": "New Address", + "newAddress": "آدرس جدید", "date": "تاریخ", "status": "وضعیت", "confirmed": "تایید شده", @@ -1016,15 +1016,15 @@ "firstSync": "همگام سازی تاریخچه، ممکن است مدتی طول بکشد...", "transferSyncing": "همگام سازی کیف پول", "transferSelectingInputs": "در حال انتخاب ورودی ها", - "transferRemainderAddress": "Generating remainder address", - "transferPreparedTransaction": "Preparing transaction", + "transferRemainderAddress": "تولید آدرس دریافت", + "transferPreparedTransaction": "آماده سازی انتقال", "transferSigning": "در حال صحه گذاری تراکنش", "transferPow": "در حال انجام اثبات کار", "transferBroadcasting": "در حال انتشار تراکنش", "transferComplete": "انتقال کامل شد", - "generatingReceiveAddress": "Generating receive address", - "broadcasting": "Broadcasting", - "confirming": "Confirming", + "generatingReceiveAddress": "تولید آدرس دریافت", + "broadcasting": "در حال پخش", + "confirming": "درحال تایید", "creatingAccount": "در حال ساختن کیف پول، لطفا صبر کنید...", "updatingAccount": "در حال بروزرسانی کیف پول، لطفا صبر کنید...", "accountSyncing": "کیف پول در حال همگام سازی است", @@ -1032,7 +1032,7 @@ "passwordUpdating": "در حال به روز رسانی رمز عبور...", "passwordSuccess": "به روز رسانی رمز عبور کامل شد", "passwordFailed": "به روز رسانی رمز عبور ناموفق بود", - "syncing": "Syncing", + "syncing": "همگام سازی", "syncingAccounts": "همگام سازی کیف پول ها...", "exportingStronghold": "استخراج قلعه...", "exportingStrongholdSuccess": "استخراج قلعه با موفقیت انجام شد", @@ -1049,37 +1049,38 @@ "creatingProfile": "در حال ساختن پروفایل، لطفا صبر کنید...", "fundMigration": "انتقال وجوه", "accountRemoved": "این کیف پول مخفی است. برای انجام نقل و انتقالات آنرا آشکار کنید.", - "receivingFrom": "Receiving from {account}", - "sendingTo": "Sending to {account}", - "receivedFrom": "Received from {account}", - "sentTo": "Sent to {account}", - "transferringFrom": "Transferring from {account}", - "transferringTo": "Transferring to {account}", - "transferFrom": "Transfer from {account}", - "transferTo": "Transfer to {account}", - "stakedFor": "Staked for {account}", - "unstakedFor": "Unstaked for {account}", - "votedFor": "Voted for {account}", + "receivingFrom": "در حال دریافت از {account}", + "sendingTo": "در حال ارسال به {account}", + "receivedFrom": "دریافت شده از {account}", + "sentTo": "ارسال شده به {account}", + "transferringFrom": "در حال انتقال از {account}", + "transferringTo": "در حال انتقال به{account}", + "transferFrom": "انتقال از {account}", + "transferTo": "انتقال به {account}", + "stakedFor": "استیک برای {account}", + "unstakedFor": "خروج از استیک برای {account}", + "votedFor": "رای برای {account}", "unvotedFor": "Unvoted for {account}", - "stakingTransaction": "Staking Transaction", - "unstakingTransaction": "Unstaking Transaction", + "stakingTransaction": "استیکینگ تراکنش", + "unstakingTransaction": "تراکنش خروج از استیکینگ", "receiving": "در حال دریافت", "sending": "در حال ارسال", "legacyNetwork": "شبکه قدیمی", "capsLock": "کلید caps lock روشن است", "version": "نسخه {version}", - "yourWallets": "Your Wallets", - "unknown": "Unknown", - "none": "None", - "staked": "Staked", - "unstaked": "Unstaked", - "staking": "Staking", - "unstaking": "Unstaking", - "notStaked": "Not staked", - "stakedFunds": "Staked funds", - "unstakedFunds": "Unstaked funds", - "accountColor": "Wallet color", - "myAssets": "My assets" + "yourWallets": "کیف پول های شما", + "unknown": "ناشناخته", + "none": "هیچ کدام", + "staked": "استیک شده", + "unstaked": "خارج از استیک", + "staking": "در حال استیک", + "unstaking": "خروج از استیک", + "notStaked": "استیک نشده", + "stakedFunds": "استیک وجوه", + "unstakedFunds": "وجوه استیک نشده", + "accountColor": "رنگ کیف پول", + "myAssets": "دارایی های من", + "total": "Total: {balance}" }, "dates": { "today": "امروز", @@ -1229,11 +1230,11 @@ "appNotOpen": "You must open the IOTA app on your Ledger device.", "generic": "There was an error connecting to your Ledger device.", "legacyConnected": "The wrong app is open on your Ledger device.", - "locked": "Please unlock your Ledger device by entering the PIN.", - "mnemonicMismatch": "You have connected the wrong Ledger device or the mnemonic has changed.", - "notDetected": "No Ledger device detected.", - "notFound": "Ledger device not found.", - "otherConnected": "The wrong app is open on your Ledger device.", + "locked": "لطفاً با وارد کردن پین، قفل دستگاه لجر را باز کنید.", + "mnemonicMismatch": "دستگاه لجر اشتباهی را وصل کرده اید یا تغییر کرده است.", + "notDetected": "دستگاه لجری شناسایی نشد.", + "notFound": "دستگاه لجر پیدا نشد.", + "otherConnected": "برنامه اشتباهی در دستگاه لجر شما باز است.", "generateAddress": "There was an error generating an address.", "timeout": "Your Ledger device timed out.", "disconnected": "Your Ledger device was disconnected.", @@ -1252,10 +1253,11 @@ "cannotUseAccount": "Unable to use the specified account.", "cannotFindStakingEvent": "Unable to find staking event.", "cannotVisitAirdropWebsite": "Unable to open the {airdrop} website.", - "invalidStakingEventId": "Invalid staking event ID." + "invalidStakingEventId": "Invalid staking event ID.", + "failedToFetchPreviousRewards": "Failed to fetch previous rewards, please check your firewall settings." }, - "invalidDate": "INVALID DATE", - "invalidTime": "INVALID TIME" + "invalidDate": "تاریخ نامعتبر", + "invalidTime": "زمان نامعتبر" }, "warning": { "node": { @@ -1295,11 +1297,11 @@ "exports": { "transactionHistoryCsv": { "messageId": "شناسه پیام", - "internal": "Internal", - "rawValue": "Raw Value", + "internal": "داخلی", + "rawValue": "مقدار خام", "formattedValue": "Formatted Value", "date": "تاریخ", - "time": "Time" + "time": "زمان" } }, "indicators": { @@ -1310,11 +1312,11 @@ "permissions": { "camera": { "request": "We need your permission to use your camera to be able to scan QR codes.", - "requestInAppSettings": "If you want to grant permission for using your camera to scan QR codes, please enable it in the app settings." + "requestInAppSettings": "اگر می خواهید اجازه استفاده از دوربین را برای اسکن کدهای QR بدهید، لطفاً آن را در تنظیمات برنامه فعال کنید." } }, "tabs": { "wallet": "کیف پول", - "staking": "Staking" + "staking": "استیکینگ" } } diff --git a/packages/shared/locales/fi.json b/packages/shared/locales/fi.json index 4b49944ce04..04df2fd0e9f 100644 --- a/packages/shared/locales/fi.json +++ b/packages/shared/locales/fi.json @@ -990,7 +990,7 @@ "profiles": "Profiilit", "dev": "Kehitys", "createAccount": "Luo lompakko", - "createNewWallet": "Luo uusi lompakko", + "addAWallet": "Add a wallet", "accountName": "Lompakon nimi", "latestTransactions": "Viimeisimmät transaktiot", "transactions": "Transaktiot", @@ -1079,7 +1079,8 @@ "stakedFunds": "Staketut varat", "unstakedFunds": "Varat ilman stakea", "accountColor": "Lompakon väri", - "myAssets": "Minun varani" + "myAssets": "Minun varani", + "total": "Total: {balance}" }, "dates": { "today": "Tänään", @@ -1252,7 +1253,8 @@ "cannotUseAccount": "Ei voida käyttää kyseistä tiliä.", "cannotFindStakingEvent": "Ei voida löytää staking-tapahtumaa.", "cannotVisitAirdropWebsite": "Ei voida avata {airdrop} verkkosivua.", - "invalidStakingEventId": "Virheellinen staking-tapahtumatunnus." + "invalidStakingEventId": "Virheellinen staking-tapahtumatunnus.", + "failedToFetchPreviousRewards": "Failed to fetch previous rewards, please check your firewall settings." }, "invalidDate": "VIRHEELLINEN PÄIVÄMÄÄRÄ", "invalidTime": "VIRHEELLINEN AIKA" diff --git a/packages/shared/locales/fr.json b/packages/shared/locales/fr.json index 914c8d8296f..a0370f74947 100644 --- a/packages/shared/locales/fr.json +++ b/packages/shared/locales/fr.json @@ -990,7 +990,7 @@ "profiles": "Profils", "dev": "Dév", "createAccount": "Créer un Portefeuille", - "createNewWallet": "Créer un nouveau portefeuille", + "addAWallet": "Add a wallet", "accountName": "Nom du portefeuille", "latestTransactions": "Dernières Transactions", "transactions": "Transactions", @@ -1079,7 +1079,8 @@ "stakedFunds": "Fonds placés", "unstakedFunds": "Fonds non placés", "accountColor": "Couleur du portefeuille", - "myAssets": "Mes actifs" + "myAssets": "Mes actifs", + "total": "Total: {balance}" }, "dates": { "today": "Aujourd'hui", @@ -1252,7 +1253,8 @@ "cannotUseAccount": "Impossible d'utiliser le compte spécifié.", "cannotFindStakingEvent": "Impossible de trouver l'événement de Staking.", "cannotVisitAirdropWebsite": "Impossible d'ouvrir le site web de {airdrop}.", - "invalidStakingEventId": "ID d'événement de staking invalide." + "invalidStakingEventId": "ID d'événement de staking invalide.", + "failedToFetchPreviousRewards": "Failed to fetch previous rewards, please check your firewall settings." }, "invalidDate": "DATE NON VALIDE", "invalidTime": "HEURE NON VALIDE" diff --git a/packages/shared/locales/he.json b/packages/shared/locales/he.json index 4d1970b2b07..fe8cd9a730d 100644 --- a/packages/shared/locales/he.json +++ b/packages/shared/locales/he.json @@ -990,7 +990,7 @@ "profiles": "פרופילים", "dev": "Dev", "createAccount": "צור ארנק", - "createNewWallet": "Create a new wallet", + "addAWallet": "Add a wallet", "accountName": "שם ארנק", "latestTransactions": "תנועות אחרונות", "transactions": "תנועות", @@ -1079,7 +1079,8 @@ "stakedFunds": "Staked funds", "unstakedFunds": "Unstaked funds", "accountColor": "Wallet color", - "myAssets": "My assets" + "myAssets": "My assets", + "total": "Total: {balance}" }, "dates": { "today": "Today", @@ -1252,7 +1253,8 @@ "cannotUseAccount": "Unable to use the specified account.", "cannotFindStakingEvent": "Unable to find staking event.", "cannotVisitAirdropWebsite": "Unable to open the {airdrop} website.", - "invalidStakingEventId": "Invalid staking event ID." + "invalidStakingEventId": "Invalid staking event ID.", + "failedToFetchPreviousRewards": "Failed to fetch previous rewards, please check your firewall settings." }, "invalidDate": "INVALID DATE", "invalidTime": "INVALID TIME" diff --git a/packages/shared/locales/hi.json b/packages/shared/locales/hi.json index 040aaf15bd5..10df631b534 100644 --- a/packages/shared/locales/hi.json +++ b/packages/shared/locales/hi.json @@ -990,7 +990,7 @@ "profiles": "प्रोफाइल्स", "dev": "देव", "createAccount": "वॉलेट बनाएं", - "createNewWallet": "Create a new wallet", + "addAWallet": "Add a wallet", "accountName": "वॉलेट का नाम", "latestTransactions": "नवीनतम ट्रांसक्शन्स", "transactions": "ट्रांसक्शन्स", @@ -1079,7 +1079,8 @@ "stakedFunds": "जमा धन", "unstakedFunds": "Unstaked funds", "accountColor": "Wallet color", - "myAssets": "My assets" + "myAssets": "My assets", + "total": "Total: {balance}" }, "dates": { "today": "आज", @@ -1252,7 +1253,8 @@ "cannotUseAccount": "Unable to use the specified account.", "cannotFindStakingEvent": "Unable to find staking event.", "cannotVisitAirdropWebsite": "Unable to open the {airdrop} website.", - "invalidStakingEventId": "Invalid staking event ID." + "invalidStakingEventId": "Invalid staking event ID.", + "failedToFetchPreviousRewards": "Failed to fetch previous rewards, please check your firewall settings." }, "invalidDate": "INVALID DATE", "invalidTime": "INVALID TIME" diff --git a/packages/shared/locales/hr.json b/packages/shared/locales/hr.json index 3ef9d13022a..4111ebdd4d2 100644 --- a/packages/shared/locales/hr.json +++ b/packages/shared/locales/hr.json @@ -756,7 +756,7 @@ }, "stakingManager": { "title": "Upravljanje stakingom", - "description": "Kada pokrećete stake novčanika, šaljete sami sebi transakciju kojom obilježavate ta sredstva kao \"stakeana\". Možete obaviti transfer tih tokena u bilo koje vrijeme, ali nećete nastaviti dobivati nagrade od stakea.", + "description": "Kada pokrećete staking novčanika, šaljete sami sebi transakciju kojom obilježavate ta sredstva kao \"stakeana\". Možete obaviti transfer tih tokena u bilo koje vrijeme, ali nećete nastaviti dobivati nagrade od stakinga.", "totalFundsStaked": "Ukupna sredstva na stakingu", "stakedSuccessfully": "Vaša sredstva su stakeana za {account}.", "unstakedSuccessfully": "Vaša sredstva više nisu na stakeu za {account}.", @@ -773,7 +773,7 @@ "newStakingPeriodNotification": { "title": "{periodNumber} faza stakinga od {date}", "body": "Staking IOTA tokena za Assembly se nastavlja... Sudjelujte u {periodNumber} fazi koja traje 90 dana. Stakeajte svoje IOTA tokene i zaradite ASMB nagrade!", - "info": "Shimmer staking je sada završen i samo će ASMB tokeni biti dstribuirani." + "info": "Shimmer staking je sada završen i samo će ASMB tokeni biti distribuirani." }, "shimmer-info": { "title": "O Shimmeru", @@ -981,8 +981,8 @@ "systemTheme": "Sistemska", "balance": "Stanje računa", "all": "Sve", - "incoming": "Dolazni", - "outgoing": "Odlazni", + "incoming": "Dolazne", + "outgoing": "Odlazne", "totalIn": "Ukupno unutra", "totalOut": "Ukupno van", "accounts": "Novčanici", @@ -990,7 +990,7 @@ "profiles": "Profili", "dev": "Programer", "createAccount": "Stvori novčanik", - "createNewWallet": "Stvorite novi novčanik", + "addAWallet": "Add a wallet", "accountName": "Ime novčanika", "latestTransactions": "Najnovije transakcije", "transactions": "Transakcije", @@ -1079,7 +1079,8 @@ "stakedFunds": "Sredstva na stakeu", "unstakedFunds": "Sredstva koja nisu na stakeu", "accountColor": "Boja novčanika", - "myAssets": "Moja imovina" + "myAssets": "Moja imovina", + "total": "Total: {balance}" }, "dates": { "today": "Danas", @@ -1252,7 +1253,8 @@ "cannotUseAccount": "Nije moguće koristiti odabrani račun.", "cannotFindStakingEvent": "Nije moguće pronaći staking događaj.", "cannotVisitAirdropWebsite": "Nije moguće otvoriti {airdrop} web stranicu.", - "invalidStakingEventId": "Nevažeći ID staking događaja." + "invalidStakingEventId": "Nevažeći ID staking događaja.", + "failedToFetchPreviousRewards": "Failed to fetch previous rewards, please check your firewall settings." }, "invalidDate": "NEVAŽEĆI DATUM", "invalidTime": "NEVAŽEĆE VRIJEME" diff --git a/packages/shared/locales/hu.json b/packages/shared/locales/hu.json index 62e0eef0701..bf869f60a23 100644 --- a/packages/shared/locales/hu.json +++ b/packages/shared/locales/hu.json @@ -462,9 +462,9 @@ }, "dashboard": { "network": { - "networkOperational": "Network operational", - "networkDegraded": "Network degraded", - "networkDown": "Network disconnected", + "networkOperational": "Hálózat elérhető", + "networkDegraded": "Hálózati problémák", + "networkDown": "A hálózat nem elérhető", "status": "Állapot", "messagesPerSecond": "Üzenet / másodperc", "referencedRate": "Hivatkozási arány" @@ -473,32 +473,32 @@ "allSettings": "Beállítások", "logout": "Kijelentkezés", "stronghold": { - "title": "Profile lock", - "locked": "Stronghold locked", - "unlocked": "Stronghold unlocked" + "title": "Profilzár", + "locked": "Stronghold lezárva", + "unlocked": "Stronghold kinyitva" }, "hardware": { - "title": "Hardware Device", + "title": "Hardvereszköz", "statuses": { - "appNotOpen": "IOTA app not open", - "connected": "Connected", - "legacyConnected": "Legacy app open", - "locked": "Locked", - "mnemonicMismatch": "Wrong Ledger or mnemonic", - "notDetected": "Not detected", - "otherConnected": "App open" + "appNotOpen": "IOTA alkalmazás nincs megnyitva", + "connected": "Csatlakozva", + "legacyConnected": "Régi alkalmazás megnyitva", + "locked": "Lezárva", + "mnemonicMismatch": "Rossz Ledger eszköz vagy emlékeztető mondat", + "notDetected": "Nem található", + "otherConnected": "Alkalmazás megnyitva" } }, "backup": { - "title": "Backup your wallets", + "title": "Tárcák biztonsági mentése", "lastBackup": "Utolsó biztonsági mentés ideje: {date}", "notBackedUp": "Nincs biztonsági mentés", - "button": "Backup" + "button": "Biztonsági mentés" }, "version": { - "title": "New update available", + "title": "Új frissítés elérhető", "updateVersion": "Firefly v{version}", - "button": "Update" + "button": "Frissítés" } } }, @@ -517,28 +517,28 @@ }, "info": { "headers": { - "upcoming": "Check back later", - "commencing": "Pre-staking is open", - "holding": "{duration} of staking left", - "ended": "Staking has now ended", - "inactive": "No staking events detected" + "upcoming": "Próbálkozzon később", + "commencing": "Előzetes letétbe helyezés elérhető", + "holding": "{duration} maradt hátra a staking eseményből", + "ended": "A staking véget ért", + "inactive": "Nincs staking esemény" }, "bodies": { - "upcoming": "Stake your {token} tokens to automatically receive rewards every 10 seconds once staking starts on {date}.", - "commencing": "Stake your {token} tokens to automatically receive rewards every 10 seconds once staking starts on {date}.", - "holdingAndStaking": "You automatically receive rewards every 10 seconds.", - "holdingAndNotStaking": "Stake your {token} tokens to receive rewards every 10 seconds.", - "endedAndDidStake": "{token} rewards will be distributed to your wallet once the network launches.", - "endedAndDidNotStake": "You did not participate in this airdrop.", - "endedAndDidNotReachMinRewards": "You did not stake enough {token} tokens to reach the minimum airdrop rewards.", - "inactive": "Open network configuration in the advanced settings and make sure the current node has the \"Participation\" feature by clicking \"View info\"." + "upcoming": "Helyezze letétbe {token} tokenjeit, hogy 10 másodpercenként jutalmat kapjon, amint a staking elkezdődik ({date}).", + "commencing": "Helyezze letétbe {token} tokenjeit, hogy 10 másodpercenként jutalmat kapjon, amint a staking elkezdődik ({date}).", + "holdingAndStaking": "10 másodpercenként jutalmat fog kapni.", + "holdingAndNotStaking": "Helyezze letétbe {token} tokenjeit, hogy 10 másodpercenként jutalmat kapjon.", + "endedAndDidStake": "{token} jutalmát a tárcájába fogjuk küldeni a hálózat indulásakor.", + "endedAndDidNotStake": "Nem vett részt ezen a staking eseményen.", + "endedAndDidNotReachMinRewards": "Nem helyezett letétbe elegendő {token} tokent, hogy a minimálisan jóváírható jutalmat megkapja.", + "inactive": "Nyissa meg a Hálózati beállítást a Haladó beállításokban és győződjön meg róla, hogy a “részvétel” funkciót támogatja a csomópont az “Információk megjelenítésére” kattintva." } }, "airdrops": { "holding": "Fennmaradó idő", "commencing": "Amíg a staking elkezdődik", - "currentStakingPeriod": "Current staking period", - "totalWalletRewards": "Total wallet rewards", + "currentStakingPeriod": "Jelenlegi staking időszak", + "totalWalletRewards": "Összes jutalom", "assembly": { "name": "Assembly", "description": "Az Assembly egy jogosultságok nélkül használható nagymértékben skálázható többláncú hálózat, mely okos szerződések létrehozásához és életbe léptetésére használható. Az Assembly a web3 jövője." @@ -549,8 +549,8 @@ } }, "banners": { - "new": "New Event", - "complete": "Complete" + "new": "Új esemény", + "complete": "Véget ért" } }, "picker": { @@ -675,12 +675,12 @@ }, "balanceFinder": { "title": "Egyenlegkereső", - "body": "Perform a more exhaustive search of addresses to find missing balances and previous airdrop rewards. This may take a while.", - "accountsSearched": "Wallets searched", - "addressesSearched": "Addresses searched per wallet", - "accountsFound": "Wallets found", + "body": "Alaposan átnézi és összegyűjti címeiről a hiányzó tokenjeit és korábbi jutalmait. Ez eltarthat egy ideig.", + "accountsSearched": "Átkutatott tárcák", + "addressesSearched": "Átkutatott címek tárcánként", + "accountsFound": "Talált tárcák", "totalWalletBalance": "Összesített egyenleg", - "searchAgainHint": "Is your balance or number of wallets incorrect? Press search again until your full balance is shown.", + "searchAgainHint": "Helytelen az egyenlege vagy tárcáinak száma? Használja addig a keresést, amíg a helyes egyenleget nem látja.", "typePassword": "Adja meg jelszavát a keresés engedélyezéséhez." }, "riskFunds": { @@ -751,7 +751,7 @@ "title": "Korábbi tranzakciók exportálása", "body": "Exportálja a kiválasztott tárcához tartozó korábbi tranzakciókat. Az exportált fájl formátuma .csv.", "profileName": "Profil neve:", - "accountName": "Wallet name:", + "accountName": "Tárca neve:", "typePassword": "Adja meg jelszavát az exportálás engedélyezéséhez" }, "stakingManager": { @@ -760,20 +760,20 @@ "totalFundsStaked": "Teljes letétbe helyezett összeg", "stakedSuccessfully": "A(z) {account} számlán lévő tokenjei letétbe lettek helyezve.", "unstakedSuccessfully": "A(z) {account} számlán lévő tokenjei ki lettek véve a letétből.", - "singleAccountHint": "Looking for your wallets? Firefly has changed. Toggle between your wallets in the top menu bar." + "singleAccountHint": "A tárcáit keresi? A Firefly megváltozott. A tárcák közötti váltáshoz használja a felső menüsort." }, "stakingConfirmation": { - "title": "Confirm Participation", + "title": "Részvétel megerősítése", "subtitleStake": "Letétbe helyezés megerősítése", "subtitleMerge": "Összevonást kezdeményezett", - "multiAirdropWarning": "If you do not want to participate in both airdrops, you can opt-out below. You can unstake and restake to opt back in at any time.", - "mergeStakeWarning": "Your funds will be staked for {airdrop}. To change which airdrops you want to participate in, unstake this wallet and stake it again.", + "multiAirdropWarning": "Ha nem kíván mindkét jutalomban részesülni, alább kiszállhat. Később bármikor kiveheti a letétből, majd újra visszahelyezheti.", + "mergeStakeWarning": "A tokenjei részt vesznek a(z) {airdrop} jutalommal járó staking eseményen. Ha szeretné később megváltoztatni, hogy melyik jutalomban részesüljön, akkor vegye ki a letétből tárcáját, majd újra helyezze letétbe.", "estimatedAirdrop": "Becsült jutalmak" }, "newStakingPeriodNotification": { - "title": "Staking phase {periodNumber} from {date}", - "body": "IOTA staking for Assembly continues... Participate in phase {periodNumber} for 90 days. Stake your IOTA tokens and earn ASMB rewards!", - "info": "Shimmer staking is now complete and only ASMB tokens will be distributed." + "title": "{periodNumber}. staking fázis ({date})", + "body": "Az IOTA staking ASMB token jutalomért folytatódik. Vegyen részt a {periodNumber}. fázisban 90 napig.", + "info": "A Shimmer staking véget ért. Csak ASMB tokeneket fog jutalmul kapni." }, "shimmer-info": { "title": "Shimmerről", @@ -805,9 +805,9 @@ "privPolicyCheckbox": "Elolvastam és elfogadom az Adatvédelmi irányelveket" }, "singleAccountGuide": { - "title": "The way you use Firefly has changed", - "body": "The content of each tab is now in the context of a single wallet. You can change the selected wallet from anywhere by using the switcher in the title bar.", - "hint": "Can't find a wallet? Use the balance finder in the settings to discover previously used wallets." + "title": "A Firefly használata megváltozott", + "body": "Az egyes tabok tartalma mostantól egyetlen tárcára vonatkozik. A tárcák között bármikor válthat a felső menüsorban.", + "hint": "Nem találja tárcáját? Használja az Egyenlegkeresőt a beállítások között a korábban használt tárcák megtalálásához." } }, "charts": { @@ -931,8 +931,8 @@ "merge": "Összevonás", "mergeFunds": "Egyenlegek összevonása", "done": "Kész", - "okIUnderstand": "OK, I understand", - "readMore": "Read more" + "okIUnderstand": "Rendben, értem", + "readMore": "Bővebben" }, "general": { "password": "Jelszó", @@ -990,7 +990,7 @@ "profiles": "Profilok", "dev": "Fejlesztő", "createAccount": "Tárca létrehozása", - "createNewWallet": "Create a new wallet", + "addAWallet": "Add a wallet", "accountName": "Tárca neve", "latestTransactions": "Legutóbbi tranzakciók", "transactions": "Tranzakciók", @@ -1049,20 +1049,20 @@ "creatingProfile": "Profil létrehozása folyamatban, kérjük várjon...", "fundMigration": "Egyenleg migrálása", "accountRemoved": "Rejtett tárcából nem tud küldeni. Állítsa be előbb a rejtett tárcák megjelenítését.", - "receivingFrom": "Receiving from {account}", - "sendingTo": "Sending to {account}", - "receivedFrom": "Received from {account}", - "sentTo": "Sent to {account}", - "transferringFrom": "Transferring from {account}", - "transferringTo": "Transferring to {account}", - "transferFrom": "Transfer from {account}", - "transferTo": "Transfer to {account}", + "receivingFrom": "{account} számláról érkezik", + "sendingTo": "{account} számlára küldés folyamatban", + "receivedFrom": "{account} számláról érkezett", + "sentTo": "{account} számlára elküldve", + "transferringFrom": "Egyenlegátvezetés folyamatban {account} számláról", + "transferringTo": "Egyenlegátvezetés folyamatban {account} számlára", + "transferFrom": "Egyenlegátvezetés {account} számláról", + "transferTo": "Egyenlegátvezetés {account} számlára", "stakedFor": "{account} letétbe helyezve", "unstakedFor": "{account} letétből kivéve", "votedFor": "{account} szavazott", "unvotedFor": "{account} szavazat visszavonva", - "stakingTransaction": "Staking Transaction", - "unstakingTransaction": "Unstaking Transaction", + "stakingTransaction": "Staking tranzakció", + "unstakingTransaction": "Staking visszavonás tranzakció", "receiving": "Fogadás...", "sending": "Küldés...", "legacyNetwork": "Régi hálózat", @@ -1079,7 +1079,8 @@ "stakedFunds": "Letétbe helyezett összeg", "unstakedFunds": "Letétben nem lévő összeg", "accountColor": "Tárcaszín", - "myAssets": "My assets" + "myAssets": "Pénzügyi eszközeim", + "total": "Total: {balance}" }, "dates": { "today": "Ma", @@ -1127,9 +1128,9 @@ } } }, - "syncing": "Please wait until synchronization is finished to change wallets.", - "transferring": "Please wait until all transactions are completed to change wallets.", - "participating": "Please wait until all staking/voting transactions are completed to change wallets." + "syncing": "Kérjük várja meg a szinkronizáció befejeződését a tárcák közti váltás előtt.", + "transferring": "Kérjük várja meg az összes tranzakció befejeződését a tárcák közti váltás előtt.", + "participating": "Kérjük várja meg az összes staking/szavazás tranzakció befejeződését a tárcák közti váltás előtt." }, "error": { "profile": { @@ -1252,17 +1253,18 @@ "cannotUseAccount": "A megadott számlát nem lehet használni.", "cannotFindStakingEvent": "A staking esemény nem található.", "cannotVisitAirdropWebsite": "A(z) {airdrop} weboldal nem elérhető.", - "invalidStakingEventId": "Hibás staking esemény azonosító." + "invalidStakingEventId": "Hibás staking esemény azonosító.", + "failedToFetchPreviousRewards": "Failed to fetch previous rewards, please check your firewall settings." }, - "invalidDate": "INVALID DATE", - "invalidTime": "INVALID TIME" + "invalidDate": "Helytelen dátum", + "invalidTime": "Helytelen idő" }, "warning": { "node": { "http": "A csomópontok HTTP kapcsolaton történő elérése a titkosítatlan adatforgalom miatt biztonsági kockázattal jár." }, "participation": { - "noFunds": "You do not have any IOTA." + "noFunds": "Nincs egyetlen IOTA tokenje sem." } }, "tooltips": { @@ -1277,7 +1279,7 @@ "partiallyStakedFunds": { "title": "Új letétbe nem helyezett összeg: {amount}", "titleNoFunds": "Új letétbe nem helyezett összeg", - "preBody": "You have received tokens that are not staked.", + "preBody": "Letétbe nem helyezett tokenjei vannak.", "body": "Az újonnan érkezett tokeneket kézzel letétbe kell helyeznie, hogy jutalmat kapjon értük." }, "stakingMinRewards": { diff --git a/packages/shared/locales/id.json b/packages/shared/locales/id.json index e42c0425e22..afd0ca4f6d7 100644 --- a/packages/shared/locales/id.json +++ b/packages/shared/locales/id.json @@ -990,7 +990,7 @@ "profiles": "Profil", "dev": "Pengembang", "createAccount": "Buat dompet", - "createNewWallet": "Create a new wallet", + "addAWallet": "Add a wallet", "accountName": "Nama Dompet", "latestTransactions": "Transaksi terbaru", "transactions": "Transaksi", @@ -1079,7 +1079,8 @@ "stakedFunds": "Dana yang di-stake", "unstakedFunds": "Dana yang tidak di-stake", "accountColor": "Warna dompet", - "myAssets": "My assets" + "myAssets": "My assets", + "total": "Total: {balance}" }, "dates": { "today": "Hari ini", @@ -1252,7 +1253,8 @@ "cannotUseAccount": "Tidak dapat menggunakan akun tersebut.", "cannotFindStakingEvent": "Tidak dapat menemukan event staking.", "cannotVisitAirdropWebsite": "Tidak dapat membuka halaman web {airdrop}.", - "invalidStakingEventId": "ID staking event tidak sesuai." + "invalidStakingEventId": "ID staking event tidak sesuai.", + "failedToFetchPreviousRewards": "Failed to fetch previous rewards, please check your firewall settings." }, "invalidDate": "INVALID DATE", "invalidTime": "INVALID TIME" diff --git a/packages/shared/locales/it.json b/packages/shared/locales/it.json index 047c183a80d..19bda5c9e98 100644 --- a/packages/shared/locales/it.json +++ b/packages/shared/locales/it.json @@ -773,7 +773,7 @@ "newStakingPeriodNotification": { "title": "Fase di Staking {periodNumber} da {date}", "body": "Lo staking di IOTA per Assembly continua... Partecipa alla fase {periodNumber} per 90 giorni. Metti in stake i tuoi token IOTA e ricevi premi ASMB!", - "info": "Lo stakin per Shimmer è completat, solo i token ASMB saranno distribuiti." + "info": "Lo staking per Shimmer è completato, solo i token ASMB saranno distribuiti." }, "shimmer-info": { "title": "Informazioni su Shimmer", @@ -990,7 +990,7 @@ "profiles": "Profili", "dev": "Dev", "createAccount": "Crea un wallet", - "createNewWallet": "Crea un nuovo wallet", + "addAWallet": "Add a wallet", "accountName": "Nome wallet", "latestTransactions": "Ultime Transazioni", "transactions": "Transazioni", @@ -1079,7 +1079,8 @@ "stakedFunds": "Fondi in staking", "unstakedFunds": "Fondi non in staking", "accountColor": "Colore Wallet", - "myAssets": "I miei Asset" + "myAssets": "I miei Asset", + "total": "Total: {balance}" }, "dates": { "today": "Oggi", @@ -1252,7 +1253,8 @@ "cannotUseAccount": "Impossibile utilizzare l'account specificato.", "cannotFindStakingEvent": "Impossibile trovare l'evento di staking.", "cannotVisitAirdropWebsite": "Impossibile aprire il sito web {airdrop}.", - "invalidStakingEventId": "ID evento staking non valido." + "invalidStakingEventId": "ID evento staking non valido.", + "failedToFetchPreviousRewards": "Failed to fetch previous rewards, please check your firewall settings." }, "invalidDate": "DATA INVALIDA", "invalidTime": "ORARIO INVALIDO" diff --git a/packages/shared/locales/ja.json b/packages/shared/locales/ja.json index 9980b0ac870..a77c2bed984 100644 --- a/packages/shared/locales/ja.json +++ b/packages/shared/locales/ja.json @@ -462,7 +462,7 @@ }, "dashboard": { "network": { - "networkOperational": "Network operational", + "networkOperational": "ネットワークは正常に機能しています", "networkDegraded": "ネットワークが劣化しました", "networkDown": "ネットワーク接続が切断されました", "status": "ステータス", @@ -519,7 +519,7 @@ "headers": { "upcoming": "後で確認する", "commencing": "事前ステーキングは開いています", - "holding": "{duration} of staking left", + "holding": "ステーキング残り{duration}", "ended": "ステーキングは終了しました", "inactive": "ステーキングイベントが検出されませんでした" }, @@ -530,8 +530,8 @@ "holdingAndNotStaking": "{token} トークンをステークして10秒ごとに報酬を受け取ります。", "endedAndDidStake": "ネットワークが起動すると、{token} 報酬がウォレットに配布されます。", "endedAndDidNotStake": "このエアドロップに参加していません。", - "endedAndDidNotReachMinRewards": "You did not stake enough {token} tokens to reach the minimum airdrop rewards.", - "inactive": "Open network configuration in the advanced settings and make sure the current node has the \"Participation\" feature by clicking \"View info\"." + "endedAndDidNotReachMinRewards": "エアドロップの最小報酬に到達するのに十分な{token}トークンをステークしていませんでした。", + "inactive": "高度な設定でネットワーク構成を開き、「情報を表示」をクリックして現在のノードに「参加」機能があることを確認します。" } }, "airdrops": { @@ -675,12 +675,12 @@ }, "balanceFinder": { "title": "残高を検索する", - "body": "Perform a more exhaustive search of addresses to find missing balances and previous airdrop rewards. This may take a while.", - "accountsSearched": "Wallets searched", - "addressesSearched": "Addresses searched per wallet", + "body": "アドレスのより徹底的な検索を実行して、不足している残高と以前のエアドロップ報酬を見つけます。 これは時間がかかる場合があります。", + "accountsSearched": "検索されたウォレット", + "addressesSearched": "ウォレットごとに検索されたアドレス", "accountsFound": "ウォレットが見つかりました", "totalWalletBalance": "合計残高", - "searchAgainHint": "Is your balance or number of wallets incorrect? Press search again until your full balance is shown.", + "searchAgainHint": "残高やウォレットの数が間違っていませんか?完全な残高が表示されるまで再度検索を押してください。", "typePassword": "検索できるようにパスワードを入力してください。" }, "riskFunds": { @@ -760,19 +760,19 @@ "totalFundsStaked": "ステークの合計", "stakedSuccessfully": "あなたの資金は {account}にステークされました。", "unstakedSuccessfully": "あなたの資金は {account}にステーク解除されました。", - "singleAccountHint": "Looking for your wallets? Firefly has changed. Toggle between your wallets in the top menu bar." + "singleAccountHint": "ウォレットをお探しですか?Firefly が変更されました。トップメニューバーのウォレット間を切り替えます。" }, "stakingConfirmation": { - "title": "Confirm Participation", + "title": "参加します", "subtitleStake": "ステークしようとしています", "subtitleMerge": "合算しようとしています", - "multiAirdropWarning": "If you do not want to participate in both airdrops, you can opt-out below. You can unstake and restake to opt back in at any time.", - "mergeStakeWarning": "Your funds will be staked for {airdrop}. To change which airdrops you want to participate in, unstake this wallet and stake it again.", + "multiAirdropWarning": "両方のエアドロップに参加したくない場合は、以下からオプトアウトすることができます。 ステークを解除し、再度 ステークすることで、いつでもオプトインできます。", + "mergeStakeWarning": "資金は {airdrop}に投資されます。参加したいエアドロップを変更するには、このウォレットのステークを解除し、再度ステークします。", "estimatedAirdrop": "推定された報酬" }, "newStakingPeriodNotification": { "title": "{periodNumber} からのステーキングフェーズ {date}", - "body": "IOTA staking for Assembly continues... Participate in phase {periodNumber} for 90 days. Stake your IOTA tokens and earn ASMB rewards!", + "body": "Assembly のIOTAステーキングは続行されます...フェーズ{periodNumber}に90日間参加します。 IOTAトークンをステークして、ASMB報酬を獲得しましょう!", "info": "Shimmerステーキングが完了し、ASMBトークンのみが配布されます。" }, "shimmer-info": { @@ -805,9 +805,9 @@ "privPolicyCheckbox": "更新されたプライバシーポリシーに同意します" }, "singleAccountGuide": { - "title": "The way you use Firefly has changed", - "body": "The content of each tab is now in the context of a single wallet. You can change the selected wallet from anywhere by using the switcher in the title bar.", - "hint": "Can't find a wallet? Use the balance finder in the settings to discover previously used wallets." + "title": "Firefly の使い方が変わりました", + "body": "各タブのコンテンツは、単一のウォレットのコンテクストになりました。 タイトルバーのスイッチャーを使用して、選択したウォレットをどこからでも変更できます。", + "hint": "ウォレットが見つかりませんか?設定のバランスファインダーを使用して、以前に使用したウォレットを見つけてください。" } }, "charts": { @@ -931,7 +931,7 @@ "merge": "統合", "mergeFunds": "資金を統合", "done": "完了しました", - "okIUnderstand": "OK, I understand", + "okIUnderstand": "はい。分かりました", "readMore": "もっと読む" }, "general": { @@ -990,7 +990,7 @@ "profiles": "プロフィール", "dev": "開発者", "createAccount": "ウォレットを作成", - "createNewWallet": "新しいウォレットを作成", + "addAWallet": "Add a wallet", "accountName": "ウォレット名", "latestTransactions": "最新の取引", "transactions": "取引履歴", @@ -1049,20 +1049,20 @@ "creatingProfile": "プロフィールを作成しています。お待ちください...", "fundMigration": "資金の移行", "accountRemoved": "このウォレットは非表示になっています。表示にすると転送ができます。", - "receivingFrom": "Receiving from {account}", - "sendingTo": "Sending to {account}", - "receivedFrom": "Received from {account}", - "sentTo": "Sent to {account}", - "transferringFrom": "Transferring from {account}", - "transferringTo": "Transferring to {account}", - "transferFrom": "Transfer from {account}", - "transferTo": "Transfer to {account}", + "receivingFrom": "{account} から着金中", + "sendingTo": "{account} に送金中", + "receivedFrom": "{account} から着金しました", + "sentTo": "{account} に送金しました", + "transferringFrom": "{account} から転送中", + "transferringTo": "{account} に転送中", + "transferFrom": "{account}からの転送", + "transferTo": "{account}に転送", "stakedFor": "{account} にステークしました", "unstakedFor": "{account} の解除したステーク", "votedFor": "{account} に投票", "unvotedFor": "{account} の投票を解除", - "stakingTransaction": "Staking Transaction", - "unstakingTransaction": "Unstaking Transaction", + "stakingTransaction": "ステーキング取引", + "unstakingTransaction": "アンステーキング取引", "receiving": "着金中", "sending": "送金中", "legacyNetwork": "レガシーネットワーク", @@ -1079,7 +1079,8 @@ "stakedFunds": "ステーク資金", "unstakedFunds": "解除したステーク資金", "accountColor": "ウォレットの色", - "myAssets": "My assets" + "myAssets": "My Assets(マイアセット)", + "total": "Total: {balance}" }, "dates": { "today": "今日", @@ -1127,9 +1128,9 @@ } } }, - "syncing": "Please wait until synchronization is finished to change wallets.", - "transferring": "Please wait until all transactions are completed to change wallets.", - "participating": "Please wait until all staking/voting transactions are completed to change wallets." + "syncing": "ウォレットを変更するには、同期が完了するまでお待ちください。", + "transferring": "ウォレットを変更するには、すべての取引が完了するまでお待ちください。", + "participating": "ウォレットを変更するには、すべてのステーク/投票取引が完了するまでお待ちください。" }, "error": { "profile": { @@ -1252,7 +1253,8 @@ "cannotUseAccount": "指定されたアカウントを使用できません。", "cannotFindStakingEvent": "ステーキングイベントを見つけることができません。", "cannotVisitAirdropWebsite": "{airdrop} ウェブサイトを開くことができません。", - "invalidStakingEventId": "不正なステーキングイベントIDです。" + "invalidStakingEventId": "不正なステーキングイベントIDです。", + "failedToFetchPreviousRewards": "Failed to fetch previous rewards, please check your firewall settings." }, "invalidDate": "無効な日付", "invalidTime": "無効な時間" diff --git a/packages/shared/locales/ko.json b/packages/shared/locales/ko.json index a2f45fb144c..53ebaf6b4f6 100644 --- a/packages/shared/locales/ko.json +++ b/packages/shared/locales/ko.json @@ -990,7 +990,7 @@ "profiles": "프로필", "dev": "개발자", "createAccount": "지갑 만들기", - "createNewWallet": "Create a new wallet", + "addAWallet": "Add a wallet", "accountName": "지갑 이름", "latestTransactions": "최근 거래", "transactions": "거래내역", @@ -1079,7 +1079,8 @@ "stakedFunds": "Staking 자금", "unstakedFunds": "Unstaked funds", "accountColor": "지갑 색상", - "myAssets": "My assets" + "myAssets": "My assets", + "total": "Total: {balance}" }, "dates": { "today": "오늘", @@ -1252,7 +1253,8 @@ "cannotUseAccount": "Unable to use the specified account.", "cannotFindStakingEvent": "Unable to find staking event.", "cannotVisitAirdropWebsite": "Unable to open the {airdrop} website.", - "invalidStakingEventId": "Invalid staking event ID." + "invalidStakingEventId": "Invalid staking event ID.", + "failedToFetchPreviousRewards": "Failed to fetch previous rewards, please check your firewall settings." }, "invalidDate": "INVALID DATE", "invalidTime": "INVALID TIME" diff --git a/packages/shared/locales/ku.json b/packages/shared/locales/ku.json index 565dea44a20..3ad6998f906 100644 --- a/packages/shared/locales/ku.json +++ b/packages/shared/locales/ku.json @@ -990,7 +990,7 @@ "profiles": "Profîl", "dev": "Pêşvebir", "createAccount": "Cuzdanek nû çêke", - "createNewWallet": "Create a new wallet", + "addAWallet": "Add a wallet", "accountName": "Navê Cuzdankê", "latestTransactions": "Transferên Dawî", "transactions": "Lîsteya Transferan", @@ -1079,7 +1079,8 @@ "stakedFunds": "Staked funds", "unstakedFunds": "Unstaked funds", "accountColor": "Wallet color", - "myAssets": "My assets" + "myAssets": "My assets", + "total": "Total: {balance}" }, "dates": { "today": "Evro", @@ -1252,7 +1253,8 @@ "cannotUseAccount": "Unable to use the specified account.", "cannotFindStakingEvent": "Unable to find staking event.", "cannotVisitAirdropWebsite": "Unable to open the {airdrop} website.", - "invalidStakingEventId": "Invalid staking event ID." + "invalidStakingEventId": "Invalid staking event ID.", + "failedToFetchPreviousRewards": "Failed to fetch previous rewards, please check your firewall settings." }, "invalidDate": "INVALID DATE", "invalidTime": "INVALID TIME" diff --git a/packages/shared/locales/lv.json b/packages/shared/locales/lv.json index 4e461b2cd6e..7bd5ccc399d 100644 --- a/packages/shared/locales/lv.json +++ b/packages/shared/locales/lv.json @@ -990,7 +990,7 @@ "profiles": "Profiles", "dev": "Dev", "createAccount": "Create a Wallet", - "createNewWallet": "Create a new wallet", + "addAWallet": "Add a wallet", "accountName": "Wallet name", "latestTransactions": "Latest Transactions", "transactions": "Transactions", @@ -1079,7 +1079,8 @@ "stakedFunds": "Staked funds", "unstakedFunds": "Unstaked funds", "accountColor": "Wallet color", - "myAssets": "My assets" + "myAssets": "My assets", + "total": "Total: {balance}" }, "dates": { "today": "Today", @@ -1252,7 +1253,8 @@ "cannotUseAccount": "Unable to use the specified account.", "cannotFindStakingEvent": "Unable to find staking event.", "cannotVisitAirdropWebsite": "Unable to open the {airdrop} website.", - "invalidStakingEventId": "Invalid staking event ID." + "invalidStakingEventId": "Invalid staking event ID.", + "failedToFetchPreviousRewards": "Failed to fetch previous rewards, please check your firewall settings." }, "invalidDate": "INVALID DATE", "invalidTime": "INVALID TIME" diff --git a/packages/shared/locales/mk.json b/packages/shared/locales/mk.json index 2eee84a93f3..17de7f4d601 100644 --- a/packages/shared/locales/mk.json +++ b/packages/shared/locales/mk.json @@ -990,7 +990,7 @@ "profiles": "Профили", "dev": "Девелопер", "createAccount": "Креирај паричник", - "createNewWallet": "Create a new wallet", + "addAWallet": "Add a wallet", "accountName": "Име на паричник", "latestTransactions": "Последни трансакции", "transactions": "Трансакции", @@ -1079,7 +1079,8 @@ "stakedFunds": "Staked funds", "unstakedFunds": "Unstaked funds", "accountColor": "Wallet color", - "myAssets": "My assets" + "myAssets": "My assets", + "total": "Total: {balance}" }, "dates": { "today": "Денес", @@ -1252,7 +1253,8 @@ "cannotUseAccount": "Unable to use the specified account.", "cannotFindStakingEvent": "Unable to find staking event.", "cannotVisitAirdropWebsite": "Unable to open the {airdrop} website.", - "invalidStakingEventId": "Invalid staking event ID." + "invalidStakingEventId": "Invalid staking event ID.", + "failedToFetchPreviousRewards": "Failed to fetch previous rewards, please check your firewall settings." }, "invalidDate": "INVALID DATE", "invalidTime": "INVALID TIME" diff --git a/packages/shared/locales/nl.json b/packages/shared/locales/nl.json index 3097ff6b23b..a251068889f 100644 --- a/packages/shared/locales/nl.json +++ b/packages/shared/locales/nl.json @@ -990,7 +990,7 @@ "profiles": "Profielen", "dev": "Ontwikkelaar", "createAccount": "Maak een portemonnee aan", - "createNewWallet": "Maak een nieuwe portemonnee aan", + "addAWallet": "Add a wallet", "accountName": "Naam portemonnee", "latestTransactions": "Meest recente transacties", "transactions": "Transacties", @@ -1079,7 +1079,8 @@ "stakedFunds": "Gestaketet saldo", "unstakedFunds": "Niet ingezet saldo", "accountColor": "Kleur portemonnee", - "myAssets": "Mijn bezittingen" + "myAssets": "Mijn bezittingen", + "total": "Total: {balance}" }, "dates": { "today": "Vandaag", @@ -1252,7 +1253,8 @@ "cannotUseAccount": "Kan het opgegeven account niet gebruiken.", "cannotFindStakingEvent": "Kan staking event niet vinden.", "cannotVisitAirdropWebsite": "Kan de {airdrop} website niet openen.", - "invalidStakingEventId": "Ongeldig staking event ID." + "invalidStakingEventId": "Ongeldig staking event ID.", + "failedToFetchPreviousRewards": "Failed to fetch previous rewards, please check your firewall settings." }, "invalidDate": "ONGELDIGE DATUM", "invalidTime": "ONGELDIGE TIJD" diff --git a/packages/shared/locales/no.json b/packages/shared/locales/no.json index 0912f4ca3e0..44fb98049d4 100644 --- a/packages/shared/locales/no.json +++ b/packages/shared/locales/no.json @@ -990,7 +990,7 @@ "profiles": "Profiler", "dev": "Utvikling", "createAccount": "Opprette lommebok", - "createNewWallet": "Create a new wallet", + "addAWallet": "Add a wallet", "accountName": "Navn på lommebok", "latestTransactions": "Siste transaksjoner", "transactions": "Transaksjoner", @@ -1079,7 +1079,8 @@ "stakedFunds": "Stakede midler", "unstakedFunds": "Ikke-stakede midler", "accountColor": "Wallet color", - "myAssets": "My assets" + "myAssets": "My assets", + "total": "Total: {balance}" }, "dates": { "today": "I dag", @@ -1252,7 +1253,8 @@ "cannotUseAccount": "Klarte ikke å bruke den valgte kontoen.", "cannotFindStakingEvent": "Klarer ikke å finne staking-hendelsen.", "cannotVisitAirdropWebsite": "Klarte ikke å åpne {airdrop}-nettsiden.", - "invalidStakingEventId": "Ugyldig staking-ID." + "invalidStakingEventId": "Ugyldig staking-ID.", + "failedToFetchPreviousRewards": "Failed to fetch previous rewards, please check your firewall settings." }, "invalidDate": "INVALID DATE", "invalidTime": "INVALID TIME" diff --git a/packages/shared/locales/pl.json b/packages/shared/locales/pl.json index d5147d33a59..ddc83051e04 100644 --- a/packages/shared/locales/pl.json +++ b/packages/shared/locales/pl.json @@ -490,10 +490,10 @@ } }, "backup": { - "title": "Utwórz kopię zapasową portfeli", - "lastBackup": "Ostatnia kopia została wykonana {date}", + "title": "Utwórz backup portfeli", + "lastBackup": "Ostatnią kopię wykonano {date}", "notBackedUp": "Nie wykonano", - "button": "Kopia zapasowa" + "button": "Utwórz kopię" }, "version": { "title": "Dostępna jest nowa aktualizacja", @@ -580,7 +580,7 @@ }, "backup": { "title": "Ostatnia kopia zapasowa: {date}", - "lastBackup": "Ostatnia kopia została wykonana {date}", + "lastBackup": "Ostatnią kopię wykonano {date}", "backupDescription": "Regularne wykonywanie kopii zapasowej jest bardzo ważne. Mamy wtedy pewność co do bezpieczeństwa swoich portfeli oraz historii transakcji.", "backupWarning": "Jeśli utracisz swoją kopię zapasową i wyrazy ratunkowe, stracisz dostęp do swoich środków.", "notBackedUp": "Nie wykonano", @@ -990,7 +990,7 @@ "profiles": "Profile", "dev": "Deweloper", "createAccount": "Utwórz portfel", - "createNewWallet": "Utwórz nowy portfel", + "addAWallet": "Add a wallet", "accountName": "Nazwa portfela", "latestTransactions": "Ostatnie transakcje", "transactions": "Transakcje", @@ -1032,7 +1032,7 @@ "passwordUpdating": "Aktualizacja hasła...", "passwordSuccess": "Hasło zaktualizowane pomyślnie", "passwordFailed": "Aktualizacja hasła nie powiodła się", - "syncing": "Synchronizowanie", + "syncing": "Synchron...", "syncingAccounts": "Synchronizacja portfeli...", "exportingStronghold": "Eksportowanie Stronghold...", "exportingStrongholdSuccess": "Stronghold eksportowany pomyślnie", @@ -1079,7 +1079,8 @@ "stakedFunds": "Stakowane środki", "unstakedFunds": "Niestakowane środki", "accountColor": "Kolor portfela", - "myAssets": "Moje środki" + "myAssets": "Moje środki", + "total": "Total: {balance}" }, "dates": { "today": "Dzisiaj", @@ -1252,7 +1253,8 @@ "cannotUseAccount": "Nie można użyć określonego konta.", "cannotFindStakingEvent": "Nie można znaleźć wydarzenia stakingu.", "cannotVisitAirdropWebsite": "Nie można otworzyć strony {airdrop}.", - "invalidStakingEventId": "Nieprawidłowe ID wydarzenia stakingu." + "invalidStakingEventId": "Nieprawidłowe ID wydarzenia stakingu.", + "failedToFetchPreviousRewards": "Failed to fetch previous rewards, please check your firewall settings." }, "invalidDate": "NIEPRAWIDŁOWA DATA", "invalidTime": "NIEPRAWIDŁOWY CZAS" diff --git a/packages/shared/locales/pt-BR.json b/packages/shared/locales/pt-BR.json index ce766711247..4027b1e1e23 100644 --- a/packages/shared/locales/pt-BR.json +++ b/packages/shared/locales/pt-BR.json @@ -990,7 +990,7 @@ "profiles": "Perfis", "dev": "Dev", "createAccount": "Criar uma Carteira", - "createNewWallet": "Create a new wallet", + "addAWallet": "Add a wallet", "accountName": "Nome da carteira", "latestTransactions": "Últimas transações", "transactions": "Transações", @@ -1049,20 +1049,20 @@ "creatingProfile": "Criando perfil, por favor aguarde...", "fundMigration": "Migração de fundo", "accountRemoved": "Esta carteira está oculta. Desoculte-a para realizar transferências.", - "receivingFrom": "Receiving from {account}", - "sendingTo": "Sending to {account}", - "receivedFrom": "Received from {account}", - "sentTo": "Sent to {account}", - "transferringFrom": "Transferring from {account}", - "transferringTo": "Transferring to {account}", - "transferFrom": "Transfer from {account}", - "transferTo": "Transfer to {account}", + "receivingFrom": "Recebendo de", + "sendingTo": "Enviando para", + "receivedFrom": "Recebido de", + "sentTo": "Enviar para", + "transferringFrom": "Transferindo da", + "transferringTo": "Transferindo para", + "transferFrom": "Transferindo da", + "transferTo": "Transferir para", "stakedFor": "Staking para {account}", "unstakedFor": "Staking interrompido para {account}", "votedFor": "Votado para {account}", "unvotedFor": "Não votado para {account}", - "stakingTransaction": "Staking Transaction", - "unstakingTransaction": "Unstaking Transaction", + "stakingTransaction": "Transação de Travamento", + "unstakingTransaction": "Transação de Destravamento", "receiving": "Recebendo", "sending": "Enviando", "legacyNetwork": "Rede Legada", @@ -1079,7 +1079,8 @@ "stakedFunds": "Fundos em staking", "unstakedFunds": "Fundos sem staking", "accountColor": "Cor da carteira", - "myAssets": "My assets" + "myAssets": "My assets", + "total": "Total: {balance}" }, "dates": { "today": "Hoje", @@ -1252,7 +1253,8 @@ "cannotUseAccount": "Não foi possível usar a conta especificada.", "cannotFindStakingEvent": "Não foi possível encontrar o evento de staking.", "cannotVisitAirdropWebsite": "Não foi possível abrir o site do {airdrop}.", - "invalidStakingEventId": "ID do evento de staking inválido." + "invalidStakingEventId": "ID do evento de staking inválido.", + "failedToFetchPreviousRewards": "Failed to fetch previous rewards, please check your firewall settings." }, "invalidDate": "INVALID DATE", "invalidTime": "INVALID TIME" diff --git a/packages/shared/locales/pt-PT.json b/packages/shared/locales/pt-PT.json index f507c15e1a1..6c03a6b62d8 100644 --- a/packages/shared/locales/pt-PT.json +++ b/packages/shared/locales/pt-PT.json @@ -990,7 +990,7 @@ "profiles": "Perfis", "dev": "Dev", "createAccount": "Criar uma Carteira", - "createNewWallet": "Create a new wallet", + "addAWallet": "Add a wallet", "accountName": "Nome da carteira", "latestTransactions": "Últimas transações", "transactions": "Transações", @@ -1079,7 +1079,8 @@ "stakedFunds": "Staked funds", "unstakedFunds": "Unstaked funds", "accountColor": "Wallet color", - "myAssets": "My assets" + "myAssets": "My assets", + "total": "Total: {balance}" }, "dates": { "today": "Hoje", @@ -1252,7 +1253,8 @@ "cannotUseAccount": "Unable to use the specified account.", "cannotFindStakingEvent": "Unable to find staking event.", "cannotVisitAirdropWebsite": "Unable to open the {airdrop} website.", - "invalidStakingEventId": "Invalid staking event ID." + "invalidStakingEventId": "Invalid staking event ID.", + "failedToFetchPreviousRewards": "Failed to fetch previous rewards, please check your firewall settings." }, "invalidDate": "INVALID DATE", "invalidTime": "INVALID TIME" diff --git a/packages/shared/locales/ro.json b/packages/shared/locales/ro.json index 6585f6cfa21..2c7767961c2 100644 --- a/packages/shared/locales/ro.json +++ b/packages/shared/locales/ro.json @@ -990,7 +990,7 @@ "profiles": "Profiles", "dev": "Dev", "createAccount": "Create a Wallet", - "createNewWallet": "Create a new wallet", + "addAWallet": "Add a wallet", "accountName": "Wallet name", "latestTransactions": "Latest Transactions", "transactions": "Transactions", @@ -1079,7 +1079,8 @@ "stakedFunds": "Fonduri mizate", "unstakedFunds": "Unstaked funds", "accountColor": "Wallet color", - "myAssets": "My assets" + "myAssets": "My assets", + "total": "Total: {balance}" }, "dates": { "today": "Today", @@ -1252,7 +1253,8 @@ "cannotUseAccount": "Unable to use the specified account.", "cannotFindStakingEvent": "Evenimentul de mizat nu poate fi găsit.", "cannotVisitAirdropWebsite": "Unable to open the {airdrop} website.", - "invalidStakingEventId": "ID eveniment de mizare nevalid." + "invalidStakingEventId": "ID eveniment de mizare nevalid.", + "failedToFetchPreviousRewards": "Failed to fetch previous rewards, please check your firewall settings." }, "invalidDate": "INVALID DATE", "invalidTime": "INVALID TIME" diff --git a/packages/shared/locales/ru.json b/packages/shared/locales/ru.json index daa9467706a..0d86a0778b1 100644 --- a/packages/shared/locales/ru.json +++ b/packages/shared/locales/ru.json @@ -990,7 +990,7 @@ "profiles": "Профили", "dev": "Разработчик", "createAccount": "Создать кошелёк", - "createNewWallet": "Создать новый кошелек", + "addAWallet": "Add a wallet", "accountName": "Имя кошелька", "latestTransactions": "Последние Транзакции", "transactions": "Транзакции", @@ -1079,7 +1079,8 @@ "stakedFunds": "Ставочные средства", "unstakedFunds": "Выведеноные средства", "accountColor": "Цвет кошелька", - "myAssets": "Мои активы" + "myAssets": "Мои активы", + "total": "Total: {balance}" }, "dates": { "today": "Сегодня", @@ -1252,7 +1253,8 @@ "cannotUseAccount": "Не удается использовать указанный аккаунт.", "cannotFindStakingEvent": "Невозможно найти событие, связанное со ставками.", "cannotVisitAirdropWebsite": "Невозможно открыть веб-сайт {airdrop}.", - "invalidStakingEventId": "Неверный ID события ставки." + "invalidStakingEventId": "Неверный ID события ставки.", + "failedToFetchPreviousRewards": "Failed to fetch previous rewards, please check your firewall settings." }, "invalidDate": "НЕДЕЙСТВИТЕЛЬНАЯ ДАТА", "invalidTime": "НЕДЕЙСТВИТЕЛЬНОЕ ВРЕМЯ" diff --git a/packages/shared/locales/si.json b/packages/shared/locales/si.json index e4793f25963..bb47707b3dd 100644 --- a/packages/shared/locales/si.json +++ b/packages/shared/locales/si.json @@ -990,7 +990,7 @@ "profiles": "Profiles", "dev": "Dev", "createAccount": "Create a Wallet", - "createNewWallet": "Create a new wallet", + "addAWallet": "Add a wallet", "accountName": "Wallet name", "latestTransactions": "Latest Transactions", "transactions": "Transactions", @@ -1079,7 +1079,8 @@ "stakedFunds": "Staked funds", "unstakedFunds": "Unstaked funds", "accountColor": "Wallet color", - "myAssets": "My assets" + "myAssets": "My assets", + "total": "Total: {balance}" }, "dates": { "today": "Today", @@ -1252,7 +1253,8 @@ "cannotUseAccount": "Unable to use the specified account.", "cannotFindStakingEvent": "Unable to find staking event.", "cannotVisitAirdropWebsite": "Unable to open the {airdrop} website.", - "invalidStakingEventId": "Invalid staking event ID." + "invalidStakingEventId": "Invalid staking event ID.", + "failedToFetchPreviousRewards": "Failed to fetch previous rewards, please check your firewall settings." }, "invalidDate": "INVALID DATE", "invalidTime": "INVALID TIME" diff --git a/packages/shared/locales/sk.json b/packages/shared/locales/sk.json index cfc6e6e5a6a..3e75cea231d 100644 --- a/packages/shared/locales/sk.json +++ b/packages/shared/locales/sk.json @@ -990,7 +990,7 @@ "profiles": "Profily", "dev": "Vývojár", "createAccount": "Vytvoriť peňaženku", - "createNewWallet": "Create a new wallet", + "addAWallet": "Add a wallet", "accountName": "Názov peňaženky", "latestTransactions": "Posledné transakcie", "transactions": "Transakcie", @@ -1079,7 +1079,8 @@ "stakedFunds": "Stakované prostriedky", "unstakedFunds": "Odstakované prostriedky", "accountColor": "Wallet color", - "myAssets": "My assets" + "myAssets": "My assets", + "total": "Total: {balance}" }, "dates": { "today": "Dnes", @@ -1252,7 +1253,8 @@ "cannotUseAccount": "Unable to use the specified account.", "cannotFindStakingEvent": "Nie je možné nájsť staking udalosť.", "cannotVisitAirdropWebsite": "Nie je možné otvoriť {airdrop} stránku.", - "invalidStakingEventId": "Nesprávne staking event ID." + "invalidStakingEventId": "Nesprávne staking event ID.", + "failedToFetchPreviousRewards": "Failed to fetch previous rewards, please check your firewall settings." }, "invalidDate": "INVALID DATE", "invalidTime": "INVALID TIME" diff --git a/packages/shared/locales/sl.json b/packages/shared/locales/sl.json index e2dbbc38a88..c7089633c03 100644 --- a/packages/shared/locales/sl.json +++ b/packages/shared/locales/sl.json @@ -990,7 +990,7 @@ "profiles": "Profili", "dev": "Dev", "createAccount": "Ustvari denarnico", - "createNewWallet": "Create a new wallet", + "addAWallet": "Add a wallet", "accountName": "Ime denarnice", "latestTransactions": "Zadnje transakcije", "transactions": "Transakcije", @@ -1079,7 +1079,8 @@ "stakedFunds": "Staked funds", "unstakedFunds": "Unstaked funds", "accountColor": "Wallet color", - "myAssets": "My assets" + "myAssets": "My assets", + "total": "Total: {balance}" }, "dates": { "today": "Today", @@ -1252,7 +1253,8 @@ "cannotUseAccount": "Unable to use the specified account.", "cannotFindStakingEvent": "Unable to find staking event.", "cannotVisitAirdropWebsite": "Unable to open the {airdrop} website.", - "invalidStakingEventId": "Invalid staking event ID." + "invalidStakingEventId": "Invalid staking event ID.", + "failedToFetchPreviousRewards": "Failed to fetch previous rewards, please check your firewall settings." }, "invalidDate": "INVALID DATE", "invalidTime": "INVALID TIME" diff --git a/packages/shared/locales/sq.json b/packages/shared/locales/sq.json index 08279a33f20..0e2d29223b9 100644 --- a/packages/shared/locales/sq.json +++ b/packages/shared/locales/sq.json @@ -990,7 +990,7 @@ "profiles": "Profiles", "dev": "Dev", "createAccount": "Create a Wallet", - "createNewWallet": "Create a new wallet", + "addAWallet": "Add a wallet", "accountName": "Wallet name", "latestTransactions": "Latest Transactions", "transactions": "Transactions", @@ -1079,7 +1079,8 @@ "stakedFunds": "Staked funds", "unstakedFunds": "Unstaked funds", "accountColor": "Wallet color", - "myAssets": "My assets" + "myAssets": "My assets", + "total": "Total: {balance}" }, "dates": { "today": "Today", @@ -1252,7 +1253,8 @@ "cannotUseAccount": "Unable to use the specified account.", "cannotFindStakingEvent": "Unable to find staking event.", "cannotVisitAirdropWebsite": "Unable to open the {airdrop} website.", - "invalidStakingEventId": "Invalid staking event ID." + "invalidStakingEventId": "Invalid staking event ID.", + "failedToFetchPreviousRewards": "Failed to fetch previous rewards, please check your firewall settings." }, "invalidDate": "INVALID DATE", "invalidTime": "INVALID TIME" diff --git a/packages/shared/locales/sr.json b/packages/shared/locales/sr.json index ac7b7d5782b..b13d3acf20d 100644 --- a/packages/shared/locales/sr.json +++ b/packages/shared/locales/sr.json @@ -990,7 +990,7 @@ "profiles": "Профили", "dev": "Dev", "createAccount": "Create a Wallet", - "createNewWallet": "Create a new wallet", + "addAWallet": "Add a wallet", "accountName": "Wallet name", "latestTransactions": "Latest Transactions", "transactions": "Transactions", @@ -1079,7 +1079,8 @@ "stakedFunds": "Staked funds", "unstakedFunds": "Unstaked funds", "accountColor": "Wallet color", - "myAssets": "My assets" + "myAssets": "My assets", + "total": "Total: {balance}" }, "dates": { "today": "Today", @@ -1252,7 +1253,8 @@ "cannotUseAccount": "Unable to use the specified account.", "cannotFindStakingEvent": "Unable to find staking event.", "cannotVisitAirdropWebsite": "Unable to open the {airdrop} website.", - "invalidStakingEventId": "Invalid staking event ID." + "invalidStakingEventId": "Invalid staking event ID.", + "failedToFetchPreviousRewards": "Failed to fetch previous rewards, please check your firewall settings." }, "invalidDate": "INVALID DATE", "invalidTime": "INVALID TIME" diff --git a/packages/shared/locales/sv.json b/packages/shared/locales/sv.json index 14fa8a7bacd..3848918ab5a 100644 --- a/packages/shared/locales/sv.json +++ b/packages/shared/locales/sv.json @@ -990,7 +990,7 @@ "profiles": "Profiler", "dev": "Utvecklare", "createAccount": "Skapa en plånbok", - "createNewWallet": "Skapa ny plånbok", + "addAWallet": "Add a wallet", "accountName": "Plånboksnamn", "latestTransactions": "Senaste transaktionerna", "transactions": "Transaktioner", @@ -1079,7 +1079,8 @@ "stakedFunds": "Stakade tillgångar", "unstakedFunds": "Ej stakade tillgångar", "accountColor": "Plånboksfärg", - "myAssets": "Mina tillgångar" + "myAssets": "Mina tillgångar", + "total": "Total: {balance}" }, "dates": { "today": "Idag", @@ -1252,7 +1253,8 @@ "cannotUseAccount": "Det går inte att använda det angivna kontot.", "cannotFindStakingEvent": "Det gick inte att hitta staking-event.", "cannotVisitAirdropWebsite": "Det går inte att öppna {airdrop} s webbplats.", - "invalidStakingEventId": "Ogiltigt staking-event ID." + "invalidStakingEventId": "Ogiltigt staking-event ID.", + "failedToFetchPreviousRewards": "Failed to fetch previous rewards, please check your firewall settings." }, "invalidDate": "INVALID DATUM", "invalidTime": "INVALID TID" diff --git a/packages/shared/locales/tr.json b/packages/shared/locales/tr.json index 1db1c3f0c89..0dc58207fc2 100644 --- a/packages/shared/locales/tr.json +++ b/packages/shared/locales/tr.json @@ -990,7 +990,7 @@ "profiles": "Profiller", "dev": "Geliştirici", "createAccount": "Cüzdan Oluştur", - "createNewWallet": "Yeni bir cüzdan oluştur", + "addAWallet": "Add a wallet", "accountName": "Cüzdan adı", "latestTransactions": "Son transferler", "transactions": "Transferler", @@ -1079,7 +1079,8 @@ "stakedFunds": "Stake edilen fonlar", "unstakedFunds": "Tahsis edilmemiş fonlar", "accountColor": "Genel -> hesap rengi", - "myAssets": "Varlıklarım" + "myAssets": "Varlıklarım", + "total": "Total: {balance}" }, "dates": { "today": "Bugün", @@ -1252,7 +1253,8 @@ "cannotUseAccount": "Belirtilen hesap kullanılamıyor.", "cannotFindStakingEvent": "Stake etkinliği bulunamadı.", "cannotVisitAirdropWebsite": "{airdrop} web sitesi açılamıyor.", - "invalidStakingEventId": "Geçersiz staking kimliği." + "invalidStakingEventId": "Geçersiz staking kimliği.", + "failedToFetchPreviousRewards": "Failed to fetch previous rewards, please check your firewall settings." }, "invalidDate": "GEÇERSİZ TARİH", "invalidTime": "GEÇERSİZ ZAMAN" diff --git a/packages/shared/locales/uk.json b/packages/shared/locales/uk.json index 0f489bbca99..f0cf895222f 100644 --- a/packages/shared/locales/uk.json +++ b/packages/shared/locales/uk.json @@ -990,7 +990,7 @@ "profiles": "Профілі", "dev": "Розробник", "createAccount": "Створити гаманець", - "createNewWallet": "Create a new wallet", + "addAWallet": "Add a wallet", "accountName": "Назва гаманця", "latestTransactions": "Останні транзакції", "transactions": "Транзакції", @@ -1079,7 +1079,8 @@ "stakedFunds": "Поставленні кошти", "unstakedFunds": "Непроставлені кошти", "accountColor": "Wallet color", - "myAssets": "My assets" + "myAssets": "My assets", + "total": "Total: {balance}" }, "dates": { "today": "Сьогодні", @@ -1252,7 +1253,8 @@ "cannotUseAccount": "Неможливо використовувати вказаний обліковий запис.", "cannotFindStakingEvent": "Не вдалося знайти ставки.", "cannotVisitAirdropWebsite": "Не вдається відкрити веб-сайт {airdrop}.", - "invalidStakingEventId": "Недійсний ідентифікатор події стекінгу." + "invalidStakingEventId": "Недійсний ідентифікатор події стекінгу.", + "failedToFetchPreviousRewards": "Failed to fetch previous rewards, please check your firewall settings." }, "invalidDate": "INVALID DATE", "invalidTime": "INVALID TIME" diff --git a/packages/shared/locales/ur.json b/packages/shared/locales/ur.json index 1183828e8b8..6075e68201f 100644 --- a/packages/shared/locales/ur.json +++ b/packages/shared/locales/ur.json @@ -990,7 +990,7 @@ "profiles": "پروفائلز", "dev": "ڈیو", "createAccount": "ایک نیا والیٹ بنائیں", - "createNewWallet": "Create a new wallet", + "addAWallet": "Add a wallet", "accountName": "والیٹ کا نام", "latestTransactions": "تازہ ترین ٹرانزیکشن", "transactions": "ٹرانزیکشنز", @@ -1079,7 +1079,8 @@ "stakedFunds": "Staked funds", "unstakedFunds": "Unstaked funds", "accountColor": "Wallet color", - "myAssets": "My assets" + "myAssets": "My assets", + "total": "Total: {balance}" }, "dates": { "today": "آج", @@ -1252,7 +1253,8 @@ "cannotUseAccount": "Unable to use the specified account.", "cannotFindStakingEvent": "Unable to find staking event.", "cannotVisitAirdropWebsite": "Unable to open the {airdrop} website.", - "invalidStakingEventId": "Invalid staking event ID." + "invalidStakingEventId": "Invalid staking event ID.", + "failedToFetchPreviousRewards": "Failed to fetch previous rewards, please check your firewall settings." }, "invalidDate": "INVALID DATE", "invalidTime": "INVALID TIME" diff --git a/packages/shared/locales/vi.json b/packages/shared/locales/vi.json index b1e54a6b8ab..b8bd47d3159 100644 --- a/packages/shared/locales/vi.json +++ b/packages/shared/locales/vi.json @@ -990,7 +990,7 @@ "profiles": "Hồ sơ cá nhân", "dev": "Nhà phát triển", "createAccount": "Khởi tạo ví", - "createNewWallet": "Create a new wallet", + "addAWallet": "Add a wallet", "accountName": "Tên ví", "latestTransactions": "Các giao dịch mới nhất", "transactions": "Các giao dịch", @@ -1079,7 +1079,8 @@ "stakedFunds": "Tài sản đã đặt cọc", "unstakedFunds": "Tài sản không đặt cọc", "accountColor": "Wallet color", - "myAssets": "My assets" + "myAssets": "My assets", + "total": "Total: {balance}" }, "dates": { "today": "Ngày hôm nay", @@ -1252,7 +1253,8 @@ "cannotUseAccount": "Không thể sử dụng tài khoản đã chỉ định.", "cannotFindStakingEvent": "Không thể tìm thấy sự kiện đặt cọc.", "cannotVisitAirdropWebsite": "Không thể mở {airdrop} website.", - "invalidStakingEventId": "ID sự kiện đặt cọc không hợp lệ." + "invalidStakingEventId": "ID sự kiện đặt cọc không hợp lệ.", + "failedToFetchPreviousRewards": "Failed to fetch previous rewards, please check your firewall settings." }, "invalidDate": "INVALID DATE", "invalidTime": "INVALID TIME" diff --git a/packages/shared/locales/zh-CN.json b/packages/shared/locales/zh-CN.json index 662105239a3..86d9f549e9c 100644 --- a/packages/shared/locales/zh-CN.json +++ b/packages/shared/locales/zh-CN.json @@ -990,7 +990,7 @@ "profiles": "用户配置", "dev": "开发者", "createAccount": "创建钱包", - "createNewWallet": "创建新钱包", + "addAWallet": "Add a wallet", "accountName": "钱包名称", "latestTransactions": "最新交易", "transactions": "交易", @@ -1079,7 +1079,8 @@ "stakedFunds": "已质押资金", "unstakedFunds": "未质押的资金", "accountColor": "钱包颜色", - "myAssets": "我的资产" + "myAssets": "我的资产", + "total": "Total: {balance}" }, "dates": { "today": "今日", @@ -1252,7 +1253,8 @@ "cannotUseAccount": "无法使用指定的帐户。", "cannotFindStakingEvent": "找不到质押活动。", "cannotVisitAirdropWebsite": "无法打开 {airdrop} 网站。", - "invalidStakingEventId": "无效的 质押活动 ID。" + "invalidStakingEventId": "无效的 质押活动 ID。", + "failedToFetchPreviousRewards": "Failed to fetch previous rewards, please check your firewall settings." }, "invalidDate": "无效日期", "invalidTime": "无效时间" diff --git a/packages/shared/locales/zh-TW.json b/packages/shared/locales/zh-TW.json index b86eb198541..7b5c834aa25 100644 --- a/packages/shared/locales/zh-TW.json +++ b/packages/shared/locales/zh-TW.json @@ -990,7 +990,7 @@ "profiles": "設定檔", "dev": "開發者", "createAccount": "建立一個錢包", - "createNewWallet": "建立新錢包", + "addAWallet": "Add a wallet", "accountName": "錢包名稱", "latestTransactions": "最新交易", "transactions": "交易紀錄", @@ -1079,7 +1079,8 @@ "stakedFunds": "已質押的資金", "unstakedFunds": "未質押的資金", "accountColor": "錢包顏色", - "myAssets": "我的資產" + "myAssets": "我的資產", + "total": "Total: {balance}" }, "dates": { "today": "今天", @@ -1252,7 +1253,8 @@ "cannotUseAccount": "無法使用該指定帳戶。", "cannotFindStakingEvent": "未能找到質押活動。", "cannotVisitAirdropWebsite": "無法開啟 {airdrop} 網站。", - "invalidStakingEventId": "無效的質押活動ID。" + "invalidStakingEventId": "無效的質押活動ID。", + "failedToFetchPreviousRewards": "Failed to fetch previous rewards, please check your firewall settings." }, "invalidDate": "日期無效", "invalidTime": "時間無效" From 5ffe86892f813ddf1d14b1ef322b8626789d6f74 Mon Sep 17 00:00:00 2001 From: "github-actions[bot]" <41898282+github-actions[bot]@users.noreply.github.com> Date: Fri, 13 May 2022 19:55:38 +0100 Subject: [PATCH 5/5] New Crowdin translations by Github Action (#3220) Co-authored-by: Crowdin Bot --- packages/shared/locales/de.json | 6 +++--- packages/shared/locales/fr.json | 4 ++-- packages/shared/locales/nl.json | 6 +++--- packages/shared/locales/uk.json | 18 +++++++++--------- 4 files changed, 17 insertions(+), 17 deletions(-) diff --git a/packages/shared/locales/de.json b/packages/shared/locales/de.json index 636fbfa4aaa..af585f63169 100644 --- a/packages/shared/locales/de.json +++ b/packages/shared/locales/de.json @@ -990,7 +990,7 @@ "profiles": "Profile", "dev": "Entwickler", "createAccount": "Wallet erstellen", - "addAWallet": "Add a wallet", + "addAWallet": "Wallet hinzufügen", "accountName": "Wallet-Name", "latestTransactions": "Neueste Transaktionen", "transactions": "Transaktionen", @@ -1080,7 +1080,7 @@ "unstakedFunds": "Ungestaktes Guthaben", "accountColor": "Wallet-Farbe", "myAssets": "Meine Assets", - "total": "Total: {balance}" + "total": "Gesamt: {balance}" }, "dates": { "today": "Heute", @@ -1254,7 +1254,7 @@ "cannotFindStakingEvent": "Staking-Event konnte nicht gefunden werden.", "cannotVisitAirdropWebsite": "Die {airdrop}-Website konnte nicht geöffnet werden.", "invalidStakingEventId": "Ungültige Staking-Event ID.", - "failedToFetchPreviousRewards": "Failed to fetch previous rewards, please check your firewall settings." + "failedToFetchPreviousRewards": "Fehler beim Abrufen früherer Rewards, bitte überprüfe deine Firewall-Einstellungen." }, "invalidDate": "UNGÜLTIGES DATUM", "invalidTime": "UNGÜLTIGE ZEIT" diff --git a/packages/shared/locales/fr.json b/packages/shared/locales/fr.json index a0370f74947..db78009b524 100644 --- a/packages/shared/locales/fr.json +++ b/packages/shared/locales/fr.json @@ -990,7 +990,7 @@ "profiles": "Profils", "dev": "Dév", "createAccount": "Créer un Portefeuille", - "addAWallet": "Add a wallet", + "addAWallet": "Ajouter un Portefeuille", "accountName": "Nom du portefeuille", "latestTransactions": "Dernières Transactions", "transactions": "Transactions", @@ -1254,7 +1254,7 @@ "cannotFindStakingEvent": "Impossible de trouver l'événement de Staking.", "cannotVisitAirdropWebsite": "Impossible d'ouvrir le site web de {airdrop}.", "invalidStakingEventId": "ID d'événement de staking invalide.", - "failedToFetchPreviousRewards": "Failed to fetch previous rewards, please check your firewall settings." + "failedToFetchPreviousRewards": "Impossible de récupérer les récompenses précédentes, veuillez vérifier les paramètres de votre pare-feu." }, "invalidDate": "DATE NON VALIDE", "invalidTime": "HEURE NON VALIDE" diff --git a/packages/shared/locales/nl.json b/packages/shared/locales/nl.json index a251068889f..b9636a8ba64 100644 --- a/packages/shared/locales/nl.json +++ b/packages/shared/locales/nl.json @@ -990,7 +990,7 @@ "profiles": "Profielen", "dev": "Ontwikkelaar", "createAccount": "Maak een portemonnee aan", - "addAWallet": "Add a wallet", + "addAWallet": "Portemonnee toevoegen", "accountName": "Naam portemonnee", "latestTransactions": "Meest recente transacties", "transactions": "Transacties", @@ -1080,7 +1080,7 @@ "unstakedFunds": "Niet ingezet saldo", "accountColor": "Kleur portemonnee", "myAssets": "Mijn bezittingen", - "total": "Total: {balance}" + "total": "Totaal: {balance}" }, "dates": { "today": "Vandaag", @@ -1254,7 +1254,7 @@ "cannotFindStakingEvent": "Kan staking event niet vinden.", "cannotVisitAirdropWebsite": "Kan de {airdrop} website niet openen.", "invalidStakingEventId": "Ongeldig staking event ID.", - "failedToFetchPreviousRewards": "Failed to fetch previous rewards, please check your firewall settings." + "failedToFetchPreviousRewards": "Het ophalen van vorige beloningen is mislukt, controleer alstublieft uw firewall instellingen." }, "invalidDate": "ONGELDIGE DATUM", "invalidTime": "ONGELDIGE TIJD" diff --git a/packages/shared/locales/uk.json b/packages/shared/locales/uk.json index f0cf895222f..0b8dace997c 100644 --- a/packages/shared/locales/uk.json +++ b/packages/shared/locales/uk.json @@ -10,9 +10,9 @@ "checkbox": "Я прочитав і приймаю Політику конфіденційності та Умови надання послуг" }, "crashReporting": { - "title": "Crash Reporting", - "body": "Help the developers improve Firefly by automatically sending diagnostic data when an error or crash occurs.", - "checkbox": "Send crash reports to the IOTA Foundation" + "title": "Звіти про помилки", + "body": "Допоможіть розробникам покращити Firefly, автоматично відправляючи діагностичні дані під час помилки або аварійне завершення роботи.", + "checkbox": "Надсилайте звіти про аварійне завершення роботи до IOTA Foundation" }, "appearance": { "title": "Зовнішній вигляд", @@ -27,10 +27,10 @@ "nonFirst": "Почніть з назви вашого профілю." }, "addMore": "Ви можете додати більше профілів пізніше.", - "advancedOptions": "Advanced options", + "advancedOptions": "Розширені опції", "developer": { "label": "Профіль розробника", - "info": "Connect to the devnet or a private network" + "info": "Приєднатися до devnet або приватної мережі" } }, "setup": { @@ -792,7 +792,7 @@ "crashReporting": { "title": "Crash reporting", "body": "Help the developers improve Firefly by automatically sending diagnostic data when an error or crash occurs. If selected, this will take effect after restarting Firefly.", - "checkbox": "Send crash reports to the IOTA Foundation" + "checkbox": "Надсилайте звіти про аварійне завершення роботи до IOTA Foundation" }, "legalUpdate": { "tosTitle": "Умови Використання", @@ -990,7 +990,7 @@ "profiles": "Профілі", "dev": "Розробник", "createAccount": "Створити гаманець", - "addAWallet": "Add a wallet", + "addAWallet": "Додати гаманець", "accountName": "Назва гаманця", "latestTransactions": "Останні транзакції", "transactions": "Транзакції", @@ -1080,7 +1080,7 @@ "unstakedFunds": "Непроставлені кошти", "accountColor": "Wallet color", "myAssets": "My assets", - "total": "Total: {balance}" + "total": "Загальний: {balance}" }, "dates": { "today": "Сьогодні", @@ -1254,7 +1254,7 @@ "cannotFindStakingEvent": "Не вдалося знайти ставки.", "cannotVisitAirdropWebsite": "Не вдається відкрити веб-сайт {airdrop}.", "invalidStakingEventId": "Недійсний ідентифікатор події стекінгу.", - "failedToFetchPreviousRewards": "Failed to fetch previous rewards, please check your firewall settings." + "failedToFetchPreviousRewards": "Не вдалося отримати попередні нагороди, будь ласка, перевірте налаштування брандмауера." }, "invalidDate": "INVALID DATE", "invalidTime": "INVALID TIME"