diff --git a/client/app/index.html b/client/app/index.html index c5ad8abe68..d993e25cff 100644 --- a/client/app/index.html +++ b/client/app/index.html @@ -321,8 +321,8 @@

{{it.date | date: 'short'}} {{it.label}} - +{{(it.total/100000000).toFixed(2)}} - {{(it.total/100000000).toFixed(2)}} + +{{it.humanTotal}} + {{it.humanTotal}} {{it.vendorField}} {{it.senderId | accountlabel}} {{it.recipientId | accountlabel}} @@ -738,20 +738,49 @@

{{ul.selected.delegate.username}}

$qProvider.errorOnUnhandledRejections(false); }]); - const {remote} = require('electron'); - const {Menu, MenuItem} = remote; - - const menu = new Menu(); - menu.append(new MenuItem({label: 'Select All', accelerator: "CmdOrCtrl+A", selector: 'selectAll:' })); - menu.append(new MenuItem({label: 'Copy', accelerator: "CmdOrCtrl+C", selector: "copy:" })); - menu.append(new MenuItem({label: 'Paste', accelerator: "CmdOrCtrl+V", selector: "paste:"})); - - - - window.addEventListener('contextmenu', (e) => { - e.preventDefault(); - menu.popup(remote.getCurrentWindow()); - }, false); + const electron = require('electron'); + const remote = electron.remote; + const Menu = remote.Menu; + + const InputMenu = Menu.buildFromTemplate([{ + label: 'Undo', + role: 'undo', + }, { + label: 'Redo', + role: 'redo', + }, { + type: 'separator', + }, { + label: 'Cut', + role: 'cut', + }, { + label: 'Copy', + role: 'copy', + }, { + label: 'Paste', + role: 'paste', + }, { + type: 'separator', + }, { + label: 'Select all', + role: 'selectall', + }, + ]); + + document.body.addEventListener('contextmenu', (e) => { + e.preventDefault(); + e.stopPropagation(); + + let node = e.target; + + while (node) { + if (node.nodeName.match(/^(input|textarea)$/i) || node.isContentEditable) { + InputMenu.popup(remote.getCurrentWindow()); + break; + } + node = node.parentNode; + } + }); diff --git a/client/app/src/accounts/AccountController.js b/client/app/src/accounts/AccountController.js index 49bf83ad1b..f018f3c262 100644 --- a/client/app/src/accounts/AccountController.js +++ b/client/app/src/accounts/AccountController.js @@ -794,7 +794,7 @@ $mdDialog.show({ parent : angular.element(document.getElementById('app')), templateUrl : './src/accounts/view/addDelegate.html', - clickOutsideToClose: true, + clickOutsideToClose: false, preserveScope: true, scope: $scope }); @@ -849,7 +849,7 @@ $mdDialog.show({ parent : angular.element(document.getElementById('app')), templateUrl : './src/accounts/view/vote.html', - clickOutsideToClose: true, + clickOutsideToClose: false, preserveScope: true, scope: $scope }); @@ -949,7 +949,7 @@ $mdDialog.show({ parent : angular.element(document.getElementById('app')), templateUrl : './src/accounts/view/manageNetwork.html', - clickOutsideToClose: true, + clickOutsideToClose: false, preserveScope: true, scope: $scope, fullscreen: true @@ -989,7 +989,7 @@ $mdDialog.show({ parent : angular.element(document.getElementById('app')), templateUrl : './src/accounts/view/savePassphrases.html', - clickOutsideToClose: true, + clickOutsideToClose: false, preserveScope: true, scope: $scope }); @@ -1002,10 +1002,18 @@ function next() { $mdDialog.hide(); + + var delegateName; + try { + delegateName = accountService.sanitizeDelegateName($scope.createDelegate.data.username) + } catch (error) { + return formatAndToastError(error) + } + accountService.createTransaction(2, { fromAddress: $scope.createDelegate.data.fromAddress, - username: $scope.createDelegate.data.username, + username: delegateName, masterpassphrase: $scope.createDelegate.data.passphrase, secondpassphrase: $scope.createDelegate.data.secondpassphrase } @@ -1030,7 +1038,7 @@ $mdDialog.show({ parent : angular.element(document.getElementById('app')), templateUrl : './src/accounts/view/createDelegate.html', - clickOutsideToClose: true, + clickOutsideToClose: false, preserveScope: true, scope: $scope }); @@ -1087,7 +1095,7 @@ $mdDialog.show({ parent : angular.element(document.getElementById('app')), templateUrl : './src/accounts/view/createAccount.html', - clickOutsideToClose: true, + clickOutsideToClose: false, preserveScope: true, scope: $scope }); @@ -1104,10 +1112,22 @@ accountService.createAccount($scope.send.data.passphrase) .then( function(account){ + // Check for already imported account + for (var i = 0; i < self.accounts.length; i++) { + if (self.accounts[i].publicKey === account.publicKey) { + $mdToast.show( + $mdToast.simple() + .textContent(gettextCatalog.getString('Account was already imported: ') + account.address) + .hideDelay(5000) + ); + return selectAccount(account); + } + } + self.accounts.push(account); $mdToast.show( $mdToast.simple() - .textContent(gettextCatalog.getString('Account successfully created: ') + account.address) + .textContent(gettextCatalog.getString('Account successfully imported: ') + account.address) .hideDelay(5000) ); selectAccount(account); @@ -1131,7 +1151,7 @@ $mdDialog.show({ parent : angular.element(document.getElementById('app')), templateUrl : './src/accounts/view/importAccount.html', - clickOutsideToClose: true, + clickOutsideToClose: false, preserveScope: true, scope: $scope }); @@ -1212,7 +1232,7 @@ $mdBottomSheet.show({ parent : angular.element(document.getElementById('app')), templateUrl : './src/accounts/view/contactSheet.html', - clickOutsideToClose: true, + clickOutsideToClose: false, preserveScope: true, scope: $scope }); @@ -1243,7 +1263,9 @@ $scope.validate={ send:send, cancel:cancel, - transaction:transaction + transaction:transaction, + // to avoid small transaction to be displayed as 1e-8 + humanAmount: accountService.numberToFixed(transaction.amount / 100000000) + '', }; $mdDialog.show({ @@ -1251,7 +1273,7 @@ preserveScope : true, parent : angular.element(document.getElementById('app')), templateUrl : './src/accounts/view/showTransaction.html', - clickOutsideToClose: true + clickOutsideToClose: false }); }; diff --git a/client/app/src/accounts/AccountService.js b/client/app/src/accounts/AccountService.js index 095d4f81dc..fe22c5b21f 100755 --- a/client/app/src/accounts/AccountService.js +++ b/client/app/src/accounts/AccountService.js @@ -238,6 +238,8 @@ if(transaction.senderId==address){ transaction.total=-transaction.amount-transaction.fee; } + // to avoid small transaction to be displayed as 1e-8 + transaction.humanTotal = numberToFixed(transaction.total / 100000000) + '' } storageService.set("transactions-"+address,resp.transactions); deferred.resolve(resp.transactions); @@ -559,6 +561,47 @@ return virtual; } + var allowedDelegateNameChars = /^[a-z0-9!@$&_.]+$/g; + function sanitizeDelegateName(delegateName){ + if (!delegateName) { + throw new Error('Delegate name is undefined'); + } + if (delegateName !== delegateName.toLowerCase()) { + throw new Error('Delegate name must be lowercase'); + } + + var sanitizedName = String(delegateName).toLowerCase().trim(); + if (sanitizedName === '') { + throw new Error('Empty delegate name'); + } + if (sanitizedName.length > 20) { + throw new Error('Delegate name is too long, 20 characters maximum'); + } + if (!allowedDelegateNameChars.test(sanitizedName)) { + throw new Error('Delegate name can only contain alphanumeric characters with the exception of !@$&_.'); + } + + return sanitizedName; + } + + function numberToFixed(x) { + if (Math.abs(x) < 1.0) { + var e = parseInt(x.toString().split('e-')[1]); + if (e) { + x *= Math.pow(10,e-1); + x = '0.' + (new Array(e)).join('0') + x.toString().substring(2); + } + } else { + var e = parseInt(x.toString().split('+')[1]); + if (e > 20) { + e -= 20; + x /= Math.pow(10,e); + x += (new Array(e+1)).join('0'); + } + } + return x; + } + return { loadAllAccounts : function() { @@ -636,7 +679,11 @@ setToFolder: setToFolder, - deleteFolder: deleteFolder + deleteFolder: deleteFolder, + + sanitizeDelegateName: sanitizeDelegateName, + + numberToFixed: numberToFixed, } } diff --git a/client/app/src/accounts/view/createDelegate.html b/client/app/src/accounts/view/createDelegate.html index 0cde120e0d..c4dd66a665 100644 --- a/client/app/src/accounts/view/createDelegate.html +++ b/client/app/src/accounts/view/createDelegate.html @@ -2,7 +2,7 @@
-

Register delegate for {{send.data.fromAddress}}

+

Register delegate for {{createDelegate.data.fromAddress}}

@@ -15,7 +15,7 @@

Register delegate for {{send.data.fromAddress}}< - + diff --git a/client/app/src/accounts/view/showTransaction.html b/client/app/src/accounts/view/showTransaction.html index 1ccf772eed..4bbfaf40a7 100644 --- a/client/app/src/accounts/view/showTransaction.html +++ b/client/app/src/accounts/view/showTransaction.html @@ -21,7 +21,7 @@

Transaction {{validate.transaction.id}}

Username {{validate.transaction.username}} - Amount (Ѧ) {{validate.transaction.amount/100000000}} + Amount (Ѧ) {{validate.humanAmount}} Fee (Ѧ) {{validate.transaction.fee/100000000}} diff --git a/client/app/src/translations.js b/client/app/src/translations.js index df107e184c..dc650ebd36 100644 --- a/client/app/src/translations.js +++ b/client/app/src/translations.js @@ -1,21 +1,23 @@ angular.module('gettext').run(['gettextCatalog', function (gettextCatalog) { /* jshint -W100 */ - gettextCatalog.setStrings('ar', {"Address":"عنوان","Account added!":"حساب مضاف!","Amount (Ѧ)":"مبلغ (Ѧ)","Add Watch-Only Address":"إضافة حساب","Account deleted!":"تم حذف الحساب!","Add Delegate":"إضافة مندوب","Amount":"مبلغ","Add":"إضافة","Approval":"موافقة","Are you sure?":"هل أنت متأكد؟","Balance":"الرصيد","Ark Client":"عميل ark","Cancel":"إلغاء","Cannot find delegates from this term:":"لا يمكن العثور على مندوب من هذا المصطلح:","Cannot get sponsors":"لا يمكن الحصول على الرعاة","Cannot find delegate:":"لا يمكن العثور على المندوب:","Cannot get transactions":"لا يمكن الحصول على الصفقات","Cannot find delegates on this peer:":"لا يمكن العثور على المندوبين في هذا النظير:","Cannot get voted delegates":"لا يمكن الحصول على المندوبين الذي تم التصويت عليهم","Cannot state if account is a delegate":"لا يمكن معرفة هل الحساب مندوب","Change 1h/7h/7d":"التَغَيُّر1h/7h/7d","Create Virtual Folder":"إنشاء مُجلّد افتراضي","Create a new virtual folder":"إنشاء مُجلّد افتراضي جديد","Close":"إغلاق","Default":"افتراضياً","Date":"التاريخ","Delay":"تأخير","Delegate name":"اسم المندوب","Delegate":"مندوب","Delete":"حذف","Delete Account":"حذف الحساب","Destination Address":"عنوان الوجهة","Delete permanently this account":"حذف هذا الحساب بشكل دائم","Enable Virtual Folders":"تمكين المُجلّد افتراضي","Error when trying to login:":"خطأ عند محاولة الدخول:","Enable Votes":"تمكين التصويت","Error:":"خطأ:","Exchange":"تبادل","Fee (Ѧ)":"رسوم (Ѧ)","Folder Name":"اسم المُجلّد","From":"من","Hand crafted with ❤ by":"مُبرمج ب ❤ بواسطة","Height":"ارتفاع","Label":"علامة","Label set":"وضع العلامات","Language":"اللغة","Last checked":"تاريخ آخر فحص","List full or delegate already voted.":"القائمة كاملة أو مندوب صُوِّت.","Login":"تسجيل الدخول","Market Cap.":"رسملة السوق.","My Accounts":"حساباتي","Network connected and healthy!":"الشبكة متصلة وصحية!","Network disconnected!":"انقطاع الاتصال بالشبكة!","No difference from original delegate list":"لا فرق عن قائمة المندوب الأصلية","Next":"التالي","No publicKey":"لا يوجد مفتاح عام","No search term":"مصطلح البحث غير موجود","Not enough ARK on your account":"ARK غير كافية على حسابك","Open Delegate Monitor":"فتح مراقب المندوب","Watch-Only Addresses":"حسابات أخرى","Passphrase does not match your address":"عبارة المرور لا تطابق عنوانك","Passphrase":"عبارة المرور","Passphrase is not corresponding to account":"عبارة المرور لا تتطابق مع الحساب","Peer":"نظير","Please enter a folder name.":"الرجاء إدخال اسم المجلد.","Please enter a new address.":"يرجى إدخال عنوان جديد.","Please enter a short label.":"يرجى إدخال تسمية قصيرة.","Price":"السعر","Please enter this account passphrase to login.":"الرجاء إدخال عبارة مرور هذا الحساب للدخول.","Productivity":"الإنتاج","Quit":"الخروج","Quit Ark Client?":"الخروج من العميل Ark?","Rank":"مرتبة","Receive Ark":"تسلم Ark","Rename":"إعادة التسمية","Remove":"إزالة","Send":"إرسال","Second Passphrase":"عبارة المرور الثانية","Send Ark":"إرسال Ark","Send Ark from":"إرسال Ark من","Set":"تعيين","Succesfully Logged In!":"تسجيل ناجح !","The destination address":"عنوان الوجهة","To":"إلى","Transaction":"صفقة","Transactions":"المعاملات","Type":"نوع","Update vote from":"تحديث التصويت من","Username":"اسم المستخدم","Virtual folder added!":"مجلّد افتراضي مُضاف !","Vote":"صوت","Votes":"أصوات","address":"عنوان","is erroneous":"خاطئ","folder name":"اسم المجلّد","is not recognised":"غير معترف بها","label":"علامة","missed blocks":"كتل ضائعة","now!":"الآن!","passphrase":"عبارة مرور","produced blocks":"الكتل المنتجة","you need at least 1 ARK to vote":"تحتاج على الأقل 1 ARK لكي تصوت","sent with success!":"أرسلت بنجاح!"}); - gettextCatalog.setStrings('bg_BG', {"Add Watch-Only Address":"Добави адрес","Account successfully created:":"Акаунта е създаден успешно","Address":"Адрес","Account added!":"Акаунта е добавен!","Amount (Ѧ)":"Сума (Ѧ)","Add Watch-Only Address":"Добави акаунт","Account deleted!":"Акаунта е изтрит!","Add Delegate":"Добави делегат","Amount":"Сума","Add":"Добави","Approval":"Потвърждение","Are you sure?":"Сигурни ли сте?","Balance":"Баланс","Ark Client":"ARK клиент","Cancel":"Отказ","Cannot find delegates from this term:":"Делегат с това име не може да бъде открит:","Cannot get sponsors":"Невъзможно зареждане на спонсори","Cannot find delegate:":"Не може да бъде открит делегат:","Cannot get transactions":"Невъзможно зареждане на транзакции","Cannot find delegates on this peer:":"Няма намерени делегати на този пиър:","Cannot get voted delegates":"Невъзможно зареждане на листа с гласовете","Cannot state if account is a delegate":"Не може да се определи дали акаунта е делегат","Change 1h/7h/7d":"Промяна 1ч./7ч./7д.","Create":"Създай","Create Virtual Folder":"Създай виртуална папка","Create a new virtual folder":"Създай нова виртуална папка","Close":"Затвори","Create Account":"Създай акаунт","Default":"По подразбиране","Date":"Дата","Delay":"Закъснение","Delegate name":"Име на делегат","Delegate":"Делегат","Delete":"Изтрий","Delete Account":"Изтрий акаунт","Destination Address":"Адрес на получател","Delete permanently this account":"Изтрий напълно този акаунт","Enable Virtual Folders":"Разреши виртуални папки","Error when trying to login:":"Грешка при опит за влизане:","Enable Votes":"Разреши гласуване","Error:":"Грешка:","Exchange":"Обмяна","Fee (Ѧ)":"Такса (Ѧ)","Folder Name":"Име на папка","Full Screen":"Цял екран","From":"От","Hand crafted with ❤ by":"Направено с ❤ от","If you own this account, you can enable virtual folders. Virtual Folders are simple subaccounts to better organise your money, without needing to send a real transaction and pay a fee.
\n Moreover, this account will move under the \"My Accounts\" list.":"Ако този акаунт е ваш, можете да разрешите виртуалните папки. Те са обикновени под-акаунти за по-добра организация на средствата, без да е нужна реална транзакция и плащане на такса.
С това, акаунта ще бъде преместен в списъка \"Мои акаунти\"","Height":"Височина","Label":"Етикети","Label set":"Етикети","Language":"Език","Last checked":"Последна проверка","List full or delegate already voted.":"Списъка за гласуване е пълен или вече сте гласували за този делегат","Login":"Вход","Market Cap.":"Пазарен дял","Manage Networks":"Управление на мрежа","Maximize":"Максимизирай","Minify":"Минимизирай","My Accounts":"Моите Акаунти","Network":"Мрежа","Network connected and healthy!":"Сързан с мрежата","Network ddisconnected":"Няма връзка с мрежата","No difference from original delegate list":"Няма разлика с оригиналния списък с делегати","Next":"Следващ","No publicKey":"Няма публичен ключ","No search term":"Няма критерии за търсене","Not enough ARK on your account":"Нямате достатъчна наличност в акаунта си","OffChain":"ОфЧейн","Open Delegate Monitor":"Монитор на делегатите","Optional":"Опционално","Watch-Only Addresses":"Други акаунти","Passphrase does not match your address":"Паролата не съвпада с въведения адрес","Passphrase":"Парола","Passphrases are not secured with high standard.
\n Use this feature only on safe computers and for accounts you can afford to lose balance.":"Паролите не са защитени свръх надеждно.
\nИзползвайте тази опция само на надеждни компютри или за акаунти чието съдържание можете да си позволите да загубите.","Passphrases saved":"Паролите са запазени","Passphrase is not corresponding to account":"Паролата не съвпада с акаунта","Passphrases deleted":"Паролите бяха изтрити","Peer":"Пиър","Please backup securely the passphrase, this client does NOT store it and thus cannot recover your passphrase":"Съхранявайте паролата си на сигурно място. Този клиент НЕ съхранява пароли и няма начин те да бъдат възстановени.","Please enter a folder name.":"Въведете име на папка","Please enter a new address.":"Въведете нов адрес","Please enter a short label.":"Въведете кратко описание","Price":"Цена","Please enter this account passphrase to login.":"Въведете паролата за този акаунт за да влезете","Productivity":"Продуктивност","Quit":"Изход","Quit Ark Client?":"Изход от Лиск клиента?","Rank":"Ранг","Receive Ark":"Получи ARK","Register Delegate":"Регистрация на делегат","Register delegate for":"Регистрация на делегат за","Rename":"Преименувай","Remove":"Преманни","Restart":"Рестарт","Save":"Запази","Save Passphrases for":"Запази паролите за","Send":"Изпрати","Second Passphrase":"Втора парола","Send Ark":"Изпрати ARK","Send Ark from":"Изпрати ARK от","Set":"ОК","Succesfully Logged In!":"Успешно влизане!","Smartbridge":"Смартбридж","The destination address":"Адресът на получателя","This account has never interacted with the network. This is a cold wallet.":"Този адрес никога не е бил въвеждан в мрежата. Тоеа е \"студен\" портфейл","To":"До","Total {{ul.network.symbol}}":"Общо {{ul.network.symbol}}","Transaction":"Транзакция","Transactions":"Транзакции","Type":"Тип","Update vote from":"Обнови гласовете от","Username":"Потребител","Vendor Field":"Идентификатор","Virtual folder added!":"Добавена виртуална папка!","Vote":"Гласуване","Votes":"Гласове","address":"адрес","is erroneous":"е грешен","folder name":"име на папка","is not recognised":"не е разпознат","label":"етикет","missed blocks":"пропуснати блокове","now!":"сега!","passphrase":"парола","produced blocks":"произведени блокове","you need at least 1 ARK to vote":"за да гласувате ви трябва поне 1 ARK","sent with success!":"успешно изпратени!","you need at least 25 ARK to register delegate":"за регистрация на делегат трябва да имате 25 ARK"}); - gettextCatalog.setStrings('de', {"Add Watch-Only Address":"Adresse hinzufügen","Account successfully created:":"Account erfolgreich erstellt","Address":"Adresse","Account added!":"Account hinzugefügt!","Amount (Ѧ)":"Betrag (Ѧ)","Add Watch-Only Address":"Account hinzufügen","Account deleted!":"Account gelöscht!","Add Delegate":"Delegate hinzufügen","Amount":"Betrag","Add":"Hinzufügen","Approval":"Zustimmung","Are you sure?":"Bist du sicher?","Balance":"Kontostand","Ark Client":"Ark Client","Cancel":"Abbrechen","Cannot find delegates from this term:":"Kann mittels dieses Begriffes keinen Delegate finden:","Cannot get sponsors":"Kann Sponsoren nicht anzeigen","Cannot find delegate:":"Delegate nicht gefunden:","Cannot get transactions":"Kann Transaktionen nicht anzeigen","Cannot find delegates on this peer:":"Kann auf diesem Peer keinen Delegate finden.","Cannot get voted delegates":"Kann gewählte Delegates nicht anzeigen","Cannot state if account is a delegate":"Kann nicht ermitteln, ob dieser Account ein Delegate ist","Change 1h/7h/7d":"Änderung 1h/7h/7t","Create":"Erstellen","Create Virtual Folder":"Virtuellen Ordner erstellen","Create a new virtual folder":"Einen neuen virtuellen Ordner erstellen","Close":"Schliessen","Create Account":"Account erstellen","Default":"Standard","Date":"Datum","Delay":"Verzögerung","Delegate name":"Delegate-Name","Delegate":"Delegate","Delete":"Löschen","Delete Account":"Account löschen","Destination Address":"Ziel-Adresse","Delete permanently this account":"Diesen Account dauerhaft löschen","Enable Virtual Folders":"Virtuelle Ordner aktivieren","Error when trying to login:":"Fehler beim Login","Enable Votes":"Votes aktivieren","Error:":"Fehler:","Exchange":"Börse","Fee (Ѧ)":"Gebühr (Ѧ)","Folder Name":"Ordnername","Full Screen":"Vollbild","From":"Von","Hand crafted with ❤ by":"Mit ❤ programmiert von","If you own this account, you can enable virtual folders. Virtual Folders are simple subaccounts to better organise your money, without needing to send a real transaction and pay a fee.
\n Moreover, this account will move under the \"My Accounts\" list.":"Wenn Du diesen Account besitzt, kannst Du virtuelle Ordner aktivieren. Virtuelle Ordner sind einfache Unterordner, um Deine Geld besser organisieren zu können, ohne echte Transaktionen auf andere Accounts durchführen und Gebühren zahlen zu müssen.
Du findest die Unterordner unter dem Menüpunkt \"Meine Accounts\".","Height":"Höhe","Label":"Bezeichnung","Label set":"Bezeichnung gespeichert","Language":"Sprache","Last checked":"Zuletzt überprüft","List full or delegate already voted.":"Liste voll oder Du hast bereits für diesen Delegate abgestimmt.","Login":"Login","Market Cap.":"Marktkapitalisierung","Manage Networks":"Netzwerk managen","Maximize":"Maximieren","Minify":"Minimiere","My Accounts":"Meine Accounts","Network":"Netzwerk","Network connected and healthy!":"Netzwerk verbunden und funktionsfähig","Network disconnected!":"Netzwerk getrennt!","No difference from original delegate list":"Kein Unterschied zur originalen Delegate-Liste","Next":"Nächste","No publicKey":"Kein öffentlicher Schlüssel","No search term":"Kein Suchbegriff","Not enough ARK on your account":"Nicht genügend ARK in Deinem Account","OffChain":"Offchain","Open Delegate Monitor":"Delegate-Monitor öffnen","Optional":"Optional","Watch-Only Addresses":"Andere Accounts","Passphrase does not match your address":"Passphrase stimmt nicht mit Deiner Adresse überein","Passphrase":"Passphrase","Passphrases are not secured with high standard.
\n Use this feature only on safe computers and for accounts you can afford to lose balance.":"Passphrasen sind nicht mit hohen Standards gesichert.
Benutze diese Funktion nur mit sicheren Computern und für Konten, deren Verlust du dir leisten kannst.","Passphrases saved":"Passphrase gespeichert","Passphrase is not corresponding to account":"Passphrase passt nicht zu dem Account","Passphrases deleted":"Passphrase gelöscht","Peer":"Peer","Please backup securely the passphrase, this client does NOT store it and thus cannot recover your passphrase":"Bitte speichere deine Passphrase an einem sicheren Ort. Die Passphrase wird durch den Client nicht gespeichert und kann daher auch nicht wiederhergestellt werden.","Please enter a folder name.":"Bitte einen Ordnernamen eingeben.","Please enter a new address.":"Bitte eine neue Adresse eingeben.","Please enter a short label.":"Bitte eine kurze Bezeichnung eingeben.","Price":"Preis","Please enter this account passphrase to login.":"Zum Einloggen bitte folgende Passphrase eingeben.","Productivity":"Produktivität","Quit":"Schließen","Quit Ark Client?":"Ark Client wirklich schließen?","Rank":"Rang","Receive Ark":"ARK empfangen","Register Delegate":"Als Delegate registrieren","Register delegate for":"Delegate registrieren für","Rename":"Umbenennen","Remove":"Entfernen","Restart":"Neustart","Save":"Speichern","Save Passphrases for":"Speichere Passphrase für","Send":"Senden","Second Passphrase":"Zweite Passphrase","Send Ark":"ARK senden","Send Ark from":"Sende ARK von","Set":"Einstellen","Succesfully Logged In!":"Erfolgreich eingeloggt!","Smartbridge":"Smartbridge","The destination address":"Die Zieladresse","This account has never interacted with the network. This is a cold wallet.":"Dieser Account war nie mit dem Netzwerk verbunden. Es handelt sich um eine Cold Wallet.","To":"An","Total {{ul.network.symbol}}":"Gesamt {{ul.network.symbol}}","Transaction":"Transaktion","Transactions":"Transaktionen","Type":"Typ","Update vote from":"Aktualisieren der Stimme von","Username":"Benutzername","Vendor Field":"SmartBridge","Virtual folder added!":"Virtueller Ordner hinzugefügt!","Vote":"Stimme","Votes":"Stimmen","address":"Adresse","is erroneous":"ist fehlerhaft","folder name":"Ordnername","is not recognised":"wird nicht erkannt","label":"Bezeichnung","missed blocks":"Verpasste Blocks","now!":"Jetzt!","passphrase":"Passphrase","produced blocks":"Produzierte Blöcke","you need at least 1 ARK to vote":"Du benötigst mindestens 1 ARK, um abstimmen zu können.","sent with success!":"Erfolgreich gesendet!","you need at least 25 ARK to register delegate":"Du benötigst mindestens 25 ARK, um dich als Delegate registrieren zu können."}); - gettextCatalog.setStrings('el', {"Add Watch-Only Address":"Προσθήκη Διεύθυνσης","Account successfully created:":"Ο λογαριασμός δημιουργήθηκε επιτυχώς:","Address":"Διεύθυνση","Account added!":"Ο λογαριασμός προστέθηκε!","Amount (Ѧ)":"Ποσό","Add Watch-Only Address":"Προσθήκη Λογαριασμού","Account deleted!":"Ο λογαριασμός διαγράφηκε!","Add Delegate":"Προσθήκη Delegate","Amount":"Ποσό","Add":"Προσθήκη","Approval":"Έγκριση","Are you sure?":"Είστε σίγουρος;","Balance":"Υπόλοιπο","Ark Client":"Ark Client","Cancel":"Ακύρωση","Cannot find delegates from this term:":"Δεν μπορούν να βρεθούν delegates από αυτόν τον όρο:","Cannot get sponsors":"Δεν μπορεί να γίνει λήψη χορηγών","Cannot find delegate:":"Δεν μπορεί να βρεθεί delegate:","Cannot get transactions":"Δεν μπορεί να γίνει λήψη συναλλαγών","Cannot find delegates on this peer:":"Δεν μπορούν να βρεθούν delegates σε αυτόν τον peer:","Cannot get voted delegates":"Δεν μπορεί να γίνει λήψη των ψηφισθέντων delegates.","Cannot state if account is a delegate":"Δεν μπορεί να εξακριβωθεί αν ο λογαριασμός είναι delegate","Change 1h/7h/7d":"Αλλαγή 1h/7h/7d","Create":"Δημιουργία","Create Virtual Folder":"Δημιουργία εικονικού φακέλου","Create a new virtual folder":"Δημιουργείστε έναν νέο εικονικό φάκελο","Close":"Κλείσιμο","Create Account":"Δημιουργία Λογαριασμού","Default":"Προεπιλογή","Date":"Ημερομηνία","Delay":"Καθυστέρηση","Delegate name":"Όνομα Delegate","Delegate":"Delegate","Delete":"Διαγραφή","Delete Account":"Διαγραφή λογαριασμού","Destination Address":"Διεύθυνση Προορισμού","Delete permanently this account":"Διαγράψτε μόνιμα αυτόν τον λογαριασμό","Enable Virtual Folders":"Ενεργοποιήστε τους εικονικούς φακέλους","Error when trying to login:":"Σφάλμα κατά την είσοδο:","Enable Votes":"Ενεργοποιήστε τις ψήφους","Error:":"Σφάλμα:","Exchange":"Ανταλλακτήριο","Fee (Ѧ)":"Τέλη","Folder Name":"Όνομα φακέλου","Full Screen":"Πλήρης Οθόνη:","From":"Από","Hand crafted with ❤ by":"Κατασκευασμένο με ❤ από","If you own this account, you can enable virtual folders. Virtual Folders are simple subaccounts to better organise your money, without needing to send a real transaction and pay a fee.
\n Moreover, this account will move under the \"My Accounts\" list.":"Αν σας ανήκει αυτός ο λογαριασμός, μπορείτε να ενεργοποιήσετε τους εικονικούς φακέλους. Οι εικονικοί φάκελοι είναι απλοί υπολογαριασμοί με σκοπό την καλύτερη οργάνωση των χρημάτων σας, χωρίς να χρειάζεται να στείλετε μια πραγματική συναλλαγή και να πληρώσετε τέλη.
Επιπλέον, αυτός ο λογαριασμός θα μετακινηθεί κάτω από την λίστα \"Οι λογαριασμοί μου\".","Height":"Ύψος","Label":"Ετικέτα","Label set":"Ρύθμιση Ετικετών","Language":"Γλώσσα","Last checked":"Τελευταία φορά που ελέγχθηκε","List full or delegate already voted.":"Πλήρης λίστα ή ο delegate έχει ήδη ψηφισθεί","Login":"Σύνδεση","Market Cap.":"Κεφαλαιοποίηση","Manage Networks":"Διαχείριση Δικτύων","Maximize":"Μεγιστοποίηση","Minify":"Ελαχιστοποίηση","My Accounts":"Οι λογαριασμοί μου","Network":"Δίκτυο","Network connected and healthy!":"Δίκτυο συνδεδεμένο και υγιές!","Network disconnected!":"Δίκτυο αποσυνδεδεμένο!","No difference from original delegate list":"Καμία διαφορά από την αρχική λίστα delegate","Next":"Επόμενο","No publicKey":"Δεν υπάρχει publicKey","No search term":"Δεν υπάρχει ο όρος αναζήτησης","Not enough ARK on your account":"Δεν υπάρχουν αρκετά ARK στον λογαριασμό","OffChain":"Εκτός αλυσίδας","Open Delegate Monitor":"Ανοίξτε το monitor των delegate","Optional":"Προαιρετικό","Watch-Only Addresses":"Άλλοι λογαριασμοί","Passphrase does not match your address":"Η passphrase δεν ταιριάζει με την διεύθυνση","Passphrase":"Passphrase","Passphrases are not secured with high standard.
\n Use this feature only on safe computers and for accounts you can afford to lose balance.":"Οι passphrases δεν είναι ασφαλισμένες με υψηλά στάνταρ.
\nΧρησιμοποιείστε αυτή την λειτουργία μόνο σε ασφαλείς υπολογιστές και για λογαριασμούς που αντέχετε να χάσετε το υπόλοιπό τους.","Passphrases saved":"Οι passphrases αποθηκεύτηκαν","Passphrase is not corresponding to account":"Η passphrase δεν ανταποκρίνεται στον λογαριασμό","Passphrases deleted":"Οι passphrases διαγράφηκαν","Peer":"Peer","Please backup securely the passphrase, this client does NOT store it and thus cannot recover your passphrase":"Παρακαλώ αποθηκεύστε ασφαλώς την passphrase, αυτός ο client-δέκτης ΔΕΝ την αποθηκεύει και γι'αυτό δεν μπορεί να την ανακτήσει","Please enter a folder name.":"Παρακαλώ εισάγετε ένα όνομα φακέλου","Please enter a new address.":"Παρακαλώ εισάγετε μία νέα διεύθυνση","Please enter a short label.":"Παρακαλώ εισάγετε μία σύντομη ετικέτα","Price":"Τιμή","Please enter this account passphrase to login.":"Παρακαλώ εισάγετε την passphrase αυτού του λογαριασμού για να συνδεθείτε.","Productivity":"Παραγωγικότητα","Quit":"Τερματισμός","Quit Ark Client?":"Τερματισμός του Ark Client ;","Rank":"Κατάταξη","Receive Ark":"Παραλαβή ARK","Register Delegate":"Κατοχύρωση Delegate","Register delegate for":"Κατοχύρωση delegate για","Rename":"Μετονομασία","Remove":"Αφαίρεση","Restart":"Επανεκκίνηση","Save":"Αποθήκευση","Save Passphrases for":"Αποθήκευση των Passphrases για","Send":"Αποστολή","Second Passphrase":"Δεύτερη Passphrase","Send Ark":"Αποστολή Ark","Send Ark from":"Αποστολή Ark από","Set":"Ρύθμιση","Succesfully Logged In!":"Επιτυχής σύνδεση!","Smartbridge":"Smartbridge","The destination address":"Η διεύθυνση προορισμού","This account has never interacted with the network. This is a cold wallet.":"Αυτός ο λογαριασμός δεν έχει αλληλεπιδράσει ποτέ με το δίκτυο. Είναι ένα αδρανές πορτοφόλι.","To":"Προς","Total {{ul.network.symbol}}":"Σύνολο {{ul.δίκτυο.σύμβολο}}","Transaction":"Συναλλαγή","Transactions":"Συναλλαγές","Type":"Πληκτρολογείστε","Update vote from":"Ανανεώστε την ψήφο από","Username":"Όνομα Χρήστη","Vendor Field":"Λίστα Προμηθευτών","Virtual folder added!":"Ο εικονικός φάκελος προστέθηκε!","Vote":"Ψηφίστε","Votes":"Ψήφοι","address":"διεύθυνση","is erroneous":"είναι εσφαλμένος","folder name":"όνομα φακέλου","is not recognised":"δεν αναγνωρίζεται","label":"ετικέτα","missed blocks":"χαμένα block","now!":"τώρα!","passphrase":"passphrase","produced blocks":"παραχθέντα block","you need at least 1 ARK to vote":"Χρειάζεστε τουλάχιστον 1 ARK για να ψηφίσετε","sent with success!":"Στάλθηκε με επιτυχία","you need at least 25 ARK to register delegate":"Χρειάζεστε τουλάχιστον 25 ARK για να κατοχυρώσετε έναν delegate"}); - gettextCatalog.setStrings('en', {"Add Watch-Only Address":"Add Watch-Only Address","Account successfully created:":"Account successfully created:","Address":"Address","Account added!":"Account added!","Amount (Ѧ)":"Amount (Ѧ)","Add Watch-Only Address":"Add Watch-Only Address","Account deleted!":"Account deleted!","Add Delegate":"Add Delegate","Amount":"Amount","Add":"Add","Approval":"Approval","Are you sure?":"Are you sure?","Balance":"Balance","Ark Client":"Ark Client","Cancel":"Cancel","Cannot find delegates from this term:":"Cannot find delegates from this term:","Cannot get sponsors":"Cannot get sponsors","Cannot find delegate:":"Cannot find delegate:","Cannot get transactions":"Cannot get transactions","Cannot find delegates on this peer:":"Cannot find delegates on this peer:","Cannot get voted delegates":"Cannot get voted delegates","Cannot state if account is a delegate":"Cannot state if account is a delegate","Change 1h/7h/7d":"Change 1h/7h/7d","Create":"Create","Create Virtual Folder":"Create Virtual Folder","Create a new virtual folder":"Create a new virtual folder","Close":"Close","Create Account":"Create Account","Default":"Default","Date":"Date","Delay":"Delay","Delegate name":"Delegate name","Delegate":"Delegate","Delete":"Delete","Delete Account":"Delete Account","Destination Address":"Destination Address","Delete permanently this account":"Delete permanently this account","Enable Virtual Folders":"Enable Virtual Folders","Error when trying to login:":"Error when trying to login:","Enable Votes":"Enable Votes","Error:":"Error:","Exchange":"Exchange","Fee (Ѧ)":"Fee (Ѧ)","Folder Name":"Folder Name","Full Screen":"Full Screen","From":"From","Hand crafted with ❤ by":"Hand crafted with ❤ by","If you own this account, you can enable virtual folders. Virtual Folders are simple subaccounts to better organise your money, without needing to send a real transaction and pay a fee.
\n Moreover, this account will move under the \"My Accounts\" list.":"If you own this account, you can enable virtual folders. Virtual Folders are simple subaccounts to better organise your money, without needing to send a real transaction and pay a fee.
\n Moreover, this account will move under the \"My Accounts\" list.","Height":"Height","Label":"Label","Label set":"Label set","Language":"Language","Last checked":"Last checked","List full or delegate already voted.":"List full or delegate already voted.","Login":"Login","Market Cap.":"Market Cap.","Manage Networks":"Manage Networks","Maximize":"Maximize","Minify":"Minify","My Accounts":"My Accounts","Network":"Network","Network connected and healthy!":"Network connected and healthy!","Network disconnected!":"Network disconnected!","No difference from original delegate list":"No difference from original delegate list","Next":"Next","No publicKey":"No publicKey","No search term":"No search term","Not enough ARK on your account":"Not enough ARK on your account","OffChain":"OffChain","Open Delegate Monitor":"Open Delegate Monitor","Optional":"Optional","Watch-Only Addresses":"Watch-Only Addresses","Passphrase does not match your address":"Passphrase does not match your address","Passphrase":"Passphrase","Passphrases are not secured with high standard.
\n Use this feature only on safe computers and for accounts you can afford to lose balance.":"Passphrases are not secured with high standard.
\n Use this feature only on safe computers and for accounts you can afford to lose balance.","Passphrases saved":"Passphrases saved","Passphrase is not corresponding to account":"Passphrase is not corresponding to account","Passphrases deleted":"Passphrases deleted","Peer":"Peer","Please backup securely the passphrase, this client does NOT store it and thus cannot recover your passphrase":"Please backup securely the passphrase, this client does NOT store it and thus cannot recover your passphrase","Please enter a folder name.":"Please enter a folder name.","Please enter a new address.":"Please enter a new address.","Please enter a short label.":"Please enter a short label.","Price":"Price","Please enter this account passphrase to login.":"Please enter this account passphrase to login.","Productivity":"Productivity","Quit":"Quit","Quit Ark Client?":"Quit Ark Client?","Rank":"Rank","Receive Ark":"Receive Ark","Register Delegate":"Register Delegate","Register delegate for":"Register delegate for","Rename":"Rename","Remove":"Remove","Restart":"Restart","Save":"Save","Save Passphrases for":"Save Passphrases for","Send":"Send","Second Passphrase":"Second Passphrase","Send Ark":"Send Ark","Send Ark from":"Send Ark from","Set":"Set","Succesfully Logged In!":"Succesfully Logged In!","Smartbridge":"Smartbridge","The destination address":"The destination address","This account has never interacted with the network. This is a cold wallet.":"This account has never interacted with the network. This is a cold wallet.","To":"To","Total {{ul.network.symbol}}":"Total {{ul.network.symbol}}","Transaction":"Transaction","Transactions":"Transactions","Type":"Type","Update vote from":"Update vote from","Username":"Username","Vendor Field":"Vendor Field","Virtual folder added!":"Virtual folder added!","Vote":"Vote","Votes":"Votes","address":"address","is erroneous":"is erroneous","folder name":"folder name","is not recognised":"is not recognised","label":"label","missed blocks":"missed blocks","now!":"now!","passphrase":"passphrase","produced blocks":"produced blocks","you need at least 1 ARK to vote":"you need at least 1 ARK to vote","sent with success!":"sent with success!","you need at least 25 ARK to register delegate":"you need at least 25 ARK to register delegate"}); - gettextCatalog.setStrings('es_419', {"Address":"Dirección","Account added!":"¡Cuenta adicionada!","Amount (Ѧ)":"Cantidad (Ѧ)","Add Watch-Only Address":"Añadir Cuenta","Account deleted!":"¡Cuenta eliminada!","Add Delegate":"Añadir Delegado","Amount":"Cantidad","Add":"Añadir","Approval":"Aprobación","Are you sure?":"¿Está seguro?","Balance":"Balance","Ark Client":"Cliente Ark","Cancel":"Cancelar","Cannot find delegates from this term:":"No se encuentran delegados a partir de este término:","Cannot get sponsors":"No se puede obtener patrocinadores","Cannot find delegate:":"No se puede encontrar el delegado:","Cannot get transactions":"No se puede obtener transacciones","Cannot find delegates on this peer:":"No se encuentran delegados en este par:","Cannot get voted delegates":"No se puede obtener delegados votados","Cannot state if account is a delegate":"No se puede asegurar que la cuenta es de un delegado","Change 1h/7h/7d":"Cambio 1h/7h/7d","Create Virtual Folder":"Crear Carpeta Virtual","Create a new virtual folder":"Crear una nueva carpeta virtual","Close":"Cerrar","Default":"Predeterminado","Date":"Fecha","Delay":"Retraso","Delegate name":"Nombre de Delegado","Delegate":"Delegado","Delete":"Eliminar","Delete Account":"Eliminar Cuenta","Destination Address":"Dirección de Destino","Delete permanently this account":"Eliminar esta cuenta de forma permanente","Enable Virtual Folders":"Habilitar Carpetas Virtuales","Error when trying to login:":"Error al iniciar sesión","Enable Votes":"Habilitar Votos","Error:":"Error:","Exchange":"Intercambio","Fee (Ѧ)":"Tasa (Ѧ)","Folder Name":"Nombre de Carpeta","Full Screen":"Pantalla completa","From":"Desde","Hand crafted with ❤ by":"Elaborado artesanalmente con ❤ por","Height":"Altura","Label":"Etiqueta","Label set":"Grupo de Etiquetas","Language":"Lenguaje","Last checked":"Ultima consulta","List full or delegate already voted.":"Lista completa o delegado ya votado.","Login":"Iniciar Sesión","Market Cap.":"Capitalización de Mercado","Manage Networks":"Administrar redes","Maximize":"Maximizar","My Accounts":"Mis Cuentas","Network":"La red","Network connected and healthy!":"¡Red conectada y en óptimas condiciones!","Network disconnected!":"¡Red desconectada!","No difference from original delegate list":"Sin diferencias con la lista original de delegados","Next":"Siguiente","No publicKey":"No hay clave pública","No search term":"No hay término de búsqueda","Not enough ARK on your account":"ARK insuficientes en su cuenta","Open Delegate Monitor":"Abrir Monitoreo de Delegados","Watch-Only Addresses":"Otras Cuentas","Passphrase does not match your address":"La Contraseña de Frase no coincide con su dirección","Passphrase":"Contraseña de Frase","Passphrase is not corresponding to account":"La Contraseña de Frase no corresponde a la cuenta","Peer":"Par","Please enter a folder name.":"Por favor ingrese un nombre de carpeta.","Please enter a new address.":"Por favor ingrese una nueva dirección.","Please enter a short label.":"Por favor ingrese una etiqueta corta.","Price":"Precio","Please enter this account passphrase to login.":"Por favor ingrese la contraseña de frase correspondiente a esta cuenta para iniciar sesión.","Productivity":"Productividad","Quit":"Salir","Quit Ark Client?":"¿Quiere salir del Cliente Ark?","Rank":"Posición","Receive Ark":"Recibir Ark","Rename":"Renombrar","Remove":"Quitar","Send":"Enviar","Second Passphrase":"Segunda Contraseña de Frase","Send Ark":"Enviar Ark","Send Ark from":"Enviar Ark desde","Set":"Establecer","Succesfully Logged In!":"Inicio de Sesión Exitoso!","The destination address":"La dirección de destino","To":"Hacia","Transaction":"Transacción","Transactions":"Transacciones","Type":"Tipo","Update vote from":"Votar a favor desde","Username":"Nombre de usuario","Virtual folder added!":"¡Carpeta virtual añadida!","Vote":"Voto","Votes":"Votos","address":"dirección","is erroneous":"es erroneo","folder name":"Nombre de carpeta","is not recognised":"no es reconocido","label":"etiqueta","missed blocks":"bloques perdidos","now!":"¡ahora!","passphrase":"contraseña de frase","produced blocks":"bloques producidos","you need at least 1 ARK to vote":"necesitas al menos 1 ARK para votar","sent with success!":"¡Enviado exitosamente!","you need at least 25 ARK to register delegate":"Necesita al menos 25 ARK para registrar delegado"}); - gettextCatalog.setStrings('fr', {"Add Watch-Only Address":"Ajouter une adresse","Account successfully created:":"Compte enregistré avec succès","Address":"Adresse","Account added!":"Compte ajouté !","Amount (Ѧ)":"Montant (Ѧ)","Add Watch-Only Address":"Ajouter un compte","Account deleted!":"Compte supprimé !","Add Delegate":"Ajouter un délégué","Amount":"Montant","Add":"Ajouter","Approval":"Approbation","Are you sure?":"Etes-vous sûr ?","Balance":"Solde","Ark Client":"Client Ark","Cancel":"Annuler","Cannot find delegates from this term:":"Impossible de trouver de délégués avec cette recherche :","Cannot get sponsors":"Impossible d'obtenir la liste des sponsors","Cannot find delegate:":"Impossible de trouver le délégué :","Cannot get transactions":"Impossible d'obtenir la liste des transactions","Cannot find delegates on this peer:":"Impossible de trouver des délégués sur ce nœud :","Cannot get voted delegates":"Impossible d'obtenir la liste des délégués votés par ce compte","Cannot state if account is a delegate":"Impossible de savoir si ce compte est enregistré en tant que délégué","Change 1h/7h/7d":"Variations 1h/7h/7j","Create":"Créer","Create Virtual Folder":"Créer un portefeuille virtuel","Create a new virtual folder":"Créer un nouveau portefeuille virtuel","Close":"Fermer","Create Account":"Créer un compte","Default":"Par défaut","Date":"Date","Delay":"Délai","Delegate name":"Nom du délégué","Delegate":"Délégué","Delete":"Supprimer","Delete Account":"Supprimer le compte","Destination Address":"Adresse de Destination","Delete permanently this account":"Supprimer définitivement ce compte","Enable Virtual Folders":"Activer les comptes virtuels","Error when trying to login:":"Erreur lors de la tentative de connexion :","Enable Votes":"Activer les votes","Error:":"Erreur :","Exchange":"Échange","Fee (Ѧ)":"Frais (Ѧ)","Folder Name":"Nom du portefeuille virtuel","Full Screen":"Plein écran","From":"De","Hand crafted with ❤ by":"Réalisé avec ❤ par ","If you own this account, you can enable virtual folders. Virtual Folders are simple subaccounts to better organise your money, without needing to send a real transaction and pay a fee.
\n Moreover, this account will move under the \"My Accounts\" list.":"Si vous possédez ce compte, vous pouvez utiliser les portefeuilles virtuels. Ils permettent une meilleure organisation de votre argent sans avoir à payer les frais de transaction.\nCe compte s'affichera dans \"Mes portefeuilles\"","Height":"Blocks forgés","Label":"Label","Label set":"Labelisation","Language":"Langue","Last checked":"Dernière vérification","List full or delegate already voted.":"Liste des délégués complète, ou délégués déja votés","Login":"Connexion","Market Cap.":"Capitalisation","Manage Networks":"Gestion du réseau","Maximize":"Agrandir","Minify":"Iconifier","My Accounts":"Mes Comptes","Network":"Réseau","Network connected and healthy!":"Connecté au réseau !","Network disconnected!":"Déconnecté du réseau !","No difference from original delegate list":"Aucune différence avec la liste de délégués originale","Next":"Suivant","No publicKey":"Pas de clef publique","No search term":"Aucun terme de recherche","Not enough ARK on your account":"Pas assez d'ARK sur votre compte","OffChain":"Pas enregistré sur la blockchain","Open Delegate Monitor":"Ouvrir la page de suivi des délégués","Optional":"Optionnel","Watch-Only Addresses":"Autres portefeuilles","Passphrase does not match your address":"Le mot de passe ne correspond pas à votre adresse","Passphrase":"Mot de Passe","Passphrases are not secured with high standard.
\n Use this feature only on safe computers and for accounts you can afford to lose balance.":"Les mots de passe ne sont pas encryptés.
\nUtiliser cette option seulement sur un ordinateur sécurisé et pour des comptes où vous pouvez perdre.","Passphrases saved":"mot de passe enregistré","Passphrase is not corresponding to account":"Le mot de passe ne correspond pas au compte","Passphrases deleted":"mot de passe supprimé","Peer":"Nœud","Please backup securely the passphrase, this client does NOT store it and thus cannot recover your passphrase":"Sauvegarder absolument le mot de passe dans un endroit sûr car le logiciel ne l'enregistre pas. Si vous ne le sauvegardez pas, il vous sera impossible de le retrouver","Please enter a folder name.":"Entrer un nom de portefeuille.","Please enter a new address.":"Entrer un nouvelle adresse.","Please enter a short label.":"Entrer un nom court.","Price":"Prix","Please enter this account passphrase to login.":"Entrer le mot de passe de ce compte pour vous connecter","Productivity":"Productivité","Quit":"Quitter","Quit Ark Client?":"Quitter l'application Client Ark ?","Rank":"Rang","Receive Ark":"Réception","Register Delegate":"S'enregistrer en tant que délégué","Register delegate for":"Inscrire un délégué pour","Rename":"Renommer","Remove":"Retirer","Restart":"Redémarrer","Save":"Enregistrer","Save Passphrases for":"Sauver le mot de passe","Send":"Envoyer","Second Passphrase":"Second Mot de Passe","Send Ark":"Envoyer des Ark","Send Ark from":"Envoi d'Ark de","Set":"Créer","Succesfully Logged In!":"Connecté avec succès","Smartbridge":"Passerelle vers ark","The destination address":"L'adresse du portefeuille cible","This account has never interacted with the network. This is a cold wallet.":"Ce compte n'a jamais interagi avec le réseau. C'est un \"Cold Wallet\".","To":"A","Total {{ul.network.symbol}}":"Total {{ul.network.symbol}}","Transaction":"Transaction","Transactions":"Transactions","Type":"Type","Update vote from":"Mise à jour du vote du compte","Username":"Nom d'utilisateur","Vendor Field":"Champ du vendeur","Virtual folder added!":"Compte virtuel ajouté !","Vote":"Vote","Votes":"Votes","address":"adresse","is erroneous":"est erroné","folder name":"nom du compte","is not recognised":"n'est pas reconnu","label":"label","missed blocks":"blocks manqués","now!":"maintenant !","passphrase":"mot de passe","produced blocks":"blocks produits","you need at least 1 ARK to vote":"vous avez besoin d'au moins 1 Ѧ pour pouvoir voter","sent with success!":"envoyé avec succès","you need at least 25 ARK to register delegate":"vous devez avoir au moins 25 Ѧ pour devenir délégué"}); - gettextCatalog.setStrings('hu', {"Address":"Cím","Account added!":"Account hozzáadva!","Amount (Ѧ)":"Összeg (Ѧ)","Add Watch-Only Address":"Account hozzáadása","Account deleted!":"Account törölve!","Add Delegate":"Delegátus hozzáadása","Amount":"Összeg","Add":"Hozzáad","Approval":"Jóváhagyás","Are you sure?":"Biztos vagy benne?","Cancel":"Visszavon","Cannot find delegates from this term:":"Nem található delegátus a feltételek alapján","Cannot find delegate:":"Nem található delegátus","Exchange":"Pénzváltó","Transactions":"Tranzakciók"}); - gettextCatalog.setStrings('id', {"Add Watch-Only Address":"Tambahkan Alamat","Account successfully created:":"Akun berhasil dibuat:","Address":"Alamat","Account added!":"Akun ditambahkan!","Amount (Ѧ)":"Jumlah (Ѧ)","Add Watch-Only Address":"Tambahkan Akun","Account deleted!":"Akun dihapus!","Add Delegate":"Tambahkan Delegasi","Amount":"Jumlah","Add":"Tambahkan","Approval":"Persetujuan","Are you sure?":"Anda Yakin?","Balance":"Saldo","Ark Client":"Client ARK","Cancel":"Batalkan","Cannot find delegates from this term:":"Tidak dapat menemukan delegasi dari kata ini:","Cannot get sponsors":"Tidak dapat menemukan sponsor","Cannot find delegate:":"Tidak dapat menemukan delegasi:","Cannot get transactions":"Tidak dapat menemukan transaksi","Cannot find delegates on this peer:":"Tidak dapat menemukan delegasi dari peer ini:","Cannot get voted delegates":"Tidak dapat menemukan delegasi yang telah divote","Cannot state if account is a delegate":"Tidak dapat menyatakan bahwa akun ini adalah delegasi","Change 1h/7h/7d":"Perubahan 1j/7j/7h","Create":"Buat","Create Virtual Folder":"Buat Folder Virtual","Create a new virtual folder":"Buat folder virtual baru","Close":"Tutup","Create Account":"Buat Akun","Default":"Default","Date":"Tanggal","Delay":"Tunda","Delegate name":"Nama delegasi","Delegate":"Delegasi","Delete":"Hapus","Delete Account":"Hapus Akun","Destination Address":"Alamat Tujuan","Delete permanently this account":"Hapus akun ini selamanya","Enable Virtual Folders":"Aktifkan Folder Virtual","Error when trying to login:":"Kesalahan ketika masuk:","Enable Votes":"Aktifkan vote","Error:":"Kesalahan:","Exchange":"Bursa","Fee (Ѧ)":"Biaya (Ѧ)","Folder Name":"Nama Folder","Full Screen":"Layar Penuh","From":"Dari","Hand crafted with ❤ by":"Dibuat dengan ❤ oleh","If you own this account, you can enable virtual folders. Virtual Folders are simple subaccounts to better organise your money, without needing to send a real transaction and pay a fee.
\n Moreover, this account will move under the \"My Accounts\" list.":"Jika Anda adalah pemilik akun ini, Anda dapat mengaktifkan folder virtual. Folder Virtual adalah sub-akun sederhana untuk memudahkan pengelolaan uang anda, tanpa perlu mengirimkan transaksi nyata dan membayar biayanya.
Selain itu, akun ini akan berada didaftar \"Akun Saya\"","Height":"Tinggi","Label":"Label","Label set":"Set Label","Language":"Bahasa","Last checked":"Terakhir Diperiksa","List full or delegate already voted.":"Daftar lengkap atau delegasi yang sudah divote","Login":"Masuk","Market Cap.":"Kapitalisasi Pasar","Manage Networks":"Kelola Jaringan","Maximize":"Perbesar","Minify":"Perkecil","My Accounts":"Akun Saya","Network":"Jaringan","Network connected and healthy!":"Jaringan terhubung dan baik!","Network disconnected!":"Jaringan terputus!","No difference from original delegate list":"Tidak ada perbedaan dengan daftar delegasi asli","Next":"Berikutnya","No publicKey":"Tidak ada publicKey","No search term":"Tidak ada kata pencarian","Not enough ARK on your account":"ARK di akun anda tidak cukup","OffChain":"OffChain","Open Delegate Monitor":"Buka Monitor Delegasi","Optional":"Opsional","Watch-Only Addresses":"Akun-akun Lainnya","Passphrase does not match your address":"Kata sandi tidak sesuai dengan alamat Anda","Passphrase":"Kata sandi","Passphrases are not secured with high standard.
\n Use this feature only on safe computers and for accounts you can afford to lose balance.":"Kata sandi tidak diamankan dengan standar tinggi.\n
\nHanya gunakan fitur ini pada komputer yang aman dan untuk akun yang anda rela bila saldo hilang.","Passphrases saved":"Kata sandi disimpan","Passphrase is not corresponding to account":"Kata sandi tidak sesuai dengan akun","Passphrases deleted":"Kata sandi dihapus","Peer":"Peer","Please backup securely the passphrase, this client does NOT store it and thus cannot recover your passphrase":"Harap cadangkan Kata sandi dengan aman, client ini TIDAK menyimpannya sehingga tidak dapat memulihkan kata sandi Anda.","Please enter a folder name.":"Masukkan nama Folder","Please enter a new address.":"Masukkan alamat baru.","Please enter a short label.":"Masukkan label singkat.","Price":"Harga","Please enter this account passphrase to login.":"Masukkan kata sandi akun ini untuk masuk.","Productivity":"Produktifitas","Quit":"Berhenti","Quit Ark Client?":"Keluar dari Client Ark?","Rank":"Peringkat","Receive Ark":"Terima Ark","Register Delegate":"Daftar Delegasi","Register delegate for":"Daftarkan Delegasi untuk","Rename":"Ubah Nama","Remove":"Hapus","Restart":"Restart","Save":"Simpan","Save Passphrases for":"Simpan Kata sandi untuk","Send":"Kirim","Second Passphrase":"Kata sandi Kedua","Send Ark":"Kirim ARK","Send Ark from":"Kirim ARK dari","Set":"Set","Succesfully Logged In!":"Berhasil Masuk!","Smartbridge":"Smartbridge","The destination address":"Alamat tujuan","This account has never interacted with the network. This is a cold wallet.":"Akun ini tidak pernah berinteraksi dengan jaringan. Ini adalah cold wallet.","To":"Ke","Total {{ul.network.symbol}}":"Total {{ul.jaringan.simbol}}","Transaction":"Transaksi","Transactions":"Transaksi","Type":"Tipe","Update vote from":"Perbaharui vote dari","Username":"Nama pengguna","Vendor Field":"Laman Vendor","Virtual folder added!":"Folder virtual ditambahkan!","Vote":"Vote","Votes":"Vote","address":"alamat","is erroneous":"salah","folder name":"nama folder","is not recognised":"Tidak dikenali","label":"label","missed blocks":"blok-blok yang luput","now!":"sekarang!","passphrase":"kata sandi","produced blocks":"blok yang dihasilkan","you need at least 1 ARK to vote":"Anda memerlukan setidaknya 1 ARK untuk melakukan vote","sent with success!":"Berhasil dikirim!","you need at least 25 ARK to register delegate":"Anda memerlukan setidaknya 25 ARK untuk mendaftar delegasi"}); - gettextCatalog.setStrings('it', {"Address":"Indirizzo","Account added!":"Account aggiunto!","Amount (Ѧ)":"Somma (Ѧ)","Add Watch-Only Address":"Aggiungi Account","Account deleted!":"Account eliminato!","Add Delegate":"Aggiungi un Delegato","Amount":"Somma","Add":"Aggiungi","Approval":"Approvazione","Are you sure?":"Sei sicuro?","Balance":"Bilancio","Ark Client":"Ark Client","Cancel":"Cancella","Cannot find delegates from this term:":"Impossibile trovare un delegato da questo termine:","Cannot get sponsors":"Impossibile ricevere lo sponsor","Cannot find delegate:":"Impossibile trovare il delegato:","Cannot get transactions":"Impossibile ricevere transazioni","Cannot find delegates on this peer:":"Impossibile trovare un delegato su questo peer:","Cannot get voted delegates":"Impossibile ricevere l'elenco dei delegati votati","Cannot state if account is a delegate":"Impossibile stabilire se l'account è di un delegato","Change 1h/7h/7d":"Cambia 1h/7h/7gg","Create Virtual Folder":"Crea una cartella virtuale","Create a new virtual folder":"Crea una nuova cartella virtuale","Close":"Chiudi","Default":"Default","Date":"Data","Delay":"Ritarda","Delegate name":"Nome Delegato","Delegate":"Delegato","Delete":"Elimina","Delete Account":"Elimina Account","Destination Address":"Indirizzo di destinazione","Delete permanently this account":"Elimina permanentemente questo account","Enable Virtual Folders":"Abilita Cartelle Virtuali","Error when trying to login:":"Errore quando si tenta l'accesso:","Enable Votes":"Abilita Voti","Error:":"Errore:","Exchange":"Exchange","Fee (Ѧ)":"Commissione (Ѧ)","Folder Name":"Nome Cartella","From":"Da","Hand crafted with ❤ by":"Fatto a mano con amore da","Height":"Altezza","Label":"Eticheta","Label set":"Imposta eticheta","Language":"Lingua","Last checked":"Ultimo controllo","List full or delegate already voted.":"Lista completa o delegati già votati","Login":"Accedi","Market Cap.":"Capitalizzazione","My Accounts":"Il mio account","Network connected and healthy!":"Rete connessa e funzionante!","Network disconnected!":"Rete Disconnessa!","No difference from original delegate list":"Nessuna differenza con la lista delegati originale","Next":"Prossimo","No publicKey":"Nessuna Chiave Pubblica","No search term":"Nessun termine per la ricerca","Not enough ARK on your account":"Non ci sono abbastanza ARK sul tuo account","Open Delegate Monitor":"Apri il monitor delegati","Watch-Only Addresses":"Altri account","Passphrase does not match your address":"La passphrase non corrisponde col tuo indirizzo","Passphrase":"Passphrase","Passphrase is not corresponding to account":"La passphrase non corrisponde all'account","Peer":"Peer","Please enter a folder name.":"Dare un nome alla cartella.","Please enter a new address.":"Inserire un nuovo indirizzo.","Please enter a short label.":"Inserire un etichetta breve.","Price":"Prezzo","Please enter this account passphrase to login.":"Inserire la passphrase per accedere","Productivity":"Produttività ","Quit":"Chiudi","Quit Ark Client?":"Sei sicuro di voler chiudere?","Rank":"Posizione","Receive Ark":"Ricevi Ark","Rename":"Rinomina","Remove":"Rimuovi","Send":"Spedisci","Second Passphrase":"Seconda Passphrase","Send Ark":"Spedisci Ark","Send Ark from":"Spedisci Ark da ","Set":"Imposta","Succesfully Logged In!":"Accesso riuscito!","The destination address":"Address di destinazione","To":"A","Transaction":"Transazione","Transactions":"Transazioni","Type":"Scrivi","Update vote from":"Aggiornamento voto da","Username":"Nome utente","Virtual folder added!":"Cartella virtuale aggiunta! ","Vote":"Vota","Votes":"Voti","address":"Indirizzo","is erroneous":"è errato","folder name":"Nome cartella","is not recognised":"Non riconosciuto","label":"Eticheta","missed blocks":"blocchi persi","now!":"adesso!","passphrase":"passphrase","produced blocks":"blocchi prodotti","you need at least 1 ARK to vote":"hai bisogno di almeno 1 ARK per votare","sent with success!":"inviato con successo"}); - gettextCatalog.setStrings('nl', {"Address":"Adres","Account added!":"Account toegevoegd!","Amount (Ѧ)":"Bedrag (Ѧ)","Account deleted!":"Account verwijderd!","Add Delegate":"Voeg Delegate","Amount":"Bedrag","Add":"Toevoegen","Approval":"Goedkeuring","Are you sure?":"Weet je het zeker?","Balance":"Saldo","Cancel":"Annuleer","Exchange":"Uitwisseling","Fee (Ѧ)":"Prijs ","Folder Name":"Folder Naam","Full Screen":"Vol Scherm ","From":"Van","Hand crafted with ❤ by":"Hand gemaakt met ❤ door","If you own this account, you can enable virtual folders. Virtual Folders are simple subaccounts to better organise your money, without needing to send a real transaction and pay a fee.
\n Moreover, this account will move under the \"My Accounts\" list.":"Als u eigenaar van dit account kunt u virtuele mappen in te schakelen. Virtual Folders zijn eenvoudig subaccounts om uw geld beter te organiseren, zonder dat een echte transactie te sturen en een vergoeding betalen.
\nBovendien zal deze account bewegen onder de \"Mijn Accounts\" lijst.","Height":"Hoogte","Label":"Etiket","Label set":"Etiket doen","Language":"Taal","Last checked":"laatst gecontroleerd","List full or delegate already voted.":"Lijst geheel of afgevaardigde al gestemd.","Market Cap.":"Marktkapitalisatie.","Manage Networks":"Netwerken beheren","Maximize":"Maximaliseren","Minify":"Kleineren","My Accounts":"Mijn accounts","Network":"Netwerk","Network connected and healthy!":"Het netwerk aangesloten en gezond!","Network disconnected!":"Netwerk disconnected!","No difference from original delegate list":"Geen verschil van origineel afgevaardigde lijst","Next":"Volgende","No publicKey":"Geen publieke sleutel","No search term":"Geen zoekterm","Not enough ARK on your account":"Niet genoeg ARK op uw rekening","Open Delegate Monitor":"Open afgevaardigde Monitor","Watch-Only Addresses":"Andere accounts","Passphrase does not match your address":"Passphrase komt niet overeen met uw adres","Passphrase":"wachtwoord","Passphrase is not corresponding to account":"Wachtwoord is niet overeenkomt met verantwoording","Peer":"Turen","Please enter a folder name.":"Geef een mapnaam.","Please enter a new address.":"Geef een nieuw adres.","Please enter a short label.":"Geef een korte Etiket.","Please enter this account passphrase to login.":"Vul deze account wachtwoord om in te loggen.","Productivity":"Produktiviteit","Quit":"Ophouden","Quit Ark Client?":"Stoppen Ark Client?","Rank":"Rang","Receive Ark":"Ontvang Ark","Rename":"andere naam geven","Remove":"Verwijderen","Send":"Sturen","Second Passphrase":"Tweede wachtwoordzin","Send Ark":"Stuur Ark","Send Ark from":"Stuur Ark van","you need at least 1 ARK to vote":"U heeft minimaal 1 ARK nodig om te stemmen.","sent with success!":"Verzonden met succes!","you need at least 25 ARK to register delegate":"U heeft minimaal 25 ARK nodig om delegat te registreren."}); - gettextCatalog.setStrings('pl', {"Add Watch-Only Address":"Dodaj Adres","Account successfully created:":"Konto utworzone pomyślnie:","Address":"Adres","Account added!":"Konto dodane!","Amount (Ѧ)":"Kwota (Ѧ)","Add Watch-Only Address":"Dodaj konto","Account deleted!":"Konto usunięte!","Add Delegate":"Dodaj Delegata","Amount":"Kwota","Add":"Dodaj","Approval":"Poparcie","Are you sure?":"Jesteś pewny?","Balance":"Bilans","Ark Client":"Klient Ark","Cancel":"Anuluj","Cannot find delegates from this term:":"Nie można znaleźć delegatów z tego zapytania:","Cannot get sponsors":"Nie można uzyskać sponsorów","Cannot find delegate:":"Nie można znaleźć delegata:","Cannot get transactions":"Nie można uzyskać transakcji","Cannot find delegates on this peer:":"Nie można znaleźć delegatów na tym węźle:","Cannot get voted delegates":"Nie można uzyskać popartych delegatów","Cannot state if account is a delegate":"Nie można stwierdzić czy konto jest delegatem","Change 1h/7h/7d":"Zmień 1h/7h/7d","Create":"Stwórz","Create Virtual Folder":"Stwórz wirtualny folder","Create a new virtual folder":"Stwórz nowy wirtualny folder","Close":"Zamknij","Create Account":"Stwórz konto","Default":"Domyślnie","Date":"Data","Delay":"Opóźnienie","Delegate name":"Nazwa delegata","Delegate":"Delegat","Delete":"Usuń","Delete Account":"Usuń konto","Destination Address":"Adres przeznaczenia","Delete permanently this account":"Usuń to konto permanentnie","Enable Virtual Folders":"Uruchom wirtualne foldery","Error when trying to login:":"Błąd podczas próby logowania:","Enable Votes":"Uruchom głosy","Error:":"Błąd:","Exchange":"Giełda","Fee (Ѧ)":"Prowizja (Ѧ)","Folder Name":"Nazwa folderu","Full Screen":"Pełny ekran","From":"Od","Hand crafted with ❤ by":"Stworzone ręcznie z ❤ przez","If you own this account, you can enable virtual folders. Virtual Folders are simple subaccounts to better organise your money, without needing to send a real transaction and pay a fee.
\n Moreover, this account will move under the \"My Accounts\" list.":"Jeśli jesteś właścicielem tego konta możesz uruchomić wirtualne foldery. Wirtualne foldery to proste subkonta, dla lepszej organizacji Twoich środków bez potrzeby wysyłania prawdziwych transakcji i płacenia prowizji.
\nPonadto, to konto będzie przeniesione pod list \"Moje konta\".","Height":"Wysokość","Label":"Etykieta","Label set":"Ustaw etykietę","Language":"Język","Last checked":"Ostatnio sprawdzane","List full or delegate already voted.":"Lista pełna lub wcześniej zagłosowano na delegata.","Login":"Login","Market Cap.":"Kapitalizacja rynkowa","Manage Networks":"Zarządzaj sieciami","Maximize":"Maksymalizuj","Minify":"Minimalizuj","My Accounts":"Moje konta","Network":"Sieć","Network connected and healthy!":"Sieć zdrowa i połączona!","Network disconnected!":"Sieć rozłączona!","No difference from original delegate list":"Bez różnic względem oryginalnej listy delegatów","Next":"Następny","No publicKey":"Brak publickey","No search term":"Brak frazy wyszukiwania","Not enough ARK on your account":"Nie wystarczająca kwota ARK na Twoim koncie","OffChain":"Poza łańcuchem","Open Delegate Monitor":"Otwórz Monitor Delegatów","Optional":"Opcjonalnie","Watch-Only Addresses":"Inne konta","Passphrase does not match your address":"Passphrase nie zgadza się z Twoim adresem","Passphrase":"Passhprase","Passphrases are not secured with high standard.
\n Use this feature only on safe computers and for accounts you can afford to lose balance.":"Frazy nie są zabezpieczone wysokim standardem.
\nKorzystaj z tej funkcji tylko na bezpiecznych komputerach i dla kont na których możesz sobie pozwolić na stratę środków.","Passphrases saved":"Hasła dostępu (passphrase) zapisane","Passphrase is not corresponding to account":"Passphrase nie jest powiązane do konta","Passphrases deleted":"Usunięto passphrase","Peer":"Peer","Please backup securely the passphrase, this client does NOT store it and thus cannot recover your passphrase":"Proszę wykonać bezpieczną kopię zapasową passphrase, klient nie przechowuje tych danych i nie jest możliwe ich odzyskanie","Please enter a folder name.":"Proszę podać nazwę folderu.","Please enter a new address.":"Proszę podać nowy adres.","Please enter a short label.":"Proszę podać krótką etykietę.","Price":"Cena","Please enter this account passphrase to login.":"Aby się zalogować proszę podać passphrase tego konta","Productivity":"Produktywność","Quit":"Wyjdź","Quit Ark Client?":"Wyjść z klienta Ark?","Rank":"Ranking","Receive Ark":"Otrzymaj Ark","Register Delegate":"Zarejestruj delegata","Register delegate for":"Zarejestruj delegata dla","Rename":"Zmień nazwe","Remove":"Usuń","Restart":"Restart","Save":"Zapisz","Save Passphrases for":"Zapisz passphrase dla","Send":"Wyślij","Second Passphrase":"Druga Passphrase","Send Ark":"Wyślij Ark","Send Ark from":"Wyślij Ark z","Set":"Ustaw","Succesfully Logged In!":"Zalogowano pomyślnie!","Smartbridge":"Smartbridge","The destination address":"Adres przeznaczenia","This account has never interacted with the network. This is a cold wallet.":"To konto nigdy nie występowało w sieci. Jest to zimny portfel.","To":"Do","Total {{ul.network.symbol}}":"Razem {{ul.network.symbol}}","Transaction":"Transakcja","Transactions":"Transakcje","Type":"Typ","Update vote from":"Zaktualizuj głosy z","Username":"Nazwa użytkownika","Vendor Field":"Pole SmartBridge","Virtual folder added!":"Wirtualny folder dodany!","Vote":"Głosuj","Votes":"Głosy","address":"Adres","is erroneous":"jest błędny","folder name":"Nazwa folderu","is not recognised":"jest nieropoznany","label":"etykieta","missed blocks":"pominięte bloki","now!":"teraz!","passphrase":"passphrase","produced blocks":"wyprodukowane bloki","you need at least 1 ARK to vote":"Potrzebujesz co najmniej 1 ARK do głosowania","sent with success!":"wysłano pomyślnie!","you need at least 25 ARK to register delegate":"Potrzebujesz co najmniej 25 ARK do zarejestrowania delegata"}); - gettextCatalog.setStrings('pt_BR', {"Add Watch-Only Address":"Adicionar endereço","Account successfully created:":"Conta criada com sucesso","Address":"Endereço","Account added!":"Conta adicionada!","Amount (Ѧ)":"Quantidade (Ѧ)","Add Watch-Only Address":"Adicionar Conta","Account deleted!":"Conta deletada!","Add Delegate":"Adicionar Delegado","Amount":"Quantidade","Add":"Adicionar","Approval":"Aprovação","Are you sure?":"Você tem certeza?","Balance":"Balanço","Ark Client":"Cliente Ark","Cancel":"Cancelar","Cannot find delegates from this term:":"Não é possível encontrar delegados a partir deste termo:","Cannot get sponsors":"Não é possível obter a lista de patrocinadores","Cannot find delegate:":"Não é possível encontrar delegado:","Cannot get transactions":"Não é possível obter a lista de transações","Cannot find delegates on this peer:":"Não é possível encontrar delegados nesse peer:","Cannot get voted delegates":"Não é possível obter a lista de delegados votados","Cannot state if account is a delegate":"Não se pode afirmar que a conta é um delegado","Change 1h/7h/7d":"Alterar 1h/7h/7d","Create":"Criar","Create Virtual Folder":"Criar Pasta Virtual","Create a new virtual folder":"Criar uma nova pasta virtual","Close":"Fechar","Create Account":"Criar conta","Default":"Padrão","Date":"Data","Delay":"Delay","Delegate name":"Nome do delegado","Delegate":"Delegado","Delete":"Delete","Delete Account":"Deletar Conta","Destination Address":"Endereço de destino","Delete permanently this account":"Delete permanentemente esta conta.","Enable Virtual Folders":"Habilitar pastas virtuais","Error when trying to login:":"Erro ao tentar logar:","Enable Votes":"Habilitar votos","Error:":"Erro:","Exchange":"Troca","Fee (Ѧ)":"Taxa (Ѧ)","Folder Name":"Nome da pasta","Full Screen":"Full Screen","From":"A partir de","Hand crafted with ❤ by":"Produzida à mão com ❤ por","If you own this account, you can enable virtual folders. Virtual Folders are simple subaccounts to better organise your money, without needing to send a real transaction and pay a fee.
\n Moreover, this account will move under the \"My Accounts\" list.":"Se você possuir esta conta, pode habilitar pastas virtuais. Pastas virtuais são simples sub-contas para melhor organizar o seu dinheiro, sem ter que envia-lo numa transação e pagar uma taxa. Além disso esta conta vai estar associada na lista \"Minhas Contas\" ","Height":"Altura","Label":"Etiqueta","Label set":"Conjunto de etiquetas","Language":"Língua","Last checked":"Última verificação","List full or delegate already voted.":"Lista completa ou delegado já votado.","Login":"Login","Market Cap.":"Valor de mercado","Manage Networks":"Gerenciar rede","Maximize":"Maximizar","Minify":"Minimizar","My Accounts":"Minhas contas","Network":"Rede","Network connected and healthy!":"Rede conectada e saudável!","Network disconnected!":"Rede desconectada!","No difference from original delegate list":"Nenhuma diferença da lista delegados original.","Next":"Próximo","No publicKey":"Nenhuma chave pública","No search term":"Nenhum termo de pesquisa","Not enough ARK on your account":"Não há ARK suficiente em sua conta","OffChain":"OffChain","Open Delegate Monitor":"Abra o Monitor de Delegado","Optional":"Opcional","Watch-Only Addresses":"Outras contas","Passphrase does not match your address":"Frase secreta não coincide com o seu endereço","Passphrase":"Frase secreta","Passphrases are not secured with high standard.
\n Use this feature only on safe computers and for accounts you can afford to lose balance.":"Frase secreta não são garantidos com alto padrão.
\nUse esse recurso apenas em computadores seguros e para contas que você pode perder.","Passphrases saved":"Frases secretas salvas","Passphrase is not corresponding to account":"Frase secreta não é correspondente à conta","Passphrases deleted":"Frase secreta deletada","Peer":"Peer","Please backup securely the passphrase, this client does NOT store it and thus cannot recover your passphrase":"Faça backup com segurança da frase secreta, este cliente não armazena e, portanto, não pode recuperar sua senha","Please enter a folder name.":"Por favor, insira um nome de pasta.","Please enter a new address.":"Por favor, insira um novo endereço.","Please enter a short label.":"Por favor, insira um rótulo curto.","Price":"Preço","Please enter this account passphrase to login.":"Por favor, insira a frase secreta desta conta para logar.","Productivity":"Produtividade","Quit":"Sair","Quit Ark Client?":"Sair do Cliente Ark?","Rank":"Rank","Receive Ark":"Receber Ark","Register Delegate":"Registrar delegado","Register delegate for":"Registrar delegado para","Rename":"Renomear","Remove":"Remover","Restart":"Reiniciar","Save":"Salvar","Save Passphrases for":"Salvar Senha secreta para","Send":"Enviar","Second Passphrase":"Segunda frase secreta","Send Ark":"Enviar Ark","Send Ark from":"Enviar Ark de","Set":"Conjunto","Succesfully Logged In!":"Logado com sucesso!","Smartbridge":"Smartbridge","The destination address":"Endereço de destino","This account has never interacted with the network. This is a cold wallet.":"Esta conta nunca interagiu com a rede. Esta é uma cold wallet.","To":"Para","Total {{ul.network.symbol}}":"Total {{ul.network.symbol}}","Transaction":"Transação","Transactions":"Transações","Type":"Tipo","Update vote from":"Atualize o voto de","Username":"Username","Vendor Field":"Campo do fornecedor","Virtual folder added!":"Pasta virtual adicionada!","Vote":"Voto","Votes":"Votos","address":"endereço","is erroneous":"está errado","folder name":"nome da pasta","is not recognised":"não é reconhecido","label":"rótulo","missed blocks":"blocos perdidos","now!":"agora!","passphrase":"frase secreta","produced blocks":"blocos produzidos","you need at least 1 ARK to vote":"você precisa de pelo menos 1 ARK para votar","sent with success!":"enviado com sucesso!","you need at least 25 ARK to register delegate":"Você necessita de pelo menos 25 ARK para registrar o delegado "}); - gettextCatalog.setStrings('ro', {"Address":"Adresa","Account added!":"Cont adaugat!","Add Watch-Only Address":"Adauga Cont","Account deleted!":"Cont sters!","Add Delegate":"Adauga Delegat","Amount":"Suma","Add":"Adauga","Approval":"Accept","Are you sure?":"Esti sigur?","Balance":"Sold","Cancel":"Anuleaza","Cannot find delegates from this term:":"Nu se pot gasi delegati plecand de la acest termen:","Cannot get sponsors":"Nu se pot gasi sponsori","Cannot find delegate:":"Nu se poate gasi delegatul:","Cannot get transactions":"Nu se pot gasi tranzactii","Cannot find delegates on this peer:":"Nu se pot gasi delagati in aceast peer:","Cannot get voted delegates":"Nu se pot gasi delegați votati","Cannot state if account is a delegate":"Nu se poate stabili dacă contul este un delegat","Change 1h/7h/7d":"Schimba 1h/7h/7d","Create Virtual Folder":"Creeaza Dosar Virtual","Create a new virtual folder":"Creeaza un Dosar Virtual nou","Close":"Inchide","Default":"Mod implicit","Date":"Data","Delay":"Intarzaiere","Delegate name":"Nume Delegat","Delegate":"Delegat","Delete":"Sterge","Delete Account":"Sterge Cont","Destination Address":"Adresa de Destinatie","Delete permanently this account":"Sterge permanent acest Cont","Enable Virtual Folders":"Activeaza Dosarele Virtuale","Error when trying to login:":"Eroare la incercarea de autentificare:","Enable Votes":"Activeaza Voturi","Error:":"Eroare:","Exchange":"Schimb Valutar","Fee (Ѧ)":"taxa (Ѧ)","Folder Name":"Nume Dosar","Full Screen":"Full Screen","From":"De la","Hand crafted with ❤ by":"Hand crafted cu ❤ de","If you own this account, you can enable virtual folders. Virtual Folders are simple subaccounts to better organise your money, without needing to send a real transaction and pay a fee.
\n Moreover, this account will move under the \"My Accounts\" list.":"Dacă dețineți acest cont, puteți activa dosarele virtuale. Dosarele virtuale sunt subconturi simple pentru a organiza mai bine banii tai, fără a fi nevoie sa trimiti o tranzactie reala și să plătesti o taxă.
\nMai mult decât atât, acest cont se va muta in lista \"Conturile mele\".","Height":"Inaltime","Label":"Eticheta","Label set":"Seteaza Eticheta","Language":"Limba","Last checked":"Ultima verificare","List full or delegate already voted.":"Lista plina sau delegat deja votat.","Login":"Logare","My Accounts":"Conturile mele","Network connected and healthy!":"Rețea conectată și funcțională!","Network disconnected!":"Retea deconectata!","No difference from original delegate list":"Nici o diferenta fata de lista originala de delegati","Next":"Urmatorul","No publicKey":"Nici o cheie publică","No search term":"Nici un termen de cautare","Open Delegate Monitor":"Deschide Monitorizare Delegati","Watch-Only Addresses":"Alte Conturi","Passphrase does not match your address":"Parola nu se potriveste cu adresa","Passphrase":"Parola","Passphrase is not corresponding to account":"Parola nu corespunde contului","Please enter a folder name.":"Va rugam sa introduceti un nume de dosar","Please enter a new address.":"Vă rugăm să introduceți o nouă adresă.","Please enter a short label.":"Vă rugăm să introduceți o scurtă denumire.","Price":"Pret","Please enter this account passphrase to login.":"Va rugam introduceti parola acestui cont pentru logare.","Productivity":"Productivitate","Quit":"Inchide","Rank":"Poziţie","Rename":"Redenumire","Remove":"Elimina","Send":"Trimite","Second Passphrase":"A doua parola","Send Ark":"Trimite Ark","Send Ark from":"Trimite Ark de la","Set":"Seteaza","Succesfully Logged In!":"Autentificat cu succes!","The destination address":"Adresa de Destinatie","To":"Catre","Transaction":"Tranzactie","Transactions":"Tranzactii","Type":"Categorie","Update vote from":"Actualizare vot din","Username":"Nume de Utilizator","Virtual folder added!":"Dosar Virtual adaugat!","Vote":"Voteaza","Votes":"Voturi","address":"adresa","is erroneous":"este eronat","folder name":"numele dosarului","is not recognised":"nu este recunoscut","label":"eticheta","missed blocks":"blocuri pierdute","now!":"acum!","passphrase":"parola","produced blocks":"blocuri produse","you need at least 1 ARK to vote":"aveti nevoie de minim 1 ARK pentru a vota","sent with success!":"trimis cu succes!","you need at least 25 ARK to register delegate":"aveti nevoie de minim 25 ARK pentru a inregistra un delegat"}); - gettextCatalog.setStrings('ru', {"Add Watch-Only Address":"Добавить Адрес","Account successfully created:":"Учетная запись успешно создана:","Address":"Адрес","Account added!":"Аккаунт добавлен!","Amount (Ѧ)":"Количество (Ѧ)","Add Watch-Only Address":"Добавить Аккаунт","Account deleted!":"Аккаунт удалён!","Add Delegate":"Добавить Делегата","Amount":"Количество","Add":"Добавить","Are you sure?":"Вы уверены?","Balance":"Баланс","Ark Client":"Клиент Ark","Cancel":"Отмена","Cannot find delegates from this term:":"Не можете найти делегатов от этого термина:","Cannot get sponsors":"Не удается получить спонсоров","Cannot find delegate:":"Не возможно найти делегата:","Cannot get transactions":"Невозможно получить транзакцию","Change 1h/7h/7d":"Изменение 1ч / 7ч / 7д","Create":"Создать","Create Virtual Folder":"Создать виртуальную папку","Create a new virtual folder":"Создать новую виртуальную папку","Close":"Закрыть","Create Account":"Регистрация","Default":"По умолчанию","Date":"Дата","Delay":"Задержка","Delegate name":"Имя Делегата","Delegate":"Делегат","Delete":"Удалить","Delete Account":"Удалить Аккаунт","Destination Address":"Адрес Назначения","Delete permanently this account":"Удалить навсегда эту учетную запись","Enable Virtual Folders":"Включить Виртуальные Папки","Error when trying to login:":"Ошибка при попытке авторизации:","Error:":"Ошибка:","Exchange":"Обмен","Fee (Ѧ)":"Комиссия (Ѧ)\n","Folder Name":"Имя Папки","Full Screen":"Полноэкранный режим","From":"Отправитель","Hand crafted with ❤ by":"Сделано с ❤","If you own this account, you can enable virtual folders. Virtual Folders are simple subaccounts to better organise your money, without needing to send a real transaction and pay a fee.
\n Moreover, this account will move under the \"My Accounts\" list.":"Если вы являетесь владельцем этой учетной записи, вы можете включить виртуальные папки. Виртуальные папки представляют собой простые субсчета, чтобы лучше организовать свои деньги, без необходимости отправлять реальную транзакцию и платить комиссию.
\nБолее того, этот счет будет двигаться по списку \"Мои счета\".","Height":"Высота","Label":"Метка","Language":"Язык","Last checked":"Последняя проверка","List full or delegate already voted.":"Список полон или делегат уже выбран.","Login":"Вход","Market Cap.":"Капитализация","Manage Networks":"Управление сетями","Maximize":"Развернуть","Minify":"Свернуть","My Accounts":"Мои Аккаунты","Network":"Сеть","Network connected and healthy!":"Соединение установлено!","Network disconnected!":"Соединение прервано!","No difference from original delegate list":"Нет отличий от оригинального списка делегатов","Next":"Далее","No publicKey":"Отсутствует Публичный ключ","Not enough ARK on your account":"Не хватает ARK на вашем счету","Open Delegate Monitor":"Открыть монитор делегатов","Optional":"Опционально","Watch-Only Addresses":"Прочие аккаунты","Passphrase does not match your address":"Секретная фраза не совпадает с адресом","Passphrase":"Секретная фраза","Passphrase is not corresponding to account":"Секретная фраза не соответствует счету","Passphrases deleted":"Секретная фраза удалена","Please backup securely the passphrase, this client does NOT store it and thus cannot recover your passphrase":"Пожалуйста, скопируйте и надежно сохраните вашу секретную фразу, этот клиент НЕ хранит её и таким образом, вы не сможет восстановить вашу секретную фразу","Please enter a folder name.":"Введите имя папки.","Please enter a new address.":"Введите новый адрес.","Please enter a short label.":"Введите метку.","Price":"Цена","Please enter this account passphrase to login.":"Пожалуйста, введите вашу секретную фразу для входа.","Productivity":"Производительность","Quit":"Выход","Quit Ark Client?":"Завершить клиент Ark?","Receive Ark":"Получить Ark","Rename":"Переименовать","Remove":"Удалить","Restart":"Обновить","Save":"Сохранить","Save Passphrases for":"Сохранить секретную фразу для","Send":"Отправить","Second Passphrase":"Дополнительный пароль","Send Ark":"Отправить Ark","Send Ark from":"Отправить Ark из","Set":"Установить","Succesfully Logged In!":"Авторизация прошла успешно!","The destination address":"Адрес получателя","This account has never interacted with the network. This is a cold wallet.":"Этот счет никогда не взаимодействовали с сетью. Это холодный бумажник.","Total {{ul.network.symbol}}":"Всего {{ul.network.symbol}}","Transaction":"Транзакция","Transactions":"Транзакции","Type":"Тип","Username":"Имя пользователя","Virtual folder added!":"Виртуальная папка добавлена!","Vote":"Голос","Votes":"Голоса","address":"адрес","is erroneous":"ошибочно","folder name":"имя папки","is not recognised":"не признается","label":"метка","missed blocks":"пропущено блоков","now!":"сейчас!","passphrase":"секретная фраза","you need at least 1 ARK to vote":"Для голосования необходимо иметь хотя бы 1ARK","sent with success!":"отправлено успешно!","you need at least 25 ARK to register delegate":"вам нужно как минимум 25 ARK для регистрации делегата"}); - gettextCatalog.setStrings('sl', {"Add Watch-Only Address":"Dodaj naslov","Account successfully created:":"Račun uspešno ustvarjen:","Address":"Naslov","Account added!":"Račun dodan!","Amount (Ѧ)":"Znesek (Ѧ)","Add Watch-Only Address":"Dodaj račun","Account deleted!":"Račun izbrisan!","Add Delegate":"Dodaj delegata","Amount":"Znesek","Add":"Dodaj","Approval":"Podpora","Are you sure?":"Ali ste prepričani?","Balance":"Stanje","Ark Client":"ARK klient","Cancel":"Prekliči","Cannot find delegates from this term:":"Ne morem najdi delegatov s tem iskalnim nizom:","Cannot get sponsors":"Ne morem dobiti sponzorjev","Cannot find delegate:":"Ne morem najti delegata:","Cannot get transactions":"Ne morem pridobiti transakcij","Cannot find delegates on this peer:":"Ne morem najdi delegatov na tem odjemalcu:","Cannot get voted delegates":"Ne morem pridobiti glasovanih delegatov","Cannot state if account is a delegate":"Ne morem predvideti, če je račun delegat","Change 1h/7h/7d":"Spremeni 1h/7h/7d","Create":"Ustvari","Create Virtual Folder":"Ustvari virtualno mapo","Create a new virtual folder":"Ustvari novo virtualno mapo","Close":"Zapri","Create Account":"Ustvari račun","Default":"Privzeto","Date":"Datum","Delay":"Zakasnitev","Delegate name":"Ime delegata","Delegate":"Delegat","Delete":"Izbriši","Delete Account":"Izbriši račun","Destination Address":"Ciljni naslov","Delete permanently this account":"Za vedno izbriši ta račun","Enable Virtual Folders":"Omogoči virtualne mape","Error when trying to login:":"Napaka pri prijavi:","Enable Votes":"Omogoči glasove","Error:":"Napaka","Exchange":"Izmenjava","Fee (Ѧ)":"Strošek (Ѧ)","Folder Name":"Ime mape","Full Screen":"Celozaslonski način","From":"Od","Hand crafted with ❤ by":"Ustvaril z ❤","If you own this account, you can enable virtual folders. Virtual Folders are simple subaccounts to better organise your money, without needing to send a real transaction and pay a fee.
\n Moreover, this account will move under the \"My Accounts\" list.":"Če si lastnik tega računa lahko omogočiš Virtualne Mape. Virtualne Mape so preprosto podračuni za boljši organizacijo vašega računa, brez da bi bilo potrebno poslati pravo transkacijo preko omrežja.
Prav tako se bo ta račun pojavil pod \"Moji Računi\".","Height":"Višina","Label":"Oznaka","Label set":"Oznakovni nabor","Language":"Jezik","Last checked":"Nazadnje preverjeno","List full or delegate already voted.":"Seznam poln ali pa ste za tega delegata že glasovali.","Login":"Prijava","Market Cap.":"Tržna vrednost","Manage Networks":"Upravljanje omrežij","Maximize":"Povečaj","Minify":"Pomanjšaj","My Accounts":"Moji Računi","Network":"Omrežje","Network connected and healthy!":"Povezava z omrežje zdrava in vzpostavljena!","Network disconnected!":"Povezava z omrežjem izgubljena!","No difference from original delegate list":"Ni razlike z obstoječim seznamom delegatov","Next":"Naprej","No publicKey":"no publicKey (ni javnega ključa)","No search term":"Ni iskalnega niza","Not enough ARK on your account":"V vašem računu ni dovolj ARK-ov.","OffChain":"Lokalna povezava","Open Delegate Monitor":"Odpri delegatni brskalnik","Optional":"Opcijsko","Watch-Only Addresses":"Ostali računi","Passphrase does not match your address":"Geslo se ne ujema s tvojim naslovom","Passphrase":"Geslo","Passphrases are not secured with high standard.
\n Use this feature only on safe computers and for accounts you can afford to lose balance.":"Gesla niso zavarovana z visokimi standardi.
\nUporabite to funckijo samo na računalniku ki mu zaupate.","Passphrases saved":"Gesla shranjena","Passphrase is not corresponding to account":"Geslo se ne ujema s tem računom","Passphrases deleted":"Gesla izbrisana","Peer":"Klient","Please backup securely the passphrase, this client does NOT store it and thus cannot recover your passphrase":"Prosimo naredite varnostno kopijo gesla, ta program NE SHRANJUJE vaših gesel in jih v primeru izgube ne more ponastaviti oziroma obnoviti","Please enter a folder name.":"Vnesite ime mape.","Please enter a new address.":"Prosimo, vnesite nov naslov","Please enter a short label.":"Vnesite kratko oznako.","Price":"Cena","Please enter this account passphrase to login.":"Prosimo vnesite geslo tega računa za prijavo","Productivity":"Produktivnost","Quit":"Izhod","Quit Ark Client?":"Izhod iz ARK denarnice?","Rank":"Mesto","Receive Ark":"Prejmi ARK","Register Delegate":"Registracija delegata","Register delegate for":"Registriraj delegata za","Rename":"Preimenuj","Remove":"Odstrani","Restart":"Ponovni zagon","Save":"Shrani","Save Passphrases for":"Shrani gesla za","Send":"Pošlji","Second Passphrase":"Dodatno geslo","Send Ark":"Pošlji ARK","Send Ark from":"Pošlji ark iz","Set":"Nastavi","Succesfully Logged In!":"Uspešna prijava!","Smartbridge":"SmartBridge","The destination address":"Ciljni naslov","This account has never interacted with the network. This is a cold wallet.":"Ta račun še ni bil nikoli uporabljen na ARK omrežju. To je \"hladna denarnica\"","To":"Za","Total {{ul.network.symbol}}":"Skupaj {{ul.network.symbol}}","Transaction":"Transakcija","Transactions":"Transakcije","Type":"Tip","Update vote from":"Posodobi glas od","Username":"Uporabniško ime","Vendor Field":"SmartBridge","Virtual folder added!":"Virtualna mapa dodana!","Vote":"Glasuj","Votes":"Glasovi","address":"naslov","is erroneous":"je napačen","folder name":"ime mape","is not recognised":"ni prepoznan","label":"oznaka","missed blocks":"zgrešeni bloki","now!":"sedaj!","passphrase":"geslo","produced blocks":"ustvarjeni bloki","you need at least 1 ARK to vote":"Potrebuješ vsaj 1 ARK za glasovanje","sent with success!":"uspešno poslano!","you need at least 25 ARK to register delegate":"potrebuješ vsaj 25 ARK-ov za registracijo delegata"}); - gettextCatalog.setStrings('zh_CN', {"you need at least 1 ARK to vote":"您需要至少1 ARK投票"}); + gettextCatalog.setStrings('ar', {"Address":"عنوان","Account added!":"حساب مضاف!","Amount (Ѧ)":"مبلغ (Ѧ)","Add Account":"إضافة حساب","Account deleted!":"تم حذف الحساب!","Add Delegate":"إضافة مندوب","Amount":"مبلغ","Add":"إضافة","Approval":"موافقة","Are you sure?":"هل أنت متأكد؟","Balance":"الرصيد","Ark Client":"عميل ark","Cancel":"إلغاء","Cannot find delegates from this term:":"لا يمكن العثور على مندوب من هذا المصطلح:","Cannot get sponsors":"لا يمكن الحصول على الرعاة","Cannot find delegate:":"لا يمكن العثور على المندوب:","Cannot get transactions":"لا يمكن الحصول على الصفقات","Cannot find delegates on this peer:":"لا يمكن العثور على المندوبين في هذا النظير:","Cannot get voted delegates":"لا يمكن الحصول على المندوبين الذي تم التصويت عليهم","Cannot state if account is a delegate":"لا يمكن معرفة هل الحساب مندوب","Change 1h/7h/7d":"التَغَيُّر1h/7h/7d","Create Virtual Folder":"إنشاء مُجلّد افتراضي","Create a new virtual folder":"إنشاء مُجلّد افتراضي جديد","Close":"إغلاق","Default":"افتراضياً","Date":"التاريخ","Delay":"تأخير","Delegate name":"اسم المندوب","Delegate":"مندوب","Delete":"حذف","Delete Account":"حذف الحساب","Destination Address":"عنوان الوجهة","Delete permanently this account":"حذف هذا الحساب بشكل دائم","Enable Virtual Folders":"تمكين المُجلّد افتراضي","Error when trying to login:":"خطأ عند محاولة الدخول:","Enable Votes":"تمكين التصويت","Error:":"خطأ:","Exchange":"تبادل","Fee (Ѧ)":"رسوم (Ѧ)","Folder Name":"اسم المُجلّد","From":"من","Hand crafted with ❤ by":"مُبرمج ب ❤ بواسطة","Height":"ارتفاع","Label":"علامة","Label set":"وضع العلامات","Language":"اللغة","Last checked":"تاريخ آخر فحص","List full or delegate already voted.":"القائمة كاملة أو مندوب صُوِّت.","Login":"تسجيل الدخول","Market Cap.":"رسملة السوق.","My Accounts":"حساباتي","Network connected and healthy!":"الشبكة متصلة وصحية!","Network disconected!":"انقطاع الاتصال بالشبكة!","No difference from original delegate list":"لا فرق عن قائمة المندوب الأصلية","Next":"التالي","No publicKey":"لا يوجد مفتاح عام","No search term":"مصطلح البحث غير موجود","Not enough ARK on your account":"ARK غير كافية على حسابك","Open Delegate Monitor":"فتح مراقب المندوب","Other Accounts":"حسابات أخرى","Passphrase does not match your address":"عبارة المرور لا تطابق عنوانك","Passphrase":"عبارة المرور","Passphrase is not corresponding to account":"عبارة المرور لا تتطابق مع الحساب","Peer":"نظير","Please enter a folder name.":"الرجاء إدخال اسم المجلد.","Please enter a new address.":"يرجى إدخال عنوان جديد.","Please enter a short label.":"يرجى إدخال تسمية قصيرة.","Price":"السعر","Please enter this account passphrase to login.":"الرجاء إدخال عبارة مرور هذا الحساب للدخول.","Productivity":"الإنتاج","Quit":"الخروج","Quit Ark Client?":"الخروج من العميل Ark?","Rank":"مرتبة","Receive Ark":"تسلم Ark","Rename":"إعادة التسمية","Remove":"إزالة","Send":"إرسال","Second Passphrase":"عبارة المرور الثانية","Send Ark":"إرسال Ark","Send Ark from":"إرسال Ark من","Set":"تعيين","Succesfully Logged In!":"تسجيل ناجح !","The destination address":"عنوان الوجهة","To":"إلى","Transaction":"صفقة","Transactions":"المعاملات","Type":"نوع","Update vote from":"تحديث التصويت من","Username":"اسم المستخدم","Virtual folder added!":"مجلّد افتراضي مُضاف !","Vote":"صوت","Votes":"أصوات","address":"عنوان","is erroneous":"خاطئ","folder name":"اسم المجلّد","is not recognised":"غير معترف بها","label":"علامة","missed blocks":"كتل ضائعة","now!":"الآن!","passphrase":"عبارة مرور","produced blocks":"الكتل المنتجة","you need at least 1 ARK to vote":"تحتاج على الأقل 1 ARK لكي تصوت","sent with success!":"أرسلت بنجاح!","Total Ѧ":"مجموع Ѧ","This account has never interacted with the network. This is either:":" هذا الحساب لم يتفاعل أبدا مع الشبكة. هذا هو إما:","an inexistant wallet, ie nobody knows the passphrase of this wallet. The ARK are lost":"محفظة منعدمة، أي لا أحد يعرف عبارة مرور هذه المحفظة. تم فقدان ARK","an inexistant wallet, ie nobody knows the passphrase of this wallet.":"محفظة منعدمة، أي لا أحد يعرف عبارة مرور هذه المحفظة.","a cold wallet, ie the owner of the passphrase has never used it":"محفظة باردة، صاحب عبارة المرور لم يستاخدمها أبدا ","Details":"تفاصيل","Recipient Address":"عنوان المُستلم","Add Account from address":"إضافة الحساب من عنوان","Add Sponsors Delegates":"إضافة الرعاة المندوبين","Blockchain Application Registration":"تسجيل تطبيق سلسلة الكثل (blockchain)","By using the following forms, you are accepting their":"باستخدامك النماذج التالية، فإنك تقبل ب","Delegate Registration":"تسجيل المندوب","Deposit ARK":"إيداع ARK","Deposit and Withdraw through our partner":"الإيداع والسحب من خلال شريكنا","Folders":"مُجلّدات","History":"تاريخ التصفح","If you own this account, you can enable virtual folders. Virtual Folders are simple subaccounts to better organise your money, without needing to send a real transaction and pay a fee.
\n Moreover, this account will move under the \"My Accounts\" list.":"إذ كنت تملك هذا الحساب، يمكنك إنشاء مُجلّدات افتراضية. المجلدات الافتراضية حسابات فرعية بسيطة لتحسين تنظيم أموالك، دون الحاجة إلى إرسال معاملات حقيقية ودفع رسوم.
وعلاوة على ذلك، فإن هذا الحساب سيوجد تحت قائمة \"حساباتي\".","If you own this account, you can enable Voting":"إذا كنت تملك هذا الحساب، يمكنك تمكين التصويت","Maximum:":"الحدالأقصى","Minimum:":"الحد الأدنى:","Multisignature Creation":"إنشاء التوقيع المتعدد","Next...":"التالي..","Please login with your account before using this feature":"الرجاء الدخول بحسابك قبل استخدام هذه الميزه","Please report any issue to":"الرجاء الإبلاغ عن أي قضية ل","Receive":"تسلم","Refresh":"تجديد","Recepient Address":"عنوان المستلم","Second Signature Creation":"إنشاء التوقيع الثاني","Select a coin":"اختر عملة","Second passphrase":"عبارة المرور الثانية","Status:":"الوَضْع:","Status":"الوَضْع","Sponsors Page":"صفحة الرعاة","Terms and Conditions":"الأحكام والشروط","They have funded this app so you can use it for free.
\n Vote them to help the development.":"لقد مَوَّلوا هذا التطبيق حتى تتمكنوا من استخدامه مجانا.
\nصَوِّتو عليهم للمساعدة في التنمية.","Transaction id":"هوية الصفقة","Transfer Ark from Blockchain Application":"نقل Ark من تطبيق Blockchain ","Transfer Ark to Blockchain Application":"نقل Ark إلى تطبيق Blockchain ","Valid until":"صالح حتى","Withdraw ARK":"سحب ARK","Your email, used to send confirmation":"البريد الإلكتروني الخاص بك، يُستخدم لإرسال التأكيد","to":"إلى"}); + gettextCatalog.setStrings('bg_BG', {"Address":"Адрес","Account added!":"Акаунта е добавен!","Amount (Ѧ)":"Сума (Ѧ)","Add Account":"Добави акаунт","Account deleted!":"Акаунта е изтрит!","Add Delegate":"Добави делегат","Amount":"Сума","Add":"Добави","Approval":"Потвърждение","Are you sure?":"Сигурни ли сте?","Balance":"Баланс","Ark Client":"ARK клиент","Cancel":"Отказ","Cannot find delegates from this term:":"Делегат с това име не може да бъде открит:","Cannot get sponsors":"Невъзможно зареждане на спонсори","Cannot find delegate:":"Не може да бъде открит делегат:","Cannot get transactions":"Невъзможно зареждане на транзакции","Cannot find delegates on this peer:":"Няма намерени делегати на този пиър:","Cannot get voted delegates":"Невъзможно зареждане на листа с гласовете","Cannot state if account is a delegate":"Не може да се определи дали акаунта е делегат","Change 1h/7h/7d":"Промяна 1ч./7ч./7д.","Create Virtual Folder":"Създай виртуална папка","Create a new virtual folder":"Създай нова виртуална папка","Close":"Затвори","Default":"По подразбиране","Date":"Дата","Delay":"Закъснение","Delegate name":"Име на делегат","Delegate":"Делегат","Delete":"Изтрий","Delete Account":"Изтрий акаунт","Destination Address":"Адрес на получател","Delete permanently this account":"Изтрий напълно този акаунт","Enable Virtual Folders":"Разреши виртуални папки","Error when trying to login:":"Грешка при опит за влизане:","Enable Votes":"Разреши гласуване","Error:":"Грешка:","Exchange":"Обмяна","Fee (Ѧ)":"Такса (Ѧ)","Folder Name":"Име на папка","From":"От","Hand crafted with ❤ by":"Направено с ❤ от","Height":"Височина","Label":"Етикети","Label set":"Етикети","Language":"Език","Last checked":"Последна проверка","List full or delegate already voted.":"Списъка за гласуване е пълен или вече сте гласували за този делегат","Login":"Вход","Market Cap.":"Пазарен дял","My Accounts":"Моите Акаунти","Network connected and healthy!":"Сързан с мрежата","Network disconected!":"Няма връзка с мрежата","No difference from original delegate list":"Няма разлика с оригиналния списък с делегати","Next":"Следващ","No publicKey":"Няма публичен ключ","No search term":"Няма критерии за търсене","Not enough ARK on your account":"Нямате достатъчна наличност в акаунта си","Open Delegate Monitor":"Монитор на делегатите","Other Accounts":"Други акаунти","Passphrase does not match your address":"Паролата не съвпада с въведения адрес","Passphrase":"Парола","Passphrase is not corresponding to account":"Паролата не съвпада с акаунта","Peer":"Пиър","Please enter a folder name.":"Въведете име на папка","Please enter a new address.":"Въведете нов адрес","Please enter a short label.":"Въведете кратко описание","Price":"Цена","Please enter this account passphrase to login.":"Въведете паролата за този акаунт за да влезете","Productivity":"Продуктивност","Quit":"Изход","Quit Ark Client?":"Изход от Лиск клиента?","Rank":"Ранг","Receive Ark":"Получи ARK","Rename":"Преименувай","Remove":"Преманни","Send":"Изпрати","Second Passphrase":"Втора парола","Send Ark":"Изпрати ARK","Send Ark from":"Изпрати ARK от","Set":"ОК","Succesfully Logged In!":"Успешно влизане!","The destination address":"Адресът на получателя","To":"До","Transaction":"Транзакция","Transactions":"Транзакции","Type":"Тип","Update vote from":"Обнови гласовете от","Username":"Потребител","Virtual folder added!":"Добавена виртуална папка!","Vote":"Гласуване","Votes":"Гласове","address":"адрес","is erroneous":"е грешен","folder name":"име на папка","is not recognised":"не е разпознат","label":"етикет","missed blocks":"пропуснати блокове","now!":"сега!","passphrase":"парола","produced blocks":"произведени блокове","you need at least 1 ARK to vote":"за да гласувате ви трябва поне 1 ARK","sent with success!":"успешно изпратени!","Total Ѧ":"Общо Ѧ","This account has never interacted with the network. This is either:":"Този адрес никога не е бил въвеждан в мрежата. Възможно е да бъде:","an inexistant wallet, ie nobody knows the passphrase of this wallet. The ARK are lost":"несъществуващ портфейл. Паролата му е неизвестна или изгубена. Съдържанието е загубено завинаги.","an inexistant wallet, ie nobody knows the passphrase of this wallet.":"несъществуващ портфейл. Паролата му е неизвестна.","a cold wallet, ie the owner of the passphrase has never used it":"\"студен\" портфейл. Собственика на паролата никога не я е използвал.","Details":"Детайли","Recipient Address":"Адрес на получател","Add Account from address":"Добави акаунт от адрес","Add Sponsors Delegates":"Добави спонсорите","Blockchain Application Registration":"Регистриране на блокчейн приложение","By using the following forms, you are accepting their":"Използвайки тази услуга, Вие се съгласявате с условията за ползване","Delegate Registration":"Регистрация на делегат","Deposit ARK":"Депозирай ARK","Deposit and Withdraw through our partner":"Депозиране и теглене чрез наш партньор","Folders":"Папки","History":"История","If you own this account, you can enable virtual folders. Virtual Folders are simple subaccounts to better organise your money, without needing to send a real transaction and pay a fee.
\n Moreover, this account will move under the \"My Accounts\" list.":"Ако този акаунт е ваш, можете да разрешите виртуалните папки. Те са обикновени под-акаунти за по-добра организация на средствата, без да е нужна реална транзакция и плащане на такса.
С това, акаунта ще бъде преместен в списъка \"Мои акаунти\"","If you own this account, you can enable Voting":"Ако този акаунт е ваш, можете да разрешите гласуването","Maximum:":"Максимум:","Minimum:":"Минимум:","Multisignature Creation":"Създаване на мултисигнатура","Next...":"Следващ...","Please login with your account before using this feature":"Влезте в акаунта си преди да ползвате тази функция","Please report any issue to":"Съобщете за проблем на","Receive":"Получаване","Refresh":"Обнови","Recepient Address":"Адрес на получателя","Second Signature Creation":"Създаване на втори подпис","Select a coin":"Избери монета","Second passphrase":"Втора парола","Status:":"Статус:","Status":"Статус","Sponsors Page":"Спонсори","Terms and Conditions":"Условия за ползване","They have funded this app so you can use it for free.
\n Vote them to help the development.":"Спонсорите, заради които можете да ползвате този портфейл безплатно,
Гласувай за тях за да помогнеш в разработката му.","Transaction id":"Номер на транзакция","Transfer Ark from Blockchain Application":"Трансфер на ARK от Блокчейн приложение","Transfer Ark to Blockchain Application":"Трансфер на ARK към Блокчейн приложение","Valid until":"Валидност до","Withdraw ARK":"Изтегли ARK","Your email, used to send confirmation":"Вашият мейл, използва се за изпращане на потвърждение","to":"до"}); + gettextCatalog.setStrings('de', {"Address":"Adresse","Account added!":"Account hinzugefügt!","Amount (Ѧ)":"Betrag (Ѧ)","Add Account":"Account hinzufügen","Account deleted!":"Account gelöscht!","Add Delegate":"Delegate hinzufügen","Amount":"Betrag","Add":"Hinzufügen","Approval":"Zustimmung","Are you sure?":"Bist du sicher?","Balance":"Kontostand","Ark Client":"Ark Client","Cancel":"Abbrechen","Cannot find delegates from this term:":"Kann mittels dieses Begriffes keinen Delegate finden:","Cannot get sponsors":"Kann Sponsoren nicht anzeigen","Cannot find delegate:":"Delegate nicht gefunden:","Cannot get transactions":"Kann Transaktionen nicht anzeigen","Cannot find delegates on this peer:":"Kann auf diesem Peer keinen Delegate finden.","Cannot get voted delegates":"Kann gewählte Delegates nicht anzeigen","Cannot state if account is a delegate":"Kann nicht ermitteln, ob dieser Account ein Delegate ist","Change 1h/7h/7d":"Änderung 1h/7h/7t","Create Virtual Folder":"Virtuellen Ordner erstellen","Create a new virtual folder":"Einen neuen virtuellen Ordner erstellen","Close":"Schliessen","Default":"Standard","Date":"Datum","Delay":"Verzögerung","Delegate name":"Delegate-Name","Delegate":"Delegate","Delete":"Löschen","Delete Account":"Account löschen","Destination Address":"Ziel-Adresse","Delete permanently this account":"Diesen Account dauerhaft löschen","Enable Virtual Folders":"Virtuelle Ordner aktivieren","Error when trying to login:":"Fehler beim Login","Enable Votes":"Votes aktivieren","Error:":"Fehler:","Exchange":"Börse","Fee (Ѧ)":"Gebühr (Ѧ)","Folder Name":"Ordnername","From":"Von","Hand crafted with ❤ by":"Mit ❤ programmiert von","Height":"Höhe","Label":"Bezeichnung","Label set":"Bezeichnung gespeichert","Language":"Sprache","Last checked":"Zuletzt überprüft","List full or delegate already voted.":"Liste voll oder Du hast bereits für diesen Delegate abgestimmt.","Login":"Login","Market Cap.":"Marktkapitalisierung","My Accounts":"Meine Accounts","Network connected and healthy!":"Netzwerk verbunden und funktionsfähig","Network disconected!":"Netzwerk getrennt!","No difference from original delegate list":"Kein Unterschied zur originalen Delegate-Liste","Next":"Nächste","No publicKey":"Kein öffentlicher Schlüssel","No search term":"Kein Suchbegriff","Not enough ARK on your account":"Nicht genügend ARK in Deinem Account","Open Delegate Monitor":"Delegate-Monitor öffnen","Other Accounts":"Andere Accounts","Passphrase does not match your address":"Passphrase stimmt nicht mit Deiner Adresse überein","Passphrase":"Passphrase","Passphrase is not corresponding to account":"Passphrase passt nicht zu dem Account","Peer":"Peer","Please enter a folder name.":"Bitte einen Ordnernamen eingeben.","Please enter a new address.":"Bitte eine neue Adresse eingeben.","Please enter a short label.":"Bitte eine kurze Bezeichnung eingeben.","Price":"Preis","Please enter this account passphrase to login.":"Zum Einloggen bitte folgende Passphrase eingeben.","Productivity":"Produktivität","Quit":"Schließen","Quit Ark Client?":"Ark Client wirklich schließen?","Rank":"Rang","Receive Ark":"ARK empfangen","Rename":"Umbenennen","Remove":"Entfernen","Send":"Senden","Second Passphrase":"Zweite Passphrase","Send Ark":"ARK senden","Send Ark from":"Sende ARK von","Set":"Einstellen","Succesfully Logged In!":"Erfolgreich eingeloggt!","The destination address":"Die Zieladresse","To":"An","Transaction":"Transaktion","Transactions":"Transaktionen","Type":"Typ","Update vote from":"Aktualisieren der Stimme von","Username":"Benutzername","Virtual folder added!":"Virtueller Ordner hinzugefügt!","Vote":"Stimme","Votes":"Stimmen","address":"Adresse","is erroneous":"ist fehlerhaft","folder name":"Ordnername","is not recognised":"wird nicht erkannt","label":"Bezeichnung","missed blocks":"Verpasste Blocks","now!":"Jetzt!","passphrase":"Passphrase","produced blocks":"Produzierte Blöcke","you need at least 1 ARK to vote":"Du benötigst mindestens 1 ARK, um abstimmen zu können.","sent with success!":"Erfolgreich gesendet!","Total Ѧ":"Gesamtsumme Ѧ","This account has never interacted with the network. This is either:":"Dieser Account war nie mit dem Netzwerk verbunden. Dies ist entweder:","an inexistant wallet, ie nobody knows the passphrase of this wallet. The ARK are lost":"Eine Wallet, die nicht existiert, d.h. niemand kennt die zugehörige Passphrase. Die ARK sind verloren.","an inexistant wallet, ie nobody knows the passphrase of this wallet.":"Eine Wallet die nicht existiert, d.h. niemand kennt das entsprechende Passwort.","a cold wallet, ie the owner of the passphrase has never used it":"Eine Cold-Wallet, d.h. der Besitzer des Passwortes hat dieses nie verwendet","Details":"Details","Recipient Address":"Empfängeradresse","Add Account from address":"Account per ID hinzufügen","Add Sponsors Delegates":"Sponsoren Delegates hinzufügen","Blockchain Application Registration":"Registrierung einer Blockchain Applikation","By using the following forms, you are accepting their":"Durch die Verwendung der folgenden Eingabefelder, akzeptierst Du ihre","Delegate Registration":"Delegate-Registrierung","Deposit ARK":"ARK einzahlen","Deposit and Withdraw through our partner":"Über unseren Partner Ein- und Auszahlungen vornehmen","Folders":"Ordner","History":"Verlauf","If you own this account, you can enable virtual folders. Virtual Folders are simple subaccounts to better organise your money, without needing to send a real transaction and pay a fee.
\n Moreover, this account will move under the \"My Accounts\" list.":"Wenn Du diesen Account besitzt, kannst Du virtuelle Ordner aktivieren. Virtuelle Ordner sind einfache Unterordner, um Deine Geld besser organisieren zu können, ohne echte Transaktionen auf andere Accounts durchführen und Gebühren zahlen zu müssen.
Du findest die Unterordner unter dem Menüpunk \"Meine Accounts\".","If you own this account, you can enable Voting":"Wenn Du Inhaber dieses Accounts bist, kannst Du das Voting aktivieren","Maximum:":"Maximum:","Minimum:":"Minimum:","Multisignature Creation":"Multisignatur erstellen","Next...":"Nächste...","Please login with your account before using this feature":"Bevor Du dieses Feature verwenden kannst, musst Du Dich mit Deinem Account einloggen","Please report any issue to":"Alle Probleme bitte an folgende E-Mail senden: ","Receive":"Empfangen","Refresh":"Neu laden","Recepient Address":"Adresse des Empfängers","Second Signature Creation":"Zweite Signatur erstellen","Select a coin":"Coin auswählen","Second passphrase":"Zweite Passphrase","Status:":"Status:","Status":"Status","Sponsors Page":"Seite der Sponsoren","Terms and Conditions":"Nutzungsbedingungen","They have funded this app so you can use it for free.
\n Vote them to help the development.":"Sie haben dieses App finanziert, so dass Du sie kostenlos nutzen kannst.
Gib ihnen Deine Stimme und unterstütze die Entwicklung.","Transaction id":"Transaktions-ID","Transfer Ark from Blockchain Application":"Sende ARK von Blockchain Applikation","Transfer Ark to Blockchain Application":"Sende ARK an Blockchain Applikation","Valid until":"Gültig bis","Withdraw ARK":"ARK auszahlen","Your email, used to send confirmation":"Deine E-Mail, zur Bestätigung benötigt","to":"an"}); + gettextCatalog.setStrings('el', {"Address":"Διεύθυνση","Account added!":"Ο λογαριασμός προστέθηκε!","Amount (Ѧ)":"Ποσό","Add Account":"Προσθήκη Λογαριασμού","Account deleted!":"Ο λογαριασμός διαγράφηκε!","Add Delegate":"Προσθήκη Delegate","Amount":"Ποσό","Add":"Προσθήκη","Approval":"Έγκριση","Are you sure?":"Είστε σίγουρος;","Balance":"Υπόλοιπο","Ark Client":"Ark Client","Cancel":"Ακύρωση","Cannot find delegates from this term:":"Δεν μπορούν να βρεθούν delegates από αυτόν τον όρο:","Cannot get sponsors":"Δεν μπορεί να γίνει λήψη χορηγών","Cannot find delegate:":"Δεν μπορεί να βρεθεί delegate:","Cannot get transactions":"Δεν μπορεί να γίνει λήψη συναλλαγών","Cannot find delegates on this peer:":"Δεν μπορούν να βρεθούν delegates σε αυτόν τον peer:","Cannot get voted delegates":"Δεν μπορεί να γίνει λήψη των ψηφισθέντων delegates.","Cannot state if account is a delegate":"Δεν μπορεί να εξακριβωθεί αν ο λογαριασμός είναι delegate","Change 1h/7h/7d":"Αλλαγή 1h/7h/7d","Create Virtual Folder":"Δημιουργία εικονικού φακέλου","Create a new virtual folder":"Δημιουργείστε έναν νέο εικονικό φάκελο","Close":"Κλείσιμο","Default":"Προεπιλογή","Date":"Ημερομηνία","Delay":"Καθυστέρηση","Delegate name":"Όνομα Delegate","Delegate":"Delegate","Delete":"Διαγραφή","Delete Account":"Διαγραφή λογαριασμού","Destination Address":"Διεύθυνση Προορισμού","Delete permanently this account":"Διαγράψτε μόνιμα αυτόν τον λογαριασμό","Enable Virtual Folders":"Ενεργοποιήστε τους εικονικούς φακέλους","Error when trying to login:":"Σφάλμα κατά την είσοδο:","Enable Votes":"Ενεργοποιήστε τις ψήφους","Error:":"Σφάλμα:","Exchange":"Ανταλλακτήριο","Fee (Ѧ)":"Τέλη","Folder Name":"Όνομα φακέλου","From":"Από","Hand crafted with ❤ by":"Κατασκευασμένο με ❤ από","Height":"Ύψος","Label":"Ετικέτα","Label set":"Ρύθμιση Ετικετών","Language":"Γλώσσα","Last checked":"Τελευταία φορά που ελέγχθηκε","List full or delegate already voted.":"Πλήρης λίστα ή ο delegate έχει ήδη ψηφισθεί","Login":"Σύνδεση","Market Cap.":"Κεφαλαιοποίηση","My Accounts":"Οι λογαριασμοί μου","Network connected and healthy!":"Δίκτυο συνδεδεμένο και υγιές!","Network disconected!":"Δίκτυο αποσυνδεδεμένο!","No difference from original delegate list":"Καμία διαφορά από την αρχική λίστα delegate","Next":"Επόμενο","No publicKey":"Δεν υπάρχει publicKey","No search term":"Δεν υπάρχει ο όρος αναζήτησης","Not enough ARK on your account":"Δεν υπάρχουν αρκετά ARK στον λογαριασμό","Open Delegate Monitor":"Ανοίξτε το monitor των delegate","Other Accounts":"Άλλοι λογαριασμοί","Passphrase does not match your address":"Η passphrase δεν ταιριάζει με την διεύθυνση","Passphrase":"Passphrase","Passphrase is not corresponding to account":"Η passphrase δεν ανταποκρίνεται στον λογαριασμό","Peer":"Peer","Please enter a folder name.":"Παρακαλώ εισάγετε ένα όνομα φακέλου","Please enter a new address.":"Παρακαλώ εισάγετε μία νέα διεύθυνση","Please enter a short label.":"Παρακαλώ εισάγετε μία σύντομη ετικέτα","Price":"Τιμή","Please enter this account passphrase to login.":"Παρακαλώ εισάγετε την passphrase αυτού του λογαριασμού για να συνδεθείτε.","Productivity":"Παραγωγικότητα","Quit":"Τερματισμός","Quit Ark Client?":"Τερματισμός του Ark Client ;","Rank":"Κατάταξη","Receive Ark":"Παραλαβή ARK","Rename":"Μετονομασία","Remove":"Αφαίρεση","Send":"Αποστολή","Second Passphrase":"Δεύτερη Passphrase","Send Ark":"Αποστολή Ark","Send Ark from":"Αποστολή Ark από","Set":"Ρύθμιση","Succesfully Logged In!":"Επιτυχής σύνδεση!","The destination address":"Η διεύθυνση προορισμού","To":"Προς","Transaction":"Συναλλαγή","Transactions":"Συναλλαγές","Type":"Πληκτρολογείστε","Update vote from":"Ανανεώστε την ψήφο από","Username":"Όνομα Χρήστη","Virtual folder added!":"Ο εικονικός φάκελος προστέθηκε!","Vote":"Ψηφίστε","Votes":"Ψήφοι","address":"διεύθυνση","is erroneous":"είναι εσφαλμένος","folder name":"όνομα φακέλου","is not recognised":"δεν αναγνωρίζεται","label":"ετικέτα","missed blocks":"χαμένα block","now!":"τώρα!","passphrase":"passphrase","produced blocks":"παραχθέντα block","you need at least 1 ARK to vote":"Χρειάζεστε τουλάχιστον 1 ARK για να ψηφίσετε","sent with success!":"Στάλθηκε με επιτυχία","Total Ѧ":"Σύνολο Ѧ","This account has never interacted with the network. This is either:":"Αυτός ο λογαριασμός δεν έχει αλληλεπιδράσει ποτέ με το δίκτυο. Αυτό είναι είτε:","an inexistant wallet, ie nobody knows the passphrase of this wallet. The ARK are lost":"ένα ανύπαρκτο πορτοφόλι, κανένας δεν ξέρει την passphrase από αυτό το πορτοφόλι. Τα ARK χάθηκαν","an inexistant wallet, ie nobody knows the passphrase of this wallet.":"ένα ανύπαρκτο πορτοφόλι, κανένας δεν ξέρει την passphrase από αυτό το πορτοφόλι.","a cold wallet, ie the owner of the passphrase has never used it":"ένα αδρανές πορτοφόλι, ο ιδιοκτήτης της passphrase δεν το έχει χρησιμοποιήσει ποτέ.","Details":"Λεπτομέρειες","Recipient Address":"Διεύθυνση Αποδέκτη","Add Account from address":"Προσθήκη λογαριασμού από την διεύθυνση","Add Sponsors Delegates":"Προσθήκη χορηγών delegates","Blockchain Application Registration":"Κατοχύρωση εφαρμογής blockchain","By using the following forms, you are accepting their":"Χρησιμοποιώντας τις ακόλουθες φόρμες, αποδέχεστε","Delegate Registration":"Κατoχύρωση Delegate","Deposit ARK":"Καταθέστε ARK","Deposit and Withdraw through our partner":"Καταθέστε και κάνετε ανάληψη μέσω των συνεργατών μας","Folders":"Φάκελοι","History":"Ιστορικό","If you own this account, you can enable virtual folders. Virtual Folders are simple subaccounts to better organise your money, without needing to send a real transaction and pay a fee.
\n Moreover, this account will move under the \"My Accounts\" list.":"Αν σας ανήκει αυτός ο λογαριασμός, μπορείτε να ενεργοποιήσετε τους εικονικούς φακέλους. Οι εικονικοί φάκελοι είναι απλοί υπολογαριασμοί με σκοπό την καλύτερη οργάνωση των χρημάτων σας, χωρίς να χρειάζεται να στείλετε μια πραγματική συναλλαγή και να πληρώσετε τέλη.
Επιπλέον, αυτός ο λογαριασμός θα μετακινηθεί κάτω από την λίστα \"Οι λογαριασμοί μου\".","If you own this account, you can enable Voting":"Εάν σας ανήκει αυτός ο λογαριασμός, μπορείτε να ενεργοποιήσετε την ψηφοφορία","Maximum:":"Μέγιστο:","Minimum:":"Ελάχιστο:","Multisignature Creation":"Δημιουργία multisignature (πολυ-υπογραφής)","Next...":"Επόμενο...","Please login with your account before using this feature":"Παρακαλώ συνδεθείτε στον λογαριασμό σας πριν χρησιμοποιήσετε αυτή την λειτουργία","Please report any issue to":"Παρακαλώ αναφέρετε οποιοδήποτε θέμα στο","Receive":"Παραλαβή","Refresh":"Ανανέωση","Recepient Address":"Διεύθυνση Παραλήπτη","Second Signature Creation":"Δημιουργία δεύτερης υπογραφής","Select a coin":"Διαλέξτε ένα νόμισμα","Second passphrase":"Δεύτερη passphrase","Status:":"Κατάσταση:","Status":"Κατάσταση","Sponsors Page":"Σελίδα χορηγών","Terms and Conditions":"Όροι και προϋποθέσεις","They have funded this app so you can use it for free.
\n Vote them to help the development.":"Έχουν χρηματοδοτήσει αυτή την εφαρμογή ώστε να μπορείτε να την χρησιμοποιήσετε δωρεάν.
\nΨηφίστε τους για να βοηθήσετε την ανάπτυξη.","Transaction id":"Ταυτότητα συναλλαγής","Transfer Ark from Blockchain Application":"Μεταφορά Ark από την Blockchain Εφαρμογή","Transfer Ark to Blockchain Application":"Μεταφορά Ark προς την Blockchain Εφαρμογή","Valid until":"Ισχύει μέχρι","Withdraw ARK":"Ανάληψη ARK","Your email, used to send confirmation":"Το email σας, χρησιμοποιήθηκε για να στείλει επιβεβαίωση","to":"προς"}); + gettextCatalog.setStrings('en', {"Address":"Address","Account added!":"Account added!","Amount (Ѧ)":"Amount (Ѧ)","Add Account":"Add Account","Account deleted!":"Account deleted!","Add Delegate":"Add Delegate","Amount":"Amount","Add":"Add","Approval":"Approval","Are you sure?":"Are you sure?","Balance":"Balance","Ark Client":"Ark Client","Cancel":"Cancel","Cannot find delegates from this term:":"Cannot find delegates from this term:","Cannot get sponsors":"Cannot get sponsors","Cannot find delegate:":"Cannot find delegate:","Cannot get transactions":"Cannot get transactions","Cannot find delegates on this peer:":"Cannot find delegates on this peer:","Cannot get voted delegates":"Cannot get voted delegates","Cannot state if account is a delegate":"Cannot state if account is a delegate","Change 1h/7h/7d":"Change 1h/7h/7d","Create Virtual Folder":"Create Virtual Folder","Create a new virtual folder":"Create a new virtual folder","Close":"Close","Default":"Default","Date":"Date","Delay":"Delay","Delegate name":"Delegate name","Delegate":"Delegate","Delete":"Delete","Delete Account":"Delete Account","Destination Address":"Destination Address","Delete permanently this account":"Delete permanently this account","Enable Virtual Folders":"Enable Virtual Folders","Error when trying to login:":"Error when trying to login:","Enable Votes":"Enable Votes","Error:":"Error:","Exchange":"Exchange","Fee (Ѧ)":"Fee (Ѧ)","Folder Name":"Folder Name","From":"From","Hand crafted with ❤ by":"Hand crafted with ❤ by","Height":"Height","Label":"Label","Label set":"Label set","Language":"Language","Last checked":"Last checked","List full or delegate already voted.":"List full or delegate already voted.","Login":"Login","Market Cap.":"Market Cap.","My Accounts":"My Accounts","Network connected and healthy!":"Network connected and healthy!","Network disconected!":"Network disconected!","No difference from original delegate list":"No difference from original delegate list","Next":"Next","No publicKey":"No publicKey","No search term":"No search term","Not enough ARK on your account":"Not enough ARK on your account","Open Delegate Monitor":"Open Delegate Monitor","Other Accounts":"Other Accounts","Passphrase does not match your address":"Passphrase does not match your address","Passphrase":"Passphrase","Passphrase is not corresponding to account":"Passphrase is not corresponding to account","Peer":"Peer","Please enter a folder name.":"Please enter a folder name.","Please enter a new address.":"Please enter a new address.","Please enter a short label.":"Please enter a short label.","Price":"Price","Please enter this account passphrase to login.":"Please enter this account passphrase to login.","Productivity":"Productivity","Quit":"Quit","Quit Ark Client?":"Quit Ark Client?","Rank":"Rank","Receive Ark":"Receive Ark","Rename":"Rename","Remove":"Remove","Send":"Send","Second Passphrase":"Second Passphrase","Send Ark":"Send Ark","Send Ark from":"Send Ark from","Set":"Set","Succesfully Logged In!":"Succesfully Logged In!","The destination address":"The destination address","To":"To","Transaction":"Transaction","Transactions":"Transactions","Type":"Type","Update vote from":"Update vote from","Username":"Username","Virtual folder added!":"Virtual folder added!","Vote":"Vote","Votes":"Votes","address":"address","is erroneous":"is erroneous","folder name":"folder name","is not recognised":"is not recognised","label":"label","missed blocks":"missed blocks","now!":"now!","passphrase":"passphrase","produced blocks":"produced blocks","you need at least 1 ARK to vote":"you need at least 1 ARK to vote","sent with success!":"sent with success!","Total Ѧ":"Total Ѧ","This account has never interacted with the network. This is either:":"This account has never interacted with the network. This is either:","an inexistant wallet, ie nobody knows the passphrase of this wallet. The ARK are lost":"an inexistant wallet, ie nobody knows the passphrase of this wallet. The ARK are lost","an inexistant wallet, ie nobody knows the passphrase of this wallet.":"an inexistant wallet, ie nobody knows the passphrase of this wallet.","a cold wallet, ie the owner of the passphrase has never used it":"a cold wallet, ie the owner of the passphrase has never used it","Details":"Details","Recipient Address":"Recipient Address","Add Account from address":"Add Account from address","Add Sponsors Delegates":"Add Sponsors Delegates","Blockchain Application Registration":"Blockchain Application Registration","By using the following forms, you are accepting their":"By using the following forms, you are accepting their","Delegate Registration":"Delegate Registration","Deposit ARK":"Deposit ARK","Deposit and Withdraw through our partner":"Deposit and Withdraw through our partner","Folders":"Folders","History":"History","If you own this account, you can enable virtual folders. Virtual Folders are simple subaccounts to better organise your money, without needing to send a real transaction and pay a fee.
\n Moreover, this account will move under the \"My Accounts\" list.":"If you own this account, you can enable virtual folders. Virtual Folders are simple subaccounts to better organise your money, without needing to send a real transaction and pay a fee.
\n Moreover, this account will move under the \"My Accounts\" list.","If you own this account, you can enable Voting":"If you own this account, you can enable Voting","Maximum:":"Maximum:","Minimum:":"Minimum:","Multisignature Creation":"Multisignature Creation","Next...":"Next...","Please login with your account before using this feature":"Please login with your account before using this feature","Please report any issue to":"Please report any issue to","Receive":"Receive","Refresh":"Refresh","Recepient Address":"Recepient Address","Second Signature Creation":"Second Signature Creation","Select a coin":"Select a coin","Second passphrase":"Second passphrase","Status:":"Status:","Status":"Status","Sponsors Page":"Sponsors Page","Terms and Conditions":"Terms and Conditions","They have funded this app so you can use it for free.
\n Vote them to help the development.":"They have funded this app so you can use it for free.
\n Vote them to help the development.","Transaction id":"Transaction id","Transfer Ark from Blockchain Application":"Transfer Ark from Blockchain Application","Transfer Ark to Blockchain Application":"Transfer Ark to Blockchain Application","Valid until":"Valid until","Withdraw ARK":"Withdraw ARK","Your email, used to send confirmation":"Your email, used to send confirmation","to":"to"}); + gettextCatalog.setStrings('es_419', {"Address":"Dirección","Account added!":"¡Cuenta adicionada!","Amount (Ѧ)":"Cantidad (Ѧ)","Add Account":"Añadir Cuenta","Account deleted!":"¡Cuenta eliminada!","Add Delegate":"Añadir Delegado","Amount":"Cantidad","Add":"Añadir","Approval":"Aprobación","Are you sure?":"¿Está seguro?","Balance":"Balance","Ark Client":"Cliente Ark","Cancel":"Cancelar","Cannot find delegates from this term:":"No se encuentran delegados a partir de este término:","Cannot get sponsors":"No se puede obtener patrocinadores","Cannot find delegate:":"No se puede encontrar el delegado:","Cannot get transactions":"No se puede obtener transacciones","Cannot find delegates on this peer:":"No se encuentran delegados en este par:","Cannot get voted delegates":"No se puede obtener delegados votados","Cannot state if account is a delegate":"No se puede asegurar que la cuenta es de un delegado","Change 1h/7h/7d":"Cambio 1h/7h/7d","Create Virtual Folder":"Crear Carpeta Virtual","Create a new virtual folder":"Crear una nueva carpeta virtual","Close":"Cerrar","Default":"Predeterminado","Date":"Fecha","Delay":"Retraso","Delegate name":"Nombre de Delegado","Delegate":"Delegado","Delete":"Eliminar","Delete Account":"Eliminar Cuenta","Destination Address":"Dirección de Destino","Delete permanently this account":"Eliminar esta cuenta de forma permanente","Enable Virtual Folders":"Habilitar Carpetas Virtuales","Error when trying to login:":"Error al iniciar sesión","Enable Votes":"Habilitar Votos","Error:":"Error:","Exchange":"Intercambio","Fee (Ѧ)":"Tasa (Ѧ)","Folder Name":"Nombre de Carpeta","From":"Desde","Hand crafted with ❤ by":"Elaborado artesanalmente con ❤ por","Height":"Altura","Label":"Etiqueta","Label set":"Grupo de Etiquetas","Language":"Lenguaje","Last checked":"Ultima consulta","List full or delegate already voted.":"Lista completa o delegado ya votado.","Login":"Iniciar Sesión","Market Cap.":"Capitalización de Mercado","My Accounts":"Mis Cuentas","Network connected and healthy!":"¡Red conectada y en óptimas condiciones!","Network disconected!":"¡Red desconectada!","No difference from original delegate list":"Sin diferencias con la lista original de delegados","Next":"Siguiente","No publicKey":"No hay clave pública","No search term":"No hay término de búsqueda","Not enough ARK on your account":"ARK insuficientes en su cuenta","Open Delegate Monitor":"Abrir Monitoreo de Delegados","Other Accounts":"Otras Cuentas","Passphrase does not match your address":"La Contraseña de Frase no coincide con su dirección","Passphrase":"Contraseña de Frase","Passphrase is not corresponding to account":"La Contraseña de Frase no corresponde a la cuenta","Peer":"Par","Please enter a folder name.":"Por favor ingrese un nombre de carpeta.","Please enter a new address.":"Por favor ingrese una nueva dirección.","Please enter a short label.":"Por favor ingrese una etiqueta corta.","Price":"Precio","Please enter this account passphrase to login.":"Por favor ingrese la contraseña de frase correspondiente a esta cuenta para iniciar sesión.","Productivity":"Productividad","Quit":"Salir","Quit Ark Client?":"¿Quiere salir del Cliente Ark?","Rank":"Posición","Receive Ark":"Recibir Ark","Rename":"Renombrar","Remove":"Quitar","Send":"Enviar","Second Passphrase":"Segunda Contraseña de Frase","Send Ark":"Enviar Ark","Send Ark from":"Enviar Ark desde","Set":"Establecer","Succesfully Logged In!":"Inicio de Sesión Exitoso!","The destination address":"La dirección de destino","To":"Hacia","Transaction":"Transacción","Transactions":"Transacciones","Type":"Tipo","Update vote from":"Votar a favor desde","Username":"Nombre de usuario","Virtual folder added!":"¡Carpeta virtual añadida!","Vote":"Voto","Votes":"Votos","address":"dirección","is erroneous":"es erroneo","folder name":"Nombre de carpeta","is not recognised":"no es reconocido","label":"etiqueta","missed blocks":"bloques perdidos","now!":"¡ahora!","passphrase":"contraseña de frase","produced blocks":"bloques producidos","you need at least 1 ARK to vote":"necesitas al menos 1 ARK para votar","sent with success!":"¡Enviado exitosamente!","Total Ѧ":"Total Ѧ","This account has never interacted with the network. This is either:":"Esta cuenta nunca ha interactuado con la red. Esto es ya sea:","an inexistant wallet, ie nobody knows the passphrase of this wallet. The ARK are lost":"una billetera inexistente , por ejemplo nadie sabe la contraseña de frase de esta billetera. Los ARK están perdidos","an inexistant wallet, ie nobody knows the passphrase of this wallet.":"una billetera inexistente, por ejemplo nadie conoce la contraseña de frase de esta billetera.","a cold wallet, ie the owner of the passphrase has never used it":"una billetera fría, por ejemplo el propietario de una contraseña de frase nunca utilizada","Details":"Detalles","Recipient Address":"Dirección del Destinatario","Add Account from address":"Añadir Cuenta desde dirección","Add Sponsors Delegates":"Añadir Delegados Patrocinadores","Blockchain Application Registration":"Registro de Aplicación Blockchain","By using the following forms, you are accepting their":"Al completar el siguiente formulario, usted está aceptando estos","Delegate Registration":"Registro de Delegado","Deposit ARK":"Depositar ARK","Deposit and Withdraw through our partner":"Deposito y Extracción a través de nuestro socio.","Folders":"Carpetas","History":"Historia","If you own this account, you can enable virtual folders. Virtual Folders are simple subaccounts to better organise your money, without needing to send a real transaction and pay a fee.
\n Moreover, this account will move under the \"My Accounts\" list.":"Si es el propietario de esta cuenta, puede habilitar carpetas virtuales . Las Carpetas Virtuales son simples sub cuentas que permiten organizar mejor su dinero, sin necesidad de enviar una transacción real y pagar una tasa.
\nPor otra parte, esta cuenta se moverá bajo la lista \" Mis cuentas \" .","If you own this account, you can enable Voting":"Si es el propietario de esta cuenta , puede habilitar la Votación","Maximum:":"Máximo","Minimum:":"Mínimo","Multisignature Creation":"Creación de múltiple firma","Next...":"Siguiente...","Please login with your account before using this feature":"Por favor inicie sesión con su cuenta antes de utilizar esta función","Please report any issue to":"Por favor reportar cualquier problema a","Receive":"Recibir","Refresh":"Refrescar","Recepient Address":"Dirección del destinatario","Second Signature Creation":"Segunda Creación de Firma","Select a coin":"Seleccionar moneda","Second passphrase":"Segunda contraseña de frase","Status:":"Estado:","Status":"Estado","Sponsors Page":"Página de Patrocinadores","Terms and Conditions":"Términos y Condiciones","They have funded this app so you can use it for free.
\n Vote them to help the development.":"Ellos han financiado esta aplicación para que puedas utilizarla de forma gratuita.
Vota por ellos para contribuir al desarrollo de la misma.","Transaction id":"ID de Transacción","Transfer Ark from Blockchain Application":"Transferir Ark desde Aplicación Blockchain","Transfer Ark to Blockchain Application":"Transferir Ark hacia Aplicación Blockchain","Valid until":"Válido hasta","Withdraw ARK":"Extraer ARK","Your email, used to send confirmation":"Su correo electrónico, utilizado para enviar la confirmación","to":"hacia"}); + gettextCatalog.setStrings('fr', {"Address":"Adresse","Account added!":"Compte ajouté !","Amount (Ѧ)":"Montant (Ѧ)","Add Account":"Ajouter un compte","Account deleted!":"Compte supprimé !","Add Delegate":"Ajouter un délégué","Amount":"Montant","Add":"Ajouter","Approval":"Approbation","Are you sure?":"Etes-vous sûr ?","Balance":"Solde","Ark Client":"Client Ark","Cancel":"Annuler","Cannot find delegates from this term:":"Impossible de trouver de délégués avec cette recherche :","Cannot get sponsors":"Impossible d'obtenir la liste des sponsors","Cannot find delegate:":"Impossible de trouver le délégué :","Cannot get transactions":"Impossible d'obtenir la liste des transactions","Cannot find delegates on this peer:":"Impossible de trouver des délégués sur ce nœud :","Cannot get voted delegates":"Impossible d'obtenir la liste des délégués votés par ce compte","Cannot state if account is a delegate":"Impossible de savoir si ce compte est enregistré en tant que délégué","Change 1h/7h/7d":"Variations 1h/7h/7j","Create Virtual Folder":"Créer un portefeuille virtuel","Create a new virtual folder":"Créer un nouveau portefeuille virtuel","Close":"Fermer","Default":"Par défaut","Date":"Date","Delay":"Délai","Delegate name":"Nom du délégué","Delegate":"Délégué","Delete":"Supprimer","Delete Account":"Supprimer le compte","Destination Address":"Adresse de Destination","Delete permanently this account":"Supprimer définitivement ce compte","Enable Virtual Folders":"Activer les comptes virtuels","Error when trying to login:":"Erreur lors de la tentative de connexion :","Enable Votes":"Activer les votes","Error:":"Erreur :","Exchange":"Échange","Fee (Ѧ)":"Frais (Ѧ)","Folder Name":"Nom du portefeuille virtuel","From":"De","Hand crafted with ❤ by":"Réalisé avec ❤ par ","Height":"Blocks forgés","Label":"Label","Label set":"Labelisation","Language":"Langue","Last checked":"Dernière vérification","List full or delegate already voted.":"Liste des délégués complète, ou délégués déja votés","Login":"Connexion","Market Cap.":"Capitalisation","My Accounts":"Mes Comptes","Network connected and healthy!":"Connecté au réseau !","Network disconected!":"Déconnecté du réseau !","No difference from original delegate list":"Aucune différence avec la liste de délégués originale","Next":"Suivant","No publicKey":"Pas de clef publique","No search term":"Aucun terme de recherche","Not enough ARK on your account":"Pas assez d'ARK sur votre compte","Open Delegate Monitor":"Ouvrir la page de suivi des délégués","Other Accounts":"Autres portefeuilles","Passphrase does not match your address":"Le mot de passe ne correspond pas à votre adresse","Passphrase":"Mot de Passe","Passphrase is not corresponding to account":"Le mot de passe ne correspond pas au compte","Peer":"Nœud","Please enter a folder name.":"Entrer un nom de portefeuille.","Please enter a new address.":"Entrer un nouvelle adresse.","Please enter a short label.":"Entrer un nom court.","Price":"Prix","Please enter this account passphrase to login.":"Entrer le mot de passe de ce compte pour vous connecter","Productivity":"Productivité","Quit":"Quitter","Quit Ark Client?":"Quitter l'application Client Ark ?","Rank":"Rang","Receive Ark":"Réception","Rename":"Renommer","Remove":"Retirer","Send":"Envoyer","Second Passphrase":"Second Mot de Passe","Send Ark":"Envoyer des Ark","Send Ark from":"Envoi d'Ark de","Set":"Créer","Succesfully Logged In!":"Connecté avec succès","The destination address":"L'adresse du portefeuille cible","To":"A","Transaction":"Transaction","Transactions":"Transactions","Type":"Type","Update vote from":"Mise à jour du vote du compte","Username":"Nom d'utilisateur","Virtual folder added!":"Compte virtuel ajouté !","Vote":"Vote","Votes":"Votes","address":"adresse","is erroneous":"est erroné","folder name":"nom du compte","is not recognised":"n'est pas reconnu","label":"label","missed blocks":"blocks manqués","now!":"maintenant !","passphrase":"mot de passe","produced blocks":"blocks produits","you need at least 1 ARK to vote":"vous avez besoin d'au moins 1 Ѧ pour pouvoir voter","sent with success!":"envoyé avec succès","Total Ѧ":"Total Ѧ","This account has never interacted with the network. This is either:":"Ce compte ne s'est jamais connecté au réseau. Il peut s'agir soit :","an inexistant wallet, ie nobody knows the passphrase of this wallet. The ARK are lost":"un compte inexistant : personne ne connait le mot de passe. Les ARK sont perdus","an inexistant wallet, ie nobody knows the passphrase of this wallet.":"un compte inexistant : personne ne connait le mot de passe de ce portefeuille.","a cold wallet, ie the owner of the passphrase has never used it":"d'un \"Cold Wallet\", càd le propriétaire ne l'a jamais utilisé","Details":"Détails","Recipient Address":"Adresse du receveur","Add Account from address":"Ajouter un compte à partir d'une adresse","Add Sponsors Delegates":"Ajouter les délégués des sponsors","Blockchain Application Registration":"Enregistrement d'une Application Blockchain","By using the following forms, you are accepting their":"En utilisant les formulaires ci-dessous, vous déclarez accepter leur ","Delegate Registration":"Enregistrement d'un délégué","Deposit ARK":"Déposer des ARK","Deposit and Withdraw through our partner":"Déposer et retirer grâce à notre partenaire","Folders":"Portefeuilles","History":"Historique","If you own this account, you can enable virtual folders. Virtual Folders are simple subaccounts to better organise your money, without needing to send a real transaction and pay a fee.
\n Moreover, this account will move under the \"My Accounts\" list.":"Si vous possédez ce compte, vous pouvez activer les comptes virtuels. Ceux-ci sont de simple portefeuilles hors-lignes pour mieux vous organiser, sans avoir à envoyer de vraies transactions et ainsi réduire les frais de gestion.
\nDe plus ce compte se déplacera dans la liste \"Mes comptes\".","If you own this account, you can enable Voting":"Si vous possédez ce compte, vous pouvez voter pour un délégué","Maximum:":"Maximum :","Minimum:":"Minimum :","Multisignature Creation":"Création d'un compte multisignature","Next...":"Suivant...","Please login with your account before using this feature":"Connectez-vous à votre compte avant de pouvoir utiliser cette fonction","Please report any issue to":"Si vous rencontrez des problèmes, contactez ","Receive":"Recevoir","Refresh":"Rafraîchir","Recepient Address":"Adresse de reception","Second Signature Creation":"Création d'un deuxième mot de passe","Select a coin":"Sélectionner une devise","Second passphrase":"Second mot de passe","Status:":"Etat :","Status":"Etat","Sponsors Page":"Page des Sponsors","Terms and Conditions":"Conditions Générales","They have funded this app so you can use it for free.
\n Vote them to help the development.":"Ils ont financés cette application pour que vous puissiez l'utiliser gratuitement.
\nVoter pour eux permet d'aider à continuer son développement","Transaction id":"Id de la Transaction","Transfer Ark from Blockchain Application":"Transfert d'Ark depuis l'Application Blockchain","Transfer Ark to Blockchain Application":"Transfert de Ark vers l'Application Blockchain","Valid until":"Valide jusqu'au","Withdraw ARK":"Retirer des ARK","Your email, used to send confirmation":"Votre email, pour envoyer une confirmation","to":"à"}); + gettextCatalog.setStrings('hu', {"Address":"Cím","Account added!":"Account hozzáadva!","Amount (Ѧ)":"Összeg (Ѧ)","Add Account":"Account hozzáadása","Account deleted!":"Account törölve!","Add Delegate":"Delegátus hozzáadása","Amount":"Összeg","Add":"Hozzáad","Approval":"Jóváhagyás","Are you sure?":"Biztos vagy benne?","Cancel":"Visszavon","Cannot find delegates from this term:":"Nem található delegátus a feltételek alapján","Cannot find delegate:":"Nem található delegátus","Exchange":"Pénzváltó","Transactions":"Tranzakciók","Total Ѧ":"Összes","This account has never interacted with the network. This is either:":"Ez az account nem volt regisztrálva a hálózaton. Ennek oka:","Add Account from address":"Account hozzáadása cím megadásával","Add Sponsors Delegates":"Szponzor delegátusok hozzáadása","Blockchain Application Registration":"Blokkchain Aplikáció Regisztrálása","By using the following forms, you are accepting their":"A következők használatával elfogadod a"}); + gettextCatalog.setStrings('id', {"Address":"Alamat","Account added!":"Akun ditambahkan!","Amount (Ѧ)":"Jumlah (Ѧ)","Add Account":"Tambahkan Akun","Account deleted!":"Akun dihapus!","Add Delegate":"Tambahkan Delegasi","Amount":"Jumlah","Add":"Tambahkan","Approval":"Persetujuan","Are you sure?":"Anda Yakin?","Balance":"Saldo","Ark Client":"Client ARK","Cancel":"Batalkan","Cannot find delegates from this term:":"Tidak dapat menemukan delegasi dari kata ini:","Cannot get sponsors":"Tidak dapat menemukan sponsor","Cannot find delegate:":"Tidak dapat menemukan delegasi:","Cannot get transactions":"Tidak dapat menemukan transaksi","Cannot find delegates on this peer:":"Tidak dapat menemukan delegasi dari peer ini:","Cannot get voted delegates":"Tidak dapat menemukan delegasi yang telah divote","Cannot state if account is a delegate":"Tidak dapat menyatakan bahwa akun ini adalah delegasi","Change 1h/7h/7d":"Perubahan 1j/7j/7h","Create Virtual Folder":"Buat Folder Virtual","Create a new virtual folder":"Buat folder virtual baru","Close":"Tutup","Default":"Default","Date":"Tanggal","Delay":"Tunda","Delegate name":"Nama delegasi","Delegate":"Delegasi","Delete":"Hapus","Delete Account":"Hapus Akun","Destination Address":"Alamat Tujuan","Delete permanently this account":"Hapus akun ini selamanya","Enable Virtual Folders":"Aktifkan Folder Virtual","Error when trying to login:":"Kesalahan ketika masuk:","Enable Votes":"Aktifkan vote","Error:":"Kesalahan:","Exchange":"Bursa","Fee (Ѧ)":"Biaya (Ѧ)","Folder Name":"Nama Folder","From":"Dari","Hand crafted with ❤ by":"Dibuat dengan ❤ oleh","Height":"Tinggi","Label":"Label","Label set":"Set Label","Language":"Bahasa","Last checked":"Terakhir Diperiksa","List full or delegate already voted.":"Daftar lengkap atau delegasi yang sudah divote","Login":"Masuk","Market Cap.":"Kapitalisasi Pasar","My Accounts":"Akun Saya","Network connected and healthy!":"Jaringan terhubung dan baik!","Network disconected!":"Jaringan terputus!","No difference from original delegate list":"Tidak ada perbedaan dengan daftar delegasi asli","Next":"Berikutnya","No publicKey":"Tidak ada publicKey","No search term":"Tidak ada kata pencarian","Not enough ARK on your account":"ARK di akun anda tidak cukup","Open Delegate Monitor":"Buka Monitor Delegasi","Other Accounts":"Akun-akun Lainnya","Passphrase does not match your address":"Kata sandi tidak sesuai dengan alamat Anda","Passphrase":"Kata sandi","Passphrase is not corresponding to account":"Kata sandi tidak sesuai dengan akun","Peer":"Peer","Please enter a folder name.":"Masukkan nama Folder","Please enter a new address.":"Masukkan alamat baru.","Please enter a short label.":"Masukkan label singkat.","Price":"Harga","Please enter this account passphrase to login.":"Masukkan kata sandi akun ini untuk masuk.","Productivity":"Produktifitas","Quit":"Berhenti","Quit Ark Client?":"Keluar dari Client Ark?","Rank":"Peringkat","Receive Ark":"Terima Ark","Rename":"Ubah Nama","Remove":"Hapus","Send":"Kirim","Second Passphrase":"Kata sandi Kedua","Send Ark":"Kirim ARK","Send Ark from":"Kirim ARK dari","Set":"Set","Succesfully Logged In!":"Berhasil Masuk!","The destination address":"Alamat tujuan","To":"Ke","Transaction":"Transaksi","Transactions":"Transaksi","Type":"Tipe","Update vote from":"Perbaharui vote dari","Username":"Nama pengguna","Virtual folder added!":"Folder virtual ditambahkan!","Vote":"Vote","Votes":"Vote","address":"alamat","is erroneous":"salah","folder name":"nama folder","is not recognised":"Tidak dikenali","label":"label","missed blocks":"blok-blok yang luput","now!":"sekarang!","passphrase":"kata sandi","produced blocks":"blok yang dihasilkan","you need at least 1 ARK to vote":"Anda memerlukan setidaknya 1 ARK untuk melakukan vote","sent with success!":"Berhasil dikirim!","Total Ѧ":"Total Ѧ","This account has never interacted with the network. This is either:":"Akun ini tidak pernah berinteraksi dengan jaringan. Ini adalah salah satu dari:","an inexistant wallet, ie nobody knows the passphrase of this wallet. The ARK are lost":"sebuah dompet inexistant, yaitu tidak ada yang tahu kata sandi dari dompet ini. ARK tersebut hilang","an inexistant wallet, ie nobody knows the passphrase of this wallet.":"sebuah dompet inexistant, yaitu tidak ada yang tahu kata sandi dari dompet ini.","a cold wallet, ie the owner of the passphrase has never used it":"sebuah cold wallet, yaitu pemilik kata sandi tidak pernah menggunakannya ","Details":"Rincian","Recipient Address":"Alamat penerima","Add Account from address":"Tambahkan Akun dari alamat","Add Sponsors Delegates":"Tambahkan Sponsor Delegasi ","Blockchain Application Registration":"Pendaftaran Aplikasi Blockchain","By using the following forms, you are accepting their":"Dengan menggunakan formulir berikut, Anda menyetujui","Delegate Registration":"Pendaftaran Delegasi","Deposit ARK":"Deposit ARK","Deposit and Withdraw through our partner":"Deposit dan Penarikan melalui mitra kami","Folders":"Folder-folder","History":"Riwayat","If you own this account, you can enable virtual folders. Virtual Folders are simple subaccounts to better organise your money, without needing to send a real transaction and pay a fee.
\n Moreover, this account will move under the \"My Accounts\" list.":"Jika Anda adalah pemilik akun ini, Anda dapat mengaktifkan folder virtual. Folder Virtual adalah sub-akun sederhana untuk memudahkan pengelolaan uang anda, tanpa perlu mengirimkan transaksi nyata dan membayar biayanya.
Selain itu, akun ini akan berada didaftar \"Akun Saya\"","If you own this account, you can enable Voting":"Jika anda adalah pemilik akun ini, anda dapat mengaktifkan Voting","Maximum:":"Maksimal","Minimum:":"Minimal","Multisignature Creation":"Pembuatan Multisignature","Next...":"Berikutnya...","Please login with your account before using this feature":"Silahkan masuk dengan akun Anda sebelum menggunakan fitur ini","Please report any issue to":"Silakan laporkan masalah apapun ke","Receive":"Menerima","Refresh":"Segarkan","Recepient Address":"Alamat Penerima","Second Signature Creation":"Pembuatan Signature Kedua","Select a coin":"Pilih Koin","Second passphrase":"Kata sandi Kedua","Status:":"Status:","Status":"Status","Sponsors Page":"Laman Sponsor","Terms and Conditions":"Syarat dan Ketentuan","They have funded this app so you can use it for free.
\n Vote them to help the development.":"Mereka telah mendanai aplikasi ini sehingga Anda dapat menggunakannya dengan gratis.
\nVote mereka untuk membantu pengembangan.","Transaction id":"Id transaksi","Transfer Ark from Blockchain Application":"Pindahkan ARK dari Aplikasi Blockchain","Transfer Ark to Blockchain Application":"Pindahkan ARK ke Aplikasi Blockchain","Valid until":"Berlaku hingga","Withdraw ARK":"Penarikan ARK","Your email, used to send confirmation":"Email Anda, digunakan untuk mengirimkan konfirmasi","to":"ke"}); + gettextCatalog.setStrings('it', {"Address":"Indirizzo","Account added!":"Account aggiunto!","Amount (Ѧ)":"Somma (Ѧ)","Add Account":"Aggiungi Account","Account deleted!":"Account eliminato!","Add Delegate":"Aggiungi un Delegato","Amount":"Somma","Add":"Aggiungi","Approval":"Approvazione","Are you sure?":"Sei sicuro?","Balance":"Bilancio","Ark Client":"Ark Client","Cancel":"Cancella","Cannot find delegates from this term:":"Impossibile trovare un delegato da questo termine:","Cannot get sponsors":"Impossibile ricevere lo sponsor","Cannot find delegate:":"Impossibile trovare il delegato:","Cannot get transactions":"Impossibile ricevere transazioni","Cannot find delegates on this peer:":"Impossibile trovare un delegato su questo peer:","Cannot get voted delegates":"Impossibile ricevere l'elenco dei delegati votati","Cannot state if account is a delegate":"Impossibile stabilire se l'account è di un delegato","Change 1h/7h/7d":"Cambia 1h/7h/7gg","Create Virtual Folder":"Crea una cartella virtuale","Create a new virtual folder":"Crea una nuova cartella virtuale","Close":"Chiudi","Default":"Default","Date":"Data","Delay":"Ritarda","Delegate name":"Nome Delegato","Delegate":"Delegato","Delete":"Elimina","Delete Account":"Elimina Account","Destination Address":"Indirizzo di destinazione","Delete permanently this account":"Elimina permanentemente questo account","Enable Virtual Folders":"Abilita Cartelle Virtuali","Error when trying to login:":"Errore quando si tenta l'accesso:","Enable Votes":"Abilita Voti","Error:":"Errore:","Exchange":"Exchange","Fee (Ѧ)":"Commissione (Ѧ)","Folder Name":"Nome Cartella","From":"Da","Hand crafted with ❤ by":"Fatto a mano con amore da","Height":"Altezza","Label":"Eticheta","Label set":"Imposta eticheta","Language":"Lingua","Last checked":"Ultimo controllo","List full or delegate already voted.":"Lista completa o delegati già votati","Login":"Accedi","Market Cap.":"Capitalizzazione","My Accounts":"Il mio account","Network connected and healthy!":"Rete connessa e funzionante!","Network disconected!":"Rete Disconnessa!","No difference from original delegate list":"Nessuna differenza con la lista delegati originale","Next":"Prossimo","No publicKey":"Nessuna Chiave Pubblica","No search term":"Nessun termine per la ricerca","Not enough ARK on your account":"Non ci sono abbastanza ARK sul tuo account","Open Delegate Monitor":"Apri il monitor delegati","Other Accounts":"Altri account","Passphrase does not match your address":"La passphrase non corrisponde col tuo indirizzo","Passphrase":"Passphrase","Passphrase is not corresponding to account":"La passphrase non corrisponde all'account","Peer":"Peer","Please enter a folder name.":"Dare un nome alla cartella.","Please enter a new address.":"Inserire un nuovo indirizzo.","Please enter a short label.":"Inserire un etichetta breve.","Price":"Prezzo","Please enter this account passphrase to login.":"Inserire la passphrase per accedere","Productivity":"Produttività ","Quit":"Chiudi","Quit Ark Client?":"Sei sicuro di voler chiudere?","Rank":"Posizione","Receive Ark":"Ricevi Ark","Rename":"Rinomina","Remove":"Rimuovi","Send":"Spedisci","Second Passphrase":"Seconda Passphrase","Send Ark":"Spedisci Ark","Send Ark from":"Spedisci Ark da ","Set":"Imposta","Succesfully Logged In!":"Accesso riuscito!","The destination address":"Address di destinazione","To":"A","Transaction":"Transazione","Transactions":"Transazioni","Type":"Scrivi","Update vote from":"Aggiornamento voto da","Username":"Nome utente","Virtual folder added!":"Cartella virtuale aggiunta! ","Vote":"Vota","Votes":"Voti","address":"Indirizzo","is erroneous":"è errato","folder name":"Nome cartella","is not recognised":"Non riconosciuto","label":"Eticheta","missed blocks":"blocchi persi","now!":"adesso!","passphrase":"passphrase","produced blocks":"blocchi prodotti","you need at least 1 ARK to vote":"hai bisogno di almeno 1 ARK per votare","sent with success!":"inviato con successo","Total Ѧ":"Ѧ totali","This account has never interacted with the network. This is either:":"Questo account non si è mai connesso alla rete. Può essere che :","an inexistant wallet, ie nobody knows the passphrase of this wallet. The ARK are lost":"un wallet inesistente, esempio : nessuno sa la passphrase del wallet. I ARK sono persi","an inexistant wallet, ie nobody knows the passphrase of this wallet.":"un wallet inesistente, esempio : nessuno sa la passphrase del wallet.","a cold wallet, ie the owner of the passphrase has never used it":"un cold wallet, esempio il possessore della passphrase non l'ha mai usato\n","Details":"Dettagli","Recipient Address":"Indirizzo del destinatario","Add Account from address":"Aggiungi un account da un indirizzo","Add Sponsors Delegates":"Aggiungi Delegati Sponsor","Blockchain Application Registration":"Registrazione applicazione blockchain","By using the following forms, you are accepting their":"Utilizzando questo modulo accetterai il loro","Delegate Registration":"Registrazione Delegato","Deposit ARK":"Deposita ARK","Deposit and Withdraw through our partner":"Deposita e ritira utilizzando un nostro partener","Folders":"Cartelle","History":"Storia","If you own this account, you can enable virtual folders. Virtual Folders are simple subaccounts to better organise your money, without needing to send a real transaction and pay a fee.
\n Moreover, this account will move under the \"My Accounts\" list.":"Se possiedi questo account puoi abilitare le cartelle virtuali. Le cartelle virtuali sono dei semplici account secondari per poter organizzare meglio i tuoi soldi, senza il bisogno di dover fare delle vere transazioni e pagare le fee.
\nInoltre questo account sarà spostato sotto la lista \"Il mio account\" .","If you own this account, you can enable Voting":"Se possiedi questo account puoi abilitare il voto","Maximum:":"Massimo:","Minimum:":"Minimo:","Multisignature Creation":"Creazione Multisignature","Next...":"Prossimo...","Please login with your account before using this feature":"Accedi all'account per abilitare questa funzione","Please report any issue to":"Segnala ogni problema a \n","Receive":"Ricevi","Refresh":"Aggiorna","Recepient Address":"Address del ricevente","Second Signature Creation":"Creazione della seconda firma","Select a coin":"Seleziona una moneta","Second passphrase":"Seconda firma","Status:":"Stato:","Status":"Stato","Sponsors Page":"Pagina degli sponsor","Terms and Conditions":"Termini e Condizioni","They have funded this app so you can use it for free.
\n Vote them to help the development.":"Loro hanno finanziato questa applicazione così che puoi usarla gratuitamente.
\nVotali per aiutare lo sviluppo.","Transaction id":"Id Transazione","Transfer Ark from Blockchain Application":"Trasferisci i Ark da un applicazione ","Transfer Ark to Blockchain Application":"Trasferisci i Ark a un applicazione ","Valid until":"Valido fino ","Withdraw ARK":"Ritira ARK","Your email, used to send confirmation":"La tua email usata per inviare la conferma","to":"a"}); + gettextCatalog.setStrings('nl', {"Address":"Adres","Account added!":"Account toegevoegd!","Amount (Ѧ)":"Bedrag (Ѧ)","Account deleted!":"Account verwijderd!","Add Delegate":"Voeg Delegate","Amount":"Bedrag","Add":"Toevoegen","Approval":"Goedkeuring","Are you sure?":"Weet je het zeker?","Balance":"Saldo","Cancel":"Annuleer","Exchange":"Uitwisseling","Fee (Ѧ)":"Prijs ","Folder Name":"Folder Naam","From":"Van","Hand crafted with ❤ by":"Hand gemaakt met ❤ door","Height":"Hoogte","Label":"Etiket","Label set":"Etiket doen","Language":"Taal","Last checked":"laatst gecontroleerd","List full or delegate already voted.":"Lijst geheel of afgevaardigde al gestemd.","Market Cap.":"Marktkapitalisatie.","My Accounts":"Mijn accounts","Network connected and healthy!":"Het netwerk aangesloten en gezond!","Network disconected!":"Netwerk disconected!","No difference from original delegate list":"Geen verschil van origineel afgevaardigde lijst","Next":"Volgende","No publicKey":"Geen publieke sleutel","No search term":"Geen zoekterm","Not enough ARK on your account":"Niet genoeg ARK op uw rekening","Open Delegate Monitor":"Open afgevaardigde Monitor","Other Accounts":"Andere accounts","Passphrase does not match your address":"Passphrase komt niet overeen met uw adres","Passphrase":"wachtwoord","Passphrase is not corresponding to account":"Wachtwoord is niet overeenkomt met verantwoording","Peer":"Turen","Please enter a folder name.":"Geef een mapnaam.","Please enter a new address.":"Geef een nieuw adres.","Please enter a short label.":"Geef een korte Etiket.","Please enter this account passphrase to login.":"Vul deze account wachtwoord om in te loggen.","Productivity":"Produktiviteit","Quit":"Ophouden","Quit Ark Client?":"Stoppen Ark Client?","Rank":"Rang","Receive Ark":"Ontvang Ark","Rename":"andere naam geven","Remove":"Verwijderen","Send":"Sturen","Second Passphrase":"Tweede wachtwoordzin","Send Ark":"Stuur Ark","Send Ark from":"Stuur Ark van","you need at least 1 ARK to vote":"U heeft minimaal 1 ARK nodig om te stemmen.","sent with success!":"Verzonden met succes!","Total Ѧ":"Totaal","This account has never interacted with the network. This is either:":"Dit account is nog nooit samengewerkt met het netwerk. Dit is ofwel:","an inexistant wallet, ie nobody knows the passphrase of this wallet. The ARK are lost":"een inexistant portemonnee, dus niemand weet het wachtwoord van deze portefeuille. De ARK zijn verloren","an inexistant wallet, ie nobody knows the passphrase of this wallet.":"Een onbekend portemonnee, dus niemand weet het wachtwoord van dit portemonnee.","a cold wallet, ie the owner of the passphrase has never used it":"een koude portemonnee, dat wil zeggen de eigenaar van het wachtwoord heeft het nooit gebruikt","Details":"Details","Recipient Address":"ontvanger Adres","Add Account from address":"Account toevoegen van adres","Add Sponsors Delegates":"Voeg Sponsors Afgevaardigden","By using the following forms, you are accepting their":"Door het gebruik van de volgende vormen, gaat u akkoord met hun","Delegate Registration":"Delegate Registratie","Deposit ARK":"borg ARK","Deposit and Withdraw through our partner":"Storten en opnemen via onze partner","Folders":"Mappen","History":"Geschiedenis","If you own this account, you can enable virtual folders. Virtual Folders are simple subaccounts to better organise your money, without needing to send a real transaction and pay a fee.
\n Moreover, this account will move under the \"My Accounts\" list.":"Als u eigenaar van dit account kunt u virtuele mappen in te schakelen. Virtual Folders zijn eenvoudig subaccounts om uw geld beter te organiseren, zonder dat een echte transactie te sturen en een vergoeding betalen.
\nBovendien zal deze account bewegen onder de \"Mijn Accounts\" lijst.","If you own this account, you can enable Voting":"Als u eigenaar van dit account kunt u Voting inschakelen","Maximum:":"Maximaal:","Minimum:":"Minimum:","Next...":"Volgende...","Please login with your account before using this feature":"Gelieve in te loggen met uw account voordat u deze functie","Please report any issue to":"Meld elk probleem op","Receive":"Ontvangen","Refresh":"Verversen","Second Signature Creation":"Tweede Handtekening Creation","Select a coin":"Selecteer een muntstuk","Second passphrase":"Tweede wachtwoord","Status:":"Ttoestand:","Status":"Toestand","Sponsors Page":"Sponsors pagina","Terms and Conditions":"Voorwaarden","They have funded this app so you can use it for free.
\n Vote them to help the development.":"Zij hebben deze app gefinancierd, zodat je het kunt gebruiken voor gratis.
\nStem ze de ontwikkeling te helpen.","Transaction id":"Transactie ID","Valid until":"Geldig tot","Withdraw ARK":"Intrekken ARK","Your email, used to send confirmation":"Uw e-mail, om de bevestiging te sturen","to":"naar"}); + gettextCatalog.setStrings('pl', {"Address":"Adres","Account added!":"Konto dodane!","Amount (Ѧ)":"Kwota (Ѧ)","Add Account":"Dodaj konto","Account deleted!":"Konto usunięte!","Add Delegate":"Dodaj Delegata","Amount":"Kwota","Add":"Dodaj","Approval":"Poparcie","Are you sure?":"Jesteś pewny?","Balance":"Bilans","Ark Client":"Klient Ark","Cancel":"Anuluj","Cannot find delegates from this term:":"Nie można znaleźć delegatów z tego zapytania:","Cannot get sponsors":"Nie można uzyskać sponsorów","Cannot find delegate:":"Nie można znaleźć delegata:","Cannot get transactions":"Nie można uzyskać transakcji","Cannot find delegates on this peer:":"Nie można znaleźć delegatów na tym węźle:","Cannot get voted delegates":"Nie można uzyskać popartych delegatów","Cannot state if account is a delegate":"Nie można stwierdzić czy konto jest delegatem","Change 1h/7h/7d":"Zmień 1h/7h/7d","Create Virtual Folder":"Stwórz wirtualny folder","Create a new virtual folder":"Stwórz nowy wirtualny folder","Close":"Zamknij","Default":"Domyślnie","Date":"Data","Delay":"Opóźnienie","Delegate name":"Nazwa delegata","Delegate":"Delegat","Delete":"Usuń","Delete Account":"Usuń konto","Destination Address":"Adres przeznaczenia","Delete permanently this account":"Usuń to konto permanentnie","Enable Virtual Folders":"Uruchom wirtualne foldery","Error when trying to login:":"Błąd podczas próby logowania:","Enable Votes":"Uruchom głosy","Error:":"Błąd:","Exchange":"Giełda","Fee (Ѧ)":"Prowizja (Ѧ)","Folder Name":"Nazwa folderu","From":"Od","Hand crafted with ❤ by":"Stworzone ręcznie z ❤ przez","Height":"Wysokość","Label":"Etykieta","Label set":"Ustaw etykietę","Language":"Język","Last checked":"Ostatnio sprawdzane","List full or delegate already voted.":"Lista pełna lub wcześniej zagłosowano na delegata.","Login":"Login","Market Cap.":"Kapitalizacja rynkowa","My Accounts":"Moje konta","Network connected and healthy!":"Sieć zdrowa i połączona!","Network disconected!":"Sieć rozłączona!","No difference from original delegate list":"Bez różnic względem oryginalnej listy delegatów","Next":"Następny","No publicKey":"Brak publickey","No search term":"Brak frazy wyszukiwania","Not enough ARK on your account":"Nie wystarczająca kwota ARK na Twoim koncie","Open Delegate Monitor":"Otwórz Monitor Delegatów","Other Accounts":"Inne konta","Passphrase does not match your address":"Passphrase nie zgadza się z Twoim adresem","Passphrase":"Passhprase","Passphrase is not corresponding to account":"Passphrase nie jest powiązane do konta","Peer":"Peer","Please enter a folder name.":"Proszę podać nazwę folderu.","Please enter a new address.":"Proszę podać nowy adres.","Please enter a short label.":"Proszę podać krótką etykietę.","Price":"Cena","Please enter this account passphrase to login.":"Aby się zalogować proszę podać passphrase tego konta","Productivity":"Produktywność","Quit":"Wyjdź","Quit Ark Client?":"Wyjść z klienta Ark?","Rank":"Ranking","Receive Ark":"Otrzymaj Ark","Rename":"Zmień nazwe","Remove":"Usuń","Send":"Wyślij","Second Passphrase":"Druga Passphrase","Send Ark":"Wyślij Ark","Send Ark from":"Wyślij Ark z","Set":"Ustaw","Succesfully Logged In!":"Zalogowano pomyślnie!","The destination address":"Adres przeznaczenia","To":"Do","Transaction":"Transakcja","Transactions":"Transakcje","Type":"Typ","Update vote from":"Zaktualizuj głosy z","Username":"Nazwa użytkownika","Virtual folder added!":"Wirtualny folder dodany!","Vote":"Głosuj","Votes":"Głosy","address":"Adres","is erroneous":"jest błędny","folder name":"Nazwa folderu","is not recognised":"jest nieropoznany","label":"etykieta","missed blocks":"pominięte bloki","now!":"teraz!","passphrase":"passphrase","produced blocks":"wyprodukowane bloki","you need at least 1 ARK to vote":"Potrzebujesz co najmniej 1 ARK do głosowania","sent with success!":"wysłano pomyślnie!","Total Ѧ":"Razem Ѧ","This account has never interacted with the network. This is either:":"To konto nigdy nie było widoczne w sieci. To oznacza:","an inexistant wallet, ie nobody knows the passphrase of this wallet. The ARK are lost":"Nieistniejący portfel, np nikt nie zna passphrase do tego portfela. Te ARK są stracone","an inexistant wallet, ie nobody knows the passphrase of this wallet.":"nieistniejący portfel, nikt nie zna jego passphrase.","a cold wallet, ie the owner of the passphrase has never used it":"tzw. \"cold wallet\", właściciel tego passphrase jeszcze nigdy go nie użył","Details":"Szczegóły","Recipient Address":"Adres Odbiorcy","Add Account from address":"Dodaj konto z adresu","Add Sponsors Delegates":"Dodaj delegatów-sponsorów","Blockchain Application Registration":"Rejestracja aplikacji Blockchain","By using the following forms, you are accepting their":"Używając poniższego formularza akceptujesz ich","Delegate Registration":"Rejestracja delegata","Deposit ARK":"Depozyt ARK","Deposit and Withdraw through our partner":"Depozyty i wypłaty dzięki naszemu partnerowi","Folders":"Foldery","History":"Historia","If you own this account, you can enable virtual folders. Virtual Folders are simple subaccounts to better organise your money, without needing to send a real transaction and pay a fee.
\n Moreover, this account will move under the \"My Accounts\" list.":"Jeśli posiadasz to konto możesz uruchomić wirtualne foldery. Są to proste sub-konta dla lepszej organizacji Twoich pieniędzy, bez potrzeby wysyłania prawdziwej transakcji i płacenia prowizji.
\nPonadto, to konto będzie przeniesione do listy \"Moje konta\".","If you own this account, you can enable Voting":"Jeśli posiadasz to konto możesz uruchomić głosowanie","Maximum:":"Maksimum: ","Minimum:":"Minimum:","Multisignature Creation":"Tworzenie multisygnatur","Next...":"Następny..","Please login with your account before using this feature":"Proszę się zalogować zanim użyjesz tej funkcji","Please report any issue to":"Proszę zgłaszać wszystkie problemy do","Receive":"Otrzymaj","Refresh":"Odśwież","Recepient Address":"Adres odbiorcy","Second Signature Creation":"Stwórz drugą Sygnature","Select a coin":"Wybierz monetę","Second passphrase":"Druga passphrase","Status:":"Status:","Status":"Status","Sponsors Page":"Strona sponsorów","Terms and Conditions":"Zasady i regulaminy","They have funded this app so you can use it for free.
\n Vote them to help the development.":"Oni ufundowali tę aplikację dlatego możesz jej używać za darmo.
\nOddaj na nich swój głos aby wesprzeć rozwój.","Transaction id":"ID transakcji","Transfer Ark from Blockchain Application":"Transferuj ARK z Aplikacji Blockchain","Transfer Ark to Blockchain Application":"Transferuj ARK do Aplikacji Blockchain","Valid until":"Ważne do","Withdraw ARK":"Wypłać ARK","Your email, used to send confirmation":"Twój e-mail potrzebny do wysłania potwierdzenia","to":"do"}); + gettextCatalog.setStrings('pt_BR', {"Address":"Endereço","Account added!":"Conta adicionada!","Amount (Ѧ)":"Quantidade (Ѧ)","Add Account":"Adicionar Conta","Account deleted!":"Conta deletada!","Add Delegate":"Adicionar Delegado","Amount":"Quantidade","Add":"Adicionar","Approval":"Aprovação","Are you sure?":"Você tem certeza?","Balance":"Balanço","Ark Client":"Cliente Ark","Cancel":"Cancelar","Cannot find delegates from this term:":"Não é possível encontrar delegados a partir deste termo:","Cannot get sponsors":"Não é possível obter a lista de patrocinadores","Cannot find delegate:":"Não é possível encontrar delegado:","Cannot get transactions":"Não é possível obter a lista de transações","Cannot find delegates on this peer:":"Não é possível encontrar delegados nesse peer:","Cannot get voted delegates":"Não é possível obter a lista de delegados votados","Cannot state if account is a delegate":"Não se pode afirmar que a conta é um delegado","Change 1h/7h/7d":"Alterar 1h/7h/7d","Create Virtual Folder":"Criar Pasta Virtual","Create a new virtual folder":"Criar uma nova pasta virtual","Close":"Fechar","Default":"Padrão","Date":"Data","Delay":"Delay","Delegate name":"Nome do delegado","Delegate":"Delegado","Delete":"Delete","Delete Account":"Deletar Conta","Destination Address":"Endereço de destino","Delete permanently this account":"Delete permanentemente esta conta.","Enable Virtual Folders":"Habilitar pastas virtuais","Error when trying to login:":"Erro ao tentar logar:","Enable Votes":"Habilitar votos","Error:":"Erro:","Exchange":"Troca","Fee (Ѧ)":"Taxa (Ѧ)","Folder Name":"Nome da pasta","From":"A partir de","Hand crafted with ❤ by":"Produzida à mão com ❤ por","Height":"Altura","Label":"Etiqueta","Label set":"Conjunto de etiquetas","Language":"Língua","Last checked":"Última verificação","List full or delegate already voted.":"Lista completa ou delegado já votado.","Login":"Login","Market Cap.":"Valor de mercado","My Accounts":"Minhas contas","Network connected and healthy!":"Rede conectada e saudável!","Network disconected!":"Rede desconectada!","No difference from original delegate list":"Nenhuma diferença da lista delegados original.","Next":"Próximo","No publicKey":"Nenhuma chave pública","No search term":"Nenhum termo de pesquisa","Not enough ARK on your account":"Não há ARK suficiente em sua conta","Open Delegate Monitor":"Abra o Monitor de Delegado","Other Accounts":"Outras contas","Passphrase does not match your address":"Frase secreta não coincide com o seu endereço","Passphrase":"Frase secreta","Passphrase is not corresponding to account":"Frase secreta não é correspondente à conta","Peer":"Peer","Please enter a folder name.":"Por favor, insira um nome de pasta.","Please enter a new address.":"Por favor, insira um novo endereço.","Please enter a short label.":"Por favor, insira um rótulo curto.","Price":"Preço","Please enter this account passphrase to login.":"Por favor, insira a frase secreta desta conta para logar.","Productivity":"Produtividade","Quit":"Sair","Quit Ark Client?":"Sair do Cliente Ark?","Rank":"Rank","Receive Ark":"Receber Ark","Rename":"Renomear","Remove":"Remover","Send":"Enviar","Second Passphrase":"Segunda frase secreta","Send Ark":"Enviar Ark","Send Ark from":"Enviar Ark de","Set":"Conjunto","Succesfully Logged In!":"Logado com sucesso!","The destination address":"Endereço de destino","To":"Para","Transaction":"Transação","Transactions":"Transações","Type":"Tipo","Update vote from":"Atualize o voto de","Username":"Username","Virtual folder added!":"Pasta virtual adicionada!","Vote":"Voto","Votes":"Votos","address":"endereço","is erroneous":"está errado","folder name":"nome da pasta","is not recognised":"não é reconhecido","label":"rótulo","missed blocks":"blocos perdidos","now!":"agora!","passphrase":"frase secreta","produced blocks":"blocos produzidos","you need at least 1 ARK to vote":"você precisa de pelo menos 1 ARK para votar","sent with success!":"enviado com sucesso!","Total Ѧ":"Total Ѧ","This account has never interacted with the network. This is either:":"Essa conta nunca interagiu com a rede. Isto é:","an inexistant wallet, ie nobody knows the passphrase of this wallet. The ARK are lost":"Uma wallet inexistente, ou seja, ninguém sabe a frase secreta da wallet. Os ARK estão perdidos","an inexistant wallet, ie nobody knows the passphrase of this wallet.":"Uma wallet inexistente, ou seja, ninguém sabe a frase secreta da wallet.","a cold wallet, ie the owner of the passphrase has never used it":"Uma cold wallet, ou seja, o proprietário da senha nunca a usou.","Details":"Detalhes","Recipient Address":"Endereço do remetente","Add Account from address":"Adicionar Conta a partir do endereço","Add Sponsors Delegates":"Adicionar Delegados Patrocinadores","Blockchain Application Registration":"Registro de Aplicação Blockchain","By using the following forms, you are accepting their":"Ao usar os seguintes formulários, você está aceitando seus","Delegate Registration":"Registro de Delegado","Deposit ARK":"Depositar ARK","Deposit and Withdraw through our partner":"Depositar e Sacar através do nosso parceiro","Folders":"Pastas","History":"Histórico","If you own this account, you can enable virtual folders. Virtual Folders are simple subaccounts to better organise your money, without needing to send a real transaction and pay a fee.
\n Moreover, this account will move under the \"My Accounts\" list.":"Se você possui esta conta, você pode habilitar pastas virtuais. Pastas virtuais são subcontas simples para organizar melhor o seu dinheiro, sem a necessidade de enviar uma transação real e pagar uma taxa.
\nAlém disso, essa conta vai ser incluída na lista \"Minhas contas\".","If you own this account, you can enable Voting":"Se você possui esta conta, você pode habilitar a votação","Maximum:":"Máximo","Minimum:":"Mínimo","Multisignature Creation":"Criação de Multi-assinatura","Next...":"Próximo...","Please login with your account before using this feature":"Por favor, faça o login com a sua conta antes de usar este recurso","Please report any issue to":"Por favor, reporte qualquer problema para","Receive":"Receber","Refresh":"Refresh","Recepient Address":"Endereço de destino","Second Signature Creation":"Criação de segunda assinatura","Select a coin":"Selecione uma moeda","Second passphrase":"Segunda frase secreta","Status:":"Status:","Status":"Status","Sponsors Page":"Página de Patrocinadores.","Terms and Conditions":"Termos e Condições","They have funded this app so you can use it for free.
\n Vote them to help the development.":"Eles financiaram este aplicativo para que você possa usá-lo gratuitamente.
\nVote neles para ajudar o desenvolvimento.","Transaction id":"Id da transação","Transfer Ark from Blockchain Application":"Transferir Ark de Aplicação Blockchain","Transfer Ark to Blockchain Application":"Transferir Ark para Aplicação Blockchain","Valid until":"Válido até","Withdraw ARK":"Sacar ARK","Your email, used to send confirmation":"Seu e-mail, usado para enviar a confirmação","to":"Para"}); + gettextCatalog.setStrings('ro', {"Address":"Adresa","Account added!":"Cont adaugat!","Add Account":"Adauga Cont","Account deleted!":"Cont sters!","Add Delegate":"Adauga Delegat","Amount":"Suma","Add":"Adauga","Approval":"Accept","Are you sure?":"Esti sigur?","Balance":"Sold","Cancel":"Anuleaza","Cannot find delegates from this term:":"Nu se pot gasi delegati plecand de la acest termen:","Cannot get sponsors":"Nu se pot gasi sponsori","Cannot find delegate:":"Nu se poate gasi delegatul:","Cannot get transactions":"Nu se pot gasi tranzactii","Cannot find delegates on this peer:":"Nu se pot gasi delagati in aceast peer:","Cannot get voted delegates":"Nu se pot gasi delegați votati","Cannot state if account is a delegate":"Nu se poate stabili dacă contul este un delegat","Change 1h/7h/7d":"Schimba 1h/7h/7d","Create Virtual Folder":"Creeaza Dosar Virtual","Create a new virtual folder":"Creeaza un Dosar Virtual nou","Close":"Inchide","Default":"Mod implicit","Date":"Data","Delay":"Intarzaiere","Delegate name":"Nume Delegat","Delegate":"Delegat","Delete":"Sterge","Delete Account":"Sterge Cont","Destination Address":"Adresa de Destinatie","Delete permanently this account":"Sterge permanent acest Cont","Enable Virtual Folders":"Activeaza Dosarele Virtuale","Error when trying to login:":"Eroare la incercarea de autentificare:","Enable Votes":"Activeaza Voturi","Error:":"Eroare:","Exchange":"Schimb Valutar","Fee (Ѧ)":"taxa (Ѧ)","Folder Name":"Nume Dosar","From":"De la","Hand crafted with ❤ by":"Hand crafted cu ❤ de","Height":"Inaltime","Label":"Eticheta","Label set":"Seteaza Eticheta","Language":"Limba","Last checked":"Ultima verificare","List full or delegate already voted.":"Lista plina sau delegat deja votat.","Login":"Logare","My Accounts":"Conturile mele","Network connected and healthy!":"Rețea conectată și funcțională!","Network disconected!":"Retea deconectata!","No difference from original delegate list":"Nici o diferenta fata de lista originala de delegati","Next":"Urmatorul","No publicKey":"Nici o cheie publică","No search term":"Nici un termen de cautare","Open Delegate Monitor":"Deschide Monitorizare Delegati","Other Accounts":"Alte Conturi","Passphrase does not match your address":"Parola nu se potriveste cu adresa","Passphrase":"Parola","Passphrase is not corresponding to account":"Parola nu corespunde contului","Please enter a folder name.":"Va rugam sa introduceti un nume de dosar","Please enter a new address.":"Vă rugăm să introduceți o nouă adresă.","Please enter a short label.":"Vă rugăm să introduceți o scurtă denumire.","Price":"Pret","Please enter this account passphrase to login.":"Va rugam introduceti parola acestui cont pentru logare.","Productivity":"Productivitate","Quit":"Inchide","Rank":"Poziţie","Rename":"Redenumire","Remove":"Elimina","Send":"Trimite","Second Passphrase":"A doua parola","Send Ark":"Trimite Ark","Send Ark from":"Trimite Ark de la","Set":"Seteaza","Succesfully Logged In!":"Autentificat cu succes!","The destination address":"Adresa de Destinatie","To":"Catre","Transaction":"Tranzactie","Transactions":"Tranzactii","Type":"Categorie","Update vote from":"Actualizare vot din","Username":"Nume de Utilizator","Virtual folder added!":"Dosar Virtual adaugat!","Vote":"Voteaza","Votes":"Voturi","address":"adresa","is erroneous":"este eronat","folder name":"numele dosarului","is not recognised":"nu este recunoscut","label":"eticheta","missed blocks":"blocuri pierdute","now!":"acum!","passphrase":"parola","produced blocks":"blocuri produse","you need at least 1 ARK to vote":"aveti nevoie de minim 1 ARK pentru a vota","sent with success!":"trimis cu succes!","Total Ѧ":"Total Ѧ","This account has never interacted with the network. This is either:":"Acest cont nu a interactionat cu reteaua niciodata.\nDin cauza:","an inexistant wallet, ie nobody knows the passphrase of this wallet. The ARK are lost":"un portofel inexistent, adică nimeni nu știe cuvintele cheie ale acestui portofel. monedele ARK sunt pierdute","an inexistant wallet, ie nobody knows the passphrase of this wallet.":"un portofel inexistent: nimeni nu stie poarola acestui portofel.","a cold wallet, ie the owner of the passphrase has never used it":"un cold wallet: detinatorul parolei nu a folosit-o nicioadata","Details":"Detalii","Recipient Address":"Adresa destinatarului","Add Account from address":"Adauga Cont de la adresa","Add Sponsors Delegates":"Adauga Delegat-Sponsor","Blockchain Application Registration":"Inregistrare Aplicatie Blockchain","By using the following forms, you are accepting their":"Prin utilizarea următoarelor formulare, acceptați","Delegate Registration":"Inregistrare Delegat","Deposit and Withdraw through our partner":"Depune si retrage prin partenerul nostru","Folders":"Dosare","History":"Istoric","If you own this account, you can enable virtual folders. Virtual Folders are simple subaccounts to better organise your money, without needing to send a real transaction and pay a fee.
\n Moreover, this account will move under the \"My Accounts\" list.":"Daca detii acest cont, poti activa dosarele virtuale. Dosarele Virtuale sunt simple subconturi pentru o organizare mai buna a banilor tai, fara a fi nevoit sa trimiti o tranzactie si sa platesti o taxa.
Mai mult decat atat, acest cont se va muta in lista \"Conturile mele\".","If you own this account, you can enable Voting":"Daca detii acest cont, poti activa votarea","Maximum:":"Maxim:","Minimum:":"Minim:","Multisignature Creation":"Creare SemnaturaMultipla","Next...":"Urmatorul...","Please login with your account before using this feature":"Vă rugăm să va logati in contul dvs. inainte de a utiliza această funcție","Please report any issue to":"Vă rugăm să raportați orice problemă la","Receive":"Primeste","Recepient Address":"Adresa Destinatarului","Second Signature Creation":"Crearea a doua semnătură","Select a coin":"Selecteaza o moneda","Second passphrase":"A doua parola","Status:":"Stare:","Status":"Stare","Sponsors Page":"Pagina Sponsorilor","Terms and Conditions":"Termenii si Conditiile","They have funded this app so you can use it for free.
\n Vote them to help the development.":"Au finanțat această aplicație, astfel încât să o puteți folosi gratuit.
\nVoteaza-i pentru a ajuta dezvoltarea !","Transaction id":"id Tranzactie","Transfer Ark from Blockchain Application":"Transfera Ark de la Aplicatia Blockchain","Transfer Ark to Blockchain Application":"Transfera Ark la Aplicatia Blockchain","Valid until":"Valid pana la","Your email, used to send confirmation":"Email-ul tau pentru confirmare","to":"catre"}); + gettextCatalog.setStrings('ru', {"Address":"Адрес","Account added!":"Аккаунт добавлен!","Amount (Ѧ)":"Количество (Ѧ)","Add Account":"Добавить Аккаунт","Account deleted!":"Аккаунт удалён!","Add Delegate":"Добавить Делегата","Amount":"Количество","Add":"Добавить","Are you sure?":"Вы уверены?","Balance":"Баланс","Ark Client":"Клиент Ark","Cancel":"Отмена","Cannot find delegates from this term:":"Не можете найти делегатов от этого термина:","Cannot get sponsors":"Не удается получить спонсоров","Cannot find delegate:":"Не возможно найти делегата:","Cannot get transactions":"Невозможно получить транзакцию","Change 1h/7h/7d":"Изменение 1ч / 7ч / 7д","Create Virtual Folder":"Создать виртуальную папку","Create a new virtual folder":"Создать новую виртуальную папку","Close":"Закрыть","Default":"По умолчанию","Date":"Дата","Delay":"Задержка","Delegate name":"Имя Делегата","Delegate":"Делегат","Delete":"Удалить","Delete Account":"Удалить Аккаунт","Destination Address":"Адрес Назначения","Delete permanently this account":"Удалить навсегда эту учетную запись","Enable Virtual Folders":"Включить Виртуальные Папки","Error when trying to login:":"Ошибка при попытке авторизации:","Error:":"Ошибка:","Exchange":"Обмен","Fee (Ѧ)":"Комиссия (Ѧ)\n","Folder Name":"Имя Папки","From":"Отправитель","Hand crafted with ❤ by":"Сделано с ❤","Height":"Высота","Label":"Метка","Language":"Язык","Last checked":"Последняя проверка","List full or delegate already voted.":"Список полон или делегат уже выбран.","Login":"Вход","Market Cap.":"Капитализация","My Accounts":"Мои Аккаунты","Network connected and healthy!":"Соединение установлено!","Network disconected!":"Соединение прервано!","No difference from original delegate list":"Нет отличий от оригинального списка делегатов","Next":"Далее","No publicKey":"Отсутствует Публичный ключ","Not enough ARK on your account":"Не хватает ARK на вашем счету","Open Delegate Monitor":"Открыть монитор делегатов","Other Accounts":"Прочие аккаунты","Passphrase does not match your address":"Секретная фраза не совпадает с адресом","Passphrase":"Секретная фраза","Passphrase is not corresponding to account":"Секретная фраза не соответствует счету","Please enter a folder name.":"Введите имя папки.","Please enter a new address.":"Введите новый адрес.","Please enter a short label.":"Введите метку.","Price":"Цена","Please enter this account passphrase to login.":"Пожалуйста, введите вашу секретную фразу для входа.","Productivity":"Производительность","Quit":"Выход","Quit Ark Client?":"Завершить клиент Ark?","Receive Ark":"Получить Ark","Rename":"Переименовать","Remove":"Удалить","Send":"Отправить","Second Passphrase":"Дополнительный пароль","Send Ark":"Отправить Ark","Send Ark from":"Отправить Ark из","Set":"Установить","Succesfully Logged In!":"Авторизация прошла успешно!","The destination address":"Адрес получателя","Transaction":"Транзакция","Transactions":"Транзакции","Type":"Тип","Username":"Имя пользователя","Virtual folder added!":"Виртуальная папка добавлена!","Vote":"Голос","Votes":"Голоса","address":"адрес","is erroneous":"ошибочно","folder name":"имя папки","is not recognised":"не признается","label":"метка","missed blocks":"пропущено блоков","now!":"сейчас!","passphrase":"секретная фраза","you need at least 1 ARK to vote":"Для голосования необходимо иметь хотя бы 1ARK","sent with success!":"отправлено успешно!","Total Ѧ":"Всего Ѧ","This account has never interacted with the network. This is either:":"Этот аккаунт никогда не взаимодействовал с сетью. Возможные варианты:","an inexistant wallet, ie nobody knows the passphrase of this wallet. The ARK are lost":"несуществующий кошелек или никто не знает кодовую фразу кошелька. Арки потеряны","an inexistant wallet, ie nobody knows the passphrase of this wallet.":"несуществующий кошелек или никто не знает кодовую фразу кошелька.","a cold wallet, ie the owner of the passphrase has never used it":"холодный бумажник, то есть владелец секретной фразы никогда не использовал его","Details":"Подробности","Recipient Address":"Адрес Получателя","Add Account from address":"Добавить учетную запись из адреса","Add Sponsors Delegates":"Добавить делегатов-спонсоров","Blockchain Application Registration":"Регистрация блокчейн-приложения","By using the following forms, you are accepting their":"Используя следующие формы, Вы принимаете, что","Delegate Registration":"Регистрация Делегата","Deposit ARK":"Внести ARK","Deposit and Withdraw through our partner":"Пополнение и снятие через нашего партнера","Folders":"Папки","History":"История","If you own this account, you can enable virtual folders. Virtual Folders are simple subaccounts to better organise your money, without needing to send a real transaction and pay a fee.
\n Moreover, this account will move under the \"My Accounts\" list.":"Если вы являетесь владельцем этой учетной записи, вы можете включить виртуальные папки. Виртуальные папки представляют собой простые субсчета, чтобы лучше организовать свои деньги, без необходимости отправлять реальную транзакцию и платить комиссию.
\nБолее того, этот счет будет двигаться по списку \"Мои счета\".","If you own this account, you can enable Voting":"Если этот аккаунт принадлежит вам можно включить режим голосования","Maximum:":"Максимум:","Minimum:":"Минимум:","Multisignature Creation":"Создание Мультиподписи","Next...":"Далее...","Please login with your account before using this feature":"Пожалуйста, войдите в свою учетной запись, прежде чем использовать эту функцию","Please report any issue to":"Пожалуйста, сообщайте о любых проблемах","Receive":"Получить","Refresh":"Обновить","Recepient Address":"Адрес получателя","Second Signature Creation":"Создание второй подписи","Select a coin":"Выберите валюту","Second passphrase":"Вторая кодовая фраза","Status:":"Статус:","Status":"Статус","Sponsors Page":"Спонсоры","Terms and Conditions":"Условия и положения","They have funded this app so you can use it for free.
\n Vote them to help the development.":"Они финансировали это приложение, так что вы можете использовать его бесплатно.
\nПроголосуйте за них, чтобы помочь развитию.","Transaction id":"ID Транзакции","Valid until":"Годен до","Withdraw ARK":"Вывести ARK"}); + gettextCatalog.setStrings('sl', {"Address":"Naslov","Account added!":"Račun dodan!","Amount (Ѧ)":"Znesek (Ѧ)","Add Account":"Dodaj račun","Account deleted!":"Račun izbrisan!","Add Delegate":"Dodaj delegata","Amount":"Znesek","Add":"Dodaj","Approval":"Podpora","Are you sure?":"Ali ste prepričani?","Balance":"Stanje","Ark Client":"ARK klient","Cancel":"Prekliči","Cannot find delegates from this term:":"Ne morem najdi delegatov s tem iskalnim nizom:","Cannot get sponsors":"Ne morem dobiti sponzorjev","Cannot find delegate:":"Ne morem najti delegata:","Cannot get transactions":"Ne morem pridobiti transakcij","Cannot find delegates on this peer:":"Ne morem najdi delegatov na tem odjemalcu:","Cannot get voted delegates":"Ne morem pridobiti glasovanih delegatov","Cannot state if account is a delegate":"Ne morem predvideti, če je račun delegat","Change 1h/7h/7d":"Spremeni 1h/7h/7d","Create Virtual Folder":"Ustvari virtualno mapo","Create a new virtual folder":"Ustvari novo virtualno mapo","Close":"Zapri","Default":"Privzeto","Date":"Datum","Delay":"Zakasnitev","Delegate name":"Ime delegata","Delegate":"Delegat","Delete":"Izbriši","Delete Account":"Izbriši račun","Destination Address":"Ciljni naslov","Delete permanently this account":"Za vedno izbriši ta račun","Enable Virtual Folders":"Omogoči virtualne mape","Error when trying to login:":"Napaka pri prijavi:","Enable Votes":"Omogoči glasove","Error:":"Napaka","Exchange":"Izmenjava","Fee (Ѧ)":"Strošek (Ѧ)","Folder Name":"Ime mape","From":"Od","Hand crafted with ❤ by":"Ustvaril z ❤","Height":"Višina","Label":"Oznaka","Label set":"Oznakovni nabor","Language":"Jezik","Last checked":"Nazadnje preverjeno","List full or delegate already voted.":"Seznam poln ali pa ste za tega delegata že glasovali.","Login":"Prijava","Market Cap.":"Tržna vrednost","My Accounts":"Moji Računi","Network connected and healthy!":"Povezava z omrežje zdrava in vzpostavljena!","Network disconected!":"Povezava z omrežjem izgubljena!","No difference from original delegate list":"Ni razlike z obstoječim seznamom delegatov","Next":"Naprej","No publicKey":"no publicKey (ni javnega ključa)","No search term":"Ni iskalnega niza","Not enough ARK on your account":"V vašem računu ni dovolj ARK-ov.","Open Delegate Monitor":"Odpri delegatni brskalnik","Other Accounts":"Ostali računi","Passphrase does not match your address":"Geslo se ne ujema s tvojim naslovom","Passphrase":"Geslo","Passphrase is not corresponding to account":"Geslo se ne ujema s tem računom","Peer":"Klient","Please enter a folder name.":"Vnesite ime mape.","Please enter a new address.":"Prosimo, vnesite nov naslov","Please enter a short label.":"Vnesite kratko oznako.","Price":"Cena","Please enter this account passphrase to login.":"Prosimo vnesite geslo tega računa za prijavo","Productivity":"Produktivnost","Quit":"Izhod","Quit Ark Client?":"Izhod iz ARK denarnice?","Rank":"Mesto","Receive Ark":"Prejmi ARK","Rename":"Preimenuj","Remove":"Odstrani","Send":"Pošlji","Second Passphrase":"Dodatno geslo","Send Ark":"Pošlji ARK","Send Ark from":"Pošlji ark iz","Set":"Nastavi","Succesfully Logged In!":"Uspešna prijava!","The destination address":"Ciljni naslov","To":"Za","Transaction":"Transakcija","Transactions":"Transakcije","Type":"Tip","Update vote from":"Posodobi glas od","Username":"Uporabniško ime","Virtual folder added!":"Virtualna mapa dodana!","Vote":"Glasuj","Votes":"Glasovi","address":"naslov","is erroneous":"je napačen","folder name":"ime mape","is not recognised":"ni prepoznan","label":"oznaka","missed blocks":"zgrešeni bloki","now!":"sedaj!","passphrase":"geslo","produced blocks":"ustvarjeni bloki","you need at least 1 ARK to vote":"Potrebuješ vsaj 1 ARK za glasovanje","sent with success!":"uspešno poslano!","Total Ѧ":"Skupaj (Ѧ)","This account has never interacted with the network. This is either:":"Ta račun še ni bil nikoli uporabljen na omrežju. Možni razlogi:","an inexistant wallet, ie nobody knows the passphrase of this wallet. The ARK are lost":"neobstoječa denarnica - nihče ne pozna gesla do tega računa.","an inexistant wallet, ie nobody knows the passphrase of this wallet.":"neobstoječa denarnica - nihče ne pozna gesla do tega računa.","a cold wallet, ie the owner of the passphrase has never used it":"\"hladna denarnica\" - lastnik je še ni nikoli uporabil.","Details":"Podrobnosti","Recipient Address":"Naslov prejemnika","Add Account from address":"Dodaj račun iz naslova","Add Sponsors Delegates":"Dodaj sponzorske delegate","Blockchain Application Registration":"Registracija blockchain aplikacij","By using the following forms, you are accepting their":"Z uporabo naslednjih form se strinjaš z njenimi","Delegate Registration":"Registracija delegata","Deposit ARK":"Položi ARK","Deposit and Withdraw through our partner":"Položi in dvigni preko našega partnerja","Folders":"Mape","History":"Zgodovina","If you own this account, you can enable virtual folders. Virtual Folders are simple subaccounts to better organise your money, without needing to send a real transaction and pay a fee.
\n Moreover, this account will move under the \"My Accounts\" list.":"Če si lastnik tega računa lahko omogočiš virtualne mape. Virtualne mape so preprosti podračuni za boljšo organizacijo vašega denarja (pri tem ni potrebna sprožitev prave transakcije).
Ta račun se bo pojavil tudi med \"Moji Računi\".","If you own this account, you can enable Voting":"Če si lastnik tega računa lahko omogočiš glasovanje","Maximum:":"Največ:","Minimum:":"Najmanj:","Multisignature Creation":"Ustvarjanje dodatnih gesel","Next...":"Naprej...","Please login with your account before using this feature":"Prosim prijavi se s svojim računom pred uporabo te funkcije","Please report any issue to":"Prosimo, da poročate o kakršnih koli težavah na","Receive":"Prejmi","Refresh":"Osveži","Recepient Address":"Naslov prejemnika","Second Signature Creation":"Usvaritev dodatnega gesla","Select a coin":"Izberi valuto","Second passphrase":"Drugo geslo","Status:":"Status:","Status":"Status","Sponsors Page":"Stran sponzorjev","Terms and Conditions":"Pogoji in pravila","They have funded this app so you can use it for free.
\n Vote them to help the development.":"Donirali so za razvoj te aplikacije tako, da jo lahko uporabljate brezplačno.
\nGlasujte za njih za pomoč pri razvoju.","Transaction id":"ID transakcije","Transfer Ark from Blockchain Application":"Prenesi ARK iz blockchain aplikacije","Transfer Ark to Blockchain Application":"Prenesi ARK v blockchain aplikacijo","Valid until":"Veljavno do","Withdraw ARK":"Dvigni ARK","Your email, used to send confirmation":"Vaš email za pošiljanje potrditve","to":"za"}); + gettextCatalog.setStrings('tr', {"Total Ѧ":"toplam","This account has never interacted with the network. This is either:":"bu hesap network ile hic baglantiya girmemistir.","Details":"detailar","Deposit ARK":"Depozit ARK","Folders":"dosya","History":"Tarif","Maximum:":"maksimum:","Minimum:":"Asgari:","Receive":"Al"}); + gettextCatalog.setStrings('zh_CN', {"Address":"地址","Account added!":"帐户已添加!","Amount (Ѧ)":"合计 (Ѧ)","Add Account":"添加账户","Account deleted!":"帐户已删除!","Add Delegate":"添加受托人","Amount":"合计","Add":"添加","Approval":"批准","Are you sure?":"你确定?","Balance":"余额","Ark Client":"Ark客户端","Cancel":"取消","Cannot find delegates from this term:":"在此项目上找不到受托人:","Cannot get sponsors":"无法得到赞助","Cannot find delegate:":"找不到受托人:","Cannot get transactions":"无法获取交易","Cannot find delegates on this peer:":"在此对等设备上找不到受托人:","Cannot get voted delegates":"无法获得已投票受托人","Cannot state if account is a delegate":"Cannot state if account is a delegate","Change 1h/7h/7d":"涨幅 1h/7h/7d","Create Virtual Folder":"创建虚拟文件夹","Create a new virtual folder":"创建一个虚拟文件夹","Close":"关闭","Default":"默认","Date":"日期","Delay":"延迟","Delegate name":"委托人名称","Delegate":"委托人","Delete":"删除","Delete Account":"删除账户","Destination Address":"目标地址","Delete permanently this account":"永久删除此帐户","Enable Virtual Folders":"启用虚拟文件夹","Error when trying to login:":"尝试登录时出错:","Enable Votes":"启用投票","Error:":"错误","Exchange":"交换","Fee (Ѧ)":"费用(Ѧ)","Folder Name":"文件夹名称","From":"从","Hand crafted with ❤ by":"手工制作❤由","Height":"高度","Label":"标签","Label set":"设置标签","Language":"语言","Last checked":"上次检查","List full or delegate already voted.":"列出已投票的所有受托人。","Login":"登录","Market Cap.":"市值","My Accounts":"我的帐户","Network connected and healthy!":"网络健康连接!","Network disconected!":"网络断开连接!","No difference from original delegate list":"与原受托人列表无差别","Next":"Next","No publicKey":"没有公钥","No search term":"没有搜索字词","Not enough ARK on your account":"您的账户没有足够的ARK","Open Delegate Monitor":"打开受托人监视器","Other Accounts":"其他账户","Passphrase does not match your address":"主密码与您的地址不符","Passphrase":"主密码","Passphrase is not corresponding to account":"主密码与账户不对应","Peer":"Peer","Please enter a folder name.":"请输入文件夹名称。","Please enter a new address.":"请输入新地址。","Please enter a short label.":"请输入短标签。","Price":"行情","Please enter this account passphrase to login.":"请输入此帐户主密码以登录。","Productivity":"生产率","Quit":"退出","Quit Ark Client?":"退出ARK客户端?","Rank":"排名","Receive Ark":"接收ARK","Rename":"重命名","Remove":"撤除","Send":"发送","Second Passphrase":"二级密码","Send Ark":"发送Ark","Send Ark from":"发送Ark从","Set":"设置","Succesfully Logged In!":"成功登录!","The destination address":"目标地址","To":"To","Transaction":"交易","Transactions":"交易","Type":"类型","Update vote from":"更新投票从","Username":"用户名","Virtual folder added!":"虚拟文件夹已添加!","Vote":"投票","Votes":"投票","address":"地址","is erroneous":"是错误的","folder name":"文件夾名稱","is not recognised":"无法识别","label":"标签","missed blocks":"错过块","now!":"现在!","passphrase":"主密码","produced blocks":"生产块","you need at least 1 ARK to vote":"您需要至少1 ARK投票","sent with success!":"发送成功!","Total Ѧ":"总计Ѧ","This account has never interacted with the network. This is either:":"此帐户从未与网络进行过互动. 这是:","an inexistant wallet, ie nobody knows the passphrase of this wallet. The ARK are lost":"一个不存在的钱包,即没有人知道这个钱包的密码。 ARK丢失","an inexistant wallet, ie nobody knows the passphrase of this wallet.":"一个不存在的钱包,即没有人知道这个钱包的密码。","a cold wallet, ie the owner of the passphrase has never used it":"一个冷钱包,即密码的所有者从来没有使用它","Details":"明细","Recipient Address":"接收地址","Add Account from address":"用地址添加帐户","Add Sponsors Delegates":"添加受托人","Blockchain Application Registration":"区块链应用注册","By using the following forms, you are accepting their":"通过使用以下表单,您将接受他们","Delegate Registration":"注册受托人","Deposit ARK":"存入ARK","Deposit and Withdraw through our partner":"通过我们的合作伙伴存款和提款","Folders":"文件夹","History":"历史","If you own this account, you can enable virtual folders. Virtual Folders are simple subaccounts to better organise your money, without needing to send a real transaction and pay a fee.
\n Moreover, this account will move under the \"My Accounts\" list.":"如果您拥有此帐户,则可以启用虚拟文件夹。 虚拟文件夹是简单的子帐户,以更好地组织您的资产,而不需要发送真实交易和支付费用。
\n此外,此帐户将移动到“我的帐户”列表下","If you own this account, you can enable Voting":"如果您拥有此帐户,则可以启用投票","Maximum:":"最大值:","Minimum:":"最低:","Multisignature Creation":"创建多重签名","Next...":"Next...","Please login with your account before using this feature":"请先登录您的帐户,然后再使用此功能","Please report any issue to":"请报告任何问题","Receive":"接收","Refresh":"刷新","Recepient Address":"接收地址","Second Signature Creation":"创建第二签名","Select a coin":"选择硬币","Second passphrase":"二级密码","Status:":"状态:","Status":"状态","Sponsors Page":"赞助商页面","Terms and Conditions":"Terms and Conditions","They have funded this app so you can use it for free.
\n Vote them to help the development.":"他们已经资助这个程序,所以你可以免费使用它。
\n投票他们帮助发展。","Transaction id":"事务ID","Transfer Ark from Blockchain Application":"从区块链应用程序转送ARK","Transfer Ark to Blockchain Application":"将ARK转送到区块链应用程序","Valid until":"有效期至","Withdraw ARK":"提取ARK","Your email, used to send confirmation":"您的电子邮件,用于发送确认","to":"to"}); + gettextCatalog.setStrings('zh_TW', {"Address":"地址","Account added!":"帳戶已添加!","Amount (Ѧ)":"合計 (Ѧ)","Add Account":"添加帳戶","Account deleted!":"帳戶已刪除!","Add Delegate":"添加受託人","Amount":"合計","Add":"添加","Approval":"批准","Are you sure?":"你確定?","Balance":"结余","Ark Client":"ARK客戶端","Cancel":"取消","Cannot find delegates from this term:":"在此项目上找不到受託人:","Cannot get sponsors":"無法得到贊助","Cannot find delegate:":"找不到受託人:","Cannot get transactions":"無法獲取交易","Cannot find delegates on this peer:":"在此對等設備上找不到受託人:","Cannot get voted delegates":"無法獲得已投票受託人","Cannot state if account is a delegate":"無法帳戶是否為受託人","Change 1h/7h/7d":"漲幅 1h/7h/7d","Create Virtual Folder":"創建虛擬文件夾","Create a new virtual folder":"創建一个虛擬文件夾","Close":"關閉","Default":"默認","Date":"日期","Delay":"延遲","Delegate name":"受託人名稱","Delegate":"受託人","Delete":"刪除","Delete Account":"刪除賬戶","Destination Address":"目標地址","Delete permanently this account":"永久刪除此帳戶","Enable Virtual Folders":"啟用虛擬文件夾","Error when trying to login:":"嘗試登錄時出錯:","Enable Votes":"啟用投票","Error:":"錯誤","Exchange":"交換","Fee (Ѧ)":"費用(Ѧ)","Folder Name":"文件夾名稱","From":"從","Hand crafted with ❤ by":"手工製作❤由","Height":"高度","Label":"標籤","Label set":"設置標籤","Language":"語言","Last checked":"上次檢查","List full or delegate already voted.":"列出已投票的所有受託人。","Login":"登錄","Market Cap.":"市值","My Accounts":"我的帳戶","Network connected and healthy!":"網絡健康連接!","Network disconected!":"網絡斷開連接!","No difference from original delegate list":"與原受託人列表無差別","Next":"Next","No publicKey":"沒有公鑰","No search term":"沒有搜索字詞","Not enough ARK on your account":"您的賬戶沒有足夠的ARK","Open Delegate Monitor":"打開受託人監視器","Other Accounts":"其他賬戶","Passphrase does not match your address":"主密碼與您的地址不符","Passphrase":"主密碼","Passphrase is not corresponding to account":"主密碼與帳戶不對應","Peer":"Peer","Please enter a folder name.":"請輸入文件夾名稱。","Please enter a new address.":"請輸入新地址。","Please enter a short label.":"請輸入短標籤。","Price":"行情","Please enter this account passphrase to login.":"請輸入此帳戶主密碼以登錄。","Productivity":"生產率","Quit":"退出","Quit Ark Client?":"退出ARK客戶端?","Rank":"排名","Receive Ark":"接收ARK","Rename":"重命名","Remove":"撤除","Send":"發送","Second Passphrase":"二級密碼","Send Ark":"發送Ark","Send Ark from":"設置","Set":"設置","Succesfully Logged In!":"成功登錄!","The destination address":"目標地址","To":"To","Transaction":"交易","Transactions":"交易","Type":"類型","Update vote from":"更新投票從","Username":"用戶名","Virtual folder added!":"虛擬文件夾已添加!","Vote":"投票","Votes":"投票","address":"地址","is erroneous":"是錯誤的","folder name":"文件夾名稱","is not recognised":"無法識別","label":"標籤","missed blocks":"錯過塊","now!":"現在!","passphrase":"主密碼","produced blocks":"生產塊","you need at least 1 ARK to vote":"您需要至少1 ARK投票","sent with success!":"發送成功!","Total Ѧ":"總計Ѧ","This account has never interacted with the network. This is either:":"此帳戶從未與網絡進行過互動. 這是:","an inexistant wallet, ie nobody knows the passphrase of this wallet. The ARK are lost":"一個不存在的錢包,即沒有人知道這個錢包的密碼。 ARK丟失","an inexistant wallet, ie nobody knows the passphrase of this wallet.":"一個不存在的錢包,即沒有人知道這個錢包的密碼","a cold wallet, ie the owner of the passphrase has never used it":"一個冷錢包,即密碼的所有者從來沒有使用它","Details":"明細","Recipient Address":"接收地址","Add Account from address":"用地址添加帳戶","Add Sponsors Delegates":"添加受託人","Blockchain Application Registration":"區塊鏈應用註冊","By using the following forms, you are accepting their":"通過使用以下表單,您將接受他們","Delegate Registration":"註冊受託人","Deposit ARK":"存入ARK","Deposit and Withdraw through our partner":"通過我們的合作夥伴存款和提款","Folders":"文件夾","History":"歷史","If you own this account, you can enable virtual folders. Virtual Folders are simple subaccounts to better organise your money, without needing to send a real transaction and pay a fee.
\n Moreover, this account will move under the \"My Accounts\" list.":"如果您擁有此帳戶,則可以啟用虛擬文件夾。虛擬文件夾是簡單的子帳戶,以更好地組織您的資產,而不需要發送真實交易和支付費用。
\n此外,此帳戶將移動到“我的帳戶”列表下。","If you own this account, you can enable Voting":"如果您擁有此帳戶,則可以啟用投票","Maximum:":"最大值:","Minimum:":"最低:","Multisignature Creation":"創建多重簽名","Next...":"Next...","Please login with your account before using this feature":"請先登錄您的帳戶,然後再使用此功能","Please report any issue to":"Please report any issue to","Receive":"接收","Refresh":"刷新","Recepient Address":"接收地址","Second Signature Creation":"創建第二簽名","Select a coin":"選擇硬幣","Second passphrase":"二級密碼","Status:":"狀態:","Status":"狀態","Sponsors Page":"贊助商頁面","Terms and Conditions":"Terms and Conditions","They have funded this app so you can use it for free.
\n Vote them to help the development.":"他們已經資助這個程序,所以你可以免費使用它。
\n投票他們幫助發展。","Transaction id":"交易ID","Transfer Ark from Blockchain Application":"從區塊鏈應用程序轉送ARK","Transfer Ark to Blockchain Application":"將ARK轉送到區塊鏈應用程序","Valid until":"有效期至","Withdraw ARK":"提取ARK","Your email, used to send confirmation":"您的電子郵件,用於發送確認","to":"to"}); /* jshint +W100 */ }]); \ No newline at end of file diff --git a/client/package.json b/client/package.json index b897a8e39f..79efc3d15d 100644 --- a/client/package.json +++ b/client/package.json @@ -25,7 +25,7 @@ "angular-messages": "^1.5.5", "angular-qrcode": "^6.2.1", "angular-ui-router": "~0.2.15", - "arkjs": "git://github.com/ArkEcosystem/ark-js#newtestnet", + "arkjs": "git://github.com/ArkEcosystem/ark-js#master", "bip39": "^2.2.0" }, "devDependencies": { diff --git a/main.js b/main.js index 26843db26e..cf73aa1a4d 100644 --- a/main.js +++ b/main.js @@ -21,24 +21,32 @@ function createWindow () { }) // Create the Application's main menu - var template = [{ + var template = [ + { label: "Application", submenu: [ - { label: "About Application", selector: "orderFrontStandardAboutPanel:" }, - { type: "separator" }, - { label: "Quit", accelerator: "Command+Q", click: function() { app.quit(); }} - ]}, { + { label: "About Application", selector: "orderFrontStandardAboutPanel:" }, + { type: "separator" }, + { label: "Disable screenshot protection (unsafe)", click: function() { mainWindow.setContentProtection(false) }}, + { type: "separator" }, + { label: "Quit", accelerator: "Command+Q", click: function() { app.quit(); }} + ] + }, { label: "Edit", submenu: [ - { label: "Cut", accelerator: "CmdOrCtrl+X", selector: "cut:" }, - { label: "Copy", accelerator: "CmdOrCtrl+C", selector: "copy:" }, - { label: "Paste", accelerator: "CmdOrCtrl+V", selector: "paste:" }, - { label: "Select All", accelerator: "CmdOrCtrl+A", selector: "selectAll:" }, - { type: "separator" }, - { label: "Open Dev Tools", accelerator: "CmdOrCtrl+D", click: function() { mainWindow.webContents.openDevTools(); }}, - { label: "Reload App", accelerator: "CmdOrCtrl+R", click: function() { mainWindow.webContents.reload(); }}, - { label: "Print Page", accelerator: "CmdOrCtrl+P", click: function() { mainWindow.webContents.print({printBackground:true}); }} - ]} + { label: "Undo", accelerator: "CmdOrCtrl+Z", selector: "undo:" }, + { label: "Redo", accelerator: "Shift+CmdOrCtrl+Z", selector: "redo:" }, + { type: "separator" }, + { label: "Cut", accelerator: "CmdOrCtrl+X", selector: "cut:" }, + { label: "Copy", accelerator: "CmdOrCtrl+C", selector: "copy:" }, + { label: "Paste", accelerator: "CmdOrCtrl+V", selector: "paste:" }, + { label: "Select All", accelerator: "CmdOrCtrl+A", selector: "selectAll:" }, + { type: "separator" }, + { label: "Open Dev Tools", accelerator: "CmdOrCtrl+D", click: function() { mainWindow.webContents.openDevTools(); }}, + { label: "Reload App", accelerator: "CmdOrCtrl+R", click: function() { mainWindow.webContents.reload(); }}, + { label: "Print Page", accelerator: "CmdOrCtrl+P", click: function() { mainWindow.webContents.print({printBackground:true}); }} + ] + } ]; Menu.setApplicationMenu(Menu.buildFromTemplate(template)); diff --git a/package.json b/package.json index 3538c79f10..52031f3aef 100644 --- a/package.json +++ b/package.json @@ -1,6 +1,6 @@ { "name": "ArkClient", - "version": "0.3.1", + "version": "0.3.2", "productName": "ArkClient", "description": "Ark Desktop", "main": "main.js", diff --git a/po/ar.po b/po/ar.po index d19c225ff0..0874695f08 100755 --- a/po/ar.po +++ b/po/ar.po @@ -1,8 +1,8 @@ msgid "" msgstr "" "Project-Id-Version: VERSION\n" -"POT-Creation-Date: 2017-01-18 08:54+0000\n" -"PO-Revision-Date: 2017-01-18 08:54+0000\n" +"POT-Creation-Date: 2017-03-03 10:03+0000\n" +"PO-Revision-Date: 2017-03-03 10:03+0000\n" "Last-Translator: FULL NAME \n" "Language-Team: LANGUAGE TEAM \n" "Language: ar\n" @@ -20,7 +20,7 @@ msgstr "حساب مضاف!" msgid "Amount (Ѧ)" msgstr "مبلغ (Ѧ)" -msgid "Add Watch-Only Address" +msgid "Add Account" msgstr "إضافة حساب" msgid "Account deleted!" @@ -167,7 +167,7 @@ msgstr "حساباتي" msgid "Network connected and healthy!" msgstr "الشبكة متصلة وصحية!" -msgid "Network disconnected!" +msgid "Network disconected!" msgstr "انقطاع الاتصال بالشبكة!" msgid "No difference from original delegate list" @@ -188,7 +188,7 @@ msgstr "ARK غير كافية على حسابك" msgid "Open Delegate Monitor" msgstr "فتح مراقب المندوب" -msgid "Watch-Only Addresses" +msgid "Other Accounts" msgstr "حسابات أخرى" msgid "Passphrase does not match your address" @@ -320,3 +320,129 @@ msgstr "تحتاج على الأقل 1 ARK لكي تصوت" msgid "sent with success!" msgstr "أرسلت بنجاح!" +msgid "Total Ѧ" +msgstr "مجموع Ѧ" + +msgid "This account has never interacted with the network. This is either:" +msgstr " هذا الحساب لم يتفاعل أبدا مع الشبكة. هذا هو إما:" + +msgid "an inexistant wallet, ie nobody knows the passphrase of this wallet. The ARK are lost" +msgstr "محفظة منعدمة، أي لا أحد يعرف عبارة مرور هذه المحفظة. تم فقدان ARK" + +msgid "an inexistant wallet, ie nobody knows the passphrase of this wallet." +msgstr "محفظة منعدمة، أي لا أحد يعرف عبارة مرور هذه المحفظة." + +msgid "a cold wallet, ie the owner of the passphrase has never used it" +msgstr "محفظة باردة، صاحب عبارة المرور لم يستاخدمها أبدا " + +msgid "Details" +msgstr "تفاصيل" + +msgid "Recipient Address" +msgstr "عنوان المُستلم" + +msgid "Add Account from address" +msgstr "إضافة الحساب من عنوان" + +msgid "Add Sponsors Delegates" +msgstr "إضافة الرعاة المندوبين" + +msgid "Blockchain Application Registration" +msgstr "تسجيل تطبيق سلسلة الكثل (blockchain)" + +msgid "By using the following forms, you are accepting their" +msgstr "باستخدامك النماذج التالية، فإنك تقبل ب" + +msgid "Delegate Registration" +msgstr "تسجيل المندوب" + +msgid "Deposit ARK" +msgstr "إيداع ARK" + +msgid "Deposit and Withdraw through our partner" +msgstr "الإيداع والسحب من خلال شريكنا" + +msgid "Folders" +msgstr "مُجلّدات" + +msgid "History" +msgstr "تاريخ التصفح" + +msgid "If you own this account, you can enable virtual folders. Virtual Folders are simple subaccounts to better organise your money, without needing to send a real transaction and pay a fee.
\n Moreover, this account will move under the \"My Accounts\" list." +msgstr "إذ كنت تملك هذا الحساب، يمكنك إنشاء مُجلّدات افتراضية. المجلدات الافتراضية حسابات فرعية بسيطة لتحسين تنظيم أموالك، دون الحاجة إلى إرسال معاملات حقيقية ودفع رسوم.
وعلاوة على ذلك، فإن هذا الحساب سيوجد تحت قائمة \"حساباتي\"." + +msgid "If you own this account, you can enable Voting" +msgstr "إذا كنت تملك هذا الحساب، يمكنك تمكين التصويت" + +msgid "Maximum:" +msgstr "الحدالأقصى" + +msgid "Minimum:" +msgstr "الحد الأدنى:" + +msgid "Multisignature Creation" +msgstr "إنشاء التوقيع المتعدد" + +msgid "Next..." +msgstr "التالي.." + +msgid "Please login with your account before using this feature" +msgstr "الرجاء الدخول بحسابك قبل استخدام هذه الميزه" + +msgid "Please report any issue to" +msgstr "الرجاء الإبلاغ عن أي قضية ل" + +msgid "Receive" +msgstr "تسلم" + +msgid "Refresh" +msgstr "تجديد" + +msgid "Recepient Address" +msgstr "عنوان المستلم" + +msgid "Second Signature Creation" +msgstr "إنشاء التوقيع الثاني" + +msgid "Select a coin" +msgstr "اختر عملة" + +msgid "Second passphrase" +msgstr "عبارة المرور الثانية" + +msgid "Status:" +msgstr "الوَضْع:" + +msgid "Status" +msgstr "الوَضْع" + +msgid "Sponsors Page" +msgstr "صفحة الرعاة" + +msgid "Terms and Conditions" +msgstr "الأحكام والشروط" + +msgid "They have funded this app so you can use it for free.
\n Vote them to help the development." +msgstr "لقد مَوَّلوا هذا التطبيق حتى تتمكنوا من استخدامه مجانا.
\nصَوِّتو عليهم للمساعدة في التنمية." + +msgid "Transaction id" +msgstr "هوية الصفقة" + +msgid "Transfer Ark from Blockchain Application" +msgstr "نقل Ark من تطبيق Blockchain " + +msgid "Transfer Ark to Blockchain Application" +msgstr "نقل Ark إلى تطبيق Blockchain " + +msgid "Valid until" +msgstr "صالح حتى" + +msgid "Withdraw ARK" +msgstr "سحب ARK" + +msgid "Your email, used to send confirmation" +msgstr "البريد الإلكتروني الخاص بك، يُستخدم لإرسال التأكيد" + +msgid "to" +msgstr "إلى" + diff --git a/po/bg-BG.po b/po/bg-BG.po index 10d9fb510c..731c551602 100755 --- a/po/bg-BG.po +++ b/po/bg-BG.po @@ -1,8 +1,8 @@ msgid "" msgstr "" "Project-Id-Version: VERSION\n" -"POT-Creation-Date: 2017-01-18 08:54+0000\n" -"PO-Revision-Date: 2017-01-18 08:54+0000\n" +"POT-Creation-Date: 2017-03-03 10:03+0000\n" +"PO-Revision-Date: 2017-03-03 10:03+0000\n" "Last-Translator: FULL NAME \n" "Language-Team: LANGUAGE TEAM \n" "Language: bg_BG\n" @@ -11,12 +11,6 @@ msgstr "" "Content-Transfer-Encoding: 8bit\n" "Plural-Forms: nplurals=2; plural=(n != 1);\n" -msgid "Add Watch-Only Address" -msgstr "Добави адрес" - -msgid "Account successfully created:" -msgstr "Акаунта е създаден успешно" - msgid "Address" msgstr "Адрес" @@ -26,7 +20,7 @@ msgstr "Акаунта е добавен!" msgid "Amount (Ѧ)" msgstr "Сума (Ѧ)" -msgid "Add Watch-Only Address" +msgid "Add Account" msgstr "Добави акаунт" msgid "Account deleted!" @@ -80,9 +74,6 @@ msgstr "Не може да се определи дали акаунта е де msgid "Change 1h/7h/7d" msgstr "Промяна 1ч./7ч./7д." -msgid "Create" -msgstr "Създай" - msgid "Create Virtual Folder" msgstr "Създай виртуална папка" @@ -92,9 +83,6 @@ msgstr "Създай нова виртуална папка" msgid "Close" msgstr "Затвори" -msgid "Create Account" -msgstr "Създай акаунт" - msgid "Default" msgstr "По подразбиране" @@ -143,18 +131,12 @@ msgstr "Такса (Ѧ)" msgid "Folder Name" msgstr "Име на папка" -msgid "Full Screen" -msgstr "Цял екран" - msgid "From" msgstr "От" msgid "Hand crafted with ❤ by" msgstr "Направено с ❤ от" -msgid "If you own this account, you can enable virtual folders. Virtual Folders are simple subaccounts to better organise your money, without needing to send a real transaction and pay a fee.
\n Moreover, this account will move under the \"My Accounts\" list." -msgstr "Ако този акаунт е ваш, можете да разрешите виртуалните папки. Те са обикновени под-акаунти за по-добра организация на средствата, без да е нужна реална транзакция и плащане на такса.
С това, акаунта ще бъде преместен в списъка \"Мои акаунти\"" - msgid "Height" msgstr "Височина" @@ -179,25 +161,13 @@ msgstr "Вход" msgid "Market Cap." msgstr "Пазарен дял" -msgid "Manage Networks" -msgstr "Управление на мрежа" - -msgid "Maximize" -msgstr "Максимизирай" - -msgid "Minify" -msgstr "Минимизирай" - msgid "My Accounts" msgstr "Моите Акаунти" -msgid "Network" -msgstr "Мрежа" - msgid "Network connected and healthy!" msgstr "Сързан с мрежата" -msgid "Network disconnected!" +msgid "Network disconected!" msgstr "Няма връзка с мрежата" msgid "No difference from original delegate list" @@ -215,16 +185,10 @@ msgstr "Няма критерии за търсене" msgid "Not enough ARK on your account" msgstr "Нямате достатъчна наличност в акаунта си" -msgid "OffChain" -msgstr "ОфЧейн" - msgid "Open Delegate Monitor" msgstr "Монитор на делегатите" -msgid "Optional" -msgstr "Опционално" - -msgid "Watch-Only Addresses" +msgid "Other Accounts" msgstr "Други акаунти" msgid "Passphrase does not match your address" @@ -233,24 +197,12 @@ msgstr "Паролата не съвпада с въведения адрес" msgid "Passphrase" msgstr "Парола" -msgid "Passphrases are not secured with high standard.
\n Use this feature only on safe computers and for accounts you can afford to lose balance." -msgstr "Паролите не са защитени свръх надеждно.
\nИзползвайте тази опция само на надеждни компютри или за акаунти чието съдържание можете да си позволите да загубите." - -msgid "Passphrases saved" -msgstr "Паролите са запазени" - msgid "Passphrase is not corresponding to account" msgstr "Паролата не съвпада с акаунта" -msgid "Passphrases deleted" -msgstr "Паролите бяха изтрити" - msgid "Peer" msgstr "Пиър" -msgid "Please backup securely the passphrase, this client does NOT store it and thus cannot recover your passphrase" -msgstr "Съхранявайте паролата си на сигурно място. Този клиент НЕ съхранява пароли и няма начин те да бъдат възстановени." - msgid "Please enter a folder name." msgstr "Въведете име на папка" @@ -281,27 +233,12 @@ msgstr "Ранг" msgid "Receive Ark" msgstr "Получи ARK" -msgid "Register Delegate" -msgstr "Регистрация на делегат" - -msgid "Register delegate for" -msgstr "Регистрация на делегат за" - msgid "Rename" msgstr "Преименувай" msgid "Remove" msgstr "Преманни" -msgid "Restart" -msgstr "Рестарт" - -msgid "Save" -msgstr "Запази" - -msgid "Save Passphrases for" -msgstr "Запази паролите за" - msgid "Send" msgstr "Изпрати" @@ -320,21 +257,12 @@ msgstr "ОК" msgid "Succesfully Logged In!" msgstr "Успешно влизане!" -msgid "Smartbridge" -msgstr "Смартбридж" - msgid "The destination address" msgstr "Адресът на получателя" -msgid "This account has never interacted with the network. This is a cold wallet." -msgstr "Този адрес никога не е бил въвеждан в мрежата. Тоеа е \"студен\" портфейл" - msgid "To" msgstr "До" -msgid "Total {{ul.network.symbol}}" -msgstr "Общо {{ul.network.symbol}}" - msgid "Transaction" msgstr "Транзакция" @@ -350,9 +278,6 @@ msgstr "Обнови гласовете от" msgid "Username" msgstr "Потребител" -msgid "Vendor Field" -msgstr "Идентификатор" - msgid "Virtual folder added!" msgstr "Добавена виртуална папка!" @@ -395,6 +320,129 @@ msgstr "за да гласувате ви трябва поне 1 ARK" msgid "sent with success!" msgstr "успешно изпратени!" -msgid "you need at least 25 ARK to register delegate" -msgstr "за регистрация на делегат трябва да имате 25 ARK" +msgid "Total Ѧ" +msgstr "Общо Ѧ" + +msgid "This account has never interacted with the network. This is either:" +msgstr "Този адрес никога не е бил въвеждан в мрежата. Възможно е да бъде:" + +msgid "an inexistant wallet, ie nobody knows the passphrase of this wallet. The ARK are lost" +msgstr "несъществуващ портфейл. Паролата му е неизвестна или изгубена. Съдържанието е загубено завинаги." + +msgid "an inexistant wallet, ie nobody knows the passphrase of this wallet." +msgstr "несъществуващ портфейл. Паролата му е неизвестна." + +msgid "a cold wallet, ie the owner of the passphrase has never used it" +msgstr "\"студен\" портфейл. Собственика на паролата никога не я е използвал." + +msgid "Details" +msgstr "Детайли" + +msgid "Recipient Address" +msgstr "Адрес на получател" + +msgid "Add Account from address" +msgstr "Добави акаунт от адрес" + +msgid "Add Sponsors Delegates" +msgstr "Добави спонсорите" + +msgid "Blockchain Application Registration" +msgstr "Регистриране на блокчейн приложение" + +msgid "By using the following forms, you are accepting their" +msgstr "Използвайки тази услуга, Вие се съгласявате с условията за ползване" + +msgid "Delegate Registration" +msgstr "Регистрация на делегат" + +msgid "Deposit ARK" +msgstr "Депозирай ARK" + +msgid "Deposit and Withdraw through our partner" +msgstr "Депозиране и теглене чрез наш партньор" + +msgid "Folders" +msgstr "Папки" + +msgid "History" +msgstr "История" + +msgid "If you own this account, you can enable virtual folders. Virtual Folders are simple subaccounts to better organise your money, without needing to send a real transaction and pay a fee.
\n Moreover, this account will move under the \"My Accounts\" list." +msgstr "Ако този акаунт е ваш, можете да разрешите виртуалните папки. Те са обикновени под-акаунти за по-добра организация на средствата, без да е нужна реална транзакция и плащане на такса.
С това, акаунта ще бъде преместен в списъка \"Мои акаунти\"" + +msgid "If you own this account, you can enable Voting" +msgstr "Ако този акаунт е ваш, можете да разрешите гласуването" + +msgid "Maximum:" +msgstr "Максимум:" + +msgid "Minimum:" +msgstr "Минимум:" + +msgid "Multisignature Creation" +msgstr "Създаване на мултисигнатура" + +msgid "Next..." +msgstr "Следващ..." + +msgid "Please login with your account before using this feature" +msgstr "Влезте в акаунта си преди да ползвате тази функция" + +msgid "Please report any issue to" +msgstr "Съобщете за проблем на" + +msgid "Receive" +msgstr "Получаване" + +msgid "Refresh" +msgstr "Обнови" + +msgid "Recepient Address" +msgstr "Адрес на получателя" + +msgid "Second Signature Creation" +msgstr "Създаване на втори подпис" + +msgid "Select a coin" +msgstr "Избери монета" + +msgid "Second passphrase" +msgstr "Втора парола" + +msgid "Status:" +msgstr "Статус:" + +msgid "Status" +msgstr "Статус" + +msgid "Sponsors Page" +msgstr "Спонсори" + +msgid "Terms and Conditions" +msgstr "Условия за ползване" + +msgid "They have funded this app so you can use it for free.
\n Vote them to help the development." +msgstr "Спонсорите, заради които можете да ползвате този портфейл безплатно,
Гласувай за тях за да помогнеш в разработката му." + +msgid "Transaction id" +msgstr "Номер на транзакция" + +msgid "Transfer Ark from Blockchain Application" +msgstr "Трансфер на ARK от Блокчейн приложение" + +msgid "Transfer Ark to Blockchain Application" +msgstr "Трансфер на ARK към Блокчейн приложение" + +msgid "Valid until" +msgstr "Валидност до" + +msgid "Withdraw ARK" +msgstr "Изтегли ARK" + +msgid "Your email, used to send confirmation" +msgstr "Вашият мейл, използва се за изпращане на потвърждение" + +msgid "to" +msgstr "до" diff --git a/po/de.po b/po/de.po index af20b08212..fd016b4761 100755 --- a/po/de.po +++ b/po/de.po @@ -1,8 +1,8 @@ msgid "" msgstr "" "Project-Id-Version: VERSION\n" -"POT-Creation-Date: 2017-01-19 21:58+0000\n" -"PO-Revision-Date: 2017-01-19 21:58+0000\n" +"POT-Creation-Date: 2017-03-03 10:03+0000\n" +"PO-Revision-Date: 2017-03-03 10:03+0000\n" "Last-Translator: FULL NAME \n" "Language-Team: LANGUAGE TEAM \n" "Language: de\n" @@ -11,12 +11,6 @@ msgstr "" "Content-Transfer-Encoding: 8bit\n" "Plural-Forms: nplurals=2; plural=(n != 1);\n" -msgid "Add Watch-Only Address" -msgstr "Adresse hinzufügen" - -msgid "Account successfully created:" -msgstr "Account erfolgreich erstellt" - msgid "Address" msgstr "Adresse" @@ -26,7 +20,7 @@ msgstr "Account hinzugefügt!" msgid "Amount (Ѧ)" msgstr "Betrag (Ѧ)" -msgid "Add Watch-Only Address" +msgid "Add Account" msgstr "Account hinzufügen" msgid "Account deleted!" @@ -80,9 +74,6 @@ msgstr "Kann nicht ermitteln, ob dieser Account ein Delegate ist" msgid "Change 1h/7h/7d" msgstr "Änderung 1h/7h/7t" -msgid "Create" -msgstr "Erstellen" - msgid "Create Virtual Folder" msgstr "Virtuellen Ordner erstellen" @@ -92,9 +83,6 @@ msgstr "Einen neuen virtuellen Ordner erstellen" msgid "Close" msgstr "Schliessen" -msgid "Create Account" -msgstr "Account erstellen" - msgid "Default" msgstr "Standard" @@ -143,18 +131,12 @@ msgstr "Gebühr (Ѧ)" msgid "Folder Name" msgstr "Ordnername" -msgid "Full Screen" -msgstr "Vollbild" - msgid "From" msgstr "Von" msgid "Hand crafted with ❤ by" msgstr "Mit ❤ programmiert von" -msgid "If you own this account, you can enable virtual folders. Virtual Folders are simple subaccounts to better organise your money, without needing to send a real transaction and pay a fee.
\n Moreover, this account will move under the \"My Accounts\" list." -msgstr "Wenn Du diesen Account besitzt, kannst Du virtuelle Ordner aktivieren. Virtuelle Ordner sind einfache Unterordner, um Deine Geld besser organisieren zu können, ohne echte Transaktionen auf andere Accounts durchführen und Gebühren zahlen zu müssen.
Du findest die Unterordner unter dem Menüpunkt \"Meine Accounts\"." - msgid "Height" msgstr "Höhe" @@ -179,25 +161,13 @@ msgstr "Login" msgid "Market Cap." msgstr "Marktkapitalisierung" -msgid "Manage Networks" -msgstr "Netzwerk managen" - -msgid "Maximize" -msgstr "Maximieren" - -msgid "Minify" -msgstr "Minimiere" - msgid "My Accounts" msgstr "Meine Accounts" -msgid "Network" -msgstr "Netzwerk" - msgid "Network connected and healthy!" msgstr "Netzwerk verbunden und funktionsfähig" -msgid "Network disconnected!" +msgid "Network disconected!" msgstr "Netzwerk getrennt!" msgid "No difference from original delegate list" @@ -215,16 +185,10 @@ msgstr "Kein Suchbegriff" msgid "Not enough ARK on your account" msgstr "Nicht genügend ARK in Deinem Account" -msgid "OffChain" -msgstr "Offchain" - msgid "Open Delegate Monitor" msgstr "Delegate-Monitor öffnen" -msgid "Optional" -msgstr "Optional" - -msgid "Watch-Only Addresses" +msgid "Other Accounts" msgstr "Andere Accounts" msgid "Passphrase does not match your address" @@ -233,24 +197,12 @@ msgstr "Passphrase stimmt nicht mit Deiner Adresse überein" msgid "Passphrase" msgstr "Passphrase" -msgid "Passphrases are not secured with high standard.
\n Use this feature only on safe computers and for accounts you can afford to lose balance." -msgstr "Passphrasen sind nicht mit hohen Standards gesichert.
Benutze diese Funktion nur mit sicheren Computern und für Konten, deren Verlust du dir leisten kannst." - -msgid "Passphrases saved" -msgstr "Passphrase gespeichert" - msgid "Passphrase is not corresponding to account" msgstr "Passphrase passt nicht zu dem Account" -msgid "Passphrases deleted" -msgstr "Passphrase gelöscht" - msgid "Peer" msgstr "Peer" -msgid "Please backup securely the passphrase, this client does NOT store it and thus cannot recover your passphrase" -msgstr "Bitte speichere deine Passphrase an einem sicheren Ort. Die Passphrase wird durch den Client nicht gespeichert und kann daher auch nicht wiederhergestellt werden." - msgid "Please enter a folder name." msgstr "Bitte einen Ordnernamen eingeben." @@ -281,27 +233,12 @@ msgstr "Rang" msgid "Receive Ark" msgstr "ARK empfangen" -msgid "Register Delegate" -msgstr "Als Delegate registrieren" - -msgid "Register delegate for" -msgstr "Delegate registrieren für" - msgid "Rename" msgstr "Umbenennen" msgid "Remove" msgstr "Entfernen" -msgid "Restart" -msgstr "Neustart" - -msgid "Save" -msgstr "Speichern" - -msgid "Save Passphrases for" -msgstr "Speichere Passphrase für" - msgid "Send" msgstr "Senden" @@ -320,21 +257,12 @@ msgstr "Einstellen" msgid "Succesfully Logged In!" msgstr "Erfolgreich eingeloggt!" -msgid "Smartbridge" -msgstr "Smartbridge" - msgid "The destination address" msgstr "Die Zieladresse" -msgid "This account has never interacted with the network. This is a cold wallet." -msgstr "Dieser Account war nie mit dem Netzwerk verbunden. Es handelt sich um eine Cold Wallet." - msgid "To" msgstr "An" -msgid "Total {{ul.network.symbol}}" -msgstr "Gesamt {{ul.network.symbol}}" - msgid "Transaction" msgstr "Transaktion" @@ -350,9 +278,6 @@ msgstr "Aktualisieren der Stimme von" msgid "Username" msgstr "Benutzername" -msgid "Vendor Field" -msgstr "SmartBridge" - msgid "Virtual folder added!" msgstr "Virtueller Ordner hinzugefügt!" @@ -395,6 +320,129 @@ msgstr "Du benötigst mindestens 1 ARK, um abstimmen zu können." msgid "sent with success!" msgstr "Erfolgreich gesendet!" -msgid "you need at least 25 ARK to register delegate" -msgstr "Du benötigst mindestens 25 ARK, um dich als Delegate registrieren zu können." +msgid "Total Ѧ" +msgstr "Gesamtsumme Ѧ" + +msgid "This account has never interacted with the network. This is either:" +msgstr "Dieser Account war nie mit dem Netzwerk verbunden. Dies ist entweder:" + +msgid "an inexistant wallet, ie nobody knows the passphrase of this wallet. The ARK are lost" +msgstr "Eine Wallet, die nicht existiert, d.h. niemand kennt die zugehörige Passphrase. Die ARK sind verloren." + +msgid "an inexistant wallet, ie nobody knows the passphrase of this wallet." +msgstr "Eine Wallet die nicht existiert, d.h. niemand kennt das entsprechende Passwort." + +msgid "a cold wallet, ie the owner of the passphrase has never used it" +msgstr "Eine Cold-Wallet, d.h. der Besitzer des Passwortes hat dieses nie verwendet" + +msgid "Details" +msgstr "Details" + +msgid "Recipient Address" +msgstr "Empfängeradresse" + +msgid "Add Account from address" +msgstr "Account per ID hinzufügen" + +msgid "Add Sponsors Delegates" +msgstr "Sponsoren Delegates hinzufügen" + +msgid "Blockchain Application Registration" +msgstr "Registrierung einer Blockchain Applikation" + +msgid "By using the following forms, you are accepting their" +msgstr "Durch die Verwendung der folgenden Eingabefelder, akzeptierst Du ihre" + +msgid "Delegate Registration" +msgstr "Delegate-Registrierung" + +msgid "Deposit ARK" +msgstr "ARK einzahlen" + +msgid "Deposit and Withdraw through our partner" +msgstr "Über unseren Partner Ein- und Auszahlungen vornehmen" + +msgid "Folders" +msgstr "Ordner" + +msgid "History" +msgstr "Verlauf" + +msgid "If you own this account, you can enable virtual folders. Virtual Folders are simple subaccounts to better organise your money, without needing to send a real transaction and pay a fee.
\n Moreover, this account will move under the \"My Accounts\" list." +msgstr "Wenn Du diesen Account besitzt, kannst Du virtuelle Ordner aktivieren. Virtuelle Ordner sind einfache Unterordner, um Deine Geld besser organisieren zu können, ohne echte Transaktionen auf andere Accounts durchführen und Gebühren zahlen zu müssen.
Du findest die Unterordner unter dem Menüpunk \"Meine Accounts\"." + +msgid "If you own this account, you can enable Voting" +msgstr "Wenn Du Inhaber dieses Accounts bist, kannst Du das Voting aktivieren" + +msgid "Maximum:" +msgstr "Maximum:" + +msgid "Minimum:" +msgstr "Minimum:" + +msgid "Multisignature Creation" +msgstr "Multisignatur erstellen" + +msgid "Next..." +msgstr "Nächste..." + +msgid "Please login with your account before using this feature" +msgstr "Bevor Du dieses Feature verwenden kannst, musst Du Dich mit Deinem Account einloggen" + +msgid "Please report any issue to" +msgstr "Alle Probleme bitte an folgende E-Mail senden: " + +msgid "Receive" +msgstr "Empfangen" + +msgid "Refresh" +msgstr "Neu laden" + +msgid "Recepient Address" +msgstr "Adresse des Empfängers" + +msgid "Second Signature Creation" +msgstr "Zweite Signatur erstellen" + +msgid "Select a coin" +msgstr "Coin auswählen" + +msgid "Second passphrase" +msgstr "Zweite Passphrase" + +msgid "Status:" +msgstr "Status:" + +msgid "Status" +msgstr "Status" + +msgid "Sponsors Page" +msgstr "Seite der Sponsoren" + +msgid "Terms and Conditions" +msgstr "Nutzungsbedingungen" + +msgid "They have funded this app so you can use it for free.
\n Vote them to help the development." +msgstr "Sie haben dieses App finanziert, so dass Du sie kostenlos nutzen kannst.
Gib ihnen Deine Stimme und unterstütze die Entwicklung." + +msgid "Transaction id" +msgstr "Transaktions-ID" + +msgid "Transfer Ark from Blockchain Application" +msgstr "Sende ARK von Blockchain Applikation" + +msgid "Transfer Ark to Blockchain Application" +msgstr "Sende ARK an Blockchain Applikation" + +msgid "Valid until" +msgstr "Gültig bis" + +msgid "Withdraw ARK" +msgstr "ARK auszahlen" + +msgid "Your email, used to send confirmation" +msgstr "Deine E-Mail, zur Bestätigung benötigt" + +msgid "to" +msgstr "an" diff --git a/po/el.po b/po/el.po index 857378482f..1a0062c0e7 100755 --- a/po/el.po +++ b/po/el.po @@ -1,8 +1,8 @@ msgid "" msgstr "" "Project-Id-Version: VERSION\n" -"POT-Creation-Date: 2017-01-18 08:54+0000\n" -"PO-Revision-Date: 2017-01-18 08:54+0000\n" +"POT-Creation-Date: 2017-03-03 10:03+0000\n" +"PO-Revision-Date: 2017-03-03 10:03+0000\n" "Last-Translator: FULL NAME \n" "Language-Team: LANGUAGE TEAM \n" "Language: el\n" @@ -11,12 +11,6 @@ msgstr "" "Content-Transfer-Encoding: 8bit\n" "Plural-Forms: nplurals=2; plural=(n != 1);\n" -msgid "Add Watch-Only Address" -msgstr "Προσθήκη Διεύθυνσης" - -msgid "Account successfully created:" -msgstr "Ο λογαριασμός δημιουργήθηκε επιτυχώς:" - msgid "Address" msgstr "Διεύθυνση" @@ -26,7 +20,7 @@ msgstr "Ο λογαριασμός προστέθηκε!" msgid "Amount (Ѧ)" msgstr "Ποσό" -msgid "Add Watch-Only Address" +msgid "Add Account" msgstr "Προσθήκη Λογαριασμού" msgid "Account deleted!" @@ -80,9 +74,6 @@ msgstr "Δεν μπορεί να εξακριβωθεί αν ο λογαριασ msgid "Change 1h/7h/7d" msgstr "Αλλαγή 1h/7h/7d" -msgid "Create" -msgstr "Δημιουργία" - msgid "Create Virtual Folder" msgstr "Δημιουργία εικονικού φακέλου" @@ -92,9 +83,6 @@ msgstr "Δημιουργείστε έναν νέο εικονικό φάκελο msgid "Close" msgstr "Κλείσιμο" -msgid "Create Account" -msgstr "Δημιουργία Λογαριασμού" - msgid "Default" msgstr "Προεπιλογή" @@ -143,18 +131,12 @@ msgstr "Τέλη" msgid "Folder Name" msgstr "Όνομα φακέλου" -msgid "Full Screen" -msgstr "Πλήρης Οθόνη:" - msgid "From" msgstr "Από" msgid "Hand crafted with ❤ by" msgstr "Κατασκευασμένο με ❤ από" -msgid "If you own this account, you can enable virtual folders. Virtual Folders are simple subaccounts to better organise your money, without needing to send a real transaction and pay a fee.
\n Moreover, this account will move under the \"My Accounts\" list." -msgstr "Αν σας ανήκει αυτός ο λογαριασμός, μπορείτε να ενεργοποιήσετε τους εικονικούς φακέλους. Οι εικονικοί φάκελοι είναι απλοί υπολογαριασμοί με σκοπό την καλύτερη οργάνωση των χρημάτων σας, χωρίς να χρειάζεται να στείλετε μια πραγματική συναλλαγή και να πληρώσετε τέλη.
Επιπλέον, αυτός ο λογαριασμός θα μετακινηθεί κάτω από την λίστα \"Οι λογαριασμοί μου\"." - msgid "Height" msgstr "Ύψος" @@ -179,25 +161,13 @@ msgstr "Σύνδεση" msgid "Market Cap." msgstr "Κεφαλαιοποίηση" -msgid "Manage Networks" -msgstr "Διαχείριση Δικτύων" - -msgid "Maximize" -msgstr "Μεγιστοποίηση" - -msgid "Minify" -msgstr "Ελαχιστοποίηση" - msgid "My Accounts" msgstr "Οι λογαριασμοί μου" -msgid "Network" -msgstr "Δίκτυο" - msgid "Network connected and healthy!" msgstr "Δίκτυο συνδεδεμένο και υγιές!" -msgid "Network disconnected!" +msgid "Network disconected!" msgstr "Δίκτυο αποσυνδεδεμένο!" msgid "No difference from original delegate list" @@ -215,16 +185,10 @@ msgstr "Δεν υπάρχει ο όρος αναζήτησης" msgid "Not enough ARK on your account" msgstr "Δεν υπάρχουν αρκετά ARK στον λογαριασμό" -msgid "OffChain" -msgstr "Εκτός αλυσίδας" - msgid "Open Delegate Monitor" msgstr "Ανοίξτε το monitor των delegate" -msgid "Optional" -msgstr "Προαιρετικό" - -msgid "Watch-Only Addresses" +msgid "Other Accounts" msgstr "Άλλοι λογαριασμοί" msgid "Passphrase does not match your address" @@ -233,24 +197,12 @@ msgstr "Η passphrase δεν ταιριάζει με την διεύθυνση" msgid "Passphrase" msgstr "Passphrase" -msgid "Passphrases are not secured with high standard.
\n Use this feature only on safe computers and for accounts you can afford to lose balance." -msgstr "Οι passphrases δεν είναι ασφαλισμένες με υψηλά στάνταρ.
\nΧρησιμοποιείστε αυτή την λειτουργία μόνο σε ασφαλείς υπολογιστές και για λογαριασμούς που αντέχετε να χάσετε το υπόλοιπό τους." - -msgid "Passphrases saved" -msgstr "Οι passphrases αποθηκεύτηκαν" - msgid "Passphrase is not corresponding to account" msgstr "Η passphrase δεν ανταποκρίνεται στον λογαριασμό" -msgid "Passphrases deleted" -msgstr "Οι passphrases διαγράφηκαν" - msgid "Peer" msgstr "Peer" -msgid "Please backup securely the passphrase, this client does NOT store it and thus cannot recover your passphrase" -msgstr "Παρακαλώ αποθηκεύστε ασφαλώς την passphrase, αυτός ο client-δέκτης ΔΕΝ την αποθηκεύει και γι'αυτό δεν μπορεί να την ανακτήσει" - msgid "Please enter a folder name." msgstr "Παρακαλώ εισάγετε ένα όνομα φακέλου" @@ -281,27 +233,12 @@ msgstr "Κατάταξη" msgid "Receive Ark" msgstr "Παραλαβή ARK" -msgid "Register Delegate" -msgstr "Κατοχύρωση Delegate" - -msgid "Register delegate for" -msgstr "Κατοχύρωση delegate για" - msgid "Rename" msgstr "Μετονομασία" msgid "Remove" msgstr "Αφαίρεση" -msgid "Restart" -msgstr "Επανεκκίνηση" - -msgid "Save" -msgstr "Αποθήκευση" - -msgid "Save Passphrases for" -msgstr "Αποθήκευση των Passphrases για" - msgid "Send" msgstr "Αποστολή" @@ -320,21 +257,12 @@ msgstr "Ρύθμιση" msgid "Succesfully Logged In!" msgstr "Επιτυχής σύνδεση!" -msgid "Smartbridge" -msgstr "Smartbridge" - msgid "The destination address" msgstr "Η διεύθυνση προορισμού" -msgid "This account has never interacted with the network. This is a cold wallet." -msgstr "Αυτός ο λογαριασμός δεν έχει αλληλεπιδράσει ποτέ με το δίκτυο. Είναι ένα αδρανές πορτοφόλι." - msgid "To" msgstr "Προς" -msgid "Total {{ul.network.symbol}}" -msgstr "Σύνολο {{ul.δίκτυο.σύμβολο}}" - msgid "Transaction" msgstr "Συναλλαγή" @@ -350,9 +278,6 @@ msgstr "Ανανεώστε την ψήφο από" msgid "Username" msgstr "Όνομα Χρήστη" -msgid "Vendor Field" -msgstr "Λίστα Προμηθευτών" - msgid "Virtual folder added!" msgstr "Ο εικονικός φάκελος προστέθηκε!" @@ -395,6 +320,129 @@ msgstr "Χρειάζεστε τουλάχιστον 1 ARK για να ψηφίσ msgid "sent with success!" msgstr "Στάλθηκε με επιτυχία" -msgid "you need at least 25 ARK to register delegate" -msgstr "Χρειάζεστε τουλάχιστον 25 ARK για να κατοχυρώσετε έναν delegate" +msgid "Total Ѧ" +msgstr "Σύνολο Ѧ" + +msgid "This account has never interacted with the network. This is either:" +msgstr "Αυτός ο λογαριασμός δεν έχει αλληλεπιδράσει ποτέ με το δίκτυο. Αυτό είναι είτε:" + +msgid "an inexistant wallet, ie nobody knows the passphrase of this wallet. The ARK are lost" +msgstr "ένα ανύπαρκτο πορτοφόλι, κανένας δεν ξέρει την passphrase από αυτό το πορτοφόλι. Τα ARK χάθηκαν" + +msgid "an inexistant wallet, ie nobody knows the passphrase of this wallet." +msgstr "ένα ανύπαρκτο πορτοφόλι, κανένας δεν ξέρει την passphrase από αυτό το πορτοφόλι." + +msgid "a cold wallet, ie the owner of the passphrase has never used it" +msgstr "ένα αδρανές πορτοφόλι, ο ιδιοκτήτης της passphrase δεν το έχει χρησιμοποιήσει ποτέ." + +msgid "Details" +msgstr "Λεπτομέρειες" + +msgid "Recipient Address" +msgstr "Διεύθυνση Αποδέκτη" + +msgid "Add Account from address" +msgstr "Προσθήκη λογαριασμού από την διεύθυνση" + +msgid "Add Sponsors Delegates" +msgstr "Προσθήκη χορηγών delegates" + +msgid "Blockchain Application Registration" +msgstr "Κατοχύρωση εφαρμογής blockchain" + +msgid "By using the following forms, you are accepting their" +msgstr "Χρησιμοποιώντας τις ακόλουθες φόρμες, αποδέχεστε" + +msgid "Delegate Registration" +msgstr "Κατoχύρωση Delegate" + +msgid "Deposit ARK" +msgstr "Καταθέστε ARK" + +msgid "Deposit and Withdraw through our partner" +msgstr "Καταθέστε και κάνετε ανάληψη μέσω των συνεργατών μας" + +msgid "Folders" +msgstr "Φάκελοι" + +msgid "History" +msgstr "Ιστορικό" + +msgid "If you own this account, you can enable virtual folders. Virtual Folders are simple subaccounts to better organise your money, without needing to send a real transaction and pay a fee.
\n Moreover, this account will move under the \"My Accounts\" list." +msgstr "Αν σας ανήκει αυτός ο λογαριασμός, μπορείτε να ενεργοποιήσετε τους εικονικούς φακέλους. Οι εικονικοί φάκελοι είναι απλοί υπολογαριασμοί με σκοπό την καλύτερη οργάνωση των χρημάτων σας, χωρίς να χρειάζεται να στείλετε μια πραγματική συναλλαγή και να πληρώσετε τέλη.
Επιπλέον, αυτός ο λογαριασμός θα μετακινηθεί κάτω από την λίστα \"Οι λογαριασμοί μου\"." + +msgid "If you own this account, you can enable Voting" +msgstr "Εάν σας ανήκει αυτός ο λογαριασμός, μπορείτε να ενεργοποιήσετε την ψηφοφορία" + +msgid "Maximum:" +msgstr "Μέγιστο:" + +msgid "Minimum:" +msgstr "Ελάχιστο:" + +msgid "Multisignature Creation" +msgstr "Δημιουργία multisignature (πολυ-υπογραφής)" + +msgid "Next..." +msgstr "Επόμενο..." + +msgid "Please login with your account before using this feature" +msgstr "Παρακαλώ συνδεθείτε στον λογαριασμό σας πριν χρησιμοποιήσετε αυτή την λειτουργία" + +msgid "Please report any issue to" +msgstr "Παρακαλώ αναφέρετε οποιοδήποτε θέμα στο" + +msgid "Receive" +msgstr "Παραλαβή" + +msgid "Refresh" +msgstr "Ανανέωση" + +msgid "Recepient Address" +msgstr "Διεύθυνση Παραλήπτη" + +msgid "Second Signature Creation" +msgstr "Δημιουργία δεύτερης υπογραφής" + +msgid "Select a coin" +msgstr "Διαλέξτε ένα νόμισμα" + +msgid "Second passphrase" +msgstr "Δεύτερη passphrase" + +msgid "Status:" +msgstr "Κατάσταση:" + +msgid "Status" +msgstr "Κατάσταση" + +msgid "Sponsors Page" +msgstr "Σελίδα χορηγών" + +msgid "Terms and Conditions" +msgstr "Όροι και προϋποθέσεις" + +msgid "They have funded this app so you can use it for free.
\n Vote them to help the development." +msgstr "Έχουν χρηματοδοτήσει αυτή την εφαρμογή ώστε να μπορείτε να την χρησιμοποιήσετε δωρεάν.
\nΨηφίστε τους για να βοηθήσετε την ανάπτυξη." + +msgid "Transaction id" +msgstr "Ταυτότητα συναλλαγής" + +msgid "Transfer Ark from Blockchain Application" +msgstr "Μεταφορά Ark από την Blockchain Εφαρμογή" + +msgid "Transfer Ark to Blockchain Application" +msgstr "Μεταφορά Ark προς την Blockchain Εφαρμογή" + +msgid "Valid until" +msgstr "Ισχύει μέχρι" + +msgid "Withdraw ARK" +msgstr "Ανάληψη ARK" + +msgid "Your email, used to send confirmation" +msgstr "Το email σας, χρησιμοποιήθηκε για να στείλει επιβεβαίωση" + +msgid "to" +msgstr "προς" diff --git a/po/en.po b/po/en.po index 1ae6e72a63..ffa9bcaab6 100755 --- a/po/en.po +++ b/po/en.po @@ -1,8 +1,8 @@ msgid "" msgstr "" "Project-Id-Version: VERSION\n" -"POT-Creation-Date: 2017-01-18 08:54+0000\n" -"PO-Revision-Date: 2017-01-18 08:54+0000\n" +"POT-Creation-Date: 2017-03-03 10:03+0000\n" +"PO-Revision-Date: 2017-03-03 10:03+0000\n" "Last-Translator: FULL NAME \n" "Language-Team: LANGUAGE TEAM \n" "Language: en\n" @@ -11,12 +11,6 @@ msgstr "" "Content-Transfer-Encoding: 8bit\n" "Plural-Forms: nplurals=2; plural=(n != 1);\n" -msgid "Add Watch-Only Address" -msgstr "Add Watch-Only Address" - -msgid "Account successfully created:" -msgstr "Account successfully created:" - msgid "Address" msgstr "Address" @@ -26,8 +20,8 @@ msgstr "Account added!" msgid "Amount (Ѧ)" msgstr "Amount (Ѧ)" -msgid "Add Watch-Only Address" -msgstr "Add Watch-Only Address" +msgid "Add Account" +msgstr "Add Account" msgid "Account deleted!" msgstr "Account deleted!" @@ -80,9 +74,6 @@ msgstr "Cannot state if account is a delegate" msgid "Change 1h/7h/7d" msgstr "Change 1h/7h/7d" -msgid "Create" -msgstr "Create" - msgid "Create Virtual Folder" msgstr "Create Virtual Folder" @@ -92,9 +83,6 @@ msgstr "Create a new virtual folder" msgid "Close" msgstr "Close" -msgid "Create Account" -msgstr "Create Account" - msgid "Default" msgstr "Default" @@ -143,18 +131,12 @@ msgstr "Fee (Ѧ)" msgid "Folder Name" msgstr "Folder Name" -msgid "Full Screen" -msgstr "Full Screen" - msgid "From" msgstr "From" msgid "Hand crafted with ❤ by" msgstr "Hand crafted with ❤ by" -msgid "If you own this account, you can enable virtual folders. Virtual Folders are simple subaccounts to better organise your money, without needing to send a real transaction and pay a fee.
\n Moreover, this account will move under the \"My Accounts\" list." -msgstr "If you own this account, you can enable virtual folders. Virtual Folders are simple subaccounts to better organise your money, without needing to send a real transaction and pay a fee.
\n Moreover, this account will move under the \"My Accounts\" list." - msgid "Height" msgstr "Height" @@ -179,26 +161,14 @@ msgstr "Login" msgid "Market Cap." msgstr "Market Cap." -msgid "Manage Networks" -msgstr "Manage Networks" - -msgid "Maximize" -msgstr "Maximize" - -msgid "Minify" -msgstr "Minify" - msgid "My Accounts" msgstr "My Accounts" -msgid "Network" -msgstr "Network" - msgid "Network connected and healthy!" msgstr "Network connected and healthy!" -msgid "Network disconnected!" -msgstr "Network disconnected!" +msgid "Network disconected!" +msgstr "Network disconected!" msgid "No difference from original delegate list" msgstr "No difference from original delegate list" @@ -215,17 +185,11 @@ msgstr "No search term" msgid "Not enough ARK on your account" msgstr "Not enough ARK on your account" -msgid "OffChain" -msgstr "OffChain" - msgid "Open Delegate Monitor" msgstr "Open Delegate Monitor" -msgid "Optional" -msgstr "Optional" - -msgid "Watch-Only Addresses" -msgstr "Watch-Only Addresses" +msgid "Other Accounts" +msgstr "Other Accounts" msgid "Passphrase does not match your address" msgstr "Passphrase does not match your address" @@ -233,24 +197,12 @@ msgstr "Passphrase does not match your address" msgid "Passphrase" msgstr "Passphrase" -msgid "Passphrases are not secured with high standard.
\n Use this feature only on safe computers and for accounts you can afford to lose balance." -msgstr "Passphrases are not secured with high standard.
\n Use this feature only on safe computers and for accounts you can afford to lose balance." - -msgid "Passphrases saved" -msgstr "Passphrases saved" - msgid "Passphrase is not corresponding to account" msgstr "Passphrase is not corresponding to account" -msgid "Passphrases deleted" -msgstr "Passphrases deleted" - msgid "Peer" msgstr "Peer" -msgid "Please backup securely the passphrase, this client does NOT store it and thus cannot recover your passphrase" -msgstr "Please backup securely the passphrase, this client does NOT store it and thus cannot recover your passphrase" - msgid "Please enter a folder name." msgstr "Please enter a folder name." @@ -281,27 +233,12 @@ msgstr "Rank" msgid "Receive Ark" msgstr "Receive Ark" -msgid "Register Delegate" -msgstr "Register Delegate" - -msgid "Register delegate for" -msgstr "Register delegate for" - msgid "Rename" msgstr "Rename" msgid "Remove" msgstr "Remove" -msgid "Restart" -msgstr "Restart" - -msgid "Save" -msgstr "Save" - -msgid "Save Passphrases for" -msgstr "Save Passphrases for" - msgid "Send" msgstr "Send" @@ -320,21 +257,12 @@ msgstr "Set" msgid "Succesfully Logged In!" msgstr "Succesfully Logged In!" -msgid "Smartbridge" -msgstr "Smartbridge" - msgid "The destination address" msgstr "The destination address" -msgid "This account has never interacted with the network. This is a cold wallet." -msgstr "This account has never interacted with the network. This is a cold wallet." - msgid "To" msgstr "To" -msgid "Total {{ul.network.symbol}}" -msgstr "Total {{ul.network.symbol}}" - msgid "Transaction" msgstr "Transaction" @@ -350,9 +278,6 @@ msgstr "Update vote from" msgid "Username" msgstr "Username" -msgid "Vendor Field" -msgstr "Vendor Field" - msgid "Virtual folder added!" msgstr "Virtual folder added!" @@ -395,6 +320,129 @@ msgstr "you need at least 1 ARK to vote" msgid "sent with success!" msgstr "sent with success!" -msgid "you need at least 25 ARK to register delegate" -msgstr "you need at least 25 ARK to register delegate" +msgid "Total Ѧ" +msgstr "Total Ѧ" + +msgid "This account has never interacted with the network. This is either:" +msgstr "This account has never interacted with the network. This is either:" + +msgid "an inexistant wallet, ie nobody knows the passphrase of this wallet. The ARK are lost" +msgstr "an inexistant wallet, ie nobody knows the passphrase of this wallet. The ARK are lost" + +msgid "an inexistant wallet, ie nobody knows the passphrase of this wallet." +msgstr "an inexistant wallet, ie nobody knows the passphrase of this wallet." + +msgid "a cold wallet, ie the owner of the passphrase has never used it" +msgstr "a cold wallet, ie the owner of the passphrase has never used it" + +msgid "Details" +msgstr "Details" + +msgid "Recipient Address" +msgstr "Recipient Address" + +msgid "Add Account from address" +msgstr "Add Account from address" + +msgid "Add Sponsors Delegates" +msgstr "Add Sponsors Delegates" + +msgid "Blockchain Application Registration" +msgstr "Blockchain Application Registration" + +msgid "By using the following forms, you are accepting their" +msgstr "By using the following forms, you are accepting their" + +msgid "Delegate Registration" +msgstr "Delegate Registration" + +msgid "Deposit ARK" +msgstr "Deposit ARK" + +msgid "Deposit and Withdraw through our partner" +msgstr "Deposit and Withdraw through our partner" + +msgid "Folders" +msgstr "Folders" + +msgid "History" +msgstr "History" + +msgid "If you own this account, you can enable virtual folders. Virtual Folders are simple subaccounts to better organise your money, without needing to send a real transaction and pay a fee.
\n Moreover, this account will move under the \"My Accounts\" list." +msgstr "If you own this account, you can enable virtual folders. Virtual Folders are simple subaccounts to better organise your money, without needing to send a real transaction and pay a fee.
\n Moreover, this account will move under the \"My Accounts\" list." + +msgid "If you own this account, you can enable Voting" +msgstr "If you own this account, you can enable Voting" + +msgid "Maximum:" +msgstr "Maximum:" + +msgid "Minimum:" +msgstr "Minimum:" + +msgid "Multisignature Creation" +msgstr "Multisignature Creation" + +msgid "Next..." +msgstr "Next..." + +msgid "Please login with your account before using this feature" +msgstr "Please login with your account before using this feature" + +msgid "Please report any issue to" +msgstr "Please report any issue to" + +msgid "Receive" +msgstr "Receive" + +msgid "Refresh" +msgstr "Refresh" + +msgid "Recepient Address" +msgstr "Recepient Address" + +msgid "Second Signature Creation" +msgstr "Second Signature Creation" + +msgid "Select a coin" +msgstr "Select a coin" + +msgid "Second passphrase" +msgstr "Second passphrase" + +msgid "Status:" +msgstr "Status:" + +msgid "Status" +msgstr "Status" + +msgid "Sponsors Page" +msgstr "Sponsors Page" + +msgid "Terms and Conditions" +msgstr "Terms and Conditions" + +msgid "They have funded this app so you can use it for free.
\n Vote them to help the development." +msgstr "They have funded this app so you can use it for free.
\n Vote them to help the development." + +msgid "Transaction id" +msgstr "Transaction id" + +msgid "Transfer Ark from Blockchain Application" +msgstr "Transfer Ark from Blockchain Application" + +msgid "Transfer Ark to Blockchain Application" +msgstr "Transfer Ark to Blockchain Application" + +msgid "Valid until" +msgstr "Valid until" + +msgid "Withdraw ARK" +msgstr "Withdraw ARK" + +msgid "Your email, used to send confirmation" +msgstr "Your email, used to send confirmation" + +msgid "to" +msgstr "to" diff --git a/po/es-419.po b/po/es-419.po index 12cbb432a1..9bff8117dd 100755 --- a/po/es-419.po +++ b/po/es-419.po @@ -1,8 +1,8 @@ msgid "" msgstr "" "Project-Id-Version: VERSION\n" -"POT-Creation-Date: 2017-01-18 08:54+0000\n" -"PO-Revision-Date: 2017-01-18 08:54+0000\n" +"POT-Creation-Date: 2017-03-03 10:03+0000\n" +"PO-Revision-Date: 2017-03-03 10:03+0000\n" "Last-Translator: FULL NAME \n" "Language-Team: LANGUAGE TEAM \n" "Language: es_419\n" @@ -20,7 +20,7 @@ msgstr "¡Cuenta adicionada!" msgid "Amount (Ѧ)" msgstr "Cantidad (Ѧ)" -msgid "Add Watch-Only Address" +msgid "Add Account" msgstr "Añadir Cuenta" msgid "Account deleted!" @@ -131,9 +131,6 @@ msgstr "Tasa (Ѧ)" msgid "Folder Name" msgstr "Nombre de Carpeta" -msgid "Full Screen" -msgstr "Pantalla completa" - msgid "From" msgstr "Desde" @@ -164,22 +161,13 @@ msgstr "Iniciar Sesión" msgid "Market Cap." msgstr "Capitalización de Mercado" -msgid "Manage Networks" -msgstr "Administrar redes" - -msgid "Maximize" -msgstr "Maximizar" - msgid "My Accounts" msgstr "Mis Cuentas" -msgid "Network" -msgstr "La red" - msgid "Network connected and healthy!" msgstr "¡Red conectada y en óptimas condiciones!" -msgid "Network disconnected!" +msgid "Network disconected!" msgstr "¡Red desconectada!" msgid "No difference from original delegate list" @@ -200,7 +188,7 @@ msgstr "ARK insuficientes en su cuenta" msgid "Open Delegate Monitor" msgstr "Abrir Monitoreo de Delegados" -msgid "Watch-Only Addresses" +msgid "Other Accounts" msgstr "Otras Cuentas" msgid "Passphrase does not match your address" @@ -332,6 +320,129 @@ msgstr "necesitas al menos 1 ARK para votar" msgid "sent with success!" msgstr "¡Enviado exitosamente!" -msgid "you need at least 25 ARK to register delegate" -msgstr "Necesita al menos 25 ARK para registrar delegado" +msgid "Total Ѧ" +msgstr "Total Ѧ" + +msgid "This account has never interacted with the network. This is either:" +msgstr "Esta cuenta nunca ha interactuado con la red. Esto es ya sea:" + +msgid "an inexistant wallet, ie nobody knows the passphrase of this wallet. The ARK are lost" +msgstr "una billetera inexistente , por ejemplo nadie sabe la contraseña de frase de esta billetera. Los ARK están perdidos" + +msgid "an inexistant wallet, ie nobody knows the passphrase of this wallet." +msgstr "una billetera inexistente, por ejemplo nadie conoce la contraseña de frase de esta billetera." + +msgid "a cold wallet, ie the owner of the passphrase has never used it" +msgstr "una billetera fría, por ejemplo el propietario de una contraseña de frase nunca utilizada" + +msgid "Details" +msgstr "Detalles" + +msgid "Recipient Address" +msgstr "Dirección del Destinatario" + +msgid "Add Account from address" +msgstr "Añadir Cuenta desde dirección" + +msgid "Add Sponsors Delegates" +msgstr "Añadir Delegados Patrocinadores" + +msgid "Blockchain Application Registration" +msgstr "Registro de Aplicación Blockchain" + +msgid "By using the following forms, you are accepting their" +msgstr "Al completar el siguiente formulario, usted está aceptando estos" + +msgid "Delegate Registration" +msgstr "Registro de Delegado" + +msgid "Deposit ARK" +msgstr "Depositar ARK" + +msgid "Deposit and Withdraw through our partner" +msgstr "Deposito y Extracción a través de nuestro socio." + +msgid "Folders" +msgstr "Carpetas" + +msgid "History" +msgstr "Historia" + +msgid "If you own this account, you can enable virtual folders. Virtual Folders are simple subaccounts to better organise your money, without needing to send a real transaction and pay a fee.
\n Moreover, this account will move under the \"My Accounts\" list." +msgstr "Si es el propietario de esta cuenta, puede habilitar carpetas virtuales . Las Carpetas Virtuales son simples sub cuentas que permiten organizar mejor su dinero, sin necesidad de enviar una transacción real y pagar una tasa.
\nPor otra parte, esta cuenta se moverá bajo la lista \" Mis cuentas \" ." + +msgid "If you own this account, you can enable Voting" +msgstr "Si es el propietario de esta cuenta , puede habilitar la Votación" + +msgid "Maximum:" +msgstr "Máximo" + +msgid "Minimum:" +msgstr "Mínimo" + +msgid "Multisignature Creation" +msgstr "Creación de múltiple firma" + +msgid "Next..." +msgstr "Siguiente..." + +msgid "Please login with your account before using this feature" +msgstr "Por favor inicie sesión con su cuenta antes de utilizar esta función" + +msgid "Please report any issue to" +msgstr "Por favor reportar cualquier problema a" + +msgid "Receive" +msgstr "Recibir" + +msgid "Refresh" +msgstr "Refrescar" + +msgid "Recepient Address" +msgstr "Dirección del destinatario" + +msgid "Second Signature Creation" +msgstr "Segunda Creación de Firma" + +msgid "Select a coin" +msgstr "Seleccionar moneda" + +msgid "Second passphrase" +msgstr "Segunda contraseña de frase" + +msgid "Status:" +msgstr "Estado:" + +msgid "Status" +msgstr "Estado" + +msgid "Sponsors Page" +msgstr "Página de Patrocinadores" + +msgid "Terms and Conditions" +msgstr "Términos y Condiciones" + +msgid "They have funded this app so you can use it for free.
\n Vote them to help the development." +msgstr "Ellos han financiado esta aplicación para que puedas utilizarla de forma gratuita.
Vota por ellos para contribuir al desarrollo de la misma." + +msgid "Transaction id" +msgstr "ID de Transacción" + +msgid "Transfer Ark from Blockchain Application" +msgstr "Transferir Ark desde Aplicación Blockchain" + +msgid "Transfer Ark to Blockchain Application" +msgstr "Transferir Ark hacia Aplicación Blockchain" + +msgid "Valid until" +msgstr "Válido hasta" + +msgid "Withdraw ARK" +msgstr "Extraer ARK" + +msgid "Your email, used to send confirmation" +msgstr "Su correo electrónico, utilizado para enviar la confirmación" + +msgid "to" +msgstr "hacia" diff --git a/po/fr.po b/po/fr.po index 721a4c71d9..7129024764 100755 --- a/po/fr.po +++ b/po/fr.po @@ -1,8 +1,8 @@ msgid "" msgstr "" "Project-Id-Version: VERSION\n" -"POT-Creation-Date: 2017-01-18 14:31+0000\n" -"PO-Revision-Date: 2017-01-18 14:31+0000\n" +"POT-Creation-Date: 2017-03-03 10:03+0000\n" +"PO-Revision-Date: 2017-03-03 10:03+0000\n" "Last-Translator: FULL NAME \n" "Language-Team: LANGUAGE TEAM \n" "Language: fr\n" @@ -11,12 +11,6 @@ msgstr "" "Content-Transfer-Encoding: 8bit\n" "Plural-Forms: nplurals=2; plural=(n > 1);\n" -msgid "Add Watch-Only Address" -msgstr "Ajouter une adresse" - -msgid "Account successfully created:" -msgstr "Compte enregistré avec succès" - msgid "Address" msgstr "Adresse" @@ -26,7 +20,7 @@ msgstr "Compte ajouté !" msgid "Amount (Ѧ)" msgstr "Montant (Ѧ)" -msgid "Add Watch-Only Address" +msgid "Add Account" msgstr "Ajouter un compte" msgid "Account deleted!" @@ -80,9 +74,6 @@ msgstr "Impossible de savoir si ce compte est enregistré en tant que délégué msgid "Change 1h/7h/7d" msgstr "Variations 1h/7h/7j" -msgid "Create" -msgstr "Créer" - msgid "Create Virtual Folder" msgstr "Créer un portefeuille virtuel" @@ -92,9 +83,6 @@ msgstr "Créer un nouveau portefeuille virtuel" msgid "Close" msgstr "Fermer" -msgid "Create Account" -msgstr "Créer un compte" - msgid "Default" msgstr "Par défaut" @@ -143,18 +131,12 @@ msgstr "Frais (Ѧ)" msgid "Folder Name" msgstr "Nom du portefeuille virtuel" -msgid "Full Screen" -msgstr "Plein écran" - msgid "From" msgstr "De" msgid "Hand crafted with ❤ by" msgstr "Réalisé avec ❤ par " -msgid "If you own this account, you can enable virtual folders. Virtual Folders are simple subaccounts to better organise your money, without needing to send a real transaction and pay a fee.
\n Moreover, this account will move under the \"My Accounts\" list." -msgstr "Si vous possédez ce compte, vous pouvez utiliser les portefeuilles virtuels. Ils permettent une meilleure organisation de votre argent sans avoir à payer les frais de transaction.\nCe compte s'affichera dans \"Mes portefeuilles\"" - msgid "Height" msgstr "Blocks forgés" @@ -179,25 +161,13 @@ msgstr "Connexion" msgid "Market Cap." msgstr "Capitalisation" -msgid "Manage Networks" -msgstr "Gestion du réseau" - -msgid "Maximize" -msgstr "Agrandir" - -msgid "Minify" -msgstr "Iconifier" - msgid "My Accounts" msgstr "Mes Comptes" -msgid "Network" -msgstr "Réseau" - msgid "Network connected and healthy!" msgstr "Connecté au réseau !" -msgid "Network disconnected!" +msgid "Network disconected!" msgstr "Déconnecté du réseau !" msgid "No difference from original delegate list" @@ -215,16 +185,10 @@ msgstr "Aucun terme de recherche" msgid "Not enough ARK on your account" msgstr "Pas assez d'ARK sur votre compte" -msgid "OffChain" -msgstr "Pas enregistré sur la blockchain" - msgid "Open Delegate Monitor" msgstr "Ouvrir la page de suivi des délégués" -msgid "Optional" -msgstr "Optionnel" - -msgid "Watch-Only Addresses" +msgid "Other Accounts" msgstr "Autres portefeuilles" msgid "Passphrase does not match your address" @@ -233,24 +197,12 @@ msgstr "Le mot de passe ne correspond pas à votre adresse" msgid "Passphrase" msgstr "Mot de Passe" -msgid "Passphrases are not secured with high standard.
\n Use this feature only on safe computers and for accounts you can afford to lose balance." -msgstr "Les mots de passe ne sont pas encryptés.
\nUtiliser cette option seulement sur un ordinateur sécurisé et pour des comptes où vous pouvez perdre." - -msgid "Passphrases saved" -msgstr "mot de passe enregistré" - msgid "Passphrase is not corresponding to account" msgstr "Le mot de passe ne correspond pas au compte" -msgid "Passphrases deleted" -msgstr "mot de passe supprimé" - msgid "Peer" msgstr "Nœud" -msgid "Please backup securely the passphrase, this client does NOT store it and thus cannot recover your passphrase" -msgstr "Sauvegarder absolument le mot de passe dans un endroit sûr car le logiciel ne l'enregistre pas. Si vous ne le sauvegardez pas, il vous sera impossible de le retrouver" - msgid "Please enter a folder name." msgstr "Entrer un nom de portefeuille." @@ -281,27 +233,12 @@ msgstr "Rang" msgid "Receive Ark" msgstr "Réception" -msgid "Register Delegate" -msgstr "S'enregistrer en tant que délégué" - -msgid "Register delegate for" -msgstr "Inscrire un délégué pour" - msgid "Rename" msgstr "Renommer" msgid "Remove" msgstr "Retirer" -msgid "Restart" -msgstr "Redémarrer" - -msgid "Save" -msgstr "Enregistrer" - -msgid "Save Passphrases for" -msgstr "Sauver le mot de passe" - msgid "Send" msgstr "Envoyer" @@ -320,21 +257,12 @@ msgstr "Créer" msgid "Succesfully Logged In!" msgstr "Connecté avec succès" -msgid "Smartbridge" -msgstr "Passerelle vers ark" - msgid "The destination address" msgstr "L'adresse du portefeuille cible" -msgid "This account has never interacted with the network. This is a cold wallet." -msgstr "Ce compte n'a jamais interagi avec le réseau. C'est un \"Cold Wallet\"." - msgid "To" msgstr "A" -msgid "Total {{ul.network.symbol}}" -msgstr "Total {{ul.network.symbol}}" - msgid "Transaction" msgstr "Transaction" @@ -350,9 +278,6 @@ msgstr "Mise à jour du vote du compte" msgid "Username" msgstr "Nom d'utilisateur" -msgid "Vendor Field" -msgstr "Champ du vendeur" - msgid "Virtual folder added!" msgstr "Compte virtuel ajouté !" @@ -395,6 +320,129 @@ msgstr "vous avez besoin d'au moins 1 Ѧ pour pouvoir voter" msgid "sent with success!" msgstr "envoyé avec succès" -msgid "you need at least 25 ARK to register delegate" -msgstr "vous devez avoir au moins 25 Ѧ pour devenir délégué" +msgid "Total Ѧ" +msgstr "Total Ѧ" + +msgid "This account has never interacted with the network. This is either:" +msgstr "Ce compte ne s'est jamais connecté au réseau. Il peut s'agir soit :" + +msgid "an inexistant wallet, ie nobody knows the passphrase of this wallet. The ARK are lost" +msgstr "un compte inexistant : personne ne connait le mot de passe. Les ARK sont perdus" + +msgid "an inexistant wallet, ie nobody knows the passphrase of this wallet." +msgstr "un compte inexistant : personne ne connait le mot de passe de ce portefeuille." + +msgid "a cold wallet, ie the owner of the passphrase has never used it" +msgstr "d'un \"Cold Wallet\", càd le propriétaire ne l'a jamais utilisé" + +msgid "Details" +msgstr "Détails" + +msgid "Recipient Address" +msgstr "Adresse du receveur" + +msgid "Add Account from address" +msgstr "Ajouter un compte à partir d'une adresse" + +msgid "Add Sponsors Delegates" +msgstr "Ajouter les délégués des sponsors" + +msgid "Blockchain Application Registration" +msgstr "Enregistrement d'une Application Blockchain" + +msgid "By using the following forms, you are accepting their" +msgstr "En utilisant les formulaires ci-dessous, vous déclarez accepter leur " + +msgid "Delegate Registration" +msgstr "Enregistrement d'un délégué" + +msgid "Deposit ARK" +msgstr "Déposer des ARK" + +msgid "Deposit and Withdraw through our partner" +msgstr "Déposer et retirer grâce à notre partenaire" + +msgid "Folders" +msgstr "Portefeuilles" + +msgid "History" +msgstr "Historique" + +msgid "If you own this account, you can enable virtual folders. Virtual Folders are simple subaccounts to better organise your money, without needing to send a real transaction and pay a fee.
\n Moreover, this account will move under the \"My Accounts\" list." +msgstr "Si vous possédez ce compte, vous pouvez activer les comptes virtuels. Ceux-ci sont de simple portefeuilles hors-lignes pour mieux vous organiser, sans avoir à envoyer de vraies transactions et ainsi réduire les frais de gestion.
\nDe plus ce compte se déplacera dans la liste \"Mes comptes\"." + +msgid "If you own this account, you can enable Voting" +msgstr "Si vous possédez ce compte, vous pouvez voter pour un délégué" + +msgid "Maximum:" +msgstr "Maximum :" + +msgid "Minimum:" +msgstr "Minimum :" + +msgid "Multisignature Creation" +msgstr "Création d'un compte multisignature" + +msgid "Next..." +msgstr "Suivant..." + +msgid "Please login with your account before using this feature" +msgstr "Connectez-vous à votre compte avant de pouvoir utiliser cette fonction" + +msgid "Please report any issue to" +msgstr "Si vous rencontrez des problèmes, contactez " + +msgid "Receive" +msgstr "Recevoir" + +msgid "Refresh" +msgstr "Rafraîchir" + +msgid "Recepient Address" +msgstr "Adresse de reception" + +msgid "Second Signature Creation" +msgstr "Création d'un deuxième mot de passe" + +msgid "Select a coin" +msgstr "Sélectionner une devise" + +msgid "Second passphrase" +msgstr "Second mot de passe" + +msgid "Status:" +msgstr "Etat :" + +msgid "Status" +msgstr "Etat" + +msgid "Sponsors Page" +msgstr "Page des Sponsors" + +msgid "Terms and Conditions" +msgstr "Conditions Générales" + +msgid "They have funded this app so you can use it for free.
\n Vote them to help the development." +msgstr "Ils ont financés cette application pour que vous puissiez l'utiliser gratuitement.
\nVoter pour eux permet d'aider à continuer son développement" + +msgid "Transaction id" +msgstr "Id de la Transaction" + +msgid "Transfer Ark from Blockchain Application" +msgstr "Transfert d'Ark depuis l'Application Blockchain" + +msgid "Transfer Ark to Blockchain Application" +msgstr "Transfert de Ark vers l'Application Blockchain" + +msgid "Valid until" +msgstr "Valide jusqu'au" + +msgid "Withdraw ARK" +msgstr "Retirer des ARK" + +msgid "Your email, used to send confirmation" +msgstr "Votre email, pour envoyer une confirmation" + +msgid "to" +msgstr "à" diff --git a/po/hu.po b/po/hu.po index 322c53bd50..66248cf0f1 100755 --- a/po/hu.po +++ b/po/hu.po @@ -1,8 +1,8 @@ msgid "" msgstr "" "Project-Id-Version: VERSION\n" -"POT-Creation-Date: 2017-01-18 08:54+0000\n" -"PO-Revision-Date: 2017-01-18 08:54+0000\n" +"POT-Creation-Date: 2017-03-03 10:03+0000\n" +"PO-Revision-Date: 2017-03-03 10:03+0000\n" "Last-Translator: FULL NAME \n" "Language-Team: LANGUAGE TEAM \n" "Language: hu\n" @@ -20,7 +20,7 @@ msgstr "Account hozzáadva!" msgid "Amount (Ѧ)" msgstr "Összeg (Ѧ)" -msgid "Add Watch-Only Address" +msgid "Add Account" msgstr "Account hozzáadása" msgid "Account deleted!" @@ -56,3 +56,21 @@ msgstr "Pénzváltó" msgid "Transactions" msgstr "Tranzakciók" +msgid "Total Ѧ" +msgstr "Összes" + +msgid "This account has never interacted with the network. This is either:" +msgstr "Ez az account nem volt regisztrálva a hálózaton. Ennek oka:" + +msgid "Add Account from address" +msgstr "Account hozzáadása cím megadásával" + +msgid "Add Sponsors Delegates" +msgstr "Szponzor delegátusok hozzáadása" + +msgid "Blockchain Application Registration" +msgstr "Blokkchain Aplikáció Regisztrálása" + +msgid "By using the following forms, you are accepting their" +msgstr "A következők használatával elfogadod a" + diff --git a/po/id.po b/po/id.po index 2c5f92cb8a..4aca4b10ff 100755 --- a/po/id.po +++ b/po/id.po @@ -1,8 +1,8 @@ msgid "" msgstr "" "Project-Id-Version: VERSION\n" -"POT-Creation-Date: 2017-01-18 14:31+0000\n" -"PO-Revision-Date: 2017-01-18 14:31+0000\n" +"POT-Creation-Date: 2017-03-03 10:03+0000\n" +"PO-Revision-Date: 2017-03-03 10:03+0000\n" "Last-Translator: FULL NAME \n" "Language-Team: LANGUAGE TEAM \n" "Language: id\n" @@ -11,12 +11,6 @@ msgstr "" "Content-Transfer-Encoding: 8bit\n" "Plural-Forms: nplurals=1; plural=0;\n" -msgid "Add Watch-Only Address" -msgstr "Tambahkan Alamat" - -msgid "Account successfully created:" -msgstr "Akun berhasil dibuat:" - msgid "Address" msgstr "Alamat" @@ -26,7 +20,7 @@ msgstr "Akun ditambahkan!" msgid "Amount (Ѧ)" msgstr "Jumlah (Ѧ)" -msgid "Add Watch-Only Address" +msgid "Add Account" msgstr "Tambahkan Akun" msgid "Account deleted!" @@ -80,9 +74,6 @@ msgstr "Tidak dapat menyatakan bahwa akun ini adalah delegasi" msgid "Change 1h/7h/7d" msgstr "Perubahan 1j/7j/7h" -msgid "Create" -msgstr "Buat" - msgid "Create Virtual Folder" msgstr "Buat Folder Virtual" @@ -92,9 +83,6 @@ msgstr "Buat folder virtual baru" msgid "Close" msgstr "Tutup" -msgid "Create Account" -msgstr "Buat Akun" - msgid "Default" msgstr "Default" @@ -143,18 +131,12 @@ msgstr "Biaya (Ѧ)" msgid "Folder Name" msgstr "Nama Folder" -msgid "Full Screen" -msgstr "Layar Penuh" - msgid "From" msgstr "Dari" msgid "Hand crafted with ❤ by" msgstr "Dibuat dengan ❤ oleh" -msgid "If you own this account, you can enable virtual folders. Virtual Folders are simple subaccounts to better organise your money, without needing to send a real transaction and pay a fee.
\n Moreover, this account will move under the \"My Accounts\" list." -msgstr "Jika Anda adalah pemilik akun ini, Anda dapat mengaktifkan folder virtual. Folder Virtual adalah sub-akun sederhana untuk memudahkan pengelolaan uang anda, tanpa perlu mengirimkan transaksi nyata dan membayar biayanya.
Selain itu, akun ini akan berada didaftar \"Akun Saya\"" - msgid "Height" msgstr "Tinggi" @@ -179,25 +161,13 @@ msgstr "Masuk" msgid "Market Cap." msgstr "Kapitalisasi Pasar" -msgid "Manage Networks" -msgstr "Kelola Jaringan" - -msgid "Maximize" -msgstr "Perbesar" - -msgid "Minify" -msgstr "Perkecil" - msgid "My Accounts" msgstr "Akun Saya" -msgid "Network" -msgstr "Jaringan" - msgid "Network connected and healthy!" msgstr "Jaringan terhubung dan baik!" -msgid "Network disconnected!" +msgid "Network disconected!" msgstr "Jaringan terputus!" msgid "No difference from original delegate list" @@ -215,16 +185,10 @@ msgstr "Tidak ada kata pencarian" msgid "Not enough ARK on your account" msgstr "ARK di akun anda tidak cukup" -msgid "OffChain" -msgstr "OffChain" - msgid "Open Delegate Monitor" msgstr "Buka Monitor Delegasi" -msgid "Optional" -msgstr "Opsional" - -msgid "Watch-Only Addresses" +msgid "Other Accounts" msgstr "Akun-akun Lainnya" msgid "Passphrase does not match your address" @@ -233,24 +197,12 @@ msgstr "Kata sandi tidak sesuai dengan alamat Anda" msgid "Passphrase" msgstr "Kata sandi" -msgid "Passphrases are not secured with high standard.
\n Use this feature only on safe computers and for accounts you can afford to lose balance." -msgstr "Kata sandi tidak diamankan dengan standar tinggi.\n
\nHanya gunakan fitur ini pada komputer yang aman dan untuk akun yang anda rela bila saldo hilang." - -msgid "Passphrases saved" -msgstr "Kata sandi disimpan" - msgid "Passphrase is not corresponding to account" msgstr "Kata sandi tidak sesuai dengan akun" -msgid "Passphrases deleted" -msgstr "Kata sandi dihapus" - msgid "Peer" msgstr "Peer" -msgid "Please backup securely the passphrase, this client does NOT store it and thus cannot recover your passphrase" -msgstr "Harap cadangkan Kata sandi dengan aman, client ini TIDAK menyimpannya sehingga tidak dapat memulihkan kata sandi Anda." - msgid "Please enter a folder name." msgstr "Masukkan nama Folder" @@ -281,27 +233,12 @@ msgstr "Peringkat" msgid "Receive Ark" msgstr "Terima Ark" -msgid "Register Delegate" -msgstr "Daftar Delegasi" - -msgid "Register delegate for" -msgstr "Daftarkan Delegasi untuk" - msgid "Rename" msgstr "Ubah Nama" msgid "Remove" msgstr "Hapus" -msgid "Restart" -msgstr "Restart" - -msgid "Save" -msgstr "Simpan" - -msgid "Save Passphrases for" -msgstr "Simpan Kata sandi untuk" - msgid "Send" msgstr "Kirim" @@ -320,21 +257,12 @@ msgstr "Set" msgid "Succesfully Logged In!" msgstr "Berhasil Masuk!" -msgid "Smartbridge" -msgstr "Smartbridge" - msgid "The destination address" msgstr "Alamat tujuan" -msgid "This account has never interacted with the network. This is a cold wallet." -msgstr "Akun ini tidak pernah berinteraksi dengan jaringan. Ini adalah cold wallet." - msgid "To" msgstr "Ke" -msgid "Total {{ul.network.symbol}}" -msgstr "Total {{ul.jaringan.simbol}}" - msgid "Transaction" msgstr "Transaksi" @@ -350,9 +278,6 @@ msgstr "Perbaharui vote dari" msgid "Username" msgstr "Nama pengguna" -msgid "Vendor Field" -msgstr "Laman Vendor" - msgid "Virtual folder added!" msgstr "Folder virtual ditambahkan!" @@ -395,6 +320,129 @@ msgstr "Anda memerlukan setidaknya 1 ARK untuk melakukan vote" msgid "sent with success!" msgstr "Berhasil dikirim!" -msgid "you need at least 25 ARK to register delegate" -msgstr "Anda memerlukan setidaknya 25 ARK untuk mendaftar delegasi" +msgid "Total Ѧ" +msgstr "Total Ѧ" + +msgid "This account has never interacted with the network. This is either:" +msgstr "Akun ini tidak pernah berinteraksi dengan jaringan. Ini adalah salah satu dari:" + +msgid "an inexistant wallet, ie nobody knows the passphrase of this wallet. The ARK are lost" +msgstr "sebuah dompet inexistant, yaitu tidak ada yang tahu kata sandi dari dompet ini. ARK tersebut hilang" + +msgid "an inexistant wallet, ie nobody knows the passphrase of this wallet." +msgstr "sebuah dompet inexistant, yaitu tidak ada yang tahu kata sandi dari dompet ini." + +msgid "a cold wallet, ie the owner of the passphrase has never used it" +msgstr "sebuah cold wallet, yaitu pemilik kata sandi tidak pernah menggunakannya " + +msgid "Details" +msgstr "Rincian" + +msgid "Recipient Address" +msgstr "Alamat penerima" + +msgid "Add Account from address" +msgstr "Tambahkan Akun dari alamat" + +msgid "Add Sponsors Delegates" +msgstr "Tambahkan Sponsor Delegasi " + +msgid "Blockchain Application Registration" +msgstr "Pendaftaran Aplikasi Blockchain" + +msgid "By using the following forms, you are accepting their" +msgstr "Dengan menggunakan formulir berikut, Anda menyetujui" + +msgid "Delegate Registration" +msgstr "Pendaftaran Delegasi" + +msgid "Deposit ARK" +msgstr "Deposit ARK" + +msgid "Deposit and Withdraw through our partner" +msgstr "Deposit dan Penarikan melalui mitra kami" + +msgid "Folders" +msgstr "Folder-folder" + +msgid "History" +msgstr "Riwayat" + +msgid "If you own this account, you can enable virtual folders. Virtual Folders are simple subaccounts to better organise your money, without needing to send a real transaction and pay a fee.
\n Moreover, this account will move under the \"My Accounts\" list." +msgstr "Jika Anda adalah pemilik akun ini, Anda dapat mengaktifkan folder virtual. Folder Virtual adalah sub-akun sederhana untuk memudahkan pengelolaan uang anda, tanpa perlu mengirimkan transaksi nyata dan membayar biayanya.
Selain itu, akun ini akan berada didaftar \"Akun Saya\"" + +msgid "If you own this account, you can enable Voting" +msgstr "Jika anda adalah pemilik akun ini, anda dapat mengaktifkan Voting" + +msgid "Maximum:" +msgstr "Maksimal" + +msgid "Minimum:" +msgstr "Minimal" + +msgid "Multisignature Creation" +msgstr "Pembuatan Multisignature" + +msgid "Next..." +msgstr "Berikutnya..." + +msgid "Please login with your account before using this feature" +msgstr "Silahkan masuk dengan akun Anda sebelum menggunakan fitur ini" + +msgid "Please report any issue to" +msgstr "Silakan laporkan masalah apapun ke" + +msgid "Receive" +msgstr "Menerima" + +msgid "Refresh" +msgstr "Segarkan" + +msgid "Recepient Address" +msgstr "Alamat Penerima" + +msgid "Second Signature Creation" +msgstr "Pembuatan Signature Kedua" + +msgid "Select a coin" +msgstr "Pilih Koin" + +msgid "Second passphrase" +msgstr "Kata sandi Kedua" + +msgid "Status:" +msgstr "Status:" + +msgid "Status" +msgstr "Status" + +msgid "Sponsors Page" +msgstr "Laman Sponsor" + +msgid "Terms and Conditions" +msgstr "Syarat dan Ketentuan" + +msgid "They have funded this app so you can use it for free.
\n Vote them to help the development." +msgstr "Mereka telah mendanai aplikasi ini sehingga Anda dapat menggunakannya dengan gratis.
\nVote mereka untuk membantu pengembangan." + +msgid "Transaction id" +msgstr "Id transaksi" + +msgid "Transfer Ark from Blockchain Application" +msgstr "Pindahkan ARK dari Aplikasi Blockchain" + +msgid "Transfer Ark to Blockchain Application" +msgstr "Pindahkan ARK ke Aplikasi Blockchain" + +msgid "Valid until" +msgstr "Berlaku hingga" + +msgid "Withdraw ARK" +msgstr "Penarikan ARK" + +msgid "Your email, used to send confirmation" +msgstr "Email Anda, digunakan untuk mengirimkan konfirmasi" + +msgid "to" +msgstr "ke" diff --git a/po/it.po b/po/it.po index e96547f3ac..2512e4a57f 100755 --- a/po/it.po +++ b/po/it.po @@ -1,8 +1,8 @@ msgid "" msgstr "" "Project-Id-Version: VERSION\n" -"POT-Creation-Date: 2017-01-18 08:54+0000\n" -"PO-Revision-Date: 2017-01-18 08:54+0000\n" +"POT-Creation-Date: 2017-03-03 10:03+0000\n" +"PO-Revision-Date: 2017-03-03 10:03+0000\n" "Last-Translator: FULL NAME \n" "Language-Team: LANGUAGE TEAM \n" "Language: it\n" @@ -20,7 +20,7 @@ msgstr "Account aggiunto!" msgid "Amount (Ѧ)" msgstr "Somma (Ѧ)" -msgid "Add Watch-Only Address" +msgid "Add Account" msgstr "Aggiungi Account" msgid "Account deleted!" @@ -167,7 +167,7 @@ msgstr "Il mio account" msgid "Network connected and healthy!" msgstr "Rete connessa e funzionante!" -msgid "Network disconnected!" +msgid "Network disconected!" msgstr "Rete Disconnessa!" msgid "No difference from original delegate list" @@ -188,7 +188,7 @@ msgstr "Non ci sono abbastanza ARK sul tuo account" msgid "Open Delegate Monitor" msgstr "Apri il monitor delegati" -msgid "Watch-Only Addresses" +msgid "Other Accounts" msgstr "Altri account" msgid "Passphrase does not match your address" @@ -320,3 +320,129 @@ msgstr "hai bisogno di almeno 1 ARK per votare" msgid "sent with success!" msgstr "inviato con successo" +msgid "Total Ѧ" +msgstr "Ѧ totali" + +msgid "This account has never interacted with the network. This is either:" +msgstr "Questo account non si è mai connesso alla rete. Può essere che :" + +msgid "an inexistant wallet, ie nobody knows the passphrase of this wallet. The ARK are lost" +msgstr "un wallet inesistente, esempio : nessuno sa la passphrase del wallet. I ARK sono persi" + +msgid "an inexistant wallet, ie nobody knows the passphrase of this wallet." +msgstr "un wallet inesistente, esempio : nessuno sa la passphrase del wallet." + +msgid "a cold wallet, ie the owner of the passphrase has never used it" +msgstr "un cold wallet, esempio il possessore della passphrase non l'ha mai usato\n" + +msgid "Details" +msgstr "Dettagli" + +msgid "Recipient Address" +msgstr "Indirizzo del destinatario" + +msgid "Add Account from address" +msgstr "Aggiungi un account da un indirizzo" + +msgid "Add Sponsors Delegates" +msgstr "Aggiungi Delegati Sponsor" + +msgid "Blockchain Application Registration" +msgstr "Registrazione applicazione blockchain" + +msgid "By using the following forms, you are accepting their" +msgstr "Utilizzando questo modulo accetterai il loro" + +msgid "Delegate Registration" +msgstr "Registrazione Delegato" + +msgid "Deposit ARK" +msgstr "Deposita ARK" + +msgid "Deposit and Withdraw through our partner" +msgstr "Deposita e ritira utilizzando un nostro partener" + +msgid "Folders" +msgstr "Cartelle" + +msgid "History" +msgstr "Storia" + +msgid "If you own this account, you can enable virtual folders. Virtual Folders are simple subaccounts to better organise your money, without needing to send a real transaction and pay a fee.
\n Moreover, this account will move under the \"My Accounts\" list." +msgstr "Se possiedi questo account puoi abilitare le cartelle virtuali. Le cartelle virtuali sono dei semplici account secondari per poter organizzare meglio i tuoi soldi, senza il bisogno di dover fare delle vere transazioni e pagare le fee.
\nInoltre questo account sarà spostato sotto la lista \"Il mio account\" ." + +msgid "If you own this account, you can enable Voting" +msgstr "Se possiedi questo account puoi abilitare il voto" + +msgid "Maximum:" +msgstr "Massimo:" + +msgid "Minimum:" +msgstr "Minimo:" + +msgid "Multisignature Creation" +msgstr "Creazione Multisignature" + +msgid "Next..." +msgstr "Prossimo..." + +msgid "Please login with your account before using this feature" +msgstr "Accedi all'account per abilitare questa funzione" + +msgid "Please report any issue to" +msgstr "Segnala ogni problema a \n" + +msgid "Receive" +msgstr "Ricevi" + +msgid "Refresh" +msgstr "Aggiorna" + +msgid "Recepient Address" +msgstr "Address del ricevente" + +msgid "Second Signature Creation" +msgstr "Creazione della seconda firma" + +msgid "Select a coin" +msgstr "Seleziona una moneta" + +msgid "Second passphrase" +msgstr "Seconda firma" + +msgid "Status:" +msgstr "Stato:" + +msgid "Status" +msgstr "Stato" + +msgid "Sponsors Page" +msgstr "Pagina degli sponsor" + +msgid "Terms and Conditions" +msgstr "Termini e Condizioni" + +msgid "They have funded this app so you can use it for free.
\n Vote them to help the development." +msgstr "Loro hanno finanziato questa applicazione così che puoi usarla gratuitamente.
\nVotali per aiutare lo sviluppo." + +msgid "Transaction id" +msgstr "Id Transazione" + +msgid "Transfer Ark from Blockchain Application" +msgstr "Trasferisci i Ark da un applicazione " + +msgid "Transfer Ark to Blockchain Application" +msgstr "Trasferisci i Ark a un applicazione " + +msgid "Valid until" +msgstr "Valido fino " + +msgid "Withdraw ARK" +msgstr "Ritira ARK" + +msgid "Your email, used to send confirmation" +msgstr "La tua email usata per inviare la conferma" + +msgid "to" +msgstr "a" + diff --git a/po/nl.po b/po/nl.po index 8f22adf4c9..8883aad51f 100755 --- a/po/nl.po +++ b/po/nl.po @@ -1,8 +1,8 @@ msgid "" msgstr "" "Project-Id-Version: VERSION\n" -"POT-Creation-Date: 2017-01-19 21:58+0000\n" -"PO-Revision-Date: 2017-01-19 21:58+0000\n" +"POT-Creation-Date: 2017-03-03 10:03+0000\n" +"PO-Revision-Date: 2017-03-03 10:03+0000\n" "Last-Translator: FULL NAME \n" "Language-Team: LANGUAGE TEAM \n" "Language: nl\n" @@ -53,18 +53,12 @@ msgstr "Prijs " msgid "Folder Name" msgstr "Folder Naam" -msgid "Full Screen" -msgstr "Vol Scherm " - msgid "From" msgstr "Van" msgid "Hand crafted with ❤ by" msgstr "Hand gemaakt met ❤ door" -msgid "If you own this account, you can enable virtual folders. Virtual Folders are simple subaccounts to better organise your money, without needing to send a real transaction and pay a fee.
\n Moreover, this account will move under the \"My Accounts\" list." -msgstr "Als u eigenaar van dit account kunt u virtuele mappen in te schakelen. Virtual Folders zijn eenvoudig subaccounts om uw geld beter te organiseren, zonder dat een echte transactie te sturen en een vergoeding betalen.
\nBovendien zal deze account bewegen onder de \"Mijn Accounts\" lijst." - msgid "Height" msgstr "Hoogte" @@ -86,26 +80,14 @@ msgstr "Lijst geheel of afgevaardigde al gestemd." msgid "Market Cap." msgstr "Marktkapitalisatie." -msgid "Manage Networks" -msgstr "Netwerken beheren" - -msgid "Maximize" -msgstr "Maximaliseren" - -msgid "Minify" -msgstr "Kleineren" - msgid "My Accounts" msgstr "Mijn accounts" -msgid "Network" -msgstr "Netwerk" - msgid "Network connected and healthy!" msgstr "Het netwerk aangesloten en gezond!" -msgid "Network disconnected!" -msgstr "Netwerk disconnected!" +msgid "Network disconected!" +msgstr "Netwerk disconected!" msgid "No difference from original delegate list" msgstr "Geen verschil van origineel afgevaardigde lijst" @@ -125,7 +107,7 @@ msgstr "Niet genoeg ARK op uw rekening" msgid "Open Delegate Monitor" msgstr "Open afgevaardigde Monitor" -msgid "Watch-Only Addresses" +msgid "Other Accounts" msgstr "Andere accounts" msgid "Passphrase does not match your address" @@ -191,6 +173,114 @@ msgstr "U heeft minimaal 1 ARK nodig om te stemmen." msgid "sent with success!" msgstr "Verzonden met succes!" -msgid "you need at least 25 ARK to register delegate" -msgstr "U heeft minimaal 25 ARK nodig om delegat te registreren." +msgid "Total Ѧ" +msgstr "Totaal" + +msgid "This account has never interacted with the network. This is either:" +msgstr "Dit account is nog nooit samengewerkt met het netwerk. Dit is ofwel:" + +msgid "an inexistant wallet, ie nobody knows the passphrase of this wallet. The ARK are lost" +msgstr "een inexistant portemonnee, dus niemand weet het wachtwoord van deze portefeuille. De ARK zijn verloren" + +msgid "an inexistant wallet, ie nobody knows the passphrase of this wallet." +msgstr "Een onbekend portemonnee, dus niemand weet het wachtwoord van dit portemonnee." + +msgid "a cold wallet, ie the owner of the passphrase has never used it" +msgstr "een koude portemonnee, dat wil zeggen de eigenaar van het wachtwoord heeft het nooit gebruikt" + +msgid "Details" +msgstr "Details" + +msgid "Recipient Address" +msgstr "ontvanger Adres" + +msgid "Add Account from address" +msgstr "Account toevoegen van adres" + +msgid "Add Sponsors Delegates" +msgstr "Voeg Sponsors Afgevaardigden" + +msgid "By using the following forms, you are accepting their" +msgstr "Door het gebruik van de volgende vormen, gaat u akkoord met hun" + +msgid "Delegate Registration" +msgstr "Delegate Registratie" + +msgid "Deposit ARK" +msgstr "borg ARK" + +msgid "Deposit and Withdraw through our partner" +msgstr "Storten en opnemen via onze partner" + +msgid "Folders" +msgstr "Mappen" + +msgid "History" +msgstr "Geschiedenis" + +msgid "If you own this account, you can enable virtual folders. Virtual Folders are simple subaccounts to better organise your money, without needing to send a real transaction and pay a fee.
\n Moreover, this account will move under the \"My Accounts\" list." +msgstr "Als u eigenaar van dit account kunt u virtuele mappen in te schakelen. Virtual Folders zijn eenvoudig subaccounts om uw geld beter te organiseren, zonder dat een echte transactie te sturen en een vergoeding betalen.
\nBovendien zal deze account bewegen onder de \"Mijn Accounts\" lijst." + +msgid "If you own this account, you can enable Voting" +msgstr "Als u eigenaar van dit account kunt u Voting inschakelen" + +msgid "Maximum:" +msgstr "Maximaal:" + +msgid "Minimum:" +msgstr "Minimum:" + +msgid "Next..." +msgstr "Volgende..." + +msgid "Please login with your account before using this feature" +msgstr "Gelieve in te loggen met uw account voordat u deze functie" + +msgid "Please report any issue to" +msgstr "Meld elk probleem op" + +msgid "Receive" +msgstr "Ontvangen" + +msgid "Refresh" +msgstr "Verversen" + +msgid "Second Signature Creation" +msgstr "Tweede Handtekening Creation" + +msgid "Select a coin" +msgstr "Selecteer een muntstuk" + +msgid "Second passphrase" +msgstr "Tweede wachtwoord" + +msgid "Status:" +msgstr "Ttoestand:" + +msgid "Status" +msgstr "Toestand" + +msgid "Sponsors Page" +msgstr "Sponsors pagina" + +msgid "Terms and Conditions" +msgstr "Voorwaarden" + +msgid "They have funded this app so you can use it for free.
\n Vote them to help the development." +msgstr "Zij hebben deze app gefinancierd, zodat je het kunt gebruiken voor gratis.
\nStem ze de ontwikkeling te helpen." + +msgid "Transaction id" +msgstr "Transactie ID" + +msgid "Valid until" +msgstr "Geldig tot" + +msgid "Withdraw ARK" +msgstr "Intrekken ARK" + +msgid "Your email, used to send confirmation" +msgstr "Uw e-mail, om de bevestiging te sturen" + +msgid "to" +msgstr "naar" diff --git a/po/pl.po b/po/pl.po index d86e4dd90b..1a8867da8c 100755 --- a/po/pl.po +++ b/po/pl.po @@ -1,8 +1,8 @@ msgid "" msgstr "" "Project-Id-Version: VERSION\n" -"POT-Creation-Date: 2017-01-19 21:58+0000\n" -"PO-Revision-Date: 2017-01-19 21:58+0000\n" +"POT-Creation-Date: 2017-03-03 10:03+0000\n" +"PO-Revision-Date: 2017-03-03 10:03+0000\n" "Last-Translator: FULL NAME \n" "Language-Team: LANGUAGE TEAM \n" "Language: pl\n" @@ -11,12 +11,6 @@ msgstr "" "Content-Transfer-Encoding: 8bit\n" "Plural-Forms: nplurals=3; plural=(n==1 ? 0 : n%10>=2 && n%10<=4 && (n%100<10 || n%100>=20) ? 1 : 2);\n" -msgid "Add Watch-Only Address" -msgstr "Dodaj Adres" - -msgid "Account successfully created:" -msgstr "Konto utworzone pomyślnie:" - msgid "Address" msgstr "Adres" @@ -26,7 +20,7 @@ msgstr "Konto dodane!" msgid "Amount (Ѧ)" msgstr "Kwota (Ѧ)" -msgid "Add Watch-Only Address" +msgid "Add Account" msgstr "Dodaj konto" msgid "Account deleted!" @@ -80,9 +74,6 @@ msgstr "Nie można stwierdzić czy konto jest delegatem" msgid "Change 1h/7h/7d" msgstr "Zmień 1h/7h/7d" -msgid "Create" -msgstr "Stwórz" - msgid "Create Virtual Folder" msgstr "Stwórz wirtualny folder" @@ -92,9 +83,6 @@ msgstr "Stwórz nowy wirtualny folder" msgid "Close" msgstr "Zamknij" -msgid "Create Account" -msgstr "Stwórz konto" - msgid "Default" msgstr "Domyślnie" @@ -143,18 +131,12 @@ msgstr "Prowizja (Ѧ)" msgid "Folder Name" msgstr "Nazwa folderu" -msgid "Full Screen" -msgstr "Pełny ekran" - msgid "From" msgstr "Od" msgid "Hand crafted with ❤ by" msgstr "Stworzone ręcznie z ❤ przez" -msgid "If you own this account, you can enable virtual folders. Virtual Folders are simple subaccounts to better organise your money, without needing to send a real transaction and pay a fee.
\n Moreover, this account will move under the \"My Accounts\" list." -msgstr "Jeśli jesteś właścicielem tego konta możesz uruchomić wirtualne foldery. Wirtualne foldery to proste subkonta, dla lepszej organizacji Twoich środków bez potrzeby wysyłania prawdziwych transakcji i płacenia prowizji.
\nPonadto, to konto będzie przeniesione pod list \"Moje konta\"." - msgid "Height" msgstr "Wysokość" @@ -179,25 +161,13 @@ msgstr "Login" msgid "Market Cap." msgstr "Kapitalizacja rynkowa" -msgid "Manage Networks" -msgstr "Zarządzaj sieciami" - -msgid "Maximize" -msgstr "Maksymalizuj" - -msgid "Minify" -msgstr "Minimalizuj" - msgid "My Accounts" msgstr "Moje konta" -msgid "Network" -msgstr "Sieć" - msgid "Network connected and healthy!" msgstr "Sieć zdrowa i połączona!" -msgid "Network disconnected!" +msgid "Network disconected!" msgstr "Sieć rozłączona!" msgid "No difference from original delegate list" @@ -215,16 +185,10 @@ msgstr "Brak frazy wyszukiwania" msgid "Not enough ARK on your account" msgstr "Nie wystarczająca kwota ARK na Twoim koncie" -msgid "OffChain" -msgstr "Poza łańcuchem" - msgid "Open Delegate Monitor" msgstr "Otwórz Monitor Delegatów" -msgid "Optional" -msgstr "Opcjonalnie" - -msgid "Watch-Only Addresses" +msgid "Other Accounts" msgstr "Inne konta" msgid "Passphrase does not match your address" @@ -233,24 +197,12 @@ msgstr "Passphrase nie zgadza się z Twoim adresem" msgid "Passphrase" msgstr "Passhprase" -msgid "Passphrases are not secured with high standard.
\n Use this feature only on safe computers and for accounts you can afford to lose balance." -msgstr "Frazy nie są zabezpieczone wysokim standardem.
\nKorzystaj z tej funkcji tylko na bezpiecznych komputerach i dla kont na których możesz sobie pozwolić na stratę środków." - -msgid "Passphrases saved" -msgstr "Hasła dostępu (passphrase) zapisane" - msgid "Passphrase is not corresponding to account" msgstr "Passphrase nie jest powiązane do konta" -msgid "Passphrases deleted" -msgstr "Usunięto passphrase" - msgid "Peer" msgstr "Peer" -msgid "Please backup securely the passphrase, this client does NOT store it and thus cannot recover your passphrase" -msgstr "Proszę wykonać bezpieczną kopię zapasową passphrase, klient nie przechowuje tych danych i nie jest możliwe ich odzyskanie" - msgid "Please enter a folder name." msgstr "Proszę podać nazwę folderu." @@ -281,27 +233,12 @@ msgstr "Ranking" msgid "Receive Ark" msgstr "Otrzymaj Ark" -msgid "Register Delegate" -msgstr "Zarejestruj delegata" - -msgid "Register delegate for" -msgstr "Zarejestruj delegata dla" - msgid "Rename" msgstr "Zmień nazwe" msgid "Remove" msgstr "Usuń" -msgid "Restart" -msgstr "Restart" - -msgid "Save" -msgstr "Zapisz" - -msgid "Save Passphrases for" -msgstr "Zapisz passphrase dla" - msgid "Send" msgstr "Wyślij" @@ -320,21 +257,12 @@ msgstr "Ustaw" msgid "Succesfully Logged In!" msgstr "Zalogowano pomyślnie!" -msgid "Smartbridge" -msgstr "Smartbridge" - msgid "The destination address" msgstr "Adres przeznaczenia" -msgid "This account has never interacted with the network. This is a cold wallet." -msgstr "To konto nigdy nie występowało w sieci. Jest to zimny portfel." - msgid "To" msgstr "Do" -msgid "Total {{ul.network.symbol}}" -msgstr "Razem {{ul.network.symbol}}" - msgid "Transaction" msgstr "Transakcja" @@ -350,9 +278,6 @@ msgstr "Zaktualizuj głosy z" msgid "Username" msgstr "Nazwa użytkownika" -msgid "Vendor Field" -msgstr "Pole SmartBridge" - msgid "Virtual folder added!" msgstr "Wirtualny folder dodany!" @@ -395,6 +320,129 @@ msgstr "Potrzebujesz co najmniej 1 ARK do głosowania" msgid "sent with success!" msgstr "wysłano pomyślnie!" -msgid "you need at least 25 ARK to register delegate" -msgstr "Potrzebujesz co najmniej 25 ARK do zarejestrowania delegata" +msgid "Total Ѧ" +msgstr "Razem Ѧ" + +msgid "This account has never interacted with the network. This is either:" +msgstr "To konto nigdy nie było widoczne w sieci. To oznacza:" + +msgid "an inexistant wallet, ie nobody knows the passphrase of this wallet. The ARK are lost" +msgstr "Nieistniejący portfel, np nikt nie zna passphrase do tego portfela. Te ARK są stracone" + +msgid "an inexistant wallet, ie nobody knows the passphrase of this wallet." +msgstr "nieistniejący portfel, nikt nie zna jego passphrase." + +msgid "a cold wallet, ie the owner of the passphrase has never used it" +msgstr "tzw. \"cold wallet\", właściciel tego passphrase jeszcze nigdy go nie użył" + +msgid "Details" +msgstr "Szczegóły" + +msgid "Recipient Address" +msgstr "Adres Odbiorcy" + +msgid "Add Account from address" +msgstr "Dodaj konto z adresu" + +msgid "Add Sponsors Delegates" +msgstr "Dodaj delegatów-sponsorów" + +msgid "Blockchain Application Registration" +msgstr "Rejestracja aplikacji Blockchain" + +msgid "By using the following forms, you are accepting their" +msgstr "Używając poniższego formularza akceptujesz ich" + +msgid "Delegate Registration" +msgstr "Rejestracja delegata" + +msgid "Deposit ARK" +msgstr "Depozyt ARK" + +msgid "Deposit and Withdraw through our partner" +msgstr "Depozyty i wypłaty dzięki naszemu partnerowi" + +msgid "Folders" +msgstr "Foldery" + +msgid "History" +msgstr "Historia" + +msgid "If you own this account, you can enable virtual folders. Virtual Folders are simple subaccounts to better organise your money, without needing to send a real transaction and pay a fee.
\n Moreover, this account will move under the \"My Accounts\" list." +msgstr "Jeśli posiadasz to konto możesz uruchomić wirtualne foldery. Są to proste sub-konta dla lepszej organizacji Twoich pieniędzy, bez potrzeby wysyłania prawdziwej transakcji i płacenia prowizji.
\nPonadto, to konto będzie przeniesione do listy \"Moje konta\"." + +msgid "If you own this account, you can enable Voting" +msgstr "Jeśli posiadasz to konto możesz uruchomić głosowanie" + +msgid "Maximum:" +msgstr "Maksimum: " + +msgid "Minimum:" +msgstr "Minimum:" + +msgid "Multisignature Creation" +msgstr "Tworzenie multisygnatur" + +msgid "Next..." +msgstr "Następny.." + +msgid "Please login with your account before using this feature" +msgstr "Proszę się zalogować zanim użyjesz tej funkcji" + +msgid "Please report any issue to" +msgstr "Proszę zgłaszać wszystkie problemy do" + +msgid "Receive" +msgstr "Otrzymaj" + +msgid "Refresh" +msgstr "Odśwież" + +msgid "Recepient Address" +msgstr "Adres odbiorcy" + +msgid "Second Signature Creation" +msgstr "Stwórz drugą Sygnature" + +msgid "Select a coin" +msgstr "Wybierz monetę" + +msgid "Second passphrase" +msgstr "Druga passphrase" + +msgid "Status:" +msgstr "Status:" + +msgid "Status" +msgstr "Status" + +msgid "Sponsors Page" +msgstr "Strona sponsorów" + +msgid "Terms and Conditions" +msgstr "Zasady i regulaminy" + +msgid "They have funded this app so you can use it for free.
\n Vote them to help the development." +msgstr "Oni ufundowali tę aplikację dlatego możesz jej używać za darmo.
\nOddaj na nich swój głos aby wesprzeć rozwój." + +msgid "Transaction id" +msgstr "ID transakcji" + +msgid "Transfer Ark from Blockchain Application" +msgstr "Transferuj ARK z Aplikacji Blockchain" + +msgid "Transfer Ark to Blockchain Application" +msgstr "Transferuj ARK do Aplikacji Blockchain" + +msgid "Valid until" +msgstr "Ważne do" + +msgid "Withdraw ARK" +msgstr "Wypłać ARK" + +msgid "Your email, used to send confirmation" +msgstr "Twój e-mail potrzebny do wysłania potwierdzenia" + +msgid "to" +msgstr "do" diff --git a/po/pt-BR.po b/po/pt-BR.po index dcf716dc03..86978f5c45 100755 --- a/po/pt-BR.po +++ b/po/pt-BR.po @@ -1,8 +1,8 @@ msgid "" msgstr "" "Project-Id-Version: VERSION\n" -"POT-Creation-Date: 2017-01-18 08:54+0000\n" -"PO-Revision-Date: 2017-01-18 08:54+0000\n" +"POT-Creation-Date: 2017-03-03 10:03+0000\n" +"PO-Revision-Date: 2017-03-03 10:03+0000\n" "Last-Translator: FULL NAME \n" "Language-Team: LANGUAGE TEAM \n" "Language: pt_BR\n" @@ -11,12 +11,6 @@ msgstr "" "Content-Transfer-Encoding: 8bit\n" "Plural-Forms: nplurals=2; plural=(n != 1);\n" -msgid "Add Watch-Only Address" -msgstr "Adicionar endereço" - -msgid "Account successfully created:" -msgstr "Conta criada com sucesso" - msgid "Address" msgstr "Endereço" @@ -26,7 +20,7 @@ msgstr "Conta adicionada!" msgid "Amount (Ѧ)" msgstr "Quantidade (Ѧ)" -msgid "Add Watch-Only Address" +msgid "Add Account" msgstr "Adicionar Conta" msgid "Account deleted!" @@ -80,9 +74,6 @@ msgstr "Não se pode afirmar que a conta é um delegado" msgid "Change 1h/7h/7d" msgstr "Alterar 1h/7h/7d" -msgid "Create" -msgstr "Criar" - msgid "Create Virtual Folder" msgstr "Criar Pasta Virtual" @@ -92,9 +83,6 @@ msgstr "Criar uma nova pasta virtual" msgid "Close" msgstr "Fechar" -msgid "Create Account" -msgstr "Criar conta" - msgid "Default" msgstr "Padrão" @@ -143,18 +131,12 @@ msgstr "Taxa (Ѧ)" msgid "Folder Name" msgstr "Nome da pasta" -msgid "Full Screen" -msgstr "Full Screen" - msgid "From" msgstr "A partir de" msgid "Hand crafted with ❤ by" msgstr "Produzida à mão com ❤ por" -msgid "If you own this account, you can enable virtual folders. Virtual Folders are simple subaccounts to better organise your money, without needing to send a real transaction and pay a fee.
\n Moreover, this account will move under the \"My Accounts\" list." -msgstr "Se você possuir esta conta, pode habilitar pastas virtuais. Pastas virtuais são simples sub-contas para melhor organizar o seu dinheiro, sem ter que envia-lo numa transação e pagar uma taxa. Além disso esta conta vai estar associada na lista \"Minhas Contas\" " - msgid "Height" msgstr "Altura" @@ -179,25 +161,13 @@ msgstr "Login" msgid "Market Cap." msgstr "Valor de mercado" -msgid "Manage Networks" -msgstr "Gerenciar rede" - -msgid "Maximize" -msgstr "Maximizar" - -msgid "Minify" -msgstr "Minimizar" - msgid "My Accounts" msgstr "Minhas contas" -msgid "Network" -msgstr "Rede" - msgid "Network connected and healthy!" msgstr "Rede conectada e saudável!" -msgid "Network disconnected!" +msgid "Network disconected!" msgstr "Rede desconectada!" msgid "No difference from original delegate list" @@ -215,16 +185,10 @@ msgstr "Nenhum termo de pesquisa" msgid "Not enough ARK on your account" msgstr "Não há ARK suficiente em sua conta" -msgid "OffChain" -msgstr "OffChain" - msgid "Open Delegate Monitor" msgstr "Abra o Monitor de Delegado" -msgid "Optional" -msgstr "Opcional" - -msgid "Watch-Only Addresses" +msgid "Other Accounts" msgstr "Outras contas" msgid "Passphrase does not match your address" @@ -233,24 +197,12 @@ msgstr "Frase secreta não coincide com o seu endereço" msgid "Passphrase" msgstr "Frase secreta" -msgid "Passphrases are not secured with high standard.
\n Use this feature only on safe computers and for accounts you can afford to lose balance." -msgstr "Frase secreta não são garantidos com alto padrão.
\nUse esse recurso apenas em computadores seguros e para contas que você pode perder." - -msgid "Passphrases saved" -msgstr "Frases secretas salvas" - msgid "Passphrase is not corresponding to account" msgstr "Frase secreta não é correspondente à conta" -msgid "Passphrases deleted" -msgstr "Frase secreta deletada" - msgid "Peer" msgstr "Peer" -msgid "Please backup securely the passphrase, this client does NOT store it and thus cannot recover your passphrase" -msgstr "Faça backup com segurança da frase secreta, este cliente não armazena e, portanto, não pode recuperar sua senha" - msgid "Please enter a folder name." msgstr "Por favor, insira um nome de pasta." @@ -281,27 +233,12 @@ msgstr "Rank" msgid "Receive Ark" msgstr "Receber Ark" -msgid "Register Delegate" -msgstr "Registrar delegado" - -msgid "Register delegate for" -msgstr "Registrar delegado para" - msgid "Rename" msgstr "Renomear" msgid "Remove" msgstr "Remover" -msgid "Restart" -msgstr "Reiniciar" - -msgid "Save" -msgstr "Salvar" - -msgid "Save Passphrases for" -msgstr "Salvar Senha secreta para" - msgid "Send" msgstr "Enviar" @@ -320,21 +257,12 @@ msgstr "Conjunto" msgid "Succesfully Logged In!" msgstr "Logado com sucesso!" -msgid "Smartbridge" -msgstr "Smartbridge" - msgid "The destination address" msgstr "Endereço de destino" -msgid "This account has never interacted with the network. This is a cold wallet." -msgstr "Esta conta nunca interagiu com a rede. Esta é uma cold wallet." - msgid "To" msgstr "Para" -msgid "Total {{ul.network.symbol}}" -msgstr "Total {{ul.network.symbol}}" - msgid "Transaction" msgstr "Transação" @@ -350,9 +278,6 @@ msgstr "Atualize o voto de" msgid "Username" msgstr "Username" -msgid "Vendor Field" -msgstr "Campo do fornecedor" - msgid "Virtual folder added!" msgstr "Pasta virtual adicionada!" @@ -395,6 +320,129 @@ msgstr "você precisa de pelo menos 1 ARK para votar" msgid "sent with success!" msgstr "enviado com sucesso!" -msgid "you need at least 25 ARK to register delegate" -msgstr "Você necessita de pelo menos 25 ARK para registrar o delegado " +msgid "Total Ѧ" +msgstr "Total Ѧ" + +msgid "This account has never interacted with the network. This is either:" +msgstr "Essa conta nunca interagiu com a rede. Isto é:" + +msgid "an inexistant wallet, ie nobody knows the passphrase of this wallet. The ARK are lost" +msgstr "Uma wallet inexistente, ou seja, ninguém sabe a frase secreta da wallet. Os ARK estão perdidos" + +msgid "an inexistant wallet, ie nobody knows the passphrase of this wallet." +msgstr "Uma wallet inexistente, ou seja, ninguém sabe a frase secreta da wallet." + +msgid "a cold wallet, ie the owner of the passphrase has never used it" +msgstr "Uma cold wallet, ou seja, o proprietário da senha nunca a usou." + +msgid "Details" +msgstr "Detalhes" + +msgid "Recipient Address" +msgstr "Endereço do remetente" + +msgid "Add Account from address" +msgstr "Adicionar Conta a partir do endereço" + +msgid "Add Sponsors Delegates" +msgstr "Adicionar Delegados Patrocinadores" + +msgid "Blockchain Application Registration" +msgstr "Registro de Aplicação Blockchain" + +msgid "By using the following forms, you are accepting their" +msgstr "Ao usar os seguintes formulários, você está aceitando seus" + +msgid "Delegate Registration" +msgstr "Registro de Delegado" + +msgid "Deposit ARK" +msgstr "Depositar ARK" + +msgid "Deposit and Withdraw through our partner" +msgstr "Depositar e Sacar através do nosso parceiro" + +msgid "Folders" +msgstr "Pastas" + +msgid "History" +msgstr "Histórico" + +msgid "If you own this account, you can enable virtual folders. Virtual Folders are simple subaccounts to better organise your money, without needing to send a real transaction and pay a fee.
\n Moreover, this account will move under the \"My Accounts\" list." +msgstr "Se você possui esta conta, você pode habilitar pastas virtuais. Pastas virtuais são subcontas simples para organizar melhor o seu dinheiro, sem a necessidade de enviar uma transação real e pagar uma taxa.
\nAlém disso, essa conta vai ser incluída na lista \"Minhas contas\"." + +msgid "If you own this account, you can enable Voting" +msgstr "Se você possui esta conta, você pode habilitar a votação" + +msgid "Maximum:" +msgstr "Máximo" + +msgid "Minimum:" +msgstr "Mínimo" + +msgid "Multisignature Creation" +msgstr "Criação de Multi-assinatura" + +msgid "Next..." +msgstr "Próximo..." + +msgid "Please login with your account before using this feature" +msgstr "Por favor, faça o login com a sua conta antes de usar este recurso" + +msgid "Please report any issue to" +msgstr "Por favor, reporte qualquer problema para" + +msgid "Receive" +msgstr "Receber" + +msgid "Refresh" +msgstr "Refresh" + +msgid "Recepient Address" +msgstr "Endereço de destino" + +msgid "Second Signature Creation" +msgstr "Criação de segunda assinatura" + +msgid "Select a coin" +msgstr "Selecione uma moeda" + +msgid "Second passphrase" +msgstr "Segunda frase secreta" + +msgid "Status:" +msgstr "Status:" + +msgid "Status" +msgstr "Status" + +msgid "Sponsors Page" +msgstr "Página de Patrocinadores." + +msgid "Terms and Conditions" +msgstr "Termos e Condições" + +msgid "They have funded this app so you can use it for free.
\n Vote them to help the development." +msgstr "Eles financiaram este aplicativo para que você possa usá-lo gratuitamente.
\nVote neles para ajudar o desenvolvimento." + +msgid "Transaction id" +msgstr "Id da transação" + +msgid "Transfer Ark from Blockchain Application" +msgstr "Transferir Ark de Aplicação Blockchain" + +msgid "Transfer Ark to Blockchain Application" +msgstr "Transferir Ark para Aplicação Blockchain" + +msgid "Valid until" +msgstr "Válido até" + +msgid "Withdraw ARK" +msgstr "Sacar ARK" + +msgid "Your email, used to send confirmation" +msgstr "Seu e-mail, usado para enviar a confirmação" + +msgid "to" +msgstr "Para" diff --git a/po/ro.po b/po/ro.po index 7026edd90b..c708dd26d0 100755 --- a/po/ro.po +++ b/po/ro.po @@ -1,8 +1,8 @@ msgid "" msgstr "" "Project-Id-Version: VERSION\n" -"POT-Creation-Date: 2017-01-18 14:31+0000\n" -"PO-Revision-Date: 2017-01-18 14:31+0000\n" +"POT-Creation-Date: 2017-03-03 10:03+0000\n" +"PO-Revision-Date: 2017-03-03 10:03+0000\n" "Last-Translator: FULL NAME \n" "Language-Team: LANGUAGE TEAM \n" "Language: ro\n" @@ -17,7 +17,7 @@ msgstr "Adresa" msgid "Account added!" msgstr "Cont adaugat!" -msgid "Add Watch-Only Address" +msgid "Add Account" msgstr "Adauga Cont" msgid "Account deleted!" @@ -125,18 +125,12 @@ msgstr "taxa (Ѧ)" msgid "Folder Name" msgstr "Nume Dosar" -msgid "Full Screen" -msgstr "Full Screen" - msgid "From" msgstr "De la" msgid "Hand crafted with ❤ by" msgstr "Hand crafted cu ❤ de" -msgid "If you own this account, you can enable virtual folders. Virtual Folders are simple subaccounts to better organise your money, without needing to send a real transaction and pay a fee.
\n Moreover, this account will move under the \"My Accounts\" list." -msgstr "Dacă dețineți acest cont, puteți activa dosarele virtuale. Dosarele virtuale sunt subconturi simple pentru a organiza mai bine banii tai, fără a fi nevoie sa trimiti o tranzactie reala și să plătesti o taxă.
\nMai mult decât atât, acest cont se va muta in lista \"Conturile mele\"." - msgid "Height" msgstr "Inaltime" @@ -164,7 +158,7 @@ msgstr "Conturile mele" msgid "Network connected and healthy!" msgstr "Rețea conectată și funcțională!" -msgid "Network disconnected!" +msgid "Network disconected!" msgstr "Retea deconectata!" msgid "No difference from original delegate list" @@ -182,7 +176,7 @@ msgstr "Nici un termen de cautare" msgid "Open Delegate Monitor" msgstr "Deschide Monitorizare Delegati" -msgid "Watch-Only Addresses" +msgid "Other Accounts" msgstr "Alte Conturi" msgid "Passphrase does not match your address" @@ -305,6 +299,120 @@ msgstr "aveti nevoie de minim 1 ARK pentru a vota" msgid "sent with success!" msgstr "trimis cu succes!" -msgid "you need at least 25 ARK to register delegate" -msgstr "aveti nevoie de minim 25 ARK pentru a inregistra un delegat" +msgid "Total Ѧ" +msgstr "Total Ѧ" + +msgid "This account has never interacted with the network. This is either:" +msgstr "Acest cont nu a interactionat cu reteaua niciodata.\nDin cauza:" + +msgid "an inexistant wallet, ie nobody knows the passphrase of this wallet. The ARK are lost" +msgstr "un portofel inexistent, adică nimeni nu știe cuvintele cheie ale acestui portofel. monedele ARK sunt pierdute" + +msgid "an inexistant wallet, ie nobody knows the passphrase of this wallet." +msgstr "un portofel inexistent: nimeni nu stie poarola acestui portofel." + +msgid "a cold wallet, ie the owner of the passphrase has never used it" +msgstr "un cold wallet: detinatorul parolei nu a folosit-o nicioadata" + +msgid "Details" +msgstr "Detalii" + +msgid "Recipient Address" +msgstr "Adresa destinatarului" + +msgid "Add Account from address" +msgstr "Adauga Cont de la adresa" + +msgid "Add Sponsors Delegates" +msgstr "Adauga Delegat-Sponsor" + +msgid "Blockchain Application Registration" +msgstr "Inregistrare Aplicatie Blockchain" + +msgid "By using the following forms, you are accepting their" +msgstr "Prin utilizarea următoarelor formulare, acceptați" + +msgid "Delegate Registration" +msgstr "Inregistrare Delegat" + +msgid "Deposit and Withdraw through our partner" +msgstr "Depune si retrage prin partenerul nostru" + +msgid "Folders" +msgstr "Dosare" + +msgid "History" +msgstr "Istoric" + +msgid "If you own this account, you can enable virtual folders. Virtual Folders are simple subaccounts to better organise your money, without needing to send a real transaction and pay a fee.
\n Moreover, this account will move under the \"My Accounts\" list." +msgstr "Daca detii acest cont, poti activa dosarele virtuale. Dosarele Virtuale sunt simple subconturi pentru o organizare mai buna a banilor tai, fara a fi nevoit sa trimiti o tranzactie si sa platesti o taxa.
Mai mult decat atat, acest cont se va muta in lista \"Conturile mele\"." + +msgid "If you own this account, you can enable Voting" +msgstr "Daca detii acest cont, poti activa votarea" + +msgid "Maximum:" +msgstr "Maxim:" + +msgid "Minimum:" +msgstr "Minim:" + +msgid "Multisignature Creation" +msgstr "Creare SemnaturaMultipla" + +msgid "Next..." +msgstr "Urmatorul..." + +msgid "Please login with your account before using this feature" +msgstr "Vă rugăm să va logati in contul dvs. inainte de a utiliza această funcție" + +msgid "Please report any issue to" +msgstr "Vă rugăm să raportați orice problemă la" + +msgid "Receive" +msgstr "Primeste" + +msgid "Recepient Address" +msgstr "Adresa Destinatarului" + +msgid "Second Signature Creation" +msgstr "Crearea a doua semnătură" + +msgid "Select a coin" +msgstr "Selecteaza o moneda" + +msgid "Second passphrase" +msgstr "A doua parola" + +msgid "Status:" +msgstr "Stare:" + +msgid "Status" +msgstr "Stare" + +msgid "Sponsors Page" +msgstr "Pagina Sponsorilor" + +msgid "Terms and Conditions" +msgstr "Termenii si Conditiile" + +msgid "They have funded this app so you can use it for free.
\n Vote them to help the development." +msgstr "Au finanțat această aplicație, astfel încât să o puteți folosi gratuit.
\nVoteaza-i pentru a ajuta dezvoltarea !" + +msgid "Transaction id" +msgstr "id Tranzactie" + +msgid "Transfer Ark from Blockchain Application" +msgstr "Transfera Ark de la Aplicatia Blockchain" + +msgid "Transfer Ark to Blockchain Application" +msgstr "Transfera Ark la Aplicatia Blockchain" + +msgid "Valid until" +msgstr "Valid pana la" + +msgid "Your email, used to send confirmation" +msgstr "Email-ul tau pentru confirmare" + +msgid "to" +msgstr "catre" diff --git a/po/ru.po b/po/ru.po index adf1cc2db3..ac156e8761 100755 --- a/po/ru.po +++ b/po/ru.po @@ -1,8 +1,8 @@ msgid "" msgstr "" "Project-Id-Version: VERSION\n" -"POT-Creation-Date: 2017-01-18 08:54+0000\n" -"PO-Revision-Date: 2017-01-18 08:54+0000\n" +"POT-Creation-Date: 2017-03-03 10:03+0000\n" +"PO-Revision-Date: 2017-03-03 10:03+0000\n" "Last-Translator: FULL NAME \n" "Language-Team: LANGUAGE TEAM \n" "Language: ru\n" @@ -11,12 +11,6 @@ msgstr "" "Content-Transfer-Encoding: 8bit\n" "Plural-Forms: nplurals=3; plural=(n%10==1 && n%100!=11 ? 0 : n%10>=2 && n%10<=4 && (n%100<10 || n%100>=20) ? 1 : 2);\n" -msgid "Add Watch-Only Address" -msgstr "Добавить Адрес" - -msgid "Account successfully created:" -msgstr "Учетная запись успешно создана:" - msgid "Address" msgstr "Адрес" @@ -26,7 +20,7 @@ msgstr "Аккаунт добавлен!" msgid "Amount (Ѧ)" msgstr "Количество (Ѧ)" -msgid "Add Watch-Only Address" +msgid "Add Account" msgstr "Добавить Аккаунт" msgid "Account deleted!" @@ -68,9 +62,6 @@ msgstr "Невозможно получить транзакцию" msgid "Change 1h/7h/7d" msgstr "Изменение 1ч / 7ч / 7д" -msgid "Create" -msgstr "Создать" - msgid "Create Virtual Folder" msgstr "Создать виртуальную папку" @@ -80,9 +71,6 @@ msgstr "Создать новую виртуальную папку" msgid "Close" msgstr "Закрыть" -msgid "Create Account" -msgstr "Регистрация" - msgid "Default" msgstr "По умолчанию" @@ -128,18 +116,12 @@ msgstr "Комиссия (Ѧ)\n" msgid "Folder Name" msgstr "Имя Папки" -msgid "Full Screen" -msgstr "Полноэкранный режим" - msgid "From" msgstr "Отправитель" msgid "Hand crafted with ❤ by" msgstr "Сделано с ❤" -msgid "If you own this account, you can enable virtual folders. Virtual Folders are simple subaccounts to better organise your money, without needing to send a real transaction and pay a fee.
\n Moreover, this account will move under the \"My Accounts\" list." -msgstr "Если вы являетесь владельцем этой учетной записи, вы можете включить виртуальные папки. Виртуальные папки представляют собой простые субсчета, чтобы лучше организовать свои деньги, без необходимости отправлять реальную транзакцию и платить комиссию.
\nБолее того, этот счет будет двигаться по списку \"Мои счета\"." - msgid "Height" msgstr "Высота" @@ -161,25 +143,13 @@ msgstr "Вход" msgid "Market Cap." msgstr "Капитализация" -msgid "Manage Networks" -msgstr "Управление сетями" - -msgid "Maximize" -msgstr "Развернуть" - -msgid "Minify" -msgstr "Свернуть" - msgid "My Accounts" msgstr "Мои Аккаунты" -msgid "Network" -msgstr "Сеть" - msgid "Network connected and healthy!" msgstr "Соединение установлено!" -msgid "Network disconnected!" +msgid "Network disconected!" msgstr "Соединение прервано!" msgid "No difference from original delegate list" @@ -197,10 +167,7 @@ msgstr "Не хватает ARK на вашем счету" msgid "Open Delegate Monitor" msgstr "Открыть монитор делегатов" -msgid "Optional" -msgstr "Опционально" - -msgid "Watch-Only Addresses" +msgid "Other Accounts" msgstr "Прочие аккаунты" msgid "Passphrase does not match your address" @@ -212,12 +179,6 @@ msgstr "Секретная фраза" msgid "Passphrase is not corresponding to account" msgstr "Секретная фраза не соответствует счету" -msgid "Passphrases deleted" -msgstr "Секретная фраза удалена" - -msgid "Please backup securely the passphrase, this client does NOT store it and thus cannot recover your passphrase" -msgstr "Пожалуйста, скопируйте и надежно сохраните вашу секретную фразу, этот клиент НЕ хранит её и таким образом, вы не сможет восстановить вашу секретную фразу" - msgid "Please enter a folder name." msgstr "Введите имя папки." @@ -251,15 +212,6 @@ msgstr "Переименовать" msgid "Remove" msgstr "Удалить" -msgid "Restart" -msgstr "Обновить" - -msgid "Save" -msgstr "Сохранить" - -msgid "Save Passphrases for" -msgstr "Сохранить секретную фразу для" - msgid "Send" msgstr "Отправить" @@ -281,12 +233,6 @@ msgstr "Авторизация прошла успешно!" msgid "The destination address" msgstr "Адрес получателя" -msgid "This account has never interacted with the network. This is a cold wallet." -msgstr "Этот счет никогда не взаимодействовали с сетью. Это холодный бумажник." - -msgid "Total {{ul.network.symbol}}" -msgstr "Всего {{ul.network.symbol}}" - msgid "Transaction" msgstr "Транзакция" @@ -338,6 +284,117 @@ msgstr "Для голосования необходимо иметь хотя msgid "sent with success!" msgstr "отправлено успешно!" -msgid "you need at least 25 ARK to register delegate" -msgstr "вам нужно как минимум 25 ARK для регистрации делегата" +msgid "Total Ѧ" +msgstr "Всего Ѧ" + +msgid "This account has never interacted with the network. This is either:" +msgstr "Этот аккаунт никогда не взаимодействовал с сетью. Возможные варианты:" + +msgid "an inexistant wallet, ie nobody knows the passphrase of this wallet. The ARK are lost" +msgstr "несуществующий кошелек или никто не знает кодовую фразу кошелька. Арки потеряны" + +msgid "an inexistant wallet, ie nobody knows the passphrase of this wallet." +msgstr "несуществующий кошелек или никто не знает кодовую фразу кошелька." + +msgid "a cold wallet, ie the owner of the passphrase has never used it" +msgstr "холодный бумажник, то есть владелец секретной фразы никогда не использовал его" + +msgid "Details" +msgstr "Подробности" + +msgid "Recipient Address" +msgstr "Адрес Получателя" + +msgid "Add Account from address" +msgstr "Добавить учетную запись из адреса" + +msgid "Add Sponsors Delegates" +msgstr "Добавить делегатов-спонсоров" + +msgid "Blockchain Application Registration" +msgstr "Регистрация блокчейн-приложения" + +msgid "By using the following forms, you are accepting their" +msgstr "Используя следующие формы, Вы принимаете, что" + +msgid "Delegate Registration" +msgstr "Регистрация Делегата" + +msgid "Deposit ARK" +msgstr "Внести ARK" + +msgid "Deposit and Withdraw through our partner" +msgstr "Пополнение и снятие через нашего партнера" + +msgid "Folders" +msgstr "Папки" + +msgid "History" +msgstr "История" + +msgid "If you own this account, you can enable virtual folders. Virtual Folders are simple subaccounts to better organise your money, without needing to send a real transaction and pay a fee.
\n Moreover, this account will move under the \"My Accounts\" list." +msgstr "Если вы являетесь владельцем этой учетной записи, вы можете включить виртуальные папки. Виртуальные папки представляют собой простые субсчета, чтобы лучше организовать свои деньги, без необходимости отправлять реальную транзакцию и платить комиссию.
\nБолее того, этот счет будет двигаться по списку \"Мои счета\"." + +msgid "If you own this account, you can enable Voting" +msgstr "Если этот аккаунт принадлежит вам можно включить режим голосования" + +msgid "Maximum:" +msgstr "Максимум:" + +msgid "Minimum:" +msgstr "Минимум:" + +msgid "Multisignature Creation" +msgstr "Создание Мультиподписи" + +msgid "Next..." +msgstr "Далее..." + +msgid "Please login with your account before using this feature" +msgstr "Пожалуйста, войдите в свою учетной запись, прежде чем использовать эту функцию" + +msgid "Please report any issue to" +msgstr "Пожалуйста, сообщайте о любых проблемах" + +msgid "Receive" +msgstr "Получить" + +msgid "Refresh" +msgstr "Обновить" + +msgid "Recepient Address" +msgstr "Адрес получателя" + +msgid "Second Signature Creation" +msgstr "Создание второй подписи" + +msgid "Select a coin" +msgstr "Выберите валюту" + +msgid "Second passphrase" +msgstr "Вторая кодовая фраза" + +msgid "Status:" +msgstr "Статус:" + +msgid "Status" +msgstr "Статус" + +msgid "Sponsors Page" +msgstr "Спонсоры" + +msgid "Terms and Conditions" +msgstr "Условия и положения" + +msgid "They have funded this app so you can use it for free.
\n Vote them to help the development." +msgstr "Они финансировали это приложение, так что вы можете использовать его бесплатно.
\nПроголосуйте за них, чтобы помочь развитию." + +msgid "Transaction id" +msgstr "ID Транзакции" + +msgid "Valid until" +msgstr "Годен до" + +msgid "Withdraw ARK" +msgstr "Вывести ARK" diff --git a/po/sl.po b/po/sl.po index 4cdc273c33..75df95d6e5 100755 --- a/po/sl.po +++ b/po/sl.po @@ -1,8 +1,8 @@ msgid "" msgstr "" "Project-Id-Version: VERSION\n" -"POT-Creation-Date: 2017-01-18 08:54+0000\n" -"PO-Revision-Date: 2017-01-18 08:54+0000\n" +"POT-Creation-Date: 2017-03-03 10:03+0000\n" +"PO-Revision-Date: 2017-03-03 10:03+0000\n" "Last-Translator: FULL NAME \n" "Language-Team: LANGUAGE TEAM \n" "Language: sl\n" @@ -11,12 +11,6 @@ msgstr "" "Content-Transfer-Encoding: 8bit\n" "Plural-Forms: nplurals=4; plural=(n%100==1 ? 1 : n%100==2 ? 2 : n%100==3 || n%100==4 ? 3 : 0);\n" -msgid "Add Watch-Only Address" -msgstr "Dodaj naslov" - -msgid "Account successfully created:" -msgstr "Račun uspešno ustvarjen:" - msgid "Address" msgstr "Naslov" @@ -26,7 +20,7 @@ msgstr "Račun dodan!" msgid "Amount (Ѧ)" msgstr "Znesek (Ѧ)" -msgid "Add Watch-Only Address" +msgid "Add Account" msgstr "Dodaj račun" msgid "Account deleted!" @@ -80,9 +74,6 @@ msgstr "Ne morem predvideti, če je račun delegat" msgid "Change 1h/7h/7d" msgstr "Spremeni 1h/7h/7d" -msgid "Create" -msgstr "Ustvari" - msgid "Create Virtual Folder" msgstr "Ustvari virtualno mapo" @@ -92,9 +83,6 @@ msgstr "Ustvari novo virtualno mapo" msgid "Close" msgstr "Zapri" -msgid "Create Account" -msgstr "Ustvari račun" - msgid "Default" msgstr "Privzeto" @@ -143,18 +131,12 @@ msgstr "Strošek (Ѧ)" msgid "Folder Name" msgstr "Ime mape" -msgid "Full Screen" -msgstr "Celozaslonski način" - msgid "From" msgstr "Od" msgid "Hand crafted with ❤ by" msgstr "Ustvaril z ❤" -msgid "If you own this account, you can enable virtual folders. Virtual Folders are simple subaccounts to better organise your money, without needing to send a real transaction and pay a fee.
\n Moreover, this account will move under the \"My Accounts\" list." -msgstr "Če si lastnik tega računa lahko omogočiš Virtualne Mape. Virtualne Mape so preprosto podračuni za boljši organizacijo vašega računa, brez da bi bilo potrebno poslati pravo transkacijo preko omrežja.
Prav tako se bo ta račun pojavil pod \"Moji Računi\"." - msgid "Height" msgstr "Višina" @@ -179,25 +161,13 @@ msgstr "Prijava" msgid "Market Cap." msgstr "Tržna vrednost" -msgid "Manage Networks" -msgstr "Upravljanje omrežij" - -msgid "Maximize" -msgstr "Povečaj" - -msgid "Minify" -msgstr "Pomanjšaj" - msgid "My Accounts" msgstr "Moji Računi" -msgid "Network" -msgstr "Omrežje" - msgid "Network connected and healthy!" msgstr "Povezava z omrežje zdrava in vzpostavljena!" -msgid "Network disconnected!" +msgid "Network disconected!" msgstr "Povezava z omrežjem izgubljena!" msgid "No difference from original delegate list" @@ -215,16 +185,10 @@ msgstr "Ni iskalnega niza" msgid "Not enough ARK on your account" msgstr "V vašem računu ni dovolj ARK-ov." -msgid "OffChain" -msgstr "Lokalna povezava" - msgid "Open Delegate Monitor" msgstr "Odpri delegatni brskalnik" -msgid "Optional" -msgstr "Opcijsko" - -msgid "Watch-Only Addresses" +msgid "Other Accounts" msgstr "Ostali računi" msgid "Passphrase does not match your address" @@ -233,24 +197,12 @@ msgstr "Geslo se ne ujema s tvojim naslovom" msgid "Passphrase" msgstr "Geslo" -msgid "Passphrases are not secured with high standard.
\n Use this feature only on safe computers and for accounts you can afford to lose balance." -msgstr "Gesla niso zavarovana z visokimi standardi.
\nUporabite to funckijo samo na računalniku ki mu zaupate." - -msgid "Passphrases saved" -msgstr "Gesla shranjena" - msgid "Passphrase is not corresponding to account" msgstr "Geslo se ne ujema s tem računom" -msgid "Passphrases deleted" -msgstr "Gesla izbrisana" - msgid "Peer" msgstr "Klient" -msgid "Please backup securely the passphrase, this client does NOT store it and thus cannot recover your passphrase" -msgstr "Prosimo naredite varnostno kopijo gesla, ta program NE SHRANJUJE vaših gesel in jih v primeru izgube ne more ponastaviti oziroma obnoviti" - msgid "Please enter a folder name." msgstr "Vnesite ime mape." @@ -281,27 +233,12 @@ msgstr "Mesto" msgid "Receive Ark" msgstr "Prejmi ARK" -msgid "Register Delegate" -msgstr "Registracija delegata" - -msgid "Register delegate for" -msgstr "Registriraj delegata za" - msgid "Rename" msgstr "Preimenuj" msgid "Remove" msgstr "Odstrani" -msgid "Restart" -msgstr "Ponovni zagon" - -msgid "Save" -msgstr "Shrani" - -msgid "Save Passphrases for" -msgstr "Shrani gesla za" - msgid "Send" msgstr "Pošlji" @@ -320,21 +257,12 @@ msgstr "Nastavi" msgid "Succesfully Logged In!" msgstr "Uspešna prijava!" -msgid "Smartbridge" -msgstr "SmartBridge" - msgid "The destination address" msgstr "Ciljni naslov" -msgid "This account has never interacted with the network. This is a cold wallet." -msgstr "Ta račun še ni bil nikoli uporabljen na ARK omrežju. To je \"hladna denarnica\"" - msgid "To" msgstr "Za" -msgid "Total {{ul.network.symbol}}" -msgstr "Skupaj {{ul.network.symbol}}" - msgid "Transaction" msgstr "Transakcija" @@ -350,9 +278,6 @@ msgstr "Posodobi glas od" msgid "Username" msgstr "Uporabniško ime" -msgid "Vendor Field" -msgstr "SmartBridge" - msgid "Virtual folder added!" msgstr "Virtualna mapa dodana!" @@ -395,6 +320,129 @@ msgstr "Potrebuješ vsaj 1 ARK za glasovanje" msgid "sent with success!" msgstr "uspešno poslano!" -msgid "you need at least 25 ARK to register delegate" -msgstr "potrebuješ vsaj 25 ARK-ov za registracijo delegata" +msgid "Total Ѧ" +msgstr "Skupaj (Ѧ)" + +msgid "This account has never interacted with the network. This is either:" +msgstr "Ta račun še ni bil nikoli uporabljen na omrežju. Možni razlogi:" + +msgid "an inexistant wallet, ie nobody knows the passphrase of this wallet. The ARK are lost" +msgstr "neobstoječa denarnica - nihče ne pozna gesla do tega računa." + +msgid "an inexistant wallet, ie nobody knows the passphrase of this wallet." +msgstr "neobstoječa denarnica - nihče ne pozna gesla do tega računa." + +msgid "a cold wallet, ie the owner of the passphrase has never used it" +msgstr "\"hladna denarnica\" - lastnik je še ni nikoli uporabil." + +msgid "Details" +msgstr "Podrobnosti" + +msgid "Recipient Address" +msgstr "Naslov prejemnika" + +msgid "Add Account from address" +msgstr "Dodaj račun iz naslova" + +msgid "Add Sponsors Delegates" +msgstr "Dodaj sponzorske delegate" + +msgid "Blockchain Application Registration" +msgstr "Registracija blockchain aplikacij" + +msgid "By using the following forms, you are accepting their" +msgstr "Z uporabo naslednjih form se strinjaš z njenimi" + +msgid "Delegate Registration" +msgstr "Registracija delegata" + +msgid "Deposit ARK" +msgstr "Položi ARK" + +msgid "Deposit and Withdraw through our partner" +msgstr "Položi in dvigni preko našega partnerja" + +msgid "Folders" +msgstr "Mape" + +msgid "History" +msgstr "Zgodovina" + +msgid "If you own this account, you can enable virtual folders. Virtual Folders are simple subaccounts to better organise your money, without needing to send a real transaction and pay a fee.
\n Moreover, this account will move under the \"My Accounts\" list." +msgstr "Če si lastnik tega računa lahko omogočiš virtualne mape. Virtualne mape so preprosti podračuni za boljšo organizacijo vašega denarja (pri tem ni potrebna sprožitev prave transakcije).
Ta račun se bo pojavil tudi med \"Moji Računi\"." + +msgid "If you own this account, you can enable Voting" +msgstr "Če si lastnik tega računa lahko omogočiš glasovanje" + +msgid "Maximum:" +msgstr "Največ:" + +msgid "Minimum:" +msgstr "Najmanj:" + +msgid "Multisignature Creation" +msgstr "Ustvarjanje dodatnih gesel" + +msgid "Next..." +msgstr "Naprej..." + +msgid "Please login with your account before using this feature" +msgstr "Prosim prijavi se s svojim računom pred uporabo te funkcije" + +msgid "Please report any issue to" +msgstr "Prosimo, da poročate o kakršnih koli težavah na" + +msgid "Receive" +msgstr "Prejmi" + +msgid "Refresh" +msgstr "Osveži" + +msgid "Recepient Address" +msgstr "Naslov prejemnika" + +msgid "Second Signature Creation" +msgstr "Usvaritev dodatnega gesla" + +msgid "Select a coin" +msgstr "Izberi valuto" + +msgid "Second passphrase" +msgstr "Drugo geslo" + +msgid "Status:" +msgstr "Status:" + +msgid "Status" +msgstr "Status" + +msgid "Sponsors Page" +msgstr "Stran sponzorjev" + +msgid "Terms and Conditions" +msgstr "Pogoji in pravila" + +msgid "They have funded this app so you can use it for free.
\n Vote them to help the development." +msgstr "Donirali so za razvoj te aplikacije tako, da jo lahko uporabljate brezplačno.
\nGlasujte za njih za pomoč pri razvoju." + +msgid "Transaction id" +msgstr "ID transakcije" + +msgid "Transfer Ark from Blockchain Application" +msgstr "Prenesi ARK iz blockchain aplikacije" + +msgid "Transfer Ark to Blockchain Application" +msgstr "Prenesi ARK v blockchain aplikacijo" + +msgid "Valid until" +msgstr "Veljavno do" + +msgid "Withdraw ARK" +msgstr "Dvigni ARK" + +msgid "Your email, used to send confirmation" +msgstr "Vaš email za pošiljanje potrditve" + +msgid "to" +msgstr "za" diff --git a/po/template.pot b/po/template.pot index 179fd36514..90c41696f2 100644 --- a/po/template.pot +++ b/po/template.pot @@ -4,48 +4,53 @@ msgstr "" "Content-Transfer-Encoding: 8bit\n" "Project-Id-Version: \n" -#: client/app/src/accounts/AccountController.js:686 +#: client/app/src/accounts/AccountController.js:683 msgid "Account added!" msgstr "" -#: client/app/src/accounts/AccountController.js:1152 +#: client/app/src/accounts/AccountController.js:1191 msgid "Account deleted!" msgstr "" -#: client/app/src/accounts/AccountController.js:1081 +#: client/app/src/accounts/AccountController.js:1064 msgid "Account successfully created:" msgstr "" -#: client/app/src/accounts/AccountController.js:480 -#: client/app/src/accounts/AccountController.js:676 -msgid "Add" +#: client/app/src/accounts/AccountController.js:1130 +msgid "Account successfully imported:" msgstr "" -#: client/app/index.html:53 -#: client/app/src/accounts/AccountController.js:672 -msgid "Add Watch-Only Address" +#: client/app/src/accounts/AccountController.js:1120 +msgid "Account was already imported:" msgstr "" -#: client/app/index.html:165 -msgid "Add Watch-Only Address" +#: client/app/src/accounts/AccountController.js:477 +#: client/app/src/accounts/AccountController.js:673 +msgid "Add" msgstr "" -#: client/app/index.html:572 +#: client/app/index.html:581 #: client/app/src/accounts/view/addDelegate.html:35 #: client/app/src/accounts/view/addDelegate.html:5 msgid "Add Delegate" msgstr "" -#: client/app/index.html:553 -#: client/app/index.html:579 -#: client/app/src/accounts/AccountController.js:675 -#: client/app/src/accounts/AccountController.js:694 +#: client/app/index.html:169 +#: client/app/index.html:57 +#: client/app/src/accounts/AccountController.js:669 +msgid "Add Watch-Only Address" +msgstr "" + +#: client/app/index.html:562 +#: client/app/index.html:588 +#: client/app/src/accounts/AccountController.js:672 +#: client/app/src/accounts/AccountController.js:691 msgid "Address" msgstr "" -#: client/app/index.html:376 -#: client/app/index.html:437 -#: client/app/index.html:653 +#: client/app/index.html:385 +#: client/app/index.html:446 +#: client/app/index.html:662 #: client/app/src/accounts/view/sendArk.html:29 msgid "Amount" msgstr "" @@ -54,9 +59,9 @@ msgstr "" msgid "Amount (Ѧ)" msgstr "" -#: client/app/index.html:554 -#: client/app/index.html:580 -#: client/app/index.html:683 +#: client/app/index.html:563 +#: client/app/index.html:589 +#: client/app/index.html:692 msgid "Approval" msgstr "" @@ -64,11 +69,11 @@ msgstr "" msgid "Arab" msgstr "" -#: client/app/src/accounts/AccountController.js:1143 +#: client/app/src/accounts/AccountController.js:1182 msgid "Are you sure?" msgstr "" -#: client/app/index.html:34 +#: client/app/index.html:35 #: client/app/index.html:4 msgid "Ark Client" msgstr "" @@ -77,7 +82,7 @@ msgstr "" msgid "Background" msgstr "" -#: client/app/index.html:279 +#: client/app/index.html:288 msgid "Balance" msgstr "" @@ -85,14 +90,15 @@ msgstr "" msgid "Bulgarian" msgstr "" -#: client/app/src/accounts/AccountController.js:1145 -#: client/app/src/accounts/AccountController.js:1174 -#: client/app/src/accounts/AccountController.js:481 -#: client/app/src/accounts/AccountController.js:498 -#: client/app/src/accounts/AccountController.js:677 +#: client/app/src/accounts/AccountController.js:1184 +#: client/app/src/accounts/AccountController.js:1213 +#: client/app/src/accounts/AccountController.js:478 +#: client/app/src/accounts/AccountController.js:495 +#: client/app/src/accounts/AccountController.js:674 #: client/app/src/accounts/AccountController.js:96 #: client/app/src/accounts/view/createAccount.html:39 #: client/app/src/accounts/view/createDelegate.html:28 +#: client/app/src/accounts/view/importAccount.html:31 #: client/app/src/accounts/view/manageNetwork.html:54 #: client/app/src/accounts/view/savePassphrases.html:32 #: client/app/src/accounts/view/sendArk.html:50 @@ -101,40 +107,40 @@ msgstr "" msgid "Cancel" msgstr "" -#: client/app/src/accounts/AccountService.js:285 +#: client/app/src/accounts/AccountService.js:286 msgid "Cannot find delegate:" msgstr "" -#: client/app/src/accounts/AccountService.js:303 +#: client/app/src/accounts/AccountService.js:304 msgid "Cannot find delegates from this term:" msgstr "" -#: client/app/src/accounts/AccountService.js:306 +#: client/app/src/accounts/AccountService.js:307 msgid "Cannot find delegates on this peer:" msgstr "" -#: client/app/src/accounts/AccountService.js:488 +#: client/app/src/accounts/AccountService.js:489 msgid "Cannot get sponsors" msgstr "" -#: client/app/src/accounts/AccountService.js:247 +#: client/app/src/accounts/AccountService.js:248 msgid "Cannot get transactions" msgstr "" -#: client/app/src/accounts/AccountService.js:319 +#: client/app/src/accounts/AccountService.js:320 msgid "Cannot get voted delegates" msgstr "" -#: client/app/src/accounts/AccountService.js:266 +#: client/app/src/accounts/AccountService.js:267 msgid "Cannot state if account is a delegate" msgstr "" -#: client/app/index.html:182 -#: client/app/index.html:97 +#: client/app/index.html:100 +#: client/app/index.html:191 msgid "Change 1h/7h/7d" msgstr "" -#: client/app/index.html:120 +#: client/app/index.html:123 #: client/app/src/accounts/view/addDelegate.html:38 msgid "Close" msgstr "" @@ -143,33 +149,33 @@ msgstr "" msgid "Create" msgstr "" -#: client/app/index.html:169 +#: client/app/index.html:178 #: client/app/index.html:54 #: client/app/src/accounts/view/createAccount.html:5 msgid "Create Account" msgstr "" -#: client/app/src/accounts/AccountController.js:476 +#: client/app/src/accounts/AccountController.js:473 msgid "Create Virtual Folder" msgstr "" -#: client/app/index.html:661 +#: client/app/index.html:670 msgid "Create a new virtual folder" msgstr "" -#: client/app/index.html:303 +#: client/app/index.html:312 msgid "Date" msgstr "" -#: client/app/index.html:625 +#: client/app/index.html:634 msgid "Default" msgstr "" -#: client/app/index.html:81 +#: client/app/index.html:84 msgid "Delay" msgstr "" -#: client/app/index.html:671 +#: client/app/index.html:680 msgid "Delegate" msgstr "" @@ -177,16 +183,16 @@ msgstr "" msgid "Delegate name" msgstr "" -#: client/app/src/accounts/AccountController.js:1130 -#: client/app/src/accounts/AccountController.js:1140 +#: client/app/src/accounts/AccountController.js:1169 +#: client/app/src/accounts/AccountController.js:1179 msgid "Delete" msgstr "" -#: client/app/src/accounts/AccountController.js:1142 +#: client/app/src/accounts/AccountController.js:1181 msgid "Delete Account" msgstr "" -#: client/app/src/accounts/AccountController.js:1144 +#: client/app/src/accounts/AccountController.js:1183 msgid "Delete permanently this account" msgstr "" @@ -198,11 +204,11 @@ msgstr "" msgid "Dutch" msgstr "" -#: client/app/index.html:617 +#: client/app/index.html:626 msgid "Enable Virtual Folders" msgstr "" -#: client/app/index.html:542 +#: client/app/index.html:551 msgid "Enable Votes" msgstr "" @@ -210,22 +216,15 @@ msgstr "" msgid "English" msgstr "" -#: client/app/src/accounts/AccountController.js:510 +#: client/app/src/accounts/AccountController.js:507 msgid "Error when trying to login:" msgstr "" -#: client/app/src/accounts/AccountController.js:1038 -#: client/app/src/accounts/AccountController.js:1222 -#: client/app/src/accounts/AccountController.js:1275 -#: client/app/src/accounts/AccountController.js:364 -#: client/app/src/accounts/AccountController.js:749 -#: client/app/src/accounts/AccountController.js:790 -#: client/app/src/accounts/AccountController.js:902 -#: client/app/src/accounts/AccountController.js:990 +#: client/app/src/accounts/AccountController.js:191 msgid "Error:" msgstr "" -#: client/app/index.html:328 +#: client/app/index.html:337 msgid "Exchange" msgstr "" @@ -237,7 +236,7 @@ msgstr "" msgid "Fee (Ѧ)" msgstr "" -#: client/app/src/accounts/AccountController.js:479 +#: client/app/src/accounts/AccountController.js:476 msgid "Folder Name" msgstr "" @@ -249,12 +248,12 @@ msgstr "" msgid "French" msgstr "" -#: client/app/index.html:307 +#: client/app/index.html:316 #: client/app/src/accounts/view/showTransaction.html:15 msgid "From" msgstr "" -#: client/app/index.html:128 +#: client/app/index.html:131 msgid "Full Screen" msgstr "" @@ -266,11 +265,11 @@ msgstr "" msgid "Greek" msgstr "" -#: client/app/index.html:214 +#: client/app/index.html:223 msgid "Hand crafted with ❤ by" msgstr "" -#: client/app/index.html:72 +#: client/app/index.html:75 msgid "Height" msgstr "" @@ -278,12 +277,22 @@ msgstr "" msgid "Hungarish" msgstr "" -#: client/app/index.html:613 +#: client/app/index.html:622 msgid "" "If you own this account, you can enable virtual folders. Virtual Folders are simple subaccounts to better organise your money, without needing to send a real transaction and pay a fee.
\n" " Moreover, this account will move under the \"My Accounts\" list." msgstr "" +#: client/app/src/accounts/view/importAccount.html:28 +msgid "Import" +msgstr "" + +#: client/app/index.html:174 +#: client/app/index.html:53 +#: client/app/src/accounts/view/importAccount.html:5 +msgid "Import Account" +msgstr "" + #: client/app/src/accounts/AccountController.js:77 msgid "Indonesian" msgstr "" @@ -292,14 +301,14 @@ msgstr "" msgid "Italian" msgstr "" -#: client/app/src/accounts/AccountController.js:1134 -#: client/app/src/accounts/AccountController.js:1167 -#: client/app/src/accounts/AccountController.js:1169 -#: client/app/src/accounts/AccountController.js:1172 +#: client/app/src/accounts/AccountController.js:1173 +#: client/app/src/accounts/AccountController.js:1206 +#: client/app/src/accounts/AccountController.js:1208 +#: client/app/src/accounts/AccountController.js:1211 msgid "Label" msgstr "" -#: client/app/src/accounts/AccountController.js:1180 +#: client/app/src/accounts/AccountController.js:1219 msgid "Label set" msgstr "" @@ -307,40 +316,40 @@ msgstr "" msgid "Language" msgstr "" -#: client/app/index.html:205 -#: client/app/index.html:75 +#: client/app/index.html:214 +#: client/app/index.html:78 msgid "Last checked" msgstr "" -#: client/app/src/accounts/AccountController.js:741 +#: client/app/src/accounts/AccountController.js:738 msgid "List full or delegate already voted." msgstr "" -#: client/app/src/accounts/AccountController.js:493 -#: client/app/src/accounts/AccountController.js:497 +#: client/app/src/accounts/AccountController.js:490 +#: client/app/src/accounts/AccountController.js:494 msgid "Login" msgstr "" -#: client/app/index.html:57 +#: client/app/index.html:60 #: client/app/src/accounts/view/manageNetwork.html:4 msgid "Manage Networks" msgstr "" -#: client/app/index.html:107 -#: client/app/index.html:192 +#: client/app/index.html:110 +#: client/app/index.html:201 msgid "Market Cap." msgstr "" -#: client/app/index.html:125 +#: client/app/index.html:128 msgid "Maximize" msgstr "" -#: client/app/index.html:124 +#: client/app/index.html:127 msgid "Minify" msgstr "" -#: client/app/index.html:143 -#: client/app/index.html:224 +#: client/app/index.html:147 +#: client/app/index.html:233 msgid "My Accounts" msgstr "" @@ -348,15 +357,15 @@ msgstr "" msgid "Nethash" msgstr "" -#: client/app/index.html:199 +#: client/app/index.html:208 msgid "Network" msgstr "" -#: client/app/src/accounts/AccountController.js:176 +#: client/app/src/accounts/AccountController.js:173 msgid "Network connected and healthy!" msgstr "" -#: client/app/src/accounts/AccountController.js:166 +#: client/app/src/accounts/AccountController.js:163 msgid "Network disconnected!" msgstr "" @@ -367,29 +376,29 @@ msgstr "" msgid "Next" msgstr "" -#: client/app/src/accounts/AccountController.js:824 +#: client/app/src/accounts/AccountController.js:808 msgid "No difference from original delegate list" msgstr "" -#: client/app/src/accounts/AccountService.js:256 +#: client/app/src/accounts/AccountService.js:257 msgid "No publicKey" msgstr "" -#: client/app/src/accounts/AccountService.js:295 +#: client/app/src/accounts/AccountService.js:296 msgid "No search term" msgstr "" -#: client/app/src/accounts/AccountService.js:336 -#: client/app/src/accounts/AccountService.js:360 -#: client/app/src/accounts/AccountService.js:381 +#: client/app/src/accounts/AccountService.js:337 +#: client/app/src/accounts/AccountService.js:361 +#: client/app/src/accounts/AccountService.js:382 msgid "Not enough ARK on your account" msgstr "" -#: client/app/index.html:600 +#: client/app/index.html:609 msgid "OffChain" msgstr "" -#: client/app/index.html:573 +#: client/app/index.html:582 msgid "Open Delegate Monitor" msgstr "" @@ -397,13 +406,10 @@ msgstr "" msgid "Optional" msgstr "" -#: client/app/index.html:237 -msgid "Watch-Only Addresses" -msgstr "" - -#: client/app/src/accounts/AccountController.js:496 +#: client/app/src/accounts/AccountController.js:493 #: client/app/src/accounts/view/createAccount.html:23 #: client/app/src/accounts/view/createDelegate.html:15 +#: client/app/src/accounts/view/importAccount.html:19 #: client/app/src/accounts/view/savePassphrases.html:20 #: client/app/src/accounts/view/sendArk.html:37 #: client/app/src/accounts/view/vote.html:14 @@ -412,32 +418,36 @@ msgstr "" #: client/app/src/accounts/AccountService.js:144 #: client/app/src/accounts/AccountService.js:163 -#: client/app/src/accounts/AccountService.js:503 +#: client/app/src/accounts/AccountService.js:504 msgid "Passphrase does not match your address" msgstr "" -#: client/app/src/accounts/AccountService.js:349 -#: client/app/src/accounts/AccountService.js:371 -#: client/app/src/accounts/AccountService.js:392 +#: client/app/src/accounts/AccountService.js:350 +#: client/app/src/accounts/AccountService.js:372 +#: client/app/src/accounts/AccountService.js:393 msgid "Passphrase is not corresponding to account" msgstr "" +#: client/app/src/accounts/view/importAccount.html:12 +msgid "Passphrase is not saved on this computer." +msgstr "" + #: client/app/src/accounts/view/savePassphrases.html:12 msgid "" "Passphrases are not secured with high standard.
\n" " Use this feature only on safe computers and for accounts you can afford to lose balance." msgstr "" -#: client/app/src/accounts/AccountService.js:171 +#: client/app/src/accounts/AccountService.js:170 msgid "Passphrases deleted" msgstr "" -#: client/app/src/accounts/AccountController.js:983 +#: client/app/src/accounts/AccountController.js:970 msgid "Passphrases saved" msgstr "" -#: client/app/index.html:202 -#: client/app/index.html:69 +#: client/app/index.html:211 +#: client/app/index.html:72 msgid "Peer" msgstr "" @@ -445,19 +455,19 @@ msgstr "" msgid "Please backup securely the passphrase, this client does NOT store it and thus cannot recover your passphrase" msgstr "" -#: client/app/src/accounts/AccountController.js:477 +#: client/app/src/accounts/AccountController.js:474 msgid "Please enter a folder name." msgstr "" -#: client/app/src/accounts/AccountController.js:673 +#: client/app/src/accounts/AccountController.js:670 msgid "Please enter a new address." msgstr "" -#: client/app/src/accounts/AccountController.js:1170 +#: client/app/src/accounts/AccountController.js:1209 msgid "Please enter a short label." msgstr "" -#: client/app/src/accounts/AccountController.js:494 +#: client/app/src/accounts/AccountController.js:491 msgid "Please enter this account passphrase to login." msgstr "" @@ -469,14 +479,14 @@ msgstr "" msgid "Portuguese" msgstr "" -#: client/app/index.html:179 -#: client/app/index.html:94 +#: client/app/index.html:188 +#: client/app/index.html:97 msgid "Price" msgstr "" -#: client/app/index.html:555 -#: client/app/index.html:581 -#: client/app/index.html:686 +#: client/app/index.html:564 +#: client/app/index.html:590 +#: client/app/index.html:695 msgid "Productivity" msgstr "" @@ -488,18 +498,18 @@ msgstr "" msgid "Quit Ark Client?" msgstr "" -#: client/app/index.html:551 -#: client/app/index.html:577 -#: client/app/index.html:680 +#: client/app/index.html:560 +#: client/app/index.html:586 +#: client/app/index.html:689 msgid "Rank" msgstr "" -#: client/app/src/accounts/AccountService.js:236 +#: client/app/src/accounts/AccountService.js:235 msgid "Receive Ark" msgstr "" -#: client/app/src/accounts/AccountController.js:1135 -#: client/app/src/accounts/AccountController.js:1163 +#: client/app/src/accounts/AccountController.js:1174 +#: client/app/src/accounts/AccountController.js:1202 msgid "Register Delegate" msgstr "" @@ -507,15 +517,15 @@ msgstr "" msgid "Register delegate for" msgstr "" -#: client/app/index.html:640 +#: client/app/index.html:649 msgid "Remove" msgstr "" -#: client/app/index.html:645 +#: client/app/index.html:654 msgid "Rename" msgstr "" -#: client/app/index.html:121 +#: client/app/index.html:124 msgid "Restart" msgstr "" @@ -550,8 +560,8 @@ msgstr "" msgid "Send" msgstr "" -#: client/app/src/accounts/AccountController.js:1129 -#: client/app/src/accounts/AccountController.js:1159 +#: client/app/src/accounts/AccountController.js:1168 +#: client/app/src/accounts/AccountController.js:1198 msgid "Send Ark" msgstr "" @@ -559,7 +569,7 @@ msgstr "" msgid "Send Ark from" msgstr "" -#: client/app/src/accounts/AccountController.js:1173 +#: client/app/src/accounts/AccountController.js:1212 msgid "Set" msgstr "" @@ -571,7 +581,7 @@ msgstr "" msgid "Smartbridge" msgstr "" -#: client/app/src/accounts/AccountController.js:504 +#: client/app/src/accounts/AccountController.js:501 msgid "Succesfully Logged In!" msgstr "" @@ -579,15 +589,15 @@ msgstr "" msgid "Symbol" msgstr "" -#: client/app/src/accounts/AccountService.js:330 +#: client/app/src/accounts/AccountService.js:331 msgid "The destination address" msgstr "" -#: client/app/index.html:293 +#: client/app/index.html:302 msgid "This account has never interacted with the network. This is a cold wallet." msgstr "" -#: client/app/index.html:308 +#: client/app/index.html:317 #: client/app/src/accounts/view/showTransaction.html:18 msgid "To" msgstr "" @@ -596,21 +606,21 @@ msgstr "" msgid "Token name" msgstr "" -#: client/app/index.html:305 +#: client/app/index.html:314 msgid "Total" msgstr "" -#: client/app/src/accounts/AccountController.js:1268 -#: client/app/src/accounts/AccountController.js:357 +#: client/app/src/accounts/AccountController.js:1251 +#: client/app/src/accounts/AccountController.js:360 #: client/app/src/accounts/view/showTransaction.html:5 msgid "Transaction" msgstr "" -#: client/app/index.html:288 +#: client/app/index.html:297 msgid "Transactions" msgstr "" -#: client/app/index.html:304 +#: client/app/index.html:313 #: client/app/src/accounts/view/showTransaction.html:12 msgid "Type" msgstr "" @@ -619,49 +629,53 @@ msgstr "" msgid "Update vote from" msgstr "" -#: client/app/index.html:578 +#: client/app/index.html:587 #: client/app/src/accounts/view/createDelegate.html:11 #: client/app/src/accounts/view/showTransaction.html:21 msgid "Username" msgstr "" -#: client/app/index.html:306 +#: client/app/index.html:315 msgid "Vendor Field" msgstr "" -#: client/app/src/accounts/AccountController.js:486 +#: client/app/src/accounts/AccountController.js:483 msgid "Virtual folder added!" msgstr "" -#: client/app/index.html:571 +#: client/app/index.html:580 msgid "Vote" msgstr "" -#: client/app/index.html:527 +#: client/app/index.html:536 msgid "Votes" msgstr "" -#: client/app/src/accounts/AccountController.js:674 +#: client/app/index.html:246 +msgid "Watch-Only Addresses" +msgstr "" + +#: client/app/src/accounts/AccountController.js:671 msgid "address" msgstr "" -#: client/app/src/accounts/AccountController.js:478 +#: client/app/src/accounts/AccountController.js:475 msgid "folder name" msgstr "" -#: client/app/src/accounts/AccountService.js:330 +#: client/app/src/accounts/AccountService.js:331 msgid "is erroneous" msgstr "" -#: client/app/src/accounts/AccountController.js:694 +#: client/app/src/accounts/AccountController.js:691 msgid "is not recognised" msgstr "" -#: client/app/src/accounts/AccountController.js:1171 +#: client/app/src/accounts/AccountController.js:1210 msgid "label" msgstr "" -#: client/app/index.html:686 +#: client/app/index.html:695 msgid "missed blocks" msgstr "" @@ -669,23 +683,23 @@ msgstr "" msgid "now!" msgstr "" -#: client/app/src/accounts/AccountController.js:495 +#: client/app/src/accounts/AccountController.js:492 msgid "passphrase" msgstr "" -#: client/app/index.html:686 +#: client/app/index.html:695 msgid "produced blocks" msgstr "" -#: client/app/src/accounts/AccountController.js:1268 -#: client/app/src/accounts/AccountController.js:357 +#: client/app/src/accounts/AccountController.js:1251 +#: client/app/src/accounts/AccountController.js:360 msgid "sent with success!" msgstr "" -#: client/app/src/accounts/AccountService.js:381 +#: client/app/src/accounts/AccountService.js:382 msgid "you need at least 1 ARK to vote" msgstr "" -#: client/app/src/accounts/AccountService.js:360 +#: client/app/src/accounts/AccountService.js:361 msgid "you need at least 25 ARK to register delegate" msgstr "" diff --git a/po/tr.po b/po/tr.po new file mode 100755 index 0000000000..5e03c9fb95 --- /dev/null +++ b/po/tr.po @@ -0,0 +1,40 @@ +msgid "" +msgstr "" +"Project-Id-Version: VERSION\n" +"POT-Creation-Date: 2017-03-03 10:03+0000\n" +"PO-Revision-Date: 2017-03-03 10:03+0000\n" +"Last-Translator: FULL NAME \n" +"Language-Team: LANGUAGE TEAM \n" +"Language: tr\n" +"MIME-Version: 1.0\n" +"Content-Type: text/plain; charset=UTF-8\n" +"Content-Transfer-Encoding: 8bit\n" +"Plural-Forms: nplurals=2; plural=(n > 1);\n" + +msgid "Total Ѧ" +msgstr "toplam" + +msgid "This account has never interacted with the network. This is either:" +msgstr "bu hesap network ile hic baglantiya girmemistir." + +msgid "Details" +msgstr "detailar" + +msgid "Deposit ARK" +msgstr "Depozit ARK" + +msgid "Folders" +msgstr "dosya" + +msgid "History" +msgstr "Tarif" + +msgid "Maximum:" +msgstr "maksimum:" + +msgid "Minimum:" +msgstr "Asgari:" + +msgid "Receive" +msgstr "Al" + diff --git a/po/zh-CN.po b/po/zh-CN.po index ebbd1ee4a9..74348b5069 100755 --- a/po/zh-CN.po +++ b/po/zh-CN.po @@ -1,8 +1,8 @@ msgid "" msgstr "" "Project-Id-Version: VERSION\n" -"POT-Creation-Date: 2017-01-18 08:54+0000\n" -"PO-Revision-Date: 2017-01-18 08:54+0000\n" +"POT-Creation-Date: 2017-03-03 10:03+0000\n" +"PO-Revision-Date: 2017-03-03 10:03+0000\n" "Last-Translator: FULL NAME \n" "Language-Team: LANGUAGE TEAM \n" "Language: zh_CN\n" @@ -11,6 +11,438 @@ msgstr "" "Content-Transfer-Encoding: 8bit\n" "Plural-Forms: nplurals=1; plural=0;\n" +msgid "Address" +msgstr "地址" + +msgid "Account added!" +msgstr "帐户已添加!" + +msgid "Amount (Ѧ)" +msgstr "合计 (Ѧ)" + +msgid "Add Account" +msgstr "添加账户" + +msgid "Account deleted!" +msgstr "帐户已删除!" + +msgid "Add Delegate" +msgstr "添加受托人" + +msgid "Amount" +msgstr "合计" + +msgid "Add" +msgstr "添加" + +msgid "Approval" +msgstr "批准" + +msgid "Are you sure?" +msgstr "你确定?" + +msgid "Balance" +msgstr "余额" + +msgid "Ark Client" +msgstr "Ark客户端" + +msgid "Cancel" +msgstr "取消" + +msgid "Cannot find delegates from this term:" +msgstr "在此项目上找不到受托人:" + +msgid "Cannot get sponsors" +msgstr "无法得到赞助" + +msgid "Cannot find delegate:" +msgstr "找不到受托人:" + +msgid "Cannot get transactions" +msgstr "无法获取交易" + +msgid "Cannot find delegates on this peer:" +msgstr "在此对等设备上找不到受托人:" + +msgid "Cannot get voted delegates" +msgstr "无法获得已投票受托人" + +msgid "Cannot state if account is a delegate" +msgstr "Cannot state if account is a delegate" + +msgid "Change 1h/7h/7d" +msgstr "涨幅 1h/7h/7d" + +msgid "Create Virtual Folder" +msgstr "创建虚拟文件夹" + +msgid "Create a new virtual folder" +msgstr "创建一个虚拟文件夹" + +msgid "Close" +msgstr "关闭" + +msgid "Default" +msgstr "默认" + +msgid "Date" +msgstr "日期" + +msgid "Delay" +msgstr "延迟" + +msgid "Delegate name" +msgstr "委托人名称" + +msgid "Delegate" +msgstr "委托人" + +msgid "Delete" +msgstr "删除" + +msgid "Delete Account" +msgstr "删除账户" + +msgid "Destination Address" +msgstr "目标地址" + +msgid "Delete permanently this account" +msgstr "永久删除此帐户" + +msgid "Enable Virtual Folders" +msgstr "启用虚拟文件夹" + +msgid "Error when trying to login:" +msgstr "尝试登录时出错:" + +msgid "Enable Votes" +msgstr "启用投票" + +msgid "Error:" +msgstr "错误" + +msgid "Exchange" +msgstr "交换" + +msgid "Fee (Ѧ)" +msgstr "费用(Ѧ)" + +msgid "Folder Name" +msgstr "文件夹名称" + +msgid "From" +msgstr "从" + +msgid "Hand crafted with ❤ by" +msgstr "手工制作❤由" + +msgid "Height" +msgstr "高度" + +msgid "Label" +msgstr "标签" + +msgid "Label set" +msgstr "设置标签" + +msgid "Language" +msgstr "语言" + +msgid "Last checked" +msgstr "上次检查" + +msgid "List full or delegate already voted." +msgstr "列出已投票的所有受托人。" + +msgid "Login" +msgstr "登录" + +msgid "Market Cap." +msgstr "市值" + +msgid "My Accounts" +msgstr "我的帐户" + +msgid "Network connected and healthy!" +msgstr "网络健康连接!" + +msgid "Network disconected!" +msgstr "网络断开连接!" + +msgid "No difference from original delegate list" +msgstr "与原受托人列表无差别" + +msgid "Next" +msgstr "Next" + +msgid "No publicKey" +msgstr "没有公钥" + +msgid "No search term" +msgstr "没有搜索字词" + +msgid "Not enough ARK on your account" +msgstr "您的账户没有足够的ARK" + +msgid "Open Delegate Monitor" +msgstr "打开受托人监视器" + +msgid "Other Accounts" +msgstr "其他账户" + +msgid "Passphrase does not match your address" +msgstr "主密码与您的地址不符" + +msgid "Passphrase" +msgstr "主密码" + +msgid "Passphrase is not corresponding to account" +msgstr "主密码与账户不对应" + +msgid "Peer" +msgstr "Peer" + +msgid "Please enter a folder name." +msgstr "请输入文件夹名称。" + +msgid "Please enter a new address." +msgstr "请输入新地址。" + +msgid "Please enter a short label." +msgstr "请输入短标签。" + +msgid "Price" +msgstr "行情" + +msgid "Please enter this account passphrase to login." +msgstr "请输入此帐户主密码以登录。" + +msgid "Productivity" +msgstr "生产率" + +msgid "Quit" +msgstr "退出" + +msgid "Quit Ark Client?" +msgstr "退出ARK客户端?" + +msgid "Rank" +msgstr "排名" + +msgid "Receive Ark" +msgstr "接收ARK" + +msgid "Rename" +msgstr "重命名" + +msgid "Remove" +msgstr "撤除" + +msgid "Send" +msgstr "发送" + +msgid "Second Passphrase" +msgstr "二级密码" + +msgid "Send Ark" +msgstr "发送Ark" + +msgid "Send Ark from" +msgstr "发送Ark从" + +msgid "Set" +msgstr "设置" + +msgid "Succesfully Logged In!" +msgstr "成功登录!" + +msgid "The destination address" +msgstr "目标地址" + +msgid "To" +msgstr "To" + +msgid "Transaction" +msgstr "交易" + +msgid "Transactions" +msgstr "交易" + +msgid "Type" +msgstr "类型" + +msgid "Update vote from" +msgstr "更新投票从" + +msgid "Username" +msgstr "用户名" + +msgid "Virtual folder added!" +msgstr "虚拟文件夹已添加!" + +msgid "Vote" +msgstr "投票" + +msgid "Votes" +msgstr "投票" + +msgid "address" +msgstr "地址" + +msgid "is erroneous" +msgstr "是错误的" + +msgid "folder name" +msgstr "文件夾名稱" + +msgid "is not recognised" +msgstr "无法识别" + +msgid "label" +msgstr "标签" + +msgid "missed blocks" +msgstr "错过块" + +msgid "now!" +msgstr "现在!" + +msgid "passphrase" +msgstr "主密码" + +msgid "produced blocks" +msgstr "生产块" + msgid "you need at least 1 ARK to vote" msgstr "您需要至少1 ARK投票" +msgid "sent with success!" +msgstr "发送成功!" + +msgid "Total Ѧ" +msgstr "总计Ѧ" + +msgid "This account has never interacted with the network. This is either:" +msgstr "此帐户从未与网络进行过互动. 这是:" + +msgid "an inexistant wallet, ie nobody knows the passphrase of this wallet. The ARK are lost" +msgstr "一个不存在的钱包,即没有人知道这个钱包的密码。 ARK丢失" + +msgid "an inexistant wallet, ie nobody knows the passphrase of this wallet." +msgstr "一个不存在的钱包,即没有人知道这个钱包的密码。" + +msgid "a cold wallet, ie the owner of the passphrase has never used it" +msgstr "一个冷钱包,即密码的所有者从来没有使用它" + +msgid "Details" +msgstr "明细" + +msgid "Recipient Address" +msgstr "接收地址" + +msgid "Add Account from address" +msgstr "用地址添加帐户" + +msgid "Add Sponsors Delegates" +msgstr "添加受托人" + +msgid "Blockchain Application Registration" +msgstr "区块链应用注册" + +msgid "By using the following forms, you are accepting their" +msgstr "通过使用以下表单,您将接受他们" + +msgid "Delegate Registration" +msgstr "注册受托人" + +msgid "Deposit ARK" +msgstr "存入ARK" + +msgid "Deposit and Withdraw through our partner" +msgstr "通过我们的合作伙伴存款和提款" + +msgid "Folders" +msgstr "文件夹" + +msgid "History" +msgstr "历史" + +msgid "If you own this account, you can enable virtual folders. Virtual Folders are simple subaccounts to better organise your money, without needing to send a real transaction and pay a fee.
\n Moreover, this account will move under the \"My Accounts\" list." +msgstr "如果您拥有此帐户,则可以启用虚拟文件夹。 虚拟文件夹是简单的子帐户,以更好地组织您的资产,而不需要发送真实交易和支付费用。
\n此外,此帐户将移动到“我的帐户”列表下" + +msgid "If you own this account, you can enable Voting" +msgstr "如果您拥有此帐户,则可以启用投票" + +msgid "Maximum:" +msgstr "最大值:" + +msgid "Minimum:" +msgstr "最低:" + +msgid "Multisignature Creation" +msgstr "创建多重签名" + +msgid "Next..." +msgstr "Next..." + +msgid "Please login with your account before using this feature" +msgstr "请先登录您的帐户,然后再使用此功能" + +msgid "Please report any issue to" +msgstr "请报告任何问题" + +msgid "Receive" +msgstr "接收" + +msgid "Refresh" +msgstr "刷新" + +msgid "Recepient Address" +msgstr "接收地址" + +msgid "Second Signature Creation" +msgstr "创建第二签名" + +msgid "Select a coin" +msgstr "选择硬币" + +msgid "Second passphrase" +msgstr "二级密码" + +msgid "Status:" +msgstr "状态:" + +msgid "Status" +msgstr "状态" + +msgid "Sponsors Page" +msgstr "赞助商页面" + +msgid "Terms and Conditions" +msgstr "Terms and Conditions" + +msgid "They have funded this app so you can use it for free.
\n Vote them to help the development." +msgstr "他们已经资助这个程序,所以你可以免费使用它。
\n投票他们帮助发展。" + +msgid "Transaction id" +msgstr "事务ID" + +msgid "Transfer Ark from Blockchain Application" +msgstr "从区块链应用程序转送ARK" + +msgid "Transfer Ark to Blockchain Application" +msgstr "将ARK转送到区块链应用程序" + +msgid "Valid until" +msgstr "有效期至" + +msgid "Withdraw ARK" +msgstr "提取ARK" + +msgid "Your email, used to send confirmation" +msgstr "您的电子邮件,用于发送确认" + +msgid "to" +msgstr "to" + diff --git a/po/zh-TW.po b/po/zh-TW.po new file mode 100755 index 0000000000..ab8b49cf56 --- /dev/null +++ b/po/zh-TW.po @@ -0,0 +1,448 @@ +msgid "" +msgstr "" +"Project-Id-Version: VERSION\n" +"POT-Creation-Date: 2017-03-03 10:03+0000\n" +"PO-Revision-Date: 2017-03-03 10:03+0000\n" +"Last-Translator: FULL NAME \n" +"Language-Team: LANGUAGE TEAM \n" +"Language: zh_TW\n" +"MIME-Version: 1.0\n" +"Content-Type: text/plain; charset=UTF-8\n" +"Content-Transfer-Encoding: 8bit\n" +"Plural-Forms: nplurals=1; plural=0;\n" + +msgid "Address" +msgstr "地址" + +msgid "Account added!" +msgstr "帳戶已添加!" + +msgid "Amount (Ѧ)" +msgstr "合計 (Ѧ)" + +msgid "Add Account" +msgstr "添加帳戶" + +msgid "Account deleted!" +msgstr "帳戶已刪除!" + +msgid "Add Delegate" +msgstr "添加受託人" + +msgid "Amount" +msgstr "合計" + +msgid "Add" +msgstr "添加" + +msgid "Approval" +msgstr "批准" + +msgid "Are you sure?" +msgstr "你確定?" + +msgid "Balance" +msgstr "结余" + +msgid "Ark Client" +msgstr "ARK客戶端" + +msgid "Cancel" +msgstr "取消" + +msgid "Cannot find delegates from this term:" +msgstr "在此项目上找不到受託人:" + +msgid "Cannot get sponsors" +msgstr "無法得到贊助" + +msgid "Cannot find delegate:" +msgstr "找不到受託人:" + +msgid "Cannot get transactions" +msgstr "無法獲取交易" + +msgid "Cannot find delegates on this peer:" +msgstr "在此對等設備上找不到受託人:" + +msgid "Cannot get voted delegates" +msgstr "無法獲得已投票受託人" + +msgid "Cannot state if account is a delegate" +msgstr "無法帳戶是否為受託人" + +msgid "Change 1h/7h/7d" +msgstr "漲幅 1h/7h/7d" + +msgid "Create Virtual Folder" +msgstr "創建虛擬文件夾" + +msgid "Create a new virtual folder" +msgstr "創建一个虛擬文件夾" + +msgid "Close" +msgstr "關閉" + +msgid "Default" +msgstr "默認" + +msgid "Date" +msgstr "日期" + +msgid "Delay" +msgstr "延遲" + +msgid "Delegate name" +msgstr "受託人名稱" + +msgid "Delegate" +msgstr "受託人" + +msgid "Delete" +msgstr "刪除" + +msgid "Delete Account" +msgstr "刪除賬戶" + +msgid "Destination Address" +msgstr "目標地址" + +msgid "Delete permanently this account" +msgstr "永久刪除此帳戶" + +msgid "Enable Virtual Folders" +msgstr "啟用虛擬文件夾" + +msgid "Error when trying to login:" +msgstr "嘗試登錄時出錯:" + +msgid "Enable Votes" +msgstr "啟用投票" + +msgid "Error:" +msgstr "錯誤" + +msgid "Exchange" +msgstr "交換" + +msgid "Fee (Ѧ)" +msgstr "費用(Ѧ)" + +msgid "Folder Name" +msgstr "文件夾名稱" + +msgid "From" +msgstr "從" + +msgid "Hand crafted with ❤ by" +msgstr "手工製作❤由" + +msgid "Height" +msgstr "高度" + +msgid "Label" +msgstr "標籤" + +msgid "Label set" +msgstr "設置標籤" + +msgid "Language" +msgstr "語言" + +msgid "Last checked" +msgstr "上次檢查" + +msgid "List full or delegate already voted." +msgstr "列出已投票的所有受託人。" + +msgid "Login" +msgstr "登錄" + +msgid "Market Cap." +msgstr "市值" + +msgid "My Accounts" +msgstr "我的帳戶" + +msgid "Network connected and healthy!" +msgstr "網絡健康連接!" + +msgid "Network disconected!" +msgstr "網絡斷開連接!" + +msgid "No difference from original delegate list" +msgstr "與原受託人列表無差別" + +msgid "Next" +msgstr "Next" + +msgid "No publicKey" +msgstr "沒有公鑰" + +msgid "No search term" +msgstr "沒有搜索字詞" + +msgid "Not enough ARK on your account" +msgstr "您的賬戶沒有足夠的ARK" + +msgid "Open Delegate Monitor" +msgstr "打開受託人監視器" + +msgid "Other Accounts" +msgstr "其他賬戶" + +msgid "Passphrase does not match your address" +msgstr "主密碼與您的地址不符" + +msgid "Passphrase" +msgstr "主密碼" + +msgid "Passphrase is not corresponding to account" +msgstr "主密碼與帳戶不對應" + +msgid "Peer" +msgstr "Peer" + +msgid "Please enter a folder name." +msgstr "請輸入文件夾名稱。" + +msgid "Please enter a new address." +msgstr "請輸入新地址。" + +msgid "Please enter a short label." +msgstr "請輸入短標籤。" + +msgid "Price" +msgstr "行情" + +msgid "Please enter this account passphrase to login." +msgstr "請輸入此帳戶主密碼以登錄。" + +msgid "Productivity" +msgstr "生產率" + +msgid "Quit" +msgstr "退出" + +msgid "Quit Ark Client?" +msgstr "退出ARK客戶端?" + +msgid "Rank" +msgstr "排名" + +msgid "Receive Ark" +msgstr "接收ARK" + +msgid "Rename" +msgstr "重命名" + +msgid "Remove" +msgstr "撤除" + +msgid "Send" +msgstr "發送" + +msgid "Second Passphrase" +msgstr "二級密碼" + +msgid "Send Ark" +msgstr "發送Ark" + +msgid "Send Ark from" +msgstr "設置" + +msgid "Set" +msgstr "設置" + +msgid "Succesfully Logged In!" +msgstr "成功登錄!" + +msgid "The destination address" +msgstr "目標地址" + +msgid "To" +msgstr "To" + +msgid "Transaction" +msgstr "交易" + +msgid "Transactions" +msgstr "交易" + +msgid "Type" +msgstr "類型" + +msgid "Update vote from" +msgstr "更新投票從" + +msgid "Username" +msgstr "用戶名" + +msgid "Virtual folder added!" +msgstr "虛擬文件夾已添加!" + +msgid "Vote" +msgstr "投票" + +msgid "Votes" +msgstr "投票" + +msgid "address" +msgstr "地址" + +msgid "is erroneous" +msgstr "是錯誤的" + +msgid "folder name" +msgstr "文件夾名稱" + +msgid "is not recognised" +msgstr "無法識別" + +msgid "label" +msgstr "標籤" + +msgid "missed blocks" +msgstr "錯過塊" + +msgid "now!" +msgstr "現在!" + +msgid "passphrase" +msgstr "主密碼" + +msgid "produced blocks" +msgstr "生產塊" + +msgid "you need at least 1 ARK to vote" +msgstr "您需要至少1 ARK投票" + +msgid "sent with success!" +msgstr "發送成功!" + +msgid "Total Ѧ" +msgstr "總計Ѧ" + +msgid "This account has never interacted with the network. This is either:" +msgstr "此帳戶從未與網絡進行過互動. 這是:" + +msgid "an inexistant wallet, ie nobody knows the passphrase of this wallet. The ARK are lost" +msgstr "一個不存在的錢包,即沒有人知道這個錢包的密碼。 ARK丟失" + +msgid "an inexistant wallet, ie nobody knows the passphrase of this wallet." +msgstr "一個不存在的錢包,即沒有人知道這個錢包的密碼" + +msgid "a cold wallet, ie the owner of the passphrase has never used it" +msgstr "一個冷錢包,即密碼的所有者從來沒有使用它" + +msgid "Details" +msgstr "明細" + +msgid "Recipient Address" +msgstr "接收地址" + +msgid "Add Account from address" +msgstr "用地址添加帳戶" + +msgid "Add Sponsors Delegates" +msgstr "添加受託人" + +msgid "Blockchain Application Registration" +msgstr "區塊鏈應用註冊" + +msgid "By using the following forms, you are accepting their" +msgstr "通過使用以下表單,您將接受他們" + +msgid "Delegate Registration" +msgstr "註冊受託人" + +msgid "Deposit ARK" +msgstr "存入ARK" + +msgid "Deposit and Withdraw through our partner" +msgstr "通過我們的合作夥伴存款和提款" + +msgid "Folders" +msgstr "文件夾" + +msgid "History" +msgstr "歷史" + +msgid "If you own this account, you can enable virtual folders. Virtual Folders are simple subaccounts to better organise your money, without needing to send a real transaction and pay a fee.
\n Moreover, this account will move under the \"My Accounts\" list." +msgstr "如果您擁有此帳戶,則可以啟用虛擬文件夾。虛擬文件夾是簡單的子帳戶,以更好地組織您的資產,而不需要發送真實交易和支付費用。
\n此外,此帳戶將移動到“我的帳戶”列表下。" + +msgid "If you own this account, you can enable Voting" +msgstr "如果您擁有此帳戶,則可以啟用投票" + +msgid "Maximum:" +msgstr "最大值:" + +msgid "Minimum:" +msgstr "最低:" + +msgid "Multisignature Creation" +msgstr "創建多重簽名" + +msgid "Next..." +msgstr "Next..." + +msgid "Please login with your account before using this feature" +msgstr "請先登錄您的帳戶,然後再使用此功能" + +msgid "Please report any issue to" +msgstr "Please report any issue to" + +msgid "Receive" +msgstr "接收" + +msgid "Refresh" +msgstr "刷新" + +msgid "Recepient Address" +msgstr "接收地址" + +msgid "Second Signature Creation" +msgstr "創建第二簽名" + +msgid "Select a coin" +msgstr "選擇硬幣" + +msgid "Second passphrase" +msgstr "二級密碼" + +msgid "Status:" +msgstr "狀態:" + +msgid "Status" +msgstr "狀態" + +msgid "Sponsors Page" +msgstr "贊助商頁面" + +msgid "Terms and Conditions" +msgstr "Terms and Conditions" + +msgid "They have funded this app so you can use it for free.
\n Vote them to help the development." +msgstr "他們已經資助這個程序,所以你可以免費使用它。
\n投票他們幫助發展。" + +msgid "Transaction id" +msgstr "交易ID" + +msgid "Transfer Ark from Blockchain Application" +msgstr "從區塊鏈應用程序轉送ARK" + +msgid "Transfer Ark to Blockchain Application" +msgstr "將ARK轉送到區塊鏈應用程序" + +msgid "Valid until" +msgstr "有效期至" + +msgid "Withdraw ARK" +msgstr "提取ARK" + +msgid "Your email, used to send confirmation" +msgstr "您的電子郵件,用於發送確認" + +msgid "to" +msgstr "to" +