Translation updates (#120)

* Updated all translations, moved into their own folders.

* Switch translations to use Markdown component.

* Remove markup tests, since were using a module now.

* Fix flow errors, render react elements instead of dangerouslysetinnerhtml.

* Make translate a connected component, so it updates with Redux.

* Fix flow errors

* First pass at returning raw when needed for placeholder.

* Added aria test.

* Fixed flow errors and linter warnings.

* Move settimeout to saga.

* Change reload to 250 ms from 1500 ms
This commit is contained in:
William O'Beirne 2017-08-28 14:05:38 -04:00 committed by Daniel Ternyak
parent 1d235cf67a
commit f5b6a49463
50 changed files with 5475 additions and 2078 deletions

View File

@ -1,4 +1,5 @@
// @flow
import type { Element } from 'react';
/*** Shared types ***/
export type NOTIFICATION_LEVEL = 'danger' | 'warning' | 'success' | 'info';
@ -6,7 +7,7 @@ export type INFINITY = 'infinity';
export type Notification = {
level: NOTIFICATION_LEVEL,
msg: string,
msg: Element<*> | string,
duration?: number | INFINITY
};
@ -18,7 +19,7 @@ export type ShowNotificationAction = {
export function showNotification(
level: NOTIFICATION_LEVEL = 'info',
msg: string,
msg: Element<*> | string,
duration?: number
): ShowNotificationAction {
return {

View File

@ -1,17 +1,17 @@
// @flow
import bityConfig from 'config/bity';
import { checkHttpStatus, parseJSON } from './utils';
import { combineAndUpper } from 'utils/formatters';
// import { combineAndUpper } from 'utils/formatters';
function findRateFromBityRateList(rateObjects, pairName: string) {
return rateObjects.find(x => x.pair === pairName);
}
// function findRateFromBityRateList(rateObjects, pairName: string) {
// return rateObjects.find(x => x.pair === pairName);
// }
function _getRate(bityRates, originKind: string, destinationKind: string) {
const pairName = combineAndUpper(originKind, destinationKind);
const rateObjects = bityRates.objects;
return findRateFromBityRateList(rateObjects, pairName);
}
// function _getRate(bityRates, originKind: string, destinationKind: string) {
// const pairName = combineAndUpper(originKind, destinationKind);
// const rateObjects = bityRates.objects;
// return findRateFromBityRateList(rateObjects, pairName);
// }
export function getAllRates() {
const mappedRates = {};
@ -62,4 +62,4 @@ function _getAllRates() {
.then(parseJSON);
}
function requestOrderStatus() {}
// function requestOrderStatus() {}

View File

@ -26,7 +26,8 @@ export default class NavigationLink extends React.Component {
location.pathname === link.to ||
location.pathname.substring(1) === link.to
});
const linkLabel = `nav item: ${translate(link.name)}`;
// $FlowFixMe flow is wrong, this isn't an element
const linkLabel = `nav item: ${translate(link.name, true)}`;
const linkEl = link.external
? <a

View File

@ -0,0 +1,24 @@
// @flow
import React from 'react';
import Markdown from 'react-markdown';
import { translateRaw } from 'translations';
type Props = {
translationKey: string
};
const Translate = ({ translationKey }: Props) => {
const source = translateRaw(translationKey);
return (
<Markdown
containerTagName="span"
containerProps={{ 'data-l10n-key': translationKey }}
escapeHtml={true}
unwrapDisallowed={true}
allowedTypes={['Text', 'Link', 'Emph', 'Strong', 'Code']}
source={source}
/>
);
};
export default Translate;

View File

@ -1,5 +1,5 @@
import React, { Component } from 'react';
import translate from 'translations';
import translate, { translateRaw } from 'translations';
import { isKeystorePassRequired } from 'libs/keystore';
export type KeystoreValue = {
@ -64,7 +64,7 @@ export default class KeystoreDecrypt extends Component {
value={password}
onChange={this.onPasswordChange}
onKeyDown={this.onKeyDown}
placeholder={translate('x_Password')}
placeholder={translateRaw('x_Password')}
type="password"
/>
</div>

View File

@ -1,6 +1,6 @@
// @flow
import React, { Component } from 'react';
import translate from 'translations';
import translate, { translateRaw } from 'translations';
import { isValidPrivKey, isValidEncryptedPrivKey } from 'libs/validators';
export type PrivateKeyValue = {
@ -71,7 +71,7 @@ export default class PrivateKeyDecrypt extends Component {
value={key}
onChange={this.onPkeyChange}
onKeyDown={this.onKeyDown}
placeholder={translate('x_PrivKey2')}
placeholder={translateRaw('x_PrivKey2')}
rows="4"
/>
</div>
@ -88,7 +88,7 @@ export default class PrivateKeyDecrypt extends Component {
value={password}
onChange={this.onPasswordChange}
onKeyDown={this.onKeyDown}
placeholder={translate('x_Password')}
placeholder={translateRaw('x_Password')}
type="password"
/>
</div>}

View File

@ -18,8 +18,7 @@ type Props = {
| 'danger'
| 'link',
disabled?: boolean,
// $FlowFixMe - Why the fuck doesn't this like onClick?
onClick: () => void
onClick?: () => void
}[],
handleClose: () => void,
children: any

View File

@ -1,5 +1,6 @@
// @flow
import React, { Component } from 'react';
import type { Element } from 'react';
const DEFAULT_BUTTON_TYPE = 'primary';
const DEFAULT_BUTTON_SIZE = 'lg';
@ -19,7 +20,7 @@ type ButtonSize = 'lg' | 'sm' | 'xs';
type Props = {
onClick: () => any,
text: string,
text: Element<*> | string,
loading?: boolean,
disabled?: boolean,
loadingText?: string,
@ -47,8 +48,7 @@ export default class SimpleButton extends Component {
>
{loading
? <div>
<Spinner />
{` ${loadingText || text}`}
<Spinner /> {loadingText || text}
</div>
: <div>
{text}

View File

@ -31,8 +31,12 @@ class NotificationRow extends React.Component {
role="alert"
aria-live="assertive"
>
<span className="sr-only">{level}</span>
<div className="container" dangerouslySetInnerHTML={{ __html: msg }} />
<span className="sr-only">
{level}
</span>
<div className="container">
{msg}
</div>
<i
tabIndex="0"
aria-label="dismiss"

View File

@ -1,5 +1,6 @@
// @flow
import React, { Component } from 'react';
import translate from 'translations';
type Props = {
togglePassword: Function,
@ -23,12 +24,12 @@ export default class PasswordInput extends Component {
name="password"
className={`form-control ${meta.error ? 'is-invalid' : ''}`}
type={isPasswordVisible ? 'text' : 'password'}
placeholder="Do NOT forget to save this!"
aria-label="Enter a strong password (at least 9 characters)"
placeholder={translate('GEN_Placeholder_1', true)}
aria-label={translate('GEN_Aria_1', true)}
/>
<span
onClick={togglePassword}
aria-label="make password visible"
aria-label={translate('GEN_Aria_2', true)}
role="button"
className="input-group-addon eye"
/>

View File

@ -1,10 +1,14 @@
import React from 'react';
import translate from 'common/translations';
const Help = () =>
<section className="container" style={{ minHeight: '50%' }}>
<div className="tab-content">
<article className="tab-pane help active">
<h1 translate="NAV_Help">Help</h1>
<h1>
{translate('NAV_Help')}
</h1>
<article className="collapse-container">
<div>
<ul>
@ -14,26 +18,21 @@ const Help = () =>
href="https://www.reddit.com/r/ethereum/comments/47nkoi/psa_check_your_ethaddressorg_wallets_and_any/d0eo45o"
target="_blank"
>
<span className="text-danger" translate="HELP_Warning">
If you created a wallet -or- downloaded the repo before{' '}
<strong>Dec. 31st, 2015</strong>, please check your
wallets &amp;
download a new version of the repo. Click for details.
<span className="text-danger">
{translate('HELP_Warning')}
</span>
</a>
</h3>
</li>
<li>
<h3>
This
page is deprecated. Please check out our more up-to-date and
searchable{' '}
This page is deprecated. Please check out our more up-to-date
and searchable{' '}
<a
href="https://myetherwallet.groovehq.com/help_center"
target="_blank"
>
Knowledge
Base.{' '}
Knowledge Base.{' '}
</a>
</h3>
</li>

View File

@ -1,6 +1,6 @@
// @flow
import React from 'react';
import translate from 'translations';
import translate, { translateRaw } from 'translations';
import UnitDropdown from './UnitDropdown';
type Props = {
@ -28,7 +28,7 @@ export default class AmountField extends React.Component {
? 'is-valid'
: 'is-invalid'}`}
type="text"
placeholder={translate('SEND_amount_short')}
placeholder={translateRaw('SEND_amount_short')}
value={value}
disabled={isReadonly}
onChange={isReadonly ? void 0 : this.onValueChange}

View File

@ -1,7 +1,7 @@
// @flow
import './ConfirmationModal.scss';
import React from 'react';
import translate from 'translations';
import translate, { translateRaw } from 'translations';
import Big from 'bignumber.js';
import EthTx from 'ethereumjs-tx';
import { connect } from 'react-redux';
@ -10,7 +10,7 @@ import { toUnit, toTokenDisplay } from 'libs/units';
import ERC20 from 'libs/erc20';
import { getTransactionFields } from 'libs/transaction';
import { getTokens } from 'selectors/wallet';
import { getNetworkConfig } from 'selectors/config';
import { getNetworkConfig, getLanguageSelection } from 'selectors/config';
import type { NodeConfig } from 'config/data';
import type { Token, NetworkConfig } from 'config/data';
@ -25,7 +25,8 @@ type Props = {
token: ?Token,
network: NetworkConfig,
onConfirm: (string, EthTx) => void,
onCancel: () => void
onCancel: () => void,
lang: string
};
type State = {
@ -116,13 +117,13 @@ class ConfirmationModal extends React.Component {
const buttonPrefix = timeToRead > 0 ? `(${timeToRead}) ` : '';
const buttons = [
{
text: buttonPrefix + translate('SENDModal_Yes'),
text: buttonPrefix + translateRaw('SENDModal_Yes'),
type: 'primary',
disabled: timeToRead > 0,
onClick: this._confirm()
},
{
text: translate('SENDModal_No'),
text: translateRaw('SENDModal_No'),
type: 'default',
onClick: onCancel
}
@ -203,6 +204,8 @@ function mapStateToProps(state, props) {
// Network config for defaults
const network = getNetworkConfig(state);
const lang = getLanguageSelection(state);
// Determine if we're sending to a token from the transaction to address
const { to, data } = getTransactionFields(transaction);
const tokens = getTokens(state);
@ -211,7 +214,8 @@ function mapStateToProps(state, props) {
return {
transaction,
token,
network
network,
lang
};
}

View File

@ -43,11 +43,19 @@ export default class SwapProgress extends Component {
// everything but BTC is a token
if (destinationKind !== 'BTC') {
link = bityConfig.ethExplorer.replace('[[txHash]]', outputTx);
linkElement = `<a href="${link}" target='_blank' rel='noopener'> View your transaction </a>`;
linkElement = (
<a href={link} target="_blank" rel="noopener">
{' '}View your transaction{' '}
</a>
);
// BTC uses a different explorer
} else {
link = bityConfig.btcExplorer.replace('[[txHash]]', outputTx);
linkElement = `<a href="${link}" target='_blank' rel='noopener'> View your transaction </a>`;
linkElement = (
<a href={link} target="_blank" rel="noopener">
{' '}View your transaction{' '}
</a>
);
}
this.setState({ hasShownViewTx: true }, () => {
showNotification('success', linkElement);

11
common/sagas/config.js Normal file
View File

@ -0,0 +1,11 @@
import { takeEvery } from 'redux-saga/effects';
// @HACK For now we reload the app when doing a language swap to force non-connected
// data to reload. Also the use of timeout to avoid using additional actions for now.
function* handleLanguageChange() {
yield setTimeout(() => location.reload(), 250);
}
export default function* handleConfigChanges() {
yield takeEvery('CONFIG_LANGUAGE_CHANGE', handleLanguageChange);
}

View File

@ -9,10 +9,13 @@ import ens from './ens';
import notifications from './notifications';
import rates from './rates';
import wallet from './wallet';
import handleConfigChanges from './config';
import deterministicWallets from './deterministicWallets';
export default {
bityTimeRemaining,
handleConfigChanges,
postBityOrderSaga,
pollBityOrderStatusSaga,
getBityRatesSaga,

View File

@ -1,15 +1,7 @@
// @flow
import { delay } from 'redux-saga';
import { getAllRates } from 'api/bity';
import {
call,
put,
fork,
take,
cancel,
cancelled,
takeLatest
} from 'redux-saga/effects';
import { call, put, fork, take, cancel, cancelled } from 'redux-saga/effects';
import type { Effect } from 'redux-saga/effects';
import { loadBityRatesSucceededSwap } from 'actions/swap';

View File

@ -27,3 +27,7 @@ export function getNetworkContracts(state: State): ?Array<NetworkContract> {
export function getGasPriceGwei(state: State): number {
return state.config.gasPriceGwei;
}
export function getLanguageSelection(state: State): string {
return state.config.languageSelection;
}

View File

@ -1,790 +0,0 @@
/* eslint-disable quotes*/
// Arabic
module.exports = {
code: 'ar',
data: {
/* Navigation*/
NAV_AddWallet: 'إضافة محفظة ',
NAV_BulkGenerate: 'Générer des portefeuilles par lots ',
NAV_Contact: 'اتصال ',
NAV_Contracts: 'عقود ',
NAV_DeployContract: 'نشر عقد ',
NAV_ENS: 'ENS',
NAV_GenerateWallet: 'Générer un portefeuille ',
NAV_Help: 'مساعدة ',
NAV_InteractContract: 'التفاعل مع العقد ',
NAV_Multisig: 'Multisig ',
NAV_MyWallets: 'Mes portefeuilles ',
NAV_Offline: 'Envoyer hors-ligne ',
NAV_SendEther: 'Envoyer des Ether et des Tokens ',
NAV_SendTokens: 'Envoyer des tokens ',
NAV_SignMsg: 'Signer un message ',
NAV_Swap: 'Échange ',
NAV_ViewWallet: 'Visualiser un portefeuille ',
NAV_YourWallets: 'Vos portefeuilles ',
/* General */
x_Access: 'Accès ',
x_AddessDesc:
'Aussi appelé "Numéro de compte" ou "Clé publique". C\'est ce que vous envoyez aux gens pour qu\'ils puissent vous envoyer des ether. Cette icone est une façon simple de reconnaitre votre adresse. ',
x_Address: 'Votre adresse ',
x_Cancel: 'Annuler ',
x_CSV: 'Fichier CSV (non-chiffré) ',
x_Download: 'Télécharger ',
x_Json: 'Fichier JSON (non-chiffré) ',
x_JsonDesc:
"C'est la version non-chiffrée au format JSON de votre clé privée. Cela signifie que vous n'avez pas besoin de votre mot de passe pour l'utiliser mais que toute personne qui trouve ce JSON peut accéder à votre portefeuille et vos Ether sans mot de passe. ",
x_Keystore: 'Fichier Keystore (UTC / JSON · Recommandé · Chiffré) ',
x_Keystore2: 'Fichier Keystore (UTC / JSON) ',
x_KeystoreDesc:
"Ce fichier Keystore utilise le même format que celui que Mist, vous pouvez donc facilement l'importer plus tard dans ces logiciels. C'est le fichier que nous vous recommandons de télécharger et sauvegarder. ",
x_Ledger: 'Ledger Nano S ',
x_Mnemonic: 'Phrase mnémonique ',
x_ParityPhrase: 'Phrase Parity ',
x_Password: 'Mot de passe ',
x_Print: 'Imprimer un portefeuille papier ',
x_PrintDesc:
"Astuce : Cliquez sur Imprimer et sauvegardez le portefeuille papier comme un PDF, même si vous n'avez pas d'imprimante ! ",
x_PrintShort: 'Imprimer ',
x_PrivKey: 'Clé privée (non-chiffrée) ',
x_PrivKey2: 'Clé privée ',
x_PrivKeyDesc:
"C'est la version textuelle non-chiffrée de votre clé privée, ce qui signifie qu'aucun mot de passe n'est nécessaire pour l'utiliser. Si quelqu'un venait à découvrir cette clé privée, il pourrrait accéder à votre portefeuille sans mot de passe. Pour cette raison, la version chiffrée de votre clé privée est recommandée. ",
x_Save: 'Sauvegarder ',
x_TXT: 'Fichier TXT (non-chiffré) ',
x_Wallet: 'Portefeuille ',
/* Header */
MEW_Warning_1:
"Vérifiez toujours l'URL avant d'accéder à votre portefeuille ou de générer un nouveau portefeuille. Attentions aux sites de phishing ! ",
CX_Warning_1:
"Assurez vous d'avoir une **sauvegarde externe** de tout portefeuille que vous gérez ici. De nombreux événements peuvent vous faire perdre les données de cette extension Chrome, y compris la dédinstallation et la réinstallation de l'extension. Cette extension est une manière d'accéder facilement à vos portefeuilles, **pas** une façon de les sauvegarder. ",
MEW_Tagline: "Portefeuille d'Ether Open Source JavaScript côté client ",
CX_Tagline:
"Extension Chrome de portefeuille d'Ether Open Source JavaScript côté client ",
/* Footer */
FOOTER_1:
"Un outil open source en Javascript s'exécutant côté client pour générer des portefeuilles Ethereum et envoyer des transactions. ",
FOOTER_1b: 'Créé par ',
FOOTER_2: 'Donations extrêmement appréciées : ',
FOOTER_3: 'Génération de portefeuille côté client par ',
FOOTER_4: 'Avertissement ',
/* Sidebar */
sidebar_AccountInfo: 'Informations du compte ',
sidebar_AccountAddr: 'Addresse du compte ',
sidebar_AccountBal: 'Solde du compte ',
sidebar_TokenBal: 'Solde en tokens ',
sidebar_Equiv: 'Valeur correspondante ',
sidebar_TransHistory: 'Historique des transactions ',
sidebar_donation:
'MyEtherWallet est un service gratuit et open source respectueux de votre vie privée et de votre sécurité. Plus nous recevons de donations, plus nous dédions du temps à développer de nouvelles fonctions, à écouter vos retours et à vous fournir ce dont vous avez besoin. Nous ne sommes que deux personnes qui essayent de changer le monde. Aidez nous ! ',
sidebar_donate: 'Faire une donation ',
sidebar_thanks: 'MERCI !!! ',
/* Decrypt Panel */
decrypt_Access: 'Comment voulez-vous accéder à votre portefeuille ? ',
decrypt_Title: 'Choisissez le format de votre clé privée ',
decrypt_Select: 'Choisissez un portefeuille : ',
/* Add Wallet */
ADD_Label_1: 'Que voulez-vous faire ? ',
ADD_Radio_1: 'Générer un nouveau portefeuille ',
ADD_Radio_2:
'Choisissez le fichier de votre portefeuille (Keystore / JSON) ',
ADD_Radio_2_alt: 'Choisissez le fichier de portefeuille ',
ADD_Radio_2_short: 'CHOISISSEZ LE FICHIER DU PORTEFEUILLE... ',
ADD_Radio_3: 'Collez/saisissez votre clé privée ',
ADD_Radio_4: 'Ajoutez un compte ',
ADD_Radio_5: 'Collez/entrez votre mnémonique ',
ADD_Radio_5_Path: 'Select HD derivation path ',
ADD_Radio_5_PathCustom: 'Custom',
ADD_Label_2: 'Nommez votre compte : ',
ADD_Label_3: 'Votre fichier est chiffré, merci de saisir le mot de passe ',
ADD_Label_4: 'Ajouter un compte à afficher ',
ADD_Warning_1:
"Vous pouvez ajouter n'importe quel compte pour l'afficher dans l'onglet \"portefeuilles\" sans uploader une clé privée. Cela ne veut **pas** dire que vous aurez accès à ce portefeuille, ni que vous pouvez transférer des Ethers depuis ce portefeuille. ",
ADD_Label_5: "Entrez l'adresse ",
ADD_Label_6: 'Déverrouiller votre portefeuille ',
ADD_Label_6_short: 'Déverrouiller ',
ADD_Label_7: 'Ajouter un compte ',
/* Generate Wallets */
GEN_desc:
'Si vous voulez générer plusieurs portefeuilles, vous pouvez le faire ici ',
GEN_Label_1: 'Entrez un mot de passe fort (au moins 9 caractères) ',
GEN_Placeholder_1: "N'oubliez PAS de sauvegarder ceci ! ",
GEN_SuccessMsg: 'Succès ! Votre portefeuille a été généré. ',
GEN_Label_2:
"Sauvegardez votre fichier Keystore ou votre clé privée. N'oubliez pas votre mot de passe ci-dessus. ",
GEN_Label_3: 'Sauvegarder votre portefeuille. ',
GEN_Label_4:
'Optionnel: Imprimer votre portefeuille papier, ou conserver une version QR code. ',
/* Bulk Generate Wallets */
BULK_Label_1: 'Nombre de portefeuilles à générer ',
BULK_Label_2: 'Générer les portefeuilles ',
BULK_SuccessMsg: 'Succès ! Vos portefeuilles ont été générés. ',
/* Sending Ether and Tokens */
SEND_addr: 'Adresse de destination ',
SEND_amount: 'Montant à envoyer ',
SEND_amount_short: 'Montant ',
SEND_custom: 'Token spécifique ',
SEND_gas: 'Gaz ',
SEND_TransferTotal: 'Envoi du solde total ', // updated to be shorter
SEND_generate: 'Générer la transaction ',
SEND_raw: 'Transaction brute ',
SEND_signed: 'Transaction signée ',
SEND_trans: 'Envoyer la transaction ',
SENDModal_Title: 'Attention ! ',
/* full sentence reads "You are about to send "10 ETH" to address "0x1234". Are you sure you want to do this? " */
SENDModal_Content_1: "Vous êtes sur le point d'envoyer ",
SENDModal_Content_2: "à l'adresse ",
SENDModal_Content_3: 'En êtes-vous sûr ? ',
SENDModal_Content_4:
"NOTE : Si vous renontrez une erreur, il est très probable que vous deviez ajouter des ether à votre compte pour couvrir les coûts en gaz d'envoi des tokens. Le gaz est payé en ether. ",
SENDModal_No: "Non, je veux sortir d'ici ! ",
SENDModal_Yes: "Oui, j'en suis sûr ! Effectuer la transaction. ",
/* Tokens */
TOKEN_Addr: 'Adresse ',
TOKEN_Symbol: 'Symbole du token ',
TOKEN_Dec: 'Décimales ',
TOKEN_show: 'Montrer tous les tokens ',
TOKEN_hide: 'Cacher les tokens ',
/* Send Transaction */
TRANS_desc:
'Si vous voulez envoyer des tokens, allez plutôt à la page "Envoi de tokens". ',
TRANS_warning:
'L\'emploi des fonctions "ETH seulement" et "ETC seulement" vous fait passer par un contrat. Certains services ont des problèmes avec ces transactions. En savoir plus. ',
TRANS_advanced: '+Avancé : Ajouter du gaz ',
TRANS_data: 'Données ',
TRANS_sendInfo:
"Une transaction standard utilisant 21000 gaz coûtera 0.000441 ETH. Le prix du gaz de 0.000000021 ETH que nous avons choisi est légèrement supérieur au minimum ain d'assurer une confirmation rapide. Nous ne prenons pas de frais de transaction. ",
TRANS_gas: 'Limite en gaz ', // changed in ENG to Gas Limit:
/* Send Transaction Modals */
TRANSModal_Title: 'Transactions "ETH seulement" et "ETC seulement" ',
TRANSModal_Content_0: 'Note sur les transactions et services divers : ',
TRANSModal_Content_1:
"**ETH (Transaction standard) : ** Génère une transaction par défaut directement depuis une adresse vers une autre. Son gaz par défaut est de 21000. Il est probable que toute transaction d'ETH envoyé de cette manière sera réexécutée sur la chaîne ETC. ",
TRANSModal_Content_2:
"**ETH seulement : ** Envoie à travers le [contrat anti-réexécution de Timon Rapp (recommandé par VB)](https://blog.ethereum.org/2016/07/26/onward_from_the_hard_fork/) afin de n'envoyer que sur la chaîne **ETH**. ",
TRANSModal_Content_3:
"**ETC seulement : ** Envoie à travers le [contrat anti-réexécution de Timon Rapp (recommandé par VB)](https://blog.ethereum.org/2016/07/26/onward_from_the_hard_fork/) afin de n'envoyer que sur la chaîne **ETC**. ",
TRANSModal_Content_4:
"**Coinbase & ShapeShift : ** N'envoyer que par transaction standard. Si vous utilisez les contrats d'envoi sur une seule chaîne, vous devrez joindre leur équipe de support pour ajouter manuellement la somme à votre solde ou pour vous rembourser. [Vous pouvez aussi essayer l'outil \"split\" de Shapeshift.](https://split.shapeshift.io/) ",
TRANSModal_Content_5:
'**Kraken & Poloniex :** Pas de problème connu. Utilisez ce que vous voulez. ',
TRANSModal_Yes: "Génial, j'ai compris. ",
TRANSModal_No: 'Aïe, je comprends de moins en moins. Aidez-moi. ',
/* Offline Transaction */
OFFLINE_Title: "Génération et envoi d'une transaction hors ligne ",
OFFLINE_Desc:
"La génération d'une transaction hors ligne s'effectue en trois étapes. Les étapes 1 et 3 sont réalisées sur un ordinateur en ligne et l'étape 2 sur un ordinateur déconnecté du réseau. Cela permet d'isoler totalement vos clefs privées de toute machine connectée à l'internet. ",
OFFLLINE_Step1_Title:
"Étape 1 : Gérération de l'information (ordinateur en ligne) ",
OFFLINE_Step1_Button: "Générer l'information ",
OFFLINE_Step1_Label_1: "Addresse d'émission ",
OFFLINE_Step1_Label_2:
"Note : Il s'agit de l'adresse de départ, pas de l'adresse d'arrivée. Le nonce est généré à partir du compte de l'expéditeur. Si on utilise une machine déconnectée du réseau, cette adresse est celle du compte en _cold storage_. ",
OFFLINE_Step2_Title:
'Étape 2 : Génération de la transaction (ordinateur hors ligne) ',
OFFLINE_Step2_Label_1: 'Adresse de destination ',
OFFLINE_Step2_Label_2: 'Valeur / montant à envoyer ',
OFFLINE_Step2_Label_3: 'Prix du gaz ',
OFFLINE_Step2_Label_3b:
"Ce montant était affiché à l'étape 1 sur votre ordinateur en ligne. ",
OFFLINE_Step2_Label_4: 'Limite de gaz ',
OFFLINE_Step2_Label_4b:
"21000 est la limite par défaut. En cas d'envoi vers des contrats ou avec des données supplémentaires, cette valeur peut être différente. Tout gaz non consommé vous sera renvoyé. ",
OFFLINE_Step2_Label_5: 'Nonce ',
OFFLINE_Step2_Label_5b:
"Cette valeur a été affichée à l'étape 1 sur votre ordinateur en ligne. ",
OFFLINE_Step2_Label_6: 'Données ',
OFFLINE_Step2_Label_6b:
'Cette zone est optionnelle. Les données sont souvent utilisées lors de transactions vers des contrats. ',
OFFLINE_Step2_Label_7: 'Entrez / sélectionnez votre clef privée / JSON. ',
OFFLINE_Step3_Title:
'Étape 3 : Envoyer / publier la transaction (ordinateur en ligne) ',
OFFLINE_Step3_Label_1:
'Copier ici la transaction signée à l\'étape 2 et cliquez sur le bouton "ENVOYER LA TRANSACTION". ',
/* Sign Message */
MSG_message: 'Message ',
MSG_date: 'Date ',
MSG_signature: 'Signature ',
MSG_verify: 'Verifier un message ',
MSG_info1:
'Inclure la date courante afin que la signature ne puisse pas être réutilisée à un autre moment. ',
MSG_info2:
"Inclure votre surnom et là où vous l'utilisez afin que quelqu'un d'autre ne puisse l'utiliser. ",
MSG_info3:
"Inclure une raison spécifique pour le message afin qu'il ne puisse être réutilisé pour une raison différente. ",
/* My Wallet */
MYWAL_Nick: 'Nom du portefeuille ',
MYWAL_Address: 'Adresse du portefeuille ',
MYWAL_Bal: 'Solde ',
MYWAL_Edit: 'Modifier ',
MYWAL_View: 'Voir ',
MYWAL_Remove: 'Supprimer ',
MYWAL_RemoveWal: 'Supprimer le portefeuille : ',
MYWAL_WatchOnly: 'Vos comptes en affichage uniquement ',
MYWAL_Viewing: 'Affichage des portefeuilles ',
MYWAL_Hide: 'Cacher les informations sur le portefeuille ',
MYWAL_Edit_2: 'Modifier le portefeuille ',
MYWAL_Name: 'Nom du portefeuille ',
MYWAL_Content_1:
'Attention ! Vous êtes sur le point de supprimer votre portefeuille ',
MYWAL_Content_2:
"Assurez-vous d'avoir bien **sauvegardé la clé privée/ fichier JSON et le mot de passe** associé à ce portefeuille avant de le supprimer. ",
MYWAL_Content_3:
"Si vous voulez utiliser ce portefeuille avec MyEtherWallet CX à l'avenir, vous devrez le rajouter manuellement en utilisant la clé privée/fichier JSON et le mot de passe. ",
/* View Wallet Details */
VIEWWALLET_Subtitle:
"Ceci vous permet de télécharger plusieurs versions des clefs privées et de ré-imprimer votre portefeuille papier. Vous devrez le faire pour [importer votre compte dans Geth/Mist](http://ethereum.stackexchange.com/questions/465/how-to-import-a-plain-private-key-into-geth/). Si vous voulez consulter votre solde, nous recommandons d'utiliser un explorateur de blockchain comme [etherscan.io](http://etherscan.io/). ",
VIEWWALLET_Subtitle_Short:
'Ceci vous permet de télécharger plusieurs versions des clefs privées et de ré-imprimer votre portefeuille papier. ',
VIEWWALLET_SuccessMsg: 'Succès ! Voici les détails de votre portefeuille. ',
/* Mnemonic */
MNEM_1: "Sélectionnez l'adresse avec laquelle vous désirez interagir. ",
MNEM_2:
"Votre phrase mnémonique HD unique peut accéder à un certain nombre de portefeuilles/adresses. Sélectionnez l'adresse avec laquelle vous désirez interagir actuellement. ",
MNEM_more: "Plus d'adresses ",
MNEM_prev: 'Adresses précédentes ',
/* Hardware wallets */
ADD_Ledger_1: 'Connectez votre Ledger Nano S ',
ADD_Ledger_2:
"Ouvrez l'application Ethereum (ou une application de contrat) ",
ADD_Ledger_3:
"Vérifiez que l'option Browser Support est activée dans Settings ",
ADD_Ledger_scan: 'Se connecter au Ledger Nano S ',
ADD_Ledger_4:
"Si l'option Browser Support n'est pas présente dans Settings, vérifiez que vous avez le [Firmware >1.2](https://www.ledgerwallet.com/apps/manager) ",
ADD_Ledger_0a: 'Réouvrir MyEtherWallet sur une connexion sécurisée (SSL) ',
ADD_Ledger_0b:
'Réouvrir MyEtherWallet avec [Chrome](https://www.google.com/chrome/browser/desktop/) ou [Opera](https://www.opera.com/) ',
x_Trezor: 'TREZOR ',
ADD_Trezor_scan: 'Connexion au TREZOR ',
ADD_Trezor_select: 'Ceci est une _seed_ TREZOR ',
/* Chrome Extension */
CX_error_1:
'Vous n\'avez pas de portefeuille sauvegardé. Cliquez sur ["Ajout de portefeuille"](/cx-wallet.html#add-wallet) pour en ajouter un ! ',
CX_quicksend: 'Envoi rapide ' /* Node Switcher */, // if no appropriate translation, just use "Send"
/* Misc */ NODE_Title: 'Installer votre nœud personnalisé',
NODE_Subtitle: 'Pour se connecter à un nœud local…',
NODE_Warning:
'Votre nœud doit être en HTTPS pour vous y connecter via MyEtherWallet.com. Vous pouvez [téléccharger le repo MyEtherWallet et le lancer localement](https://github.com/kvhnuke/etherwallet/releases/latest) pour vous connecter à un nœud quelconque, ou obtenir un certificat SSL gratuit via [LetsEncrypt](https://letsencrypt.org/)',
NODE_Name: 'Nom du nœud',
NODE_Port: 'Port du nœud',
NODE_CTA: 'Sauvegarder et utiliser un nœud personnalisé',
/* Contracts */
CONTRACT_Title: 'Adresse de contrat ',
CONTRACT_Title_2: 'Sélectionner un contrat existant ',
CONTRACT_Json: 'Interface ABI / JSON ',
CONTRACT_Interact_Title: 'Lecture / écriture de contrat ',
CONTRACT_Interact_CTA: 'Sélectionnez une fonction ',
CONTRACT_ByteCode: 'Bytecode ',
CONTRACT_Read: 'LIRE ',
CONTRACT_Write: 'ECRIRE ',
DEP_generate: 'Générer le bytecode ',
DEP_generated: 'Bytecode généré ',
DEP_signtx: 'Signer la transaction ',
DEP_interface: 'Interface générée ',
/* Swap / Exchange */
SWAP_rates: 'Taux actuels ',
SWAP_init_1: 'Je veux échanger ',
SWAP_init_2: ' contre ', // "I want to swap my X ETH for X BTC"
SWAP_init_CTA: 'Allons-y ! ', // or "Continue"
SWAP_information: 'Vos informations ',
SWAP_send_amt: 'Montant à envoyer ',
SWAP_rec_amt: 'Montant à recevoir ',
SWAP_your_rate: 'Votre taux ',
SWAP_rec_add: 'Votre adresse de réception ',
SWAP_start_CTA: "Commencer l'échange ",
SWAP_ref_num: 'Votre numéro de référence ',
SWAP_time: "Temps restant pour l'envoi ",
SWAP_progress_1: 'Ordre déclenché ',
SWAP_progress_2: 'En attente de vos ', // Waiting for your BTC...
SWAP_progress_3: 'reçu ! ', // ETH Received!
SWAP_progress_4: 'Envoi de vos {{orderResult.output.currency}} ',
SWAP_progress_5: 'Ordre exécuté ',
SWAP_order_CTA: 'Envoyer ', // Please send 1 ETH...
SWAP_unlock:
'Déverrouillez votre portefeuille pour envoyer des ETH ou des tokens directement depuis cette page. ',
/* Error Messages */
ERROR_0: 'Veuillez entrer un montant valide. ',
ERROR_1:
"Votre mot de passe doit faire au moins 9 caractères. Assurez vous qu'il s'agisse d'un mot de passe fort. ",
ERROR_2:
'Désolé ! Notre service ne permet pas de gérer ce type de fichier de portefeuille. ',
ERROR_3: "Ceci n'est pas un fichier de portefeuille. ",
ERROR_4:
"Cette unité n'existe pas, merci d'utiliser une des unités suivantes ",
ERROR_5: 'Adresse invalide. ',
ERROR_6: 'Mot de passe invalide. ',
ERROR_7: 'Montant invalide. ',
ERROR_8: 'Limite de gaz invalide. ',
ERROR_9: 'Valeur des donnnées invalide. ',
ERROR_10: 'Montant de gaz invalide. ',
ERROR_11: 'Nonce invalide. ',
ERROR_12: 'Transaction signée invalide. ',
ERROR_13: 'Un portefeuille avec ce nom existe déjà. ',
ERROR_14: 'Portefeuille non trouvé. ',
ERROR_15:
"Il semble qu'aucune proposition n'existe encore avec cet identifiant ou qu'il y a une erreur lors de la consultation de cette proposition. ",
ERROR_16:
'Un portefeuille avec cette adresse existe déja. Merci de consulter la page listant vos portefeuilles. ',
ERROR_17:
'Il vous faut au moins 0,01 ether sur votre compte pour couvrir les coûts du gaz. Ajoutez des ether et réessayez. ',
ERROR_18:
'Tout le gaz serait consommé lors de cette transaction. Cela signifie que vous avez déjà voté pour cette proposition ou que la période du débat est terminée. ',
ERROR_19: 'Symbole invalide ',
ERROR_20:
"n'est pas un token ERC-20 valide. Si d'autres tokens sont en train de se charger, enlevez celui-ci et réessayez. ",
ERROR_21:
"Impossible d'estimer le gaz. Il n'y a pas assez de fonds sur le compte, ou l'adresse du contrat de réception a pu renvoyer une erreur. Vous pouvez ajuster vous-même le gaz et recommencer. Le message d'erreur à l'envoi peut comporter plus d'informations. ",
ERROR_22: 'Entrez un nom de nœud valide ',
ERROR_23:
'Entrez une URL valide ; si vous êtes en https votre URL doit être https. ',
ERROR_24: 'Entrez un port valide ',
ERROR_25: 'Entrez un ID de chaîne valide ',
ERROR_26: 'Entrez une ABI valide ',
ERROR_27: 'Montant minimum : 0.01. Montant maximum : ',
ERROR_28:
"**Vous avez besoin de votre fichier Keystore et du mot de passe** (ou de la clé privée) pour accéder à ce portefeuille dans le futur. Merci de le télécharger et d'en faire une sauvegarde externe ! Il n'existe aucun moyen de récupérer un portefeuille si vous ne le sauvegardez pas. Merci de lire la [page d'Aide](https://www.myetherwallet.com/#help) pour plus de détails. ",
ERROR_29: 'Entrez un utilisateur et mot de passe valide ',
ERROR_30: 'Entrez un nom ENS valide ',
ERROR_31: 'Phrase secrète invalide ',
ERROR_32:
"Connexion au nœud impossible. Rafraîchissez la page, ou lisez les suggestions de dépannage sur la page d'aide. ",
SUCCESS_1: 'Adresse valide ',
SUCCESS_2: 'Portefeuille déchiffré avec succès ',
SUCCESS_3:
'TX was broadcast to the blockchain. Click to see your transaction & verify it was mined and does not have any out of gas or contract execution errors. TX ID: ', //'Transaction successfully broadcasted to the blockchain. **CLICK THE LINK TO ENSURE IT DID NOT FAIL DUE TO OUT OF GAS OR CONTRACT EXECUTION ERROR ON THE BLOCKCHAIN.** TX ID ', //'Transaction envoyée. Identifiant de transaction ',
SUCCESS_4: 'Votre portefeuille a été ajouté avec succès ',
SUCCESS_5: 'Fichier sélectionné ',
SUCCESS_6: 'Vous êtes bien connecté ',
SUCCESS_7: 'Signature du message erifiée',
WARN_Send_Link:
"Vous être arrivé grâce à un lien qui a rempli l'adresse, le montant, le gaz ou les champs de données pour vous. Vous pouvez modifier toutes les informations avant d'envoyer. Débloquez votre portefeuille pour démarrer. ",
/* Geth Error Messages */
GETH_InvalidSender: 'Expéditeur invalide ',
GETH_Nonce: 'Nonce trop bas ',
GETH_Cheap: 'Prix du gaz trop bas pour être accepté ',
GETH_Balance: 'Solde insuffisant ',
GETH_NonExistentAccount: 'Compte inexistant ou solde du compte trop bas ',
GETH_InsufficientFunds: 'Fonds insuffisants pour gaz * prix + valeur ',
GETH_IntrinsicGas: 'Gaz intrinsèque trop bas ',
GETH_GasLimit: 'Limite en gaz dépassée ',
GETH_NegativeValue: 'Valeur négative ',
/* Parity Error Messages */
PARITY_AlreadyImported:
'Une transaction avec un même hash a déjà été importée.',
PARITY_Old:
"Le nonce de la transaction est trop bas. Essayez d'incrémenter le nonce.",
PARITY_TooCheapToReplace:
"Les frais de transaction sont trop bas. Il y a une autre transaction avec le même nonce en file d'attente. Essayez d'augmenter les frais ou d'incrémenter le nonce.",
PARITY_LimitReached:
"Il y a trop de transactions en file d'attente. Votre transaction a été abandonnée en raison de cette limite. Essayez d'augmenter les frais.",
PARITY_InsufficientGasPrice:
"Les frais de transaction sont trop bas. Ils ne satisfont pas au minimum de votre nœud (minimum : {}, reçu : {}). Essayez d'augmenter les frais.",
PARITY_InsufficientBalance:
"iFonds insuffisants. Le compte d'où vous essayez d'envoyer une transaction ne possède pas assez de fonds. Requis : {}, reçu : {}.",
PARITY_GasLimitExceeded:
'Le coût de la transaction excède la limite en gaz courante. Limite : {}, reçu : {}. Essayez de réduire le gaz fourni.',
PARITY_InvalidGasLimit: 'Le gaz fourni est en-deça de la limite.',
/* Tranlsation Info */
translate_version: '0.3 ',
Translator_Desc: 'Merci à nos traducteurs ',
TranslatorName_1:
'[Simon P](https://www.myetherwallet.com/?gaslimit=21000&to=0x89a18eE46b5aabC62e94b1830881887D04C687f3&value=1.0#send-transaction) · ',
TranslatorAddr_1: '0x89a18eE46b5aabC62e94b1830881887D04C687f3 ',
/* Translator 1 : Translation in French. Début de la traduction, il reste encore du travail... Je continue dès que j'ai un peu de temps :) */
TranslatorName_2: 'Jean Zundel · ',
TranslatorAddr_2: '',
/* Translator 2 : */
TranslatorName_3: 'girards ',
TranslatorAddr_3: '',
/* Translator 3 : Insert Comments Here */
TranslatorName_4: '',
TranslatorAddr_4: '',
/* Translator 4 : Insert Comments Here */
TranslatorName_5: '',
TranslatorAddr_5: '',
/* Translator 5 : Insert Comments Here */
/* Help - Nothing after this point has to be translated. If you feel like being extra helpful, go for it. */
HELP_Warning:
'Si vous avez créé un portefeuille -ou- téléchargé le repo avant **le 31 déc. 2015**, merci de vérifier vos portefeuilles / de télécharger une nouvelle version du repo. Cliquez ici pour plus de détails. ',
HELP_Desc:
"Il manque quelque chose ? Vous avez d'autres questions ? [Contactez-nous](mailto:support@myetherwallet.com), et non seulement nous allons vous répondre mais aussi mettre à jour cette page afin qu'elle soit plus utile à tout le monde à l'avenir ! ",
HELP_Remind_Title: 'Quelques rappels : ',
HELP_Remind_Desc_1:
"**Ethereum, MyEtherWallet.com & MyEtherWallet CX, et certaines des bibliothèques Javascript sous-jacentes que nous employons sont en cours de développement.** Bien que nous les ayons testés intensivement et que des dizaines de milliez de portefeuilles aient été créés avec succès dans le monde entier, il existe toujours une faible possibilité qu'un incident se produise conduisant à la perte de vos ETH. N'investissez pas plus que ce que vous êtes prêt à perdre et soyez prudent. En cas d'accident, nous en serons désolés mais **nous ne sommes pas responsables d'une éventuelle perte de cet Ether**. ",
HELP_Remind_Desc_2:
'MyEtherWallet.com & MyEtherWallet CX ne sont pas des "portefeuilles web". Vous ne créez pas un compte, vous ne nous donnez pas votre Ether en dépôt. Aucune donnée ne sort de votre ordinateur ou votre navigateur. Nous vous facilitons la création, la sauvegarde et l\'accès à vos informations ainsi que l\'interaction avec la blockchain. ',
HELP_Remind_Desc_3:
"Si vous ne sauvegardez pas votre clef privée et votre mot de passe, il n'existe aucun moyen de regagner l'accès à votre portefeuille et aux fonds qu'il détient. Sauvegardez-les en plusieurs endroits et non uniquement sur votre ordinateur ! ",
HELP_0_Title: '0) Je suis nouveau. Que puis-je faire ? ',
HELP_0_Desc_1:
"MyEtherWallet vous donne la possibilité de générer de nouveaux portefeuilles pour stocker votre Ether par vous-même et pas sur un *exchange.* Ce processus ne s'exécute que sur votre ordinateur, pas sur nos serveurs. Quand vous générez un nouveau portefeuille, **il est donc de votre responsabilité de le sauvegarder de manière sécurisée.** ",
HELP_0_Desc_2: 'Créez un nouveau portefeuille. ',
HELP_0_Desc_3: 'Sauvegardez le portefeuille. ',
HELP_0_Desc_4:
'Vérifiez que vous avez accès à ce nouveau portefeuille et que vous avez correctement sauvé toutes les informations nécessaires. ',
HELP_0_Desc_5: "Transférez de l'Ether vers ce nouveau portefeuille. ",
HELP_1_Title: '1) Comment puis-je créer un nouveau portefeuille ? ',
HELP_1_Desc_1: 'Allez à la page "Génération d\'un portefeuille. ',
HELP_1_Desc_2:
'Allez à la page "Ajout de portefeuille" et sélectionnez "Générer un nouveau portefeuille" ',
HELP_1_Desc_3:
"Entrez un mot de passe fort. Si vous pensez que vous pouvez l'oublier, sauvegardez-le dans un endroit sûr. Vous aurez besoin de ce mot de passe pour envoyer des transactions. ",
HELP_1_Desc_4: 'Cliquez sur "GÉNÉRER". ',
HELP_1_Desc_5: 'Votre portefeuille a maintenant été généré. ',
HELP_2a_Title: '2a) Comment puis-je sauvegarder mon portefeuille ? ',
HELP_2a_Desc_1:
'Vous devez toujours sauvegarder votre portefeuille en plusieurs endroits physiques, comme sur une clef USB ou une feuille de papier. ',
HELP_2a_Desc_2:
"Sauvegardez l'adresse. Vous pouvez la garder pour vous-même ou la partager avec d'autres personnes qui, de cette manière, peuvent vous envoyer de l'Ether. ",
HELP_2a_Desc_3:
"Sauvegardez votre clef privée en plusieurs exemplaires. Ne la partagez avec personne. Votre clef privée est nécessaire pour accéder à votre Ether pour l'envoyer ! Il existe 3 types de clef privée : ",
HELP_2a_Desc_4:
'Placez votre adresse, les exemplaires de la clef privée et la version PDF de votre portefeuille papier dans un dossier. Sauvegardez-le sur votre ordinateur et une clef USB. ',
HELP_2a_Desc_5:
'Imprimez votre portefeuille si vous avez une imprimante. Sinon, écrivez votre clef privée et votre adresse usr une feuille de papier. Rangez-la dans un endroit sûr, à part de votre ordinateur et de la clef USB. ',
HELP_2a_Desc_6:
"Gardez à l'esprit qu'il faut vous préserver de la perte de la clef et du mot de passe en cas de perte de votre disque dur, de votre clef oui de la feuille de papier. Vous devez également vous prémunir contre les catastrophes impactant toute une zone géographique (comme un incendie ou une inondation). ",
HELP_2b_Title:
'2b) Comment puis-je gérer en toute sécurité un stockage hors ligne avec MyEtherWallet? ',
HELP_2b_Desc_1:
'Allez sur notre Github : [https://github.com/kvhnuke/etherwallet/releases/latest](https://github.com/kvhnuke/etherwallet/releases/latest). ',
HELP_2b_Desc_2: 'Cliquez sur `dist-vX.X.X.X.zip` ',
HELP_2b_Desc_3: 'Transportez le zip sur un ordinateur hors ligne. ',
HELP_2b_Desc_4: 'Dézippez-le et double-cliquez sur `index.html`. ',
HELP_2b_Desc_5: 'Générez un portefeuille avec un mot de passe fort. ',
HELP_2b_Desc_6:
"Sauvegardez l'adresse. Sauvegardez les exemplaires de la clef privée. Sauvegardez le mot de passe si vous ne voulez pas devoir vous en souvenir toujours. ",
HELP_2b_Desc_7:
'Rangez ces papier et/ou ces clefs USB en des endroits physiquement distants. ',
HELP_2b_Desc_8:
'Allez à la page "Visualisation d\'un portefeuille" et entrez votre clef privée et votre mot de passe pour vous assurer de leur validité et pour accéder à votre portefeuille. Vérifiez que l\'adresse que vous avez écrite est la même. ',
HELP_3_Title:
"3) Comment puis-je vérifier que j'ai accès à mon nouveau portefeuille ? ",
HELP_3_Desc_1:
"**Avant d'envoyer de l'Ether à votre portefeuille**, vous devez vous assurer que vous y avez accès. ",
HELP_3_Desc_2: 'Naviguez vers la page "Visualisation d\'un portefeuille". ',
HELP_3_Desc_3:
'Naviguez vers la page Visualisation d\'un portefeuille" de MyEtherWallet.com. ',
HELP_3_Desc_4:
'Sélectionnez le fichier de votre portefeuille -ou- votre clef privée et déverrouillez votre portefeuille. ',
HELP_3_Desc_5:
'Si le portefeuille est chiffré, une zone texte apparaîtra automatiquement. Entrez le mot de passe. ',
HELP_3_Desc_6: 'Cliquez sur le bouton "Déverrouiller votre portefeuille". ',
HELP_3_Desc_7:
"Les informations sur votre portefeuille doivent apparaître. Trouvez l'adresse de votre compte près d'une icône circulaire et colorée. Celle-ci représente visuellement votre adresse. Assurez-vous que cette adresse est celle que vous avez sauvegardée dans votre document texte et qu'elle se trouve sur votre portefeuille papier. ",
HELP_3_Desc_8:
"Si vous désirez détenir une grande quantité d'Ether, nous recommandons de commencer par envoyer une petite somme depuis le nouveau portefeuille avant d'y déposer une somme importante. Envoyez 0,001 Ether vers le nouveau portefeuille, accédez-y puis envoyez ces 0,001 Ether vers une autre adresse, et vérifiez que tout a fonctionné sans encombre. ",
HELP_4_Title:
"4) Comment puis-je envoyer de l'Ether d'un portefeuille vers un autre ? ",
HELP_4_Desc_1:
"Si vous désirez transférer une grande quantité d'Ether, vous devez d'abord essayer d'en envoyer d'abord un petit montant vers votre portefeuille pour vous assurer que tout fonctionne comme prévu. ",
HELP_4_Desc_2: 'Naviguez vers la page "Envoyer des Ether et des Tokens". ',
HELP_4_Desc_3:
'Sélectionnez le fichier de votre portefeuille -ou- votre clef privée et déverrouillez votre portefeuille. ',
HELP_4_Desc_4:
'Si le portefeuille est chiffré, une zone texte apparaîtra automatiquement. Entrez le mot de passe. ',
HELP_4_Desc_5: 'Cliquez sur le bouton "Déverrouiller votre portefeuille". ',
HELP_4_Desc_6:
'Entrez l\'adresse du destinataire dans le champ "Adresse de destination". ',
HELP_4_Desc_7:
'Entrez le montant que vous voulez envoyer. Vous pouvez également cliquer sur "Envoyer le solde total" si vous voulez envoyer tout le contenu. ',
HELP_4_Desc_9: 'Cliquez sur "Générer la transaction". ',
HELP_4_Desc_10:
'Quelques champs supplémentaires apparaîtront. Votre navigateur est en train de générer la transaction. ',
HELP_4_Desc_11:
'Cliquez sur le bouton bleu "Envoyer la transaction" en dessous. ',
HELP_4_Desc_12:
"Une fenêtre pop-up apparaîtra. Vérifiez que le montant et que l'adresse de destination sont corrects. Puis cliquez sur \"Oui, j'en suis sûr ! Effectuer la transaction. ",
HELP_4_Desc_13:
"La transaction sera soumise. Son identifiant sera affiché. Vous pouvez cliquer sur l'identifiant pour la voir sur la blockchain. ",
HELP_4CX_Title:
"4) Comment puis-je envoyer de l'Ether avec MyEtherWallet CX ? ",
HELP_4CX_Desc_1:
'D\'abord, vous devez ajouter un portefeuille. Ceci fait, deux possibilités s\'offrent à vous : la fonctionnalité "Envoi rapide" de l\'icône de l\'extension Chrome ou la page "Envoyer des Ether et des Tokens". ',
HELP_4CX_Desc_2: 'Envoi rapide : ',
HELP_4CX_Desc_3: "Cliquez sur l'icône de l'extension Chrome. ",
HELP_4CX_Desc_4: 'Cliquez sur le bouton "Envoi rapide". ',
HELP_4CX_Desc_5: "Sélectionnez le portefeuille d'où vous désirez envoyer. ",
HELP_4CX_Desc_6:
'Entrez l\'adresse à laquelle vous désirez envoyer dans le champ "Adresse de destination :". ',
HELP_4CX_Desc_7:
'Entrez le montant que vous voulez envoyer. Vous pouvez également cliquer sur "Envoyer le solde total" sur vous voulez envoyer tout le contenu. ',
HELP_4CX_Desc_8: 'Cliquez sur "Enoyer la transaction". ',
HELP_4CX_Desc_9:
"Vérifiez que l'adresse et le montant envoyé sont corrects. ",
HELP_4CX_Desc_10: 'Entrez le mot de passe de ce portefeuille. ',
HELP_4CX_Desc_11: 'Cliquez sur "Envoyez la transaction." ',
HELP_4CX_Desc_12: 'Avec la page "Envoyer des Ether et des Tokens" ',
HELP_5_Title:
'5) Comment puis-je lancer MyEtherWallet.com hors ligne/localement ? ',
HELP_5_Desc_1:
'Vous pouvez lancer MyEtherWallet.com sur votre ordinateur au lieu de passer par les serveurs GitHub. Vous pouvez générer un portefeuille en restant totalement hors ligne et envoyer des transactions depuis la page "Transaction hors ligne". ',
HELP_5_Desc_7:
'MyEtherWallet.com tourne maintenant complètement sur votre ordinateur. ',
HELP_5_Desc_8:
"Au cas où cela ne vous soit pas familier, vous devez conserver l'intégralité du dossier pour faire tourner le site web et non uniquement `index.html`. Ne touchez à rien, ne déplacez rien dans le dossier. Si vous stockez une sauvegarde du repo MyEtherWallet pour l'avenir, nous vous recommandons ne ne stocker que le ZIP afin d'être sûr que le contenu du dossier restera intact. ",
HELP_5_Desc_9:
'Comme nous améliorons constamment MyEtherWallet.com, nous vous recommandons de mettre régulièrement à jour votre version sauvegardée. ',
HELP_5CX_Title:
'5) Comment puis-je installer cette extension depuis le repo au lieu du Chrome Store ? ',
HELP_5CX_Desc_2: 'Cliquez sur `chrome-extension-vX.X.X.X.zip` ',
HELP_5CX_Desc_3:
'Allez dans Google Chrome et trouvez les paramètres (dans le menu en haut à droite). ',
HELP_5CX_Desc_4: 'Cliquez sur "Extensions" à gauche. ',
HELP_5CX_Desc_5:
'Cliquez sur la case "Mode développeur" en haut de cette page. ',
HELP_5CX_Desc_6:
'Cliquez sur le bouton "Chargez l\'extension non empaquetée...". ',
HELP_5CX_Desc_7:
'Naviguez vers le dossier que vous avez téléchargé et dézippé auparavant. Cliquez sur "Sélectionner". ',
HELP_5CX_Desc_8:
"L'extension doit maintenant apparaître dans vos extensions et dans la barre des extensions de Chrome. ",
HELP_7_Title:
'7) Comment puis-je envoyer des tokens et ajouter des tokens spécifiques ? ',
HELP_7_Desc_0:
"[Ethplorer.io](https://ethplorer.io/) est un excellent moyen d'explorer les tokens et de trouver les décimales d'un token. ",
HELP_7_Desc_1: 'Naviguez vers la page "Envoi de tokens". ',
HELP_7_Desc_2: 'Déverrouillez votre portefeuille. ',
HELP_7_Desc_3:
'Entre l\'adresse à laquelle vous désirez faire l\'envoi dans le champ "Adresse de destination". ',
HELP_7_Desc_4: 'Entrez le montant que vous désirez envoyer. ',
HELP_7_Desc_5: 'Sélectionnez le token que vous désirez envoyer. ',
HELP_7_Desc_6: "Si celui-ci n'est pas listé : ",
HELP_7_Desc_7: 'Cliquez sur "Spécifique". ',
HELP_7_Desc_8:
'Entrez l\'adresse, le nom et les décimales du token. Ces informations sont fournies par les développeurs du token et sont également nécessaires quand vous faites "Add a Watch Token" dans Mist. ',
HELP_7_Desc_9: 'Cliquez sur "Sauver". ',
HELP_7_Desc_10:
"Vous pouvez maintenant envoyer ces tokens ainsi qu'en voir le solde dans la zone sur le côté. ",
HELP_7_Desc_11: 'Cliquez sur "Générer la transaction". ',
HELP_7_Desc_12:
'Quelques champs supplémentaires vont apparaître : votre navigateur est en train de générer la transaction. ',
HELP_7_Desc_13:
'Cliquez sur le bouton bleu "Envoyer la transation" au dessous. ',
HELP_7_Desc_14:
'Une fenêtre pop-up va apparaître. Vérifiez que le montant et que l\'adresse de destination sont corrects puis cliquez sur le bouton "Oui, j\'en suis sûr ! Effectuer la transaction." ',
HELP_7_Desc_15:
"La transaction est alors soumise et l'identifiant de transaction est affiché. Vous pouvez cliquer dessus pour le voir sur la blockchain. ",
HELP_8_Title: '8) Que se passe-t-il si votre site tombe ? ',
HELP_8_Desc_1:
"MyEtherWallet n'est pas un portefeuille sur le web. Vous n'avez pas de login et rien n'est jamais stocké sur nos serveurs. Ce n'est qu'une interface qui vous permet d'interagir avec la blockchain. ",
HELP_8_Desc_2:
'Si MyEtherWallet.com tombe, vous devrez trouver un autre moyen (comme geth ou Ethereum Wallet / Mist) pour faire la même chose. Mais vous n\'aurez pas à "récupérer" votre Ether depuis MyEtherWallet parce qu\'il ne se trouve pas dans MyEtherWallet. Il est chez vous, dans le portefeuille que vous avez généré par notre site. ',
HELP_8_Desc_3:
'Vous pouvez maintenant importer facilement votre clef privée non chiffrée et vos fichiers (chiffrés) au format Geth/Mist, directement dans geth / Ethereum Wallet / Mist. Voir question #12 ci-dessous. ',
HELP_8_Desc_4:
"De plus, la probabilité que nous laissions tomber MyEtherWallet approche zéro. Il ne nous coûte presque rien de le maintenir comme nous n'y stockons aucune information. Si le domaine venait à être perdu, le logiciel sera toujours disponible publiquement sur [https://github.com/kvhnuke/etherwallet](https://github.com/kvhnuke/etherwallet/tree/gh-pages). Vous pourrez y télécharger le ZIP et le faire tourner localement. ",
HELP_8CX_Title: '8) Que se passe-t-il si MyEtherWallet CX disparaît ? ',
HELP_8CX_Desc_1:
"D'abord, toutes les données sont sauvegardées sur votre ordinateur et non sur nos serveurs. Cela peut paraître étonnant mais, quand vous regardez sur l'extension Chrome, ce que vous voyez *ne se trouve pas* sur nos serveurs ; tout est stocké sur votre propre ordinateur. ",
HELP_8CX_Desc_2:
'Cela dit, il est **très important** que vous sauvegardiez toutes les données de tous les portefeuilles générés par MyEtherWallet CX. De cette manière, si quoi que ce soit arrivait à MyEtherWallet CX ou à votre ordinateur, vous conserveriez toutes les informations nécessaires pour accéder à votre Ether. Voir #2a pour la sauvegarde de vos portefeuilles. ',
HELP_8CX_Desc_3:
'Si, pour une raison quelconque, MyEtherWallet CX disparaissait du Chrome Store, vous pourrez en trouver le source sur Github et le charger manuellement. Voir #5 ci-dessus. ',
HELP_9_Title:
'9) La page "Envoyer des Ether et des Tokens" est-elle hors ligne ? ',
HELP_9_Desc_1:
'Non. Elle a besoin de l\'internet pour obtenir le prix actuel du gaz, le nonce de votre compte et pour émettre la transaction (c\'est-à-dire "envoyer"). Cependant, elle n\'envoie que la transaction signée. Votre clef privée reste en sécurité chez vous. Nous fournissons maintenant aussi une page "Transaction hors ligne" pour vous permettre de conserver en permanence vos clefs privées sur une machine hors ligne. ',
HELP_10_Title: '10) Comment puis-je faire une transaction hors ligne ? ',
HELP_10_Desc_1:
'Allez à la page "Transaction hors ligne" avec votre ordinateur en ligne. ',
HELP_10_Desc_2:
"Entrez l'\"Adresse d'émission\". Attention, c'est l'adresse *d'où* vous envoyez et non celle *vers* laquelle vous envoyez. Ceci va générer ke nonce et le prix du gaz. ",
HELP_10_Desc_3:
'Allez sur votre ordinateur hors ligne. Entrez l\'"Adresse de destination" et le "Montant" que vous désirez envoyer. ',
HELP_10_Desc_4:
'Entrez le "Prix du gaz" tel qu\'il vous a été affiché sur l\'ordinateur en ligne à la première étape. ',
HELP_10_Desc_5:
'Entrez le "Nonce" tel qu\'il vous a été affiché sur l\'ordinateur en ligne à la première étape. ',
HELP_10_Desc_6:
'La "Limite en gaz" a une valeur de 21000 par défaut. Ceci couvre les frais d\'une transaction standard. Si vous envoyez à un contrat ou si vous embarquez des données supplémentaires avec votre transaction vous devrez augmenter la limite de gaz. Tout gaz non consommé vous sera retourné. ',
HELP_10_Desc_7:
'Si vous le désirez, entrez des données. Dans ce cas, vous devrez inclure plus que la limite de 21000 par défaut? Toutes les données sont au format hexadécimal. ',
HELP_10_Desc_8:
'Sélectionnez le fichier de votre portefeuille -ou- votre clef privée et déverrouillez votre portefeuille. ',
HELP_10_Desc_9: 'Cliquez sur le bouton "Générer la transaction signée". ',
HELP_10_Desc_10:
'Le champ de données sous ce bouton se remplit avec votre transaction signée. Copiez-la et revenez avec elle sur votre ordinateur en ligne. ',
HELP_10_Desc_11:
'Sur votre ordinateur en ligne, collez la transaction signée dans le champ texte et cliquez sur "Envoyez l\'Ether". Ceci émettra votre transaction. ',
HELP_12_Title:
'12) Comment puis-je importer un portefeuille créé par MyEtherWallet dans geth / Ethereum Wallet / Mist ? ',
HELP_12_Desc_1: 'Avec un fichier Geth/Mist JSON de MyEtherWallet v2+.... ',
HELP_12_Desc_2: 'Allez à la page "Visualisation d\'un portefeuille". ',
HELP_12_Desc_3:
'Déverrouillez votre portefeuille avec votre clef privée **chiffrée** ou votre fichier JSON. ',
HELP_12_Desc_4: 'Allez à la page "Mes portefeuilles". ',
HELP_12_Desc_5:
'Sélectionnez le portefeuille que vous désirez importer dans Mist, cliquez sur l\'icône "View", entrez votre mot de passe et accédez à votre portefeuille. ',
HELP_12_Desc_6:
'Allez à la section "Téléchargez le fichier JSON file - Format Geth/Mist (chiffé)". Cliquez sur le bouton "Télécharger" en dessous. Vous avez maintenant votre fichier *keystore.* ',
HELP_12_Desc_7: "Ouvrez l'application Ethereum Wallet. ",
HELP_12_Desc_8:
'Dans la barre de menu, allez sur "Accounts" -> "Backup" -> "Accounts" ',
HELP_12_Desc_9:
'Ceci ouvre votre dossier de keystores. Copiez-y le fichier que vous venez de télécharger (`UTC--2016-04-14......../`) dans ce dossier. ',
HELP_12_Desc_10:
'Votre compte doit apparaître immédiatement sous "Accounts." ',
HELP_12_Desc_11: 'Avec votre clef privée non chiffrée... ',
HELP_12_Desc_12:
'Si vous n\'avez pas déjà votre clef privée non chiffrée, allez à la page "Visualisation d\'un portefeuille". ',
HELP_12_Desc_13:
'Sélectionnez le fichier de votre portefeuille -ou- entrez/collez votre clef privée pour déverrouiller votre portefeuille. ',
HELP_12_Desc_14: 'Copiez votre clef privée (non chiffrée). ',
HELP_12_Desc_15: 'Si vous êtes sur un Mac : ',
HELP_12_Desc_15b: 'Si vous êtes sur un PC : ', // Strange, already in French, not found in de.js
HELP_12_Desc_16: 'Ouvez Text Edit et collez cette clef privée. ',
HELP_12_Desc_17:
'Dans la barre de menu, cliquez sur "Format" -> "Make Plain Text". ',
HELP_12_Desc_18:
'Sauvegardez ce fichier vers votre `Desktop/` en tant que `nothing_special_delete_me.txt`. Assurez-vous qu\'il précise "UTF-8" et "If no extension is provided use .txt" dans le dialogue de sauvegarde. ',
HELP_12_Desc_19:
'Ouvrez un terminal et lancez la commande suivante : `geth account import ~/Desktop/nothing_special_delete_me.txt` ',
HELP_12_Desc_20:
"Ceci vous invitera à choisir un nouveau mot de passe. C'est celui que vous utiliserez dans geth / Ethereum Wallet / Mist à chaque vois que vos enverrez une transaction, donc ne l'oubliez pas. ",
HELP_12_Desc_21:
"Après que l'import a réussi, supprimez `nothing_special_delete_me.txt` ",
HELP_12_Desc_22:
'La prochaine fois que vous ouvrirez l\'application Ethereum Wallet, votre compte sera listé sous "Accounts". ',
HELP_12_Desc_23: 'Ouvrez Notepad et collez-y la clef privée ',
HELP_12_Desc_24:
'Sauvegardez le fichier en tant que `nothing_special_delete_me.txt` sur `C:` ',
HELP_12_Desc_25:
'Lancez la commande `geth account import C:\\nothing_special_delete_me.txt` ',
HELP_12_Desc_26:
"Ceci vous invitera à choisir un nouveau mot de passe. C'est celui que vous utiliserz dans geth / Ethereum Wallet / Mist à chaque foiq que vous enverrez une transaction donc ne l'oubliez pas. ",
HELP_12_Desc_27:
"Après que l'import a réussi, supprimez `nothing_special_delete_me.txt` ",
HELP_12_Desc_28:
'La prochaine fois que vous ouvrirez l\'application Ethereum Wallet, votre compte sera listé sous "Accounts". ',
HELP_13_Title:
"13) Que signifie « Fonds insuffisants. Le compte d'où vous essayez d'envoyer une transaction ne possède pas assez de fonds. Requis : XXXXXXXXXXXXXXXXXXX, reçu : XXXXXXXXXXXXXXXXXXX. » ? ",
HELP_13_Desc_1:
"Cela signifie que vous n'avez pas assez d'Ether sur votre compte pour couvrir les coûts en gaz. Chaque transaction (y compris pour les tokens et les contrats) demandent du gaz, et ce gaz est payé en Ether. Le nombre affiché est le montant requis pour couvrir le coût de la transaction en Wei. Prenez ce nombre, divisez-le par `1000000000000000000` et soustrayez la somme en Ether que vous essayiez d'envoyer (si vous tentiez d'envoyer de l'Ether). Cela vous donnera le montant en Ether dont vous avez besoin pour que le compte effectue la transaction. ",
HELP_14_Title:
"14) Certains sites randomisent (initialisent) la génération de clef privée par les mouvements de la sours. Ce n'est pas le cas de MyEtherWallet.com. La génération de nombres aléatoires de MyEtherWallet est-elle sûre ? ",
HELP_14_Desc_1:
"Bien que l'interception des mouvement de la souris soit jugée attractive par beaucoup, et que nous en comprenions les raisons, la réalité est que window.crypto assure plus d'entropie que les mouvements de votre souris. L'utilisation de ces mouvements est sûre mais nous (ainsi que de nombreux projets crypto) avons de bonnes raisons de croire en window.crypto. De plus, MyEtherWallet.com peut être utilisé sur des périphériques tactiles. Voici une [conversation entre un redditor rageur et Vitalik Buterin sur les mouvements de souris et window.crypto](https://www.reddit.com/r/ethereum/comments/2bilqg/note_there_is_a_paranoid_highsecurity_way_to/cj5sgrm) et voici [les spécifications w3 de window.crypto](https://dvcs.w3.org/hg/webcrypto-api/raw-file/tip/spec/Overview.html#dfn-GlobalCrypto). ",
HELP_15_Title:
"15) Pourquoi le compte que je viens de créer n'apparaît-il pas dans l'explorateur de blockchain ? (i.e. : etherchain, etherscan) ",
HELP_15_Desc_1:
"Les comptes n'apparaissent dans un explorateur de blockchain qu'après une activité y ait eu lieu comme, par exemple, quand on y a transféré de l'Ether. ",
HELP_16_Title: '16) Comment puis-je vérifier le solde de mon compte ? ',
HELP_16_Desc_1:
"Vous pouvez utiliser un explorateur de blockchain comme [etherscan.io](http://etherscan.io/). Collez votre adresse dans la barre de recherche et cela récupérera votre solde et l'historique de vos transactions. Par exemple, voici ce que montre notre [compte de donations](http://etherscan.io/address/0x7cb57b5a97eabe94205c07890be4c1ad31e486a8) sur etherscan.io ",
HELP_17_Title:
"17) Pourquoi mon solde n'apparaît-il pas quand je déverrouille mon portefeuille ? ",
HELP_17_Desc_1:
"C'est probablement dû au fait que vous vous trouvez derrière un firewall. L'API que nous utilisons pour obtenir le solde et converir celui-ci est souvent bloquée par des firewalls pour des raisons diverses. Vous êtes toujours capable d'envoyer des transactions mais il vous faut employer une autre méthode pour voir le solde, comme etherscan.io ",
HELP_18_Title: '18) Où est le fichier de mon portefeuille geth ? ',
HELP_19_Title: '19) Où est le fichier de mon portefeuille Mist ? ',
HELP_19_Desc_1:
'Les fichiers Mist se trouvent généralement aux endroits ci-dessus mais il est beaucoup plus facile d\'ouvrir Mist, de sélectionner "Accounts" dans la barre du haut, puis "Backup" et "Accounts". Cela ouvre le dossier où vos fichiers sont stockés. ',
HELP_20_Title:
'20) Où est le fichier de mon portefeuille de *pre-sale* (pré-vente) ? ',
HELP_20_Desc_1:
'Là où vous l\'avez mis. ;) Il vous a aussi été envoyé donc allez vérifier vos mails. Cherchez le fichier appelé `"ethereum_wallet_backup.json"` et choisissez ce fichier. Il est chiffré avec un mot de passe que vous avez créé pendant l\'achat au moment de la pré-vente. ',
HELP_21_Title:
"21) N'importe qui ne peut-il pas prendre une clef privée au hasard, chercher un solde et l'envoyer à sa propre adresse ? ",
HELP_21_Desc_1:
"Version courte : oui, mais trouver un compte avec un solde prendrait plus longtemps que la durée de l'univers... donc... non. ",
HELP_21_Desc_2:
"Version longue : Ethereum est basé sur la [cryptographie à clef publique](https://en.wikipedia.org/wiki/Public-key_cryptography), plus précisément la [cryptographie des courbes elliptiques (ECC)](https://eprint.iacr.org/2013/734.pdf) qui est très couramment employée, pas uniquement dans Ethereum. La plupart des serveurs sont protégés par les ECC. Bitcoin les emploie ainsi que SSH, TLS et bien d'autres protocoles. Dans le cas spécifique d'Ethereum, les clefs font 256 bits et sont plus fortes que celles en 128 et 192 bits, encore très employées et toujours considérées comme sûres par les experts. ",
HELP_21_Desc_3:
"Vous avez une clef privée et une clef publique. La clef privée peut servir à dériver la clef publique mais l'inverse est impossible. Le fait que l'internet et le monde entier utilise ce système cryptographique signifie que, s'il existait un moyen de dériver la clef privée de la clef publique, le risque que courrait votre Ether serait le moindre des problèmes de tout le monde. ",
HELP_21_Desc_4:
"Cela dit, OUI : si quelqu'un possède votre clef privée, il peut envoyer de l'Ether depuis votre compte, de même que si une personne a le mot de passe de votre email, elle peut lire des mails ou en envoyer, ou si c'est le mot de passe de votre compte en banque, elle peut faire des virements. Vous pouvez télécharger la versoin KEystore de votre clef privée qui est la clef privée chiffrée avec un mot de passe. Cela ressemble à avoir un mot de passe protégé par un autre mot de passe. ",
HELP_21_Desc_5:
"Et OUI, en théorie, on peut taper une chaîne de 64 caractères hexadécimaux jusqu'à en trouver un qui correspond. Il est d'ailleurs possible d'écrire un programme qui vérifie très rapidement des clefs privée aléatoires. C'est ce que l'on appelle utiliser la \"brute force\" ou miner des clefs privées. Beaucoup de monde y a pensé très fort et très longtemps. Quelques serveurs haut de gamme peuvent vérifier plus de 1 million de clefs par seconde. Pourtant, même ce chiffre ne donnerait pas accès à un compte suffisamment approvisionné pour en valoir la chandelle ; il est bien plus probable que vous, vos enfant et vos petits-enfants mourront avant d'obtenir une correspondance. ",
HELP_21_Desc_6:
"Si vous connaissez un peu Bitcoin, [ceci remettra les choses en perspective :](http://bitcoin.stackexchange.com/questions/32331/two-people-with-same-public-address-how-will-people-network-know-how-to-deliver) *Pour illustrer l'improbabilité de tout ceci : supposons quqe chaque satoshi de chaque bitcoin qui sera jamais produit soit affecté à sa propre clef privée distincte. La probabilité que, parmi ces clefs, s'en trouvent deux qui correspondent à la même adresse serait d'environ 1 sur 100 quintillons. ",
HELP_21_Desc_7:
"[Si vous voulez un argumentaire un peu plus technique :](http://security.stackexchange.com/questions/25375/why-not-use-larger-cipher-keys/25392#25392) *Ces nombres n'ont rien à voir avec la technologie des systèmes ; ce sont les maximums autorisés par la thermodynamique. Et ils impliquent clairement qu'une attaque par brute force contre des clefs de 256 bits restera impossible jusqu'à ce que l'on construise des ordinateurs avec autre chose que de la matière et qu'ils occupent autre chose que l'espace. ",
HELP_21_Desc_8:
"Cela suppose bien entendu que les clefs sont générées d'une manière totalement aléatoire avec suffisamment d'entropie. C'est le cas des clefs générées ici, tout comme celles de Jaxx et de Mist/geth. Les portefeuilles Ethereum sont tous assez bons de ce point de vue. Les clefs générées par des cerveaux humains ne le sont pas, car ces derniers ne sont pas capables de partir d'un nombre parfaitement aléatoire. Il y a eu des cas d'autres problèmes d'entropie insuffisante ou de nombres imparfaitement aléatoires dans le monde de Bitcoin mais il s'agit là d'un tout autre problème qui peut attendre un peu. ",
HELP_SecCX_Title: 'Securité - MyEtherWallet CX ',
HELP_SecCX_Desc_1: 'Où cette extension sauve-t-elle mes informations ? ',
HELP_SecCX_Desc_2:
"Les informations stockées dans cette extension sont sauvegardée via [chrome.storage](http://chrome.storage/), c'est à dire au même endroit que vos mots de passe dans Chrome. ",
HELP_SecCX_Desc_3: 'Quelles informations sont sauvegardées ? ',
HELP_SecCX_Desc_4:
"L'adresse, le surnom, la clef privée sont stockés dans chrome.storage. La clef privée est chiffrée par le mot de passe défini à l'ajout du portefeuille. Le surnom et l'adresse du portefeuille ne sont pas chiffrés. ",
HELP_SecCX_Desc_5:
"Pourquoi le surnom et l'adresse du portefeuille ne sont-ils pas chiffrés ? ",
HELP_SecCX_Desc_6:
"Si nous devions chiffrer ces informations, il vous faudrait entrer un mot de passe à chaque fois que vous voudriez voir votre solde ou les surnoms. Si cela vous ennuie, nous vous recommandons d'utiliser MyEtherWallet.com au lieu de cette extension Chrome. ",
HELP_Sec_Title: 'Sécurité ',
HELP_Sec_Desc_1:
'Si l\'une des premières questions que vous vous posez est "Pourquoi devrais-je faire confiance à ces gens ?", c\'est une bonne démarche. Nous espérons que ce qui suit va dissiper vos craintes. ',
HELP_Sec_Desc_2:
'Nous avons commencé en août 2015. Si vous recherchez ["myetherwallet" sur reddit](https://www.reddit.com/search?q=myetherwallet), vous pouvez voir qu\'un nombre considérable de personnes nous utilisent sans problème. ',
HELP_Sec_Desc_3:
"Nous n'allons pas prendre votre argent ou voler vos clefs privées. Il n'y a pas de code malveillant sur ce site. En fait, les pages \"Génération d'un portefeuille\" sont totalement côté client. Cela signifie que tout le code s'éxécute sur **votre ordinateur** et n'est jamais sauvé et/ou transmis où que ce soit. ",
HELP_Sec_Desc_4:
"Vérifiez l'URL -- Ce site est servi par Github et vous pouvez en voir le code source ici : [https://github.com/kvhnuke/etherwallet/tree/gh-pages](https://github.com/kvhnuke/etherwallet/tree/gh-pages) aux [https://www.myetherwallet.com](https://www.myetherwallet.com). ",
HELP_Sec_Desc_5:
'Pour générer les portefeuilles, vous pouvez télécharger le [code source](https://github.com/kvhnuke/etherwallet/releases/latest). Voir #5 ci-dessus. ',
HELP_Sec_Desc_6:
"Lancez un test et vérifiez le type d'activité réseau. La manière la plus simple consiste en un clic droit sur la page, puis \"Inspecter\". Allez à l'onglet \"Network\". Générez un portefeuille de test. Vous verrez qu'il n'y a pas d'activité réseau. Vous pourrez voir quelque chose se produire ressemblant à data:image/gif et data:image/png. Ce sont les QR codes en cours de génération... sur votre ordinateur. Aucun octet n'a été transféré. ",
HELP_Sec_Desc_8:
"Si cet outil ne vous plaît pas, alors ne l'utilisez surtout pas. Nous l'avons créé pour qu'il aide les gens à générer des portefeuilles et à effectuer des transactions sans avoir besoin de plonger dans les lignes de commandes ni faire tourner un nœud complet. À nouveau, n'hésitez pas à nous faire part de vos doutes et nous répondrons aussi rapidement que possible. Merci ! ",
HELP_FAQ_Title: 'Plus de réponses utiles aux questions fréquentes ',
HELP_Contact_Title: 'Moyens de nous contacter'
}
};

View File

@ -1,45 +1,40 @@
// @flow
import { markupToReact } from './markup';
import { store } from '../store';
import React from 'react';
import type { Element } from 'react';
import Translate from 'components/Translate';
import { store } from 'store';
import { getLanguageSelection } from 'selectors/config';
let fallbackLanguage = 'en';
let repository = {};
const languages = [
require('./de'),
require('./el'),
require('./en'),
require('./es'),
require('./fi'),
require('./fr'),
require('./hu'),
require('./id'),
require('./it'),
require('./ja'),
require('./nl'),
require('./no'),
require('./pl'),
require('./pt'),
require('./ru') /*sk, sl, sv */,
require('./ko'),
require('./tr'),
require('./vi'),
require('./zhcn'),
require('./zhtw')
require('./lang/de'),
require('./lang/el'),
require('./lang/en'),
require('./lang/es'),
require('./lang/fi'),
require('./lang/fr'),
require('./lang/ht'),
require('./lang/hu'),
require('./lang/id'),
require('./lang/it'),
require('./lang/ja'),
require('./lang/nl'),
require('./lang/no'),
require('./lang/pl'),
require('./lang/pt'),
require('./lang/ru') /*sk, sl, sv */,
require('./lang/ko'),
require('./lang/tr'),
require('./lang/vi'),
require('./lang/zhcn'),
require('./lang/zhtw')
];
languages.forEach(l => {
repository[l.code] = l.data;
});
export default function translate(key: string) {
let activeLanguage = store.getState().config.languageSelection;
return markupToReact(
(repository[activeLanguage] && repository[activeLanguage][key]) ||
repository[fallbackLanguage][key] ||
key
);
}
export function getTranslators() {
return [
'TranslatorName_1',
@ -55,3 +50,22 @@ export function getTranslators() {
return !!translated;
});
}
type TranslateType = Element<*> | string;
export default function translate(
key: string,
textOnly: boolean = false
): TranslateType {
return textOnly ? translateRaw(key) : <Translate translationKey={key} />;
}
export function translateRaw(key: string) {
const lang = getLanguageSelection(store.getState());
return (
(repository[lang] && repository[lang][key]) ||
repository[fallbackLanguage][key] ||
key
);
}

View File

@ -0,0 +1,858 @@
/* eslint-disable quotes*/
// Arabic
module.exports = {
code: 'ar',
data: {
/* New Generics */
x_CancelReplaceTx: 'إلغاء العملية أو استبدالها',
x_CancelTx: 'إلغاء العملية',
x_PasswordDesc:
'كلمة السر هذه * تشفر * المفتاح الخاص بك. ولكن هذا لا يعمل كبذور لتوليد المفاتيح الخاصة بك. ** سوف تحتاج إلى كلمة السر هذه بالاضافة الى المفتاح الخاص بك لفتح محفظتك. **',
x_ReadMore: 'قراءة المزيد',
x_ReplaceTx: 'استبدال العملية',
x_TransHash: 'مشفر العملية',
x_TXFee: 'رسوم العملية',
x_TxHash: 'مشفر العملية',
/* Check TX Status */
NAV_CheckTxStatus: 'Check TX Status',
NAV_TxStatus: 'TX Status',
tx_Details: 'Transaction Details',
tx_Summary:
'During times of high volume (like during ICOs) transactions can be pending for hours, if not days. This tool aims to give you the ability to find and "cancel" / replace these TXs. ** This is not typically something you can do. It should not be relied upon & will only work when the TX Pools are full. [Please, read about this tool here.](https://myetherwallet.groovehq.com/knowledge_base/topics/how-can-i-check-on-the-status-of-my-transaction-can-i-cancel-override-overwrite-replace-or-do-anything-once-a-transaction-has-been-sent)**',
tx_notFound: 'Transaction Not Found',
tx_notFound_1:
'This TX cannot be found in the TX Pool of the node you are connected to.',
tx_notFound_2:
'If you just sent the transaction, please wait 15 seconds and press the "Check TX Status" button again. ',
tx_notFound_3:
'It could still be in the TX Pool of a different node, waiting to be mined.',
tx_notFound_4:
'Please use the dropdown in the top-right & select a different ETH node (e.g. `ETH (Etherscan.io)` or `ETH (Infura.io)` or `ETH (MyEtherWallet)`) and check again.',
tx_foundInPending: 'Pending Transaction Found',
tx_foundInPending_1:
'Your transaction was located in the TX Pool of the node you are connected to. ',
tx_foundInPending_2: 'It is currently pending (waiting to be mined). ',
tx_foundInPending_3:
'There is a chance you can "cancel" or replace this transaction. Unlock your wallet below.',
tx_FoundOnChain: 'Transaction Found',
tx_FoundOnChain_1:
'Your transaction was successfully mined and is on the blockchain.',
tx_FoundOnChain_2:
'**If you see a red `( ! )`, a `BAD INSTRUCTION` or `OUT OF GAS` error message**, it means that the transaction was not successfully *sent*. You cannot cancel or replace this transaction. Instead, send a new transaction. If you received an "Out of Gas" error, you should double the gas limit you specified originally.',
tx_FoundOnChain_3:
'**If you do not see any errors, your transaction was successfully sent.** Your ETH or Tokens are where you sent them. If you cannot see this ETH or Tokens credited in your other wallet / exchange account, and it has been 24+ hours since you sent, please [contact that service](https://myetherwallet.groovehq.com/knowledge_base/topics/i-have-a-question-but-its-not-about-myetherwallet-dot-com-what-do-i-do). Send them the *link* to your transaction and ask them, nicely, to look into your situation.',
/* Gen Wallet Updates */
GEN_Help_1: 'Use your',
GEN_Help_2: 'to access your account.',
GEN_Help_3: 'Your device * is * your wallet.',
GEN_Help_4: 'Guides & FAQ',
GEN_Help_5: 'How to Create a Wallet',
GEN_Help_6: 'Getting Started',
GEN_Help_7:
"Keep it safe · Make a backup · Don't share it with anyone · Don't lose it · It cannot be recovered if you lose it.",
GEN_Help_8: 'Not Downloading a File? ',
GEN_Help_9: 'Try using Google Chrome ',
GEN_Help_10: 'Right click & save file as. Filename: ',
GEN_Help_11: "Don't open this file on your computer ",
GEN_Help_12:
'Use it to unlock your wallet via MyEtherWallet (or Mist, Geth, Parity and other wallet clients.) ',
GEN_Help_13: 'How to Back Up Your Keystore File ',
GEN_Help_14: 'What are these Different Formats? ',
GEN_Help_15: 'Preventing loss &amp; theft of your funds.',
GEN_Help_16: 'What are these Different Formats?',
GEN_Help_17: 'Why Should I?',
GEN_Help_18: 'To have a secondary backup.',
GEN_Help_19: 'In case you ever forget your password.',
GEN_Help_20: 'Cold Storage',
GET_ConfButton: 'I understand. Continue.',
GEN_Label_5: 'Save Your `Private Key`. ',
GEN_Unlock: 'Unlock your wallet to see your address',
GAS_PRICE_Desc:
'Gas Price is the amount you pay per unit of gas. `TX fee = gas price * gas limit` & is paid to miners for including your TX in a block. Higher the gas price = faster transaction, but more expensive. Default is `21 GWEI`.',
GAS_LIMIT_Desc:
'Gas limit is the amount of gas to send with your TX. `TX fee` = gas price * gas limit & is paid to miners for including your TX in a block. Increasing this number will not get your TX mined faster. Sending ETH = `21000`. Sending Tokens = ~`200000`.',
NONCE_Desc:
'The nonce is the number of transactions sent from a given address. It ensures transactions are sent in order & not more than once.',
TXFEE_Desc:
'The TX Fee is paid to miners for including your TX in a block. Is is the `gas limit` * `gas price`. [You can convert GWEI -> ETH here](https://www.myetherwallet.com/helpers.html)',
/* Navigation*/
NAV_AddWallet: 'إضافة محفظة ',
NAV_BulkGenerate: 'انشيء بالجملة ',
NAV_Contact: 'اتصال ',
NAV_Contracts: 'عقود ',
NAV_DeployContract: 'نشر عقد ',
NAV_ENS: 'لنطاقات ',
NAV_GenerateWallet_alt: 'محفظة جديدة ',
NAV_GenerateWallet: 'إنشاء محفظة جديدة ',
NAV_Help: 'مساعدة ',
NAV_InteractContract: 'التفاعل مع العقد ',
NAV_Multisig: 'Multisig ',
NAV_MyWallets: 'محافظي ',
NAV_Offline: 'أرسل دون إتصال ',
NAV_SendEther: 'أرسل الأثير والرموز ',
NAV_SendTokens: 'أرسل الرموز ',
NAV_SignMsg: 'وقع الرسالة ',
NAV_Swap: 'استبدل ',
NAV_ViewWallet: 'عرض معلومات المحفظة ',
NAV_YourWallets: 'محافظك ',
/* General */
x_Access: 'Access ',
x_AddessDesc:
'Your Address can also be known as you `Account #` or your `Public Key`. It is what you share with people so they can send you Ether or Tokens. Find the colorful address icon. Make sure it matches your paper wallet & whenever you enter your address somewhere.',
x_Address: 'Your Address ',
x_Cancel: 'Cancel ',
x_CSV: 'CSV file (unencrypted) ',
x_Download: 'Download ',
x_Json: 'JSON File (unencrypted) ',
x_JsonDesc:
'This is the unencrypted, JSON format of your private key. This means you do not need the password but anyone who finds your JSON can access your wallet & Ether without the password. ',
x_Keystore: 'Keystore File (UTC / JSON · Recommended · Encrypted) ',
x_Keystore2: 'Keystore File (UTC / JSON) ',
x_KeystoreDesc:
'This Keystore file matches the format used by Mist so you can easily import it in the future. It is the recommended file to download and back up. ',
x_MetaMask: 'Metamask / Mist ',
x_Mnemonic: 'Mnemonic Phrase ',
x_ParityPhrase: 'Parity Phrase ',
x_Password: 'Password ',
x_Print: 'Print Paper Wallet ',
x_PrintDesc:
'ProTip: Click print and save this as a PDF, even if you do not own a printer! ',
x_PrintShort: 'Print ',
x_PrivKey: 'Private Key (unencrypted) ',
x_PrivKey2: 'Private Key ',
x_PrivKeyDesc:
'This is the unencrypted text version of your private key, meaning no password is necessary. If someone were to find your unencrypted private key, they could access your wallet without a password. For this reason, encrypted versions are typically recommended. ',
x_Save: 'Save ',
x_TXT: 'TXT file (unencrypted) ',
x_Wallet: 'Wallet ',
/* Header */
CX_Tagline:
'Open Source JavaScript Client-Side Ether Wallet Chrome Extension ',
CX_Warning_1:
'Make sure you have **external backups** of any wallets you store here. Many things could happen that would cause you to lose the data in this Chrome Extension, including uninstalling and reinstalling the extension. This extension is a way to easily access your wallets, **not** a way to back them up. ',
MEW_Tagline: 'Open Source JavaScript Client-Side Ether Wallet ',
MEW_Warning_1:
'Always check the URL before accessing your wallet or creating a new wallet. Beware of phishing sites! ',
/* Footer */
FOOTER_1:
'Free, open-source, client-side interface for generating Ethereum wallets &amp; more. Interact with the Ethereum blockchain easily &amp; securely. Double-check the URL ( .com ) before unlocking your wallet.',
FOOTER_1b: 'Created by ',
FOOTER_2: 'Donations greatly appreciated ',
FOOTER_3: 'Client-side wallet generation by ',
FOOTER_4: 'Disclaimer ',
/* Sidebar */
sidebar_AccountInfo: 'Account Information ',
sidebar_AccountAddr: 'Account Address ',
sidebar_AccountBal: 'Account Balance ',
sidebar_TokenBal: 'Token Balances ',
sidebar_Equiv: 'Equivalent Values ',
sidebar_TransHistory: 'Transaction History ',
sidebar_donation:
'MyEtherWallet is a free, open-source service dedicated to your privacy and security. The more donations we receive, the more time we spend creating new features, listening to your feedback, and giving you what you want. We are just two people trying to change the world. Help us? ',
sidebar_donate: 'تبرع ',
sidebar_thanks: 'شكرا!!! ',
sidebar_DisplayOnTrezor: 'Display address on TREZOR',
sidebar_DisplayOnLedger: 'Display address on Ledger',
/* Decrypt Panel */
decrypt_Access: 'How would you like to access your wallet? ',
decrypt_Title: 'Select the format of your private key ',
decrypt_Select: 'Select a Wallet ',
/* Add Wallet */
ADD_Label_1: 'What would you like to do? ',
ADD_Radio_1: 'Generate New Wallet ',
ADD_Radio_2: 'Select Your Wallet File (Keystore / JSON) ',
ADD_Radio_2_alt: 'Select Your Wallet File ',
ADD_Radio_2_short: 'SELECT WALLET FILE... ',
ADD_Radio_3: 'Paste/Type Your Private Key ',
ADD_Radio_4: 'Add an Account to Watch ',
ADD_Radio_5: 'Paste/Type Your Mnemonic ',
ADD_Radio_5_Path: 'Select HD derivation path ',
ADD_Radio_5_woTrezor: '(Jaxx, Metamask, Exodus, imToken)',
ADD_Radio_5_withTrezor: '(Jaxx, Metamask, Exodus, imToken, TREZOR)',
ADD_Radio_5_PathAlternative: '(Ledger)',
ADD_Radio_5_PathTrezor: '(TREZOR)',
ADD_Radio_5_PathCustom: 'Custom',
ADD_Label_2: 'Create a Nickname ',
ADD_Label_3: 'Your wallet is encrypted. Please enter the password. ',
ADD_Label_4: 'Add an Account to Watch ',
ADD_Warning_1:
'You can add any account to "watch" on the wallets tab without uploading a private key. This does ** not ** mean you have access to this wallet, nor can you transfer Ether from it. ',
ADD_Label_5: 'Enter the Address ',
ADD_Label_6: 'Unlock your Wallet ',
ADD_Label_6_short: 'Unlock ',
ADD_Label_7: 'Add Account ',
ADD_Label_8: 'Password (optional): ',
/* My Wallet */
MYWAL_Nick: 'Wallet Nickname ',
MYWAL_Address: 'Wallet Address ',
MYWAL_Bal: 'رصيد حساب ',
MYWAL_Edit: 'Edit ',
MYWAL_View: 'View ',
MYWAL_Remove: 'إزالة ',
MYWAL_RemoveWal: 'إزالة المحفظة ',
MYWAL_WatchOnly: 'Your Watch-Only Accounts ',
MYWAL_Viewing: 'Viewing Wallet ',
MYWAL_Hide: 'Hide Wallet Info ',
MYWAL_Edit_2: 'Edit Wallet ',
MYWAL_Name: 'Wallet Name ',
MYWAL_Content_1: 'Warning! You are about to remove your wallet ',
MYWAL_Content_2:
'Be sure you have **saved the private key and/or Keystore File and the password** before you remove it. ',
MYWAL_Content_3:
'If you want to use this wallet with your MyEtherWallet CX in the future, you will need to manually re-add it using the private key/JSON and password. ',
/* Generate Wallets */
GEN_desc: 'If you want to generate multiple wallets, you can do so here ',
GEN_Label_1: 'Enter a password',
GEN_Placeholder_1: 'Do NOT forget to save this! ',
GEN_SuccessMsg: 'Success! Your wallet has been generated. ',
GEN_Label_2: 'Save your `Keystore` File. ',
GEN_Label_3: 'Save Your Address. ',
GEN_Label_4: 'Print paper wallet or a QR code. ',
GEN_Aria_1: 'Enter a strong password (at least 9 characters)',
GEN_Aria_2: 'make password visible',
/* Bulk Generate Wallets */
BULK_Label_1: 'Number of Wallets To Generate ',
BULK_Label_2: 'Generate Wallets ',
BULK_SuccessMsg: 'Success! Your wallets have been generated. ',
/* Sending Ether and Tokens */
SEND_addr: 'To Address ',
SEND_amount: 'Amount to Send ',
SEND_amount_short: 'Amount ',
SEND_custom: 'Add Custom Token ',
SEND_gas: 'Gas ',
SEND_TransferTotal: 'Send Entire Balance ',
SEND_generate: 'Generate Transaction ',
SEND_raw: 'Raw Transaction ',
SEND_signed: 'Signed Transaction ',
SEND_trans: 'Send Transaction ',
SENDModal_Title: 'Warning! ',
/* full sentence reads "You are about to send "10 ETH" to address "0x1234". Are you sure you want to do this? " */
SENDModal_Content_1: 'You are about to send ',
SENDModal_Content_2: 'to address ',
SENDModal_Content_3: 'Are you sure you want to do this? ',
SENDModal_Content_4:
'NOTE: If you encounter an error, you most likely need to add ether to your account to cover the gas cost of sending tokens. Gas is paid in ether. ',
SENDModal_No: 'No, get me out of here! ',
SENDModal_Yes: 'Yes, I am sure! Make transaction. ',
/* Tokens */
TOKEN_Addr: 'Address ',
TOKEN_Symbol: 'Token Symbol ',
TOKEN_Dec: 'Decimals ',
TOKEN_show: 'Show All Tokens ',
TOKEN_hide: 'Hide Tokens ',
/* Send Transaction */
TRANS_desc:
'If you want to send Tokens, please use the "Send Token" page instead. ',
TRANS_advanced: '+Advanced: Add Data ',
TRANS_data: 'Data ',
TRANS_gas: 'Gas Limit ',
TRANS_sendInfo:
'A standard transaction using 21000 gas will cost 0.000441 ETH. We use a slightly-above-minimum gas price of 0.000000021 ETH to ensure it gets mined quickly. We do not take a transaction fee. ',
/* Offline Transaction */
OFFLINE_Title: 'Generate & Send Offline Transaction ',
OFFLINE_Desc:
'Generating offline transactions can be done in three steps. You will complete steps 1 and 3 on an online computer, and step 2 on an offline/airgapped computer. This ensures your private keys do not touch an internet-connected device. ',
OFFLLINE_Step1_Title: 'Step 1: Generate Information (Online Computer) ',
OFFLINE_Step1_Button: 'Generate Information ',
OFFLINE_Step1_Label_1: 'From Address ',
OFFLINE_Step1_Label_2:
'Note: This is the FROM address, not the TO address. Nonce is generated from the originating account. If using an airgapped computer, it would be the address of the cold-storage account. ',
OFFLINE_Step2_Title: 'Step 2: Generate Transaction (Offline Computer) ',
OFFLINE_Step2_Label_1: 'To Address ',
OFFLINE_Step2_Label_2: 'Value / Amount to Send ',
OFFLINE_Step2_Label_3: 'Gas Price ',
OFFLINE_Step2_Label_3b:
'This was displayed in Step 1 on your online computer. ',
OFFLINE_Step2_Label_4: 'Gas Limit ',
OFFLINE_Step2_Label_4b:
"21000 is the default gas limit. When you send contracts or add'l data, this may need to be different. Any unused gas will be returned to you. ",
OFFLINE_Step2_Label_5: 'Nonce ',
OFFLINE_Step2_Label_5b:
'This was displayed in Step 1 on your online computer. ',
OFFLINE_Step2_Label_6: 'Data ',
OFFLINE_Step2_Label_6b:
'This is optional. Data is often used when you send transactions to contracts. ',
OFFLINE_Step2_Label_7: 'Enter / Select your Private Key / JSON. ',
OFFLINE_Step3_Title:
'Step 3: Send / Publish Transaction (Online Computer) ',
OFFLINE_Step3_Label_1:
'Paste the signed transaction from Step 2 here and press the "SEND TRANSACTION" button. ',
/* Contracts */
CONTRACT_Title: 'Contract Address ',
CONTRACT_Title_2: 'Select Existing Contract ',
CONTRACT_Json: 'ABI / JSON Interface ',
CONTRACT_Interact_Title: 'Read / Write Contract ',
CONTRACT_Interact_CTA: 'Select a function ',
CONTRACT_ByteCode: 'Byte Code ',
CONTRACT_Read: 'READ ',
CONTRACT_Write: 'WRITE ',
DEP_generate: 'Generate Bytecode ',
DEP_generated: 'Generated Bytecode ',
DEP_signtx: 'Sign Transaction ',
DEP_interface: 'Generated Interface ',
/* Node Switcher */
NODE_Title: 'Set Up Your Custom Node',
NODE_Subtitle: 'To connect to a local node...',
NODE_Warning:
'Your node must be HTTPS in order to connect to it via MyEtherWallet.com. You can [download the MyEtherWallet repo & run it locally](https://github.com/kvhnuke/etherwallet/releases/latest) to connect to any node. Or, get free SSL certificate via [LetsEncrypt](https://letsencrypt.org/)',
NODE_Name: 'Node Name',
NODE_Port: 'Node Port',
NODE_CTA: 'Save & Use Custom Node',
/* Swap / Exchange */
SWAP_rates: 'Current Rates ',
SWAP_init_1: 'I want to swap my ',
SWAP_init_2: ' for ', // "I want to swap my X ETH for X BTC"
SWAP_init_CTA: "Let's do this! ", // or "Continue"
SWAP_information: 'Your Information ',
SWAP_send_amt: 'Amount to send ',
SWAP_rec_amt: 'Amount to receive ',
SWAP_your_rate: 'Your rate ',
SWAP_rec_add: 'Your Receiving Address ',
SWAP_start_CTA: 'Start Swap ',
SWAP_ref_num: 'Your reference number ',
SWAP_time: 'Time remaining to send ',
SWAP_elapsed: 'Time elapsed since sent ',
SWAP_progress_1: 'Order Initiated ',
SWAP_progress_2: 'Waiting for your ', // Waiting for your BTC...
SWAP_progress_3: 'Received! ', // ETH Received!
SWAP_progress_4: 'Sending your {{orderResult.output.currency}} ',
SWAP_progress_5: 'Order Complete ',
SWAP_order_CTA: 'Please send ', // Please send 1 ETH...
SWAP_unlock:
'Unlock your wallet to send ETH or Tokens directly from this page. ',
/* Sign Message */
MSG_message: 'Message ',
MSG_date: 'Date ',
MSG_signature: 'Signature ',
MSG_verify: 'Verify Message ',
MSG_info1:
'Include the current date so the signature cannot be reused on a different date. ',
MSG_info2:
'Include your nickname and where you use the nickname so someone else cannot use it. ',
MSG_info3:
'Include a specific reason for the message so it cannot be reused for a different purpose. ',
/* View Wallet Details */
VIEWWALLET_ShowPrivKey: '(show)',
VIEWWALLET_HidePrivKey: '(hide)',
VIEWWALLET_Subtitle:
"Ceci vous permet de télécharger plusieurs versions des clefs privées et de ré-imprimer votre portefeuille papier. Vous devrez le faire pour [importer votre compte dans Geth/Mist](http://ethereum.stackexchange.com/questions/465/how-to-import-a-plain-private-key-into-geth/). Si vous voulez consulter votre solde, nous recommandons d'utiliser un explorateur de blockchain comme [etherscan.io](http://etherscan.io/). ",
VIEWWALLET_Subtitle_Short:
'Ceci vous permet de télécharger plusieurs versions des clefs privées et de ré-imprimer votre portefeuille papier. ',
VIEWWALLET_SuccessMsg: 'Succès ! Voici les détails de votre portefeuille. ',
/* Mnemonic */
MNEM_1: "Sélectionnez l'adresse avec laquelle vous désirez interagir. ",
MNEM_2:
"Votre phrase mnémonique HD unique peut accéder à un certain nombre de portefeuilles/adresses. Sélectionnez l'adresse avec laquelle vous désirez interagir actuellement. ",
MNEM_more: "Plus d'adresses ",
MNEM_prev: 'Adresses précédentes ',
/* Hardware wallets */
x_Ledger: 'Ledger Wallet',
ADD_Ledger_1: 'Connectez votre Ledger Nano S ',
ADD_Ledger_2:
"Ouvrez l'application Ethereum (ou une application de contrat) ",
ADD_Ledger_3:
"Vérifiez que l'option Browser Support est activée dans Settings ",
ADD_Ledger_4:
"Si l'option Browser Support n'est pas présente dans Settings, vérifiez que vous avez le [Firmware >1.2](https://www.ledgerwallet.com/apps/manager) ",
ADD_Ledger_0a: 'Réouvrir MyEtherWallet sur une connexion sécurisée (SSL) ',
ADD_Ledger_0b:
'Réouvrir MyEtherWallet avec [Chrome](https://www.google.com/chrome/browser/desktop/) ou [Opera](https://www.opera.com/) ',
ADD_Ledger_scan: 'Se connecter au Ledger Nano S ',
x_Trezor: 'TREZOR ',
ADD_Trezor_scan: 'Connexion au TREZOR ',
ADD_Trezor_select: 'Ceci est une _seed_ TREZOR ',
x_DigitalBitbox: 'Digital Bitbox ',
ADD_DigitalBitbox_0a:
'Réouvrir MyEtherWallet sur une connexion sécurisée (SSL) ',
ADD_DigitalBitbox_0b:
'Réouvrir MyEtherWallet avec [Chrome](https://www.google.com/chrome/browser/desktop/) ou [Opera](https://www.opera.com/) ',
ADD_DigitalBitbox_scan: 'Connexion au Digital Bitbox ',
ADD_MetaMask: 'Connexion à MetaMask ',
/* Chrome Extension */
CX_error_1:
'You don\'t have any wallets saved. Click ["Add Wallet"](/cx-wallet.html#add-wallet) to add one! ',
CX_quicksend: 'QuickSend ', // if no appropriate translation, just use "Send"
/* Error Messages */
ERROR_0: 'Please enter a valid amount.', // 0
ERROR_1:
'Your password must be at least 9 characters. Please ensure it is a strong password. ', // 1
ERROR_2: "Sorry! We don't recognize this type of wallet file. ", // 2
ERROR_3: 'This is not a valid wallet file. ', // 3
ERROR_4:
"This unit doesn't exists, please use the one of the following units ", // 4
ERROR_5: 'Please enter a valid address. ', // 5
ERROR_6: 'Please enter a valid password. ', // 6
ERROR_7: 'Please enter valid decimals (Must be integer. Try 0-18.) ', // 7
ERROR_8:
'Please enter a valid gas limit (Must be integer. Try 21000-4000000.) ', // 8
ERROR_9: 'Please enter a valid data value (Must be hex.) ', // 9
ERROR_10:
'Please enter a valid gas price. (Must be integer. Try 20 GWEI / 20000000000 WEI.) ',
ERROR_11: 'Please enter a valid nonce (Must be integer.) ', // 11
ERROR_12: 'Invalid signed transaction. ', // 12
ERROR_13: 'A wallet with this nickname already exists. ', // 13
ERROR_14: 'Wallet not found. ', // 14
ERROR_15:
"Whoops. It doesn't look like a proposal with this ID exists yet or there is an error reading this proposal. ", // 15 - NOT USED
ERROR_16:
'A wallet with this address already exists in storage. Please check your wallets page. ', // 16
ERROR_17:
'Account you are sending from does not have enough funds. If sending tokens, you must have 0.01 ETH in your account to cover the cost of gas. ', // 17
ERROR_18:
'All gas would be used on this transaction. This means you have already voted on this proposal or the debate period has ended.', // 18
ERROR_19: 'Please enter a valid symbol', // 19
ERROR_20: 'Not a valid ERC-20 token', // 20
ERROR_21:
'Could not estimate gas. There are not enough funds in the account, or the receiving contract address would throw an error. Feel free to manually set the gas and proceed. The error message upon sending may be more informative.', // 21
ERROR_22: 'Please enter a valid node name', // 22
ERROR_23:
'Please enter a valid URL. If you are on https, your URL must be https', // 23
ERROR_24: 'Please enter a valid port. ', // 24
ERROR_25: 'Please enter a valid chain ID. ', // 25
ERROR_26: 'Please enter a valid ABI. ', // 26
ERROR_27: 'Minimum amount: 0.01. Max amount: ', // 27
ERROR_28:
'You need this `Keystore File + Password` or the `Private Key` (next page) to access this wallet in the future. ', // 28
ERROR_29: 'Please enter a valid user and password. ', // 29
ERROR_30: 'Please enter a valid name (7+ characters, limited punctuation) ', // 30
ERROR_31: 'Please enter a valid secret phrase. ', // 31
ERROR_32:
'Could not connect to the node. Refresh your page, try a different node (upper right corner), check your firewall settings. If custom node, check your configs.', // 32
ERROR_33:
"The wallet you have unlocked does not match the owner's address. ", // 33
ERROR_34:
'The name you are attempting to reveal does not match the name you have entered. ', // 34
ERROR_35:
'Input address is not checksummed. <a href="https://myetherwallet.groovehq.com/knowledge_base/topics/not-checksummed-shows-when-i-enter-an-address" target="_blank" rel="noopener"> More info</a>', // 35
ERROR_36: 'Enter valid TX hash', // 36
ERROR_37: 'Enter valid hex string (0-9, a-f)', // 37
SUCCESS_1: 'Valid address ',
SUCCESS_2: 'Wallet successfully decrypted ',
SUCCESS_3:
'Your TX has been broadcast to the network. It is waiting to be mined & confirmed. During ICOs, it may take 3+ hours to confirm. Use the Verify & Check buttons below to see. TX Hash: ',
SUCCESS_4: 'Your wallet was successfully added ',
SUCCESS_5: 'File Selected ',
SUCCESS_6: 'You are successfully connected ',
SUCCESS_7: 'Message Signature Verified',
WARN_Send_Link:
'You arrived via a link that has the address, value, gas, data fields, or transaction type (send mode) filled in for you. You can change any information before sending. Unlock your wallet to get started. ',
/* Geth Error Messages */
GETH_InvalidSender: 'Invalid sender ',
GETH_Nonce: 'Nonce too low ',
GETH_Cheap: 'Gas price too low for acceptance ',
GETH_Balance: 'Insufficient balance ',
GETH_NonExistentAccount:
'Account does not exist or account balance too low ',
GETH_InsufficientFunds: 'Insufficient funds for gas * price + value ',
GETH_IntrinsicGas: 'Intrinsic gas too low ',
GETH_GasLimit: 'Exceeds block gas limit ',
GETH_NegativeValue: 'Negative value ',
/* Parity Error Messages */
PARITY_AlreadyImported:
'Transaction with the same hash was already imported.',
PARITY_Old: 'Transaction nonce is too low. Try incrementing the nonce.',
PARITY_TooCheapToReplace:
'Transaction fee is too low. There is another transaction with same nonce in the queue. Try increasing the fee or incrementing the nonce.',
PARITY_LimitReached:
'There are too many transactions in the queue. Your transaction was dropped due to limit. Try increasing the fee.',
PARITY_InsufficientGasPrice:
"Transaction fee is too low. It does not satisfy your node's minimal fee (minimal: {}, got: {}). Try increasing the fee.",
PARITY_InsufficientBalance:
'Insufficient funds. Account you try to send transaction from does not have enough funds. Required {} wei and got: {} wei.',
PARITY_GasLimitExceeded:
'Transaction cost exceeds current gas limit. Limit: {}, got: {}. Try decreasing supplied gas.',
PARITY_InvalidGasLimit: 'Supplied gas is beyond limit.',
/* Tranlsation Info */
translate_version: '0.5 ',
Translator_Desc: 'نشكر من قام بالترجمة ',
TranslatorName_1:
'[bstashio](https://www.myetherwallet.com/?gaslimit=21000&to=0xD8FE791535Ad85D2b0E76e603443C1b39107729F&value=1.0#send-transaction) · ',
TranslatorAddr_1: '0xD8FE791535Ad85D2b0E76e603443C1b39107729F ',
/* Translator 1 : Insert Comments Here */
TranslatorName_2: ' ',
TranslatorAddr_2: ' ',
/* Translator 2 : Insert Comments Here */
TranslatorName_3: ' ',
TranslatorAddr_3: ' ',
/* Translator 3 : Insert Comments Here */
TranslatorName_4: ' ',
TranslatorAddr_4: ' ',
/* Translator 4 : Insert Comments Here */
TranslatorName_5: ' ',
TranslatorAddr_5: ' ',
/* Translator 5 : Insert Comments Here */
/* Help - Nothing after this point has to be translated. If you feel like being extra helpful, go for it. */
HELP_Warning:
'If you created a wallet -or- downloaded the repo before **Dec. 31st, 2015**, please check your wallets &amp; download a new version of the repo. Click for details. ',
HELP_Desc:
'Do you see something missing? Have another question? [Get in touch with us](mailto:support@myetherwallet.com), and we will not only answer your question, we will update this page to be more useful to people in the future! ',
HELP_Remind_Title: 'Some reminders ',
HELP_Remind_Desc_1:
'**Ethereum, MyEtherWallet.com & MyEtherWallet CX, and some of the underlying Javascript libraries we use are under active development.** While we have thoroughly tested & tens of thousands of wallets have been successfully created by people all over the globe, there is always the remote possibility that something unexpected happens that causes your ETH to be lost. Please do not invest more than you are willing to lose, and please be careful. If something were to happen, we are sorry, but **we are not responsible for the lost Ether**. ',
HELP_Remind_Desc_2:
'MyEtherWallet.com & MyEtherWallet CX are not "web wallets". You do not create an account or give us your Ether to hold onto. All data never leaves your computer/your browser. We make it easy for you to create, save, and access your information and interact with the blockchain. ',
HELP_Remind_Desc_3:
'If you do not save your private key & password, there is no way to recover access to your wallet or the funds it holds. Back them up in multiple physical locations &ndash; not just on your computer! ',
HELP_0_Title: "0) I'm new. What do I do? ",
HELP_0_Desc_1:
'MyEtherWallet gives you the ability to generate new wallets so you can store your Ether yourself, not on an exchange. This process happens entirely on your computer, not our servers. Therefore, when you generate a new wallet, **you are responsible for safely backing it up**. ',
HELP_0_Desc_2: 'Create a new wallet. ',
HELP_0_Desc_3: 'Back the wallet up. ',
HELP_0_Desc_4:
'Verify you have access to this new wallet and have correctly saved all necessary information. ',
HELP_0_Desc_5: 'Transfer Ether to this new wallet. ',
HELP_1_Title: '1) How do I create a new wallet? ',
HELP_1_Desc_1: 'Go to the "Generate Wallet" page. ',
HELP_1_Desc_2:
'Go to the "Add Wallet" page & select "Generate New Wallet" ',
HELP_1_Desc_3:
'Enter a strong password. If you think you may forget it, save it somewhere safe. You will need this password to send transactions. ',
HELP_1_Desc_4: 'Click "GENERATE". ',
HELP_1_Desc_5: 'Your wallet has now been generated. ',
HELP_2a_Title: 'How do I save/backup my wallet? ',
HELP_2a_Desc_1:
'You should always back up your wallet externally and in multiple physical locations - like on a USB drive and/or a piece of paper. ',
HELP_2a_Desc_2:
'Save the address. You can keep it to yourself or share it with others. That way, others can transfer ether to you. ',
HELP_2a_Desc_3:
'Save versions of the private key. Do not share it with anyone else. Your private key is necessary when you want to access your Ether to send it! There are 3 types of private keys ',
HELP_2a_Desc_4:
'Place your address, versions of the private key, and the PDF version of your paper wallet in a folder. Save this on your computer and a USB drive. ',
HELP_2a_Desc_5:
'Print the wallet if you have a printer. Otherwise, write down your private key and address on a piece of paper. Store this as a secure location, separate from your computer and the USB drive. ',
HELP_2a_Desc_6:
'Keep in mind, you must prevent loss of the keys and password due to loss or failure of you hard drive failure, or USB drive, or piece of paper. You also must keep in mind physical loss / damage of an entire area (think fire or flood). ',
HELP_2b_Title:
'2b) How do I safely / offline / cold storage with MyEtherWallet? ',
HELP_2b_Desc_1:
'Go to [https://github.com/kvhnuke/etherwallet/releases/latest](https://github.com/kvhnuke/etherwallet/releases/latest). ',
HELP_2b_Desc_2: 'Click on `etherwallet-vX.X.X.X.zip`. ',
HELP_2b_Desc_3: 'Move zip to an airgapped computer. ',
HELP_2b_Desc_4: 'Unzip it and double-click `index.html`. ',
HELP_2b_Desc_5: 'Generate a wallet with a strong password. ',
HELP_2b_Desc_6:
'Save the address. Save versions of the private key. Save the password if you might not remember it forever. ',
HELP_2b_Desc_7:
'Store these papers / USBs in multiple physically separate locations. ',
HELP_2b_Desc_8:
'Go to the "View Wallet Info" page and type in your private key / password to ensure they are correct and access your wallet. Check that the address you wrote down is the same. ',
HELP_3_Title: '3) How do I verify I have access to my new wallet? ',
HELP_3_Desc_1:
'**Before you send any Ether to your new wallet**, you should ensure you have access to it. ',
HELP_3_Desc_2: 'Navigate to the "View Wallet Info" page. ',
HELP_3_Desc_3:
'Navigate to the MyEtherWallet.com "View Wallet Info" page. ',
HELP_3_Desc_4:
'Select your wallet file -or- your private key and unlock your wallet. ',
HELP_3_Desc_5:
'If the wallet is encrypted, a text box will automatically appear. Enter the password. ',
HELP_3_Desc_6: 'Click the "Unlock Wallet" button. ',
HELP_3_Desc_7:
'Your wallet information should show up. Find your account address, next to a colorful, circular icon. This icon visually represents your address. Be certain that the address is the address you have saved to your text document and is on your paper wallet. ',
HELP_3_Desc_8:
'If you are planning on holding a large amount of ether, we recommend that send a small amount of ether from new wallet before depositing a large amount. Send 0.001 ether to your new wallet, access that wallet, send that 0.001 ether to another address, and ensure everything works smoothly. ',
HELP_4_Title: '4) How do I send Ether from one wallet to another? ',
HELP_4_Desc_1:
'If you plan to move a large amount of ether, you should test sending a small amount to your wallet first to ensure everything goes as planned. ',
HELP_4_Desc_2: 'Navigate to the "Send Ether & Tokens" page. ',
HELP_4_Desc_3:
'Select your wallet file -or- your private key and unlock your wallet. ',
HELP_4_Desc_4:
'If the wallet is encrypted, a text box will automatically appear. Enter the password. ',
HELP_4_Desc_5: 'Click the "Unlock Wallet" button. ',
HELP_4_Desc_6:
'Enter the address you would like to send to in the "To Address:" field. ',
HELP_4_Desc_7:
'Enter the amount you would like to send. You can also click the "Send Entire Balance" link if you would like the transfer the entire balance. ',
HELP_4_Desc_9: 'Click "Generate Transaction". ',
HELP_4_Desc_10:
'A couple more fields will appear. This is your browser generating the transaction. ',
HELP_4_Desc_11: 'Click the blue "Send Transaction" button below that. ',
HELP_4_Desc_12:
'A pop-up will appear. Verify that the amount and the address you are sending to are correct. Then click "Yes, I am sure! Make transaction." button. ',
HELP_4_Desc_13:
'The transaction will be submitted. The TX Hash will display. You can click that TX Hash to see it on the blockchain. ',
HELP_4CX_Title: '4) How do I send Ether using MyEtherWallet CX? ',
HELP_4CX_Desc_1:
'First, you need to add a wallet. Once you have done that, you have 2 options: the "QuickSend" functionality from the Chrome Extension icon or the "Send Ether & Tokens" page. ',
HELP_4CX_Desc_2: 'QuickSend ',
HELP_4CX_Desc_3: 'Click the Chrome Extension Icon. ',
HELP_4CX_Desc_4: 'Click the "QuickSend" button. ',
HELP_4CX_Desc_5: 'Select the wallet you wish to send from. ',
HELP_4CX_Desc_6:
'Enter the address you would like to send to in the "To Address:" field. ',
HELP_4CX_Desc_7:
'Enter the amount you would like to send. You can also click the "Send Entire Balance" link if you would like the transfer the entire balance. ',
HELP_4CX_Desc_8: 'Click "Send Transaction". ',
HELP_4CX_Desc_9:
'Verify the address and the amount you are sending is correct. ',
HELP_4CX_Desc_10: 'Enter the password for that wallet. ',
HELP_4CX_Desc_11: 'Click "Send Transaction." ',
HELP_4CX_Desc_12: 'Using "Send Ether & Tokens" Page ',
HELP_5_Title: '5) How do I run MyEtherWallet.com offline/locally? ',
HELP_5_Desc_1:
'You can run MyEtherWallet.com on your computer instead of from the GitHub servers. You can generate a wallet completely offline and send transactions from the "Offline Transaction" page. ',
HELP_5_Desc_7:
'MyEtherWallet.com is now running entirely on your computer. ',
HELP_5_Desc_8:
"In case you are not familiar, you need to keep the entire folder in order to run the website, not just `index.html`. Don't touch or move anything around in the folder. If you are storing a backup of the MyEtherWallet repo for the future, we recommend just storing the ZIP so you can be sure the folder contents stay intact. ",
HELP_5_Desc_9:
'As we are constantly updating MyEtherWallet.com, we recommend you periodically update your saved version of the repo. ',
HELP_5CX_Title:
'5) How can I install this extension from the repo instead of the Chrome Store? ',
HELP_5CX_Desc_2: 'Click on `chrome-extension-vX.X.X.X.zip` and unzip it. ',
HELP_5CX_Desc_3:
'Go to Google Chrome and find you settings (in the menu in the upper right). ',
HELP_5CX_Desc_4: 'Click "Extensions" on the left. ',
HELP_5CX_Desc_5:
'Check the "Developer Mode" button at the top of that page. ',
HELP_5CX_Desc_6: 'Click the "Load unpacked extension..." button. ',
HELP_5CX_Desc_7:
'Navigate to the now-unzipped folder that you downloaded earlier. Click "select". ',
HELP_5CX_Desc_8:
'The extension should now show up in your extensions and in your Chrome Extension bar. ',
HELP_7_Title: '7) How do I send tokens & add custom tokens? ',
HELP_7_Desc_0:
'[Ethplorer.io](https://ethplorer.io/) is a great way to explore tokens and find the decimals of a token. ',
HELP_7_Desc_1: 'Navigate to the "Send Ether & Tokens" page. ',
HELP_7_Desc_2: 'Unlock your wallet. ',
HELP_7_Desc_3:
'Enter the address you would like to send to in the "To Address:" field. ',
HELP_7_Desc_4: 'Enter the amount you would like to send. ',
HELP_7_Desc_5: 'Select which token you would like to send. ',
HELP_7_Desc_6: 'If you do not see the token listed ',
HELP_7_Desc_7: 'Click "Custom". ',
HELP_7_Desc_8:
'Enter the address, name, and decimals of the token. These are provided by the developers of the token and are also needed when you "Add a Watch Token" to Mist. ',
HELP_7_Desc_9: 'Click "Save". ',
HELP_7_Desc_10:
"You can now send that token as well as see it's balance in the sidebar. ",
HELP_7_Desc_11: 'Click "Generate Transaction". ',
HELP_7_Desc_12:
'A couple more fields will appear. This is your browser generating the transaction. ',
HELP_7_Desc_13: 'Click the blue "Send Transaction" button below that. ',
HELP_7_Desc_14:
'A pop-up will appear. Verify that the amount and the address you are sending to are correct. Then click "Yes, I am sure! Make transaction." button. ',
HELP_7_Desc_15:
'The transaction will be submitted. The TX Hash will display. You can click that TX Hash to see it on the blockchain. ',
HELP_8_Title: '8) What happens if your site goes down? ',
HELP_8_Desc_1:
"MyEtherWallet is not a web wallet. You don't have a login and nothing ever gets saved to our servers. It is simply an interface that allows you interact with the blockchain. ",
HELP_8_Desc_2:
"If MyEtherWallet.com goes down, you would have to find another way (like geth or Ethereum Wallet / Mist) to do what we are doing. But you wouldn't have to \"get\" your Ether out of MyEtherWallet because it's not in MyEtherWallet. It's in whatever wallet your generated via our site. ",
HELP_8_Desc_3:
'You can import your unencrypted private key and your Geth/Mist Format (encrypted) files directly into geth / Ethereum Wallet / Mist very easily now. See question #12 below. ',
HELP_8_Desc_4:
"In addition, the likelihood of us taking MyEtherWallet down is slim to none. It costs us almost nothing to maintain as we aren't storing any information. If we do take the domain down, it still is, and always will be, publicly available at [https://github.com/kvhnuke/etherwallet](https://github.com/kvhnuke/etherwallet/tree/gh-pages). You can download the ZIP there and run it locally. ",
HELP_8CX_Title: '8) What happens if MyEtherWallet CX disappears? ',
HELP_8CX_Desc_1:
"First, all data is saved on your computer, not our servers. I know it can be confusing, but when you look at the Chrome Extension, you are NOT looking at stuff saved on our servers somewhere - it's all saved on your own computer. ",
HELP_8CX_Desc_2:
'That said, it is **very important** that you back up all your information for any new wallets generated with MyEtherWallet CX. That way if anything happens to MyEtherWallet CX or your computer, you still have all the information necessary to access your Ether. See the #2a for how to back up your wallets. ',
HELP_8CX_Desc_3:
'If for some reason MyEtherWallet CX disappears from the Chrome Store, you can find the source on Github and load it manually. See #5 above. ',
HELP_9_Title: '9) Is the "Send Ether & Tokens" page offline? ',
HELP_9_Desc_1:
'No. It needs the internet in order to get the current gas price, nonce of your account, and broadcast the transaction (aka "send"). However, it only sends the signed transaction. Your private key safely stays with you. We also now provide an "Offline Transaction" page so that you can ensure your private keys are on an offline/airgapped computer at all times. ',
HELP_10_Title: '10) How do I make an offline transaction? ',
HELP_10_Desc_1:
'Navigate to the "Offline Transaction" page via your online computer. ',
HELP_10_Desc_2:
'Enter the "From Address". Please note, this is the address you are sending FROM, not TO. This generates the nonce and gas price. ',
HELP_10_Desc_3:
'Move to your offline computer. Enter the "TO ADDRESS" and the "AMOUNT" you wish to send. ',
HELP_10_Desc_4:
'Enter the "GAS PRICE" as it was displayed to you on your online computer in step #1. ',
HELP_10_Desc_5:
'Enter the "NONCE" as it was displayed to you on your online computer in step #1. ',
HELP_10_Desc_6:
'The "GAS LIMIT" has a default value of 21000. This will cover a standard transaction. If you are sending to a contract or are including additional data with your transaction, you will need to increase the gas limit. Any excess gas will be returned to you. ',
HELP_10_Desc_7:
'If you wish, enter some data. If you enter data, you will need to include more than the 21000 default gas limit. All data is in HEX format. ',
HELP_10_Desc_8:
'Select your wallet file -or- your private key and unlock your wallet. ',
HELP_10_Desc_9: 'Press the "GENERATE SIGNED TRANSACTION" button. ',
HELP_10_Desc_10:
'The data field below this button will populate with your signed transaction. Copy this and move it back to your online computer. ',
HELP_10_Desc_11:
'On your online computer, paste the signed transaction into the text field in step #3 and click send. This will broadcast your transaction. ',
HELP_12_Title:
'12) How do I import a wallet created with MyEtherWallet into geth / Ethereum Wallet / Mist? ',
HELP_12_Desc_1: 'Using an Geth/Mist JSON file from MyEtherWallet v2+.... ',
HELP_12_Desc_2: 'Go to the "View Wallet Info" page. ',
HELP_12_Desc_3:
'Unlock your wallet using your **encrypted** private key or JSON file. ',
HELP_12_Desc_4: 'Go to the "My Wallets" page. ',
HELP_12_Desc_5:
'Select the wallet you want to import into Mist, click the "View" icon, enter your password, and access your wallet. ',
HELP_12_Desc_6:
'Find the "Download JSON file - Geth/Mist Format (encrypted)" section. Press the "Download" button below that. You now have your keystore file. ',
HELP_12_Desc_7: 'Open the Ethereum Wallet application. ',
HELP_12_Desc_8: 'In the menu bar, go "Accounts" -> "Backup" -> "Accounts" ',
HELP_12_Desc_9:
'This will open your keystore folder. Copy the file you just downloaded (`UTC--2016-04-14......../`) into that keystore folder. ',
HELP_12_Desc_10:
'Your account should show up immediately under "Accounts." ',
HELP_12_Desc_11: 'Using your unencrypted private key... ',
HELP_12_Desc_12:
'If you do not already have your unencrypted private key, navigate to the "View Wallet Details" page. ',
HELP_12_Desc_13:
'Select your wallet file -or- enter/paste your private key to unlock your wallet. ',
HELP_12_Desc_14: 'Copy Your Private Key (unencrypted). ',
HELP_12_Desc_15: 'If you are on a Mac ',
HELP_12_Desc_15b: 'If you are on a PC ',
HELP_12_Desc_16: 'Open Text Edit and paste this private key. ',
HELP_12_Desc_17:
'Go to the menu bar and click "Format" -> "Make Plain Text". ',
HELP_12_Desc_18:
'Save this file to your `desktop/` as `nothing_special_delete_me.txt`. Make sure it says "UTF-8" and "If no extension is provided use .txt" in the save dialog. ',
HELP_12_Desc_19:
'Open terminal and run the following command: `geth account import ~/Desktop/nothing_special_delete_me.txt` ',
HELP_12_Desc_20:
"This will prompt you to make a new password. This is the password you will use in geth / Ethereum Wallet / Mist whenever you send a transaction, so don't forget it. ",
HELP_12_Desc_21:
'After successful import, delete `nothing_special_delete_me.txt` ',
HELP_12_Desc_22:
'The next time you open the Ethereum Wallet application, your account will be listed under "Accounts". ',
HELP_12_Desc_23: 'Open Notepad & paste the private key ',
HELP_12_Desc_24:
'Save the file as `nothing_special_delete_me.txt` at `C:` ',
HELP_12_Desc_25:
'Run the command, `geth account import C:\\nothing_special_delete_me.txt` ',
HELP_12_Desc_26:
"This will prompt you to make a new password. This is the password you will use in geth / Ethereum Wallet / Mist whenever you send a transaction, so don't forget it. ",
HELP_12_Desc_27:
'After successful import, delete `nothing_special_delete_me.txt` ',
HELP_12_Desc_28:
'The next time you open the Ethereum Wallet application, your account will be listed under "Accounts". ',
HELP_13_Title:
'13) What does "Insufficient funds. Account you try to send transaction from does not have enough funds. Required XXXXXXXXXXXXXXXXXXX and got: XXXXXXXXXXXXXXXX." Mean? ',
HELP_13_Desc_1:
'This means you do not have enough Ether in your account to cover the cost of gas. Each transaction (including token and contract transactions) require gas and that gas is paid in Ether. The number displayed is the amount required to cover the cost of the transaction in Wei. Take that number, divide by `1000000000000000000`, and subtract the amount of Ether you were trying to send (if you were attempting to send Ether). This will give you the amount of Ether you need to send to that account to make the transaction. ',
HELP_14_Title:
"14) Some sites randomize (seed) the private key generation via mouse movements. MyEtherWallet.com doesn't do this. Is the random number generation for MyEtherWallet safe? ",
HELP_14_Desc_1:
"While the mouse moving thing is clever and we understand why people like it, the reality is window.crypto ensures more entropy than your mouse movements. The mouse movements aren't unsafe, it's just that we (and tons of other crypto experiments) believe in window.crypto. In addition, MyEtherWallet.com can be used on touch devices. Here's a [conversation between an angry redditor and Vitalik Buterin regarding mouse movements v. window.crypto](https://www.reddit.com/r/ethereum/comments/2bilqg/note_there_is_a_paranoid_highsecurity_way_to/cj5sgrm) and here is the [the window.crypto w3 spec](https://dvcs.w3.org/hg/webcrypto-api/raw-file/tip/spec/Overview.html#dfn-GlobalCrypto). ",
HELP_15_Title:
"15) Why hasn't the account I just created show up in the blockchain explorer? (ie: etherchain, etherscan) ",
HELP_15_Desc_1:
'Accounts will only show up in a blockchain explorer once the account has activity on it&mdash;for example, once you have transferred some Ether to it. ',
HELP_16_Title: '16) How do I check the balance of my account? ',
HELP_16_Desc_1:
"You can use a blockchain explorer like [etherscan.io](http://etherscan.io/). Paste your address into the search bar and it will pull up your address and transaction history. For example, here's what our [donation account](http://etherscan.io/address/0x7cb57b5a97eabe94205c07890be4c1ad31e486a8) looks like on etherscan.io ",
HELP_17_Title:
"17) Why isn't my balance showing up when I unlock my wallet? ",
HELP_17_Desc_1:
' This is most likely due to the fact that you are behind a firewall. The API that we use to get the balance and convert said balance is often blocked by firewalls for whatever reason. You will still be able to send transactions, you just need to use a different method to see said balance, like etherscan.io ',
HELP_18_Title: '18) Where is my geth wallet file? ',
HELP_19_Title: '19) Where is my Mist wallet file? ',
HELP_19_Desc_1:
'Mist files are typically found in the file locations above, but it\'s much easier to open Mist, select "Accounts" in the top bar, select "Backup", and select "Accounts". This will open the folder where your files are stored. ',
HELP_20_Title: '20) Where is my pre-sale wallet file? ',
HELP_20_Desc_1:
'Wherever you saved it. ;) It also was emailed to you, so check there. Look for the file called `"ethereum_wallet_backup.json"` and select that file. This wallet file will be encrypted with a password that you created during the purchase of the pre-sale. ',
HELP_21_Title:
"21) Couldn't everybody put in random private keys, look for a balance, and send to their own address? ",
HELP_21_Desc_1:
'Short version: yes, but finding an account with a balance would take longer than the universe...so...no. ',
HELP_21_Desc_2:
'Long ELI5 Version: So Ethereum is based on [Public Key Cryptography](https://en.wikipedia.org/wiki/Public-key_cryptography), specifically [Elliptic curve cryptography](https://eprint.iacr.org/2013/734.pdf) which is very widely used, not just in Ethereum. Most servers are protected via ECC. Bitcoin uses the same, as well as SSH and TLS and a lot of other stuff. The Ethereum keys specifically are 256-bit keys, which are stronger than 128-bit and 192-bit, which are also widely used and still considered secure by experts. ',
HELP_21_Desc_3:
'In this you have a private key and a public key. The private key can derive the public key, but the public key cannot be turned back into the private key. The fact that the internet and the worlds secrets are using this cryptography means that if there is a way to go from public key to private key, your lost ether is the least of everyones problems. ',
HELP_21_Desc_4:
'Now, that said, YES if someone else has your private key then they can indeed send ether from your account. Just like if someone has your password to your email, they can read and send your email, or the password to your bank account, they could make transfers. You could download the Keystore version of your private key which is the private key that is encrypted with a password. This is like having a password that is also protected by another password. ',
HELP_21_Desc_5:
'And YES, in theory you could just type in a string of 64 hexadecimal characters until you got one that matched. In fact, smart people could write a program to very quickly check random private keys. This is known as "brute-forcing" or "mining" private keys. People have thought about this long and hard. With a few very high end servers, they may be able to check 1M+ keys / second. However, even checking that many per second would not yield access to make the cost of running those servers even close to worthwhile - it is more likely you, and your great-grandchildren, will die before getting a match. ',
HELP_21_Desc_6:
'If you know anything about Bitcoin, [this will put it in perspective:](http://bitcoin.stackexchange.com/questions/32331/two-people-with-same-public-address-how-will-people-network-know-how-to-deliver) *To illustrate how unlikely this is: suppose every satoshi of every bitcoin ever to be generated was sent to its own unique private keys. The probability that among those keys there could be two that would correspond to the same address is roughly one in 100 quintillion. ',
HELP_21_Desc_7:
'[If you want something a bit more technical:](http://security.stackexchange.com/questions/25375/why-not-use-larger-cipher-keys/25392#25392) *These numbers have nothing to do with the technology of the devices; they are the maximums that thermodynamics will allow. And they strongly imply that brute-force attacks against 256-bit keys will be infeasible until computers are built from something other than matter and occupy something other than space. ',
HELP_21_Desc_8:
"Of course, this all assumes that keys are generated in a truly random way & with sufficient entropy. The keys generated here meet that criteria, as do Jaxx and Mist/geth. The Ethereum wallets are all pretty good. Keys generated by brainwallets do not, as a person's brain is not capable of creating a truly random seed. There have been a number of other issues regarding lack of entropy or seeds not being generated in a truly random way in Bitcoin-land, but that's a separate issue that can wait for another day. ",
HELP_SecCX_Title: 'Security - MyEtherWallet CX ',
HELP_SecCX_Desc_1: 'Where is this extension saving my information? ',
HELP_SecCX_Desc_2:
'The information you store in this Chrome Extension is saved via [chrome.storage](http://chrome.storage/). - this is the same place your passwords are saved when you save your password in Chrome. ',
HELP_SecCX_Desc_3: 'What information is saved? ',
HELP_SecCX_Desc_4:
'The address, nickname, private key is stored in chrome.storage. The private key is encrypted using the password you set when you added the wallet. The nickname and wallet address is not encrypted. ',
HELP_SecCX_Desc_5: "Why aren't the nickname and wallet address encrypted? ",
HELP_SecCX_Desc_6:
'If we were to encrypt these items, you would need to enter a password each time you wanted to view your account balance or view the nicknames. If this concerns you, we recommend you use MyEtherWallet.com instead of this Chrome Extension. ',
HELP_Sec_Title: 'Security ',
HELP_Sec_Desc_1:
'If one of your first questions is "Why should I trust these people?", that is a good thing. Hopefully the following will help ease your fears. ',
HELP_Sec_Desc_2:
'We\'ve been up and running since August 2015. If you search for ["myetherwallet" on reddit](https://www.reddit.com/search?q=myetherwallet), you can see numerous people who use us with great success. ',
HELP_Sec_Desc_3:
'We aren\'t going to take your money or steal your private key(s). There is no malicious code on this site. In fact the "GENERATE WALLET" pages are completely client-side. That means that all the code is executed on ** your computer** and it is never saved and transmitted anywhere. ',
HELP_Sec_Desc_4:
'Check the URL -- This site is being served through GitHub and you can see the source code here: [https://github.com/kvhnuke/etherwallet/tree/gh-pages](https://github.com/kvhnuke/etherwallet/tree/gh-pages) to [https://www.myetherwallet.com](https://www.myetherwallet.com). ',
HELP_Sec_Desc_5:
'For generating wallets, you can download the [source code and run it locally](https://github.com/kvhnuke/etherwallet/releases/latest). See #5 above. ',
HELP_Sec_Desc_6:
'Generate a test wallet and check and see what network activity is happening. The easiest way for you to do this is to right click on the page and click "inspect element". Go to the "Network" tab. Generate a test wallet. You will see there is no network activity. You may see something happening that looks like data:image/gif and data:image/png. Those are the QR codes being generated...on your computer...by your computer. No bytes were transferred. ',
HELP_Sec_Desc_8:
'If you do not feel comfortable using this tool, then by all means, do not use it. We created this tool as a helpful way for people to generate wallets and make transactions without needing to dive into command line or run a full node. Again, feel free to reach out if you have concerns and we will respond as quickly as possible. Thanks! ',
HELP_FAQ_Title: 'More Helpful Answers to Frequent Questions ',
HELP_Contact_Title: 'Ways to Get in Touch '
}
};

View File

@ -4,6 +4,81 @@
module.exports = {
code: 'de',
data: {
/* New Generics */
x_CancelReplaceTx: 'Transaktion ersetzen oder zurückziehen',
x_CancelTx: 'Transaktion zurückziehen',
x_PasswordDesc:
'This password * encrypts * your private key. This does not act as a seed to generate your keys. **You will need this password + your private key to unlock your wallet.**',
x_ReadMore: 'Weiter lesen',
x_ReplaceTx: 'Transaktion ersetzen',
x_TransHash: 'Transaktions Hash',
x_TXFee: 'TX Gebühr',
x_TxHash: 'TX Hash',
/* Check TX Status */
NAV_CheckTxStatus: 'Check TX Status',
NAV_TxStatus: 'TX Status',
tx_Details: 'Transaktionsdetails',
tx_Summary:
'Während vielen Transaktionen (wie während ICOs) Transaktionen können für Stunden, villeicht sogar Tage ausstehen. Dieses Tool gibt Ihnen die Fähigkeit ihre Transaktion zu finden und zu widerrufen / ersetzen. ** Dies können Sie normalerweise nicht machen. Mann sollte sich darauf nicht verlassen und es funktioniert nur wenn die TX Pools voll sind. [Lesen Sie mehr über das Tool hier](https://myetherwallet.groovehq.com/knowledge_base/topics/how-can-i-check-on-the-status-of-my-transaction-can-i-cancel-override-overwrite-replace-or-do-anything-once-a-transaction-has-been-sent)**',
tx_notFound: 'Transaktion nicht gefunden',
tx_notFound_1:
'Die TX kann nicht in dem TX Pool der Node mit der Sie verbunden gefunden werden.',
tx_notFound_2:
'Wenn du die Transaktion erst gesendet hast, warte 15 Sekunden und drücke den "Check TX Status" Button erneut. ',
tx_notFound_3:
'Sie könnte noch in dem TX Pool einer anderen Node sein und wartet gemined zu werden.',
tx_notFound_4:
'Bitte benutzen Sie das DropDown Menü oben-rechts & wählen Sie eine andere Node aus (z.B. `ETH (Etherscan.io)` oder `ETH (Infura.io)` oder `ETH (MyEtherWallet)`) und prüfen es erneut.',
tx_foundInPending: 'Wartende Transaktion gefunden',
tx_foundInPending_1:
'Ihre Transaktion wurde in dem TX Pool der Node mit der Sie verbunden sind gefunden. ',
tx_foundInPending_2: 'Sie steht derzeit aus (wartet gemined zu werden). ',
tx_foundInPending_3:
'Es ist möglich Sie zu widerrufen oder diese Transaktion zu ersetzen. Entsperren Sie ihre Wallet darunter.',
tx_FoundOnChain: 'Transaktion gefunden',
tx_FoundOnChain_1:
'Deine Transaktion wurde gemined und ist nun in der Blockchain.',
tx_FoundOnChain_2:
'**Wenn Sie ein rotes`( ! )`, ein `BAD INSTRUCTION` oder `OUT OF GAS` Fehlernachricht bekommen**, heißt dass, dass die Transaktion nicht erfolgreich *gesendet* worden ist. Sie können die Transaktion nicht zurücknehmen oder ersetzen. Stattdessen, sende eine neue Transaktion. Wenn du einen "Out of Gas" Fehler bekommst, solltest du das GasLimit verdoppeln dass du eigentlich benutzt hast.',
tx_FoundOnChain_3:
'**Wenn sie keine Fehlernachrichten bekommen, wurde ihre Transaktion erfolgreich versendet.** Ihre ETH oder Tokens sind dort wohin sie versendet wurden. Wenn Sie die ETH or Tokens nicht im anderen Wallet / Exchange account sehen können, und es schon 24+ Stunden her ist seitdem Sie gesendet haben, bitte [Kontaktieren Sie den Service](https://myetherwallet.groovehq.com/knowledge_base/topics/i-have-a-question-but-its-not-about-myetherwallet-dot-com-what-do-i-do). Senden Sie den *link* zu ihrer Transaktion und frag sie, nett, in deine Situation zu schauen.',
/* Gen Wallet Updates */
GEN_Help_1: 'Nutz deine',
GEN_Help_2: 'um auf deinen Account zuzugreifen.',
GEN_Help_3: 'Ihr Gerät * ist * Ihr Wallet.',
GEN_Help_4: 'Anleitungen & FAQ',
GEN_Help_5: 'Wie erstellt man eine Wallet',
GEN_Help_6: 'Einstieg',
GEN_Help_7:
'Sicher aufbewahren · Mach eine Sicherung · Zeigen Sie es mit keinem · Verlieren Sie es nicht · Es kann nicht wiederbekommen werden Sie es verlieren.',
GEN_Help_8: 'Datei wird nicht heruntergeladen? ',
GEN_Help_9: 'Versuche Google Chrome oder Chromium zu benutzen ',
GEN_Help_10: 'Rechtsklick & Datei speichern als. Dateiname: ',
GEN_Help_11: 'Diese Datei auf deinem Computer **nicht** öffnen ',
GEN_Help_12:
'Nutze es um dein Wallet bei MyEtherWallet (oder Mist, Geth, Parity und andere Wallet Clients.) zu öffnen ',
GEN_Help_13: 'Wie kann ich meine Keystore File sichern? ',
GEN_Help_14: 'Was sind diese verschiedene Formate? ',
GEN_Help_15: 'Präventiere Verlust &amp; Diebstahl deines Geldes.',
GEN_Help_16: 'Was sind diese verschiedene Formate?',
GEN_Help_17: 'Warum sollte Ich?',
GEN_Help_18: 'Um ein zweites Backup zu haben.',
GEN_Help_19: 'Im Fall, dass du dein Passwort vergisst.',
GEN_Help_20: 'Cold Storage',
GET_ConfButton: 'I understand. Continue.',
GEN_Label_5: 'Save Your `Private Key`. ',
GEN_Unlock: 'Unlock your wallet to see your address',
GAS_PRICE_Desc:
'Gas Price is the amount you pay per unit of gas. `TX fee = gas price * gas limit` & is paid to miners for including your TX in a block. Higher the gas price = faster transaction, but more expensive. Default is `21 GWEI`.',
GAS_LIMIT_Desc:
'Gas limit is the amount of gas to send with your TX. `TX fee` = gas price * gas limit & is paid to miners for including your TX in a block. Increasing this number will not get your TX mined faster. Sending ETH = `21000`. Sending Tokens = ~`200000`.',
NONCE_Desc:
'The nonce is the number of transactions sent from a given address. It ensures transactions are sent in order & not more than once.',
TXFEE_Desc:
'Die TX Gebühr wird den Miner(n) bezahlt, für das inkludieren deiner Transaktion in einem Bock. Es wird durch `gas limit` * `gas price` berechnet. [Du kannst GWEI -> ETH hier umwandeln](https://www.myetherwallet.com/helpers.html)',
/* Navigation*/
NAV_AddWallet: 'Wallet hinzufügen ',
NAV_BulkGenerate: 'Mehrere Wallets erstellen ',
@ -11,23 +86,24 @@ module.exports = {
NAV_Contracts: 'Verträge ',
NAV_DeployContract: 'Vertrag aufstellen ',
NAV_ENS: 'ENS',
NAV_GenerateWallet_alt: 'Neues Wallet ',
NAV_GenerateWallet: 'Wallet erstellen ',
NAV_Help: 'Hilfe ',
NAV_InteractContract: 'Interact with Contract ',
NAV_InteractContract: 'Interagieren mit Vertrag ',
NAV_Multisig: 'Multisig ',
NAV_MyWallets: 'Meine Wallets ',
NAV_Offline: 'Sende offline ',
NAV_SendEther: 'Sende Ether und Tokens ',
NAV_SendTokens: 'Sende Tokens ',
NAV_SignMsg: 'Sign Message ',
NAV_Swap: 'Swap ',
NAV_Swap: 'Wechseln ',
NAV_ViewWallet: 'Wallet Infos anzeigen ',
NAV_YourWallets: 'Deine Wallets ',
/* General */
x_Access: 'Access ',
x_Access: 'Zugriff ',
x_AddessDesc:
'Dies ist deine "Kontonummer" oder dein "Öffentlicher Schlüssel". Du benötigst diese Adresse, wenn dir jemand Ether senden möchte. Das Icon ist eine einfache Möglichkeit, die Adresse zu überprüfen ',
'Dies ist deine "Kontonummer" oder dein "Öffentlicher Schlüssel". Du benötigst diese Adresse, wenn dir jemand Ether oder Tokens senden möchte. Das Icon ist eine einfache Möglichkeit, die Adresse zu überprüfen ',
x_Address: 'Deine Adresse ',
x_Cancel: 'Abbrechen ',
x_CSV: 'CSV-Datei (unverschlüsselt) ',
@ -39,6 +115,7 @@ module.exports = {
x_Keystore2: 'Keystore File (UTC / JSON) ',
x_KeystoreDesc:
'Diese Keystore-Datei passt zu dem Format, das von Mist verwendet wird, sodass du diese Datei dort zukünftig einfach importieren kannst. Es ist empfehlenswert, diese Datei herunterzuladen und zu sichern. ',
x_MetaMask: 'Metamask / Mist ',
x_Mnemonic: 'Mnemonic Phrase ',
x_ParityPhrase: 'Parity Phrase ',
x_Password: 'Passwort ',
@ -82,10 +159,12 @@ module.exports = {
'MyEtherWallet ist ein freier, quelloffener Service, der deiner Privatsphäre und Sicherheit gewidmet ist. Je mehr Spenden wir erhalten, desto mehr Zeit können wir investieren, um neue Funktionen zu programmieren, dein Feedback zu verarbeiten und dir zu geben, was du dir wünschst. Wir sind nur zwei Leute, die die Welt ändern möchten. Hilfst du uns dabei? ',
sidebar_donate: 'Spenden ',
sidebar_thanks: 'Dankeschön!!! ',
sidebar_DisplayOnTrezor: 'Display address on TREZOR',
sidebar_DisplayOnLedger: 'Display address on Ledger',
/* Decrypt Panel */
decrypt_Access: 'Wie möchtst du auf dein wallet zugreifen? ',
decrypt_Title: 'Wähle das format deines privaten schlüssels ',
decrypt_Access: 'Wie möchtst du auf dein Wallet zugreifen? ',
decrypt_Title: 'Wähle das Format deines privaten Schlüssels ',
decrypt_Select: 'Wallet auswählen ',
/* Add Wallet */
@ -98,6 +177,10 @@ module.exports = {
ADD_Radio_4: 'Kontoadresse zur Beobachtung hinzufügen ',
ADD_Radio_5: 'Füge deinen Mnemonic ein ',
ADD_Radio_5_Path: 'Select HD derivation path ',
ADD_Radio_5_woTrezor: '(Jaxx, Metamask, Exodus, imToken)',
ADD_Radio_5_withTrezor: '(Jaxx, Metamask, Exodus, imToken, TREZOR)',
ADD_Radio_5_PathAlternative: '(Ledger)',
ADD_Radio_5_PathTrezor: '(TREZOR)',
ADD_Radio_5_PathCustom: 'Benutzerdefiniert ',
ADD_Label_2: 'Wähle ein Kürzel ',
ADD_Label_3: 'Deine Datei ist verschlüsselt. Bitte gib das Passwort ein ',
@ -108,6 +191,7 @@ module.exports = {
ADD_Label_6: 'Wallet entsperren ',
ADD_Label_6_short: 'Entsperren ',
ADD_Label_7: 'Kontoadresse hinzufügen ',
ADD_Label_8: 'Password (optional): ',
/* Generate Wallets */
GEN_desc:
@ -121,6 +205,8 @@ module.exports = {
GEN_Label_3: 'Sichere deine Kontoadresse. ',
GEN_Label_4:
'Optional: Drucke dein Papier-Wallet oder speichere einen QR-Code. ',
GEN_Aria_1: '',
GEN_Aria_2: '',
/* Bulk Generate Wallets */
BULK_Label_1: 'Anzahl zu generierender Wallets ',
@ -131,14 +217,13 @@ module.exports = {
SEND_addr: 'An Adresse ',
SEND_amount: 'Zu sendender Betrag ',
SEND_amount_short: 'Betrag ',
// SEND_custom : 'Benutzerdefiniert ',
SEND_gas: 'Gas ',
SEND_TransferTotal: 'Gesamten verfügbaren Saldo übertragen ',
SEND_generate: 'Erzeuge Transaktion ',
SEND_raw: 'Transaktion (Binärformat) ',
SEND_signed: 'Signierte Transaktion ',
SEND_custom: 'Add Custom Token ',
SEND_trans: 'Sende Transaktion ',
SEND_custom: 'Benutzerdefinierten Token hinzufügen ',
SENDModal_Title: 'Achtung! ',
/* full sentence reads "You are about to send "10 ETH" to address "0x1234". Are you sure you want to do this? " */
SENDModal_Content_1: 'Du bist dabei, ',
@ -246,6 +331,8 @@ module.exports = {
VIEWWALLET_Subtitle_Short:
'Dies erlaubt dir den Download verschiedener Versionen deines privaten Schlüssel sowie das erneute Drucken deines Papier-Wallets. ',
VIEWWALLET_SuccessMsg: 'Erfolgreich! Hier sind die Daten deines Wallets. ',
VIEWWALLET_ShowPrivKey: '(show)',
VIEWWALLET_HidePrivKey: '(hide)',
/* Chrome Extension */
CX_error_1:
@ -284,6 +371,7 @@ module.exports = {
SWAP_start_CTA: 'Starte Wechsel ',
SWAP_ref_num: 'Deine Referenznummer ',
SWAP_time: 'Zum Senden verbleibende Zeit ',
SWAP_elapsed: 'Time elapsed since sent ',
SWAP_progress_1: 'Auftrag initialisiert ',
SWAP_progress_2: 'Warte auf deine ', // Waiting for your BTC...
SWAP_progress_3: 'Erhalten! ', // ETH Received!
@ -294,12 +382,12 @@ module.exports = {
'Schalte dein Wallet frei um ETH oder Tokens direkt von dieser Seite aus zu senden ',
/* Sign Message */
MSG_message: 'Nachticht ',
MSG_message: 'Nachricht ',
MSG_date: 'Datum ',
MSG_signature: 'Signatur ',
MSG_verify: 'Nachricht verifizieren ',
MSG_info1:
'Include the current date so the signature cannot be reused on a different date. ',
'Füge das aktuelle Datum ein, sodass die Signatur an einem anderem Datum nicht wiederbenutzt wird ',
MSG_info2:
'Include your nickname and where you use the nickname so someone else cannot use it. ',
MSG_info3:
@ -313,35 +401,47 @@ module.exports = {
MNEM_prev: 'Letzte Adressen ',
/* Hardware wallets */
x_Ledger: 'Ledger Nano S ',
ADD_Ledger_1: 'Verbinde deinen Ledger Nano S ',
x_Ledger: 'Ledger Wallet ',
ADD_Ledger_1: 'Verbinde deinen Ledger Wallet ',
ADD_Ledger_2: 'Öffne das Ethereum Programm (oder ein Vertragsprogramm) ', //Statt Programm -> Applikation?
ADD_Ledger_3: 'Gehe sicher, dass Browser Support aktiviert ist. ',
ADD_Ledger_4:
'If no Browser Support is found in settings, verify that you have [Firmware >1.2](https://www.ledgerwallet.com/apps/manager) ',
ADD_Ledger_0a: 'Re-open MyEtherWallet on a secure (SSL) connection ',
ADD_Ledger_0a:
'You must access MyEtherWallet via a secure (SSL / HTTPS) connection to connect. ',
ADD_Ledger_0b:
'Re-open MyEtherWallet using [Chrome](https://www.google.com/chrome/browser/desktop/) or [Opera](https://www.opera.com/) ',
ADD_Ledger_scan: 'Connect to Ledger Nano S ',
ADD_Ledger_scan: 'Connect to Ledger Wallet ',
ADD_MetaMask: 'Connect to MetaMask ',
x_Trezor: 'TREZOR ',
ADD_Trezor_scan: 'Connect to TREZOR ',
ADD_Trezor_select: 'This is a TREZOR seed ',
ADD_Trezor_scan: 'Zu TREZOR Verbinden ',
ADD_Trezor_select: 'Dies ist ein TREZOR seed ',
x_DigitalBitbox: 'Digital Bitbox ',
ADD_DigitalBitbox_0a: 'Re-open MyEtherWallet on a secure (SSL) connection ',
ADD_DigitalBitbox_0b:
'Re-open MyEtherWallet using [Chrome](https://www.google.com/chrome/browser/desktop/) or [Opera](https://www.opera.com/) ',
ADD_DigitalBitbox_scan: 'Connect your Digital Bitbox ',
/* Error Messages */
ERROR_0: 'Bitte gültigen Betrag eingeben ',
ERROR_0: 'Bitte gebe einen gültigen Betrag ein ',
ERROR_1:
'Dein Passwort muss mindestens 9 Zeichen lang sein. Bitte wähle ein sicheres Passwort. ',
ERROR_2: 'Oh oh! Wir haben den Typ der Wallet-Datei nicht erkannt. ',
ERROR_3: 'Dies ist keine gültige Wallet-Datei. ',
ERROR_4:
'Diese Einheit existiert nicht, bitte wähle eine dieser Einheiten aus ',
ERROR_5: 'Ungültige Addresse. ',
ERROR_6: 'Ungültiges Passwort. ',
ERROR_7: 'Ungültiger Betrag. ',
ERROR_8: 'Ungültiges Gaslimit. ',
ERROR_9: 'Ungültiger Datenwert. ',
ERROR_10: 'Ungültiger Gasbetrag. ',
ERROR_11: 'Ungültige Nonce. ',
ERROR_5: 'Bitte gebe eine gültige Addresse ein. ',
ERROR_6: 'Bitte gebe eine gültige Passwort ein. ',
ERROR_7:
'Bitte gebe eine gültige Betrag ein. (Must be integer. Try 0-18.) ', // 7
ERROR_8:
'Bitte gebe eine gültige Gasverbrauch ein. (Must be integer. Try 21000-4000000.) ', // 8
ERROR_9: 'Bitte gebe eine gültige Datenwert ein. (Must be hex.) ', // 9
ERROR_10:
'Bitte gebe eine gültige Gasbetrag ein. (Must be integer. Try 20 GWEI / 20000000000 WEI.) ',
ERROR_11: 'Bitte gebe eine gültige Nonce ein. (Must be integer.) ', // 11
ERROR_12: 'Ungültige unterzeichnete Transaktion. ',
ERROR_13: 'Ein Wallet mit diesem Spitznamen existiert bereits. ',
ERROR_14: 'Wallet nicht gefunden. ',
@ -350,11 +450,11 @@ module.exports = {
ERROR_16:
'Es ist bereits ein Wallet mit dieser Adresse gespeichert. Bitte überprüfe die Seite deines Wallets. ',
ERROR_17:
'Du brauchst **0.01 ETH** in deinem Account um die Gaskosten zu decken. Bitte füge ETH hinzu und versuche es noch einmal. ',
'Unzureichendes Guthaben für Gasverbrauch * Gaspreis + Wert. Du brauchst **0.01 ETH** in deinem Account um die Gaskosten zu decken. Bitte füge ETH hinzu und versuche es noch einmal. ',
ERROR_18:
'Diese Transaktion würde dein gesamtes verbleibendes Gas verbrauchen. Das bedeutet, du hast bereits über dieses Proposal abgestimmt oder die Debattierphase ist zu Ende. ',
ERROR_19: 'Ungültiges Symbol ',
ERROR_20: 'Not a valid ERC-20 token ',
ERROR_20: 'Kein gültiger ERC-20 Token ',
ERROR_21:
'Could not estimate gas. There are not enough funds in the account, or the receiving contract address would throw an error. Feel free to manually set the gas and proceed. The error message upon sending may be more informative. ',
ERROR_22: 'Bitte gebe einen gültigen Knotennamen ein ',
@ -368,17 +468,27 @@ module.exports = {
'**Du benötigst deine Keystore-Datei & das Passwort** (oder den privaten Schlüssel) um künftig auf dein Wallet zugreifen zu können. Bitte sichere diese Datei daher auf einem externen Medium! Es gibt KEINE Möglichkeit, ein Wallet wiederherzustellen, wenn du diese Datei und das Passwort nicht sicherst. Lies die [Hilfe-Seite](https://www.myetherwallet.com/#help) für weitere Informationen. ',
ERROR_29: 'Bitte gebe einen gültigen Benutzer und Password ein ',
ERROR_30: 'Bitte gebe einen gültigen ENS Namen ein ',
ERROR_31: 'Geheime Phasre ungültig ',
ERROR_31: 'Bitte gebe einen gültigen Geheime Phasre ein ',
ERROR_32:
'Verbindung zum Knoten nicht möglich. Bitte lade die Seite neu, oder schau auf der Hilfeseite für mehr Tipps zur Problemlösung ', //Evtl. noch kürzen
'Verbindung zum Knoten nicht möglich. Refresh your page, try a different node (upper right corner), check your firewall settings. If custom node, check your configs.', // 32
ERROR_33:
"The wallet you have unlocked does not match the owner's address. ", // 33
ERROR_34:
'The name you are attempting to reveal does not match the name you have entered. ', // 34
ERROR_35:
'Input address is not checksummed. <a href="https://myetherwallet.groovehq.com/knowledge_base/topics/not-checksummed-shows-when-i-enter-an-address" target="_blank" rel="noopener"> More info</a>', // 35
ERROR_36: 'Enter valid TX hash', // 36
ERROR_37: 'Enter valid hex string (0-9, a-f)', // 37
SUCCESS_1: 'Gültige Addresse ',
SUCCESS_2: 'Wallet erfolgreich entschlüsselt ',
SUCCESS_3:
'TX was broadcast to the blockchain. Click to see your transaction & verify it was mined and does not have any out of gas or contract execution errors. TX ID: ', //'Transaktion übermittelt. TX ID ',
'Deine Transaktion wurde **in das Netzwerk geschickt**. Sie muss noch gemined & validiert werden. (1) Drück auf den Link. Zähle bis 20. Lade die Seite neu. Schau dass dort keine roten ( ! ) Fehler kommen. Wenn keine Transaktionsdetails kommen, warte. Deine Transaktion wartet gemined zu werden. TX ID: ',
SUCCESS_4: 'Dein Wallet wurde erfolgreich hinzugefügt ',
SUCCESS_5: 'Ausgewählte Datei ',
SUCCESS_6: 'Erfolgreich verbunden ',
SUCCESS_7: 'Nachtichten Signatur verifiziert',
SUCCESS_7: 'Nachrichten Signatur verifiziert',
/* Geth Error Messages */
GETH_InvalidSender: 'Invalid sender Ungültiger Sender ',
GETH_Nonce: 'Nonce too low ',
@ -429,7 +539,8 @@ module.exports = {
'[FelixA](https://www.myetherwallet.com/?gaslimit=21000&to=0xb6999051b0Bfad32E192e107181E0ac72bE7EE3D&value=1.0#send-transaction) · ',
TranslatorAddr_4: '0xb6999051b0Bfad32E192e107181E0ac72bE7EE3D ',
/* Translator 4 : Insert Comments Here */
TranslatorName_5: 'danielsun174 · ffidan61 ',
TranslatorName_5:
'danielsun174 · ffidan61 · [u/Preisschild](https://www.myetherwallet.com/?gaslimit=21000&to=0x700Eb9142a0CC709fce80709cfbF5Ac25438c584&value=0.1#send-transaction) ',
TranslatorAddr_5: '',
/* Translator 5 : Insert Comments Here */
@ -438,7 +549,7 @@ module.exports = {
'Falls du vor dem **31.12.2015** ein Wallet generiert, oder das Repository heruntergeladen hast, bitte überprüfe deine Wallets &amp; lade eine neue Version des Repositories herunter. Klick für details. ',
HELP_Desc:
'Hast du das Gefühl etwas fehlt? Hast du eine andere Frage? [Schreib uns](mailto:support@myetherwallet.com) und wir werden nicht nur deine Frage beantworten, wir werden auch die Seite updaten, damit diese in der Zukunft noch einfacher zu bedienen sein wird! ',
HELP_Remind_Title: 'Ein paar Reminder ',
HELP_Remind_Title: 'Ein paar Erinnerungshilfen ',
HELP_Remind_Desc_1:
'**Ethereum, MyEtherWallet.com & MyEtherWallet CX, sowie einige der verwendeten Javascript Bibliotheken, die wir verwenden, befinden sich noch in Entwicklung.** Zwar haben wir alles umfassend getestet und es wurden erfolgeich tausende Wallets von Menschen aus aller Welt kreiert, jedoch bestimmt immer eine gewisse Gefahr, dass etwas unerwartetes passiert und dein Ether verloren geht. Bitte investiere nicht mehr als du verlieren kannst, und sei immer vorsichtig. Sollte etwas schlimmes passieren, **können wir uns leider nicht verantwortlich für einen Verlust zeichnen**. ',
HELP_Remind_Desc_2:
@ -464,7 +575,7 @@ module.exports = {
HELP_1_Desc_4: 'Klicke auf "Wallet erstellen". ',
HELP_1_Desc_5: 'Dein Wallet wurde nun erstellt. ',
HELP_2a_Title: '2a) Wie speichere ich/erstelle Back-ups meines Wallets? ',
HELP_2a_Title: 'Wie speichere ich/erstelle Back-ups meines Wallets? ',
HELP_2a_Desc_1:
'Du solltest dein Wallet immer an verschiedenen physischen Orten abspeichern - beispielsweise auf einem USB-Stick und/oder einem Stück Papier. ',
HELP_2a_Desc_2:
@ -482,7 +593,7 @@ module.exports = {
'2b) How do I safely / offline / cold storage with MyEtherWallet? ',
HELP_2b_Desc_1:
'Go to [https://github.com/kvhnuke/etherwallet/releases/latest](https://github.com/kvhnuke/etherwallet/releases/latest). ',
HELP_2b_Desc_2: 'Click on `dist-vX.X.X.X.zip`. ',
HELP_2b_Desc_2: 'Click on `etherwallet-vX.X.X.X.zip`. ',
HELP_2b_Desc_3: 'Move zip to an airgapped computer. ',
HELP_2b_Desc_4: 'Unzip it and double-click `index.html`. ',
HELP_2b_Desc_5: 'Generate a wallet with a strong password. ',
@ -522,14 +633,14 @@ module.exports = {
'Enter the address you would like to send to in the "To Address:" field. ',
HELP_4_Desc_7:
'Enter the amount you would like to send. You can also click the "Send Entire Balance" link if you would like the transfer the entire balance. ',
HELP_4_Desc_9: 'Click "Generate Transaction". ',
HELP_4_Desc_9: 'Drücke auf "Generate Transaction". ',
HELP_4_Desc_10:
'A couple more fields will appear. This is your browser generating the transaction. ',
HELP_4_Desc_11: 'Click the blue "Send Transaction" button below that. ',
HELP_4_Desc_12:
'A pop-up will appear. Verify that the amount and the address you are sending to are correct. Then click "Yes, I am sure! Make transaction." button. ',
HELP_4_Desc_13:
'The transaction will be submitted. The TX ID will display. You can click that TX ID to see it on the blockchain. ',
'The transaction will be submitted. The TX Hash will display. You can click that TX Hash to see it on the blockchain. ',
HELP_4CX_Title: '4) Wie kann ich Ether über MyEtherWallet CX senden? ',
HELP_4CX_Desc_1:
@ -596,7 +707,7 @@ module.exports = {
HELP_7_Desc_14:
'A pop-up will appear. Verify that the amount and the address you are sending to are correct. Then click "Yes, I am sure! Make transaction." button. ',
HELP_7_Desc_15:
'The transaction will be submitted. The TX ID will display. You can click that TX ID to see it on the blockchain. ',
'The transaction will be submitted. The TX Hash will display. You can click that TX Hash to see it on the blockchain. ',
HELP_8_Title: '8) What happens if your site goes down? ',
HELP_8_Desc_1:
@ -773,7 +884,7 @@ module.exports = {
HELP_Sec_Desc_8:
'If you do not feel comfortable using this tool, then by all means, do not use it. We created this tool as a helpful way for people to generate wallets and make transactions without needing to dive into command line or run a full node. Again, feel free to reach out if you have concerns and we will respond as quickly as possible. Thanks! ',
HELP_FAQ_Title: 'More Helpful Answers to Frequent Questions ',
HELP_Contact_Title: 'Ways to Get in Touch'
HELP_FAQ_Title: 'Mehr hilfreiche Antworten zu oft gefragten Fragen ',
HELP_Contact_Title: 'Kontakt zu uns'
}
};

View File

@ -0,0 +1,896 @@
/* eslint-disable quotes*/
// Greek
module.exports = {
code: 'el',
data: {
HELP_2a_Title:
'Πώς αποθηκεύω/παίρνω αντίγραφο ασφαλείας του πορτοφολιού μου; ',
/* New Generics */
x_CancelReplaceTx: 'Ακύρωση ή αντικατάσταση συναλλαγής',
x_CancelTx: 'Ακύρωση συναλλαγής',
x_PasswordDesc:
'Αυτό το συνθηματικό * κρυπτογραφεί * το ιδιωτικό σας κλειδί. Αυτό δεν λειτουργεί σαν σπόρος ο οποίος θα γεννήσει τα κλειδιά σας. **Θα χρειαστείτε αυτό το συνθηματικό + το ιδιωτικό σας κλειδί για να ξεκλειδώσετε το πορτοφόλι σας.**',
x_ReadMore: 'Διαβάστε περισσότερα',
x_ReplaceTx: 'Αντικατάσταση συναλλαγής',
x_TransHash: 'Hash συναλλαγής',
x_TXFee: 'Τέλος συναλλαγής',
x_TxHash: 'Hash συναλλαγής',
/* Check TX Status */
NAV_CheckTxStatus: 'Έλεγχος κατάστασης συναλλαγής',
NAV_TxStatus: 'Κατάσταση συναλλαγής',
tx_Details: 'Λεπτομέρειες συναλλαγής',
tx_Summary:
'Σε στιγμές υψηλού όγκου συναλλαγών (όπως κατά τη διάρκεια ενός ICO) οι συναλλαγές μπορεί να εκκρεμούν για ώρες, αν όχι ημέρες. Αυτό το εργαλείο αποσκοπεί στο να σας δώσει τη δυνατότητα να βρείτε και να «ακυρώσετε» / αντικαταστήσετε αυτές τις συναλλαγές. ** Αυτό δεν είναι κάτι που μπορείτε συνήθως να κάνετε. Δεν πρέπει να βασίζεστε σε αυτό και θα δουλέψει μόνο όταν οι δεξαμενές συναλλαγών είναι πλήρεις. [Παρακαλούμε, διαβάστε για αυτό το εργαλείο εδώ.](https://myetherwallet.groovehq.com/knowledge_base/topics/how-can-i-check-on-the-status-of-my-transaction-can-i-cancel-override-overwrite-replace-or-do-anything-once-a-transaction-has-been-sent)**',
tx_notFound: 'Δεν βρέθηκε συναλλαγή',
tx_notFound_1:
'Αυτή η συναλλαγή δεν ήταν δυνατόν να βρεθεί στη δεξαμενή συναλλαγών του κόμβου στον οποίον έχετε συνδεθεί.',
tx_notFound_2:
'Αν μόλις στείλατε τη συναλλαγή, παρακαλούμε περιμένετε 15 δευτερόλεπτα και πατήστε ξανά το κουμπί «Έλεγχος κατάστασης συναλλαγής». ',
tx_notFound_3:
'Μπορεί να βρίσκεται ακόμα στη δεξαμενή εξόρυξης κάποιου διαφορετικού κόμβου, περιμένοντας να εξορυχθεί.',
tx_notFound_4:
'Παρακαλούμε χρησιμοποιήστε το αναπτυσσόμενο μενού πάνω δεξιά και επιλέξτε κάποιον διαφορετικό κόμβο ETH (π.χ. `ETH (Etherscan.io)` ή `ETH (Infura.io)` ή `ETH (MyEtherWallet)`) και ελέγξτε ξανά.',
tx_foundInPending: 'Βρέθηκε συναλλαγή σε εκκρεμότητα',
tx_foundInPending_1:
'Η συναλλαγή σας εντοπίστηκε στη δεξαμενή συναλλαγών του κόμβου στον οποίο έχετε συνδεθεί. ',
tx_foundInPending_2:
'Αυτή τη στιγμή είναι σε εκκρεμότητα (περιμένοντας να εξορυχθεί). ',
tx_foundInPending_3:
'Υπάρχει μια πιθανότητα να μπορείτε να «ακυρώσετε» ή να αντικαταστήσετε αυτήν τη συναλλαγή. Ξεκλειδώστε το πορτοφόλι σας παρακάτω.',
tx_FoundOnChain: 'Βρέθηκε συναλλαγή',
tx_FoundOnChain_1:
'Η συναλλαγή σας εξορύχθηκε επιτυχώς και βρίσκεται πάνω στο blockchain.',
tx_FoundOnChain_2:
'**Αν δείτε κόκκινο μήνυμα λάθους `( ! )`, `BAD INSTRUCTION` ή `OUT OF GAS`**, σημαίνει ότι η συναλλαγή *δεν εστάλη* επιτυχώς. Δεν μπορείτε να ακυρώσετε ή να αντικαταστήσετε αυτήν τη συναλλαγή. Αντί αυτού, στείλτε μια νέα συναλλαγή. Αν λάβατε σφάλμα «Out of Gas», πρέπει να διπλασιάσετε το όριο αερίου που καθορίσατε αρχικά.',
tx_FoundOnChain_3:
'**Αν δεν βλέπετε σφάλματα, η συναλλαγή σας εστάλη επιτυχώς.** Τα ETH σας ή οι μάρκες σας βρίσκονται εκεί που τα στείλατε. Αν δεν μπορείτε να δείτε αυτά τα ETH ή τις μάρκες να έχουν πιστωθεί στο άλλο σας πορτοφόλι ή στο λογαριασμό του ανταλλακτηρίου σας, και έχουν περάσει 24+ ώρες από τότε που τα στείλατε, παρακαλούμε [επικοινωνήστε με αυτήν την υπηρεσία](https://myetherwallet.groovehq.com/knowledge_base/topics/i-have-a-question-but-its-not-about-myetherwallet-dot-com-what-do-i-do). Στείλτε τους το *σύνδεσμο* προς τη συναλλαγή σας και ζητήστε τους ευγενικά να ρίξουν μια ματιά στο θέμα σας.',
/* Gen Wallet Updates */
GEN_Help_1: 'Χρησιμοποιήστε το',
GEN_Help_2: 'σας για να αποκτήσετε πρόσβαση στο λογαριασμό σας.',
GEN_Help_3: 'Η συσκευή σας * είναι * το πορτοφόλι σας.',
GEN_Help_4: 'Οδηγοί & συχνές ερωτήσεις',
GEN_Help_5: 'Πώς να δημιουργήσετε ένα πορτοφόλι',
GEN_Help_6: 'Ξεκινώντας',
GEN_Help_7:
'Κρατήστε το ασφαλές · Πάρτε ένα αντίγραφο ασφαλείας · Μην το μοιράζεστε με κανέναν · Μην το χάσετε · Δεν μπορεί να ανακτηθεί αν το χάσετε.',
GEN_Help_8: 'Δεν κατεβαίνει κάποιο αρχείο; ',
GEN_Help_9: 'Δοκιμάστε να χρησιμοποιήσετε Google Chrome ',
GEN_Help_10: 'Δεξί κλικ & αποθήκευση αρχείου ως. Όνομα αρχείου: ',
GEN_Help_11: 'Μην ανοίξετε αυτό το αρχείο στον υπολογιστή σας ',
GEN_Help_12:
'Χρησιμοποιήστε το για να ξεκλειδώσετε το πορτοφόλι σας μέσω του MyEtherWallet (ή μέσω του Mist, του Geth, του Parity και άλλων προγραμμάτων-πελατών πορτοφολιού.) ',
GEN_Help_13: 'How to Back Up Your Keystore File ',
GEN_Help_14: 'Τι είναι αυτά τα διαφορετικά φορμά; ',
GEN_Help_15: 'Πρόληψη απώλειας &amp; κλοπής των κεφαλαίων σας.',
GEN_Help_16: 'Τι είναι αυτά τα διαφορετικά φορμά;',
GEN_Help_17: 'Why Should I?',
GEN_Help_18: 'To have a secondary backup.',
GEN_Help_19: 'Σε περίπτωση που ξεχάσετε ποτέ το συνθηματικό σας.',
GEN_Help_20: 'Ψυχρή αποθήκευση',
GET_ConfButton: 'Καταλαβαίνω. Συνέχισε.',
GEN_Label_5: 'Αποθήκευση του `ιδιωτικού κλειδιού` σας. ',
GEN_Unlock: 'Ξεκλειδώστε το πορτοφόλι σας για να δείτε τη διεύθυνσή σας',
GAS_PRICE_Desc:
'Η τιμή αερίου είναι το ποσό που πληρώνετε ανά μονάδα αερίου. `τέλος συναλλαγής = τιμή αερίου * όριο αερίου` & πληρώνεται στους μεταλλωρύχους για να συμπεριλάβουν τη συναλλαγή σας σε ένα μπλοκ. Υψηλότερη τιμή αερίου = ταχύτερη συναλλαγή, αλλά πιο ακριβή. Η προεπιλογή είναι `21 GWEI`.',
GAS_LIMIT_Desc:
'Το όριο αερίου είναι το ποσό αερίου που θα σταλεί με τη συναλλαγή σας. `τέλος συναλλαγής` = τιμή αερίου * όριο αερίου & πληρώνεται στους μεταλλωρύχους για να συμπεριλάβουν τη συναλλαγή σας σε ένα μπλοκ. Το να αυξήσετε αυτόν τον αριθμό δεν θα κάνει τη συναλλαγή σας να εξορυχθεί ταχύτερα. Αποστολή ETH = `21000`. Αποστολή μαρκών = ~`200000`.',
NONCE_Desc:
'Το nonce είναι ο αριθμός των συναλλαγών που αποστέλλονται από δεδομένη διεύθυνση. Εξασφαλίζει ότι οι συναλλαγές αποστέλλονται με τη σειρά και όχι περισσότερες από μία φορές.',
TXFEE_Desc:
'Το τέλος συναλλαγής πληρώνεται στους μεταλλωρύχους για να συμπεριλάβουν τη συναλλαγή σας σε ένα μπλοκ. Είναι το `όριο αερίου` * `τιμή αερίου`. [Μπορείτε να μετατρέψετε GWEI -> ETH εδώ](https://www.myetherwallet.com/helpers.html)',
/* Navigation*/
NAV_AddWallet: 'Προσθήκη πορτοφολιού ',
NAV_BulkGenerate: 'Δημιουργία πολλών πορτοφολιών ',
NAV_Contact: 'Επικοινωνία ',
NAV_Contracts: 'Συμβόλαια ',
NAV_DeployContract: 'Κατασκευή συμβολαίου ',
NAV_ENS: 'ENS',
NAV_GenerateWallet_alt: 'Νέο πορτοφόλι ',
NAV_GenerateWallet: 'Δημιουργία πορτοφολιού ',
NAV_Help: 'Βοήθεια ',
NAV_InteractContract: 'Αλληλεπίδραση με συμβόλαιο ',
NAV_Multisig: 'Multisig ',
NAV_MyWallets: 'Τα πορτοφόλια μου ',
NAV_Offline: 'Αποστολή εκτός σύνδεσης ',
NAV_SendEther: 'Αποστολή αιθέρα και μαρκών ',
NAV_SendTokens: 'Αποστολή μαρκών ',
NAV_SignMsg: 'Υπογραφή μηνύματος ',
NAV_Swap: 'Ανταλλαγή ',
NAV_ViewWallet: 'Προβολή πληροφοριών πορτοφολιού ',
NAV_YourWallets: 'Τα πορτοφόλια σας ',
/* General */
x_Access: 'Πρόσβαση ',
x_AddessDesc:
'Η διεύθυνσή σας είναι επίσης γνωστή ως `αριθμός λογαριασμού` σας ή `δημόσιο κλειδί` σας. Είναι αυτό που κοινοποιείτε σε άλλους ανθρώπους ώστε να μπορούν να σας στείλουν αιθέρα ή μάρκες. Βρείτε το χρωματιστό εικονίδιο διεύθυνσης. Σιγουρευτείτε ότι ταιριάζει με το χάρτινο πορτοφόλι σας και όταν εισάγετε τη διεύθυνσή σας κάπου.',
x_Address: 'Η διεύθυνσή σας ',
x_Cancel: 'Ακύρωση ',
x_CSV: 'Αρχείο CSV (μη κρυπτογραφημένο) ',
x_Download: 'Λήψη ',
x_Json: 'Αρχείο JSON (μη κρυπτογραφημένο) ',
x_JsonDesc:
'Αυτή είναι η μη κρυπτογραφημένη, JSON μορφή του ιδιωτικού κλειδιού σας. Αυτό σημαίνει ότι δεν απαιτείται συνθηματικό όμως οποιοσδήποτε βρει το JSON σας έχει πρόσβαση στο πορτοφόλι και στον αιθέρα σας χωρίς συνθηματικό. ',
x_Keystore: 'Αρχείο Keystore (UTC / JSON · Συνιστάται · Κρυπτογραφημένο) ',
x_Keystore2: 'Αρχείο Keystore (UTC / JSON) ',
x_KeystoreDesc:
'Αυτό το αρχείο Keystore έχει την ίδια μορφή που χρησιμοποιείται από το Mist ώστε να μπορείτε εύκολα να το εισάγετε στο μέλλον. Είναι το συνιστώμενο αρχείο για λήψη και δημιουργία αντιγράφου ασφαλείας. ',
x_MetaMask: 'Metamask / Mist ',
x_Mnemonic: 'Μνημονικό ',
x_ParityPhrase: 'Parity Phrase ',
x_Password: 'Συνθηματικό ',
x_Print: 'Εκτύπωση χάρτινου πορτοφολιού ',
x_PrintDesc:
'Συμβουλή: Κάντε κλικ στο «Εκτύπωση και αποθήκευση ως PDF» ακόμη κι αν δεν έχετε εκτυπωτή! ',
x_PrintShort: 'Εκτύπωση ',
x_PrivKey: 'Ιδιωτικό κλειδί (μη κρυπτογραφημένο) ',
x_PrivKey2: 'Ιδιωτικό κλειδί ',
x_PrivKeyDesc:
'Αυτό το κείμενο είναι η μη κρυπτογραφημένη εκδοχή του ιδιωτικού κλειδιού σας που σημαίνει ότι δεν απαιτείται συνθηματικό. Στην περίπτωση που κάποιος βρει το μη κρυπτογραφημένο ιδιωτικό κλειδί σας, έχει πρόσβαση στο πορτοφόλι σας χωρίς συνθηματικό. Για αυτόν τον λόγο, συνήθως συνιστώνται οι κρυπτογραφημένες εκδοχές. ',
x_Save: 'Αποθήκευση ',
x_TXT: 'Αρχείο TXT (μη κρυπτογραφημένο) ',
x_Wallet: 'Πορτοφόλι ',
/* Header */
MEW_Warning_1:
'Πάντα να ελέγχετε την διεύθυνση URL προτού μπείτε στο πορτοφόλι σας ή δημιουργήσετε καινούριο πορτοφόλι. Προσοχή στις σελίδες ηλεκτρονικού ψαρέματος! ',
CX_Warning_1:
'Σιγουρευτείτε ότι έχετε **εξωτερικά αντίγραφα ασφαλείας** όλων των πορτοφολιών που αποθηκεύετε εδώ. Μπορούν να συμβούν διάφορα που θα προκαλούσαν απώλεια των δεδομένων σας σε αυτήν την επέκταση Chrome, συμπεριλαμβανομένης απεγκατάστασης και επανεγκατάστασης της επέκτασης. Αυτή η επέκταση είναι ένας τρόπος εύκολης πρόσβασης στα πορτοφόλια σας και **όχι** ένας τρόπος να δημηιουργήσετε αντίγραφα ασφαλείας τους. ',
MEW_Tagline:
'Ασφαλές πορτοφόλι αιθέρα ανοιχτού κώδικα JavaScript από την πλευρά του πελάτη ',
CX_Tagline:
'Επέκταση Chrome για ασφαλές πορτοφόλι αιθέρα ανοιχτού κώδικα JavaScript από την πλευρά του πελάτη ',
/* Footer */
FOOTER_1:
'Ένα εργαλείο ανοιχτού κώδικα, javascript, από πλευράς πελάτη για τη δημιουργία πορτοφολιών Ethereum & αποστολή συναλλαγών. ',
FOOTER_1b: 'Δημιουργήθηκε από ',
FOOTER_2: 'Εκτιμούμε πολύ τις δωρεές σας: ',
FOOTER_3: 'Δημιουργία πορτοφολιών από πλευράς πελάτη από ',
FOOTER_4: 'Αποποίηση ',
/* Sidebar */
sidebar_AccountInfo: 'Πληροφορίες λογαριασμού ',
sidebar_AccountAddr: 'Διεύθυνση λογαριασμού ',
sidebar_AccountBal: 'Υπόλοιπο λογαριασμού ',
sidebar_TokenBal: 'Υπόλοιπο μαρκών ',
sidebar_Equiv: 'Ισότιμες αξίες ',
sidebar_TransHistory: 'Ιστορικό συναλλαγών ',
sidebar_donation:
'Το MyEtherWallet είναι μία δωρεάν υπηρεσία ανοιχτού κώδικα αφοσιωμένη στην ιδιωτικότητα και την ασφάλεια σας. Όσο περισσότερες δωρεές λαμβάνουμε, τόσο περισσότερο χρόνο αφιερώνουμε στη δημιουργία νέων χαρακτηριστικών καθώς και την αξιολόγηση και εφαρμογή όσων μας προτείνετε. Είμαστε απλά δύο άνθρωποι που προσπαθούν να αλλάξουν τον κόσμο. Θα μας βοηθήσετε; ',
sidebar_donate: 'Δωρεά ',
sidebar_thanks: 'ΣΑΣ ΕΥΧΑΡΙΣΤΟΥΜΕ!!! ',
sidebar_DisplayOnTrezor: 'Display address on TREZOR',
sidebar_DisplayOnLedger: 'Display address on Ledger',
/* Decrypt Panel */
decrypt_Access: 'Πώς θα θέλατε να έχετε πρόσβαση στο πορτοφόλι σας; ',
decrypt_Title: 'Επιλέξτε τη μορφή του ιδιωτικού κλειδιού σας: ',
decrypt_Select: 'Επιλέξτε πορτοφόλι: ',
/* Add Wallet */
ADD_Label_1: 'Τι θα θέλατε να κάνετε; ',
ADD_Radio_1: 'Δημιουργία νέου πορτοφολιού ',
ADD_Radio_2: 'Επιλέξτε το αρχείο πορτοφολιού σας (Keystore / JSON) ',
ADD_Radio_2_alt: 'Επιλέξτε το αρχείο πορτοφολιού σας ',
ADD_Radio_2_short: 'ΕΠΙΛΕΞΤΕ ΑΡΧΕΙΟ ΠΟΡΤΟΦΟΛΙΟΥ... ',
ADD_Radio_3: 'Επικολλήστε/πληκτρολογήστε το ιδιωτικό κλειδί σας ',
ADD_Radio_4: 'Προσθήκη λογαριασμού προς παρακολούθηση ',
ADD_Radio_5: 'Επικολλήστε/πληκτρολογήστε το μνημονικό σας ',
ADD_Radio_5_Path: 'Select HD derivation path ',
ADD_Radio_5_PathCustom: 'Custom',
ADD_Radio_5_woTrezor: '(Jaxx, Metamask, Exodus, imToken)',
ADD_Radio_5_withTrezor: '(Jaxx, Metamask, Exodus, imToken, TREZOR)',
ADD_Radio_5_PathAlternative: '(Ledger)',
ADD_Radio_5_PathTrezor: '(TREZOR)',
ADD_Label_2: 'Δημιουργία ψευδωνύμου: ',
ADD_Label_3:
'Το πορτοφόλι σας είναι κρυπτογραφημένο. Παρακαλούμε εισαγάγετε το συνθηματικό ',
ADD_Label_4: 'Προσθήκη λογαριασμού προς παρακολούθηση ',
ADD_Warning_1:
'Μπορείτε να προσθέσετε ένα λογαριασμό προς «παρακολούθηση» στην καρτέλα πορτοφολιών χωρίς να ανεβάσετε ιδιωτικό κλειδί. Αυτό ** δεν ** σημαίνει ότι έχετε πρόσβαση στο πορτοφόλι, ούτε ότι μπορείτε να μεταφέρετε αιθέρα από αυτό. ',
ADD_Label_5: 'Εισαγάγετε τη διεύθυνση ',
ADD_Label_6: 'Ξεκλειδώστε το πορτοφόλι σας ',
ADD_Label_6_short: 'Ξεκλείδωμα ',
ADD_Label_7: 'Προσθήκη λογαριασμού ',
ADD_Label_8: 'Password (optional): ',
/* Generate Wallets */
GEN_desc:
'Αν επιθυμείτε να δημιουργήσετε πολλά πορτοφόλια, μπορείτε να το κάνετε εδώ: ',
GEN_Label_1: 'Εισαγάγετε ισχυρό συνθηματικό (τουλάχιστον 9 χαρακτήρες) ',
GEN_Placeholder_1: 'ΜΗΝ ξεχάσετε να το αποθηκεύσετε! ',
GEN_SuccessMsg: 'Επιτυχία! Το πορτοφόλι σας δημιουργήθηκε. ',
GEN_Label_2:
'Αποθηκεύστε το αρχέιο keystore/JSON ή το ιδιωτικό κλειδί. Μην ξεχάσετε το παραπάνω συνθηματικό. ',
GEN_Label_3: 'Αποθηκεύστε τη διεύθυνση σας. ',
GEN_Label_4:
'Εκτυπώστε το χάρτινο πορτοφόλι σας ή αποθηκεύστε την εκδοχή με κώδικα QR. (προαιρετικό) ',
GEN_Aria_1: '',
GEN_Aria_2: '',
/* Bulk Generate Wallets */
BULK_Label_1: 'Αριθμός πορτοφολιών για δημιουργία ',
BULK_Label_2: 'Δημιουργία πορτοφολιών ',
BULK_SuccessMsg: 'Επιτυχία! Τα πορτοφόλια σας δημιουργήθηκαν. ',
/* Sending Ether and Tokens */
SEND_addr: 'Προς διεύθυνση ',
SEND_amount: 'Ποσό για αποστολή ',
SEND_amount_short: 'Ποσό ',
SEND_gas: 'Αέριο ',
SEND_generate: 'Δημιουργία υπογεγραμμένης συναλλαγής ',
SEND_raw: 'Ακατέργαστη συναλλαγή ',
SEND_signed: 'Υπογεγραμμένη συναλλαγή ',
SEND_trans: 'Αποστολή συναλλαγής ',
SEND_custom: 'Προσθήκη προσαρμοσμένης μάρκας ',
SENDModal_Title: 'Προσοχή! ',
/* full sentence reads "You are about to send "10 ETH" to address "0x1234". Are you sure you want to do this? " */
SENDModal_Content_1: 'Πρόκειται να στείλετε ',
SENDModal_Content_2: 'στη διεύθυνση ',
SENDModal_Content_3: 'Είστε σίγουροι ότι θέλετε να το κάνετε; ',
SENDModal_Content_4:
'ΣΗΜΕΙΩΣΗ: Αν αντιμετωπίσετε σφάλμα, το πιο πιθανό είναι να χρειάζεται να προσθέσετε αιθέρα στο λογαριασμό σας για να καλύψετε το κόστος αερίου για την αποστολή μαρκών. Το αέριο πληρώνεται σε αιθέρα. ',
SENDModal_No: 'Όχι, θέλω να φύγω από εδώ! ',
SENDModal_Yes: 'Ναι, είμαι σίγουρος/η! Εκτελέστε την συναλλαγή. ',
SEND_TransferTotal: 'Μεταφορά όλου του υπάρχοντος υπολοίπου ',
/* Tokens */
TOKEN_Addr: 'Διεύθυνση ',
TOKEN_Symbol: 'Σύμβολο μάρκας ',
TOKEN_Dec: 'Δεκαδικά ',
TOKEN_hide: 'Απόκρυψη μαρκών ',
TOKEN_show: 'Εμφάνιση όλων των μαρκών ',
/* Send Transaction */
TRANS_desc:
'Άν επιθυμείτε να στείλετε μάρκες, παρακαλούμε χρησιμοποιήστε τη σελίδα «Αποστολή μαρκών». ',
TRANS_warning:
'Άν χρησιμοποιείτε τις λειτουργίες «Μόνο ETH» ή «Μόνο ETC», η αποστολή γίνεται μέσω συμβολαίων. Ορισμένες υπηρεσίες παρουσιάζουν προβλήματα με την αποδοχή τέτοιων συναλλαγών. Διαβάστε περισσότερα. ',
TRANS_advanced: '+Για προχωρημένους: Προσθήκη δεδομένων ',
TRANS_data: 'Δεδομένα ',
TRANS_gas: 'Όριο αερίου ',
TRANS_sendInfo:
'Μία τυπική συναλλαγή που χρησιμοποιεί 21000 μονάδες αερίου θα κοστίσει 0,000441 ETH. Χρησιμοποιούμε για τιμή αερίου 0.000000021 ETH που είναι λίγο πάνω απο την ελάχιστη ώστε να διασφαλίσουμε ότι θα επικυρωθεί γρήγορα. Δεν παίρνουμε προμήθεια για τη συναλλαγή. ',
/* Send Transaction Modals */
TRANSModal_Title: 'Συναλλαγές «Μόνο ETH» και «Μόνο ETC» ',
TRANSModal_Content_0:
'Μια σημείωση για τις διάφορετικές συναλλαγές και διαφορετικές υπηρεσίες συναλλαγών: ',
TRANSModal_Content_1:
'**ETH (τυπική συναλλαγή): ** Αυτό παράγει μια προεπιλεγμένη συναλλαγή απευθείας από μια διεύθυνση σε μία άλλη. Έχει προεπιλεγμένο αέριο 21000. Είναι πιθανόν ότι κάθε ETH που αποστέλλεται μέσω αυτής της μεθόδου θα επαναληφθεί στην αλυσίδα ETC. ',
TRANSModal_Content_2:
'**Μόνο ETH: ** Αυτό αποστέλλει μέσω του [συμβολαίου προστασίας από επανάληψη του Timon Rapp (όπως συνιστάται από τον Vitalik Buterin)](https://blog.ethereum.org/2016/07/26/onward_from_the_hard_fork/) ώστε η αποστολή να γίνεται μόνο στην αλυσίδα **ETH**. ',
TRANSModal_Content_3:
'**Μόνο ETC: ** Αυτό αποστέλλει μέσω του [συμβολαίου προστασίας από επανάληψη του Timon Rapp (όπως συνιστάται από τον Vitalik Buterin)](https://blog.ethereum.org/2016/07/26/onward_from_the_hard_fork/) ώστε η αποστολή να γίνεται μόνο στην αλυσίδα **ETC**. ',
TRANSModal_Content_4:
'**Coinbase & ShapeShift: ** Αποστέλλετε μόνο με τυπική συναλλαγή. Αν στείλετε με τα συμβόλαια «Μόνο», θα χρειαστεί να έρθετε σε επαφή με το προσωπικό υποστήριξής τους ώστε να σας βοηθήσουν με χειροκίνητη μεταφορά υπολοίπων ή επιστροφή χρημάτων.[Μπορείτε επίσης να δοκιμάσετε το εργαλείο «διαχωρισμού» του Shapeshift](https://split.shapeshift.io/) ',
TRANSModal_Content_5:
'**Kraken & Poloniex:** Δεν υπάρχουν γνωστά προβλήματα. Αποστέλλετε με οποιαδήποτε μέθοδο. ',
TRANSModal_Yes: 'Τέλεια, το κατάλαβα. ',
TRANSModal_No: 'Ωχ, μπερδεύτηκα ακόμη περισσότερο. Βοηθήστε με. ',
/* Offline Transaction */
OFFLINE_Title: 'Δημιουργία και αποστολή συναλλαγής εκτός σύνδεσης ',
OFFLINE_Desc:
'Η δημιουργία συναλλαγών εκτός σύνδεσης μπορεί να γίνει σε τρία βήματα. Θα προβείτε στα βήματα 1 και 3 σε έναν συνδεδεμένο υπολογιστή και το βήμα 2 σε έναν εκτός σύνδεσης/αποκομμένο υπολογιστή. Αυτό εξασφαλίζει ότι τα ιδιωτικά κλειδιά σας δεν έρχονται σε επαφή με συσκευή συνδεδεμένη στο Διαδίκτυο. ',
OFFLLINE_Step1_Title:
'Βήμα 1: Δημιουργία πληροφοριών (συνδεδεμένος υπολογιστής) ',
OFFLINE_Step1_Button: 'Δημιουργία πληροφοριών ',
OFFLINE_Step1_Label_1: 'Από διεύθυνση: ',
OFFLINE_Step1_Label_2:
'Σημείωση: Αυτή είναι η διεύθυνση ΑΠΟΣΤΟΛΕΑ, ΟΧΙ η διεύθυνση. Το nonce δημιουργείται από το λογαριασμό προέλευσης. Αν χρησιμοποιείτε αποκομμένο υπολογιστή, πρόκειται για την διεύθυνση του λογαριασμού σε ψυχρή αποθήκευση. ',
OFFLINE_Step2_Title:
'Βήμα 2: Δημιουργία συναλλαγής (υπολογιστής εκτός σύνδεσης) ',
OFFLINE_Step2_Label_1: 'Προς διεύθυνση ',
OFFLINE_Step2_Label_2: 'Αξία / ποσό για αποστολή ',
OFFLINE_Step2_Label_3: 'Τιμή αερίου ',
OFFLINE_Step2_Label_3b:
'Εμφανίστηκε στο Βήμα 1 στο συνδεδεμένο υπολογιστή σας. ',
OFFLINE_Step2_Label_4: 'Όριο αερίου ',
OFFLINE_Step2_Label_4b:
'21000 είναι το προεπιλεγμένο όριο αερίου. Όταν αποστέλλετε συμβόλαια ή πρόσθετα δεδομένα, αυτό ίσως πρέπει να είναι διαφορετικό. Τυχόν αχρησιμοποιήτο αέριο θα σας επιστραφεί. ',
OFFLINE_Step2_Label_5: 'Nonce ',
OFFLINE_Step2_Label_5b:
'Εμφανίστηκε στο Βήμα 1 στον συνδεδεμένο υπολογιστή σας. ',
OFFLINE_Step2_Label_6: 'Δεδομένα ',
OFFLINE_Step2_Label_6b:
'Αυτό είναι προαιρετικό. Δεδομένα χρησιμοποιούνται συνήθως όταν αποστέλλονται συναλλαγές σε συμβόλαια. ',
OFFLINE_Step2_Label_7: 'Εισαγωγή / επιλογή του ιδιωτικού κλειδιού / JSON. ',
OFFLINE_Step3_Title:
'Βήμα 3: Δημοσίευση συναλλαγής (συνδεδεμένος υπολογιστής) ',
OFFLINE_Step3_Label_1:
'Επικολλήστε την υπογεγραμμένη συναλλαγή εδώ και πατήστε το κουμπί «ΑΠΟΣΤΟΛΗ ΣΥΝΑΛΛΑΓΗΣ». ',
/* My Wallet */
MYWAL_Nick: 'Ψευδώνυμο πορτοφολιού ',
MYWAL_Address: 'Διεύθυνση πορτοφολιού ',
MYWAL_Bal: 'Υπόλοιπο ',
MYWAL_Edit: 'Επεξεργασία ',
MYWAL_View: 'Προβολή ',
MYWAL_Remove: 'Αφαίρεση ',
MYWAL_RemoveWal: 'Αφαίρεση πορτοφολιού: ',
MYWAL_WatchOnly: 'Οι λογαρισμοί μόνο-προς-παρακολούθηση ',
MYWAL_Viewing: 'Προβάλλεται το πορτοφόλι ',
MYWAL_Hide: 'Απόκρυψη πληροφοριών πορτοφολιού ',
MYWAL_Edit_2: 'Επεξεργασία πορτοφολιού ',
MYWAL_Name: 'Όνομα πορτοφολιού ',
MYWAL_Content_1: 'Προσοχή! Πρόκειται να αφαιρέσετε το πορτοφόλι σας. ',
MYWAL_Content_2:
'Σιγουρευτείτε ότι έχετε **αποθηκεύσει το αρχείο keystore/JSON και το συνθηματικό** του πορτοφολιού αυτού πριν το αφαιρέσετε. ',
MYWAL_Content_3:
'Αν θέλετε να χρησιμοποιήσετε το πορτοφόλι αυτό με το MyEtherWalletCX στο μέλλον, θα χρειαστεί να το ξαναπροσθέσετε χειροκίνητα χρησιμοποιώντας το ιδιωτικό κλειδί/JSON και το συνθηματικό. ',
/* View Wallet Details */
VIEWWALLET_Subtitle:
'Αυτό σας επιτρέπει να κατεβάσετε διαφορετικές εκδοχές των ιδιωτικών κλειδιών σας και να επανεκτυπώσετε το χάρτινο πορτοφόλι σας. Ίσως επιθυμείτε να το κάνετε προκειμένου να [εισαγάγετε το λογαριασμό σας στο Geth/Mist](http://ethereum.stackexchange.com/questions/465/how-to-import-a-plain-private-key-into-geth/). Αν επιθυμείτε να ελέγξετε το υπόλοιπό σας, συνιστούμε να χρησιμοποιήσετε ένα εργαλείο εξερεύνησης blockchain όπως το [etherscan.io](http://etherscan.io/). ',
VIEWWALLET_Subtitle_Short:
'Αυτό σας επιτρέπει να κατεβάσετε διαφορετικές εκδοχές των ιδιωτικών κλειδιών σας και να επανεκτυπώσετε το χάρτινο πορτοφόλι σας. ',
VIEWWALLET_SuccessMsg:
'Επιτυχία! Εδώ είναι οι πληροφορίες για το πορτοφόλι σας. ',
VIEWWALLET_ShowPrivKey: '(show)',
VIEWWALLET_HidePrivKey: '(hide)',
/* CX */
CX_error_1:
'Δεν έχετε αποθηκευμένα πορτοφόλια. Κάντε κλικ στο [«Προσθήκη πορτοφολιού»](/cx-wallet.html#add-wallet) για να προσθεσετε ένα! ',
CX_quicksend: 'Ταχυ-αποστολή ',
/* Node Switcher */
NODE_Title: 'Εγκαταστήστε τον προσαρμοσμένο κόμβο σας',
NODE_Subtitle: 'Για να συνδεθείτε σε έναν τοπικό κόμβο...',
NODE_Warning:
'Ο κόμβος σας πρέπει να είναι HTTPS για να συνδεθείτε σε αυτόν μέσω του MyEtherWallet.com. Μπορείτε να [κατεβάσετε το αποθετήριο MyEtherWallet και να το εκτελέσετε τοπικά](https://github.com/kvhnuke/etherwallet/releases/latest) για να συνδεθείτε σε οποιονδήποτε κόμβο. Ή, αποκτήστε ένα δωρεάν πιστοποιητικό SSL μέσω του [LetsEncrypt](https://letsencrypt.org/)',
NODE_Name: 'Όνομα κόμβου',
NODE_Port: 'Θύρα κόμβου',
NODE_CTA: 'Αποθήκευση & χρήση προσαρμοσμένου κόμβου',
/* Contracts */
CONTRACT_Title: 'Διεύθυνση συμβολαίου ',
CONTRACT_Title_2: 'Επιλογή υπάρχοντος συμβολαίου ',
CONTRACT_Json: 'Διεπαφή ABI / JSON ',
CONTRACT_Interact_Title: 'Read / Write Contract ',
CONTRACT_Interact_CTA: 'Επιλογή λειτουργίας ',
CONTRACT_ByteCode: 'Byte Code ',
CONTRACT_Read: 'READ ',
CONTRACT_Write: 'WRITE ',
DEP_generate: 'Generate Bytecode ',
DEP_generated: 'Generated Bytecode ',
DEP_signtx: 'Υπογραφή συναλλαγής ',
DEP_interface: 'Generated Interface ',
/* Swap / Exchange */
SWAP_rates: 'Τρέχουσες ισοτιμίες ',
SWAP_init_1: 'Θέλω να ανταλλάξω ',
SWAP_init_2: ' με ', // "I want to swap my X ETH for X BTC"
SWAP_init_CTA: 'Συνέχεια ', // or "Continue"
SWAP_information: 'Τα στοιχεία σας ',
SWAP_send_amt: 'Ποσό που να αποσταλεί ',
SWAP_rec_amt: 'Ποσό που να ληφθεί ',
SWAP_your_rate: 'Η ισοτιμία σας ',
SWAP_rec_add: 'Η διεύθυνση λήψης σας ',
SWAP_start_CTA: 'Έναρξη ανταλλαγής ',
SWAP_ref_num: 'Ο αριθμός αναφοράς σας ',
SWAP_time: 'Υπολειπόμενος χρόνος για την αποστολή ',
SWAP_elapsed: 'Time elapsed since sent ',
SWAP_progress_1: 'Η εντολή ξεκίνησε ',
SWAP_progress_2: 'Εν αναμονή για ', // Waiting for your BTC...
SWAP_progress_3: 'Ελήφθησαν! ', // ETH Received!
SWAP_progress_4: 'Γίνεται αποστολή {{orderResult.output.currency}} ',
SWAP_progress_5: 'Η εντολή ολοκληρώθηκε ',
SWAP_order_CTA: 'Παρακαλούμε στείλτε ', // Please send 1 ETH...
SWAP_unlock:
'Ξεκλειδώστε το πορτοφόλι σας για να στείλετε ETH ή μάρκες απευθείας από αυτήν τη σελίδα. ',
/* Sign Message */
MSG_message: 'Μήνυμα ',
MSG_date: 'Δεδομένα ',
MSG_signature: 'Υπογραφή ',
MSG_verify: 'Επαλήθευση μηνύματος ',
MSG_info1:
'Συμπεριλάβετε την τρέχουσα ημερομηνία ώστε η υπογραφή να μην μπορεί να επαχρησιμοποιηθεί σε διαφορετική ημερομηνία. ',
MSG_info2:
'Συμπεριλάβετε το ψευδώνυμό σας και το πού χρησιμοποιείτε αυτό το ψευδώνυμο ώστε να μην μπορεί να το χρησιμοποιήσει κάποιος άλλος. ',
MSG_info3:
'Συμπεριλάβετε έναν συγκεκριμένο λόγο για το μήνυμα, ώστε να μην μπορεί να επαναχρησιμοποιηθεί για διαφορετικό σκοπό. ',
/* Mnemonic */
MNEM_1:
'Παρακαλούμε, επιλέξτε την διεύθυνση με την οποία θα θέλατε να αλληλεπιδράσετε. ',
MNEM_2:
'Your single HD mnemonic phrase can access a number of wallets / addresses. Please select the address you would like to interact with at this time. ',
MNEM_more: 'Περισσότερες διευθύνσεις ',
MNEM_prev: 'Προηγούμενες διευθύνσεις ',
/* Hardware wallets */
x_Ledger: 'Ledger Wallet ',
ADD_Ledger_1: 'Συνδέστε το Ledger Wallet σας ',
ADD_Ledger_2: 'Ανοίξτε την εφαρμογή Ethereum (ή μια εφαρμογή συμβολαίου) ',
ADD_Ledger_3:
'Βεβαιωθείτε ότι η υποστήριξη περιηγητή είναι ενεργοποιημένη στις ρυθμίσεις ',
ADD_Ledger_4:
'Εάν δεν υπάρχει υποστήριξη περιηγητή στις ρυθμίσεις, βεβαιωθείτε ότι έχετε [Firmware >1.2](https://www.ledgerwallet.com/apps/manager) ',
ADD_Ledger_0a: 'Ξανα-ανοίξτε το MyEtherWallet σε ασφαλή (SSL) σύνδεση ',
ADD_Ledger_0b:
'Ξανα-ανοίξτε το MyEtherWallet χρησιμοποιώντας το [Chrome](https://www.google.com/chrome/browser/desktop/) or [Opera](https://www.opera.com/) ',
ADD_Ledger_scan: 'Συνδεθείτε στο Ledger Wallet ',
ADD_MetaMask: 'Συνδεθείτε στο MetaMask ',
x_Trezor: 'TREZOR ',
ADD_Trezor_scan: 'Συνδεθείτε στο TREZOR ',
ADD_Trezor_select: 'Αυτός είναι σπόρος του TREZOR ',
x_DigitalBitbox: 'Digital Bitbox ',
ADD_DigitalBitbox_0a: 'Re-open MyEtherWallet on a secure (SSL) connection ',
ADD_DigitalBitbox_0b:
'Re-open MyEtherWallet using [Chrome](https://www.google.com/chrome/browser/desktop/) or [Opera](https://www.opera.com/) ',
ADD_DigitalBitbox_scan: 'Connect your Digital Bitbox ',
/* Error Messages */
ERROR_0: 'Παρακαλούμε εισαγάγετε έγκυρο ποσό. ',
ERROR_1:
'Το συνθηματικό σας πρέπει να αποτελείται απο τουλάχιστον 9 χαρακτήρες. Παρακαλούμε σιγουρευτείτε ότι είναι ισχυρό συνθηματικό. ',
ERROR_2:
'Λυπούμαστε! Δεν αναγνωρίζουμε αυτού του είδους αρχεία πορτοφολιού ',
ERROR_3: 'Αυτό δεν είναι έγκυρο αρχείο πορτοφολιού. ',
ERROR_4:
'Αυτή η μονάδα δεν υπάρχει, παρακαλούμε χρησιμοποιήστε μία απο τις ακόλουθες μονάδες: ',
ERROR_5: 'Λάθος διεύθυνση. ',
ERROR_6: 'Λάθος συνθηματικό. ',
ERROR_7: 'Λάθος ποσό. (Πρέπει να είναι ακέραιος. Δοκιμάστε 0-18). ', // 7
ERROR_8:
'Λάθος όριο αερίου. (Πρέπει να είναι ακέραιος. Δοκιμάστε 21000-4000000). ', // 8
ERROR_9: 'Λάθος τιμή δεδομένων. (Πρέπει να είναι δεκαεξαδικός). ', // 9
ERROR_10:
'Λάθος ποσό αερίου. (Πρέπει να είναι ακέραιος. Δοκιμάστε 20 GWEI / 20000000000 WEI.) ',
ERROR_11: 'Λάθος nonce. (Πρέπει να είναι ακέραιος). ', // 11
ERROR_12: 'Λάθος υπογεγραμμένη συναλλαγή. ',
ERROR_13: 'Υπάρχει ήδη πορτοφόλι με αυτό το ψευδώνυμο. ',
ERROR_14: 'Δεν βρέθηκε πορτοφόλι. ',
ERROR_15:
'Φαίνεται να μην υπάρχει ακόμη πρόταση με αυτό το αναγνωριστικό ή υπήρξε σφάλμα κατά την ανάγνωση της πρότασης αυτής. ',
ERROR_16:
'Υπάρχει ήδη αποθηκευμένο πορτοφόλι με αυτήν τη διεύθυνση. Παρακαλούμε ελέγξτε τη σελίδα πορτοφολιών σας. ',
ERROR_17:
'Ο λογαριασμός από τον οποίο στέλνετε δεν έχει αρκετά κεφάλαια. Εάν στέλνετε μάρκες, πρέπει να έχετε 0.01 ETH στο λογαριασμό σας για να καλύψετε το κόστος του αερίου. ', // 17
ERROR_18:
'Όλο το αέριο θα είχε δαπανηθεί στη συναλλαγή αυτή. Αυτό σημαίνει ότι έχετε ήδη ψηφίσει στην πρόταση αυτήν ή ότι η περίοδος συζήτησης έχει λήξει. ',
ERROR_19: 'Λάθος σύμβολο ',
ERROR_20: 'Μη έγκυρη μάρκα ERC-20', // 20
ERROR_21:
'Δεν ήταν δυνατή η εκτίμηση του αερίου. Δεν υπάρχουν αρκετά κεφάλαια στο λογαριασμό ή η διεύθυνση λήψης του συμβολαίου θα έβγαλε κάποιο λάθος. Μη διστάσετε να καθορίσετε το αέριο με το χέρι και να συνεχίσετε. Το μήνυμα σφάλματος κατά την αποστολή μπορεί να είναι πιο ενημερωτικό.', // 21
ERROR_22: 'Παρακαλούμε εισαγάγετε έγκυρο όνομα κόμβου', // 22
ERROR_23:
'Παρακαλούμε εισαγάγετε έγκυρη διεύθυνση URL. Αν είστε σε https, η διεύθυνση URL σας πρέπει να είναι https', // 23
ERROR_24: 'Παρακαλούμε εισαγάγετε έγκυρη θύρα. ', // 24
ERROR_25: 'Παρακαλούμε εισαγάγετε έγκυρο αναγνωριστικό αλυσίδας. ', // 25
ERROR_26: 'Παρακαλούμε εισαγάγετε έγκυρο ABI. ', // 26
ERROR_27: 'Ελάχιστο ποσό: 0.01. Μέγιστο ποσό: ', // 27
ERROR_28:
'Προκειμένου να έχετε πρόσβαση σε αυτό το πορτοφόλι στο μέλλον **είναι απαραίτητο το αρχείο Keystore/JSON & το συνθηματικό ή το ιδιωτικό κλειδί σας**. Παρακαλούμε κρατήστε ένα εξωτερικό αντίγραφο ασφαλείας! Δεν υπάρχει τρόπος ανάκτησης ενός πορτοφολιού άν δεν το αποθηκεύσετε. Διαβάστε τη σελίδα [βοήθειας](https://www.myetherwallet.com/#help) για οδηγίες. ',
ERROR_29: 'Παρακαλούμε εισαγάγετε έγκυρο χρήστη και συνθηματικό ',
ERROR_30:
'Παρακαλούμε εισαγάγετε έγκυρο όνομα (7+ χαρακτήρες, περιορισμένα σημεία στίξης) ', // 30
ERROR_31: 'Παρακαλούμε εισαγάγετε έγκυρη μυστική φράση. ', // 31
ERROR_32:
'Δεν ήταν δυνατή η σύνδεση στον κόμβο. Ανανεώστε τη σελίδα σας, δοκιμάστε κάποιον διαφορετικό κόμβο (πάνω δεξιά γωνία), ελέγξτε τις ρυθμίσεις του τείχους προστασίας. Εάν πρόκειται για προσαρμοσμένο κόμβο, ελέγξτε τις διαμορφώσεις σας.', // 32
ERROR_33:
"The wallet you have unlocked does not match the owner's address. ", // 33
ERROR_34:
'Το όνομα που προσπαθείτε να αποκαλύψετε δεν ταιριάζει με το όνομα που έχετε εισαγάγει. ', // 34
ERROR_35:
'Η διεύθυνση εισόδου δεν περιέχει άθροισμα ελέγχου. <a href="https://myetherwallet.groovehq.com/knowledge_base/topics/not-checksummed-shows-when-i-enter-an-address" target="_blank" rel="noopener"> Περισσότερες πληροφορίες</a>', // 35
ERROR_36: 'Enter valid TX hash', // 36
ERROR_37: 'Enter valid hex string (0-9, a-f)', // 37
SUCCESS_1: 'Έγκυρη διεύθυνση ',
SUCCESS_2: 'Το πορτοφόλι αποκρυπτογραφήθηκε επιτυχώς ',
SUCCESS_3:
'Η συναλλαγή σας έχει μεταδοθεί στο δίκτυο. Αναμένει να εξορυχθεί και να επιβεβαιωθεί. Κατά τη διάρκεια ενός ICO, μπορεί να χρειαστούν 3+ ώρες για επιβεβαίωση. Χρησιμοποιήστε τα κουμπιά επαλήθευσης και ελέγχου παρακάτω για να δείτε. Hash συναλλαγής: ', //'Η συναλλαγή υποβλήθηκε. TX Hash ',
SUCCESS_4: 'Το πορτοφόλι σας προστέθηκε επιτυχώς ',
SUCCESS_5: 'Επιλέχθηκε αρχείο ',
SUCCESS_6: 'Συνδεθήκατε επιτυχώς ',
SUCCESS_7: 'Η υπογραφή του μηνύματος επαληθεύτηκε',
/* Messages */
GETH_InvalidSender: 'Μη έγκυρος αποστολέας ',
GETH_Nonce: 'Το nonce είναι πολύ χαμηλό ',
GETH_Cheap: 'Η τιμή αερίου είναι πολύ χαμηλή για να γίνει αποδεκτή ',
GETH_Balance: 'Μη επαρκές υπόλοιπο ',
GETH_NonExistentAccount:
'Ο λογαριασμός δεν υπάρχει ή το υπόλοιπο του λογαριασμού είναι πολύ χαμηλό ',
GETH_InsufficientFunds: 'Μη επαρκή κεφάλαια για αέριο * τιμή + αξία ',
GETH_IntrinsicGas: 'Το εγγενές αέριο είναι πολύ χαμηλό ',
GETH_GasLimit: 'Υπερβαίνει το όριο αερίου του μπλοκ ',
GETH_NegativeValue: 'Αρνητική αξία ',
/* Parity Error Messages */
PARITY_AlreadyImported: 'Έχει ήδη εισαχθεί συναλλαγή με το ίδιο hash.',
PARITY_Old:
'Το nonce της συναλλαγής είναι πολύ χαμηλό. Δοκιμάστε να μεταβάλετε το nonce.',
PARITY_TooCheapToReplace:
'Το τέλος συναλλαγής είναι πολύ χαμηλό. Υπάρχει μια άλλη συναλλαγή με το ίδιο nonce στη σειρά προτεραιότητας. Δοκιμάστε να αυξήσετε το τέλος ή να μεταβάλετε το nonce.',
PARITY_LimitReached:
'Υπάρχουν πολλές συναλλαγές στη σειρά προτεραιότητας. Η συναλλαγή σας απορρίφθηκε λόγω ορίου. Προσπαθήστε να αυξήσετε το τέλος.',
PARITY_InsufficientGasPrice:
'Το τέλος συναλλαγής είναι πολύ χαμηλό. Δεν ικανοποιεί το ελάχιστο τέλος του κόμβου σας (ελάχιστο: {}, δόθηκε: {}). Προσπαθήστε να αυξήσετε το τέλος.',
PARITY_InsufficientBalance:
'Ανεπαρκή κεφάλαια. Ο λογαριασμός από τον οποίον προσπαθείτε να στείλετε συναλλαγή δεν έχει αρκετά κεφάλαια. Απαιτούνται {} και δόθηκαν: {}.',
PARITY_GasLimitExceeded:
'Το κόστος συναλλαγής υπερβαίνει το τρέχον όριο αερίου. Όριο: {}, δόθηκε: {}. Προσπαθήστε να μειώσετε το παρεχόμενο αέριο.',
PARITY_InvalidGasLimit: 'Το παρεχόμενο αέριο είναι πέρα από το όριο.',
WARN_Send_Link:
'Έχετε φθάσει εδώ μέσω ενός συνδέσμου που έχει τη διεύθυνση, την αξία, το αέριο, τα πεδία δεδομένων ή τον τύπο συναλλαγής (τρόπο αποστολής) ήδη συμπληρωμένα για σας. Μπορείτε να αλλάξετε οποιοδήποτε στοιχείο πριν από την αποστολή. Ξεκλειδώστε το πορτοφόλι σας για να ξεκινήσετε. ',
/* Tranlsation Info */
translate_version: '0.3 ',
Translator_Desc: 'Ευχαριστούμε τους μεταφραστές μας ',
TranslatorName_1:
'[VitalikFanBoy#117](https://www.myetherwallet.com/?gaslimit=21000&to=0x245f27796a44d7e3d30654ed62850ff09ee85656&value=1.0#send-transaction) · ',
TranslatorAddr_1: '0x245f27796a44d7e3d30654ed62850ff09ee85656 ',
/* Translator 1 : Insert Comments Here */
TranslatorName_2: 'LefterisJP · ',
TranslatorAddr_2: '',
/* Translator 2 : Insert Comments Here */
TranslatorName_3:
'[Nikos Vavoulas](https://www.myetherwallet.com/?gaslimit=21000&to=0x062711C89Bd46E9765CfF0b743Cb83a9dBA2d2d2&value=1.0#send-transaction) · ',
TranslatorAddr_3: '0x062711C89Bd46E9765CfF0b743Cb83a9dBA2d2d2 ',
/* Translator 3 : Insert Comments Here */
TranslatorName_4: 'Ιωάννης Πρωτονοτάριος',
TranslatorAddr_4: '',
/* Translator 4 : Insert Comments Here */
TranslatorName_5: '',
TranslatorAddr_5: '',
/* Translator 5 : Insert Comments Here */
/* Help - Nothing after this point has to be translated. If you feel like being extra helpful, go for it. */
HELP_Warning:
'Εάν δημιουργήσατε πορτοφόλι -ή- κατεβάσατε το αποθετήριο πριν από τις **31 Δεκεμβρίου 2015**, παρακαλούμε ελέγξτε τα πορτοφόλια σας και κατεβάσετε μια νέα έκδοση του αποθετηρίου. Κάντε κλικ για λεπτομέρειες. ',
HELP_Desc:
'Do you see something missing? Have another question? [Get in touch with us](mailto:support@myetherwallet.com), and we will not only answer your question, we will update this page to be more useful to people in the future! ',
HELP_Remind_Title: 'Κάποιες υπενθυμίσεις ',
HELP_Remind_Desc_1:
'**Τα Ethereum, MyEtherWallet.com & MyEtherWallet CX και μερικές από τις βασικές βιβλιοθήκες Javascript που χρησιμοποιούμε βρίσκονται υπό ενεργό ανάπτυξη.** Ενώ έχουμε κάνει διεξοδικές δοκιμές και έχουν δημιουργηθεί με επιτυχία δεκάδες χιλιάδες πορτοφόλια από άτομα σε όλον τον πλανήτη, υπάρχει πάντα η μικρή πιθανότητα να συμβεί κάτι απροσδόκητο που θα μπορούσε να προκαλέσει την απώλεια των ETH σας. Παρακαλούμε να μην επενδύετε περισσότερο από ό,τι είστε διατεθειμένοι να χάσετε και παρακαλούμε επίσης να προσέχετε. Αν κάτι συμβεί, θα λυπηθούμε, αλλά **δεν θα είμαστε υπεύθυνοι για τον χαμένο Αιθέρα**. ',
HELP_Remind_Desc_2:
'Τα MyEtherWallet.com & MyEtherWallet CX δεν είναι «διαδικτυακά πορτοφόλια». Δεν δημιουργείτε κάποιον λογαριασμό ούτε μας δίνετε τον αιθέρα σας να σας τον φυλάξουμε. Όλα τα δεδομένα δεν φεύγουν από τον υπολογιστή/περιηγητή σας. Σας διευκολύνουμε να δημιουργείτε, να αποθηκεύετε και να έχετε πρόσβαση στις πληροφορίες σας και να αλληλεπιδράτε με το blockchain. ',
HELP_Remind_Desc_3:
'Αν δεν αποθηκεύσετε το ιδιωτικό σας κλειδί και το συνθηματικό σας, δεν υπάρχει τρόπος να ανακτήσετε πρόσβαση στο πορτοφόλι σας ή στα κεφάλαια που κατέχει. Πάρτε αντίγραφα ασφαλείας σε πολλαπλές φυσικές τοποθεσίες &ndash; όχι μόνο στον υπολογιστή σας! ',
HELP_0_Title: '0) Είμαι νέος χρήστης. Τι κάνω; ',
HELP_0_Desc_1:
"Το MyEtherWallet σας δίνει την δυνατότητα να δημιουργήσετε νέα πορτοφόλια ώστε να μπορείτε να αποθηκεύσετε τον αιθέρα σας μόνοι σας, και όχι σε κάποιο ανταλλακτήριο. Αυτή η διαδικασία συμβαίνει εξ'ολοκλήρου στον υπολογιστή σας, και όχι στους εξυπηρετητές μας. Για αυτό, όταν δημιουργείτε ένα νέο πορτοφόλι, **εσείς είστε υπεύθυνοι να κρατήσετε αντίγραφα ασφαλείας**. ",
HELP_0_Desc_2: 'Δημιουργήστε ένα νέο πορτοφόλι. ',
HELP_0_Desc_3: 'Κρατήστε αντίγραφο ασφαλείας ποτοφολιού. ',
HELP_0_Desc_4:
'Επιβεβαιώστε ότι έχετε πρόσβαση στο νέο αυτό πορτοφόλι και ότι αποθηκεύσατε σωστά όλες τις απαραίτητες πληροφορίες. ',
HELP_0_Desc_5: 'Μεταφέρετε αιθέρα στο νέο αυτό πορτοφόλι. ',
HELP_1_Title: '1) Πώς φτιάχνω ένα νέο πορτοφόλι; ',
HELP_1_Desc_1: 'Πηγαίνετε στη σελίδα «Δημιουργία πορτοφολιού». ',
HELP_1_Desc_2:
'Πηγαίνετε στη σελίδα «Προσθήκη πορτοφολιού» & επιλέξτε «Δημιουργία νέου πορτοφολιού» ',
HELP_1_Desc_3:
'Πληκτρολογήστε ένα ισχυρό συνθηματικό. Αν νομίζετε ότι μπορεί να το ξεχάσετε, αποθηκεύστε το κάπου που να είναι ασφαλές. Θα χρειαστείτε αυτό το συνθηματικό για τις εξερχόμενες συναλλαγές σας. ',
HELP_1_Desc_4: 'Κάντε κλικ στο «ΔΗΜΙΟΥΡΓΙΑ». ',
HELP_1_Desc_5: 'Το πορτοφόλι σας δημιουργήθηκε με επιτυχία. ',
HELP_2a_Desc_1:
'Θα πρέπει πάντα να δημιουργείτε εξωτερικά αντίγραφα ασφαλείας του πορτοφολιού σας και σε πολλαπλές φυσικές τοποθεσίες - όπως σε μια μονάδα USB ή/και σε ένα κομμάτι χαρτί. ',
HELP_2a_Desc_2:
'Αποθηκεύστε τη διεύθυνση. Μπορείτε να την κρατήσετε για τον εαυτό σας ή να τη μοιραστείτε με άλλους. Με αυτόν τον τρόπο, οι άλλοι μπορούν να μεταφέρουν αιθέρα σε εσάς. ',
HELP_2a_Desc_3:
'Save versions of the private key. Do not share it with anyone else. Your private key is necessary when you want to access your Ether to send it! There are 3 types of private keys: ',
HELP_2a_Desc_4:
'Τοποθετήστε τη διεύθυνση, αντίγραφα του ιδιωτικού κλειδιού και το αρχείο PDF του χάρτινου πορτοφολιού σας σε ένα φάκελο. Αποθηκεύστε τον στον υπολογιστή σας και μια μονάδα USB. ',
HELP_2a_Desc_5:
'Εκτυπώστε το πορτοφόλι εάν έχετε εκτυπωτή. Διαφορετικά, σημειώστε το ιδιωτικό σας κλειδί και τη διεύθυνση σε ένα κομμάτι χαρτί. Αποθηκεύστε το σε ασφαλή τοποθεσία, σε ξεχωριστό μέρος από τον υπολογιστή και τη μονάδα USB. ',
HELP_2a_Desc_6:
'Λάβετε υπόψιν σας ότι στόχος είναι να αποτρέψετε την απώλεια των κλειδιών και του συνθηματικού από απώλεια ή βλάβη του σκληρού σας δίσκου, ή της μονάδας USB, ή του χαρτιού. Πρέπει επίσης να έχετε κατά νου τη φυσική απώλεια / καταστροφή μιας ολόκληρης περιοχής (σκεφτείτε πυρκαγιά ή πλημμύρα). ',
HELP_2b_Title:
'2β) Πώς μπορώ να έχω ασφάλεια / συναλλαγές εκτός σύνδεσης / ψυχρή αποθήκευση με το MyEtherWallet? ',
HELP_2b_Desc_1:
'Πηγαίνετε στο [https://github.com/kvhnuke/etherwallet/releases/latest](https://github.com/kvhnuke/etherwallet/releases/latest). ',
HELP_2b_Desc_2: 'Κάντε κλικ στο `etherwallet-vX.X.X.X.zip`. ',
HELP_2b_Desc_3:
'Μετακινήστε το zip σε έναν υπολογιστή απομονωμένο από το δίκτυο. ',
HELP_2b_Desc_4: 'Αποσυμπιέστε το και κάντε διπλό κλικ στο `index.html`. ',
HELP_2b_Desc_5: 'Δημιουργήστε ένα πορτοφόλι με ισχυρό συνθηματικό. ',
HELP_2b_Desc_6:
'Αποθηκεύστε τη διεύθυνση. Αποθηκεύστε πολλαπλά αντίγραφα του ιδιωτικού κλειδιού. Αποθηκεύστε το συνθηματικό εάν υπάρχει περίπτωση να μην το θυμάστε για πάντα. ',
HELP_2b_Desc_7:
'Φυλάξτε αυτά τα χαρτιά / USB σε πολλαπλές και ξεχωριστές μεταξύ τους τοποθεσίες. ',
HELP_2b_Desc_8:
'Πηγαίνετε στη σελίδα «Προβολή πληροφοριών πορτοφολιού» και πληκτρολογήστε το ιδιωτικό κλειδί / συνθηματικό σας για να βεβαιωθείτε ότι είναι σωστά και ότι έχετε πρόσβαση στο πορτοφόλι σας. Ελέγξτε ότι η διεύθυνση που σημειώσατε στο χαρτί είναι η ίδια. ',
HELP_3_Title:
'3) Πώς μπορώ να επαληθεύσω ότι έχω πρόσβαση στο νέο πορτοφόλι μου; ',
HELP_3_Desc_1:
'**Πριν στείλετε οποιοδήποτε ποσό Αιθέρα στο νέο σας πορτοφόλι**, πρέπει να βεβαιωθείτε ότι έχετε πρόσβαση σε αυτό. ',
HELP_3_Desc_2: 'Μεταβείτε στη σελίδα «Προβολή πληροφοριών ποστοφολιού». ',
HELP_3_Desc_3:
'Μεταβείτε στη σελίδα «Προβολή πληροφοριών ποστοφολιού» του MyEtherWallet.com. ',
HELP_3_Desc_4:
'Επιλέξτε το αρχείο πορτοφολιού σας -ή- το ιδιωτικό σας κλειδί και ξεκλειδώστε το πορτοφόλι σας. ',
HELP_3_Desc_5:
'Εάν το πορτοφόλι είναι κρυπτογραφημένο, θα εμφανιστεί αυτόματα ένα πλαίσιο κειμένου. Εισαγάγετε το συνθηματικό σας. ',
HELP_3_Desc_6: 'Κάντε κλικ στο κουμπί «Ξεκλείδωμα πορτοφολιού». ',
HELP_3_Desc_7:
'Τα στοιχεία του πορτοφολιού σας θα πρέπει να εμφανιστούν. Βρείτε τη διεύθυνση του λογαριασμού σας, δίπλα σε ένα πολύχρωμο κυκλικό εικονίδιο. Αυτό το εικονίδιο αντιπροσωπεύει οπτικά τη διεύθυνσή σας. Βεβαιωθείτε ότι η διεύθυνση είναι η διεύθυνση που έχετε αποθηκεύσει στο έγγραφο κειμένου και βρίσκεται στο χάρτινο πορτοφόλι σας. ',
HELP_3_Desc_8:
'Αν σκοπεύετε να φυλάξετε μεγάλη ποσότητα αιθέρα, σας συνιστούμε να στείλετε πρώτα μια μικρή ποσότητα αιθέρα από το νέο πορτοφόλι πριν καταθέσετε κάποιο μεγάλο ποσό. Στείλτε 0.001 μονάδες αιθέρα στο νέο σας πορτοφόλι, αποκτήστε πρόσβαση στο πορτοφόλι, στείλτε τις 0.001 μονάδες αιθέρα σε άλλη διεύθυνση και βεβαιωθείτε ότι όλα λειτουργούν ομαλά. ',
HELP_4_Title: '4) Πώς στέλνω Αιθέρα από ένα πορτοφόλι σε ένα άλλο; ',
HELP_4_Desc_1:
'Αν σκοπεύετε να μετακινήσετε ένα μεγάλο ποσό αιθέρα, θα πρέπει πρώτα να δοκιμάσετε να στείλετε ένα μικρό ποσό στο πορτοφόλι σας για να διασφαλίσετε ότι όλα δουλεύουν όπως πρέπει. ',
HELP_4_Desc_2: 'Μεταβείτε στη σελίδα «Αποστολή αιθέρα και μαρκών». ',
HELP_4_Desc_3:
'Επιλέξτε το αρχείο πορτοφολιού σας -ή- το ιδιωτικό σας κλειδί και ξεκλειδώστε το πορτοφόλι σας. ',
HELP_4_Desc_4:
'Εάν το πορτοφόλι είναι κρυπτογραφημένο, θα εμφανιστεί αυτόματα ένα πλαίσιο κειμένου. Εισαγάγετε το συνθηματικό. ',
HELP_4_Desc_5: 'Κάντε κλικ στο κουμπί «Ξεκλείδωμα πορτοφολιού». ',
HELP_4_Desc_6:
'Enter the address you would like to send to in the "To Address:" field. ',
HELP_4_Desc_7:
'Enter the amount you would like to send. You can also click the "Send Entire Balance" link if you would like the transfer the entire balance. ',
HELP_4_Desc_9: 'Click "Generate Transaction". ',
HELP_4_Desc_10:
'A couple more fields will appear. This is your browser generating the transaction. ',
HELP_4_Desc_11: 'Click the blue "Send Transaction" button below that. ',
HELP_4_Desc_12:
'A pop-up will appear. Verify that the amount and the address you are sending to are correct. Then click "Yes, I am sure! Make transaction." button. ',
HELP_4_Desc_13:
'The transaction will be submitted. The TX Hash will display. You can click that TX Hash to see it on the blockchain. ',
HELP_4CX_Title: '4) How do I send Ether using MyEtherWallet CX? ',
HELP_4CX_Desc_1:
'Πρώτα, πρέπει να προσθέσετε ένα πορτοφόλι. Άπαξ και το κάνετε αυτό έχετε δύο επιλογές: τη λειτουργία «QuickSend» από το εικονίδιο της επέκτασης στο Chrome ή από τη σελίδα «Αποστολή αιθέρα και μαρκών». ',
HELP_4CX_Desc_2: 'QuickSend: ',
HELP_4CX_Desc_3: 'Click the Chrome Extension Icon. ',
HELP_4CX_Desc_4: 'Click the "QuickSend" button. ',
HELP_4CX_Desc_5: 'Select the wallet you wish to send from. ',
HELP_4CX_Desc_6:
'Enter the address you would like to send to in the "To Address:" field. ',
HELP_4CX_Desc_7:
'Enter the amount you would like to send. You can also click the "Send Entire Balance" link if you would like the transfer the entire balance. ',
HELP_4CX_Desc_8: 'Click "Send Transaction". ',
HELP_4CX_Desc_9:
'Verify the address and the amount you are sending is correct. ',
HELP_4CX_Desc_10: 'Enter the password for that wallet. ',
HELP_4CX_Desc_11: 'Click "Send Transaction." ',
HELP_4CX_Desc_12: 'Using «Αποστολή αιθέρα και μαρκών» Page ',
HELP_5_Title: '5) How do I run MyEtherWallet.com offline/locally? ',
HELP_5_Desc_1:
'You can run MyEtherWallet.com on your computer instead of from the GitHub servers. You can generate a wallet completely offline and send transactions from the "Offline Transaction" page. ',
HELP_5_Desc_7:
'MyEtherWallet.com is now running entirely on your computer. ',
HELP_5_Desc_8:
"In case you are not familiar, you need to keep the entire folder in order to run the website, not just `index.html`. Don't touch or move anything around in the folder. If you are storing a backup of the MyEtherWallet repo for the future, we recommend just storing the ZIP so you can be sure the folder contents stay intact. ",
HELP_5_Desc_9:
'As we are constantly updating MyEtherWallet.com, we recommend you periodically update your saved version of the repo. ',
HELP_5CX_Title:
'5) Πώς μπορώ να εγκαταστήσω αυτήν την επέκταση από το αποθετήριο αντί του Chrome Store; ',
HELP_5CX_Desc_2: 'Click on `chrome-extension-vX.X.X.X.zip` and unzip it. ',
HELP_5CX_Desc_3:
'Go to Google Chrome and find you settings (in the menu in the upper right). ',
HELP_5CX_Desc_4: 'Click "Extensions" on the left. ',
HELP_5CX_Desc_5:
'Check the "Developer Mode" button at the top of that page. ',
HELP_5CX_Desc_6: 'Click the "Load unpacked extension..." button. ',
HELP_5CX_Desc_7:
'Navigate to the now-unzipped folder that you downloaded earlier. Click "select". ',
HELP_5CX_Desc_8:
'The extension should now show up in your extensions and in your Chrome Extension bar. ',
HELP_7_Title:
'7) Πώς μπορώ να στείλω μάρκες και να προσθέσω προσαρμοσμένες μάρκες; ',
HELP_7_Desc_0:
'Το [Ethplorer.io](https://ethplorer.io/) είναι ένας πολύ καλός τρόπος για να εξερευνήσετε τις διάφορες μάρκες και να βρείτε τα δεκαδικά ψηφία μιας μάρκας. ',
HELP_7_Desc_1: 'Μεταβείτε στη σελίδα «Αποστολή αιθέρα και μαρκών». ',
HELP_7_Desc_2: 'Ξεκλειδώστε το πορτοφόλι σας. ',
HELP_7_Desc_3:
'Εισαγάγετε τη διεύθυνση στην οποία θέλετε να αποστείλετε στο πεδίο «Προς διεύθυνση:». ',
HELP_7_Desc_4: 'Εισαγάγετε το ποσό που θέλετε να στείλετε. ',
HELP_7_Desc_5: 'Εισαγάγετε το ποσό που θέλετε να στείλετε. ',
HELP_7_Desc_6: 'Εάν δεν βλέπετε τη μάρκα στη λίστα: ',
HELP_7_Desc_7: 'Κάντε κλικ στο «Προσαρμογή». ',
HELP_7_Desc_8:
'Εισαγάγετε τη διεύθυνση, το όνομα και τα δεκαδικά ψηφία της μάρκας. Αυτά παρέχονται από τους δημιουργούς της μάρκας και είναι επίσης απαραίτητα όταν χρησιμοποιείτε την επιλογή «Add a Watch Token» στο Mist. ',
HELP_7_Desc_9: 'Κάντε κλικ στο «Αποθήκευση». ',
HELP_7_Desc_10:
'Μπορείτε τώρα να αποστείλετε αυτή τη μάρκα καθώς και να δείτε το υπόλοιπό της στην πλευρική στήλη. ',
HELP_7_Desc_11: 'Κάντε κλικ στο «Δημιουργία συναλλαγής». ',
HELP_7_Desc_12:
'Θα εμφανιστούν κάνα δυο ακόμα πεδία. Πρόκειται για τον περιηγητή σας που δημιουργεί τη συναλλαγή. ',
HELP_7_Desc_13:
'Κάντε κλικ στο μπλε κουμπί «Αποστολή συναλλαγής» παρακάτω. ',
HELP_7_Desc_14:
'Θα εμφανιστεί ένα αναδυόμενο παράθυρο. Βεβαιωθείτε ότι το ποσό και η διεύθυνση στην οποία αποστέλλετε είναι σωστά. Στη συνέχεια, κάντε κλικ στο κουμπί «Ναι, είμαι σίγουρος! Να εκτελεστεί η συναλλαγή.». ',
HELP_7_Desc_15:
'Η συναλλαγή θα υποβληθεί. Θα εμφανιστεί το Hash της συναλλαγής. Μπορείτε να κάνετε κλικ σε αυτό το Hash της συναλλαγής για να το δείτε στο blockchain. ',
HELP_8_Title: '8) Τι θα συμβεί εάν ο ιστότοπός σας πέσει; ',
HELP_8_Desc_1:
'Το MyEtherWallet δεν είναι πορτοφόλι ιστού. Δεν γίνεται σύνδεση χρήστη και τίποτα δεν αποθηκεύεται στους διακομιστές μας. Είναι απλά μια διεπαφή που σας επιτρέπει να αλληλεπιδράσετε με το blockchain. ',
HELP_8_Desc_2:
'Αν το MyEtherWallet.com πέσει, μπορείτε να χρησιμοποιήσετε κάποιον άλλον τρόπο (όπως το geth ή το Ethereum Wallet / Mist) για να κάνετε ό,τι κάνουμε. Αλλά δεν θα χρειαστεί να «βγάλετε» τον Αιθέρα σας από το MyEtherWallet επειδή δεν βρίσκεται μέσα στο MyEtherWallet. Βρίσκεται στο όποιο πορτοφόλι δημιουργήσατε μέσω του ιστοτόπου μας. ',
HELP_8_Desc_3:
'Μπορείτε να εισαγάγετε πολύ εύκολα το μη κρυπτογραφημένο σας ιδιωτικό κλειδί και τα αρχεία σε φορμά Geth / Mist (κρυπτογραφημένα) απευθείας στο geth / Ethereum Wallet / Mist. Δείτε την ερώτηση Νο 12 παρακάτω. ',
HELP_8_Desc_4:
'Επιπρόσθετα, η πιθανότητα να πέσει το MyEtherWallet είναι ελάχιστη έως ανύπαρκτη. Δεν μας κοστίζει σχεδόν τίποτα να το διατηρούμε, δεδομένου ότι δεν αποθηκεύουμε καμία πληροφορία. Εάν πάψει να λειτουργεί το όνομα χώρου, το MyEtherWallet εξακολουθεί να είναι και πάντα θα είναι διαθέσιμο δημοσίως στη διεύθυνση [https://github.com/kvhnuke/etherwallet](https://github.com/kvhnuke/etherwallet/tree/gh-pages). Μπορείτε να κατεβάσετε το ZIP και να το εκτελέσετε τοπικά. ',
HELP_8CX_Title: '8) What happens if MyEtherWallet CX disappears? ',
HELP_8CX_Desc_1:
"First, all data is saved on your computer, not our servers. I know it can be confusing, but when you look at the Chrome Extension, you are NOT looking at stuff saved on our servers somewhere - it's all saved on your own computer. ",
HELP_8CX_Desc_2:
'That said, it is **very important** that you back up all your information for any new wallets generated with MyEtherWallet CX. That way if anything happens to MyEtherWallet CX or your computer, you still have all the information necessary to access your Ether. See the #2a for how to back up your wallets. ',
HELP_8CX_Desc_3:
'If for some reason MyEtherWallet CX disappears from the Chrome Store, you can find the source on Github and load it manually. See #5 above. ',
HELP_9_Title: '9) Is the «Αποστολή αιθέρα και μαρκών» page offline? ',
HELP_9_Desc_1:
'No. It needs the internet in order to get the current gas price, nonce of your account, and broadcast the transaction (aka "send"). However, it only sends the signed transaction. Your private key safely stays with you. We also now provide an "Offline Transaction" page so that you can ensure your private keys are on an offline/airgapped computer at all times. ',
HELP_10_Title: '10) How do I make an offline transaction? ',
HELP_10_Desc_1:
'Navigate to the "Offline Transaction" page via your online computer. ',
HELP_10_Desc_2:
'Enter the "From Address". Please note, this is the address you are sending FROM, not TO. This generates the nonce and gas price. ',
HELP_10_Desc_3:
'Move to your offline computer. Enter the "TO ADDRESS" and the "AMOUNT" you wish to send. ',
HELP_10_Desc_4:
'Enter the "GAS PRICE" as it was displayed to you on your online computer in step #1. ',
HELP_10_Desc_5:
'Enter the "NONCE" as it was displayed to you on your online computer in step #1. ',
HELP_10_Desc_6:
'The "GAS LIMIT" has a default value of 21000. This will cover a standard transaction. If you are sending to a contract or are including additional data with your transaction, you will need to increase the gas limit. Any excess gas will be returned to you. ',
HELP_10_Desc_7:
'If you wish, enter some data. If you enter data, you will need to include more than the 21000 default gas limit. All data is in HEX format. ',
HELP_10_Desc_8:
'Select your wallet file -or- your private key and unlock your wallet. ',
HELP_10_Desc_9: 'Press the "GENERATE SIGNED TRANSACTION" button. ',
HELP_10_Desc_10:
'The data field below this button will populate with your signed transaction. Copy this and move it back to your online computer. ',
HELP_10_Desc_11:
'On your online computer, paste the signed transaction into the text field in step #3 and click send. This will broadcast your transaction. ',
HELP_12_Title:
'12) How do I import a wallet created with MyEtherWallet into geth / Ethereum Wallet / Mist? ',
HELP_12_Desc_1: 'Using an Geth/Mist JSON file from MyEtherWallet v2+.... ',
HELP_12_Desc_2: 'Go to the "View Wallet Info" page. ',
HELP_12_Desc_3:
'Unlock your wallet using your **encrypted** private key or JSON file. ',
HELP_12_Desc_4: 'Go to the "My Wallets" page. ',
HELP_12_Desc_5:
'Select the wallet you want to import into Mist, click the "View" icon, enter your password, and access your wallet. ',
HELP_12_Desc_6:
'Find the "Download JSON file - Geth/Mist Format (encrypted)" section. Press the "Download" button below that. You now have your keystore file. ',
HELP_12_Desc_7: 'Open the Ethereum Wallet application. ',
HELP_12_Desc_8: 'In the menu bar, go "Accounts" -> "Backup" -> "Accounts" ',
HELP_12_Desc_9:
'This will open your keystore folder. Copy the file you just downloaded (`UTC--2016-04-14......../`) into that keystore folder. ',
HELP_12_Desc_10:
'Your account should show up immediately under "Accounts." ',
HELP_12_Desc_11: 'Using your unencrypted private key... ',
HELP_12_Desc_12:
'If you do not already have your unencrypted private key, navigate to the "View Wallet Details" page. ',
HELP_12_Desc_13:
'Select your wallet file -or- enter/paste your private key to unlock your wallet. ',
HELP_12_Desc_14: 'Copy Your Private Key (μη κρυπτογραφημένο). ',
HELP_12_Desc_15: 'If you are on a Mac: ',
HELP_12_Desc_15b: 'If you are on a PC: ',
HELP_12_Desc_16: 'Open Text Edit and paste this private key. ',
HELP_12_Desc_17:
'Go to the menu bar and click "Format" -> "Make Plain Text". ',
HELP_12_Desc_18:
'Save this file to your `desktop/` as `nothing_special_delete_me.txt`. Make sure it says "UTF-8" and "If no extension is provided use .txt" in the save dialog. ',
HELP_12_Desc_19:
'Open terminal and run the following command: `geth account import ~/Desktop/nothing_special_delete_me.txt` ',
HELP_12_Desc_20:
"This will prompt you to make a new password. This is the password you will use in geth / Ethereum Wallet / Mist whenever you send a transaction, so don't forget it. ",
HELP_12_Desc_21:
'After successful import, delete `nothing_special_delete_me.txt` ',
HELP_12_Desc_22:
'The next time you open the Ethereum Wallet application, your account will be listed under "Accounts". ',
HELP_12_Desc_23: 'Open Notepad & paste the private key ',
HELP_12_Desc_24:
'Save the file as `nothing_special_delete_me.txt` at `C:` ',
HELP_12_Desc_25:
'Run the command, `geth account import C:\\nothing_special_delete_me.txt` ',
HELP_12_Desc_26:
"This will prompt you to make a new password. This is the password you will use in geth / Ethereum Wallet / Mist whenever you send a transaction, so don't forget it. ",
HELP_12_Desc_27:
'After successful import, delete `nothing_special_delete_me.txt` ',
HELP_12_Desc_28:
'The next time you open the Ethereum Wallet application, your account will be listed under "Accounts". ',
HELP_13_Title:
'13) What does "Insufficient funds. Account you try to send transaction from does not have enough funds. Required XXXXXXXXXXXXXXXXXXX and got: XXXXXXXXXXXXXXXX." Mean? ',
HELP_13_Desc_1:
'This means you do not have enough Ether in your account to cover the cost of gas. Each transaction (including token and contract transactions) require gas and that gas is paid in Ether. The number displayed is the amount required to cover the cost of the transaction in Wei. Take that number, divide by `1000000000000000000`, and subtract the amount of Ether you were trying to send (if you were attempting to send Ether). This will give you the amount of Ether you need to send to that account to make the transaction. ',
HELP_14_Title:
'14) Ορισμένοι ιστότοποι τυχαιοποιούν την παραγωγή του ιδιωτικού κλειδιού μέσω κινήσεων του ποντικιού. Το MyEtherWallet.com δεν το κάνει αυτό. Είναι ασφαλής η παραγωγή τυχαίων αριθμών για το MyEtherWallet; ',
HELP_14_Desc_1:
'Ενώ αυτό το πράγμα με τις κινήσεις του ποντικιού είναι έξυπνο και καταλαβαίνουμε γιατί αρέσει στους περισσότερους ανθρώπους, η πραγματικότητα όμως είναι ότι το window.crypto εξασφαλίζει περισσότερη εντροπία από τις κινήσεις του ποντικιού σας. Δεν είναι ότι οι κινήσεις του ποντικιού δεν είναι ασφαλείς, είναι ότι εμείς (και οι τόνοι πειραμάτων κρυπτογράφησης) πιστεύουμε στο window.crypto. Επιπλέον, το MyEtherWallet.com μπορεί να χρησιμοποιηθεί σε συσκευές αφής. Εδώ είναι μια [συζήτηση μεταξύ ενός θυμωμένου redditor και του Vitalik Buterin σχετικά με τις κινήσεις του ποντικιού έναντι του window.crypto](https://www.reddit.com/r/ethereum/comments/2bilqg/note_there_is_a_paranoid_highsecurity_way_to/cj5sgrm) και εδώ είναι οι [προδιαγραφές w3 του window.crypto](https://dvcs.w3.org/hg/webcrypto-api/raw-file/tip/spec/Overview.html#dfn-GlobalCrypto). ',
HELP_15_Title:
'15) Γιατί δεν έχει εμφανιστεί ο λογαριασμός που μόλις δημιούργησα στον εξερευνητή blockchain; (δηλαδή: etherchain, etherscan) ',
HELP_15_Desc_1:
'Ένας λογαριασμός εμφανίζεται σε έναν εξερευνητή blockchain μόνο όταν ο λογαριασμός έχει δραστηριότητα&mdash;για παράδειγμα, αφού μεταφέρετε κάποιο ποσό Αιθέρα σε αυτόν. ',
HELP_16_Title: '16) Πώς ελέγχω το υπόλοιπο του λογαριασμού μου; ',
HELP_16_Desc_1:
'Μπορείτε να χρησιμοποιήσετε έναν εξερευνητή blockchain όπως το [etherscan.io](http://etherscan.io/). Επικολλήστε τη διεύθυνσή σας στη γραμμή αναζήτησης και θα ανασύρει τη διεύθυνση και το ιστορικό συναλλαγών σας. Για παράδειγμα, δείτε πώς φαίνεται ο [λογαριασμός μας για δωρέες](http://etherscan.io/address/0x7cb57b5a97eabe94205c07890be4c1ad31e486a8) στο etherscan.io ',
HELP_17_Title:
'17) Γιατί δεν εμφανίζεται το υπόλοιπό μου όταν ξεκλειδώνω το πορτοφόλι μου; ',
HELP_17_Desc_1:
'Αυτό πιθανότατα οφείλεται στο γεγονός ότι βρίσκεστε πίσω από κάποιο τείχος προστασίας. Το API που χρησιμοποιούμε για να πάρουμε το υπόλοιπο και να μετατρέψουμε το εν λόγω υπόλοιπο συχνά εμποδίζεται από τείχη προστασίας για διάφορους λόγους. Θα εξακολουθείτε να είστε σε θέση να αποστείλετε συναλλαγές, απλά πρέπει να χρησιμοποιήσετε μια διαφορετική μέθοδο για να δείτε το εν λόγω υπόλοιπο, όπως το etherscan.io ',
HELP_18_Title: '18) Where is my geth wallet file? ',
HELP_19_Title: '19) Where is my Mist wallet file? ',
HELP_19_Desc_1:
'Mist files are typically found in the file locations above, but it\'s much easier to open Mist, select "Accounts" in the top bar, select "Backup", and select "Accounts". This will open the folder where your files are stored. ',
HELP_20_Title: '20) Where is my pre-sale wallet file? ',
HELP_20_Desc_1:
'Wherever you saved it. ;) It also was emailed to you, so check there. Look for the file called `"ethereum_wallet_backup.json"` and select that file. This wallet file will be encrypted with a password that you created during the purchase of the pre-sale. ',
HELP_21_Title:
"21) Couldn't everybody put in random private keys, look for a balance, and send to their own address? ",
HELP_21_Desc_1:
'Short version: yes, but finding an account with a balance would take longer than the universe...so...no. ',
HELP_21_Desc_2:
'Long ELI5 Version: So Ethereum is based on [Public Key Cryptography](https://en.wikipedia.org/wiki/Public-key_cryptography), specifically [Elliptic curve cryptography](https://eprint.iacr.org/2013/734.pdf) which is very widely used, not just in Ethereum. Most servers are protected via ECC. Bitcoin uses the same, as well as SSH and TLS and a lot of other stuff. The Ethereum keys specifically are 256-bit keys, which are stronger than 128-bit and 192-bit, which are also widely used and still considered secure by experts. ',
HELP_21_Desc_3:
'In this you have a private key and a public key. The private key can derive the public key, but the public key cannot be turned back into the private key. The fact that the internet and the worlds secrets are using this cryptography means that if there is a way to go from public key to private key, your lost ether is the least of everyones problems. ',
HELP_21_Desc_4:
'Now, that said, YES if someone else has your private key then they can indeed send ether from your account. Just like if someone has your password to your email, they can read and send your email, or the password to your bank account, they could make transfers. You could download the Keystore version of your private key which is the private key that is encrypted with a password. This is like having a password that is also protected by another password. ',
HELP_21_Desc_5:
'And YES, in theory you could just type in a string of 64 hexadecimal characters until you got one that matched. In fact, smart people could write a program to very quickly check random private keys. This is known as "brute-forcing" or "mining" private keys. People have thought about this long and hard. With a few very high end servers, they may be able to check 1M+ keys / second. However, even checking that many per second would not yield access to make the cost of running those servers even close to worthwhile - it is more likely you, and your great-grandchildren, will die before getting a match. ',
HELP_21_Desc_6:
'If you know anything about Bitcoin, [this will put it in perspective:](http://bitcoin.stackexchange.com/questions/32331/two-people-with-same-public-address-how-will-people-network-know-how-to-deliver) *To illustrate how unlikely this is: suppose every satoshi of every bitcoin ever to be generated was sent to its own unique private keys. The probability that among those keys there could be two that would correspond to the same address is roughly one in 100 quintillion. ',
HELP_21_Desc_7:
'[If you want something a bit more technical:](http://security.stackexchange.com/questions/25375/why-not-use-larger-cipher-keys/25392#25392) *These numbers have nothing to do with the technology of the devices; they are the maximums that thermodynamics will allow. And they strongly imply that brute-force attacks against 256-bit keys will be infeasible until computers are built from something other than matter and occupy something other than space. ',
HELP_21_Desc_8:
"Of course, this all assumes that keys are generated in a truly random way & with sufficient entropy. The keys generated here meet that criteria, as do Jaxx and Mist/geth. The Ethereum wallets are all pretty good. Keys generated by brainwallets do not, as a person's brain is not capable of creating a truly random seed. There have been a number of other issues regarding lack of entropy or seeds not being generated in a truly random way in Bitcoin-land, but that's a separate issue that can wait for another day. ",
HELP_SecCX_Title: 'Security - MyEtherWallet CX ',
HELP_SecCX_Desc_1: 'Where is this extension saving my information? ',
HELP_SecCX_Desc_2:
'The information you store in this Chrome Extension is saved via [chrome.storage](http://chrome.storage/). - this is the same place your passwords are saved when you save your password in Chrome. ',
HELP_SecCX_Desc_3: 'What information is saved? ',
HELP_SecCX_Desc_4:
'The address, nickname, private key is stored in chrome.storage. The private key is encrypted using the password you set when you added the wallet. The nickname and wallet address is not encrypted. ',
HELP_SecCX_Desc_5: "Why aren't the nickname and wallet address encrypted? ",
HELP_SecCX_Desc_6:
'If we were to encrypt these items, you would need to enter a password each time you wanted to view your account balance or view the nicknames. If this concerns you, we recommend you use MyEtherWallet.com instead of this Chrome Extension. ',
HELP_Sec_Title: 'Ασφάλεια ',
HELP_Sec_Desc_1:
'If one of your first questions is "Why should I trust these people?", that is a good thing. Hopefully the following will help ease your fears. ',
HELP_Sec_Desc_2:
'We\'ve been up and running since August 2015. If you search for ["myetherwallet" on reddit](https://www.reddit.com/search?q=myetherwallet), you can see numerous people who use us with great success. ',
HELP_Sec_Desc_3:
'We aren\'t going to take your money or steal your private key(s). There is no malicious code on this site. In fact the "GENERATE WALLET" pages are completely client-side. That means that all the code is executed on ** your computer** and it is never saved and transmitted anywhere. ',
HELP_Sec_Desc_4:
'Check the URL -- This site is being served through GitHub and you can see the source code here: [https://github.com/kvhnuke/etherwallet/tree/gh-pages](https://github.com/kvhnuke/etherwallet/tree/gh-pages) to [https://www.myetherwallet.com](https://www.myetherwallet.com). ',
HELP_Sec_Desc_5:
'For generating wallets, you can download the [source code and run it locally](https://github.com/kvhnuke/etherwallet/releases/latest). See #5 above. ',
HELP_Sec_Desc_6:
'Generate a test wallet and check and see what network activity is happening. The easiest way for you to do this is to right click on the page and click "inspect element". Go to the "Network" tab. Generate a test wallet. You will see there is no network activity. You may see something happening that looks like data:image/gif and data:image/png. Those are the QR codes being generated...on your computer...by your computer. No bytes were transferred. ',
HELP_Sec_Desc_8:
'If you do not feel comfortable using this tool, then by all means, do not use it. We created this tool as a helpful way for people to generate wallets and make transactions without needing to dive into command line or run a full node. Again, feel free to reach out if you have concerns and we will respond as quickly as possible. Thanks! ',
HELP_FAQ_Title: 'Περισσότερες χρήσιμες απαντήσεις σε συχνές ερωτήσεις ',
HELP_Contact_Title: 'Τρόποι για να έρθετε σε επαφή'
}
};

View File

@ -4,6 +4,81 @@
module.exports = {
code: 'en',
data: {
/* New Generics */
x_CancelReplaceTx: 'Cancel or Replace Transaction',
x_CancelTx: 'Cancel Transaction',
x_PasswordDesc:
'This password * encrypts * your private key. This does not act as a seed to generate your keys. **You will need this password + your private key to unlock your wallet.**',
x_ReadMore: 'Read More',
x_ReplaceTx: 'Replace Transaction',
x_TransHash: 'Transaction Hash',
x_TXFee: 'TX Fee',
x_TxHash: 'TX Hash',
/* Check TX Status */
NAV_CheckTxStatus: 'Check TX Status',
NAV_TxStatus: 'TX Status',
tx_Details: 'Transaction Details',
tx_Summary:
'During times of high volume (like during ICOs) transactions can be pending for hours, if not days. This tool aims to give you the ability to find and "cancel" / replace these TXs. ** This is not typically something you can do. It should not be relied upon & will only work when the TX Pools are full. [Please, read about this tool here.](https://myetherwallet.groovehq.com/knowledge_base/topics/how-can-i-check-on-the-status-of-my-transaction-can-i-cancel-override-overwrite-replace-or-do-anything-once-a-transaction-has-been-sent)**',
tx_notFound: 'Transaction Not Found',
tx_notFound_1:
'This TX cannot be found in the TX Pool of the node you are connected to.',
tx_notFound_2:
'If you just sent the transaction, please wait 15 seconds and press the "Check TX Status" button again. ',
tx_notFound_3:
'It could still be in the TX Pool of a different node, waiting to be mined.',
tx_notFound_4:
'Please use the dropdown in the top-right & select a different ETH node (e.g. `ETH (Etherscan.io)` or `ETH (Infura.io)` or `ETH (MyEtherWallet)`) and check again.',
tx_foundInPending: 'Pending Transaction Found',
tx_foundInPending_1:
'Your transaction was located in the TX Pool of the node you are connected to. ',
tx_foundInPending_2: 'It is currently pending (waiting to be mined). ',
tx_foundInPending_3:
'There is a chance you can "cancel" or replace this transaction. Unlock your wallet below.',
tx_FoundOnChain: 'Transaction Found',
tx_FoundOnChain_1:
'Your transaction was successfully mined and is on the blockchain.',
tx_FoundOnChain_2:
'**If you see a red `( ! )`, a `BAD INSTRUCTION` or `OUT OF GAS` error message**, it means that the transaction was not successfully *sent*. You cannot cancel or replace this transaction. Instead, send a new transaction. If you received an "Out of Gas" error, you should double the gas limit you specified originally.',
tx_FoundOnChain_3:
'**If you do not see any errors, your transaction was successfully sent.** Your ETH or Tokens are where you sent them. If you cannot see this ETH or Tokens credited in your other wallet / exchange account, and it has been 24+ hours since you sent, please [contact that service](https://myetherwallet.groovehq.com/knowledge_base/topics/i-have-a-question-but-its-not-about-myetherwallet-dot-com-what-do-i-do). Send them the *link* to your transaction and ask them, nicely, to look into your situation.',
/* Gen Wallet Updates */
GEN_Help_1: 'Use your',
GEN_Help_2: 'to access your account.',
GEN_Help_3: 'Your device * is * your wallet.',
GEN_Help_4: 'Guides & FAQ',
GEN_Help_5: 'How to Create a Wallet',
GEN_Help_6: 'Getting Started',
GEN_Help_7:
"Keep it safe · Make a backup · Don't share it with anyone · Don't lose it · It cannot be recovered if you lose it.",
GEN_Help_8: 'Not Downloading a File? ',
GEN_Help_9: 'Try using Google Chrome ',
GEN_Help_10: 'Right click & save file as. Filename: ',
GEN_Help_11: "Don't open this file on your computer ",
GEN_Help_12:
'Use it to unlock your wallet via MyEtherWallet (or Mist, Geth, Parity and other wallet clients.) ',
GEN_Help_13: 'How to Back Up Your Keystore File ',
GEN_Help_14: 'What are these Different Formats? ',
GEN_Help_15: 'Preventing loss &amp; theft of your funds.',
GEN_Help_16: 'What are these Different Formats?',
GEN_Help_17: 'Why Should I?',
GEN_Help_18: 'To have a secondary backup.',
GEN_Help_19: 'In case you ever forget your password.',
GEN_Help_20: 'Cold Storage',
GET_ConfButton: 'I understand. Continue.',
GEN_Label_5: 'Save Your `Private Key`. ',
GEN_Unlock: 'Unlock your wallet to see your address',
GAS_PRICE_Desc:
'Gas Price is the amount you pay per unit of gas. `TX fee = gas price * gas limit` & is paid to miners for including your TX in a block. Higher the gas price = faster transaction, but more expensive. Default is `21 GWEI`.',
GAS_LIMIT_Desc:
'Gas limit is the amount of gas to send with your TX. `TX fee` = gas price * gas limit & is paid to miners for including your TX in a block. Increasing this number will not get your TX mined faster. Sending ETH = `21000`. Sending Tokens = ~`200000`.',
NONCE_Desc:
'The nonce is the number of transactions sent from a given address. It ensures transactions are sent in order & not more than once.',
TXFEE_Desc:
'The TX Fee is paid to miners for including your TX in a block. Is is the `gas limit` * `gas price`. [You can convert GWEI -> ETH here](https://www.myetherwallet.com/helpers.html)',
/* Navigation*/
NAV_AddWallet: 'Add Wallet ',
NAV_BulkGenerate: 'Bulk Generate ',
@ -11,7 +86,8 @@ module.exports = {
NAV_Contracts: 'Contracts ',
NAV_DeployContract: 'Deploy Contract ',
NAV_ENS: 'ENS',
NAV_GenerateWallet: 'Generate Wallet ',
NAV_GenerateWallet_alt: 'New Wallet ',
NAV_GenerateWallet: 'Create New Wallet ',
NAV_Help: 'Help ',
NAV_InteractContract: 'Interact with Contract ',
NAV_Multisig: 'Multisig ',
@ -27,7 +103,7 @@ module.exports = {
/* General */
x_Access: 'Access ',
x_AddessDesc:
'You may know this as your "Account #" or your "Public Key". It is what you send people so they can send you ether. That icon is an easy way to recognize your address. ',
'Your Address can also be known as you `Account #` or your `Public Key`. It is what you share with people so they can send you Ether or Tokens. Find the colorful address icon. Make sure it matches your paper wallet & whenever you enter your address somewhere.',
x_Address: 'Your Address ',
x_Cancel: 'Cancel ',
x_CSV: 'CSV file (unencrypted) ',
@ -39,6 +115,7 @@ module.exports = {
x_Keystore2: 'Keystore File (UTC / JSON) ',
x_KeystoreDesc:
'This Keystore file matches the format used by Mist so you can easily import it in the future. It is the recommended file to download and back up. ',
x_MetaMask: 'Metamask / Mist ',
x_Mnemonic: 'Mnemonic Phrase ',
x_ParityPhrase: 'Parity Phrase ',
x_Password: 'Password ',
@ -65,7 +142,7 @@ module.exports = {
/* Footer */
FOOTER_1:
'Open-Source, client-side tool for easily &amp; securely interacting with the Ethereum network. ',
'Free, open-source, client-side interface for generating Ethereum wallets &amp; more. Interact with the Ethereum blockchain easily &amp; securely. Double-check the URL ( .com ) before unlocking your wallet.',
FOOTER_1b: 'Created by ',
FOOTER_2: 'Donations greatly appreciated ',
FOOTER_3: 'Client-side wallet generation by ',
@ -82,6 +159,8 @@ module.exports = {
'MyEtherWallet is a free, open-source service dedicated to your privacy and security. The more donations we receive, the more time we spend creating new features, listening to your feedback, and giving you what you want. We are just two people trying to change the world. Help us? ',
sidebar_donate: 'Donate ',
sidebar_thanks: 'THANK YOU!!! ',
sidebar_DisplayOnTrezor: 'Display address on TREZOR',
sidebar_DisplayOnLedger: 'Display address on Ledger',
/* Decrypt Panel */
decrypt_Access: 'How would you like to access your wallet? ',
@ -96,18 +175,27 @@ module.exports = {
MNEM_prev: 'Previous Addresses ',
/* Hardware wallets */
x_Ledger: 'Ledger Nano S ',
ADD_Ledger_1: 'Connect your Ledger Nano S ',
x_Ledger: 'Ledger Wallet ',
ADD_Ledger_1: 'Connect your Ledger Wallet ',
ADD_Ledger_2: 'Open the Ethereum application (or a contract application) ',
ADD_Ledger_3: 'Verify that Browser Support is enabled in Settings ',
ADD_Ledger_4:
'If no Browser Support is found in settings, verify that you have [Firmware >1.2](https://www.ledgerwallet.com/apps/manager) ',
ADD_Ledger_0a: 'Re-open MyEtherWallet on a secure (SSL) connection ',
ADD_Ledger_0a:
'You must access MyEtherWallet via a secure (SSL / HTTPS) connection to connect. ',
ADD_Ledger_0b:
'Re-open MyEtherWallet using [Chrome](https://www.google.com/chrome/browser/desktop/) or [Opera](https://www.opera.com/) ',
ADD_Ledger_scan: 'Connect to Ledger Nano S ',
ADD_Ledger_scan: 'Connect to Ledger Wallet ',
ADD_MetaMask: 'Connect to MetaMask ',
x_Trezor: 'TREZOR ',
ADD_Trezor_scan: 'Connect to TREZOR ',
x_DigitalBitbox: 'Digital Bitbox ',
ADD_DigitalBitbox_0a: 'Re-open MyEtherWallet on a secure (SSL) connection ',
ADD_DigitalBitbox_0b:
'Re-open MyEtherWallet using [Chrome](https://www.google.com/chrome/browser/desktop/) or [Opera](https://www.opera.com/) ',
ADD_DigitalBitbox_scan: 'Connect your Digital Bitbox ',
/* Add Wallet */
ADD_Label_1: 'What would you like to do? ',
@ -119,6 +207,10 @@ module.exports = {
ADD_Radio_4: 'Add an Account to Watch ',
ADD_Radio_5: 'Paste/Type Your Mnemonic ',
ADD_Radio_5_Path: 'Select HD derivation path ',
ADD_Radio_5_woTrezor: '(Jaxx, Metamask, Exodus, imToken)',
ADD_Radio_5_withTrezor: '(Jaxx, Metamask, Exodus, imToken, TREZOR)',
ADD_Radio_5_PathAlternative: '(Ledger)',
ADD_Radio_5_PathTrezor: '(TREZOR)',
ADD_Radio_5_PathCustom: 'Custom',
ADD_Label_2: 'Create a Nickname ',
ADD_Label_3: 'Your wallet is encrypted. Please enter the password. ',
@ -152,13 +244,14 @@ module.exports = {
/* Generate Wallets */
GEN_desc: 'If you want to generate multiple wallets, you can do so here ',
GEN_Label_1: 'Enter a strong password (at least 9 characters) ',
GEN_Label_1: 'Enter a password',
GEN_Placeholder_1: 'Do NOT forget to save this! ',
GEN_SuccessMsg: 'Success! Your wallet has been generated. ',
GEN_Label_2: "Save your Wallet File. Don't forget your password. ",
GEN_Label_2: 'Save your `Keystore` File. ',
GEN_Label_3: 'Save Your Address. ',
GEN_Label_4: 'Optional: Print your paper wallet or store a QR code. ',
GEN_Label_5: 'Save Your `Private Key`. ',
GEN_Label_4: 'Print paper wallet or a QR code. ',
GEN_Aria_1: 'Enter a strong password (at least 9 characters)',
GEN_Aria_2: 'make password visible',
/* Bulk Generate Wallets */
BULK_Label_1: 'Number of Wallets To Generate ',
@ -196,8 +289,6 @@ module.exports = {
/* Send Transaction */
TRANS_desc:
'If you want to send Tokens, please use the "Send Token" page instead. ',
TRANS_warning:
'If you are using the "Only ETH" or "Only ETC" Functions you are sending via a contract. Some services have issues accepting these transactions. Read more. ',
TRANS_advanced: '+Advanced: Add Data ',
TRANS_data: 'Data ',
TRANS_gas: 'Gas Limit ',
@ -307,55 +398,64 @@ module.exports = {
CX_quicksend: 'QuickSend ', // if no appropriate translation, just use "Send"
/* Error Messages */
ERROR_0: 'Please enter valid amount. ',
ERROR_0: 'Please enter a valid amount.', // 0
ERROR_1:
'Your password must be at least 9 characters. Please ensure it is a strong password. ',
ERROR_2: "Sorry! We don't recognize this type of wallet file. ",
ERROR_3: 'This is not a valid wallet file. ',
'Your password must be at least 9 characters. Please ensure it is a strong password. ', // 1
ERROR_2: "Sorry! We don't recognize this type of wallet file. ", // 2
ERROR_3: 'This is not a valid wallet file. ', // 3
ERROR_4:
"This unit doesn't exists, please use the one of the following units ",
ERROR_5: 'Invalid address. ',
ERROR_6: 'Invalid password. ',
ERROR_7: 'Invalid amount. ',
ERROR_8: 'Invalid gas limit. ',
ERROR_9: 'Invalid data value. ',
ERROR_10: 'Invalid gas amount. ',
ERROR_11: 'Invalid nonce. ',
ERROR_12: 'Invalid signed transaction. ',
ERROR_13: 'A wallet with this nickname already exists. ',
ERROR_14: 'Wallet not found. ',
"This unit doesn't exists, please use the one of the following units ", // 4
ERROR_5: 'Please enter a valid address. ', // 5
ERROR_6: 'Please enter a valid password. ', // 6
ERROR_7: 'Please enter valid decimals (Must be integer. Try 0-18.) ', // 7
ERROR_8:
'Please enter a valid gas limit (Must be integer. Try 21000-4000000.) ', // 8
ERROR_9: 'Please enter a valid data value (Must be hex.) ', // 9
ERROR_10:
'Please enter a valid gas price. (Must be integer. Try 20 GWEI / 20000000000 WEI.) ',
ERROR_11: 'Please enter a valid nonce (Must be integer.) ', // 11
ERROR_12: 'Invalid signed transaction. ', // 12
ERROR_13: 'A wallet with this nickname already exists. ', // 13
ERROR_14: 'Wallet not found. ', // 14
ERROR_15:
"It doesn't look like a proposal with this ID exists yet or there is an error reading this proposal. ",
"Whoops. It doesn't look like a proposal with this ID exists yet or there is an error reading this proposal. ", // 15 - NOT USED
ERROR_16:
'A wallet with this address already exists in storage. Please check your wallets page. ',
'A wallet with this address already exists in storage. Please check your wallets page. ', // 16
ERROR_17:
'You need to have **0.01 ETH** in your account to cover the cost of gas. Please add some ETH and try again. ',
'Account you are sending from does not have enough funds. If sending tokens, you must have 0.01 ETH in your account to cover the cost of gas. ', // 17
ERROR_18:
'All gas would be used on this transaction. This means you have already voted on this proposal or the debate period has ended. ',
ERROR_19: 'Invalid symbol ',
ERROR_20: 'Not a valid ERC-20 token ',
'All gas would be used on this transaction. This means you have already voted on this proposal or the debate period has ended.', // 18
ERROR_19: 'Please enter a valid symbol', // 19
ERROR_20: 'Not a valid ERC-20 token', // 20
ERROR_21:
'Could not estimate gas. There are not enough funds in the account, or the receiving contract address would throw an error. Feel free to manually set the gas and proceed. The error message upon sending may be more informative. ',
ERROR_22: 'Please enter valid node name ',
'Could not estimate gas. There are not enough funds in the account, or the receiving contract address would throw an error. Feel free to manually set the gas and proceed. The error message upon sending may be more informative.', // 21
ERROR_22: 'Please enter a valid node name', // 22
ERROR_23:
'Please enter valid URL. If you are connecting via HTTPS, your node must be over HTTPS ',
ERROR_24: 'Please enter valid port ',
ERROR_25: 'Please enter valid chain ID ',
ERROR_26: 'Please enter valid ABI ',
ERROR_27: 'Minimum amount: 0.01. Maximum Amount: ',
'Please enter a valid URL. If you are on https, your URL must be https', // 23
ERROR_24: 'Please enter a valid port. ', // 24
ERROR_25: 'Please enter a valid chain ID. ', // 25
ERROR_26: 'Please enter a valid ABI. ', // 26
ERROR_27: 'Minimum amount: 0.01. Max amount: ', // 27
ERROR_28:
'**You need your Keystore File & Password** (or Private Key) to access this wallet in the future. Please save & back it up externally! There is no way to recover a wallet if you do not save it. Read the [help page](https://www.myetherwallet.com/#help) for instructions. ',
ERROR_29: 'Please enter valid user and password ',
ERROR_30: 'Please enter valid ENS name ',
ERROR_31: 'Invalid secret phrase ',
'You need this `Keystore File + Password` or the `Private Key` (next page) to access this wallet in the future. ', // 28
ERROR_29: 'Please enter a valid user and password. ', // 29
ERROR_30: 'Please enter a valid name (7+ characters, limited punctuation) ', // 30
ERROR_31: 'Please enter a valid secret phrase. ', // 31
ERROR_32:
'Could not connect to the node. Please refresh the page, or see the help page for more troubleshooting suggestions. ',
ERROR_33: "Unlocked wallet doesnt match the bidder's address. ",
ERROR_34: 'Reveal name doesnt match the name on the string',
'Could not connect to the node. Refresh your page, try a different node (upper right corner), check your firewall settings. If custom node, check your configs.', // 32
ERROR_33:
"The wallet you have unlocked does not match the owner's address. ", // 33
ERROR_34:
'The name you are attempting to reveal does not match the name you have entered. ', // 34
ERROR_35:
'Input address is not checksummed. <a href="https://myetherwallet.groovehq.com/knowledge_base/topics/not-checksummed-shows-when-i-enter-an-address" target="_blank" rel="noopener"> More info</a>', // 35
ERROR_36: 'Enter valid TX hash', // 36
ERROR_37: 'Enter valid hex string (0-9, a-f)', // 37
SUCCESS_1: 'Valid address ',
SUCCESS_2: 'Wallet successfully decrypted ',
SUCCESS_3:
'TX was broadcast to the blockchain. Click to see your transaction & verify it was mined and does not have any out of gas or contract execution errors. TX ID: ', //'TX was broadcast to the blockchain. Click to see your transaction & verify it was mined and does not have any out of gas or contract execution errors. TX ID: ', //
'Your TX has been broadcast to the network. It is waiting to be mined & confirmed. During ICOs, it may take 3+ hours to confirm. Use the Verify & Check buttons below to see. TX Hash: ',
SUCCESS_4: 'Your wallet was successfully added ',
SUCCESS_5: 'File Selected ',
SUCCESS_6: 'You are successfully connected ',
@ -441,7 +541,7 @@ module.exports = {
HELP_1_Desc_4: 'Click "GENERATE". ',
HELP_1_Desc_5: 'Your wallet has now been generated. ',
HELP_2a_Title: '2a) How do I save/backup my wallet? ',
HELP_2a_Title: 'How do I save/backup my wallet? ',
HELP_2a_Desc_1:
'You should always back up your wallet externally and in multiple physical locations - like on a USB drive and/or a piece of paper. ',
HELP_2a_Desc_2:
@ -459,7 +559,7 @@ module.exports = {
'2b) How do I safely / offline / cold storage with MyEtherWallet? ',
HELP_2b_Desc_1:
'Go to [https://github.com/kvhnuke/etherwallet/releases/latest](https://github.com/kvhnuke/etherwallet/releases/latest). ',
HELP_2b_Desc_2: 'Click on `dist-vX.X.X.X.zip`. ',
HELP_2b_Desc_2: 'Click on `etherwallet-vX.X.X.X.zip`. ',
HELP_2b_Desc_3: 'Move zip to an airgapped computer. ',
HELP_2b_Desc_4: 'Unzip it and double-click `index.html`. ',
HELP_2b_Desc_5: 'Generate a wallet with a strong password. ',
@ -506,7 +606,7 @@ module.exports = {
HELP_4_Desc_12:
'A pop-up will appear. Verify that the amount and the address you are sending to are correct. Then click "Yes, I am sure! Make transaction." button. ',
HELP_4_Desc_13:
'The transaction will be submitted. The TX ID will display. You can click that TX ID to see it on the blockchain. ',
'The transaction will be submitted. The TX Hash will display. You can click that TX Hash to see it on the blockchain. ',
HELP_4CX_Title: '4) How do I send Ether using MyEtherWallet CX? ',
HELP_4CX_Desc_1:
@ -573,7 +673,7 @@ module.exports = {
HELP_7_Desc_14:
'A pop-up will appear. Verify that the amount and the address you are sending to are correct. Then click "Yes, I am sure! Make transaction." button. ',
HELP_7_Desc_15:
'The transaction will be submitted. The TX ID will display. You can click that TX ID to see it on the blockchain. ',
'The transaction will be submitted. The TX Hash will display. You can click that TX Hash to see it on the blockchain. ',
HELP_8_Title: '8) What happens if your site goes down? ',
HELP_8_Desc_1:

View File

@ -4,6 +4,81 @@
module.exports = {
code: 'es',
data: {
/* New Generics */
x_CancelReplaceTx: 'Cancel or Replace Transaction',
x_CancelTx: 'Cancel Transaction',
x_PasswordDesc:
'This password * encrypts * your private key. This does not act as a seed to generate your keys. **You will need this password + your private key to unlock your wallet.**',
x_ReadMore: 'Read More',
x_ReplaceTx: 'Replace Transaction',
x_TransHash: 'Transaction Hash',
x_TXFee: 'TX Fee',
x_TxHash: 'TX Hash',
/* Check TX Status */
NAV_CheckTxStatus: 'Check TX Status',
NAV_TxStatus: 'TX Status',
tx_Details: 'Transaction Details',
tx_Summary:
'During times of high volume (like during ICOs) transactions can be pending for hours, if not days. This tool aims to give you the ability to find and "cancel" / replace these TXs. ** This is not typically something you can do. It should not be relied upon & will only work when the TX Pools are full. [Please, read about this tool here.](https://myetherwallet.groovehq.com/knowledge_base/topics/how-can-i-check-on-the-status-of-my-transaction-can-i-cancel-override-overwrite-replace-or-do-anything-once-a-transaction-has-been-sent)**',
tx_notFound: 'Transaction Not Found',
tx_notFound_1:
'This TX cannot be found in the TX Pool of the node you are connected to.',
tx_notFound_2:
'If you just sent the transaction, please wait 15 seconds and press the "Check TX Status" button again. ',
tx_notFound_3:
'It could still be in the TX Pool of a different node, waiting to be mined.',
tx_notFound_4:
'Please use the dropdown in the top-right & select a different ETH node (e.g. `ETH (Etherscan.io)` or `ETH (Infura.io)` or `ETH (MyEtherWallet)`) and check again.',
tx_foundInPending: 'Pending Transaction Found',
tx_foundInPending_1:
'Your transaction was located in the TX Pool of the node you are connected to. ',
tx_foundInPending_2: 'It is currently pending (waiting to be mined). ',
tx_foundInPending_3:
'There is a chance you can "cancel" or replace this transaction. Unlock your wallet below.',
tx_FoundOnChain: 'Transaction Found',
tx_FoundOnChain_1:
'Your transaction was successfully mined and is on the blockchain.',
tx_FoundOnChain_2:
'**If you see a red `( ! )`, a `BAD INSTRUCTION` or `OUT OF GAS` error message**, it means that the transaction was not successfully *sent*. You cannot cancel or replace this transaction. Instead, send a new transaction. If you received an "Out of Gas" error, you should double the gas limit you specified originally.',
tx_FoundOnChain_3:
'**If you do not see any errors, your transaction was successfully sent.** Your ETH or Tokens are where you sent them. If you cannot see this ETH or Tokens credited in your other wallet / exchange account, and it has been 24+ hours since you sent, please [contact that service](https://myetherwallet.groovehq.com/knowledge_base/topics/i-have-a-question-but-its-not-about-myetherwallet-dot-com-what-do-i-do). Send them the *link* to your transaction and ask them, nicely, to look into your situation.',
/* Gen Wallet Updates */
GEN_Help_1: 'Use your',
GEN_Help_2: 'to access your account.',
GEN_Help_3: 'Your device * is * your wallet.',
GEN_Help_4: 'Guides & FAQ',
GEN_Help_5: 'How to Create a Wallet',
GEN_Help_6: 'Getting Started',
GEN_Help_7:
"Keep it safe · Make a backup · Don't share it with anyone · Don't lose it · It cannot be recovered if you lose it.",
GEN_Help_8: 'Not Downloading a File? ',
GEN_Help_9: 'Try using Google Chrome ',
GEN_Help_10: 'Right click & save file as. Filename: ',
GEN_Help_11: "Don't open this file on your computer ",
GEN_Help_12:
'Use it to unlock your wallet via MyEtherWallet (or Mist, Geth, Parity and other wallet clients.) ',
GEN_Help_13: 'How to Back Up Your Keystore File ',
GEN_Help_14: 'What are these Different Formats? ',
GEN_Help_15: 'Preventing loss &amp; theft of your funds.',
GEN_Help_16: 'What are these Different Formats?',
GEN_Help_17: 'Why Should I?',
GEN_Help_18: 'To have a secondary backup.',
GEN_Help_19: 'In case you ever forget your password.',
GEN_Help_20: 'Cold Storage',
GET_ConfButton: 'I understand. Continue.',
GEN_Label_5: 'Save Your `Private Key`. ',
GEN_Unlock: 'Unlock your wallet to see your address',
GAS_PRICE_Desc:
'Gas Price is the amount you pay per unit of gas. `TX fee = gas price * gas limit` & is paid to miners for including your TX in a block. Higher the gas price = faster transaction, but more expensive. Default is `21 GWEI`.',
GAS_LIMIT_Desc:
'Gas limit is the amount of gas to send with your TX. `TX fee` = gas price * gas limit & is paid to miners for including your TX in a block. Increasing this number will not get your TX mined faster. Sending ETH = `21000`. Sending Tokens = ~`200000`.',
NONCE_Desc:
'The nonce is the number of transactions sent from a given address. It ensures transactions are sent in order & not more than once.',
TXFEE_Desc:
'The TX Fee is paid to miners for including your TX in a block. Is is the `gas limit` * `gas price`. [You can convert GWEI -> ETH here](https://www.myetherwallet.com/helpers.html)',
/* Navigation*/
NAV_AddWallet: 'Añadir cartera ',
NAV_BulkGenerate: 'Generar en masa ',
@ -11,6 +86,7 @@ module.exports = {
NAV_Contracts: 'Contratos ',
NAV_DeployContract: 'Desplegar contrato ',
NAV_ENS: 'ENS',
NAV_GenerateWallet_alt: 'New Wallet ',
NAV_GenerateWallet: 'Generar cartera ',
NAV_Help: 'Ayuda ',
NAV_InteractContract: 'Interactuar con un contrato ',
@ -27,7 +103,7 @@ module.exports = {
/* General */
x_Access: 'Access ',
x_AddessDesc:
'Puedes pensar en esto como tu "número de cuenta" o tu "clave pública". Es lo que le das a la gente para que te puedan enviar ether. Ese icono es una forma fácil de reconocer tu dirección. ',
'Your Address can also be known as you `Account #` or your `Public Key`. It is what you share with people so they can send you Ether or Tokens. Find the colorful address icon. Make sure it matches your paper wallet & whenever you enter your address somewhere. Puedes pensar en esto como tu "número de cuenta" o tu "clave pública". Es lo que le das a la gente para que te puedan enviar ether. Ese icono es una forma fácil de reconocer tu dirección. ',
x_Address: 'Tu dirección ',
x_Cancel: 'Cancelar ',
x_CSV: 'Archivo CSV (sin encriptar) ',
@ -39,6 +115,7 @@ module.exports = {
x_Keystore2: 'Archivo Keystore (UTC / JSON) ',
x_KeystoreDesc:
'Este archivo Keystore/JSON concuerda con el formato usado por Mist para una fácil importación en el futuro. Es el archivo recomendado para descargar y guardar como copia de seguridad. ',
x_MetaMask: 'Metamask / Mist ',
x_Mnemonic: 'Mnemonic Phrase ',
x_ParityPhrase: 'Parity Phrase ',
x_Password: 'Contraseña ',
@ -83,6 +160,8 @@ module.exports = {
'MyEtherWallet es un servicio gratuito y de código abierto dedicado a tu privacidad y seguridad. Cuantas más donaciones recibimos, más tiempo dedicamos creando nuevas características, escuchando vuestros comentarios y proporcionando lo que queréis. Sólo somos dos personas intentando cambiar el mundo. ¿Nos ayudas? ',
sidebar_donate: 'Donar ',
sidebar_thanks: '¡¡¡GRACIAS!!! ',
sidebar_DisplayOnTrezor: 'Display address on TREZOR',
sidebar_DisplayOnLedger: 'Display address on Ledger',
/* Decrypt Panel */
decrypt_Access: '¿Cómo te gustaría acceder a tu cartera? ',
@ -99,6 +178,10 @@ module.exports = {
ADD_Radio_4: 'Añade una cuenta para supervisar ',
ADD_Radio_5: 'Paste/Type Your Mnemonic ',
ADD_Radio_5_Path: 'Select HD derivation path ',
ADD_Radio_5_woTrezor: '(Jaxx, Metamask, Exodus, imToken)',
ADD_Radio_5_withTrezor: '(Jaxx, Metamask, Exodus, imToken, TREZOR)',
ADD_Radio_5_PathAlternative: '(Ledger)',
ADD_Radio_5_PathTrezor: '(TREZOR)',
ADD_Radio_5_PathCustom: 'Personalizado',
ADD_Label_2: 'Crear un alias: ',
ADD_Label_3: 'Tu cartera está encriptada. Introduce tu contraseña ',
@ -109,6 +192,7 @@ module.exports = {
ADD_Label_6: 'Desbloquea tu cartera ',
ADD_Label_6_short: 'Desbloquear ',
ADD_Label_7: 'Añadir cuenta ',
ADD_Label_8: 'Password (optional): ',
/* Generate Wallets */
GEN_desc: 'Si quieres generar varias carteras, puedes hacerlo aquí ',
@ -119,6 +203,8 @@ module.exports = {
GEN_Label_3: 'Guarda tu dirección. ',
GEN_Label_4:
'Opcional: Imprime tu cartera en papel o guarda una versión en código QR. ',
GEN_Aria_1: '',
GEN_Aria_2: '',
/* Bulk Generate Wallets */
BULK_Label_1: 'Cantidad de carteras a generar ',
@ -129,7 +215,6 @@ module.exports = {
SEND_addr: 'Dirección de destino ',
SEND_amount: 'Cantidad a enviar ',
SEND_amount_short: 'Cantidad ',
// SEND_custom : 'Personalizado ',
SEND_gas: 'Gas ',
SEND_TransferTotal: 'Enviar todo el saldo ',
SEND_generate: 'Generar transacción ',
@ -244,6 +329,8 @@ module.exports = {
'Esto te permite descargar múltiples versiones de claves privadas e imprimir de nuevo tu cartera en papel. ',
VIEWWALLET_SuccessMsg:
'¡Enhorabuena! Estos son los detalles de tu cartera. ',
VIEWWALLET_ShowPrivKey: '(show)',
VIEWWALLET_HidePrivKey: '(hide)',
/* Chrome Extension */
CX_error_1:
@ -282,6 +369,7 @@ module.exports = {
SWAP_start_CTA: 'Iniciar intercambio ',
SWAP_ref_num: 'Tu número de referencia ',
SWAP_time: 'Tiempo restante para enviar ',
SWAP_elapsed: 'Time elapsed since sent ',
SWAP_progress_1: 'Pedido iniciado ',
SWAP_progress_2: 'Esperando recibir tus ', // Waiting for your BTC...
SWAP_progress_3: '¡Recibido! ', // ETH Received!
@ -311,8 +399,8 @@ module.exports = {
MNEM_prev: 'Direcciones anteriores ',
/* Hardware wallets */
x_Ledger: 'Ledger Nano S ',
ADD_Ledger_1: 'Conecta tu Ledger Nano S ',
x_Ledger: 'Ledger Wallet ',
ADD_Ledger_1: 'Conecta tu Ledger Wallet ',
ADD_Ledger_2:
'Inicia la aplicacin Ethereum (o una aplicación de contrato) ',
ADD_Ledger_3:
@ -322,10 +410,19 @@ module.exports = {
ADD_Ledger_0a: 'Volver a abrir MyEtherWallet en una conexión segura (SSL) ',
ADD_Ledger_0b:
'Volver a abrir MyEtherWallet usando [Chrome](https://www.google.com/chrome/browser/desktop/) u [Opera](https://www.opera.com/) ',
ADD_Ledger_scan: 'Conectar a Ledger Nano S ',
ADD_Ledger_scan: 'Conectar a Ledger Wallet ',
ADD_MetaMask: 'Connectar a MetaMask ',
x_Trezor: 'TREZOR ',
ADD_Trezor_scan: 'Conectar a TREZOR ',
ADD_Trezor_select: 'Esto es una semilla TREZOR ',
x_DigitalBitbox: 'Digital Bitbox ',
ADD_DigitalBitbox_0a:
'Volver a abrir MyEtherWallet en una conexión segura (SSL) ',
ADD_DigitalBitbox_0b:
'Volver a abrir MyEtherWallet usando [Chrome](https://www.google.com/chrome/browser/desktop/) u [Opera](https://www.opera.com/) ',
ADD_DigitalBitbox_scan: 'Conectar a Digital Bitbox ',
/* Error Messages */
ERROR_0: 'Introduce una cantidad válida. ',
@ -335,14 +432,16 @@ module.exports = {
ERROR_3: 'Este no es un archivo de cartera válido. ',
ERROR_4:
'Esta unidad no existe. Por favor utiliza una de las siguientes unidades ',
ERROR_5: 'Dirección no válida. ',
ERROR_6: 'Contraseña no válida. ',
ERROR_7: 'Cantidad no válida. ',
ERROR_8: 'Límite de gas no válido. ',
ERROR_9: 'Valor de datos no válido. ',
ERROR_10: 'Cantidad de gas no válida. ',
ERROR_11: 'Nonce no válido. ',
ERROR_12: 'Transacción firmada no válida. ',
ERROR_5: 'Introduce una Dirección válida. ',
ERROR_6: 'Introduce una Contraseña válida. ',
ERROR_7: 'Introduce una Cantidad válida. (Must be integer. Try 0-18.) ', // 7
ERROR_8:
'Introduce un Límite de gas válido. (Must be integer. Try 21000-4000000.) ', // 8
ERROR_9: 'Introduce un Valor de datos válido. (Must be hex.) ', // 9
ERROR_10:
'Introduce una Cantidad de gas válida. (Must be integer. Try 20 GWEI / 20000000000 WEI.) ',
ERROR_11: 'Introduce un Nonce válido. (Must be integer.) ', // 11
ERROR_12: 'Introduce una Transacción firmada válida. ',
ERROR_13: 'Ya existe una cartera con este alias. ',
ERROR_14: 'Cartera no encontrada. ',
ERROR_15:
@ -350,10 +449,10 @@ module.exports = {
ERROR_16:
'Ya hay almacenada una cartera con esta dirección. Por favor comprueba la página de carteras. ',
ERROR_17:
'Es necesario tener al menos 0.01 ether en tu cuenta para cubrir el coste del gas. Añade algo de ether e inténtalo de nuevo. ',
'Fondos no suficientes para gas * precio + valor. Es necesario tener al menos 0.01 ether en tu cuenta para cubrir el coste del gas. Añade algo de ether e inténtalo de nuevo. ',
ERROR_18:
'Sería necesario utilizar todo el gas en esta transacción. Esto significa que ya has votado en esta propuesta o que el periodo de debate ha concluido. ',
ERROR_19: 'Símbolo no válido ',
ERROR_19: 'Introduce un Símbolo válido ',
ERROR_20: 'No es un token ERC-20 válido ',
ERROR_21:
'No se ha podido estimar el gas. No hay suficientes fondos en la cuenta, o el contrato de destino ha devuelto un error. Puedes ajustar el gas manualmente y continuar. Puede que el mensaje de error al enviar contenga más información. ',
@ -361,20 +460,29 @@ module.exports = {
ERROR_23:
'Introduce una URL válida. Si estás en HTTPS, tu URL debe ser HTTPS ',
ERROR_24: 'Introduce un puerto válido ',
ERROR_25: 'Please enter valid chain ID ',
ERROR_26: 'Please enter valid ABI ',
ERROR_25: 'Introduce un chain ID válido ',
ERROR_26: 'Introduce un ABI válido ',
ERROR_27: 'Cantidad mínima 0.01 ',
ERROR_28:
'**Necesitas tu archivo Keystore/JSON y la contraseña** (o clave privada) para acceder a esta cartera en el futuro. Por favor ¡guárdala y respáldala externamente! No hay modo de recuperar una cartera si no la guardas. Lee la [página de ayuda](https://www.myetherwallet.com/#help) para instrucciones. ',
ERROR_29: 'Please enter valid user and password ',
ERROR_30: 'Please enter valid ENS name ',
ERROR_31: 'Invalid secret phrase ',
ERROR_29: 'Introduce un user & password válido. ', // 29
ERROR_30: 'Introduce un name válido (7+ characters, limited punctuation) ', // 30
ERROR_31: 'Introduce un secret phrase válido. ', // 31
ERROR_32:
'Could not connect to the node. Please refresh the page, or see the help page for more troubleshooting suggestions. ',
'Could not connect to the node. Refresh your page, try a different node (upper right corner), check your firewall settings. If custom node, check your configs.', // 32
ERROR_33:
"The wallet you have unlocked does not match the owner's address. ", // 33
ERROR_34:
'The name you are attempting to reveal does not match the name you have entered. ', // 34
ERROR_35:
'Input address is not checksummed. <a href="https://myetherwallet.groovehq.com/knowledge_base/topics/not-checksummed-shows-when-i-enter-an-address" target="_blank" rel="noopener"> More info</a>', // 35
ERROR_36: 'Enter valid TX hash', // 36
ERROR_37: 'Enter valid hex string (0-9, a-f)', // 37
SUCCESS_1: 'Dirección válida ',
SUCCESS_2: 'Cartera descifrada con éxito ',
SUCCESS_3:
'TX was broadcast to the blockchain. Click to see your transaction & verify it was mined and does not have any out of gas or contract execution errors. TX ID: ', //'Transacción enviada. TX ID ',
'Your TX has been broadcast to the network. It is waiting to be mined & confirmed. During ICOs, it may take 3+ hours to confirm. Use the Verify & Check buttons below to see. TX Hash: ', //'Transacción enviada. TX Hash ',
SUCCESS_4: 'Se ha añadido tu cartera ',
SUCCESS_5: 'Archivo seleccionado ',
SUCCESS_6: 'You are successfully connected ',
@ -460,7 +568,7 @@ module.exports = {
HELP_1_Desc_4: 'Haz clic en "GENERAR". ',
HELP_1_Desc_5: 'Ahora se ha generado tu cartera. ',
HELP_2a_Title: '2a) ¿Cómo guardo/respaldo mi cartera? ',
HELP_2a_Title: '¿Cómo guardo/respaldo mi cartera? ',
HELP_2a_Desc_1:
'Deberías siempre respaldar tu cartera externamente y en varias ubicaciones físicas (como una unidad USB o en una hoja de papel). ',
HELP_2a_Desc_2:
@ -478,7 +586,8 @@ module.exports = {
'2b) ¿Cómo almaceno con seguridad/sin conexión/en frío con MyEtherWallet? ',
HELP_2b_Desc_1:
'Ve a nuestro github: [https://github.com/kvhnuke/etherwallet/releases/latest](https://github.com/kvhnuke/etherwallet/releases/latest). ',
HELP_2b_Desc_2: 'Haz clic en `dist-vX.X.X.X.zip` en la parte inferior. ',
HELP_2b_Desc_2:
'Haz clic en `etherwallet-vX.X.X.X.zip` en la parte inferior. ',
HELP_2b_Desc_3:
'Mueve el ZIP a un equipo aislado de internet (airgapped). ',
HELP_2b_Desc_4: 'Descomprímelo y haz doble clic en `index.html`. ',
@ -595,7 +704,7 @@ module.exports = {
HELP_7_Desc_14:
'A pop-up will appear. Verify that the amount and the address you are sending to are correct. Then click "Yes, I am sure! Make transaction." button. ',
HELP_7_Desc_15:
'The transaction will be submitted. The TX ID will display. You can click that TX ID to see it on the blockchain. ',
'The transaction will be submitted. The TX Hash will display. You can click that TX Hash to see it on the blockchain. ',
HELP_8_Title: '8) ¿Qué ocurre si vuestro sitio web deja de funcionar? ',
HELP_8_Desc_1:

View File

@ -4,14 +4,91 @@
module.exports = {
code: 'fi',
data: {
HELP_2a_Title: 'How do I save/backup my wallet? ',
/* New Generics */
x_CancelReplaceTx: 'Cancel or Replace Transaction',
x_CancelTx: 'Cancel Transaction',
x_PasswordDesc:
'This password * encrypts * your private key. This does not act as a seed to generate your keys. **You will need this password + your private key to unlock your wallet.**',
x_ReadMore: 'Read More',
x_ReplaceTx: 'Replace Transaction',
x_TransHash: 'Transaction Hash',
x_TXFee: 'TX Fee',
x_TxHash: 'TX Hash',
/* Check TX Status */
NAV_CheckTxStatus: 'Check TX Status',
NAV_TxStatus: 'TX Status',
tx_Details: 'Transaction Details',
tx_Summary:
'During times of high volume (like during ICOs) transactions can be pending for hours, if not days. This tool aims to give you the ability to find and "cancel" / replace these TXs. ** This is not typically something you can do. It should not be relied upon & will only work when the TX Pools are full. [Please, read about this tool here.](https://myetherwallet.groovehq.com/knowledge_base/topics/how-can-i-check-on-the-status-of-my-transaction-can-i-cancel-override-overwrite-replace-or-do-anything-once-a-transaction-has-been-sent)**',
tx_notFound: 'Transaction Not Found',
tx_notFound_1:
'This TX cannot be found in the TX Pool of the node you are connected to.',
tx_notFound_2:
'If you just sent the transaction, please wait 15 seconds and press the "Check TX Status" button again. ',
tx_notFound_3:
'It could still be in the TX Pool of a different node, waiting to be mined.',
tx_notFound_4:
'Please use the dropdown in the top-right & select a different ETH node (e.g. `ETH (Etherscan.io)` or `ETH (Infura.io)` or `ETH (MyEtherWallet)`) and check again.',
tx_foundInPending: 'Pending Transaction Found',
tx_foundInPending_1:
'Your transaction was located in the TX Pool of the node you are connected to. ',
tx_foundInPending_2: 'It is currently pending (waiting to be mined). ',
tx_foundInPending_3:
'There is a chance you can "cancel" or replace this transaction. Unlock your wallet below.',
tx_FoundOnChain: 'Transaction Found',
tx_FoundOnChain_1:
'Your transaction was successfully mined and is on the blockchain.',
tx_FoundOnChain_2:
'**If you see a red `( ! )`, a `BAD INSTRUCTION` or `OUT OF GAS` error message**, it means that the transaction was not successfully *sent*. You cannot cancel or replace this transaction. Instead, send a new transaction. If you received an "Out of Gas" error, you should double the gas limit you specified originally.',
tx_FoundOnChain_3:
'**If you do not see any errors, your transaction was successfully sent.** Your ETH or Tokens are where you sent them. If you cannot see this ETH or Tokens credited in your other wallet / exchange account, and it has been 24+ hours since you sent, please [contact that service](https://myetherwallet.groovehq.com/knowledge_base/topics/i-have-a-question-but-its-not-about-myetherwallet-dot-com-what-do-i-do). Send them the *link* to your transaction and ask them, nicely, to look into your situation.',
/* Gen Wallet Updates */
GEN_Help_1: 'Use your',
GEN_Help_2: 'to access your account.',
GEN_Help_3: 'Your device * is * your wallet.',
GEN_Help_4: 'Guides & FAQ',
GEN_Help_5: 'How to Create a Wallet',
GEN_Help_6: 'Getting Started',
GEN_Help_7:
"Keep it safe · Make a backup · Don't share it with anyone · Don't lose it · It cannot be recovered if you lose it.",
GEN_Help_8: 'Not Downloading a File? ',
GEN_Help_9: 'Try using Google Chrome ',
GEN_Help_10: 'Right click & save file as. Filename: ',
GEN_Help_11: "Don't open this file on your computer ",
GEN_Help_12:
'Use it to unlock your wallet via MyEtherWallet (or Mist, Geth, Parity and other wallet clients.) ',
GEN_Help_13: 'How to Back Up Your Keystore File ',
GEN_Help_14: 'What are these Different Formats? ',
GEN_Help_15: 'Preventing loss &amp; theft of your funds.',
GEN_Help_16: 'What are these Different Formats?',
GEN_Help_17: 'Why Should I?',
GEN_Help_18: 'To have a secondary backup.',
GEN_Help_19: 'In case you ever forget your password.',
GEN_Help_20: 'Cold Storage',
GET_ConfButton: 'I understand. Continue.',
GEN_Label_5: 'Save Your `Private Key`. ',
GEN_Unlock: 'Unlock your wallet to see your address',
GAS_PRICE_Desc:
'Gas Price is the amount you pay per unit of gas. `TX fee = gas price * gas limit` & is paid to miners for including your TX in a block. Higher the gas price = faster transaction, but more expensive. Default is `21 GWEI`.',
GAS_LIMIT_Desc:
'Gas limit is the amount of gas to send with your TX. `TX fee` = gas price * gas limit & is paid to miners for including your TX in a block. Increasing this number will not get your TX mined faster. Sending ETH = `21000`. Sending Tokens = ~`200000`.',
NONCE_Desc:
'The nonce is the number of transactions sent from a given address. It ensures transactions are sent in order & not more than once.',
TXFEE_Desc:
'The TX Fee is paid to miners for including your TX in a block. Is is the `gas limit` * `gas price`. [You can convert GWEI -> ETH here](https://www.myetherwallet.com/helpers.html)',
/* Navigation*/
NAV_AddWallet: 'Lisää Lompakko ',
NAV_BulkGenerate: 'Massa Generoi ',
NAV_Contact: 'Yhteystiedot ',
NAV_Contracts: 'Contracts ',
// NAV_DeployContract : 'Deploy Contract ',
NAV_DeployContract: 'Ota Käyttöön Sopimus ',
NAV_ENS: 'ENS',
NAV_GenerateWallet_alt: 'New Wallet ',
NAV_GenerateWallet: 'Luo Lompakko ',
NAV_Help: 'Apua ',
NAV_InteractContract: 'Interact with Contract ',
@ -28,7 +105,7 @@ module.exports = {
/* General */
x_Access: 'Access ',
x_AddessDesc:
'Saatat tuntea tämän "Tilinumeronasi" tai "Julkisena Salausavaimenasi". Tämä on se jonka jaat ihmisille, jotta he voivat lähettää sinulle ETHiä. Tuo kuvake on helppo tapa tunnistaa sinun osoitteesi. ',
'Your Address can also be known as you `Account #` or your `Public Key`. It is what you share with people so they can send you Ether or Tokens. Find the colorful address icon. Make sure it matches your paper wallet & whenever you enter your address somewhere. Saatat tuntea tämän "Tilinumeronasi" tai "Julkisena Salausavaimenasi". Tämä on se jonka jaat ihmisille, jotta he voivat lähettää sinulle ETHiä. Tuo kuvake on helppo tapa tunnistaa sinun osoitteesi. ',
x_Address: 'Sinun osoitteesi ',
x_Cancel: 'Peruuta ',
x_CSV: 'CSV tiedosto (salaamaton) ',
@ -40,6 +117,7 @@ module.exports = {
x_Keystore2: 'Avainsäilö Tiedosto (UTC / JSON) ',
x_KeystoreDesc:
'Tämä Avainsäilö tiedosto vastaa sitä tiedostoformaattia jota Mist käyttävät, joten voit helposti importata sen tulevaisuudessa. Se on suositeltu tiedostomuoto ladata ja varmuuskopioida. ',
x_MetaMask: 'Metamask / Mist ',
x_Mnemonic: 'Mnemonic Phrase ',
x_ParityPhrase: 'Parity Phrase ',
x_Password: 'Salasana ',
@ -53,8 +131,7 @@ module.exports = {
'Tämä on salaamaton versio sinun yksityisestä salausavaimestasi, tarkoittaen että salasanaa ei tarvita. Jos joku sattuisi löytämään sinun salaamattoman yksityisen salausavaimesi, he pääsisivät käsiksi sinun lompakkoosi ilman salasanaa. Tästä syystä salatut versiot ovat yleensä suositeltuja. ',
x_Save: 'Tallenna ',
x_TXT: 'TXT tiedosto (salaamaton) ',
// x_Wallet : 'Lompakko ',
x_Wallet: 'Wallet ',
x_Wallet: 'Lompakko ',
/* Header */
MEW_Warning_1:
@ -83,6 +160,8 @@ module.exports = {
'MyEtherWallet on ilmainen, avoimen lähdekoodin palvelu joka on omistautunut sinun yksityisyyteesi ja turvallisuuteesi. Mitä enemmän lahjoituksia me vastaanotamme, sitä enemmän aikaa me käytämme uusien toimintojen luomiseksi, kuunnellen teidän palautettanne ja antaen teille juuri sitä mitä te tahdotte. Me olemme vain kaksi ihmistä jotka koittavat muuttaa maailmaa. Auta meitä? ',
sidebar_donate: 'Lahjoita ',
sidebar_thanks: 'KIITOS!!! ',
sidebar_DisplayOnTrezor: 'Display address on TREZOR',
sidebar_DisplayOnLedger: 'Display address on Ledger',
/* Decrypt Panel */
decrypt_Access: 'Kuinka haluaisit saada pääsyn lompakkoosi? ',
@ -99,6 +178,10 @@ module.exports = {
ADD_Radio_4: 'Lisää Tili Jota Seurata ',
ADD_Radio_5: 'Paste/Type Your Mnemonic ',
ADD_Radio_5_Path: 'Select HD derivation path ',
ADD_Radio_5_woTrezor: '(Jaxx, Metamask, Exodus, imToken)',
ADD_Radio_5_withTrezor: '(Jaxx, Metamask, Exodus, imToken, TREZOR)',
ADD_Radio_5_PathAlternative: '(Ledger)',
ADD_Radio_5_PathTrezor: '(TREZOR)',
ADD_Radio_5_PathCustom: 'Custom',
ADD_Label_2: 'Luo Kutsumanimi: ',
ADD_Label_3: 'Lompakkosi on salattu, ole hyvä ja syötä salasanasi ',
@ -109,6 +192,7 @@ module.exports = {
ADD_Label_6: 'Avaa Sinun Lompakkosi ',
ADD_Label_6_short: 'Avaa ',
ADD_Label_7: 'Lisää Tili ',
ADD_Label_8: 'Password (optional): ',
/* Generate Wallets */
GEN_desc: 'Jos tahdot luoda useita lompakoita, voit tehdä sen täältä ',
@ -120,6 +204,8 @@ module.exports = {
GEN_Label_3: 'Tallenna Osoitteesi. ',
GEN_Label_4:
'Valinnainen: Tulosta paperi lompakkosi, tai säilö QR koodi versio. ',
GEN_Aria_1: '',
GEN_Aria_2: '',
/* Bulk Generate Wallets */
BULK_Label_1: 'Kuinka Monta Lompakkoa Luodaan ',
@ -130,14 +216,13 @@ module.exports = {
SEND_addr: 'Osoitteeseen ',
SEND_amount: 'Summa Joka Lähetetään ',
SEND_amount_short: 'Summa ',
// SEND_custom : 'Mukautettu ',
SEND_custom: 'Mukautettu ',
SEND_gas: 'Gas ',
SEND_TransferTotal: 'Lähetä Koko Saldo ',
SEND_generate: 'Luo Allekirjoitettu Siirto ',
SEND_raw: 'Käsittelemätön Siirto ',
SEND_signed: 'Allekirjoitettu Siirto ',
SEND_trans: 'Lähetä Siirto ',
SEND_custom: 'Add Custom Token ',
SENDModal_Title: 'Varoitus! ',
/* full sentence reads "You are about to send "10 ETH" to address "0x1234". Are you sure you want to do this? " */
SENDModal_Content_1: 'Olet lähettämässä ',
@ -244,6 +329,8 @@ module.exports = {
VIEWWALLET_Subtitle_Short:
'Tämä antaa sinun ladata eri versiota yksityisistä salausavaimistasi ja uudelleen-tulostaa paperi lompakkosi. ',
VIEWWALLET_SuccessMsg: 'Onnistui! Tässä ovat lompakkosi yksityiskohdat. ',
VIEWWALLET_ShowPrivKey: '(show)',
VIEWWALLET_HidePrivKey: '(hide)',
/* Chrome Extension */
CX_error_1:
@ -268,10 +355,6 @@ module.exports = {
CONTRACT_ByteCode: 'Byte Code ',
CONTRACT_Read: 'READ ',
CONTRACT_Write: 'WRITE ',
// DEP_generate : 'Generate Bytecode ',
// DEP_generated : 'Generated Bytecode ',
// DEP_signtx : 'Sign Transaction ',
// DEP_interface : 'Generated Interface ',
/* Swap / Exchange */
SWAP_rates: 'Current Rates ',
@ -286,6 +369,7 @@ module.exports = {
SWAP_start_CTA: 'Start Swap ',
SWAP_ref_num: 'Your reference number ',
SWAP_time: 'Time remaining to send ',
SWAP_elapsed: 'Time elapsed since sent ',
SWAP_progress_1: 'Order Initiated ',
SWAP_progress_2: 'Waiting for your ', // Waiting for your BTC...
SWAP_progress_3: 'Received! ', // ETH Received!
@ -315,27 +399,28 @@ module.exports = {
MNEM_prev: 'Previous Addresses ',
/* Hardware wallets */
x_Ledger: 'Ledger Nano S ',
ADD_Ledger_1: 'Connect your Ledger Nano S ',
x_Ledger: 'Ledger Wallet ',
ADD_Ledger_1: 'Connect your Ledger Wallet ',
ADD_Ledger_2: 'Open the Ethereum application (or a contract application) ',
ADD_Ledger_3: 'Verify that Browser Support is enabled in Settings ',
ADD_Ledger_4:
'If no Browser Support is found in settings, verify that you have [Firmware >1.2](https://www.ledgerwallet.com/apps/manager) ',
ADD_Ledger_0a: 'Re-open MyEtherWallet on a secure (SSL) connection ',
ADD_Ledger_0a:
'You must access MyEtherWallet via a secure (SSL / HTTPS) connection to connect. ',
ADD_Ledger_0b:
'Re-open MyEtherWallet using [Chrome](https://www.google.com/chrome/browser/desktop/) or [Opera](https://www.opera.com/) ',
ADD_Ledger_scan: 'Connect to Ledger Nano S ',
ADD_Ledger_scan: 'Connect to Ledger Wallet ',
ADD_MetaMask: 'Connect to MetaMask ',
x_Trezor: 'TREZOR ',
ADD_Trezor_scan: 'Connect to TREZOR ',
ADD_Trezor_select: 'This is a TREZOR seed ',
/* Chrome Extension */
// CX_error_1 : 'You don\'t have any wallets saved. Click ["Add Wallet"](/cx-wallet.html#add-wallet) to add one! ',
// CX_quicksend : 'QuickSend ', // if no appropriate translation, just use "Send"
/* Misc */
// FOOTER_1b : 'Created by ',
// FOOTER_4 : 'Disclaimer ',
x_DigitalBitbox: 'Digital Bitbox ',
ADD_DigitalBitbox_0a: 'Re-open MyEtherWallet on a secure (SSL) connection ',
ADD_DigitalBitbox_0b:
'Re-open MyEtherWallet using [Chrome](https://www.google.com/chrome/browser/desktop/) or [Opera](https://www.opera.com/) ',
ADD_DigitalBitbox_scan: 'Connect your Digital Bitbox ',
/* Error Messages */
ERROR_0: 'Ole hyvä ja syötä kelpaava summa. ',
@ -347,11 +432,12 @@ module.exports = {
'Tätä yksikköä ei ole olemassa, ole hyvä ja käytä jotain seuraavista yksiköistä ',
ERROR_5: 'Virheellinen osoite. ',
ERROR_6: 'Virheellinen salasana. ',
ERROR_7: 'Virheellinen summa. ',
ERROR_8: 'Virheellinen gas raja. ',
ERROR_9: 'Virheellinen tieto arvo. ',
ERROR_10: 'Virheellinen gasin määrä. ',
ERROR_11: 'Virheellinen nonce. ',
ERROR_7: 'Virheellinen summa. (Must be integer. Try 0-18.) ', // 7
ERROR_8: 'Virheellinen gas raja. (Must be integer. Try 21000-4000000.) ', // 8
ERROR_9: 'Virheellinen tieto arvo. (Must be hex.) ', // 9
ERROR_10:
'Virheellinen gasin määrä. (Must be integer. Try 20 GWEI / 20000000000 WEI.) ',
ERROR_11: 'Virheellinen nonce. (Must be integer.) ', // 11
ERROR_12: 'Virheellinen allekirjoitettu siirto. ',
ERROR_13: 'Lompakko tällä kutsumanimellä on jo olemassa. ',
ERROR_14: 'Lompakkoa ei löytynyt. ',
@ -360,31 +446,40 @@ module.exports = {
ERROR_16:
'Lompakko jolla on tämä osoite on jo muistissa. Ole hyvä ja tarkista oma lompakko sivusi. ',
ERROR_17:
'Sinulla täytyy olla vähintään 0.01 ETHiä tililläsi kattaaksesi gasin hinnan. Ole hyvä ja lisää hieman ETHiä ja kokeile uudelleen. ',
'Riittämätön saldo gas * hinta + arvo. Sinulla täytyy olla vähintään 0.01 ETHiä tililläsi kattaaksesi gasin hinnan. Ole hyvä ja lisää hieman ETHiä ja kokeile uudelleen. ',
ERROR_18:
'Kaikki gas käytettäisiin tässä siirrossa. Tämä tarkoittaa että olet jo äänestänyt tässä ehdotuksessa tai debaatti aika on jo päättynyt. ',
ERROR_19: 'Virheellinen merkki ',
ERROR_20: 'Not a valid ERC-20 token ',
ERROR_20: 'Not a valid ERC-20 token', // 20
ERROR_21:
'Could not estimate gas. There are not enough funds in the account, or the receiving contract address would throw an error. Feel free to manually set the gas and proceed. The error message upon sending may be more informative. ',
ERROR_22: 'Please enter valid node name ',
'Could not estimate gas. There are not enough funds in the account, or the receiving contract address would throw an error. Feel free to manually set the gas and proceed. The error message upon sending may be more informative.', // 21
ERROR_22: 'Please enter a valid node name', // 22
ERROR_23:
'Please enter valid URL. If you are connecting via HTTPS, your node must be over HTTPS ',
ERROR_24: 'Please enter valid port ',
ERROR_25: 'Please enter valid chain ID ',
ERROR_26: 'Please enter valid ABI ',
ERROR_27: 'Minimum amount: 0.01. Maximum Amount: ',
'Please enter a valid URL. If you are on https, your URL must be https', // 23
ERROR_24: 'Please enter a valid port. ', // 24
ERROR_25: 'Please enter a valid chain ID. ', // 25
ERROR_26: 'Please enter a valid ABI. ', // 26
ERROR_27: 'Minimum amount: 0.01. Max amount: ', // 27
ERROR_28:
'**Tarvitset Avainsäilö Tiedostosi & salasanan tai Yksityisen salausavaimesi** saadaksesi pääsyn tähän lompakkoon tulevaisuudessa. Ole hyvä ja tallenna sekä varmuuskopioi se ulkoisesti! Ei ole mitään keinoa palauttaa sitä jos et tallenna sitä. Voit lukea ohjeet [Apua sivulta](https://www.myetherwallet.com/#help). ',
ERROR_29: 'Please enter valid user and password ',
ERROR_30: 'Please enter valid ENS name ',
ERROR_31: 'Invalid secret phrase ',
ERROR_29: 'Please enter a valid user and password. ', // 29
ERROR_30: 'Please enter a valid name (7+ characters, limited punctuation) ', // 30
ERROR_31: 'Please enter a valid secret phrase. ', // 31
ERROR_32:
'Could not connect to the node. Please refresh the page, or see the help page for more troubleshooting suggestions. ',
'Could not connect to the node. Refresh your page, try a different node (upper right corner), check your firewall settings. If custom node, check your configs.', // 32
ERROR_33:
"The wallet you have unlocked does not match the owner's address. ", // 33
ERROR_34:
'The name you are attempting to reveal does not match the name you have entered. ', // 34
ERROR_35:
'Input address is not checksummed. <a href="https://myetherwallet.groovehq.com/knowledge_base/topics/not-checksummed-shows-when-i-enter-an-address" target="_blank" rel="noopener"> More info</a>', // 35
ERROR_36: 'Enter valid TX hash', // 36
ERROR_37: 'Enter valid hex string (0-9, a-f)', // 37
SUCCESS_1: 'Validi osoite ',
SUCCESS_2: 'Lompakon salaus onnistuneesti purettu ',
SUCCESS_3:
'TX was broadcast to the blockchain. Click to see your transaction & verify it was mined and does not have any out of gas or contract execution errors. TX ID: ', //'Siirto lähetetty. TX ID ',
'Your TX has been broadcast to the network. It is waiting to be mined & confirmed. During ICOs, it may take 3+ hours to confirm. Use the Verify & Check buttons below to see. TX Hash: ', //'Siirto lähetetty. TX Hash ',
SUCCESS_4: 'Lompakkosi lisätty onnistuneesti ',
SUCCESS_5: 'Valittu Tiedosto ',
SUCCESS_6: 'You are successfully connected ',
@ -415,7 +510,7 @@ module.exports = {
PARITY_InsufficientGasPrice:
"Transaction fee is too low. It does not satisfy your node's minimal fee (minimal: {}, got: {}). Try increasing the fee.",
PARITY_InsufficientBalance:
'Insufficient funds. Account you try to send transaction from does not have enough funds. Required {} and got: {}.',
'Insufficient funds. Account you try to send transaction from does not have enough funds. Required {} wei and got: {} wei.',
PARITY_GasLimitExceeded:
'Transaction cost exceeds current gas limit. Limit: {}, got: {}. Try decreasing supplied gas.',
PARITY_InvalidGasLimit: 'Supplied gas is beyond limit.',
@ -471,7 +566,6 @@ module.exports = {
HELP_1_Desc_4: 'Click "GENERATE". ',
HELP_1_Desc_5: 'Your wallet has now been generated. ',
HELP_2a_Title: '2a) How do I save/backup my wallet? ',
HELP_2a_Desc_1:
'You should always back up your wallet externally and in multiple physical locations - like on a USB drive and/or a piece of paper. ',
HELP_2a_Desc_2:
@ -489,7 +583,7 @@ module.exports = {
'2b) How do I safely / offline / cold storage with MyEtherWallet? ',
HELP_2b_Desc_1:
'Go to [https://github.com/kvhnuke/etherwallet/releases/latest](https://github.com/kvhnuke/etherwallet/releases/latest). ',
HELP_2b_Desc_2: 'Click on `dist-vX.X.X.X.zip`. ',
HELP_2b_Desc_2: 'Click on `etherwallet-vX.X.X.X.zip`. ',
HELP_2b_Desc_3: 'Move zip to an airgapped computer. ',
HELP_2b_Desc_4: 'Unzip it and double-click `index.html`. ',
HELP_2b_Desc_5: 'Generate a wallet with a strong password. ',
@ -536,7 +630,7 @@ module.exports = {
HELP_4_Desc_12:
'A pop-up will appear. Verify that the amount and the address you are sending to are correct. Then click "Yes, I am sure! Make transaction." button. ',
HELP_4_Desc_13:
'The transaction will be submitted. The TX ID will display. You can click that TX ID to see it on the blockchain. ',
'The transaction will be submitted. The TX Hash will display. You can click that TX Hash to see it on the blockchain. ',
HELP_4CX_Title: '4) How do I send Ether using MyEtherWallet CX? ',
HELP_4CX_Desc_1:
@ -603,7 +697,7 @@ module.exports = {
HELP_7_Desc_14:
'A pop-up will appear. Verify that the amount and the address you are sending to are correct. Then click "Yes, I am sure! Make transaction." button. ',
HELP_7_Desc_15:
'The transaction will be submitted. The TX ID will display. You can click that TX ID to see it on the blockchain. ',
'The transaction will be submitted. The TX Hash will display. You can click that TX Hash to see it on the blockchain. ',
HELP_8_Title: '8) What happens if your site goes down? ',
HELP_8_Desc_1:

View File

@ -4,6 +4,82 @@
module.exports = {
code: 'fr',
data: {
/* New Generics */
x_CancelReplaceTx: 'Annuler ou remplacer la transaction',
x_CancelTx: 'Annuler la transaction',
x_PasswordDesc:
'Ce mot de passe * encrypte * votre clé privée. This does not act as a seed to generate your keys. **Vous aurez besoin de ce mot de passe et de votre clé privée pour déverouiller votre portefeuille.**',
x_ReadMore: 'En savoir plus', //read more
x_ReplaceTx: 'Remplacer la transaction',
x_TransHash: 'Empreinte (_hash_) de transaction',
x_TXFee: 'Frais de TX',
x_TxHash: 'Empreinte (_hash_) de TX',
/* Check TX Status */
NAV_CheckTxStatus: 'Vérifier statut TX',
NAV_TxStatus: 'Statut de la TX',
tx_Details: 'Détails de transaction',
tx_Summary:
'Pendant des périodes de volume important (comme pendant les ICOs) les transactions peuvent rester en attente des heures, voir des jours. Cet outil cherche à vous donner la possibilité de trouver et "annuler" / remplacer ces transactions. ** Ce n\'est pas quelque chose de possible normalement. Vous ne devriez pas vous y fier et cela ne marchera que lorsque les pools de transactions sont remplis. [Nous vous recommandons d\'en lire plus sur cet outil ici.](https://myetherwallet.groovehq.com/knowledge_base/topics/how-can-i-check-on-the-status-of-my-transaction-can-i-cancel-override-overwrite-replace-or-do-anything-once-a-transaction-has-been-sent)**',
tx_notFound: 'Pas de transaction trouvée', //transaction not found
tx_notFound_1:
'Cette TX est introuvable dans le pool de TX du nœud auquel vous êtes connecté.',
tx_notFound_2:
'Si vous venez d\'envoyer la transaction, veuillez attendre 15 secondes et cliquez une nouvelle fois sur le bouton "Vérifier statut TX". ',
tx_notFound_3:
"La transaction pourrait toujours être dans le pool de transactions d'un nœud différent, en attente d'être minée.",
tx_notFound_4:
'Veuillez utiliser le menu déroulant en haut à droite & sélectionner un nœud ETH différent (par ex. `ETH (Etherscan.io)` ou `ETH (Infura.io)` ou `ETH (MyEtherWallet)`) et revérifiez.',
tx_foundInPending: 'Transaction en attente trouvée',
tx_foundInPending_1:
'Cette TX a été identifiée dans le pool de TX du nœud auquel vous êtes connecté.',
tx_foundInPending_2:
"Elle est pour l'instant en attente (en attente d'être minée). ",
tx_foundInPending_3:
'Il existe une chance que vous puissiez "annuler" ou remplacer cette transaction. Déverouillez votre portefeuille ci-dessous.',
tx_FoundOnChain: 'Transaction trouvée',
tx_FoundOnChain_1:
'Votre transaction a été minée avec succès et se trouve sur la blockchain.',
tx_FoundOnChain_2:
'**Si vous voyez un `( ! )` rouge, un message d\'erreur `BAD INSTRUCTION` ou `OUT OF GAS`**, cela signifie que votre transaction n\'a pas été *envoyée*. Vous ne pouvez pas annuler ou remplacer cette transaction. A la place, envoyez une nouvelle transaction. Si vous avez reçu une erreur de type "Out of Gas", vous devriez doubler la limite de gaz que vous aviez spécifiée.',
tx_FoundOnChain_3:
"**Si vous ne voyez pas d'erreur, votre transaction a été envoyée avec succès.** Vos ETH ou Tokens sont à l'endroit où vous les avez envoyés. Si vous ne voyez pas ces ETH ou Tokens dans votre autre portefeuille ou compte de place d'échange, et si cela fait plus de 24 heures, veuillez [contacter ce service](https://myetherwallet.groovehq.com/knowledge_base/topics/i-have-a-question-but-its-not-about-myetherwallet-dot-com-what-do-i-do). Envoyez-leur le *lien* vers votre transaction et demandez, poliment, d'examiner votre situation.",
/* Gen Wallet Updates */
GEN_Help_1: 'Utiliser votre',
GEN_Help_2: 'pour accéder à votre compte.',
GEN_Help_3: 'Votre périphérique * est * votre portefeuille.',
GEN_Help_4: 'Guides & FAQ',
GEN_Help_5: 'Comment créer un portefeuille',
GEN_Help_6: 'Pour bien débuter', //Getting Started
GEN_Help_7:
'Gardez-le en sécurité · Faites une sauvegarde · Ne le partagez pas avec qui que ce soit · Ne le perdez pas · Il ne peut pas être récupéré si vous le perdez.',
GEN_Help_8: 'Pas de téléchargement? ',
GEN_Help_9: 'Essayez Google Chrome ',
GEN_Help_10: 'Clic droit & enregistrer sous. Nom de fichier: ',
GEN_Help_11: "N'ouvrez pas ce fichier sur votre ordinateur ",
GEN_Help_12:
'Utilisez-le pour déverouiller votre portefeuille avec MyEtherWallet (ou Mist, Geth, Parity et autres wallet clients.) ',
GEN_Help_13: 'Comment sauvegarder votre fichier Keystore ',
GEN_Help_14: 'Quels sont ces différents formats? ',
GEN_Help_15: 'Eviter la perte &amp; ou le vol de vos biens.',
GEN_Help_16: 'Quels sont ces différents formats?',
GEN_Help_17: 'Pourquoi dois-je faire ça?',
GEN_Help_18: 'Pour avoir une sauvegarde de secours.',
GEN_Help_19: 'Au cas où vous oubliez votre mot de passe.',
GEN_Help_20: 'Cold Storage',
GET_ConfButton: 'Je comprends. Continuer.',
GEN_Label_5: 'Sauvegardez votre `clé privée`. ',
GEN_Unlock: 'Déverouillez votre portefeuille pour voir votre adresse.',
GAS_PRICE_Desc:
'Le prix du gaz est le montant que vous payez par unité de gaz. `frais de TX = prix du gaz * limite en gaz` & est payé aux mineurs pour inclure votre transaction à un bloc. Prix de gaz plus haut = transaction plus rapide, mais plus coûteuse. Le prix par défaut est de `21 GWEI`.',
GAS_LIMIT_Desc:
"La limite en gaz est le montant de gaz à envoyer avec votre transaction. `frais de TX = prix du gaz * limite en gaz` et est payé aux mineurs pour inclure votre transaction à un bloc. Augmenter ce nombre n'exécutera pas votre transaction plus rapidement. Envoyer ETH = `21000`. Envoyer des Tokens = ~`200000`.",
NONCE_Desc:
"Le nonce est le nombre de transactions envoyées depuis une adresse. Il fait en sorte que les transactions sont envoyées en ordre et pas plus d'une fois.",
TXFEE_Desc:
'Les frais de transaction sont payés aux mineurs pour inclure votre transaction dans un bloc. Cela représente le `gas limit` * le `gas price`. [Vous pouvez convertir GWEI -> ETH ici](https://www.myetherwallet.com/helpers.html)',
/* Navigation*/
NAV_AddWallet: 'Ajouter un portefeuille ',
NAV_BulkGenerate: 'Générer des portefeuilles par lots ',
@ -11,13 +87,14 @@ module.exports = {
NAV_Contracts: 'Contrats ',
NAV_DeployContract: 'Déployer un contrat ',
NAV_ENS: 'ENS',
NAV_GenerateWallet_alt: 'Nouveau portefeuille ',
NAV_GenerateWallet: 'Générer un portefeuille ',
NAV_Help: 'Aide ',
NAV_InteractContract: 'Interact with Contract ',
NAV_InteractContract: 'Interagir avec un contrat ',
NAV_Multisig: 'Multisig ',
NAV_MyWallets: 'Mes portefeuilles ',
NAV_Offline: 'Envoyer hors-ligne ',
NAV_SendEther: 'Envoyer des Ether et des Tokens ',
NAV_SendEther: 'Envoyer des Ethers et des Tokens ',
NAV_SendTokens: 'Envoyer des tokens ',
NAV_SignMsg: 'Signer un message ',
NAV_Swap: 'Échange ',
@ -27,7 +104,7 @@ module.exports = {
/* General */
x_Access: 'Accès ',
x_AddessDesc:
'Aussi appelé "Numéro de compte" ou "Clé publique". C\'est ce que vous envoyez aux gens pour qu\'ils puissent vous envoyer des ether. Cette icone est une façon simple de reconnaitre votre adresse. ',
"Aussi appelé `numéro de compte` ou `clé publique`. C'est ce que vous donnez aux gens pour qu'ils puissent vous envoyer des Ethers ou des Tokens. Prenez note de l'icône colorée. Cette icône doit être identique quand vous entrez votre adresse quelque part.", //Find the colorful address icon. Make sure it matches your paper wallet & whenever you enter your address somewhere. Cette icône est une façon simple de reconnaître votre adresse.
x_Address: 'Votre adresse ',
x_Cancel: 'Annuler ',
x_CSV: 'Fichier CSV (non-chiffré) ',
@ -39,7 +116,8 @@ module.exports = {
x_Keystore2: 'Fichier Keystore (UTC / JSON) ',
x_KeystoreDesc:
"Ce fichier Keystore utilise le même format que celui que Mist, vous pouvez donc facilement l'importer plus tard dans ces logiciels. C'est le fichier que nous vous recommandons de télécharger et sauvegarder. ",
x_Ledger: 'Ledger Nano S ',
x_Ledger: 'Ledger Wallet ',
x_MetaMask: 'Metamask / Mist ',
x_Mnemonic: 'Phrase mnémonique ',
x_ParityPhrase: 'Phrase Parity ',
x_Password: 'Mot de passe ',
@ -74,15 +152,17 @@ module.exports = {
/* Sidebar */
sidebar_AccountInfo: 'Informations du compte ',
sidebar_AccountAddr: 'Addresse du compte ',
sidebar_AccountAddr: 'Adresse du compte ',
sidebar_AccountBal: 'Solde du compte ',
sidebar_TokenBal: 'Solde en tokens ',
sidebar_Equiv: 'Valeur correspondante ',
sidebar_TransHistory: 'Historique des transactions ',
sidebar_donation:
'MyEtherWallet est un service gratuit et open source respectueux de votre vie privée et de votre sécurité. Plus nous recevons de donations, plus nous dédions du temps à développer de nouvelles fonctions, à écouter vos retours et à vous fournir ce dont vous avez besoin. Nous ne sommes que deux personnes qui essayent de changer le monde. Aidez nous ! ',
'MyEtherWallet est un service gratuit et open source respectueux de votre vie privée et de votre sécurité. Plus nous recevons de donations, plus nous dédions du temps à développer de nouvelles fonctions, à écouter vos retours et à vous fournir ce dont vous avez besoin. Nous ne sommes que deux personnes qui essayent de changer le monde. Aidez-nous! ',
sidebar_donate: 'Faire une donation ',
sidebar_thanks: 'MERCI !!! ',
sidebar_DisplayOnTrezor: "Afficher l'adresse sur TREZOR",
sidebar_DisplayOnLedger: "Afficher l'adresse sur Ledger",
/* Decrypt Panel */
decrypt_Access: 'Comment voulez-vous accéder à votre portefeuille ? ',
@ -100,7 +180,11 @@ module.exports = {
ADD_Radio_4: 'Ajoutez un compte ',
ADD_Radio_5: 'Collez/entrez votre mnémonique ',
ADD_Radio_5_Path: 'Select HD derivation path ',
ADD_Radio_5_PathCustom: 'Custom',
ADD_Radio_5_woTrezor: '(Jaxx, Metamask, Exodus, imToken)',
ADD_Radio_5_withTrezor: '(Jaxx, Metamask, Exodus, imToken, TREZOR)',
ADD_Radio_5_PathAlternative: '(Ledger)',
ADD_Radio_5_PathTrezor: '(TREZOR)',
ADD_Radio_5_PathCustom: 'Personnalisé',
ADD_Label_2: 'Nommez votre compte : ',
ADD_Label_3: 'Votre fichier est chiffré, merci de saisir le mot de passe ',
ADD_Label_4: 'Ajouter un compte à afficher ',
@ -110,6 +194,7 @@ module.exports = {
ADD_Label_6: 'Déverrouiller votre portefeuille ',
ADD_Label_6_short: 'Déverrouiller ',
ADD_Label_7: 'Ajouter un compte ',
ADD_Label_8: 'Mot de passe (optionnel) : ',
/* Generate Wallets */
GEN_desc:
@ -122,6 +207,8 @@ module.exports = {
GEN_Label_3: 'Sauvegarder votre portefeuille. ',
GEN_Label_4:
'Optionnel: Imprimer votre portefeuille papier, ou conserver une version QR code. ',
GEN_Aria_1: '',
GEN_Aria_2: '',
/* Bulk Generate Wallets */
BULK_Label_1: 'Nombre de portefeuilles à générer ',
@ -253,6 +340,8 @@ module.exports = {
VIEWWALLET_Subtitle_Short:
'Ceci vous permet de télécharger plusieurs versions des clefs privées et de ré-imprimer votre portefeuille papier. ',
VIEWWALLET_SuccessMsg: 'Succès ! Voici les détails de votre portefeuille. ',
VIEWWALLET_ShowPrivKey: '(montrer)',
VIEWWALLET_HidePrivKey: '(cacher)',
/* Mnemonic */
MNEM_1: "Sélectionnez l'adresse avec laquelle vous désirez interagir. ",
@ -262,20 +351,29 @@ module.exports = {
MNEM_prev: 'Adresses précédentes ',
/* Hardware wallets */
ADD_Ledger_1: 'Connectez votre Ledger Nano S ',
ADD_Ledger_1: 'Connectez votre Ledger Wallet ',
ADD_Ledger_2:
"Ouvrez l'application Ethereum (ou une application de contrat) ",
ADD_Ledger_3:
"Vérifiez que l'option Browser Support est activée dans Settings ",
ADD_Ledger_scan: 'Se connecter au Ledger Nano S ',
ADD_Ledger_scan: 'Se connecter au Ledger Wallet ',
ADD_Ledger_4:
"Si l'option Browser Support n'est pas présente dans Settings, vérifiez que vous avez le [Firmware >1.2](https://www.ledgerwallet.com/apps/manager) ",
ADD_Ledger_0a: 'Réouvrir MyEtherWallet sur une connexion sécurisée (SSL) ',
ADD_Ledger_0b:
'Réouvrir MyEtherWallet avec [Chrome](https://www.google.com/chrome/browser/desktop/) ou [Opera](https://www.opera.com/) ',
ADD_MetaMask: 'Connexion à MetaMask ',
x_Trezor: 'TREZOR ',
ADD_Trezor_scan: 'Connexion au TREZOR ',
ADD_Trezor_select: 'Ceci est une _seed_ TREZOR ',
x_DigitalBitbox: 'Digital Bitbox ',
ADD_DigitalBitbox_0a:
'Réouvrir MyEtherWallet sur une connexion sécurisée (SSL) ',
ADD_DigitalBitbox_0b:
'Réouvrir MyEtherWallet avec [Chrome](https://www.google.com/chrome/browser/desktop/) ou [Opera](https://www.opera.com/) ',
ADD_DigitalBitbox_scan: 'Se connecter au Digital Bitbox ',
/* Chrome Extension */
CX_error_1:
@ -285,7 +383,7 @@ module.exports = {
/* Misc */ NODE_Title: 'Installer votre nœud personnalisé',
NODE_Subtitle: 'Pour se connecter à un nœud local…',
NODE_Warning:
'Votre nœud doit être en HTTPS pour vous y connecter via MyEtherWallet.com. Vous pouvez [téléccharger le repo MyEtherWallet et le lancer localement](https://github.com/kvhnuke/etherwallet/releases/latest) pour vous connecter à un nœud quelconque, ou obtenir un certificat SSL gratuit via [LetsEncrypt](https://letsencrypt.org/)',
'Votre nœud doit être en HTTPS pour vous y connecter via MyEtherWallet.com. Vous pouvez [télécharger le repo MyEtherWallet et le lancer localement](https://github.com/kvhnuke/etherwallet/releases/latest) pour vous connecter à un nœud quelconque, ou obtenir un certificat SSL gratuit via [LetsEncrypt](https://letsencrypt.org/)',
NODE_Name: 'Nom du nœud',
NODE_Port: 'Port du nœud',
NODE_CTA: 'Sauvegarder et utiliser un nœud personnalisé',
@ -317,6 +415,7 @@ module.exports = {
SWAP_start_CTA: "Commencer l'échange ",
SWAP_ref_num: 'Votre numéro de référence ',
SWAP_time: "Temps restant pour l'envoi ",
SWAP_elapsed: "Temps passé depuis l'envoi ",
SWAP_progress_1: 'Ordre déclenché ',
SWAP_progress_2: 'En attente de vos ', // Waiting for your BTC...
SWAP_progress_3: 'reçu ! ', // ETH Received!
@ -335,13 +434,15 @@ module.exports = {
ERROR_3: "Ceci n'est pas un fichier de portefeuille. ",
ERROR_4:
"Cette unité n'existe pas, merci d'utiliser une des unités suivantes ",
ERROR_5: 'Adresse invalide. ',
ERROR_6: 'Mot de passe invalide. ',
ERROR_7: 'Montant invalide. ',
ERROR_8: 'Limite de gaz invalide. ',
ERROR_9: 'Valeur des donnnées invalide. ',
ERROR_10: 'Montant de gaz invalide. ',
ERROR_11: 'Nonce invalide. ',
ERROR_5: 'Veuillez entrer un Adresse valide. ',
ERROR_6: 'Veuillez entrer un Mot de passe valide. ',
ERROR_7: 'Veuillez entrer un Montant valide. (Must be integer. Try 0-18.) ', // 7
ERROR_8:
'Veuillez entrer un Limite de gaz valide. (Must be integer. Try 21000-4000000.) ', // 8
ERROR_9: 'Veuillez entrer un Valeur des donnnées valide. (Must be hex.) ', // 9
ERROR_10:
'Veuillez entrer un Montant de gaz valide. (Must be integer. Try 20 GWEI / 20000000000 WEI.) ',
ERROR_11: 'Veuillez entrer un Nonce valide. (Must be integer.) ', // 11
ERROR_12: 'Transaction signée invalide. ',
ERROR_13: 'Un portefeuille avec ce nom existe déjà. ',
ERROR_14: 'Portefeuille non trouvé. ',
@ -350,36 +451,45 @@ module.exports = {
ERROR_16:
'Un portefeuille avec cette adresse existe déja. Merci de consulter la page listant vos portefeuilles. ',
ERROR_17:
'Il vous faut au moins 0,01 ether sur votre compte pour couvrir les coûts du gaz. Ajoutez des ether et réessayez. ',
"iFonds insuffisants. Le compte d'où vous essayez d'envoyer une transaction ne possède pas assez de fonds. Il vous faut au moins 0,01 ether sur votre compte pour couvrir les coûts du gaz. Ajoutez des ether et réessayez. ",
ERROR_18:
'Tout le gaz serait consommé lors de cette transaction. Cela signifie que vous avez déjà voté pour cette proposition ou que la période du débat est terminée. ',
ERROR_19: 'Symbole invalide ',
ERROR_19: 'Veuillez entrer un Symbole valide ',
ERROR_20:
"n'est pas un token ERC-20 valide. Si d'autres tokens sont en train de se charger, enlevez celui-ci et réessayez. ",
ERROR_21:
"Impossible d'estimer le gaz. Il n'y a pas assez de fonds sur le compte, ou l'adresse du contrat de réception a pu renvoyer une erreur. Vous pouvez ajuster vous-même le gaz et recommencer. Le message d'erreur à l'envoi peut comporter plus d'informations. ",
ERROR_22: 'Entrez un nom de nœud valide ',
ERROR_22: 'Veuillez entrer un nom de nœud valide ',
ERROR_23:
'Entrez une URL valide ; si vous êtes en https votre URL doit être https. ',
ERROR_24: 'Entrez un port valide ',
ERROR_25: 'Entrez un ID de chaîne valide ',
ERROR_26: 'Entrez une ABI valide ',
'Veuillez entrer une URL valide ; si vous êtes en https votre URL doit être https. ',
ERROR_24: 'Veuillez entrer un port valide ',
ERROR_25: 'Veuillez entrer un ID de chaîne valide ',
ERROR_26: 'Veuillez entrer une ABI valide ',
ERROR_27: 'Montant minimum : 0.01. Montant maximum : ',
ERROR_28:
"**Vous avez besoin de votre fichier Keystore et du mot de passe** (ou de la clé privée) pour accéder à ce portefeuille dans le futur. Merci de le télécharger et d'en faire une sauvegarde externe ! Il n'existe aucun moyen de récupérer un portefeuille si vous ne le sauvegardez pas. Merci de lire la [page d'Aide](https://www.myetherwallet.com/#help) pour plus de détails. ",
ERROR_29: 'Entrez un utilisateur et mot de passe valide ',
ERROR_30: 'Entrez un nom ENS valide ',
ERROR_29: 'Veuillez entrer un utilisateur et mot de passe valide ',
ERROR_30: 'Veuillez entrer un nom ENS valide ',
ERROR_31: 'Phrase secrète invalide ',
ERROR_32:
"Connexion au nœud impossible. Rafraîchissez la page, ou lisez les suggestions de dépannage sur la page d'aide. ",
"Connexion au nœud impossible. Rafraîchissez la page ou essayez un nœud différent (dans le coin en haut à droite), vérifiez les réglages de votre firewall. S'il s'agit d'un nœud personnalisé, vérifiez votre configuration.", // 32
ERROR_33:
"Le portefeuille que vous avez déverrouillé ne correspond pas à l'adresse du propriétaire. ", // 33
ERROR_34:
'Le nom que vous tentez de révéler ne correspond pas au nom que vous avez entré. ', // 34
ERROR_35:
'L\'adresse d\'entrée n\'a pas de somme de contrôle. <a href="https://myetherwallet.groovehq.com/knowledge_base/topics/not-checksummed-shows-when-i-enter-an-address" target="_blank" rel="noopener"> Plus d\'info</a>', // 35
ERROR_36: 'Entrez une empreinte (_hash_) de TX valide', // 36
ERROR_37: 'Entrez une chaîne hex valide (0-9, a-f)', // 37
SUCCESS_1: 'Adresse valide ',
SUCCESS_2: 'Portefeuille déchiffré avec succès ',
SUCCESS_3:
'TX was broadcast to the blockchain. Click to see your transaction & verify it was mined and does not have any out of gas or contract execution errors. TX ID: ', //'Transaction envoyée. Identifiant de transaction ',
"Votre TX a été diffusée sur le réseau. Elle attend d'être minée et confirmée. Pendant les ICO, la confirmation peut prendre plus de 3 heures. Utilisez les boutons de vérification ci-dessous pour la suivre. Hash de la TX : ",
SUCCESS_4: 'Votre portefeuille a été ajouté avec succès ',
SUCCESS_5: 'Fichier sélectionné ',
SUCCESS_6: 'Vous êtes bien connecté ',
SUCCESS_7: 'Signature du message erifiée',
SUCCESS_7: 'Signature du message rifiée',
WARN_Send_Link:
"Vous être arrivé grâce à un lien qui a rempli l'adresse, le montant, le gaz ou les champs de données pour vous. Vous pouvez modifier toutes les informations avant d'envoyer. Débloquez votre portefeuille pour démarrer. ",
@ -397,7 +507,7 @@ module.exports = {
/* Parity Error Messages */
PARITY_AlreadyImported:
'Une transaction avec un même hash a déjà été importée.',
'Une transaction avec une même empreinte (_hash_) a déjà été importée.',
PARITY_Old:
"Le nonce de la transaction est trop bas. Essayez d'incrémenter le nonce.",
PARITY_TooCheapToReplace:
@ -407,10 +517,10 @@ module.exports = {
PARITY_InsufficientGasPrice:
"Les frais de transaction sont trop bas. Ils ne satisfont pas au minimum de votre nœud (minimum : {}, reçu : {}). Essayez d'augmenter les frais.",
PARITY_InsufficientBalance:
"iFonds insuffisants. Le compte d'où vous essayez d'envoyer une transaction ne possède pas assez de fonds. Requis : {}, reçu : {}.",
"Fonds insuffisants. Le compte d'où vous essayez d'envoyer une transaction ne possède pas assez de fonds. Requis : {}, reçu : {}.",
PARITY_GasLimitExceeded:
'Le coût de la transaction excède la limite en gaz courante. Limite : {}, reçu : {}. Essayez de réduire le gaz fourni.',
PARITY_InvalidGasLimit: 'Le gaz fourni est en-deça de la limite.',
PARITY_InvalidGasLimit: 'Le gaz fourni est en-deçà de la limite.',
/* Tranlsation Info */
translate_version: '0.3 ',
@ -425,7 +535,7 @@ module.exports = {
TranslatorName_3: 'girards ',
TranslatorAddr_3: '',
/* Translator 3 : Insert Comments Here */
TranslatorName_4: '',
TranslatorName_4: 'Paul Ramlach',
TranslatorAddr_4: '',
/* Translator 4 : Insert Comments Here */
TranslatorName_5: '',
@ -463,7 +573,7 @@ module.exports = {
HELP_1_Desc_4: 'Cliquez sur "GÉNÉRER". ',
HELP_1_Desc_5: 'Votre portefeuille a maintenant été généré. ',
HELP_2a_Title: '2a) Comment puis-je sauvegarder mon portefeuille ? ',
HELP_2a_Title: 'Comment puis-je sauvegarder mon portefeuille ? ',
HELP_2a_Desc_1:
'Vous devez toujours sauvegarder votre portefeuille en plusieurs endroits physiques, comme sur une clef USB ou une feuille de papier. ',
HELP_2a_Desc_2:
@ -481,7 +591,7 @@ module.exports = {
'2b) Comment puis-je gérer en toute sécurité un stockage hors ligne avec MyEtherWallet? ',
HELP_2b_Desc_1:
'Allez sur notre Github : [https://github.com/kvhnuke/etherwallet/releases/latest](https://github.com/kvhnuke/etherwallet/releases/latest). ',
HELP_2b_Desc_2: 'Cliquez sur `dist-vX.X.X.X.zip` ',
HELP_2b_Desc_2: 'Cliquez sur `etherwallet-vX.X.X.X.zip` ',
HELP_2b_Desc_3: 'Transportez le zip sur un ordinateur hors ligne. ',
HELP_2b_Desc_4: 'Dézippez-le et double-cliquez sur `index.html`. ',
HELP_2b_Desc_5: 'Générez un portefeuille avec un mot de passe fort. ',
@ -756,7 +866,7 @@ module.exports = {
HELP_21_Desc_8:
"Cela suppose bien entendu que les clefs sont générées d'une manière totalement aléatoire avec suffisamment d'entropie. C'est le cas des clefs générées ici, tout comme celles de Jaxx et de Mist/geth. Les portefeuilles Ethereum sont tous assez bons de ce point de vue. Les clefs générées par des cerveaux humains ne le sont pas, car ces derniers ne sont pas capables de partir d'un nombre parfaitement aléatoire. Il y a eu des cas d'autres problèmes d'entropie insuffisante ou de nombres imparfaitement aléatoires dans le monde de Bitcoin mais il s'agit là d'un tout autre problème qui peut attendre un peu. ",
HELP_SecCX_Title: 'Securité - MyEtherWallet CX ',
HELP_SecCX_Title: 'Sécurité - MyEtherWallet CX ',
HELP_SecCX_Desc_1: 'Où cette extension sauve-t-elle mes informations ? ',
HELP_SecCX_Desc_2:
"Les informations stockées dans cette extension sont sauvegardée via [chrome.storage](http://chrome.storage/), c'est à dire au même endroit que vos mots de passe dans Chrome. ",

View File

@ -1,261 +1,333 @@
/* eslint-disable quotes*/
// Greek
// Hungarian
module.exports = {
code: 'el',
code: 'hu',
data: {
HELP_2a_Title: 'How do I save/backup my wallet? ',
/* New Generics */
x_CancelReplaceTx: 'Cancel or Replace Transaction',
x_CancelTx: 'Cancel Transaction',
x_PasswordDesc:
'This password * encrypts * your private key. This does not act as a seed to generate your keys. **You will need this password + your private key to unlock your wallet.**',
x_ReadMore: 'Read More',
x_ReplaceTx: 'Replace Transaction',
x_TransHash: 'Transaction Hash',
x_TXFee: 'TX Fee',
x_TxHash: 'TX Hash',
/* Check TX Status */
NAV_CheckTxStatus: 'Check TX Status',
NAV_TxStatus: 'TX Status',
tx_Details: 'Transaction Details',
tx_Summary:
'During times of high volume (like during ICOs) transactions can be pending for hours, if not days. This tool aims to give you the ability to find and "cancel" / replace these TXs. ** This is not typically something you can do. It should not be relied upon & will only work when the TX Pools are full. [Please, read about this tool here.](https://myetherwallet.groovehq.com/knowledge_base/topics/how-can-i-check-on-the-status-of-my-transaction-can-i-cancel-override-overwrite-replace-or-do-anything-once-a-transaction-has-been-sent)**',
tx_notFound: 'Transaction Not Found',
tx_notFound_1:
'This TX cannot be found in the TX Pool of the node you are connected to.',
tx_notFound_2:
'If you just sent the transaction, please wait 15 seconds and press the "Check TX Status" button again. ',
tx_notFound_3:
'It could still be in the TX Pool of a different node, waiting to be mined.',
tx_notFound_4:
'Please use the dropdown in the top-right & select a different ETH node (e.g. `ETH (Etherscan.io)` or `ETH (Infura.io)` or `ETH (MyEtherWallet)`) and check again.',
tx_foundInPending: 'Pending Transaction Found',
tx_foundInPending_1:
'Your transaction was located in the TX Pool of the node you are connected to. ',
tx_foundInPending_2: 'It is currently pending (waiting to be mined). ',
tx_foundInPending_3:
'There is a chance you can "cancel" or replace this transaction. Unlock your wallet below.',
tx_FoundOnChain: 'Transaction Found',
tx_FoundOnChain_1:
'Your transaction was successfully mined and is on the blockchain.',
tx_FoundOnChain_2:
'**If you see a red `( ! )`, a `BAD INSTRUCTION` or `OUT OF GAS` error message**, it means that the transaction was not successfully *sent*. You cannot cancel or replace this transaction. Instead, send a new transaction. If you received an "Out of Gas" error, you should double the gas limit you specified originally.',
tx_FoundOnChain_3:
'**If you do not see any errors, your transaction was successfully sent.** Your ETH or Tokens are where you sent them. If you cannot see this ETH or Tokens credited in your other wallet / exchange account, and it has been 24+ hours since you sent, please [contact that service](https://myetherwallet.groovehq.com/knowledge_base/topics/i-have-a-question-but-its-not-about-myetherwallet-dot-com-what-do-i-do). Send them the *link* to your transaction and ask them, nicely, to look into your situation.',
/* Gen Wallet Updates */
GEN_Help_1: 'Use your',
GEN_Help_2: 'to access your account.',
GEN_Help_3: 'Your device * is * your wallet.',
GEN_Help_4: 'Guides & FAQ',
GEN_Help_5: 'How to Create a Wallet',
GEN_Help_6: 'Getting Started',
GEN_Help_7:
"Keep it safe · Make a backup · Don't share it with anyone · Don't lose it · It cannot be recovered if you lose it.",
GEN_Help_8: 'Not Downloading a File? ',
GEN_Help_9: 'Try using Google Chrome ',
GEN_Help_10: 'Right click & save file as. Filename: ',
GEN_Help_11: "Don't open this file on your computer ",
GEN_Help_12:
'Use it to unlock your wallet via MyEtherWallet (or Mist, Geth, Parity and other wallet clients.) ',
GEN_Help_13: 'How to Back Up Your Keystore File ',
GEN_Help_14: 'What are these Different Formats? ',
GEN_Help_15: 'Preventing loss &amp; theft of your funds.',
GEN_Help_16: 'What are these Different Formats?',
GEN_Help_17: 'Why Should I?',
GEN_Help_18: 'To have a secondary backup.',
GEN_Help_19: 'In case you ever forget your password.',
GEN_Help_20: 'Cold Storage',
GET_ConfButton: 'I understand. Continue.',
GEN_Label_5: 'Save Your `Private Key`. ',
GEN_Unlock: 'Unlock your wallet to see your address',
GAS_PRICE_Desc:
'Gas Price is the amount you pay per unit of gas. `TX fee = gas price * gas limit` & is paid to miners for including your TX in a block. Higher the gas price = faster transaction, but more expensive. Default is `21 GWEI`.',
GAS_LIMIT_Desc:
'Gas limit is the amount of gas to send with your TX. `TX fee` = gas price * gas limit & is paid to miners for including your TX in a block. Increasing this number will not get your TX mined faster. Sending ETH = `21000`. Sending Tokens = ~`200000`.',
NONCE_Desc:
'The nonce is the number of transactions sent from a given address. It ensures transactions are sent in order & not more than once.',
TXFEE_Desc:
'The TX Fee is paid to miners for including your TX in a block. Is is the `gas limit` * `gas price`. [You can convert GWEI -> ETH here](https://www.myetherwallet.com/helpers.html)',
/* Navigation*/
NAV_AddWallet: 'Προσθήκη Πορτοφολιού ',
NAV_BulkGenerate: 'Δημιουργία Πολλών Πορτοφολιών ',
NAV_Contact: 'Επικοινωνία ',
NAV_AddWallet: 'Add Wallet ',
NAV_BulkGenerate: 'Bulk Generate ',
NAV_Contact: 'Contact ',
NAV_Contracts: 'Contracts ',
NAV_DeployContract: 'Deploy Contract ',
NAV_ENS: 'ENS',
NAV_GenerateWallet: 'Δημηουργία Πορτοφολιού ',
NAV_Help: 'Βοήθεια ',
NAV_GenerateWallet_alt: 'New Wallet ',
NAV_GenerateWallet: 'Generate Wallet ',
NAV_Help: 'Help ',
NAV_InteractContract: 'Interact with Contract ',
NAV_Multisig: 'Multisig ',
NAV_MyWallets: 'Τα Πορτοφόλια μου ',
NAV_Offline: 'Αποστολή εκτός Σύνδεσης ',
NAV_SendEther: 'Αποστολή Ether και Tokens ',
NAV_SendTokens: 'Αποστολή Tokens ',
NAV_MyWallets: 'My Wallets ',
NAV_Offline: 'Send Offline ',
NAV_SendEther: 'Send Ether & Tokens ',
NAV_SendTokens: 'Send Tokens ',
NAV_SignMsg: 'Sign Message ',
NAV_Swap: 'Swap ',
NAV_ViewWallet: 'Προβολή Πληροφοριών Πορτοφολιού ',
NAV_YourWallets: 'Τα Πορτοφόλια σας ',
NAV_ViewWallet: 'View Wallet Info ',
NAV_YourWallets: 'Your Wallets ',
/* General */
x_Access: 'Access ',
x_AddessDesc:
'Γνωστή και ως "Αριθμός Λογαριασμού" σας ή "Δημόσιο Κλειδί" σας. Αυτή δίνετε σε όσους επιθυμούν να σας στείλουν ether. Το εικονίδιο είναι ένας εύκολος τρόπος αναγνώρισης της διεύθυνσής σας. ',
x_Address: 'Η Διεύθυνσή σας ',
x_Cancel: 'Ακύρωση ',
x_CSV: 'Αρχείο CSV (μη κρυπτογραφημένο) ',
x_Download: 'Λήψη ',
x_Json: 'Αρχείο JSON (μη κρυπτογραφημένο) ',
'Your Address can also be known as you `Account #` or your `Public Key`. It is what you share with people so they can send you Ether or Tokens. Find the colorful address icon. Make sure it matches your paper wallet & whenever you enter your address somewhere. You may know this as your "Account #" or your "Public Key". It is what you send people so they can send you ether. That icon is an easy way to recognize your address. ',
x_Address: 'Your Address ',
x_Cancel: 'Cancel ',
x_CSV: 'CSV file (unencrypted) ',
x_Download: 'Download ',
x_Json: 'JSON File (unencrypted) ',
x_JsonDesc:
'Αυτή είναι η μη κρυπτογραφημένη, JSON μορφή του Ιδιωτικού Κλειδιού σας. Αυτό σημαίνει ότι δεν απαιτείται κωδικός όμως οποιοσδήποτε βρει το JSON σας έχει πρόσβαση στο πορτοφόλι και τα Ether σας χωρίς κωδικό. ',
x_Keystore: 'Αρχείο Keystore (UTC / JSON · Συνιστάται · Κρυπτογραφημένο) ',
x_Keystore2: 'Αρχείο Keystore (UTC / JSON) ',
'This is the unencrypted, JSON format of your private key. This means you do not need the password but anyone who finds your JSON can access your wallet & Ether without the password. ',
x_Keystore: 'Keystore File (UTC / JSON · Recommended · Encrypted) ',
x_Keystore2: 'Keystore File (UTC / JSON) ',
x_KeystoreDesc:
'Αυτό το Αρχείο Keystore έχει την ίδια μορφή που χρησιμοποιείται από το Mist ώστε να μπορείτε εύκολα να το εισάγετε στο μέλλον. Είναι το συνιστώμενο αρχείο για λήψη και δημιουργία αντιγράφου ασφαλείας. ',
'This Keystore file matches the format used by Mist so you can easily import it in the future. It is the recommended file to download and back up. ',
x_MetaMask: 'Metamask / Mist ',
x_Mnemonic: 'Mnemonic Phrase ',
x_ParityPhrase: 'Parity Phrase ',
x_Password: 'Κωδικός ',
x_Print: 'Εκτύπωση Χάρτινου Πορτοφολιού ',
x_Password: 'Password ',
x_Print: 'Print Paper Wallet ',
x_PrintDesc:
'Συμβουλή: Κλικάρετε "Εκτύπωση και Αποθήκευση ως PDF" ακόμη κι αν δεν έχετε εκτυπωτή! ',
x_PrintShort: 'Εκτύπωση ',
x_PrivKey: 'Ιδιωτικό Κλειδί (μη κρυπτογραφημένο) ',
x_PrivKey2: 'Ιδιωτικό Κλειδί ',
'ProTip: Click print and save this as a PDF, even if you do not own a printer! ',
x_PrintShort: 'Print ',
x_PrivKey: 'Private Key (unencrypted) ',
x_PrivKey2: 'Private Key ',
x_PrivKeyDesc:
'Αυτό το κείμενο είναι η μη κρυπτογραφημένη εκδοχή του Ιδιωτικού Κλειδιού σας που σημαίνει ότι δεν απαιτείται κωδικός. Στην περίπτωση που κάποιος βρει το μη κρυπτογραφημένο Ιδιωτικό Κλειδί σας, έχει πρόσβαση στο πορτοφόλι σας χωρίς κωδικό. Για αυτόν τον λόγο, συνήθως συνιστώνται οι κρυπτογραφημένες εκδοχές. ',
x_Save: 'Αποθήκευση ',
x_TXT: 'Αρχείο TXT (μη κρυπτογραφημένο) ',
x_Wallet: 'Πορτοφόλι ',
'This is the unencrypted text version of your private key, meaning no password is necessary. If someone were to find your unencrypted private key, they could access your wallet without a password. For this reason, encrypted versions are typically recommended. ',
x_Save: 'Save ',
x_TXT: 'TXT file (unencrypted) ',
x_Wallet: 'Wallet ',
/* Header */
MEW_Warning_1:
'Πάντα να ελέγχετε την διεύθυνση URL προτού μπείτε στο πορτοφόλι σας ή δημιουργήσετε καινούριο πορτοφόλι. Προσοχή στις σελίδες ηλεκτρονικού ψαρέματος! ',
CX_Warning_1:
'Σιγουρευτείτε ότι έχετε **εξωτερικά αντίγραφα ασφαλείας** όλων των πορτοφολιών που αποθηκεύετε εδώ. Μπορούν να συμβούν διάφορα που θα προκαλούσαν απώλεια των δεδομένων σας σε αυτήν την επέκταση Chrome, συμπεριλαμβανομένης απεγκατάστασης και επανεγκατάστασης της επέκτασης. Αυτή η επέκταση είναι ένας τρόπος εύκολης πρόσβασης στα πορτοφόλια σας και **όχι** ένας τρόπος να δημηιουργήσετε αντίγραφα ασφαλείας τους. ',
MEW_Tagline:
'Ασφαλές Πορτοφόλι Ether Ανοιχτού Κώδικα JavaScript από την πλευρά του Πελάτη ',
CX_Tagline:
'Επέκταση Chrome για Ασφαλές Πορτοφόλι Ether Ανοιχτού Κώδικα JavaScript από την πλευρά του Πελάτη ',
'Open Source JavaScript Client-Side Ether Wallet Chrome Extension ',
CX_Warning_1:
'Make sure you have **external backups** of any wallets you store here. Many things could happen that would cause you to lose the data in this Chrome Extension, including uninstalling and reinstalling the extension. This extension is a way to easily access your wallets, **not** a way to back them up. ',
MEW_Tagline: 'Open Source JavaScript Client-Side Ether Wallet ',
MEW_Warning_1:
'Always check the URL before accessing your wallet or creating a new wallet. Beware of phishing sites! ',
/* Footer */
FOOTER_1:
'Ένα εργαλείο ανοιχτού κώδικα, javascript, από πλευράς πελάτη για την δημιουργία Πορτοφολιών Ethereum & αποστολή συναλλαγών. ',
FOOTER_1b: 'Δημιουργήθηκε από ',
FOOTER_2: 'Εκτιμούμε πολύ τις δωρεές σας: ',
FOOTER_3: 'Δημιουργία Πορτοφολιών από πλευράς πελάτη από ',
'Free, open-source, client-side interface for generating Ethereum wallets &amp; more. Interact with the Ethereum blockchain easily &amp; securely. Double-check the URL ( .com ) before unlocking your wallet.',
FOOTER_1b: 'Created by ',
FOOTER_2: 'Donations greatly appreciated ',
FOOTER_3: 'Client-side wallet generation by ',
FOOTER_4: 'Disclaimer ',
/* Sidebar */
sidebar_AccountInfo: 'Πληροφορίες Λογαριασμού ',
sidebar_AccountAddr: 'Διεύθυνση Λογαριασμού ',
sidebar_AccountBal: 'Υπόλοιπο Λογαριασμού ',
sidebar_TokenBal: 'Υπόλοιπο Token ',
sidebar_Equiv: 'Ισότιμες Αξίες ',
sidebar_TransHistory: 'Ιστορικό Συναλλαγών ',
sidebar_AccountInfo: 'Account Information ',
sidebar_AccountAddr: 'Account Address ',
sidebar_AccountBal: 'Account Balance ',
sidebar_TokenBal: 'Token Balances ',
sidebar_Equiv: 'Equivalent Values ',
sidebar_TransHistory: 'Transaction History ',
sidebar_donation:
'Το MyEtherWallet είναι μία δωρεάν υπηρεσία ανοιχτού κώδικα αφοσιωμένη στην ιδιωτικότητα και την ασφάλεια σας. Όσο περισσότερες δωρεές λαμβάνουμε, τόσο περισσότερο χρόνο αφιερώνουμε στη δημιουργία νέων χαρακτηριστικών καθώς και την αξιολόγηση και εφαρμογή όσων μας προτείνετε. Είμαστε απλά δύο άνθρωποι που προσπαθούν να αλλάξουν τον κόσμο. Θα μας βοηθήσετε; ',
sidebar_donate: 'Δωρεά ',
sidebar_thanks: 'ΣΑΣ ΕΥΧΑΡΙΣΤΟΥΜΕ!!! ',
'MyEtherWallet is a free, open-source service dedicated to your privacy and security. The more donations we receive, the more time we spend creating new features, listening to your feedback, and giving you what you want. We are just two people trying to change the world. Help us? ',
sidebar_donate: 'Donate ',
sidebar_thanks: 'THANK YOU!!! ',
sidebar_DisplayOnTrezor: 'Display address on TREZOR',
sidebar_DisplayOnLedger: 'Display address on Ledger',
/* Decrypt Panel */
decrypt_Access: 'Πώς θα θέλατε να έχετε πρόσβαση στο Πορτοφόλι σας; ',
decrypt_Title: 'Επιλέξτε την μορφή του Ιδιωτικού Κλειδιού σας: ',
decrypt_Select: 'Επιλέξτε Πορτοφόλι: ',
decrypt_Access: 'How would you like to access your wallet? ',
decrypt_Title: 'Select the format of your private key ',
decrypt_Select: 'Select a Wallet ',
/* Mnemonic */
MNEM_1: 'Please select the address you would like to interact with. ',
MNEM_2:
'Your single HD mnemonic phrase can access a number of wallets / addresses. Please select the address you would like to interact with at this time. ',
MNEM_more: 'More Addresses ',
MNEM_prev: 'Previous Addresses ',
/* Hardware wallets */
x_Ledger: 'Ledger Wallet ',
ADD_Ledger_1: 'Connect your Ledger Wallet ',
ADD_Ledger_2: 'Open the Ethereum application (or a contract application) ',
ADD_Ledger_3: 'Verify that Browser Support is enabled in Settings ',
ADD_Ledger_4:
'If no Browser Support is found in settings, verify that you have [Firmware >1.2](https://www.ledgerwallet.com/apps/manager) ',
ADD_Ledger_0a:
'You must access MyEtherWallet via a secure (SSL / HTTPS) connection to connect. ',
ADD_Ledger_0b:
'Re-open MyEtherWallet using [Chrome](https://www.google.com/chrome/browser/desktop/) or [Opera](https://www.opera.com/) ',
ADD_Ledger_scan: 'Connect to Ledger Wallet ',
ADD_MetaMask: 'Connect to MetaMask ',
x_Trezor: 'TREZOR ',
ADD_Trezor_scan: 'Connect to TREZOR ',
x_DigitalBitbox: 'Digital Bitbox ',
ADD_DigitalBitbox_0a: 'Re-open MyEtherWallet on a secure (SSL) connection ',
ADD_DigitalBitbox_0b:
'Re-open MyEtherWallet using [Chrome](https://www.google.com/chrome/browser/desktop/) or [Opera](https://www.opera.com/) ',
ADD_DigitalBitbox_scan: 'Connect your Digital Bitbox ',
/* Add Wallet */
ADD_Label_1: 'Τι θα θέλατε να κάνετε; ',
ADD_Radio_1: 'Δημιουργία Νέου Πορτοφολιού ',
ADD_Radio_2: 'Επιλέξτε το αρχείο Πορτοφολιού σας (Keystore / JSON) ',
ADD_Radio_2_short: 'ΕΠΙΛΕΞΤΕ ΑΡΧΕΙΟ ΠΟΡΤΟΦΟΛΙΟΥ... ',
ADD_Radio_3: 'Επικολλήστε/Πληκτρολογήστε το Ιδιωτικό Κλειδί σας ',
ADD_Radio_4: 'Προσθήκη Λογαριασμού προς Παρακολούθηση ',
ADD_Label_1: 'What would you like to do? ',
ADD_Radio_1: 'Generate New Wallet ',
ADD_Radio_2: 'Select Your Wallet File (Keystore / JSON) ',
ADD_Radio_2_alt: 'Select Your Wallet File ',
ADD_Radio_2_short: 'SELECT WALLET FILE... ',
ADD_Radio_3: 'Paste/Type Your Private Key ',
ADD_Radio_4: 'Add an Account to Watch ',
ADD_Radio_5: 'Paste/Type Your Mnemonic ',
ADD_Radio_5_Path: 'Select HD derivation path ',
ADD_Radio_5_woTrezor: '(Jaxx, Metamask, Exodus, imToken)',
ADD_Radio_5_withTrezor: '(Jaxx, Metamask, Exodus, imToken, TREZOR)',
ADD_Radio_5_PathAlternative: '(Ledger)',
ADD_Radio_5_PathTrezor: '(TREZOR)',
ADD_Radio_5_PathCustom: 'Custom',
ADD_Label_2: 'Δημιουργία Ψευδωνύμου: ',
ADD_Label_3:
'Το πορτοφόλι σας είναι κρυπτογραφημένο. Παρακαλώ εισάγετε τον κωδικό ',
ADD_Label_4: 'Προσθήκη Λογαριασμού προς Παρακολούθηση ',
ADD_Label_2: 'Create a Nickname ',
ADD_Label_3: 'Your wallet is encrypted. Please enter the password. ',
ADD_Label_4: 'Add an Account to Watch ',
ADD_Warning_1:
'Μπορείτε να προσθέσετε έναν λογαριασμό προς "παρακολούθηση" στην καρτέλα πορτοφολιών χωρίς να ανεβάσετε ιδιωτικό κλειδί. Αυτό ** δεν ** σημαίνει ότι έχετε πρόσβαση στο πορτοφόλι, ούτε ότι μπορείτε να μεταφέρετε Ether από αυτό. ',
ADD_Label_5: 'Εισάγετε την Διεύθυνση ',
ADD_Label_6: 'Ξεκλειδώστε το Πορτοφόλι σας ',
ADD_Label_6_short: 'Ξεκλείδωμα ',
ADD_Label_7: 'Προσθήκη Λογαριασμού ',
'You can add any account to "watch" on the wallets tab without uploading a private key. This does ** not ** mean you have access to this wallet, nor can you transfer Ether from it. ',
ADD_Label_5: 'Enter the Address ',
ADD_Label_6: 'Unlock your Wallet ',
ADD_Label_6_short: 'Unlock ',
ADD_Label_7: 'Add Account ',
ADD_Label_8: 'Password (optional): ',
/* My Wallet */
MYWAL_Nick: 'Wallet Nickname ',
MYWAL_Address: 'Wallet Address ',
MYWAL_Bal: 'Balance ',
MYWAL_Edit: 'Edit ',
MYWAL_View: 'View ',
MYWAL_Remove: 'Remove ',
MYWAL_RemoveWal: 'Remove Wallet ',
MYWAL_WatchOnly: 'Your Watch-Only Accounts ',
MYWAL_Viewing: 'Viewing Wallet ',
MYWAL_Hide: 'Hide Wallet Info ',
MYWAL_Edit_2: 'Edit Wallet ',
MYWAL_Name: 'Wallet Name ',
MYWAL_Content_1: 'Warning! You are about to remove your wallet ',
MYWAL_Content_2:
'Be sure you have **saved the private key and/or Keystore File and the password** before you remove it. ',
MYWAL_Content_3:
'If you want to use this wallet with your MyEtherWallet CX in the future, you will need to manually re-add it using the private key/JSON and password. ',
/* Generate Wallets */
GEN_desc:
'Αν επιθυμείτε να δημιουργήσετε πολλά πορτοφόλια, μπορείτε να το κάνετε εδώ: ',
GEN_Label_1: 'Εισάγετε ισχυρό κωδικό (τουλάχιστον 9 χαρακτήρες) ',
GEN_Placeholder_1: 'ΜΗΝ ξεχάσετε να τον αποθηκεύσετε! ',
GEN_SuccessMsg: 'Επιτυχία! Το πορτοφόλι σας δημιουργήθηκε. ',
GEN_Label_2:
'Αποθηκεύστε το αρχέιο Keystore/JSON ή το Ιδιωτικό Κλειδί. Μην ξεχάσετε τον παραπάνω κωδικό. ',
GEN_Label_3: 'Αποθηκέυστε την Διεύθυνση σας. ',
GEN_Label_4:
'Εκτυπώστε το χάρτινο Πορτοφόλι σας ή αποθηκέυστε την εκδοχή με QR code. (προαιρετικό) ',
GEN_desc: 'If you want to generate multiple wallets, you can do so here ',
GEN_Label_1: 'Enter a strong password (at least 9 characters) ',
GEN_Placeholder_1: 'Do NOT forget to save this! ',
GEN_SuccessMsg: 'Success! Your wallet has been generated. ',
GEN_Label_2: 'Save your Wallet File. ',
GEN_Label_3: 'Save Your Address. ',
GEN_Label_4: 'Print paper wallet or a QR code. ',
GEN_Aria_1: '',
GEN_Aria_2: '',
/* Bulk Generate Wallets */
BULK_Label_1: 'Αριθμός Πορτοφολιών για Δημιουργία ',
BULK_Label_2: 'Δημιουργία Πορτοφολιών ',
BULK_SuccessMsg: 'Επιτυχία! Τα πορτοφόλια σας δημιουργήθηκαν. ',
BULK_Label_1: 'Number of Wallets To Generate ',
BULK_Label_2: 'Generate Wallets ',
BULK_SuccessMsg: 'Success! Your wallets have been generated. ',
/* Sending Ether and Tokens */
SEND_addr: 'Προς Διεύθυνση ',
SEND_amount: 'Ποσό για αποστολή ',
SEND_amount_short: 'Ποσό ',
// SEND_custom : 'Custom ',
SEND_gas: 'Gas ',
SEND_generate: 'Δημιουργία Υπογεγραμμένης Συναλλαγής ',
SEND_raw: 'Ακατέργαστη Συναλλαγή ',
SEND_signed: 'Υπογεγραμμένη Συναλλαγή ',
SEND_trans: 'Αποστολή Συναλλαγής ',
// SEND_TransferTotal : 'Μεταφορά συνολικού διαθέσιμου υπολοίπου ',
SEND_addr: 'To Address ',
SEND_amount: 'Amount to Send ',
SEND_amount_short: 'Amount ',
SEND_custom: 'Add Custom Token ',
SENDModal_Title: 'Προσοχή! ',
SEND_gas: 'Gas ',
SEND_TransferTotal: 'Send Entire Balance ',
SEND_generate: 'Generate Transaction ',
SEND_raw: 'Raw Transaction ',
SEND_signed: 'Signed Transaction ',
SEND_trans: 'Send Transaction ',
SENDModal_Title: 'Warning! ',
/* full sentence reads "You are about to send "10 ETH" to address "0x1234". Are you sure you want to do this? " */
SENDModal_Content_1: 'Πρόκειται να στείλετε ',
SENDModal_Content_2: 'στη διεύθυνση ',
SENDModal_Content_3: 'Είστε σίγουροι ότι θέλετε να το κάνετε; ',
SENDModal_Content_1: 'You are about to send ',
SENDModal_Content_2: 'to address ',
SENDModal_Content_3: 'Are you sure you want to do this? ',
SENDModal_Content_4:
'ΣΗΜΕΙΩΣΗ: Αν αντιμετωπίσετε σφάλμα, το πιο πιθανό χρειάζεται να προσθέσετε ether στον λογαριασμό σας για να καλύψετε το κόστος gas για την αποστολή token. Το gas πληρώνεται σε ether. ',
SENDModal_No: 'Όχι, θέλω να φύγω από εδώ! ',
SENDModal_Yes: 'Ναι, είμαι σίγουρος/η! Εκτελέστε την συναλλαγή. ',
SEND_TransferTotal: 'Μεταφορά όλου του υπάρχοντος υπολοίπου ',
'NOTE: If you encounter an error, you most likely need to add ether to your account to cover the gas cost of sending tokens. Gas is paid in ether. ',
SENDModal_No: 'No, get me out of here! ',
SENDModal_Yes: 'Yes, I am sure! Make transaction. ',
/* Tokens */
TOKEN_Addr: 'Διεύθυνση ',
TOKEN_Symbol: 'Σύμβολο Token ',
TOKEN_Dec: 'Δεκαδικά ',
TOKEN_hide: 'Hide Tokens ',
TOKEN_Addr: 'Address ',
TOKEN_Symbol: 'Token Symbol ',
TOKEN_Dec: 'Decimals ',
TOKEN_show: 'Show All Tokens ',
TOKEN_hide: 'Hide Tokens ',
/* Send Transaction */
TRANS_desc:
'Άν επιθυμείτε να στείλετε Tokens, παρακαλώ χρησιμοποιήστε την σελίδα "Αποστολή Token". ',
'If you want to send Tokens, please use the "Send Token" page instead. ',
TRANS_warning:
'Άν χρησιμοποιείτε τις λειτουργίες "Μόνο ETH" ή "Μόνο ETC", η αποστολή γίνεται μέσω contracts. Ορισμένες υπηρεσίες παρουσιάζουν προβλήματα με την αποδοχή τέτοιων συναλλαγών. Διαβάστε περισσότερα. ',
TRANS_advanced: '+Για προχωρημένους: Προσθήκη Data ',
'If you are using the "Only ETH" or "Only ETC" Functions you are sending via a contract. Some services have issues accepting these transactions. Read more. ',
TRANS_advanced: '+Advanced: Add Data ',
TRANS_data: 'Data ',
TRANS_gas: 'Gas Limit ',
TRANS_sendInfo:
'Μία standard συναλλαγή που χρησιμοποιεί 21000 gas θα κοστίσει 0,000441 ETH. Χρησιμοποιούμε για τιμή gas 0.000000021 ETH που είναι λίγο πάνω απο την ελάχιστη ώστε διασφαλίσουμε οτι θα επικυρωθεί γρήγορα. Δεν παίρνουμε προμήθεια για την συναλλαγή. ',
/* Send Transaction Modals */
TRANSModal_Title: 'Συναλλαγές "Μόνο ETH" και "Μόνο ETC" ',
TRANSModal_Content_0:
'Μια σημείωση για τις διάφορετικές συναλλαγές και διαφορετικές υπηρεσίες συναλλαγών: ',
TRANSModal_Content_1:
'**ETH (Standard Συναλλαγή): ** This generates a default transaction directly from one address to another. It has a default gas of 21000. It is likely that any ETH sent via this method will be replayed onto the ETC chain. ',
TRANSModal_Content_2:
"**Μόνο ETH: ** This sends via [Timon Rapp's replay protection contract (as recommended by VB)](https://blog.ethereum.org/2016/07/26/onward_from_the_hard_fork/) so that you only send on the **ETH** chain. ",
TRANSModal_Content_3:
"**Μόνο ETC: ** This sends via [Timon Rapp's replay protection contract (as recommended by VB)](https://blog.ethereum.org/2016/07/26/onward_from_the_hard_fork/) so that you only send on the **ETC** chain. ",
TRANSModal_Content_4:
'**Coinbase & ShapeShift: ** Αποστέλλετε μόνο με Standard Συναλλαγή. Αν στείλετε με τα "Μόνο" contracts, θα χρεαιστεί να έρθετε σε επφή με το προσωπικό υποστήριξης τους ώστε να σας βοηθήσουν με χειροκίνητη μεταφορά υπολοίπων ή επιστροφή χρημάτων.[Μπορείτε επίσης να δοκιμάσετε το εργαλείο "διαχωρισμού" του Shapeshift](https://split.shapeshift.io/) ',
TRANSModal_Content_5:
'**Kraken & Poloniex:** Δεν υπάρχουν γνωστά προβλήματα. Αποστέλλετε με οποιαδήποτε μέθοδο. ',
TRANSModal_Yes: 'Τέλεια, το κατάλαβα. ',
TRANSModal_No: 'Πωπω, μπερδεύτηκα ακόμη περισσότερο. Βοηθήστε με. ',
'A standard transaction using 21000 gas will cost 0.000441 ETH. We use a slightly-above-minimum gas price of 0.000000021 ETH to ensure it gets mined quickly. We do not take a transaction fee. ',
/* Offline Transaction */
OFFLINE_Title: 'Δημιουργία και Αποστολή Συναλλαγής εκτός Σύνδεσης ',
OFFLINE_Title: 'Generate & Send Offline Transaction ',
OFFLINE_Desc:
'Η δημιουργία συναλλαγών εκτός σύνδεσης μπορεί να γίνει σε τρία βήματα. Θα προβείτε στα βήματα 1 και 3 σε έναν συνδεδεμένο υπολογιστή και το βήμα 2 σε έναν εκτός σύνδεσης/αποκομμένο υπολογιστή. Αυτό εξασφαλίζει ότι τα ιδιωτικά κλειδιά σας δεν έρχονται σε επαφή με συσκευή συνδεδεμένη στο διαδίκτυο. ',
OFFLLINE_Step1_Title:
'Βήμα 1: Δημιουργία Πληροφοριών (Συνδεδεμένος Υπολογιστής) ',
OFFLINE_Step1_Button: 'Δημιουργία Πληροφοριών ',
OFFLINE_Step1_Label_1: 'Από Διεύθυνση: ',
'Generating offline transactions can be done in three steps. You will complete steps 1 and 3 on an online computer, and step 2 on an offline/airgapped computer. This ensures your private keys do not touch an internet-connected device. ',
OFFLLINE_Step1_Title: 'Step 1: Generate Information (Online Computer) ',
OFFLINE_Step1_Button: 'Generate Information ',
OFFLINE_Step1_Label_1: 'From Address ',
OFFLINE_Step1_Label_2:
'Σημείωση: Αυτή είναι η Διεύθυνση ΑΠΟΣΤΟΛΕΑ, ΟΧΙ η Διεύθυνση. Το nonce δημιουργείται απο τον λογαριασμό προέλευσης. Αν χρησιμοποιείται αποκομμένο υπολογιστή, πρόκειται για την διεύθυνση του λογαριασμού σε cold-storage. ',
OFFLINE_Step2_Title:
'Step 2: Δημιουργία Συναλλαγής (εκτός Σύνδεσης Υπολογιστής) ',
OFFLINE_Step2_Label_1: 'Προς Διεύθυνση ',
OFFLINE_Step2_Label_2: 'Αξία / Ποσό για Αποστολή ',
OFFLINE_Step2_Label_3: 'Τιμή Gas ',
'Note: This is the FROM address, not the TO address. Nonce is generated from the originating account. If using an airgapped computer, it would be the address of the cold-storage account. ',
OFFLINE_Step2_Title: 'Step 2: Generate Transaction (Offline Computer) ',
OFFLINE_Step2_Label_1: 'To Address ',
OFFLINE_Step2_Label_2: 'Value / Amount to Send ',
OFFLINE_Step2_Label_3: 'Gas Price ',
OFFLINE_Step2_Label_3b:
'Εμφανίστηκε στο Βήμα 1 στον συνδεδεμένο υπολογιστή σας. ',
OFFLINE_Step2_Label_4: 'Όριο Gas ',
'This was displayed in Step 1 on your online computer. ',
OFFLINE_Step2_Label_4: 'Gas Limit ',
OFFLINE_Step2_Label_4b:
"21000 είναι το προεπιλεγμένο όριο gas. When you send contracts or add'l data, this may need to be different. Any unused gas will be returned to you. ",
"21000 is the default gas limit. When you send contracts or add'l data, this may need to be different. Any unused gas will be returned to you. ",
OFFLINE_Step2_Label_5: 'Nonce ',
OFFLINE_Step2_Label_5b:
'Εμφανίστηκε στο Βήμα 1 στον συνδεδεμένο υπολογιστή σας. ',
'This was displayed in Step 1 on your online computer. ',
OFFLINE_Step2_Label_6: 'Data ',
OFFLINE_Step2_Label_6b:
'Αυτό είναι προαιρετικό. Data συνήθως χρησιμοποιούνται όταν αποστέλλονται συναλλαγές σε contracts. ',
OFFLINE_Step2_Label_7: 'Εισαγωγή / Επιλογή του Ιδιωτικού Κλειδιού / JSON. ',
'This is optional. Data is often used when you send transactions to contracts. ',
OFFLINE_Step2_Label_7: 'Enter / Select your Private Key / JSON. ',
OFFLINE_Step3_Title:
'Βήμα 3: Δημοσίευση Συναλλαγής (Συνδεδεμένος Υπολογιστής) ',
'Step 3: Send / Publish Transaction (Online Computer) ',
OFFLINE_Step3_Label_1:
'Επικολλήστε την υπογεγραμμένη συναλλαγή εδώ και πατήστε το κουμπί "ΑΠΟΣΤΟΛΗ ΣΥΝΑΛΛΑΓΗΣ". ',
/* My Wallet */
MYWAL_Nick: 'Ψευδώνυμο Πορτοφολιού ',
MYWAL_Address: 'Διεύθυνση Πορτοφολιού ',
MYWAL_Bal: 'Υπόλοιπο ',
// MYWAL_Edit : 'Επεξεργασία ',
MYWAL_View: 'Προβολή ',
MYWAL_Remove: 'Αφαίρεση ',
MYWAL_RemoveWal: 'Αφαίρεση Πορτοφολιού: ',
MYWAL_WatchOnly: 'Οι Μόνο-προς-παρακολούθηση-Λογαριασμοί ',
MYWAL_Viewing: 'Προβάλλεται το Πορτοφόλι ',
MYWAL_Hide: 'Απόκρυψη Πληροφοριών Πορτοφολιού ',
MYWAL_Edit: 'Επεξεργασία Πορτοφολιού ',
MYWAL_Name: 'Όνομα Πορτοφολιού ',
MYWAL_Content_1: 'Προσοχή! Πρόκειται να αφαιρέσετε το πορτοφόλι σας. ',
MYWAL_Content_2:
'Σιγουρευτείτε ότι έχετε **αποθηκεύσει το αρχέιο Keystore/JSON και τον κωδικό** του πορτοφολιού αυτού πριν το αφαιρέσετε. ',
MYWAL_Content_3:
'Αν θέλετε να χρησιμοποιήσετε το ποροτοφόλι αυτό με το MyEtherWalletCX στο μέλλον, θα χρειαστεί να το ξαναπροσθέσετε χειροκίνητα χρησιμοποιώντας το Ιδιωτικό Κλειδί/JSON και τον κωδικό. ',
/* View Wallet Details */
VIEWWALLET_Subtitle:
'Αυτό σας επιτρέπει να κατεβάσετε διαφορετικές εκδοχές των ιδιωτικών κλειδιών σας και να επανεκτυπώσετε το χάρτινο πορτοφόλι σας. Ίσως επιθυμείτε να το κάνετε προκειμένου να [εισάγετε τον Λογαριασμό σας στο Geth/Mist](http://ethereum.stackexchange.com/questions/465/how-to-import-a-plain-private-key-into-geth/). Αν επιθυμείτε να ελέγξετε το υπόλοιπό σας, συνιστούμε να χρησιμοποιήσετε ένα εργαλείο εξερεύνησης blockchain όπως το [etherscan.io](http://etherscan.io/). ',
VIEWWALLET_Subtitle_Short:
'Αυτό σας επιτρέπει να κατεβάσετε διαφορετικές εκδοχές των ιδιωτικών κλειδιών σας και να επανεκτυπώσετε το χάρτινο πορτοφόλι σας. ',
VIEWWALLET_SuccessMsg:
'Επιτυχία! Εδώ είναι οι πληροφορίες για το πορτοφόλι σας. ',
/* CX */
CX_error_1:
'Δεν έχετε αποθηκευμένα πορτοφόλια. Κάντε κλικ στο ["Προσθήκη Πορτοφολιού"](/cx-wallet.html#add-wallet) για να προσθεσετε ένα! ',
CX_quicksend: 'ΤαχυΑποστολή ',
/* Node Switcher */
NODE_Title: 'Set Up Your Custom Node',
NODE_Subtitle: 'To connect to a local node...',
NODE_Warning:
'Your node must be HTTPS in order to connect to it via MyEtherWallet.com. You can [download the MyEtherWallet repo & run it locally](https://github.com/kvhnuke/etherwallet/releases/latest) to connect to any node. Or, get free SSL certificate via [LetsEncrypt](https://letsencrypt.org/)',
NODE_Name: 'Node Name',
NODE_Port: 'Node Port',
NODE_CTA: 'Save & Use Custom Node',
'Paste the signed transaction from Step 2 here and press the "SEND TRANSACTION" button. ',
/* Contracts */
CONTRACT_Title: 'Contract Address ',
@ -271,6 +343,15 @@ module.exports = {
DEP_signtx: 'Sign Transaction ',
DEP_interface: 'Generated Interface ',
/* Node Switcher */
NODE_Title: 'Set Up Your Custom Node',
NODE_Subtitle: 'To connect to a local node...',
NODE_Warning:
'Your node must be HTTPS in order to connect to it via MyEtherWallet.com. You can [download the MyEtherWallet repo & run it locally](https://github.com/kvhnuke/etherwallet/releases/latest) to connect to any node. Or, get free SSL certificate via [LetsEncrypt](https://letsencrypt.org/)',
NODE_Name: 'Node Name',
NODE_Port: 'Node Port',
NODE_CTA: 'Save & Use Custom Node',
/* Swap / Exchange */
SWAP_rates: 'Current Rates ',
SWAP_init_1: 'I want to swap my ',
@ -284,6 +365,7 @@ module.exports = {
SWAP_start_CTA: 'Start Swap ',
SWAP_ref_num: 'Your reference number ',
SWAP_time: 'Time remaining to send ',
SWAP_elapsed: 'Time elapsed since sent ',
SWAP_progress_1: 'Order Initiated ',
SWAP_progress_2: 'Waiting for your ', // Waiting for your BTC...
SWAP_progress_3: 'Received! ', // ETH Received!
@ -305,81 +387,87 @@ module.exports = {
MSG_info3:
'Include a specific reason for the message so it cannot be reused for a different purpose. ',
/* Mnemonic */
MNEM_1: 'Please select the address you would like to interact with. ',
MNEM_2:
'Your single HD mnemonic phrase can access a number of wallets / addresses. Please select the address you would like to interact with at this time. ',
MNEM_more: 'More Addresses ',
MNEM_prev: 'Previous Addresses ',
/* View Wallet Details */
VIEWWALLET_Subtitle:
'This allows you to download different versions of private keys and re-print your paper wallet. You may want to do this in order to [import your account into Geth/Mist](http://ethereum.stackexchange.com/questions/465/how-to-import-a-plain-private-key-into-geth/). If you want to check your balance, we recommend using a blockchain explorer like [etherscan.io](http://etherscan.io/). ',
VIEWWALLET_Subtitle_Short:
'This allows you to download different versions of private keys and re-print your paper wallet. ',
VIEWWALLET_SuccessMsg: 'Success! Here are your wallet details. ',
VIEWWALLET_ShowPrivKey: '(show)',
VIEWWALLET_HidePrivKey: '(hide)',
/* Hardware wallets */
x_Ledger: 'Ledger Nano S ',
ADD_Ledger_1: 'Connect your Ledger Nano S ',
ADD_Ledger_2: 'Open the Ethereum application (or a contract application) ',
ADD_Ledger_3: 'Verify that Browser Support is enabled in Settings ',
ADD_Ledger_4:
'If no Browser Support is found in settings, verify that you have [Firmware >1.2](https://www.ledgerwallet.com/apps/manager) ',
ADD_Ledger_0a: 'Re-open MyEtherWallet on a secure (SSL) connection ',
ADD_Ledger_0b:
'Re-open MyEtherWallet using [Chrome](https://www.google.com/chrome/browser/desktop/) or [Opera](https://www.opera.com/) ',
ADD_Ledger_scan: 'Connect to Ledger Nano S ',
x_Trezor: 'TREZOR ',
ADD_Trezor_scan: 'Connect to TREZOR ',
ADD_Trezor_select: 'This is a TREZOR seed ',
/* Chrome Extension */
CX_error_1:
'You don\'t have any wallets saved. Click ["Add Wallet"](/cx-wallet.html#add-wallet) to add one! ',
CX_quicksend: 'QuickSend ', // if no appropriate translation, just use "Send"
/* Error Messages */
ERROR_0: 'Παρακαλώ εισάγετε έγκυρο ποσό. ',
ERROR_0: 'Please enter a valid amount.', // 0
ERROR_1:
'Ο κωδικός σας πρέπει να αποτελείται απο τουλάχιστον 9 χαρακτήρες. Παρακαλώ σιγουρευτείτε ότι είναι ισχυρός κωδικός. ',
ERROR_2: 'Συγγνώμη! Δεν αναγνωρίζουμε αυτού του είδους αρχεία πορτοφολιού ',
ERROR_3: 'Αυτό δεν είναι έγκυρο αρχείο πορτοφολιού. ',
'Your password must be at least 9 characters. Please ensure it is a strong password. ', // 1
ERROR_2: "Sorry! We don't recognize this type of wallet file. ", // 2
ERROR_3: 'This is not a valid wallet file. ', // 3
ERROR_4:
'Αυτή η μονάδα δεν υπάρχει, παρακαλώ χρησιμοποιήστε μία απο τις ακόλουθες μονάδες: ',
ERROR_5: 'Λάθος Διεύθυνση. ',
ERROR_6: 'Λάθος κωδικός. ',
ERROR_7: 'Λάθος ποσό. ',
ERROR_8: 'Λάθος όριο gas. ',
ERROR_9: 'Λάθος data value. ',
ERROR_10: 'Λάθος ποσό gas. ',
ERROR_11: 'Λάθος nonce. ',
ERROR_12: 'Λάθος υπογεγραμμένη συναλλαγή. ',
ERROR_13: 'Υπάρχει ήδη πορτοφόλι με αυτό το ψευδώνυμο. ',
ERROR_14: 'Δεν βρέθηκε πορτοφόλι. ',
"This unit doesn't exists, please use the one of the following units ", // 4
ERROR_5: 'Please enter a valid address. ', // 5
ERROR_6: 'Please enter a valid password. ', // 6
ERROR_7: 'Please enter valid decimals (Must be integer. Try 0-18.) ', // 7
ERROR_8:
'Please enter a valid gas limit (Must be integer. Try 21000-4000000.) ', // 8
ERROR_9: 'Please enter a valid data value (Must be hex.) ', // 9
ERROR_10:
'Please enter a valid gas price. (Must be integer. Try 20 GWEI / 20000000000 WEI.) ',
ERROR_11: 'Please enter a valid nonce (Must be integer.) ', // 11
ERROR_12: 'Invalid signed transaction. ', // 12
ERROR_13: 'A wallet with this nickname already exists. ', // 13
ERROR_14: 'Wallet not found. ', // 14
ERROR_15:
'Φαίνετα να μην υπάρχει ακόμη πρόταση με αυτό το ID ή υπήρξε σφάλμα κατά την ανάγνωση της πρότασης αυτής. ',
"Whoops. It doesn't look like a proposal with this ID exists yet or there is an error reading this proposal. ", // 15 - NOT USED
ERROR_16:
'Υπάρχει ήδη αποθηκευμένο πορτοφόλι με αυτή την διεύθυνση. Παρακαλώ ελέγξτε την σελίδα πορτοφολιών σας. ',
'A wallet with this address already exists in storage. Please check your wallets page. ', // 16
ERROR_17:
'Πρέπει να έχετε τουλάχιστον 0.01 ETH στον λογαριασμό σας για να καλύψετε το κόστος του gas. Παρακαλώ προσθέστε μερικά ether και δοκιμάστε ξανά. ',
'Account you are sending from does not have enough funds. If sending tokens, you must have 0.01 ETH in your account to cover the cost of gas. ', // 17
ERROR_18:
'Όλο το gas θα είχε δαπανηθεί στην συναλλαγή αυτή. Αυτό σημαίνει ότι έχετε ήδη ψηφίσει στην πρόταση αυτή ή ότι η περίοδος συζήτησης έχει λήξει. ',
ERROR_19: 'Λάθος σύμβολο ',
ERROR_20: 'Not a valid ERC-20 token ',
'All gas would be used on this transaction. This means you have already voted on this proposal or the debate period has ended.', // 18
ERROR_19: 'Please enter a valid symbol', // 19
ERROR_20: 'Not a valid ERC-20 token', // 20
ERROR_21:
'Could not estimate gas. There are not enough funds in the account, or the receiving contract address would throw an error. Feel free to manually set the gas and proceed. The error message upon sending may be more informative. ',
ERROR_22: 'Please enter valid node name ',
'Could not estimate gas. There are not enough funds in the account, or the receiving contract address would throw an error. Feel free to manually set the gas and proceed. The error message upon sending may be more informative.', // 21
ERROR_22: 'Please enter a valid node name', // 22
ERROR_23:
'Please enter valid URL. If you are connecting via HTTPS, your node must be over HTTPS ',
ERROR_24: 'Please enter valid port ',
ERROR_25: 'Please enter valid chain ID ',
ERROR_26: 'Please enter valid ABI ',
ERROR_27: 'Minimum amount: 0.01. Maximum Amount: ',
'Please enter a valid URL. If you are on https, your URL must be https', // 23
ERROR_24: 'Please enter a valid port. ', // 24
ERROR_25: 'Please enter a valid chain ID. ', // 25
ERROR_26: 'Please enter a valid ABI. ', // 26
ERROR_27: 'Minimum amount: 0.01. Max amount: ', // 27
ERROR_28:
'Προκειμένου να έχετε πρόσβαση σε αυτό το πορτοφόλι στο μέλλον **είναι απαραίτητο το αρχείο Keystore/JSON & ο κωδικός ή το Ιδιωτικό Κλειδί σας**. Παρακαλούμε κρατήστε ένα εξωτερικό αντίγραφο ασφαλείας! Δεν υπάρχει τρόπος ανάκτησης ενός πορτοφολιού άν δεν το αποθηκέυσετε. Διαβάστε την σελίδα [Βοήθειας](https://www.myetherwallet.com/#help) για οδηγίες. ',
ERROR_29: 'Please enter valid user and password ',
ERROR_30: 'Please enter valid ENS name ',
ERROR_31: 'Invalid secret phrase ',
'You need this `Keystore File + Password` or the `Private Key` (next page) to access this wallet in the future. ', // 28
ERROR_29: 'Please enter a valid user and password. ', // 29
ERROR_30: 'Please enter a valid name (7+ characters, limited punctuation) ', // 30
ERROR_31: 'Please enter a valid secret phrase. ', // 31
ERROR_32:
'Could not connect to the node. Please refresh the page, or see the help page for more troubleshooting suggestions. ',
SUCCESS_1: 'Έγκυρη διεύθυνση ',
SUCCESS_2: 'Το πορτοφόλι αποκρυπτογραφήθηκε επιτυχώς ',
'Could not connect to the node. Refresh your page, try a different node (upper right corner), check your firewall settings. If custom node, check your configs.', // 32
ERROR_33:
"The wallet you have unlocked does not match the owner's address. ", // 33
ERROR_34:
'The name you are attempting to reveal does not match the name you have entered. ', // 34
ERROR_35:
'Input address is not checksummed. <a href="https://myetherwallet.groovehq.com/knowledge_base/topics/not-checksummed-shows-when-i-enter-an-address" target="_blank" rel="noopener"> More info</a>', // 35
ERROR_36: 'Enter valid TX hash', // 36
ERROR_37: 'Enter valid hex string (0-9, a-f)', // 37
SUCCESS_1: 'Valid address ',
SUCCESS_2: 'Wallet successfully decrypted ',
SUCCESS_3:
'TX was broadcast to the blockchain. Click to see your transaction & verify it was mined and does not have any out of gas or contract execution errors. TX ID: ', //'Η συναλλαγή υποβλήθηκε. TX ID ',
SUCCESS_4: 'Το πορτοφόλι σας προστέθηκε επιτυχώς ',
'Your TX has been broadcast to the network. It is waiting to be mined & confirmed. During ICOs, it may take 3+ hours to confirm. Use the Verify & Check buttons below to see. TX Hash: ',
SUCCESS_4: 'Your wallet was successfully added ',
SUCCESS_5: 'File Selected ',
SUCCESS_6: 'You are successfully connected ',
SUCCESS_7: 'Message Signature Verified',
/* Messages */
WARN_Send_Link:
'You arrived via a link that has the address, value, gas, data fields, or transaction type (send mode) filled in for you. You can change any information before sending. Unlock your wallet to get started. ',
/* Geth Error Messages */
GETH_InvalidSender: 'Invalid sender ',
GETH_Nonce: 'Nonce too low ',
GETH_Cheap: 'Gas price too low for acceptance ',
@ -390,7 +478,6 @@ module.exports = {
GETH_IntrinsicGas: 'Intrinsic gas too low ',
GETH_GasLimit: 'Exceeds block gas limit ',
GETH_NegativeValue: 'Negative value ',
FOOTER_4: 'Disclaimer ',
/* Parity Error Messages */
PARITY_AlreadyImported:
@ -403,33 +490,28 @@ module.exports = {
PARITY_InsufficientGasPrice:
"Transaction fee is too low. It does not satisfy your node's minimal fee (minimal: {}, got: {}). Try increasing the fee.",
PARITY_InsufficientBalance:
'Insufficient funds. Account you try to send transaction from does not have enough funds. Required {} and got: {}.',
'Insufficient funds. Account you try to send transaction from does not have enough funds. Required {} wei and got: {} wei.',
PARITY_GasLimitExceeded:
'Transaction cost exceeds current gas limit. Limit: {}, got: {}. Try decreasing supplied gas.',
PARITY_InvalidGasLimit: 'Supplied gas is beyond limit.',
WARN_Send_Link:
'You arrived via a link that has the address, value, gas, data fields, or transaction type (send mode) filled in for you. You can change any information before sending. Unlock your wallet to get started. ',
/* Tranlsation Info */
translate_version: '0.3 ',
Translator_Desc: 'Ευχαριστούμε τους μεταφραστές μας ',
TranslatorName_1:
'[VitalikFanBoy#117](https://www.myetherwallet.com/?gaslimit=21000&to=0x245f27796a44d7e3d30654ed62850ff09ee85656&value=1.0#send-transaction) · ',
TranslatorAddr_1: '0x245f27796a44d7e3d30654ed62850ff09ee85656 ',
translate_version: '0.5 ',
Translator_Desc: ' ',
TranslatorName_1: ' ',
TranslatorAddr_1: ' ',
/* Translator 1 : Insert Comments Here */
TranslatorName_2: 'LefterisJP · ',
TranslatorAddr_2: '',
TranslatorName_2: ' ',
TranslatorAddr_2: ' ',
/* Translator 2 : Insert Comments Here */
TranslatorName_3:
'[Nikos Vavoulas](https://www.myetherwallet.com/?gaslimit=21000&to=0x062711C89Bd46E9765CfF0b743Cb83a9dBA2d2d2&value=1.0#send-transaction) · ',
TranslatorAddr_3: '0x062711C89Bd46E9765CfF0b743Cb83a9dBA2d2d2 ',
TranslatorName_3: ' ',
TranslatorAddr_3: ' ',
/* Translator 3 : Insert Comments Here */
TranslatorName_4: '',
TranslatorAddr_4: '',
TranslatorName_4: ' ',
TranslatorAddr_4: ' ',
/* Translator 4 : Insert Comments Here */
TranslatorName_5: '',
TranslatorAddr_5: '',
TranslatorName_5: ' ',
TranslatorAddr_5: ' ',
/* Translator 5 : Insert Comments Here */
/* Help - Nothing after this point has to be translated. If you feel like being extra helpful, go for it. */
@ -445,31 +527,30 @@ module.exports = {
HELP_Remind_Desc_3:
'If you do not save your private key & password, there is no way to recover access to your wallet or the funds it holds. Back them up in multiple physical locations &ndash; not just on your computer! ',
HELP_0_Title: '0) Είμαι νέος χρήστης. Τι κάνω? ',
HELP_0_Title: "0) I'm new. What do I do? ",
HELP_0_Desc_1:
"Το MyEtherWallet σας δίνει την δυνατότητα να δημιουργήσετε νέα πορτοφόλια ώστε να μπορείτε να αποθηκεύσετε το Ether σας μόνοι σας, και όχι σε κάποιο ανταλλακτήριο (exchange provider). Αυτή η διαδικασία συμβαίνει εξ'ολοκλήρου στον υπολογιστή σας, και όχι στους servers μας. Γι'αυτό, όταν δημιουργείτε ένα νέο πορτοφόλι, **εσείς είστε υπεύθυνοι να κρατήσετε αντίγραφα ασφαλείας**. ",
HELP_0_Desc_2: 'Δημιουργήστε ένα νέο πορτοφόλι. ',
HELP_0_Desc_3: 'Κρατήστε αντίγραφο ασφαλείας ποτοφολιού. ',
'MyEtherWallet gives you the ability to generate new wallets so you can store your Ether yourself, not on an exchange. This process happens entirely on your computer, not our servers. Therefore, when you generate a new wallet, **you are responsible for safely backing it up**. ',
HELP_0_Desc_2: 'Create a new wallet. ',
HELP_0_Desc_3: 'Back the wallet up. ',
HELP_0_Desc_4:
'Επιβεβαιώστε ότι έχετε πρόσβαση στο νέο αυτό πορτοφόλι και ότι αποθηκεύσατε σωστά όλες τις απαραίτητες πληροφορίες. ',
HELP_0_Desc_5: 'Μεταφέρετε Ether στο νέο αυτό πορτοφόλι. ',
'Verify you have access to this new wallet and have correctly saved all necessary information. ',
HELP_0_Desc_5: 'Transfer Ether to this new wallet. ',
HELP_1_Title: '1) Πως φτιάχνω ένα νέο πορτοφόλι? ',
HELP_1_Desc_1: 'Πηγαίνετε στην σελίδα "Δημιουργία Πορτοφολιού". ',
HELP_1_Title: '1) How do I create a new wallet? ',
HELP_1_Desc_1: 'Go to the "Generate Wallet" page. ',
HELP_1_Desc_2:
'Πηγαίνετε στην σελίδα "Προσθήκη Πορτοφολιού" & επιλέξτε "Δημιουργία Νέου Πορτοφολιού" ',
'Go to the "Add Wallet" page & select "Generate New Wallet" ',
HELP_1_Desc_3:
'Οληκτρολογήστε ένα δυνατό συνθηματικό (password). Αν νομίζετε ότι μπορεί να το ξεχάσετε, αποθηκεύστε το κάπου που να είναι ασφαλές. Θα χρειαστείτε αυτό το password για τις εξερχόμενες συναλλαγές σας. ',
HELP_1_Desc_4: 'Κάντε κλικ στο "ΔΗΜΙΟΥΡΓΙΑ". ',
HELP_1_Desc_5: 'Το πορτοφόλι σας δημιοθργήθηκε με επιτυχία. ',
'Enter a strong password. If you think you may forget it, save it somewhere safe. You will need this password to send transactions. ',
HELP_1_Desc_4: 'Click "GENERATE". ',
HELP_1_Desc_5: 'Your wallet has now been generated. ',
HELP_2a_Title: '2a) How do I save/backup my wallet? ',
HELP_2a_Desc_1:
'You should always back up your wallet externally and in multiple physical locations - like on a USB drive and/or a piece of paper. ',
HELP_2a_Desc_2:
'Save the address. You can keep it to yourself or share it with others. That way, others can transfer ether to you. ',
HELP_2a_Desc_3:
'Save versions of the private key. Do not share it with anyone else. Your private key is necessary when you want to access your Ether to send it! There are 3 types of private keys: ',
'Save versions of the private key. Do not share it with anyone else. Your private key is necessary when you want to access your Ether to send it! There are 3 types of private keys ',
HELP_2a_Desc_4:
'Place your address, versions of the private key, and the PDF version of your paper wallet in a folder. Save this on your computer and a USB drive. ',
HELP_2a_Desc_5:
@ -481,7 +562,7 @@ module.exports = {
'2b) How do I safely / offline / cold storage with MyEtherWallet? ',
HELP_2b_Desc_1:
'Go to [https://github.com/kvhnuke/etherwallet/releases/latest](https://github.com/kvhnuke/etherwallet/releases/latest). ',
HELP_2b_Desc_2: 'Click on `dist-vX.X.X.X.zip`. ',
HELP_2b_Desc_2: 'Click on `etherwallet-vX.X.X.X.zip`. ',
HELP_2b_Desc_3: 'Move zip to an airgapped computer. ',
HELP_2b_Desc_4: 'Unzip it and double-click `index.html`. ',
HELP_2b_Desc_5: 'Generate a wallet with a strong password. ',
@ -511,7 +592,7 @@ module.exports = {
HELP_4_Title: '4) How do I send Ether from one wallet to another? ',
HELP_4_Desc_1:
'If you plan to move a large amount of ether, you should test sending a small amount to your wallet first to ensure everything goes as planned. ',
HELP_4_Desc_2: 'Navigate to the "Αποστολή Ether και Tokens" page. ',
HELP_4_Desc_2: 'Navigate to the "Send Ether & Tokens" page. ',
HELP_4_Desc_3:
'Select your wallet file -or- your private key and unlock your wallet. ',
HELP_4_Desc_4:
@ -528,12 +609,12 @@ module.exports = {
HELP_4_Desc_12:
'A pop-up will appear. Verify that the amount and the address you are sending to are correct. Then click "Yes, I am sure! Make transaction." button. ',
HELP_4_Desc_13:
'The transaction will be submitted. The TX ID will display. You can click that TX ID to see it on the blockchain. ',
'The transaction will be submitted. The TX Hash will display. You can click that TX Hash to see it on the blockchain. ',
HELP_4CX_Title: '4) How do I send Ether using MyEtherWallet CX? ',
HELP_4CX_Desc_1:
'First, you need to add a wallet. Once you have done that, you have 2 options: the "QuickSend" functionality from the Chrome Extension icon or the "Αποστολή Ether και Tokens" page. ',
HELP_4CX_Desc_2: 'QuickSend: ',
'First, you need to add a wallet. Once you have done that, you have 2 options: the "QuickSend" functionality from the Chrome Extension icon or the "Send Ether & Tokens" page. ',
HELP_4CX_Desc_2: 'QuickSend ',
HELP_4CX_Desc_3: 'Click the Chrome Extension Icon. ',
HELP_4CX_Desc_4: 'Click the "QuickSend" button. ',
HELP_4CX_Desc_5: 'Select the wallet you wish to send from. ',
@ -546,7 +627,7 @@ module.exports = {
'Verify the address and the amount you are sending is correct. ',
HELP_4CX_Desc_10: 'Enter the password for that wallet. ',
HELP_4CX_Desc_11: 'Click "Send Transaction." ',
HELP_4CX_Desc_12: 'Using "Αποστολή Ether και Tokens" Page ',
HELP_4CX_Desc_12: 'Using "Send Ether & Tokens" Page ',
HELP_5_Title: '5) How do I run MyEtherWallet.com offline/locally? ',
HELP_5_Desc_1:
@ -572,16 +653,16 @@ module.exports = {
HELP_5CX_Desc_8:
'The extension should now show up in your extensions and in your Chrome Extension bar. ',
HELP_7_Title: '7) How do I send Tokens & add custom tokens? ',
HELP_7_Title: '7) How do I send tokens & add custom tokens? ',
HELP_7_Desc_0:
'[Ethplorer.io](https://ethplorer.io/) is a great way to explore tokens and find the decimals of a token. ',
HELP_7_Desc_1: 'Navigate to the "Αποστολή Ether και Tokens" page. ',
HELP_7_Desc_1: 'Navigate to the "Send Ether & Tokens" page. ',
HELP_7_Desc_2: 'Unlock your wallet. ',
HELP_7_Desc_3:
'Enter the address you would like to send to in the "To Address:" field. ',
HELP_7_Desc_4: 'Enter the amount you would like to send. ',
HELP_7_Desc_5: 'Select which token you would like to send. ',
HELP_7_Desc_6: 'If you do not see the token listed: ',
HELP_7_Desc_6: 'If you do not see the token listed ',
HELP_7_Desc_7: 'Click "Custom". ',
HELP_7_Desc_8:
'Enter the address, name, and decimals of the token. These are provided by the developers of the token and are also needed when you "Add a Watch Token" to Mist. ',
@ -595,7 +676,7 @@ module.exports = {
HELP_7_Desc_14:
'A pop-up will appear. Verify that the amount and the address you are sending to are correct. Then click "Yes, I am sure! Make transaction." button. ',
HELP_7_Desc_15:
'The transaction will be submitted. The TX ID will display. You can click that TX ID to see it on the blockchain. ',
'The transaction will be submitted. The TX Hash will display. You can click that TX Hash to see it on the blockchain. ',
HELP_8_Title: '8) What happens if your site goes down? ',
HELP_8_Desc_1:
@ -615,7 +696,7 @@ module.exports = {
HELP_8CX_Desc_3:
'If for some reason MyEtherWallet CX disappears from the Chrome Store, you can find the source on Github and load it manually. See #5 above. ',
HELP_9_Title: '9) Is the "Αποστολή Ether και Tokens" page offline? ',
HELP_9_Title: '9) Is the "Send Ether & Tokens" page offline? ',
HELP_9_Desc_1:
'No. It needs the internet in order to get the current gas price, nonce of your account, and broadcast the transaction (aka "send"). However, it only sends the signed transaction. Your private key safely stays with you. We also now provide an "Offline Transaction" page so that you can ensure your private keys are on an offline/airgapped computer at all times. ',
@ -664,9 +745,9 @@ module.exports = {
'If you do not already have your unencrypted private key, navigate to the "View Wallet Details" page. ',
HELP_12_Desc_13:
'Select your wallet file -or- enter/paste your private key to unlock your wallet. ',
HELP_12_Desc_14: 'Copy Your Private Key (μη κρυπτογραφημένο). ',
HELP_12_Desc_15: 'If you are on a Mac: ',
HELP_12_Desc_15b: 'If you are on a PC: ',
HELP_12_Desc_14: 'Copy Your Private Key (unencrypted). ',
HELP_12_Desc_15: 'If you are on a Mac ',
HELP_12_Desc_15b: 'If you are on a PC ',
HELP_12_Desc_16: 'Open Text Edit and paste this private key. ',
HELP_12_Desc_17:
'Go to the menu bar and click "Format" -> "Make Plain Text". ',
@ -714,7 +795,7 @@ module.exports = {
HELP_17_Title:
"17) Why isn't my balance showing up when I unlock my wallet? ",
HELP_17_Desc_1:
'This is most likely due to the fact that you are behind a firewall. The API that we use to get the balance and convert said balance is often blocked by firewalls for whatever reason. You will still be able to send transactions, you just need to use a different method to see said balance, like etherscan.io ',
' This is most likely due to the fact that you are behind a firewall. The API that we use to get the balance and convert said balance is often blocked by firewalls for whatever reason. You will still be able to send transactions, you just need to use a different method to see said balance, like etherscan.io ',
HELP_18_Title: '18) Where is my geth wallet file? ',
@ -773,6 +854,6 @@ module.exports = {
'If you do not feel comfortable using this tool, then by all means, do not use it. We created this tool as a helpful way for people to generate wallets and make transactions without needing to dive into command line or run a full node. Again, feel free to reach out if you have concerns and we will respond as quickly as possible. Thanks! ',
HELP_FAQ_Title: 'More Helpful Answers to Frequent Questions ',
HELP_Contact_Title: 'Ways to Get in Touch'
HELP_Contact_Title: 'Ways to Get in Touch '
}
};

View File

@ -4,9 +4,85 @@
module.exports = {
code: 'hu',
data: {
/* New Generics */
x_CancelReplaceTx: 'Cancel or Replace Transaction',
x_CancelTx: 'Cancel Transaction',
x_PasswordDesc:
'This password * encrypts * your private key. This does not act as a seed to generate your keys. **You will need this password + your private key to unlock your wallet.**',
x_ReadMore: 'Read More',
x_ReplaceTx: 'Replace Transaction',
x_TransHash: 'Transaction Hash',
x_TXFee: 'TX Fee',
x_TxHash: 'TX Hash',
/* Check TX Status */
NAV_CheckTxStatus: 'Check TX Status',
NAV_TxStatus: 'TX Status',
tx_Details: 'Transaction Details',
tx_Summary:
'During times of high volume (like during ICOs) transactions can be pending for hours, if not days. This tool aims to give you the ability to find and "cancel" / replace these TXs. ** This is not typically something you can do. It should not be relied upon & will only work when the TX Pools are full. [Please, read about this tool here.](https://myetherwallet.groovehq.com/knowledge_base/topics/how-can-i-check-on-the-status-of-my-transaction-can-i-cancel-override-overwrite-replace-or-do-anything-once-a-transaction-has-been-sent)**',
tx_notFound: 'Transaction Not Found',
tx_notFound_1:
'This TX cannot be found in the TX Pool of the node you are connected to.',
tx_notFound_2:
'If you just sent the transaction, please wait 15 seconds and press the "Check TX Status" button again. ',
tx_notFound_3:
'It could still be in the TX Pool of a different node, waiting to be mined.',
tx_notFound_4:
'Please use the dropdown in the top-right & select a different ETH node (e.g. `ETH (Etherscan.io)` or `ETH (Infura.io)` or `ETH (MyEtherWallet)`) and check again.',
tx_foundInPending: 'Pending Transaction Found',
tx_foundInPending_1:
'Your transaction was located in the TX Pool of the node you are connected to. ',
tx_foundInPending_2: 'It is currently pending (waiting to be mined). ',
tx_foundInPending_3:
'There is a chance you can "cancel" or replace this transaction. Unlock your wallet below.',
tx_FoundOnChain: 'Transaction Found',
tx_FoundOnChain_1:
'Your transaction was successfully mined and is on the blockchain.',
tx_FoundOnChain_2:
'**If you see a red `( ! )`, a `BAD INSTRUCTION` or `OUT OF GAS` error message**, it means that the transaction was not successfully *sent*. You cannot cancel or replace this transaction. Instead, send a new transaction. If you received an "Out of Gas" error, you should double the gas limit you specified originally.',
tx_FoundOnChain_3:
'**If you do not see any errors, your transaction was successfully sent.** Your ETH or Tokens are where you sent them. If you cannot see this ETH or Tokens credited in your other wallet / exchange account, and it has been 24+ hours since you sent, please [contact that service](https://myetherwallet.groovehq.com/knowledge_base/topics/i-have-a-question-but-its-not-about-myetherwallet-dot-com-what-do-i-do). Send them the *link* to your transaction and ask them, nicely, to look into your situation.',
/* Gen Wallet Updates */
GEN_Help_1: 'Use your',
GEN_Help_2: 'to access your account.',
GEN_Help_3: 'Your device * is * your wallet.',
GEN_Help_4: 'Guides & FAQ',
GEN_Help_5: 'How to Create a Wallet',
GEN_Help_6: 'Getting Started',
GEN_Help_7:
"Keep it safe · Make a backup · Don't share it with anyone · Don't lose it · It cannot be recovered if you lose it.",
GEN_Help_8: 'Not Downloading a File? ',
GEN_Help_9: 'Try using Google Chrome ',
GEN_Help_10: 'Right click & save file as. Filename: ',
GEN_Help_11: "Don't open this file on your computer ",
GEN_Help_12:
'Use it to unlock your wallet via MyEtherWallet (or Mist, Geth, Parity and other wallet clients.) ',
GEN_Help_13: 'How to Back Up Your Keystore File ',
GEN_Help_14: 'What are these Different Formats? ',
GEN_Help_15: 'Preventing loss &amp; theft of your funds.',
GEN_Help_16: 'What are these Different Formats?',
GEN_Help_17: 'Why Should I?',
GEN_Help_18: 'To have a secondary backup.',
GEN_Help_19: 'In case you ever forget your password.',
GEN_Help_20: 'Cold Storage',
GET_ConfButton: 'I understand. Continue.',
GEN_Label_5: 'Save Your `Private Key`. ',
GEN_Unlock: 'Unlock your wallet to see your address',
GAS_PRICE_Desc:
'Gas Price is the amount you pay per unit of gas. `TX fee = gas price * gas limit` & is paid to miners for including your TX in a block. Higher the gas price = faster transaction, but more expensive. Default is `21 GWEI`.',
GAS_LIMIT_Desc:
'Gas limit is the amount of gas to send with your TX. `TX fee` = gas price * gas limit & is paid to miners for including your TX in a block. Increasing this number will not get your TX mined faster. Sending ETH = `21000`. Sending Tokens = ~`200000`.',
NONCE_Desc:
'The nonce is the number of transactions sent from a given address. It ensures transactions are sent in order & not more than once.',
TXFEE_Desc:
'The TX Fee is paid to miners for including your TX in a block. Is is the `gas limit` * `gas price`. [You can convert GWEI -> ETH here](https://www.myetherwallet.com/helpers.html)',
/* Navigation*/
NAV_YourWallets: 'Tárcáid ',
NAV_AddWallet: 'Tárca hozzáadása ',
NAV_GenerateWallet_alt: 'New Wallet ',
NAV_GenerateWallet: 'Tárca generálása ',
NAV_BulkGenerate: 'Több tárca generálása ',
NAV_SendEther: 'Ether & Tokenek küldése ',
@ -26,7 +102,7 @@ module.exports = {
/* General */
x_AddessDesc:
'Úgy is ismerheted ezt, mint "Számlaszám" vagy "Publikus Kulcs". Ez az amit a partnereidnek küldesz, hogy tudjanak ETH-et küldeni neked. Az oldalsó ikon egyszerű módja a saját címed felismerésének. ',
'Your Address can also be known as you `Account #` or your `Public Key`. It is what you share with people so they can send you Ether or Tokens. Find the colorful address icon. Make sure it matches your paper wallet & whenever you enter your address somewhere. Úgy is ismerheted ezt, mint "Számlaszám" vagy "Publikus Kulcs". Ez az amit a partnereidnek küldesz, hogy tudjanak ETH-et küldeni neked. Az oldalsó ikon egyszerű módja a saját címed felismerésének. ',
x_Address: 'A Te címed ',
x_Cancel: 'Mégse ',
x_CSV: 'CSV fájl (titkosítatlan) ',
@ -38,6 +114,7 @@ module.exports = {
x_Keystore2: 'Keystore Fájl (UTC / JSON) ',
x_KeystoreDesc:
'Ez a Keystore fájl ugyanolyan formátumú, amit a Mist használ, tehát könnyedén importálhatod a későbbiekben. Leginkább ezt a fájlt ajánlott letölteni és elmenteni. ',
x_MetaMask: 'Metamask / Mist ',
x_Mnemonic: 'Mnemonikus frázis ',
x_ParityPhrase: 'Parity Phrase ',
x_Password: 'Jelszó ',
@ -82,6 +159,8 @@ module.exports = {
'A MyEtherWallet egy szabad, nyílt forrású szolgáltatás az adatod védelmének és a biztonságodnak szentelve. Minél több adomány érkezik, annál több időt tudunk fordítani új funkciók létrehozására, a visszajelzéseidre és olyan szolgáltatást nyújtani, amilyet szeretnél. Mindössze két ember, akik megpróbálnak változtatni a világon. Segítesz nekünk? ',
sidebar_donate: 'Adományozok ',
sidebar_thanks: 'KÖSZÖNJÜK!!! ',
sidebar_DisplayOnTrezor: 'Display address on TREZOR',
sidebar_DisplayOnLedger: 'Display address on Ledger',
/* Decrypt Panel */
decrypt_Access: 'Hogyan szeretnéd elérni a tárcádat? ',
@ -99,6 +178,10 @@ module.exports = {
ADD_Radio_4: 'Tárca hozzáadása megfigyelésre ',
ADD_Radio_5: 'Másold/írd be a mnemonikus frázist ',
ADD_Radio_5_Path: 'Select HD derivation path ',
ADD_Radio_5_woTrezor: '(Jaxx, Metamask, Exodus, imToken)',
ADD_Radio_5_withTrezor: '(Jaxx, Metamask, Exodus, imToken, TREZOR)',
ADD_Radio_5_PathAlternative: '(Ledger)',
ADD_Radio_5_PathTrezor: '(TREZOR)',
ADD_Radio_5_PathCustom: 'Custom',
ADD_Label_2: 'Hozz létre egy Nicknevet: ',
ADD_Label_3: 'A Tárcád titkosítva van. Írj be a jelszót ',
@ -109,6 +192,7 @@ module.exports = {
ADD_Label_6: 'Tárcád feloldása ',
ADD_Label_6_short: 'Feloldás ',
ADD_Label_7: 'Számla Hozzáadása ',
ADD_Label_8: 'Password (optional): ',
/* Generate Wallets */
GEN_desc:
@ -121,6 +205,8 @@ module.exports = {
GEN_Label_3: 'Mentsd el a címed. ',
GEN_Label_4:
'Választható: Nyomtasd ki a papír tárcádat vagy tárold a QR kód változatot. ',
GEN_Aria_1: '',
GEN_Aria_2: '',
/* Bulk Generate Wallets */
BULK_Label_1: 'Generálni kívánt tárcák száma ',
@ -239,6 +325,8 @@ module.exports = {
VIEWWALLET_Subtitle_Short:
'Ez lehetővé teszi számodra, hogy különböző változatú privát kulcsokat tölts le és újranyomtasd a papírtárcádat. ',
VIEWWALLET_SuccessMsg: 'Sikerült! Itt vannak a tárcád részletei. ',
VIEWWALLET_ShowPrivKey: '(show)',
VIEWWALLET_HidePrivKey: '(hide)',
/* Mnemonic */
MNEM_1: 'Válaszd ki a címet amelyiket használni szeretnéd. ',
@ -288,6 +376,7 @@ module.exports = {
SWAP_start_CTA: 'Start Swap ',
SWAP_ref_num: 'Your reference number ',
SWAP_time: 'Time remaining to send ',
SWAP_elapsed: 'Time elapsed since sent ',
SWAP_progress_1: 'Order Initiated ',
SWAP_progress_2: 'Waiting for your ', // Waiting for your BTC...
SWAP_progress_3: 'Received! ', // ETH Received!
@ -310,16 +399,17 @@ module.exports = {
'Include a specific reason for the message so it cannot be reused for a different purpose. ',
/* Hardware wallets */
x_Ledger: 'Ledger Nano S ',
ADD_Ledger_scan: 'Csatlakozás a Ledger Nano S-hez ',
ADD_Ledger_1: 'Csatlakoztasd a Ledger Nano S-et ',
x_Ledger: 'Ledger Wallet ',
ADD_Ledger_scan: 'Csatlakozás a Ledger Wallet-hez ',
ADD_Ledger_1: 'Csatlakoztasd a Ledger Wallet-et ',
ADD_Ledger_2:
'Nyisd meg az Ethereum applikációt (vagy egy kontraktus applikációt) ',
ADD_Ledger_3:
'Ellenőrizd, hogy a beállításokban engedélyezve van a Böngésző Támogatás (Browser Support) ',
ADD_Ledger_4:
'If no Browser Support is found in settings, verify that you have [Firmware >1.2](https://www.ledgerwallet.com/apps/manager) ',
ADD_Ledger_0a: 'Re-open MyEtherWallet on a secure (SSL) connection ',
ADD_Ledger_0a:
'You must access MyEtherWallet via a secure (SSL / HTTPS) connection to connect. ',
ADD_Ledger_0b:
'Re-open MyEtherWallet using [Chrome](https://www.google.com/chrome/browser/desktop/) or [Opera](https://www.opera.com/) ',
WARN_Send_Link:
@ -327,9 +417,15 @@ module.exports = {
x_Trezor: 'TREZOR ',
ADD_Trezor_scan: 'Connect to TREZOR ',
ADD_Trezor_select: 'This is a TREZOR seed ',
ADD_MetaMask: 'Connect to MetaMask ',
x_DigitalBitbox: 'Digital Bitbox ',
ADD_DigitalBitbox_0a: 'Re-open MyEtherWallet on a secure (SSL) connection ',
ADD_DigitalBitbox_0b:
'Re-open MyEtherWallet using [Chrome](https://www.google.com/chrome/browser/desktop/) or [Opera](https://www.opera.com/) ',
ADD_DigitalBitbox_scan: 'Connect your Digital Bitbox ',
/* Error Messages */
ERROR_0: 'Kérlek írj be érvényes összeget! ',
ERROR_0: 'Kérlek írj be érvényes összeget ',
ERROR_1:
'A jelszavadnak minimum 9 karakter hosszúságúnak kell lennie. Kérlek győződj meg arról, hogy erős jelszót választasz. ',
ERROR_2: 'Sajnáljuk, de nem tudjuk felismerni ezt a típusú Tárca fájlt. ',
@ -338,11 +434,12 @@ module.exports = {
'Ez a egység nem létezik, kérlek használj egyet az alábbi egységek közül ',
ERROR_5: 'Érvénytelen cím. ',
ERROR_6: 'Érvénytelen jelszó. ',
ERROR_7: 'Érvénytelen összeg. ',
ERROR_8: 'Érvénytelen gas limit. ',
ERROR_9: 'Érvénytelen adatérték. ',
ERROR_10: 'Érvénytelen gas összeg. ',
ERROR_11: 'Érvénytelen nonce. ',
ERROR_7: 'Érvénytelen összeg. (Must be integer. Try 0-18.) ', // 7
ERROR_8: 'Érvénytelen gas limit. (Must be integer. Try 21000-4000000.) ', // 8
ERROR_9: 'Érvénytelen adatérték. (Must be hex.) ', // 9
ERROR_10:
'Érvénytelen gas összeg. (Must be integer. Try 20 GWEI / 20000000000 WEI.) ',
ERROR_11: 'Érvénytelen nonce. (Must be integer.) ', // 11
ERROR_12: 'Érvénytelen aláírású tranzakció. ',
ERROR_13: 'Egy Tárca ezzel a Nicknévvel már létezik ',
ERROR_14: 'Tárca nem található. ',
@ -351,31 +448,40 @@ module.exports = {
ERROR_16:
'Egy tárca ezzel a címmel már létezik a tárolóban. Kérlek ellenőrizd a tárcák oldalán. ',
ERROR_17:
'Legalább 0.01 ethernek kell lennie a számládon, ahhoz, hogy fedezni tudd a gas költségeit. Kérlek adj hozzá ethert és próbáld újra! ',
'Nincs elegendő egyenleg. A számlán amiről küldeni próbálsz nem elég az egyenleg. Legalább 0.01 ethernek kell lennie a számládon, ahhoz, hogy fedezni tudd a gas költségeit. Kérlek adj hozzá ethert és próbáld újra! ',
ERROR_18:
'Az összes gas felhasználásra kerülne ezen a tranzakción. Ez azt jelenti, hogy már szavaztál erre a javaslatra vagy a vita periódus már lejárt. ',
ERROR_19: 'Érvénytelen szimbólum ',
ERROR_20: 'Not a valid ERC-20 token ',
ERROR_20: 'Not a valid ERC-20 token', // 20
ERROR_21:
'Could not estimate gas. There are not enough funds in the account, or the receiving contract address would throw an error. Feel free to manually set the gas and proceed. The error message upon sending may be more informative. ',
ERROR_22: 'Please enter valid node name ',
'Could not estimate gas. There are not enough funds in the account, or the receiving contract address would throw an error. Feel free to manually set the gas and proceed. The error message upon sending may be more informative.', // 21
ERROR_22: 'Please enter a valid node name', // 22
ERROR_23:
'Please enter valid URL. If you are connecting via HTTPS, your node must be over HTTPS ',
ERROR_24: 'Please enter valid port ',
ERROR_25: 'Please enter valid chain ID ',
ERROR_26: 'Please enter valid ABI ',
ERROR_27: 'Minimum amount: 0.01. Maximum Amount: ',
'Please enter a valid URL. If you are on https, your URL must be https', // 23
ERROR_24: 'Please enter a valid port. ', // 24
ERROR_25: 'Please enter a valid chain ID. ', // 25
ERROR_26: 'Please enter a valid ABI. ', // 26
ERROR_27: 'Minimum amount: 0.01. Max amount: ', // 27
ERROR_28:
'**Szükséged lesz a Keystore Fájlra és a jelszóra vagy a Privát Kulcsra**, ahhoz, hogy hozzáférj ehhez a tárcához a jövőben. Kérlek mentsd el és készíts külső biztonsági mentést is! Nincs lehetőség egy tárca visszaszerzésére, ha nem mented el. Olvasd el a [Segítség lapot](https://www.myetherwallet.com/#help) további instrukciókért. ',
ERROR_29: 'Please enter valid user and password ',
ERROR_30: 'Please enter valid ENS name ',
ERROR_31: 'Invalid secret phrase ',
ERROR_29: 'Please enter a valid user and password. ', // 29
ERROR_30: 'Please enter a valid name (7+ characters, limited punctuation) ', // 30
ERROR_31: 'Please enter a valid secret phrase. ', // 31
ERROR_32:
'Could not connect to the node. Please refresh the page, or see the help page for more troubleshooting suggestions. ',
'Could not connect to the node. Refresh your page, try a different node (upper right corner), check your firewall settings. If custom node, check your configs.', // 32
ERROR_33:
"The wallet you have unlocked does not match the owner's address. ", // 33
ERROR_34:
'The name you are attempting to reveal does not match the name you have entered. ', // 34
ERROR_35:
'Input address is not checksummed. <a href="https://myetherwallet.groovehq.com/knowledge_base/topics/not-checksummed-shows-when-i-enter-an-address" target="_blank" rel="noopener"> More info</a>', // 35
ERROR_36: 'Enter valid TX hash', // 36
ERROR_37: 'Enter valid hex string (0-9, a-f)', // 37
SUCCESS_1: 'Érvényes cím ',
SUCCESS_2: 'Tárca sikeresen dekódolva ',
SUCCESS_3:
'TX was broadcast to the blockchain. Click to see your transaction & verify it was mined and does not have any out of gas or contract execution errors. TX ID: ', //'Tranzakció elküldve. TX ID ',
'Your TX has been broadcast to the network. It is waiting to be mined & confirmed. During ICOs, it may take 3+ hours to confirm. Use the Verify & Check buttons below to see. TX Hash: ', //'Tranzakció elküldve. TX Hash ',
SUCCESS_4: 'Tárcád sikeresen hozzáadva ',
SUCCESS_5: 'File Selected ',
SUCCESS_6: 'You are successfully connected ',
@ -461,7 +567,7 @@ module.exports = {
HELP_1_Desc_5: 'Az új tárcád ezzel kész van. ',
HELP_2a_Title:
'2a) Hogyan tudom lementeni/biztonsági másolatot készíteni a tárcáról? ',
'Hogyan tudom lementeni/biztonsági másolatot készíteni a tárcáról? ',
HELP_2a_Desc_1:
'A tárcádról ajánlott mindig külső biztonsági mentést tartani, több, fizikailag különböző helyen - például egy pendrive-on és/vagy papíron. ',
HELP_2a_Desc_2:
@ -479,7 +585,7 @@ module.exports = {
'2b) Hogyan tudom biztonságosan/offline/hidegen használni a MyEtherWallet-et? ',
HELP_2b_Desc_1:
'Menj a github oldalunkra: [https://github.com/kvhnuke/etherwallet/releases/latest](https://github.com/kvhnuke/etherwallet/releases/latest). ',
HELP_2b_Desc_2: 'Kattints a `dist-vX.X.X.X.zip`. ',
HELP_2b_Desc_2: 'Kattints a `etherwallet-vX.X.X.X.zip`. ',
HELP_2b_Desc_3:
'Másold a letöltött zip fájlt egy airgap-elt számítógépre. ',
HELP_2b_Desc_4: 'Csomagold ki, és indítsd el az "index.html" fájlt. ',
@ -530,7 +636,7 @@ module.exports = {
HELP_4_Desc_12:
'Felugrik egy pop-up, ahol le tudod ellenőrizni a címet és az összeget. Ha minden jó, kattints az "Igen, biztos vagyok benne! Tranzakció indítása." gombra. ',
HELP_4_Desc_13:
'A tranzakció el lesz küldve, és megjelenik egy TX ID. Erre a TX ID-re kattintva megnézheted a tranzakciót a blokkláncon. ',
'A tranzakció el lesz küldve, és megjelenik egy TX Hash. Erre a TX Hash-re kattintva megnézheted a tranzakciót a blokkláncon. ',
HELP_4CX_Title: '4) Hogyan tudok Ethert küldeni a MyEtherWalet CX-szel? ',
HELP_4CX_Desc_1:
@ -597,7 +703,7 @@ module.exports = {
HELP_7_Desc_14:
'A pop-up will appear. Verify that the amount and the address you are sending to are correct. Then click "Yes, I am sure! Make transaction." button. ',
HELP_7_Desc_15:
'The transaction will be submitted. The TX ID will display. You can click that TX ID to see it on the blockchain. ',
'The transaction will be submitted. The TX Hash will display. You can click that TX Hash to see it on the blockchain. ',
HELP_8_Title: '8) What happens if your site goes down? ',
HELP_8_Desc_1:

View File

@ -4,6 +4,83 @@
module.exports = {
code: 'id',
data: {
HELP_2a_Title: 'How do I save/backup my wallet? ',
/* New Generics */
x_CancelReplaceTx: 'Cancel or Replace Transaction',
x_CancelTx: 'Cancel Transaction',
x_PasswordDesc:
'This password * encrypts * your private key. This does not act as a seed to generate your keys. **You will need this password + your private key to unlock your wallet.**',
x_ReadMore: 'Read More',
x_ReplaceTx: 'Replace Transaction',
x_TransHash: 'Transaction Hash',
x_TXFee: 'TX Fee',
x_TxHash: 'TX Hash',
/* Check TX Status */
NAV_CheckTxStatus: 'Check TX Status',
NAV_TxStatus: 'TX Status',
tx_Details: 'Transaction Details',
tx_Summary:
'During times of high volume (like during ICOs) transactions can be pending for hours, if not days. This tool aims to give you the ability to find and "cancel" / replace these TXs. ** This is not typically something you can do. It should not be relied upon & will only work when the TX Pools are full. [Please, read about this tool here.](https://myetherwallet.groovehq.com/knowledge_base/topics/how-can-i-check-on-the-status-of-my-transaction-can-i-cancel-override-overwrite-replace-or-do-anything-once-a-transaction-has-been-sent)**',
tx_notFound: 'Transaction Not Found',
tx_notFound_1:
'This TX cannot be found in the TX Pool of the node you are connected to.',
tx_notFound_2:
'If you just sent the transaction, please wait 15 seconds and press the "Check TX Status" button again. ',
tx_notFound_3:
'It could still be in the TX Pool of a different node, waiting to be mined.',
tx_notFound_4:
'Please use the dropdown in the top-right & select a different ETH node (e.g. `ETH (Etherscan.io)` or `ETH (Infura.io)` or `ETH (MyEtherWallet)`) and check again.',
tx_foundInPending: 'Pending Transaction Found',
tx_foundInPending_1:
'Your transaction was located in the TX Pool of the node you are connected to. ',
tx_foundInPending_2: 'It is currently pending (waiting to be mined). ',
tx_foundInPending_3:
'There is a chance you can "cancel" or replace this transaction. Unlock your wallet below.',
tx_FoundOnChain: 'Transaction Found',
tx_FoundOnChain_1:
'Your transaction was successfully mined and is on the blockchain.',
tx_FoundOnChain_2:
'**If you see a red `( ! )`, a `BAD INSTRUCTION` or `OUT OF GAS` error message**, it means that the transaction was not successfully *sent*. You cannot cancel or replace this transaction. Instead, send a new transaction. If you received an "Out of Gas" error, you should double the gas limit you specified originally.',
tx_FoundOnChain_3:
'**If you do not see any errors, your transaction was successfully sent.** Your ETH or Tokens are where you sent them. If you cannot see this ETH or Tokens credited in your other wallet / exchange account, and it has been 24+ hours since you sent, please [contact that service](https://myetherwallet.groovehq.com/knowledge_base/topics/i-have-a-question-but-its-not-about-myetherwallet-dot-com-what-do-i-do). Send them the *link* to your transaction and ask them, nicely, to look into your situation.',
/* Gen Wallet Updates */
GEN_Help_1: 'Use your',
GEN_Help_2: 'to access your account.',
GEN_Help_3: 'Your device * is * your wallet.',
GEN_Help_4: 'Guides & FAQ',
GEN_Help_5: 'How to Create a Wallet',
GEN_Help_6: 'Getting Started',
GEN_Help_7:
"Keep it safe · Make a backup · Don't share it with anyone · Don't lose it · It cannot be recovered if you lose it.",
GEN_Help_8: 'Not Downloading a File? ',
GEN_Help_9: 'Try using Google Chrome ',
GEN_Help_10: 'Right click & save file as. Filename: ',
GEN_Help_11: "Don't open this file on your computer ",
GEN_Help_12:
'Use it to unlock your wallet via MyEtherWallet (or Mist, Geth, Parity and other wallet clients.) ',
GEN_Help_13: 'How to Back Up Your Keystore File ',
GEN_Help_14: 'What are these Different Formats? ',
GEN_Help_15: 'Preventing loss &amp; theft of your funds.',
GEN_Help_16: 'What are these Different Formats?',
GEN_Help_17: 'Why Should I?',
GEN_Help_18: 'To have a secondary backup.',
GEN_Help_19: 'In case you ever forget your password.',
GEN_Help_20: 'Cold Storage',
GET_ConfButton: 'I understand. Continue.',
GEN_Label_5: 'Save Your `Private Key`. ',
GEN_Unlock: 'Unlock your wallet to see your address',
GAS_PRICE_Desc:
'Gas Price is the amount you pay per unit of gas. `TX fee = gas price * gas limit` & is paid to miners for including your TX in a block. Higher the gas price = faster transaction, but more expensive. Default is `21 GWEI`.',
GAS_LIMIT_Desc:
'Gas limit is the amount of gas to send with your TX. `TX fee` = gas price * gas limit & is paid to miners for including your TX in a block. Increasing this number will not get your TX mined faster. Sending ETH = `21000`. Sending Tokens = ~`200000`.',
NONCE_Desc:
'The nonce is the number of transactions sent from a given address. It ensures transactions are sent in order & not more than once.',
TXFEE_Desc:
'The TX Fee is paid to miners for including your TX in a block. Is is the `gas limit` * `gas price`. [You can convert GWEI -> ETH here](https://www.myetherwallet.com/helpers.html)',
/* Navigation*/
NAV_AddWallet: 'Tambahkan Dompet ',
NAV_BulkGenerate: 'Pembuatan Multiple Dompet ',
@ -11,6 +88,7 @@ module.exports = {
NAV_Contracts: 'Contracts ',
NAV_DeployContract: 'Buat Contract ',
NAV_ENS: 'ENS',
NAV_GenerateWallet_alt: 'New Wallet ',
NAV_GenerateWallet: 'Buat Dompet ',
NAV_Help: 'Bantuan ',
NAV_InteractContract: 'Interact with Contract ',
@ -27,7 +105,7 @@ module.exports = {
/* General */
x_Access: 'Akses ',
x_AddessDesc:
'Biasa dikenal dengan "Account #" atau "Public Key". Berikan alamat ini kepada yang ingin mengirim ether ke Anda. Icon yang ditampilkan di sampingnya memudahkan mengenal alamat Anda. ',
'Your Address can also be known as you `Account #` or your `Public Key`. It is what you share with people so they can send you Ether or Tokens. Find the colorful address icon. Make sure it matches your paper wallet & whenever you enter your address somewhere. Biasa dikenal dengan "Account #" atau "Public Key". Berikan alamat ini kepada yang ingin mengirim ether ke Anda. Icon yang ditampilkan di sampingnya memudahkan mengenal alamat Anda. ',
x_Address: 'Alamat Anda ',
x_Cancel: 'Batal ',
x_CSV: 'File CSV (tidak ter-enkripsi) ',
@ -40,7 +118,8 @@ module.exports = {
x_Keystore2: 'File Keystore (UTC / JSON) ',
x_KeystoreDesc:
'File Keystore ini sesuai dengan format yang dipakai Mist sehingga memudahkan untuk diimpor di kemudian hari. File ini yang disarankan untuk di unduh dan di backup. ',
x_Ledger: 'Ledger Nano S ',
x_Ledger: 'Ledger Wallet ',
x_MetaMask: 'Metamask / Mist ',
x_Mnemonic: '"Mnemonic Phrase" ',
x_ParityPhrase: 'Parity Phrase ',
x_Password: 'Password ',
@ -84,6 +163,8 @@ module.exports = {
'MyEtherWallet dapat dipergunakan secara cuma-cuma berdasarkan prinsip open source dengan tetap menjaga privasi dan keamanan. Semakin banyak donasi yang kami terima, semakin banyak waktu yang kami dapat luangkan untuk membuat fitur-fitur baru dan mewujudkan usulan dan keinginan para penggunanya. Tim kami yang terdiri dari hanya dua orang sangat membutuhkan dukungan Anda untuk mewujudkan cita-cita kami dalam membuat dunia yang semakin baik ',
sidebar_donate: 'Kirim Donasi ',
sidebar_thanks: 'Terima Kasih!!! ',
sidebar_DisplayOnTrezor: 'Display address on TREZOR',
sidebar_DisplayOnLedger: 'Display address on Ledger',
/* Decrypt Panel */
decrypt_Access: 'Pilihan cara mengakses dompet Anda? ',
@ -100,6 +181,10 @@ module.exports = {
ADD_Radio_4: 'Tambah akun untuk dilihat ',
ADD_Radio_5: 'Paste/Ketik Mnemonic Anda ',
ADD_Radio_5_Path: 'Select HD derivation path ',
ADD_Radio_5_woTrezor: '(Jaxx, Metamask, Exodus, imToken)',
ADD_Radio_5_withTrezor: '(Jaxx, Metamask, Exodus, imToken, TREZOR)',
ADD_Radio_5_PathAlternative: '(Ledger)',
ADD_Radio_5_PathTrezor: '(TREZOR)',
ADD_Radio_5_PathCustom: 'Custom',
ADD_Label_2: 'Buat Alias: ',
ADD_Label_3: 'File Dompet anda ter-enkripsi. Masukkan password ',
@ -110,6 +195,7 @@ module.exports = {
ADD_Label_6: 'Unlock dompet ',
ADD_Label_6_short: 'Unlock ',
ADD_Label_7: 'Tambah Akun ',
ADD_Label_8: 'Password (optional): ',
/* Mnemonic */
MNEM_1: 'Pilih alamat yang Anda inginkan untuk berinteraksi. ',
@ -119,7 +205,7 @@ module.exports = {
MNEM_prev: 'Tampilkan Alamat sebelumnya ',
/* Hardware wallets */
ADD_Ledger_1: 'Hubungkan ke Ledger Nano S Anda ',
ADD_Ledger_1: 'Hubungkan ke Ledger Wallet Anda ',
ADD_Ledger_2: 'Buka Aplikasi Ethereum (atau aplikasi kontrak) ',
ADD_Ledger_3:
'Periksa bahwa "Browser Support" sudah di aktifkan di "Settings" ',
@ -129,10 +215,19 @@ module.exports = {
'Buka kembali MyEtherWallet melalui koneksi (SSL) yang aman ',
ADD_Ledger_0b:
'Buka kembali MyEtherWallet menggunakan [Chrome](https://www.google.com/chrome/browser/desktop/) atau [Opera](https://www.opera.com/) ',
ADD_Ledger_scan: 'Hubungkan ke Ledger Nano S ',
ADD_Ledger_scan: 'Hubungkan ke Ledger Wallet ',
ADD_MetaMask: 'Connect to MetaMask ',
x_Trezor: 'TREZOR ',
ADD_Trezor_scan: 'Hubungkan ke TREZOR ',
ADD_Trezor_select: 'Ini adalah TREZOR seed ',
x_DigitalBitbox: 'Digital Bitbox ',
ADD_DigitalBitbox_0a:
'Buka kembali MyEtherWallet melalui koneksi (SSL) yang aman ',
ADD_DigitalBitbox_0b:
'Buka kembali MyEtherWallet menggunakan [Chrome](https://www.google.com/chrome/browser/desktop/) atau [Opera](https://www.opera.com/) ',
ADD_DigitalBitbox_scan: 'Hubungkan ke Digital Bitbox ',
/* Generate Wallets */
GEN_desc:
@ -144,6 +239,8 @@ module.exports = {
GEN_Label_3: 'Simpan alamat dompet Anda. ',
GEN_Label_4:
'Opsional: Print Dompet Kertas Anda, atau simpan versi QR code-nya. ',
GEN_Aria_1: '',
GEN_Aria_2: '',
/* Bulk Generate Wallets */
BULK_Label_1: 'Jumlah Dompet yang akan dibuat ',
@ -271,6 +368,8 @@ module.exports = {
VIEWWALLET_Subtitle_Short:
'Untuk pencetakan Dompet Kertas dari berbagai format "private key". ',
VIEWWALLET_SuccessMsg: 'Berhasil! Berikut detil dari dompet Anda. ',
VIEWWALLET_ShowPrivKey: '(show)',
VIEWWALLET_HidePrivKey: '(hide)',
/* Chrome Extension */
CX_error_1:
@ -313,6 +412,7 @@ module.exports = {
SWAP_start_CTA: 'Tukarkan ',
SWAP_ref_num: 'Nomor referensi Anda ',
SWAP_time: 'Sisa waktu untuk mengirim ',
SWAP_elapsed: 'Time elapsed since sent ',
SWAP_progress_1: 'Perintah Dijalankan ',
SWAP_progress_2: 'Menunggu ', // Waiting for your BTC...
SWAP_progress_3: 'Diterima! ', // ETH Received!
@ -331,11 +431,12 @@ module.exports = {
ERROR_4: 'Unit tidak valid, gunakan salah satu dari unit berikut ',
ERROR_5: 'Alamat tidak valid. ',
ERROR_6: 'Password tidak valid. ',
ERROR_7: 'Jumlah tidak valid. ',
ERROR_8: 'Gas limit tidak valid. ',
ERROR_9: 'Nilai data tidak valid. ',
ERROR_10: 'Jumlah Gas tidak valid. ',
ERROR_11: 'Nonce tidak valid. ',
ERROR_7: 'Jumlah tidak valid. (Must be integer. Try 0-18.) ', // 7
ERROR_8: 'Gas limit tidak valid. (Must be integer. Try 21000-4000000.) ', // 8
ERROR_9: 'Nilai data tidak valid. (Must be hex.) ', // 9
ERROR_10:
'Jumlah Gas tidak valid. (Must be integer. Try 20 GWEI / 20000000000 WEI.) ',
ERROR_11: 'Nonce tidak valid. (Must be integer.) ', // 11
ERROR_12: 'Signed transaction tidak valid. ',
ERROR_13: 'Sudah ada Dompet dengan nickname ini. ',
ERROR_14: 'Dompet tidak ditemukan. ',
@ -344,31 +445,40 @@ module.exports = {
ERROR_16:
'Terdapat dompet dengan alamat yang sama di storage. Cek kembali halaman dompet Anda. ',
ERROR_17:
'Minimal harus ada **0.01 ETH** di akun untuk menutup biaya gas. Tambahkan ether dan coba lagi. ',
'Dana tidak mencukupi. Akun yang dipakai untuk mengirim tidak memiliki dana yang cukup. Minimal harus ada **0.01 ETH** di akun untuk menutup biaya gas. Tambahkan ether dan coba lagi. ',
ERROR_18:
'Semua gas akan digunakan pada transaksi ini. Ini berarti Anda telah memberikan suara pada proposal ini atau periode perdebatan telah berakhir. ',
ERROR_19: 'Simbol tidak valid ',
ERROR_20: 'Bukan ERC-20 token yang valid.',
ERROR_21:
'Tidak dapat memperkirakan gas. Saldo di akun tidak cukup, atau alamat kontrak penerima bisa mengeluarkan error. Cobalah untuk secara manual mengatur gas dan melanjutkan. Keterangan Error saat pengiriman mungkin lebih informatif. ',
ERROR_22: 'Please enter valid node name ',
ERROR_22: 'Please enter a valid node name', // 22
ERROR_23:
'Please enter valid URL. If you are connecting via HTTPS, your node must be over HTTPS ',
ERROR_24: 'Please enter valid port ',
ERROR_25: 'Please enter valid chain ID ',
ERROR_26: 'Please enter valid ABI ',
ERROR_27: 'Minimum amount: 0.01. Maximum Amount: ',
'Please enter a valid URL. If you are on https, your URL must be https', // 23
ERROR_24: 'Please enter a valid port. ', // 24
ERROR_25: 'Please enter a valid chain ID. ', // 25
ERROR_26: 'Please enter a valid ABI. ', // 26
ERROR_27: 'Minimum amount: 0.01. Max amount: ', // 27
ERROR_28:
'**DIPERLUKAN File Keystore & password** (atau Private Key) untuk mengakses dompet Anda. Simpan dan backup dengan baik file ini! Tidak ada mekanisme untuk me-recover dompet jika file-nya hilang. Baca instruksi lengkapnya [di sini](https://www.myetherwallet.com/#help). ',
ERROR_29: 'Please enter valid user and password ',
ERROR_30: 'Please enter valid ENS name ',
ERROR_31: 'Invalid secret phrase ',
ERROR_29: 'Please enter a valid user and password. ', // 29
ERROR_30: 'Please enter a valid name (7+ characters, limited punctuation) ', // 30
ERROR_31: 'Please enter a valid secret phrase. ', // 31
ERROR_32:
'Could not connect to the node. Please refresh the page, or see the help page for more troubleshooting suggestions. ',
'Could not connect to the node. Refresh your page, try a different node (upper right corner), check your firewall settings. If custom node, check your configs.', // 32
ERROR_33:
"The wallet you have unlocked does not match the owner's address. ", // 33
ERROR_34:
'The name you are attempting to reveal does not match the name you have entered. ', // 34
ERROR_35:
'Input address is not checksummed. <a href="https://myetherwallet.groovehq.com/knowledge_base/topics/not-checksummed-shows-when-i-enter-an-address" target="_blank" rel="noopener"> More info</a>', // 35
ERROR_36: 'Enter valid TX hash', // 36
ERROR_37: 'Enter valid hex string (0-9, a-f)', // 37
SUCCESS_1: 'Alamat valid ',
SUCCESS_2: 'Dompet telah ter-dekripsi ',
SUCCESS_3:
'TX was broadcast to the blockchain. Click to see your transaction & verify it was mined and does not have any out of gas or contract execution errors. TX ID: ', //'Transaksi diajukan. TX ID ',
'Your TX has been broadcast to the network. It is waiting to be mined & confirmed. During ICOs, it may take 3+ hours to confirm. Use the Verify & Check buttons below to see. TX Hash: ', //'Transaksi diajukan. TX Hash ',
SUCCESS_4: 'Dompet Anda telah ditambahkan ',
SUCCESS_5: 'File Terpilih ',
SUCCESS_6: 'You are successfully connected ',
@ -454,7 +564,6 @@ module.exports = {
HELP_1_Desc_4: 'Click "GENERATE". ',
HELP_1_Desc_5: 'Your wallet has now been generated. ',
HELP_2a_Title: '2a) How do I save/backup my wallet? ',
HELP_2a_Desc_1:
'You should always back up your wallet externally and in multiple physical locations - like on a USB drive and/or a piece of paper. ',
HELP_2a_Desc_2:
@ -472,7 +581,7 @@ module.exports = {
'2b) How do I safely / offline / cold storage with MyEtherWallet? ',
HELP_2b_Desc_1:
'Go to [https://github.com/kvhnuke/etherwallet/releases/latest](https://github.com/kvhnuke/etherwallet/releases/latest). ',
HELP_2b_Desc_2: 'Click on `dist-vX.X.X.X.zip`. ',
HELP_2b_Desc_2: 'Click on `etherwallet-vX.X.X.X.zip`. ',
HELP_2b_Desc_3: 'Move zip to an airgapped computer. ',
HELP_2b_Desc_4: 'Unzip it and double-click `index.html`. ',
HELP_2b_Desc_5: 'Generate a wallet with a strong password. ',
@ -519,7 +628,7 @@ module.exports = {
HELP_4_Desc_12:
'A pop-up will appear. Verify that the amount and the address you are sending to are correct. Then click "Yes, I am sure! Make transaction." button. ',
HELP_4_Desc_13:
'The transaction will be submitted. The TX ID will display. You can click that TX ID to see it on the blockchain. ',
'The transaction will be submitted. The TX Hash will display. You can click that TX Hash to see it on the blockchain. ',
HELP_4CX_Title: '4) How do I send Ether using MyEtherWallet CX? ',
HELP_4CX_Desc_1:
@ -586,7 +695,7 @@ module.exports = {
HELP_7_Desc_14:
'A pop-up will appear. Verify that the amount and the address you are sending to are correct. Then click "Yes, I am sure! Make transaction." button. ',
HELP_7_Desc_15:
'The transaction will be submitted. The TX ID will display. You can click that TX ID to see it on the blockchain. ',
'The transaction will be submitted. The TX Hash will display. You can click that TX Hash to see it on the blockchain. ',
HELP_8_Title: '8) What happens if your site goes down? ',
HELP_8_Desc_1:

View File

@ -1,10 +1,85 @@
/* eslint-disable quotes*/
// Italian
// Last sync with en.js : commit 459ba23623e1fa13c3d468277ef5dad5070542d2
module.exports = {
code: 'it',
data: {
/* New Generics */
x_CancelReplaceTx: 'Annulla o sostituisci la transazione',
x_CancelTx: 'Annulla transazione',
x_PasswordDesc:
'Questa password * crittografa * la chiave privata. Non funge da seme per generare nuove chiavi. **Avrai bisogno di questa password e della chiave privata per sbloccare il portafoglio.**',
x_ReadMore: 'Altre informazioni',
x_ReplaceTx: 'Sostituisci transazione',
x_TransHash: 'Hash della transazione',
x_TXFee: 'Commissione transazione',
x_TxHash: 'Hash transazione',
/* Check TX Status */
NAV_CheckTxStatus: 'Controlla lo stato della transazione',
NAV_TxStatus: 'Stato transazione',
tx_Details: 'Dettagli della transazione',
tx_Summary:
'Nei periodi di traffico intenso (come durante le ICO) le transazioni possono rimanere in attesa per ore, o anche giorni. Questo strumento cerca di darti la possibilità di trovare e "annullare" / sostituire queste transazioni. ** Non è normalmente possibile farlo. Non dovresti farci affidamento, e funziona solo quando i *pool* delle transazioni sono pieni. [Altre informazioni su questo strumento qui.](https://myetherwallet.groovehq.com/knowledge_base/topics/how-can-i-check-on-the-status-of-my-transaction-can-i-cancel-override-overwrite-replace-or-do-anything-once-a-transaction-has-been-sent)**',
tx_notFound: 'Transazione non trovata',
tx_notFound_1:
'Impossibile trovare questa transazione nel *pool* delle transazioni del nodo a cui sei connesso.',
tx_notFound_2:
'Se l\'hai appena inviata, attendi 15 secondi e premi di nuovo il pulsante "Controlla lo stato della transazione". ',
tx_notFound_3:
'Potrebbe trovarsi ancora nel *pool* delle transazioni di un altro nodo, in attesa di essere inclusa in un blocco.',
tx_notFound_4:
'Utilizza il menu a discesa in alto a destra e scegli un altro nodo ETH (ad esempio `ETH (Etherscan.io)` o `ETH (Infura.io)` o `ETH (MyEtherWallet)`) e ricontrolla.',
tx_foundInPending: 'Transazione in sospeso trovata',
tx_foundInPending_1:
'La transazione è stata individuata nel *pool* delle transazioni del nodo a cui sei connesso. ',
tx_foundInPending_2:
'Al momento è in sospeso (in attesa di essere inclusa in un blocco). ',
tx_foundInPending_3:
'Forse è possibile "annullare" o sostituire questa transazione. Sblocca il portafoglio qui sotto.',
tx_FoundOnChain: 'Transazione trovata',
tx_FoundOnChain_1:
'La transazione è stata correttamente inclusa in un blocco e ora si trova sulla *blockchain*.',
tx_FoundOnChain_2:
'**Se vedi un `( ! )` rosso, un messaggio di errore `BAD INSTRUCTION` o `OUT OF GAS`**, significa che la transazione non è stata correttamente *inviata*. Non puoi annullare o sostituire questa transazione. Puoi però inviarne una nuova. Se hai ricevuto un messaggio di errore "Out of Gas", dovresti raddoppiare il limite gas che avevi indicato in origine.',
tx_FoundOnChain_3:
"**Se non vedi errori, la transazione è stata inviata correttamente.** I tuoi ETH o i tuoi token sono dove li hai inviati. Se non vedi questi ETH o token nell'altro portafoglio / nel conto della piattaforma di scambio, e se sono passate più di 24 ore dall'invio, [contatta quel servizio esterno](https://myetherwallet.groovehq.com/knowledge_base/topics/i-have-a-question-but-its-not-about-myetherwallet-dot-com-what-do-i-do). Invia loro il *link* alla transazione e chiedi, cortesemente, di controllare la tua situazione.",
/* Gen Wallet Updates */
GEN_Help_1: 'Usa il tuo',
GEN_Help_2: 'per accedere al tuo conto.',
GEN_Help_3: 'Il tuo dispositivo * è * il tuo portafoglio.',
GEN_Help_4: 'Guide & FAQ',
GEN_Help_5: 'Come creare un portafoglio',
GEN_Help_6: 'Per iniziare',
GEN_Help_7:
'Mantienilo al sicuro · Fai un backup · Non condividerlo con nessuno · Non perderlo · Non si può ripristinare se lo perdi.',
GEN_Help_8: 'Non riesci a scaricare il file? ',
GEN_Help_9: 'Prova ad usare Google Chrome ',
GEN_Help_10: 'Fai clic col destro e scegli "Salva con nome". Nome file: ',
GEN_Help_11: 'Non aprire questo file sul tuo computer ',
GEN_Help_12:
'Usalo per sbloccare il portafoglio tramite MyEtherWallet (o Mist, Geth, Parity e altri client.) ',
GEN_Help_13: 'Come fare il backup del file Keystore ',
GEN_Help_14: 'Che cosa sono tutti questi formati? ',
GEN_Help_15: 'Evitare la perdita &amp; il furto dei tuoi fondi.',
GEN_Help_16: 'Che cosa sono tutti questi formati?',
GEN_Help_17: 'Perché dovrei farlo?',
GEN_Help_18: 'Per avere un backup secondario.',
GEN_Help_19: 'Nel caso ti dimenticassi la password.',
GEN_Help_20: 'Portafoglio offline',
GET_ConfButton: 'Ho capito. Continua.',
GEN_Label_5: 'Salva la tua `chiave privata`. ',
GEN_Unlock: "Sblocca il portafoglio per vedere l'indirizzo",
GAS_PRICE_Desc:
'Il prezzo gas è la somma che paghi per unità di gas. `Commissione transazione = prezzo gas * limite gas` e si paga ai *miner* perché includano la tua transazione in un blocco. Più alto il prezzo gas = più veloce la transazione, ma più costosa. Di default è `21 GWEI`.',
GAS_LIMIT_Desc:
'Il limite gas è la quantità di gas da inviare con la transazione. `Commissione transazione` = prezzo gas * limite gas e si paga ai *miner* perché includano la tua transazione in un blocco. Aumentare questo numero non farà in modo che la tua transazione sia inclusa prima. Invio di ETH = `21000`. Invio di token = ~`200000`.',
NONCE_Desc:
'Il *nonce* è il numero di transazioni inviate da un certo indirizzo. Fa in modo che le transazioni siano inviate nel giusto ordine e non più di una volta.',
TXFEE_Desc:
'La commissione transazione si paga ai *miner* perché includano la transazione in un blocco. Si calcola come `limite gas` * `prezzo gas`. [Puoi calcolare la conversione GWEI -> ETH qui](https://www.myetherwallet.com/helpers.html)',
/* Navigation*/
NAV_AddWallet: 'Aggiungi portafoglio ',
NAV_BulkGenerate: 'Generazione multipla ',
@ -12,7 +87,8 @@ module.exports = {
NAV_Contracts: 'Contratti ',
NAV_DeployContract: 'Pubblica contratto ',
NAV_ENS: 'ENS',
NAV_GenerateWallet: 'Genera portafoglio ',
NAV_GenerateWallet_alt: 'Nuovo portafoglio ',
NAV_GenerateWallet: 'Crea nuovo portafoglio ',
NAV_Help: 'Aiuto ',
NAV_InteractContract: 'Interagisci con un contratto ',
NAV_Multisig: 'Multifirma ',
@ -28,7 +104,7 @@ module.exports = {
/* General */
x_Access: 'Accedi ',
x_AddessDesc:
'Potresti sentirlo chiamare "Numero di conto" o "Chiave pubblica". È ciò che dai a chi ti vuole inviare degli ether. L\'icona è un modo facile di riconoscere il tuo indirizzo. ',
"Il tuo indirizzo può anche essere chiamato `Numero di conto` o `Chiave pubblica`. È ciò che condividi con chi ti vuole inviare degli ether o dei token. Individua l'icona colorata dell'indirizzo. Assicurati che corrisponda al tuo portafoglio cartaceo e controllala ogni volta che inserisci il tuo indirizzo da qualche parte.",
x_Address: 'Il tuo indirizzo ',
x_Cancel: 'Annulla ',
x_CSV: 'File CSV (non crittografato) ',
@ -40,6 +116,7 @@ module.exports = {
x_Keystore2: 'File Keystore (UTC / JSON) ',
x_KeystoreDesc:
'Questo file Keystore è compatibile con il formato usato da Mist, in modo da poterlo facilmente importare in futuro. È il file consigliato da scaricare e conservare. ',
x_MetaMask: 'Metamask / Mist ',
x_Mnemonic: 'Frase mnemonica ',
x_ParityPhrase: 'Frase di Parity ',
x_Password: 'Password ',
@ -66,7 +143,7 @@ module.exports = {
/* Footer */
FOOTER_1:
'Strumento open source lato client per interagire facilmente e in modo sicuro con la rete Ethereum. ',
"Interfaccia gratuita, open source, lato client per generare portafogli Ethereum e altro. Interagisci con la *blockchain* Ethereum facilmente e in modo sicuro. Controlla bene l'URL ( .com ) prima di sbloccare un portafoglio.",
FOOTER_1b: 'Creato da ',
FOOTER_2: 'Donazioni molto apprezzate: ',
FOOTER_3: 'Generazione portafogli lato client da parte di ',
@ -83,6 +160,8 @@ module.exports = {
'MyEtherWallet è un servizio gratuito e open-source votato alla tua privacy e sicurezza. Più donazioni riceviamo, più tempo dedichiamo a creare nuove funzionalità, considerare i tuoi commenti, e darti ciò che vuoi. Siamo solo due persone che provano a cambiare il mondo. Ci aiuti? ',
sidebar_donate: 'Dona ',
sidebar_thanks: 'GRAZIE!!! ',
sidebar_DisplayOnTrezor: 'Visualizza indirizzo sul TREZOR',
sidebar_DisplayOnLedger: 'Visualizza indirizzo sul Ledger',
/* Decrypt Panel */
decrypt_Access: 'Come vuoi accedere al tuo portafoglio? ',
@ -99,6 +178,10 @@ module.exports = {
ADD_Radio_4: 'Aggiungi un conto da osservare ',
ADD_Radio_5: 'Incolla/Inserisci la tua frase mnemonica ',
ADD_Radio_5_Path: 'Seleziona un percorso di derivazione HD ',
ADD_Radio_5_woTrezor: '(Jaxx, Metamask, Exodus, imToken)',
ADD_Radio_5_withTrezor: '(Jaxx, Metamask, Exodus, imToken, TREZOR)',
ADD_Radio_5_PathAlternative: '(Ledger)',
ADD_Radio_5_PathTrezor: '(TREZOR)',
ADD_Radio_5_PathCustom: 'altro',
ADD_Label_2: 'Crea un nome: ',
ADD_Label_3: 'Il portafoglio è crittografato. Inserire la password ',
@ -113,14 +196,14 @@ module.exports = {
/* Generate Wallets */
GEN_desc: 'Se vuoi generare più portafogli, puoi farlo qui ',
GEN_Label_1: 'Inserisci una password robusta (almeno 9 caratteri) ',
GEN_Label_1: 'Inserisci una password',
GEN_Placeholder_1: 'NON dimenticarti di salvarla! ',
GEN_SuccessMsg: 'Perfetto! Il tuo portafoglio è stato generato. ',
GEN_Label_2:
'Salva il file del tuo portafoglio. Non dimenticare la password che hai inserito. ',
GEN_Label_2: 'Salva il file `Keystore`. ',
GEN_Label_3: 'Salva il tuo indirizzo. ',
GEN_Label_4:
'Facoltativo: stampa il tuo portafoglio cartaceo o salva una versione QR code. ',
GEN_Label_4: 'Stampa il portafoglio cartaceo o un QR code. ',
GEN_Aria_1: '',
GEN_Aria_2: '',
/* Bulk Generate Wallets */
BULK_Label_1: 'Numero di portafogli da generare ',
@ -158,8 +241,6 @@ module.exports = {
/* Send Transaction */
TRANS_desc:
'Se invece volevi inviare dei token, utilizza la pagina "Invia token". ',
TRANS_warning:
'Se usi le opzioni "Solo ETH" o "Solo ETC" invierai tramite un contratto. Certi servizi hanno difficoltà ad accettare queste transazioni. Leggi tutto. ',
TRANS_advanced: '+Avanzate: aggiungi dati ',
TRANS_data: 'Dati ',
TRANS_gas: 'Limite gas ',
@ -248,20 +329,30 @@ module.exports = {
MNEM_prev: 'Indirizzi precedenti ',
/* Hardware wallets */
x_Ledger: 'Ledger Nano S ',
ADD_Ledger_0a: 'Riapri MyEtherWallet su una connessione sicura (SSL) ',
x_Ledger: 'Ledger Wallet ',
ADD_Ledger_0a:
'Devi accedere a MyEtherWallet tramite una connessione sicura (SSL / HTTPS) per poterti collegare. ',
ADD_Ledger_0b:
'Riapri MyEtherWallet utilizzando [Chrome](https://www.google.com/chrome/browser/desktop/) o [Opera](https://www.opera.com/) ',
ADD_Ledger_1: 'Collega il tuo Ledger Nano S ',
ADD_Ledger_1: 'Collega il tuo Ledger Wallet ',
ADD_Ledger_2:
"Apri l'applicazione Ethereum (o l'applicazione di un contratto) ",
ADD_Ledger_3:
'Verifica che il supporto browser sia abilitato nelle impostazioni ',
ADD_Ledger_4:
"Se non c'è l'opzione per il supporto browser nelle impostazioni, verifica di avere un [Firmware >1.2](https://www.ledgerwallet.com/apps/manager) ",
ADD_Ledger_scan: 'Collegati al Ledger Nano S ',
ADD_Ledger_scan: 'Collegati al Ledger Wallet ',
ADD_MetaMask: 'Collegati a MetaMask ',
x_Trezor: 'TREZOR ',
ADD_Trezor_scan: 'Collegati al TREZOR ',
x_DigitalBitbox: 'Digital Bitbox ',
ADD_DigitalBitbox_0a:
'Riapri MyEtherWallet su una connessione sicura (SSL) ',
ADD_DigitalBitbox_0b:
'Riapri MyEtherWallet utilizzando [Chrome](https://www.google.com/chrome/browser/desktop/) o [Opera](https://www.opera.com/) ',
ADD_DigitalBitbox_scan: 'Collega il tuo Digital Bitbox ',
/* CX */
CX_error_1:
@ -323,49 +414,60 @@ module.exports = {
ERROR_3: 'Questo non è un file portafoglio valido. ',
ERROR_4:
'Questa unità non esiste, ti preghiamo di usare una delle seguenti unità ',
ERROR_5: 'Indirizzo non valido. ',
ERROR_6: 'Password non valida. ',
ERROR_7: 'Numero non valido. ',
ERROR_8: 'Limite gas non valido. ',
ERROR_9: 'Valori dati non validi. ',
ERROR_10: 'Quantità di gas non valida. ',
ERROR_11: 'Nonce non valido. ',
ERROR_5: 'Inserisci un indirizzo valido. ',
ERROR_6: 'Inserisci una password valida. ',
ERROR_7:
'Inserisci dei decimali validi. (Deve essere un intero. Prova 0-18.) ', // 7
ERROR_8:
'Inserisci un limite gas valido. (Deve essere un intero. Prova 21000-4000000.) ', // 8
ERROR_9:
'Inserisci un valore valido per i dati. (Deve essere una stringa esadecimale.) ', // 9
ERROR_10:
'Inserisci prezzo valido per il gas. (Deve essere un intero. Prova 20 GWEI / 20000000000 WEI.) ',
ERROR_11: 'Inserisci un nonce valido. (Deve essere un intero.) ', // 11
ERROR_12: 'Transazione firmata non valida. ',
ERROR_13: 'Esiste già un portafoglio con questo nome. ',
ERROR_14: 'Portafoglio non trovato. ',
ERROR_15:
"Sembra che non esista ancora una proposta con questo ID o c'è un errore nella lettura della proposta. ",
"Ops. Sembra che non esista ancora una proposta con questo ID o c'è un errore nella lettura della proposta. ", // 15 - NOT USED
ERROR_16:
"C'è già un portafoglio con questo indirizzo fra quelli salvati. Controlla la pagina dei tuoi portafogli. ",
ERROR_17:
"Ti servono **0,01 ETH** nel conto per coprire i costi del gas. Aggiungi un po' di ETH e riprova. ",
"L'account dal quale stai provando ad inviare la transazione non ha abbastanza fondi. Se stai inviando token, ti servono 0,01 ETH nel conto per coprire i costi del gas. ",
ERROR_18:
'Questa transazione consumerebbe tutto il gas. Ciò significa che hai già votato questa proposta o che il periodo di discussione è terminato. ',
ERROR_19: 'Simbolo non valido ',
ERROR_19: 'Inserisci un simbolo valido ',
ERROR_20: 'Non è un token ERC-20 valido. ',
ERROR_21:
"Impossibile eseguire una stima del gas necessario. Non ci sono abbastanza fondi nel conto, oppure l'indirizzo del contratto ricevente genererebbe un errore. Puoi inserire il gas manualmente e procedere. Il messaggio di errore al momento dell'invio potrebbe contenere ulteriori informazioni. ",
ERROR_22: 'Inserisci un nome di nodo valido ',
ERROR_23:
'Inserisci un URL valido. Se ti stai collegando tramite HTTPS anche il nodo deve utilizzare HTTPS ',
"Inserisci un URL valido. Se usi https, l'URL deve cominciare con https",
ERROR_24: 'Inserisci una porta valida ',
ERROR_25: 'Inserisci un ID catena valido ',
ERROR_26: 'Inserisci una ABI valida ',
ERROR_27: 'Importo minimo: 0.01. Importo massimo: ',
ERROR_28:
"**Avrai bisogno del tuo file Keystore e della password** (o della chiave privata) per avere accesso a questo portafoglio in futuro. Ti preghiamo di salvarlo e copiarlo su un supporto esterno! Non c'è alcun modo per recuperare un portafoglio se non lo salvi. Leggi la [pagina di aiuto](https://www.myetherwallet.com/#help) per le istruzioni. ",
'Avrai bisogno del `file Keystore + la password` o della `chiave privata` (prossima pagina) per avere accesso a questo portafoglio in futuro. ', // 28
ERROR_29: 'Inserisci un nome utente e una password validi ',
ERROR_30: 'Inserisci un nome ENS valido ',
ERROR_31: 'Frase segreta non valida ',
ERROR_30:
'Inserisci un nome valido (almeno 7 caratteri, punteggiatura limitata)',
ERROR_31: 'Inserisci una frase segreta valida ',
ERROR_32:
'Impossibile collegarsi al nodo. Aggiorna la pagina, o controlla la pagina di aiuto per ulteriori suggerimenti. ',
'Impossibile collegarsi al nodo. Aggiorna la pagina, prova con un altro nodo (angolo in alto a destra), controlla le impostazioni del firewall. Se si tratta di un nodo personalizzato, controlla la configurazione.', // 32
ERROR_33:
"L'indirizzo del portafoglio non è quello da cui si è fatta l'offerta. ",
ERROR_34: "Il nome non corrisponde all'originale",
"L'indirizzo del portafoglio non corrisponde a quello del proprietario. ",
ERROR_34:
'Il nome che stai provando a rivelare non combacia con quello che hai inserito. ',
ERROR_35:
'L\'indirizzo inserito non ha un checksum. <a href="https://myetherwallet.groovehq.com/knowledge_base/topics/not-checksummed-shows-when-i-enter-an-address" target="_blank" rel="noopener"> Ulteriori informazioni</a>', // 35
ERROR_36: 'Inserisci un hash transazione valido', // 36
ERROR_37: 'Inserisci una stringa esadecimale valida (0-9, a-f)', // 37
SUCCESS_1: 'Indirizzo valido ',
SUCCESS_2: 'Portafoglio decodificato correttamente ',
SUCCESS_3:
"La transazione è stata inviata alla blockchain. Fai clic per vederla e controllare che sia stata inclusa in un blocco e non si siano verificati errori relativi al gas o all'esecuzione del contratto. TX ID: ",
'La transazione è stata inviata alla rete. È in attesa di essere inclusa in un blocco e confermata. Durante le ICO, potrebbero volerci 3 ore o più per la conferma. Utilizza i pulsanti Verifica e Controlla qui sotto per informazioni. Hash transazione: ',
SUCCESS_4: 'Il portafoglio è stato aggiunto correttamente ',
SUCCESS_5: 'File selezionato ',
SUCCESS_6: 'Ora sei connesso ',
@ -452,7 +554,7 @@ module.exports = {
HELP_1_Desc_4: 'Fai clic su "GENERA PORTAFOGLIO". ',
HELP_1_Desc_5: 'Il tuo portafoglio è stato appena generato. ',
HELP_2a_Title: '2a) Come salvo o faccio il backup del mio portafoglio? ',
HELP_2a_Title: 'Come salvo o faccio il backup del mio portafoglio? ',
HELP_2a_Desc_1:
'Dovresti sempre fare dei backup esterni in diversi luoghi fisici - come su una penna USB e/o su un pezzo di carta. ',
HELP_2a_Desc_2:
@ -470,7 +572,7 @@ module.exports = {
'2b) Come implemento un portafoglio offline in maniera sicura con MyEtherWallet? ',
HELP_2b_Desc_1:
'Vai su [https://github.com/kvhnuke/etherwallet/releases/latest](https://github.com/kvhnuke/etherwallet/releases/latest). ',
HELP_2b_Desc_2: 'Fai clic su `dist-vX.X.X.X.zip`. ',
HELP_2b_Desc_2: 'Fai clic su `etherwallet-vX.X.X.X.zip`. ',
HELP_2b_Desc_3: 'Sposta il file zip su un computer *air-gapped*. ',
HELP_2b_Desc_4: 'Decomprimilo e fai doppio clic su `index.html`. ',
HELP_2b_Desc_5: 'Genera un portafoglio con una password robusta. ',
@ -518,7 +620,7 @@ module.exports = {
HELP_4_Desc_12:
'Comparirà un pop-up. Verifica che l\'importo e l\'indirizzo a cui stai inviando siano corretti. Quindi fai clic sul pulsante "Sì, sono sicuro! Esegui la transazione.". ',
HELP_4_Desc_13:
"La transazione verrà inviata. Verrà mostrato l'ID della transazione (*TX ID*). Puoi fare clic sul TX ID per vederla sulla *blockchain*. ",
'La transazione verrà inviata. Verrà mostrato il codice hash della transazione. Puoi fare clic sul codice hash per visualizzarla sulla *blockchain*. ',
HELP_4CX_Title: '4) Come invio degli ether utilizzando MyEtherWallet CX? ',
HELP_4CX_Desc_1:
@ -589,7 +691,7 @@ module.exports = {
HELP_7_Desc_14:
'Comparirà un pop-up. Verifica che l\'importo e l\'indirizzo a cui stai inviando siano corretti. Quindi fai clic sul pulsante "Sì, sono sicuro! Esegui la transazione.". ',
HELP_7_Desc_15:
"La transazione verrà inviata. Verrà mostrato l'ID della transazione (*TX ID*). Puoi fare clic sul TX ID per vederla sulla *blockchain*. ",
'La transazione verrà inviata. Verrà mostrato il codice hash della transazione. Puoi fare clic sul codice hash per visualizzarla sulla *blockchain*. ',
HELP_8_Title: '8) Che succede se il vostro sito va giù? ',
HELP_8_Desc_1:

View File

@ -4,6 +4,81 @@
module.exports = {
code: 'ja',
data: {
HELP_2a_Title: 'お財布の保管やバックアップの方法は? ',
/* New Generics */
x_CancelReplaceTx: '処理を中断、あるいは置換',
x_CancelTx: '処理を中断',
x_PasswordDesc:
'このパスワードで秘密鍵を*暗号化*します。新しい鍵を作るための元種(seed)ではありません。**このパスワードと(暗号化された)秘密鍵の二つを使って、お財布を解錠します**',
x_ReadMore: 'もっと読む',
x_ReplaceTx: '処理を置き換える',
x_TransHash: '処理ハッシュ',
x_TXFee: '処理料',
x_TxHash: '処理ハッシュ',
/* Check TX Status */
NAV_CheckTxStatus: '処理状況を確認',
NAV_TxStatus: '処理状況',
tx_Details: '処理内容詳細',
tx_Summary:
'もし数日経ってから処理状況を確認した場合でなければ、大量の処理発生時(ICO期間など)には、数時間待たされることがあります。本ツールは、そのような状況において処理待ちのものを探し出し取り消す、あるいは新しくする機能を提供します。**これは一般的な操作ではありませんが、処理プールが満杯の場合にのみ有効です。 [このツールに関しては、こちらを参考にしてください。](https://myetherwallet.groovehq.com/knowledge_base/topics/how-can-i-check-on-the-status-of-my-transaction-can-i-cancel-override-overwrite-replace-or-do-anything-once-a-transaction-has-been-sent)**',
tx_notFound: '対象の処理が見つかりません',
tx_notFound_1: 'この処理は、現在接続中の処理プールの中にありませんでした。',
tx_notFound_2: 'もし今、処理を送出した直後であれば、15秒待ってから「処理状況を確認」ボタンを再度押してください。',
tx_notFound_3: '別の処理プールで発掘待ちになっているかもしれません。',
tx_notFound_4:
'右上の下展開メニューから、別のノードを選択してください。 (例: `ETH (Etherscan.io)` or `ETH (Infura.io)` or `ETH (MyEtherWallet)`) から選んで再度確認する。',
tx_foundInPending: '待機中の処理が見つかりました。',
tx_foundInPending_1: 'あなたの処理が、現在接続中のノードの処理待ちプールの中で見つかりました。',
tx_foundInPending_2: '現在待機中です(発掘待ち)。',
tx_foundInPending_3: 'この処理を取り消す、あるいは置き換えることができます。下記のお財布をアンロックしてください。 ',
tx_FoundOnChain: '処理が見つかりました',
tx_FoundOnChain_1: 'あなたの待機中の処理は発掘されてブロックチェーンに載りました。',
tx_FoundOnChain_2:
'**もし赤い `( ! )`, `BAD INSTRUCTION` あるいは `OUT OF GAS` のエラーメッセージを見つけたら**, これは、処理送出に失敗したということです。処理の取り消しや置き換えはできません。代わりに、新しい処理を送出してください。 "Out of Gas" エラーの場合には, ガスリミットをはじめに指定した値の倍にしてください。',
tx_FoundOnChain_3:
'**何もエラーメッセージが返ってこなければ、あなたの処理は正しく送出されています。** ETHあるいはトークンは、送ろうとしたあて先の場所にあります。 もし、ETHやトークンが他のお財布や交換所のお財布に見つからず、処理を開始してから時間以上経っていたら、 [そのサービスに連絡](https://myetherwallet.groovehq.com/knowledge_base/topics/i-have-a-question-but-its-not-about-myetherwallet-dot-com-what-do-i-do)してください。状況を確認してもらうために、自分の処理のリンクをうまく知らせてください。',
/* Gen Wallet Updates */
GEN_Help_1: 'この' /* Use your */,
GEN_Help_2: 'で自分の口座にアクセスしてください。' /* to access your account. */,
GEN_Help_3: '自分のデバイスそのものが、自分のお財布です。' /* Your device * is * your wallet. */,
GEN_Help_4: 'ガイドとFAQ' /* Guides & FAQ */,
GEN_Help_5: 'お財布の作り方' /* How to Create a Wallet */,
GEN_Help_6: 'ここから始める' /* Getting Started */,
GEN_Help_7:
'安全な所で保管してください · バックアップを作成してください · 他の誰にも教えないでください · 絶対になくさないでください · 無くした時には回復する方法はありません。',
GEN_Help_8: 'ファイルをダウンロードしませんでしたか?' /* Not Downloading a File? */,
GEN_Help_9: 'Google Chromeをお使いください' /* Try using Google Chrome */,
GEN_Help_10:
'右クリックしてファイルを保存。ファイル名: ' /* Right click & save file as. Filename: */,
GEN_Help_11:
'このファイルは自分のコンピューターで開かないでください' /*Don\'t open this file on your computer */,
GEN_Help_12:
'MyEtherWalletの上でこれを使って自分のお財布をアンロックしてくださいMist, Geth, Parityや他のお財布クライアントも可' /*Use it to unlock your wallet via MyEtherWallet (or Mist, Geth, Parity and other wallet clients.)
*/,
GEN_Help_13:
'自分のキーストアファイルのバックアップ作成方法' /*How to Back Up Your Keystore File */,
GEN_Help_14: 'これらの方式の違いは?' /*What are these Different Formats? */,
GEN_Help_15:
'自分の資金の紛失や盗難を防止する。' /* Preventing loss & theft of your funds. */,
GEN_Help_16: 'これらの方式の違いは?' /*What are these Different Formats?*/,
GEN_Help_17: 'なぜこれらをすべきか?' /*Why Should I?*/,
GEN_Help_18: '2番目のバックアップ作成のため' /*To have a secondary backup.*/,
GEN_Help_19: 'パスワードを忘れた場合には' /*In case you ever forget your password.*/,
GEN_Help_20: '隔離された保管場所' /*Cold Storage*/,
GET_ConfButton: '理解できました。続けます。' /*I understand. Continue.*/,
GEN_Label_5: '自分の秘密鍵を保存する。' /*Save Your `Private Key`. */,
GEN_Unlock:
'自分のアドレスを確認するために、お財布を解錠する' /*Unlock your wallet to see your address*/,
GAS_PRICE_Desc:
'ガス価格は、ガスの一単位にかかる料金のことです。 「処理料金 = ガス価格 ガスリミット」かつ、自分の処理をブロックに配置するためにマイナーに支払われます。ガス価格が高いほど処理は早く行われますが、料金は高くなります。デファルトは 「21 GWEI」です。' /*Gas Price is the amount you pay per unit of gas. `TX fee = gas price * gas limit` & is paid to miners for including your TX in a block. Higher the gas price = faster transaction, but more expensive. Default is `21 GWEI`.*/,
GAS_LIMIT_Desc:
'ガスリミットは、自分の処理にかかる料金の額です。「使用料金」 = ガス価格 ガスリミット」で、自分の処理をブロックに配置するための料金に支払われます。 この数字を増やしても、自分の処理が早く発掘されることはありません。ETHの送出 = 「21000」。トークンの送出 = ~「200000」。' /*Gas limit is the amount of gas to send with your TX. `TX fee` = gas price * gas limit & is paid to miners for including your TX in a block. Increasing this number will not get your TX mined faster. Sending ETH = `21000`. Sending Tokens = ~`200000`.*/,
NONCE_Desc: 'そのnonceは、指定のアドレスから送出される処理の数です。処理が正しい順番で重複しないように確実にするためのものです。',
TXFEE_Desc:
'その処理料金は自分の処理をブロックに配置するためにマイナーに支払われます。「ガスリミット」*「ガス価格」です。 [GWEI -> ETHの変換はここです。](https://www.myetherwallet.com/helpers.html)' /*The TX Fee is paid to miners for including your TX in a block. It is the `gas limit` * `gas price`. [You can convert GWEI -> ETH here](https://www.myetherwallet.com/helpers.html)*/,
/* Navigation*/
NAV_AddWallet: 'お財布の追加 ',
NAV_BulkGenerate: 'バルク作成 ',
@ -11,6 +86,7 @@ module.exports = {
NAV_Contracts: '契約 ',
NAV_DeployContract: '契約を展開 ',
NAV_ENS: 'ENS',
NAV_GenerateWallet_alt: 'New Wallet ',
NAV_GenerateWallet: 'お財布の作成 ',
NAV_Help: 'ヘルプ ',
NAV_InteractContract: '契約を操作 ',
@ -27,7 +103,7 @@ module.exports = {
/* General */
x_Access: 'アクセス ',
x_AddessDesc:
'これは自分のアカウント番号と公開鍵になります。ETHを送信するために必要な情報です。アイコンは自分のアドレスを識別するものです。 ',
'Your Address can also be known as you `Account #` or your `Public Key`. It is what you share with people so they can send you Ether or Tokens. Find the colorful address icon. Make sure it matches your paper wallet & whenever you enter your address somewhere. これは自分のアカウント番号と公開鍵になります。ETHを送信するために必要な情報です。アイコンは自分のアドレスを識別するものです。 ',
x_Address: '自分のアドレス ',
x_Cancel: '取り消す ',
x_CSV: 'CSV ファイル (未暗号化) ',
@ -39,7 +115,8 @@ module.exports = {
x_Keystore2: 'Keystore ファイル (UTC / JSON) ',
x_KeystoreDesc:
'この Keystore / JSON ファイルは、後で容易にインポートするため、Mistで使われているフォーマットと一致させる必要があります。ダウンロードしてバックアップを取ることをおすすめします。 ',
x_Ledger: 'Ledger Nano S ',
x_Ledger: 'Ledger Wallet ',
x_MetaMask: 'Metamask / Mist ',
x_Mnemonic: 'ニーモニック文節 ',
x_ParityPhrase: 'パリティ文節 ',
x_Password: 'パスワード ',
@ -63,7 +140,7 @@ module.exports = {
CX_Tagline: 'オープンソース JavaScript クライアントサイド Etherお財布 Chrome Extension ',
/* Footer */
FOOTER_1: 'イサリアムお財布の作成とトランザクション実行のためのオープンソース、javascript、 クライアントサイドツール。 ',
FOOTER_1: 'イサリアムお財布の作成とトランザクション実行のためのオープンソース、javascript、 クライアントサイドツール。 ',
FOOTER_1b: '制作 ',
FOOTER_2: '投げ銭に感謝致します!: ',
FOOTER_3: 'クライアントサイドお財布制作 ',
@ -80,6 +157,8 @@ module.exports = {
'MyEtherWalletは、プライバシーとセキュリティのための無料のオープンソースサービスです。 寄付が増えることによって、新機能やフィードバックの反映を行い、よりユーザーの皆様のご希望に沿った制作の時間を増やす事が可能になります。私たちは、たった二人で世界を変えようとしています。お手伝いいただけますか? ',
sidebar_donate: '寄付する ',
sidebar_thanks: '感謝します!!! ',
sidebar_DisplayOnTrezor: 'Display address on TREZOR',
sidebar_DisplayOnLedger: 'Display address on Ledger',
/* Chrome Extension */
CX_error_1:
@ -101,6 +180,10 @@ module.exports = {
ADD_Radio_4: '監視するアカウントを追加 ',
ADD_Radio_5: 'ニーモニックを上書き/タイプ ',
ADD_Radio_5_Path: 'HD derivation pathを選択 ',
ADD_Radio_5_woTrezor: '(Jaxx, Metamask, Exodus, imToken)',
ADD_Radio_5_withTrezor: '(Jaxx, Metamask, Exodus, imToken, TREZOR)',
ADD_Radio_5_PathAlternative: '(Ledger)',
ADD_Radio_5_PathTrezor: '(TREZOR)',
ADD_Radio_5_PathCustom: 'カスタム',
ADD_Label_2: 'ニックネームの作成: ',
ADD_Label_3: 'お財布が暗号化されています。パスワードを入力してください: ',
@ -111,6 +194,7 @@ module.exports = {
ADD_Label_6: 'お財布をアンロック: ',
ADD_Label_6_short: 'アンロック ',
ADD_Label_7: 'アカウント追加 ',
ADD_Label_8: 'Password (optional): ',
/* Mnemonic */
MNEM_1: '操作したいアドレスを選択してください。 ',
@ -119,7 +203,7 @@ module.exports = {
MNEM_prev: '前のアドレス表示 ',
/* Hardware wallets */
ADD_Ledger_1: '自分の Ledger Nano S を接続する ',
ADD_Ledger_1: '自分の Ledger Wallet を接続する ',
ADD_Ledger_2: 'イサリアムアプリケーション(あるいはコントラクトアプリケーション)を開く 。 ',
ADD_Ledger_3: '設定中で、ブラウザサポートが有効にされていることを確認してください。 ',
ADD_Ledger_4:
@ -127,9 +211,17 @@ module.exports = {
ADD_Ledger_0a: 'セキュアコネクションSSL)で再度MyEtherWalletを開いてください。 ',
ADD_Ledger_0b:
'MyEtherWalletを再度「Chrome」(https://www.google.com/chrome/browser/desktop/) あるいは [Opera](https://www.opera.com/)で開いてください。 ',
ADD_Ledger_scan: 'Ledger Nano S に接続 ',
ADD_Ledger_scan: 'Ledger Wallet に接続 ',
ADD_MetaMask: 'Connect to MetaMask ',
ADD_Trezor_scan: 'TREZORに接続する ',
ADD_Trezor_select: 'これはTREZORのシードです ',
x_DigitalBitbox: 'Digital Bitbox ',
ADD_DigitalBitbox_0a: 'セキュアコネクションSSL)で再度MyEtherWalletを開いてください。 ',
ADD_DigitalBitbox_0b:
'MyEtherWalletを再度「Chrome」(https://www.google.com/chrome/browser/desktop/) あるいは [Opera](https://www.opera.com/)で開いてください。 ',
ADD_DigitalBitbox_scan: 'DigitalBitboxに接続する ',
/* Generate Wallets */
GEN_desc: '複数のお財布の作成をこのタブで行う事ができます: ',
@ -139,6 +231,8 @@ module.exports = {
GEN_Label_2: 'Keystore/JSON あるいは秘密鍵を保存してください。パスワードを絶対に忘れないようにしてください。 ',
GEN_Label_3: 'アドレスを保存してください。 ',
GEN_Label_4: '必要であれば、お財布紙情報、あるいはQRコードを印刷してください。 ',
GEN_Aria_1: '',
GEN_Aria_2: '',
/* Bulk Generate Wallets */
BULK_Label_1: '作成するお財布の数 ',
@ -149,7 +243,6 @@ module.exports = {
SEND_addr: '宛先アドレス: ',
SEND_amount: '送出数量: ',
SEND_amount_short: '数量 ',
//SEND_custom : 'カスタム ',
SEND_gas: 'ガス ',
SEND_TransferTotal: '残高をすべて送出する ',
SEND_generate: 'トランザクションを生成 ',
@ -197,7 +290,7 @@ module.exports = {
'**Coinbase & ShapeShift: ** スタンダードトランザクションのみで送出します。どちらかのみのコントラクトで送出する場合には、サポートスタッフに連絡して、手動で残高に追加したり払い戻しをする必要があります。[Shapeshiftの「スプリット」ツールも使用可能です。(https://split.shapeshift.io/) ',
TRANSModal_Content_5: '**Kraken & Poloniex:** 問題は確認されていません。どれでもお使いください。 ',
TRANSModal_Yes: '理解しました。 ',
TRANSModal_No: '理解できません。ヘルプが必要です。 ',
TRANSModal_No: 'わかりません。おしえてください。 ',
/* Offline Transaction */
OFFLINE_Title: 'オフライントランザクションを作成し送出 ',
@ -279,6 +372,7 @@ module.exports = {
SWAP_start_CTA: '交換開始 ',
SWAP_ref_num: '参照番号 ',
SWAP_time: '送出するまでにあと、 ',
SWAP_elapsed: 'Time elapsed since sent ',
SWAP_progress_1: '注文を開始しました ',
SWAP_progress_2: '到着待機中 ', // Waiting for your BTC...
SWAP_progress_3: 'ETH受け取り完了 ', // ETH Received!
@ -300,7 +394,9 @@ module.exports = {
VIEWWALLET_Subtitle:
'異なったバージョンの秘密鍵をダウンロードしたり、お財布紙情報を再印刷することができます。[import your account into Geth/Mist](http://ethereum.stackexchange.com/questions/465/how-to-import-a-plain-private-key-into-geth/)する時に必要です。残高をチェックするためには、[etherscan.io](http://etherscan.io/)のようなブロックチェーンエクスプローラーサービスを使う事をおすすめします。 ',
VIEWWALLET_Subtitle_Short: '異なったバージョンの秘密鍵をダウンロードしたり、お財布紙情報を再印刷することができます。 ',
VIEWWALLET_SuccessMsg: '成功! お財布の詳細は以下の通りです。 ',
VIEWWALLET_SuccessMsg: '成功しました! お財布の詳細は以下の通りです。 ',
VIEWWALLET_ShowPrivKey: '(show)',
VIEWWALLET_HidePrivKey: '(hide)',
/* Error Messages */
ERROR_0: '正しい値を入力してください。 ',
@ -310,21 +406,22 @@ module.exports = {
ERROR_4: 'この単位は存在しませんので、下記の中からお選びください。 ',
ERROR_5: '無効なアドレスです。 ',
ERROR_6: '無効なパスワードです。 ',
ERROR_7: '無効な総量です。 ',
ERROR_8: '無効なガスリミットです。 ',
ERROR_9: '無効なデータです。 ',
ERROR_10: '無効なガス総量です。 ',
ERROR_11: '無効な nonce です。 ',
ERROR_7: '無効な総量です。 (Must be integer. Try 0-18.) ', // 7
ERROR_8: '無効なガスリミットです。 (Must be integer. Try 21000-4000000.) ', // 8
ERROR_9: '無効なデータです。 (Must be hex.) ', // 9
ERROR_10: '無効なガス総量です。 (Must be integer. Try 20 GWEI / 20000000000 WEI.) ',
ERROR_11: '無効な nonce です。 (Must be integer.) ', // 11
ERROR_12: '無効な署名のトランザクションです。 ',
ERROR_13: '同じニックネームのお財布が既にあります。 ',
ERROR_14: 'お財布が見つかりません。 ',
ERROR_15: 'このIDのプロポーサルは存在しない、あるいは正常に読み込みできません。 ',
ERROR_16: '同じアドレスのお財布が既に存在します。お財布のページをご確認ください。 ',
ERROR_17: 'ガスとして使われるために、少なくとも0.01 etherがお財布上に必要です。 ',
ERROR_17:
'"ファンドが足りません。 トランザクション送出元のファンドが不足しています。ガスとして使われるために、少なくとも0.01 etherがお財布上に必要です。 ',
ERROR_18: '全てのガスがこのトランザクションにより消費されます。これは、既に投票を行ったか、あるいはディベート期間が終了したためです。 ',
ERROR_19: '無効なシンボル ',
ERROR_20:
' は有効なERC-20トークンではありません。もし他のトークンをロード中であれば、このトークンを取り除いてからもう一度試してください。 ',
' は有効なERC-20トークンではありません。もし他のトークンをロード中であれば、このトークンを取り除いてからもう一度試してください。 ',
ERROR_21:
'ガス量を推定できません。十分な資金が口座にないか、あるいは受け取り側のコントラクトがエラーになっています。ガス量を変更してから試してください。送出時にはより詳しいエラーメッセージが返ります。 ',
ERROR_22: '正しいノード名を入力してください ',
@ -338,11 +435,21 @@ module.exports = {
ERROR_29: '正しいユーザーとパスワードを入力してください ',
ERROR_30: '正しい ENS名を入力してください ',
ERROR_31: '無効な秘密フレーズです ',
ERROR_32: 'ノードに接続できませんでした。ページを更新、あるいはヘルプページを参照して問題解決の指針にしてください。 ',
ERROR_32:
'ードに接続できませんでした。Refresh your page, try a different node (upper right corner), check your firewall settings. If custom node, check your configs.', // 32
ERROR_33:
"The wallet you have unlocked does not match the owner's address. ", // 33
ERROR_34:
'The name you are attempting to reveal does not match the name you have entered. ', // 34
ERROR_35:
'Input address is not checksummed. <a href="https://myetherwallet.groovehq.com/knowledge_base/topics/not-checksummed-shows-when-i-enter-an-address" target="_blank" rel="noopener"> More info</a>', // 35
ERROR_36: 'Enter valid TX hash', // 36
ERROR_37: 'Enter valid hex string (0-9, a-f)', // 37
SUCCESS_1: '有効なアドレス ',
SUCCESS_2: 'お財布は正常に暗号解除されました。 ',
SUCCESS_3:
'トランザクションはブロックチェイン上に展開されています。そのトランザクションを表示し、ガス不足や契約実行エラーがないことを確認しするためにクリックしてください。 TX ID: ', //'トランザクションが送出されました。 TX ID ',
'トランザクションはブロックチェイン上に展開されています。そのトランザクションを表示し、ガス不足や契約実行エラーがないことを確認しするためにクリックしてください。 TX Hash: ', //'トランザクションが送出されました。 TX Hash ',
SUCCESS_4: 'お財布が追加されました: ',
SUCCESS_5: '選択されました: ',
SUCCESS_6: '接続完了しました ',
@ -378,7 +485,7 @@ module.exports = {
/* Tranlsation Info */
translate_version: '0.3 ',
Translator_Desc: 'トランスレーターにお恵みの投げ銭: ',
Translator_Desc: '日本語開発者に投げ銭: ',
TranslatorName_1:
'[sekisanchi](https://www.myetherwallet.com/?gaslimit=21000&to=0xf991119Eea62Eee1a6fdaA7f621e91A42f325FcE&value=1.0#send-transaction) ',
TranslatorAddr_1: '0xf991119Eea62Eee1a6fdaA7f621e91A42f325FcE ',
@ -427,7 +534,6 @@ module.exports = {
HELP_1_Desc_4: 'Click "GENERATE". ',
HELP_1_Desc_5: 'Your wallet has now been generated. ',
HELP_2a_Title: '2a) How do I save/backup my wallet? ',
HELP_2a_Desc_1:
'You should always back up your wallet externally and in multiple physical locations - like on a USB drive and/or a piece of paper. ',
HELP_2a_Desc_2:
@ -445,7 +551,7 @@ module.exports = {
'2b) How do I safely / offline / cold storage with MyEtherWallet? ',
HELP_2b_Desc_1:
'Go to [https://github.com/kvhnuke/etherwallet/releases/latest](https://github.com/kvhnuke/etherwallet/releases/latest). ',
HELP_2b_Desc_2: 'Click on `dist-vX.X.X.X.zip`. ',
HELP_2b_Desc_2: 'Click on `etherwallet-vX.X.X.X.zip`. ',
HELP_2b_Desc_3: 'Move zip to an airgapped computer. ',
HELP_2b_Desc_4: 'Unzip it and double-click `index.html`. ',
HELP_2b_Desc_5: 'Generate a wallet with a strong password. ',
@ -492,7 +598,7 @@ module.exports = {
HELP_4_Desc_12:
'A pop-up will appear. Verify that the amount and the address you are sending to are correct. Then click "Yes, I am sure! Make transaction." button. ',
HELP_4_Desc_13:
'The transaction will be submitted. The TX ID will display. You can click that TX ID to see it on the blockchain. ',
'The transaction will be submitted. The TX Hash will display. You can click that TX Hash to see it on the blockchain. ',
HELP_4CX_Title: '4) How do I send Ether using MyEtherWallet CX? ',
HELP_4CX_Desc_1:
@ -559,7 +665,7 @@ module.exports = {
HELP_7_Desc_14:
'A pop-up will appear. Verify that the amount and the address you are sending to are correct. Then click "Yes, I am sure! Make transaction." button. ',
HELP_7_Desc_15:
'The transaction will be submitted. The TX ID will display. You can click that TX ID to see it on the blockchain. ',
'The transaction will be submitted. The TX Hash will display. You can click that TX Hash to see it on the blockchain. ',
HELP_8_Title: '8) What happens if your site goes down? ',
HELP_8_Desc_1:

View File

@ -4,6 +4,81 @@
module.exports = {
code: 'ko',
data: {
/* New Generics */
x_CancelReplaceTx: 'Cancel or Replace Transaction',
x_CancelTx: 'Cancel Transaction',
x_PasswordDesc:
'This password * encrypts * your private key. This does not act as a seed to generate your keys. **You will need this password + your private key to unlock your wallet.**',
x_ReadMore: 'Read More',
x_ReplaceTx: 'Replace Transaction',
x_TransHash: 'Transaction Hash',
x_TXFee: 'TX Fee',
x_TxHash: 'TX Hash',
/* Check TX Status */
NAV_CheckTxStatus: 'Check TX Status',
NAV_TxStatus: 'TX Status',
tx_Details: 'Transaction Details',
tx_Summary:
'During times of high volume (like during ICOs) transactions can be pending for hours, if not days. This tool aims to give you the ability to find and "cancel" / replace these TXs. ** This is not typically something you can do. It should not be relied upon & will only work when the TX Pools are full. [Please, read about this tool here.](https://myetherwallet.groovehq.com/knowledge_base/topics/how-can-i-check-on-the-status-of-my-transaction-can-i-cancel-override-overwrite-replace-or-do-anything-once-a-transaction-has-been-sent)**',
tx_notFound: 'Transaction Not Found',
tx_notFound_1:
'This TX cannot be found in the TX Pool of the node you are connected to.',
tx_notFound_2:
'If you just sent the transaction, please wait 15 seconds and press the "Check TX Status" button again. ',
tx_notFound_3:
'It could still be in the TX Pool of a different node, waiting to be mined.',
tx_notFound_4:
'Please use the dropdown in the top-right & select a different ETH node (e.g. `ETH (Etherscan.io)` or `ETH (Infura.io)` or `ETH (MyEtherWallet)`) and check again.',
tx_foundInPending: 'Pending Transaction Found',
tx_foundInPending_1:
'Your transaction was located in the TX Pool of the node you are connected to. ',
tx_foundInPending_2: 'It is currently pending (waiting to be mined). ',
tx_foundInPending_3:
'There is a chance you can "cancel" or replace this transaction. Unlock your wallet below.',
tx_FoundOnChain: 'Transaction Found',
tx_FoundOnChain_1:
'Your transaction was successfully mined and is on the blockchain.',
tx_FoundOnChain_2:
'**If you see a red `( ! )`, a `BAD INSTRUCTION` or `OUT OF GAS` error message**, it means that the transaction was not successfully *sent*. You cannot cancel or replace this transaction. Instead, send a new transaction. If you received an "Out of Gas" error, you should double the gas limit you specified originally.',
tx_FoundOnChain_3:
'**If you do not see any errors, your transaction was successfully sent.** Your ETH or Tokens are where you sent them. If you cannot see this ETH or Tokens credited in your other wallet / exchange account, and it has been 24+ hours since you sent, please [contact that service](https://myetherwallet.groovehq.com/knowledge_base/topics/i-have-a-question-but-its-not-about-myetherwallet-dot-com-what-do-i-do). Send them the *link* to your transaction and ask them, nicely, to look into your situation.',
/* Gen Wallet Updates */
GEN_Help_1: 'Use your',
GEN_Help_2: 'to access your account.',
GEN_Help_3: 'Your device * is * your wallet.',
GEN_Help_4: 'Guides & FAQ',
GEN_Help_5: 'How to Create a Wallet',
GEN_Help_6: 'Getting Started',
GEN_Help_7:
"Keep it safe · Make a backup · Don't share it with anyone · Don't lose it · It cannot be recovered if you lose it.",
GEN_Help_8: 'Not Downloading a File? ',
GEN_Help_9: 'Try using Google Chrome ',
GEN_Help_10: 'Right click & save file as. Filename: ',
GEN_Help_11: "Don't open this file on your computer ",
GEN_Help_12:
'Use it to unlock your wallet via MyEtherWallet (or Mist, Geth, Parity and other wallet clients.) ',
GEN_Help_13: 'How to Back Up Your Keystore File ',
GEN_Help_14: 'What are these Different Formats? ',
GEN_Help_15: 'Preventing loss &amp; theft of your funds.',
GEN_Help_16: 'What are these Different Formats?',
GEN_Help_17: 'Why Should I?',
GEN_Help_18: 'To have a secondary backup.',
GEN_Help_19: 'In case you ever forget your password.',
GEN_Help_20: 'Cold Storage',
GET_ConfButton: 'I understand. Continue.',
GEN_Label_5: 'Save Your `Private Key`. ',
GEN_Unlock: 'Unlock your wallet to see your address',
GAS_PRICE_Desc:
'Gas Price is the amount you pay per unit of gas. `TX fee = gas price * gas limit` & is paid to miners for including your TX in a block. Higher the gas price = faster transaction, but more expensive. Default is `21 GWEI`.',
GAS_LIMIT_Desc:
'Gas limit is the amount of gas to send with your TX. `TX fee` = gas price * gas limit & is paid to miners for including your TX in a block. Increasing this number will not get your TX mined faster. Sending ETH = `21000`. Sending Tokens = ~`200000`.',
NONCE_Desc:
'The nonce is the number of transactions sent from a given address. It ensures transactions are sent in order & not more than once.',
TXFEE_Desc:
'The TX Fee is paid to miners for including your TX in a block. Is is the `gas limit` * `gas price`. [You can convert GWEI -> ETH here](https://www.myetherwallet.com/helpers.html)',
/* Navigation*/
NAV_AddWallet: '지갑 추가 ',
NAV_BulkGenerate: '대량 생성 ',
@ -11,6 +86,7 @@ module.exports = {
NAV_Contracts: '컨트랙트 ',
NAV_DeployContract: '컨트랙트 배포 ',
NAV_ENS: 'ENS',
NAV_GenerateWallet_alt: 'New Wallet ',
NAV_GenerateWallet: '지갑 생성 ',
NAV_Help: '도움말 ',
NAV_InteractContract: '컨트랙트 조작 ',
@ -27,7 +103,7 @@ module.exports = {
/* General */
x_Access: '액세스 ',
x_AddessDesc:
'이것은 자신의 계좌 번호와 공개 키입니다. ETH를 전송하기 위해 필요한 정보입니다. 아이콘은 자신의 주소를 식별합니다. ',
'Your Address can also be known as you `Account #` or your `Public Key`. It is what you share with people so they can send you Ether or Tokens. Find the colorful address icon. Make sure it matches your paper wallet & whenever you enter your address somewhere. 이것은 자신의 계좌 번호와 공개 키입니다. ETH를 전송하기 위해 필요한 정보입니다. 아이콘은 자신의 주소를 식별합니다. ',
x_Address: '내 주소 ',
x_Cancel: '취소 ',
x_CSV: 'CSV 파일 (암호화되지 않음) ',
@ -39,6 +115,7 @@ module.exports = {
x_Keystore2: 'Keystore 파일 (UTC / JSON) ',
x_KeystoreDesc:
'이 Keystore / JSON 파일은 Mist에서 사용하는 형식과 일치하므로 나중에 쉽게 가져올 수 있습니다. 다운로드하고 백업하는 것을 권장합니다. ',
x_MetaMask: 'Metamask / Mist ',
x_Mnemonic: 'Mnemonic 문구 ',
x_ParityPhrase: 'Parity 문구 ',
x_Password: '비밀번호 ',
@ -79,6 +156,8 @@ module.exports = {
'MyEtherWallet은 개인정보보호와 보안을 위한 무료 오픈 서비스입니다. 기부를 많이 받을수록 우리는 새로운 기능과 다양한 의견을 반영하여 사용자의 희망 사항을 위한 개발 시간을 늘리는 것이 가능해질 수 있습니다. 우리는 단 두명이 세상을 바꾸려 하고 있습니다. 도와주시겠습니까? ',
sidebar_donate: '기부 ',
sidebar_thanks: '감사합니다!!! ',
sidebar_DisplayOnTrezor: 'Display address on TREZOR',
sidebar_DisplayOnLedger: 'Display address on Ledger',
/* Decrypt Panel */
decrypt_Access: '지갑 액세스 방법 선택 ',
@ -93,8 +172,8 @@ module.exports = {
MNEM_prev: '이전 주소 ',
/* Hardware wallets */
x_Ledger: 'Ledger Nano S ',
ADD_Ledger_1: '사용자의 Ledger Nano S를 연결해주세요 ',
x_Ledger: 'Ledger Wallet ',
ADD_Ledger_1: '사용자의 Ledger Wallet를 연결해주세요 ',
ADD_Ledger_2: '이더리움 어플리케이션을 실행해주세요 (또는 컨트랙트 어플리케이션) ',
ADD_Ledger_3: 'Browser Support가 활성화된 상태인지 확인해주세요 ',
ADD_Ledger_4:
@ -102,9 +181,17 @@ module.exports = {
ADD_Ledger_0a: 'MyEtherWallet을 보안 연결(SSL)로 다시 연결해주세요. ',
ADD_Ledger_0b:
'MyEtherWallet을 [Chrome](https://www.google.com/chrome/browser/desktop/) 또는 [Opera](https://www.opera.com/) 브라우저로 다시 열어주세요. ',
ADD_Ledger_scan: 'Ledger Nano S 에 연결하기 ',
ADD_Ledger_scan: 'Ledger Wallet 에 연결하기 ',
ADD_MetaMask: 'Connect to MetaMask ',
x_Trezor: 'TREZOR ',
ADD_Trezor_scan: 'TREZOR 에 연결하기 ',
x_DigitalBitbox: 'Digital Bitbox ',
ADD_DigitalBitbox_0a: 'MyEtherWallet을 보안 연결(SSL)로 다시 연결해주세요. ',
ADD_DigitalBitbox_0b:
'MyEtherWallet을 [Chrome](https://www.google.com/chrome/browser/desktop/) 또는 [Opera](https://www.opera.com/) 브라우저로 다시 열어주세요. ',
ADD_DigitalBitbox_scan: 'Digital Bitbox 에 연결하기 ',
/* Add Wallet */
ADD_Label_1: '어떤 걸 진행하시겠습니까? ',
@ -116,6 +203,10 @@ module.exports = {
ADD_Radio_4: '모니터링 계좌 추가 ',
ADD_Radio_5: 'Mnemonic 붙여넣기/입력 ',
ADD_Radio_5_Path: 'HD derivation 경로 선택 ',
ADD_Radio_5_woTrezor: '(Jaxx, Metamask, Exodus, imToken)',
ADD_Radio_5_withTrezor: '(Jaxx, Metamask, Exodus, imToken, TREZOR)',
ADD_Radio_5_PathAlternative: '(Ledger)',
ADD_Radio_5_PathTrezor: '(TREZOR)',
ADD_Radio_5_PathCustom: '커스텀 ',
ADD_Label_2: '닉네임 만들기 ',
ADD_Label_3: '당신의 지갑은 암호화되었습니다. 비밀번호를 입력해주세요. ',
@ -154,6 +245,8 @@ module.exports = {
GEN_Label_2: '당신의 지갑 파일을 저장해주세요. 비밀번호를 잃어버리면 안됩니다. ',
GEN_Label_3: '지갑 주소를 저장해주세요 ',
GEN_Label_4: '선택: 종이 지갑을 인쇄하거나 QR 코드를 저장해주세요. ',
GEN_Aria_1: '',
GEN_Aria_2: '',
/* Bulk Generate Wallets */
BULK_Label_1: '생성할 지갑 개수 ',
@ -299,17 +392,19 @@ module.exports = {
ERROR_4: '존재하지 않는 단위입니다. 다음과 같은 단위 중 하나를 사용해주세요. ',
ERROR_5: '잘못된 주소입니다. ',
ERROR_6: '잘못된 비밀번호입니다. ',
ERROR_7: '잘못된 수량입니다. ',
ERROR_8: '잘못된 가스 한도입니다. ',
ERROR_9: '잘못된 데이터입니다. ',
ERROR_10: '잘못된 가스 수량입니다. ',
ERROR_11: '잘못된 nonce 입니다. ',
ERROR_7: '잘못된 수량입니다. (Must be integer. Try 0-18.) ', // 7
ERROR_8: '잘못된 가스 한도입니다. (Must be integer. Try 21000-4000000.) ', // 8
ERROR_9: '잘못된 데이터입니다. (Must be hex.) ', // 9
ERROR_10:
'잘못된 가스 수량입니다. (Must be integer. Try 20 GWEI / 20000000000 WEI.) ',
ERROR_11: '잘못된 nonce 입니다. (Must be integer.) ', // 11
ERROR_12: '잘못된 서명 트랜잭션입니다. ',
ERROR_13: '이미 같은 닉네임의 지갑이 존재합니다. ',
ERROR_14: '지갑을 찾을 수 없습니다. ',
ERROR_15: '이와 같은 ID 요청을 찾을 수 없거나 요청을 읽는 데 실패하였습니다. ',
ERROR_16: '같은 주소의 지갑이 이미 존재합니다. 지갑 페이지를 확인해주세요. ',
ERROR_17: '가스 비용을 지불하기 위해서는 적어도 **0.01ETH**가 필요합니다. ETH을 추가한 뒤 다시 실행해주세요. ',
ERROR_17:
'자금이 부족합니다. 트랜잭션을 전송하려는 계좌에 충분한 자금이 없습니다. 가스 비용을 지불하기 위해서는 적어도 **0.01ETH**가 필요합니다. ETH을 추가한 뒤 다시 실행해주세요. ',
ERROR_18: '모든 가스가 이 트랜잭션을 위해 사용됩니다. 이것은 이미 투표를 진행했거나 토론 기간이 종료되었기 때문입니다. ',
ERROR_19: '비정상 기호 ',
ERROR_20: '올바른 ERC-20 토큰이 아닙니다 ',
@ -329,10 +424,15 @@ module.exports = {
ERROR_32: '노드에 연결할 수 없습니다. 새로고침 하거나 도움말을 확인해주세요. ',
ERROR_33: '입찰자의 주소와 잠금 해제된 지갑이 일치하지 않습니다. ',
ERROR_34: '해당 이름이 문자열의 이름과 일치하지 않습니다. ',
ERROR_35:
'Input address is not checksummed. <a href="https://myetherwallet.groovehq.com/knowledge_base/topics/not-checksummed-shows-when-i-enter-an-address" target="_blank" rel="noopener"> More info</a>', // 35
ERROR_36: 'Enter valid TX hash', // 36
ERROR_37: 'Enter valid hex string (0-9, a-f)', // 37
SUCCESS_1: '유효한 주소 ',
SUCCESS_2: '지갑이 성공적으로 복호화 되었습니다. ',
SUCCESS_3:
'트랜잭션이 블록체인으로 공개됩니다. 트랜잭션 내역과 가스가 채굴되었는지 확인려면 클릭해주세요. 가스 또는 컨트랙트 실행 오류가 없는지 확인해주세요. TX ID : ', //'TX was broadcast to the blockchain. Click to see your transaction & verify it was mined and does not have any out of gas or contract execution errors. TX ID: ', //
'트랜잭션이 블록체인으로 공개됩니다. 트랜잭션 내역과 가스가 채굴되었는지 확인려면 클릭해주세요. 가스 또는 컨트랙트 실행 오류가 없는지 확인해주세요. TX Hash : ', //'Your TX has been broadcast to the network. It is waiting to be mined & confirmed. During ICOs, it may take 3+ hours to confirm. Use the Verify & Check buttons below to see. TX Hash: ', //
SUCCESS_4: '지갑이 성공적으로 추가되었습니다. ',
SUCCESS_5: '파일이 선택되었습니다. ',
SUCCESS_6: '성공적으로 연결되었습니다. ',
@ -419,7 +519,7 @@ module.exports = {
HELP_1_Desc_4: '"생성하기"를 클릭해주세요. ',
HELP_1_Desc_5: '지갑이 생성되었습니다. ',
HELP_2a_Title: '2a) 어떻게 내 지갑을 저장/백업할 수 있나요? ',
HELP_2a_Title: '어떻게 내 지갑을 저장/백업할 수 있나요? ',
HELP_2a_Desc_1: '항상 지갑을 USB 드라이브 또는 메모지와 같은 여러 위치에 백업해두어야 합니다. ',
HELP_2a_Desc_2:
'주소를 저장해주세요. 주소는 자신만 확인할 수 있도록 보관하거나 다른 사람에게 공유할 수 있습니다. 주소를 공유하면 다른 사람이 해당 주소로 이더리움을 전송할 수 있습니다. ',
@ -436,7 +536,7 @@ module.exports = {
'2b) 어떻게 하면 MyEtherWallet을 이용해 안전하게 오프라인, 콜드 스토리지로 자산을 보관할 수 있나요? ',
HELP_2b_Desc_1:
'다음을 참고 해주세요. [https://github.com/kvhnuke/etherwallet/releases/latest](https://github.com/kvhnuke/etherwallet/releases/latest). ',
HELP_2b_Desc_2: '"dist-vX.X.X.X.zip" 파일을 클릭합니다. ',
HELP_2b_Desc_2: '"etherwallet-vX.X.X.X.zip" 파일을 클릭합니다. ',
HELP_2b_Desc_3: 'zip 파일을 인터넷이 연결되지 않은 컴퓨터로 옮깁니다. ',
HELP_2b_Desc_4: '압축을 푼 후, index.html 을 더블 클릭합니다. ',
HELP_2b_Desc_5: '강력한 비밀번호와 함께 지갑을 생성합니다. ',

View File

@ -4,14 +4,91 @@
module.exports = {
code: 'nl',
data: {
/* New Generics */
x_CancelReplaceTx: 'Annuleer of Vervang Transactie',
x_CancelTx: 'Annuleer Transactie',
x_PasswordDesc:
'Dit wachtwoord * versleuteld * je prive sleutel. Dit wachtwoord dient niet als "seed" om je sleutels te genereren. **Je hebt zowel je wachtwoord als je prive sleutel beide nodig om je wallet te openen.**',
x_ReadMore: 'Lees meer',
x_ReplaceTx: 'Vervang Transactie',
x_TransHash: 'Transactie Hash',
x_TXFee: 'TX Vergoeding ("TX Fee")',
x_TxHash: 'TX Hash',
/* Check TX Status */
NAV_CheckTxStatus: 'Check TX Status',
NAV_TxStatus: 'TX Status',
tx_Details: 'Transactie Details',
tx_Summary:
'Ten tijden van hoog transactie volume (zoals tijdens ICOs) kunnen transacties voor uren, zo niet dagen, "pending" blijven. Deze tool heeft als doel om je de mogelijkheid te geven om deze TXs op te sporen en ze te "annuleren" / vervangen. ** Dit is niet typisch iets wat je kunt doen. Je zou er niet op moeten vertrouwen dat dit werkt & het kan alleen werken als de TX Pools vol zitten. [Lees hier meer over deze tool.](https://myetherwallet.groovehq.com/knowledge_base/topics/how-can-i-check-on-the-status-of-my-transaction-can-i-cancel-override-overwrite-replace-or-do-anything-once-a-transaction-has-been-sent)**',
tx_notFound: 'Transactie Niet Gevonden',
tx_notFound_1:
'Deze TX werd niet gevonden in de TX Pool van de node waarmee je bent verbonden.',
tx_notFound_2:
'Als je deze transactie zojuist hebt verzonden, wacht dan eerst 15 seconden en druk nogmaals op de "Check TX Status" knop. ',
tx_notFound_3:
'De transactie zou nog steeds in de TX Pool van een andere node kunnen zitten, in afwachting om ge-mined te worden.',
tx_notFound_4:
'Gebruik het drop-down menu in de rechterbovenhoek & selecteer een andere ETH node (bijvoobeeld `ETH (Etherscan.io)` of `ETH (Infura.io)` of `ETH (MyEtherWallet)`) en check opnieuw.',
tx_foundInPending: 'Pending Transactie Gevonden',
tx_foundInPending_1:
'Je transactie is gevonden in de TX Pool van de node waarmee je bent verbonden. ',
tx_foundInPending_2:
'Je transactie is momenteel "pending" (in afwachting om ge-mined te worden). ',
tx_foundInPending_3:
'Er is een kans dat je je transactie kunt "anneleren" of vervangen. Open je wallet hieronder.',
tx_FoundOnChain: 'Transactie Gevonden',
tx_FoundOnChain_1:
'Je transactie was succesvol ge-mined en is in de blockchain opgenomen.',
tx_FoundOnChain_2:
'**Als je een rood `( ! )`, een `BAD INSTRUCTION` of een `OUT OF GAS` foutmelding**, betekend dat dat de transactie niet succesvol is *verzonden*. Je kunt deze transactie niet annuleren of vervangen. Verzend in plaats daarvan een nieuwe transactie. Als je een "Out of Gas" foutmelding krijgt, zou je de oorspronkelijke gas limit moeten verdubbelen.',
tx_FoundOnChain_3:
'**Als je geen enkele foutmelding ziet is je transactie met succes verzonden.** Je ETH of Tokens zijn waar je ze naar verzonden hebt. Als je je verzonden ETH of Tokens niet gecrediteerd ziet in je andere wallet / exchange account, en het is inmiddels al 24+ uur geleden sinds je de transactie verzonden hebt, neem dan [contact op met die service](https://myetherwallet.groovehq.com/knowledge_base/topics/i-have-a-question-but-its-not-about-myetherwallet-dot-com-what-do-i-do). Geef ze de *link* naar je transactie en vraag ze op je allerliefste manier om naar je situatie te kijken.',
/* Gen Wallet Updates */
GEN_Help_1: 'gebruik jouw',
GEN_Help_2: 'om toegang tot je account te verkrijgen.',
GEN_Help_3: 'Jouw device * is * je wallet.',
GEN_Help_4: 'Guides & FAQ',
GEN_Help_5: 'Hoe maak je een Wallet',
GEN_Help_6: 'Aan de slag',
GEN_Help_7:
'Bewaar dit veilig · Maak een backup · Deel het met niemand · Raak het niet kwijt · Dit kan niet meer worden hersteld als je het kwijtraakt.',
GEN_Help_8: 'Lukt het downloaden niet? ',
GEN_Help_9: 'Probeer het met Google Chrome ',
GEN_Help_10: 'Rechtermuisknop & kies opslaan als. Bestandsnaam: ',
GEN_Help_11: 'Open dit bestand niet op je computer ',
GEN_Help_12:
'Gebruik het enkel om je wallet te openen via MyEtherWallet (of Mist, Geth, Parity en andere wallet clients.) ',
GEN_Help_13: 'Hoe maak je een backup van je Keystore bestand ',
GEN_Help_14: 'Wat zijn al deze verschillende formaten? ',
GEN_Help_15: 'Voorkom verlies &amp; diefstal van je tegoeden.',
GEN_Help_16: 'Wat zijn al deze verschillende formaten?',
GEN_Help_17: 'Waarom zou ik?',
GEN_Help_18: 'Om een tweede extra backup te hebben.',
GEN_Help_19: 'Voor als je ooit je wachtwoord vergeet.',
GEN_Help_20: 'Cold Storage',
GET_ConfButton: 'Ik begrijp het. Ga door.',
GEN_Label_5: 'Sla je Prive Sleutel op. ',
GEN_Unlock: 'Open je wallet om je adres te bekijken',
GAS_PRICE_Desc:
'Gas Prijs is het bedrag dat je betaald per unit gas. `TX vergoeding = gas prijs * gas limiet` & wordt betaald aan de miners om jouw TX in een blok op de blockchain op te nemen. Des te hoger de gas prijs = de sneller je transactie, maar ook duurder. Standaard is `21 GWEI`.',
GAS_LIMIT_Desc:
'Gas limiet is de hoeveelheid gas waarmee je je TX verstuurd. `TX vergoeding = gas prijs * gas limiet` & wordt betaald aan de miners om jouw TX in een blok op de blockchain op te nemen. Het verhogen van dit nummer zorgt er niet voor dat je TX sneller ge-mined zal worden. Verzenden van ETH = `21000`. Verzenden van Tokens = ~`200000`.',
NONCE_Desc:
'De nonce is het aantal transacties die reeds verzonden zijn van een gegeven adres. De nonce verzekert dat transacties in de juiste volgorde worden verzonden en dat een transactie slechts 1 keer geldig is.',
TXFEE_Desc:
'De TX vergoeding (`fee`) wordt betaald aan de miners om jouw TX in een blok op de blockchain op te nemen. De vergoeding is de `gas limiet` * `gas prijs`. [Je kunt hier GWEI -> ETH converteren](https://www.myetherwallet.com/helpers.html)',
/* Navigation*/
NAV_AddWallet: 'Wallet Toevoegen ',
NAV_BulkGenerate: 'Bulk Genereren ',
NAV_Contact: 'Contact ',
NAV_Contracts: 'Contracten ',
NAV_DeployContract: 'Verspreid Contract ',
NAV_DeployContract: 'Publiceer Contract ',
NAV_ENS: 'ENS',
NAV_GenerateWallet: 'Genereer Wallet ',
NAV_GenerateWallet_alt: 'Nieuw Wallet ',
NAV_GenerateWallet: 'Genereer Nieuw Wallet ',
NAV_Help: 'Help ',
NAV_InteractContract: 'Interactie met Contract ',
NAV_Multisig: 'Multisig ',
@ -27,18 +104,19 @@ module.exports = {
/* General */
x_Access: 'Verkrijg Toegang ',
x_AddessDesc:
'Dit is je "Account #" ofwel je "Publieke Sleutel". Maak dit bekend aan anderen zodat ze je ether kunnen sturen. Dit icoon is een makkelijke manier om je adres te herkennen. ',
'Je Adres wordt ook wel je `Account #` of je Publieke Sleutel ("Public Key") genoemd. Dit is wat je deelt met anderen zodat ze je Ether of Tokens kunnen toesturen. Zie ook je kleurrijke adres icoon. Zorg ervoor dat het matched met je paper wallet & waar dan ook wanneer je je adres ergens invoerd. Dit icoon is een makkelijke manier om je adres te herkennen. ',
x_Address: 'Je Adres ',
x_Cancel: 'Annuleren ',
x_CSV: 'CSV bestand (onversleuteld) ',
x_Download: 'Download ',
x_Json: 'JSON Bestand (onversleuteld) ',
x_JsonDesc:
'Dit is het onversleutelde, JSON formaat van je prive sleutel. Dit betekend dat je het wachtwoord niet nodig hebt, maar ook dat een ieder die je JSON bestand vind toegang heeft tot je wallet & Ether zonder wachtwoord. ',
'Dit is het onversleutelde, JSON formaat van je prive sleutel ("Private Key"). Dit betekend dat je het wachtwoord niet nodig hebt, maar ook dat een ieder die je JSON bestand vind toegang heeft tot je wallet & Ether zonder wachtwoord. ',
x_Keystore: 'Keystore Bestand (UTC / JSON · Aangeraden · versleuteld) ',
x_Keystore2: 'Keystore Bestand (UTC / JSON) ',
x_KeystoreDesc:
'Dit Keystore bestand voldoet aan het formaat zoals gebruikt door Mist waardoor je het gemakkelijk kunt importeren in de toekomst. Dit is de aanbevolen methode voor download en back up. ',
x_MetaMask: 'Metamask / Mist ',
x_Mnemonic: 'Mnemonic Zin ',
x_ParityPhrase: 'Parity herstelzin ',
x_Password: 'Wachtwoord ',
@ -49,7 +127,7 @@ module.exports = {
x_PrivKey: 'Prive Sleutel (onversleuteld) ',
x_PrivKey2: 'Prive Sleutel ',
x_PrivKeyDesc:
'Dit is een onversleutelde tekst versie van je prive sleutel waarbij geen wachtwoord benodigd is. Mocht iemand deze unversleutelde prive sleutel vinden, kunnen zij zonder wachtwoord bij je account. Om deze reden zijn versleutelde versies aanbevolen. ',
'Dit is een onversleutelde tekst versie van je prive sleutel waarbij geen wachtwoord benodigd is. Mocht iemand deze onversleutelde prive sleutel vinden, kunnen zij zonder wachtwoord bij je account. Om deze reden zijn versleutelde versies aanbevolen. ',
x_Save: 'Opslaan ',
x_TXT: 'TXT bestand (onversleuteld) ',
x_Wallet: 'Wallet ',
@ -65,7 +143,7 @@ module.exports = {
/* Footer */
FOOTER_1:
'Een open source, javascript, client-side tool om Ethereum Wallets te genereren & transacties te verzenden. ',
'Een gratis, open source, client-side interface om Ethereum wallets te genereren &amp; meer. Wissel op een gemakkelijke &amp; veilige manier informatie uit met de Ethereum blockchain. Dubbel-check de URL/link ( .com ) alvorens je wallet te openen.',
FOOTER_1b: 'Gemaakt door ',
FOOTER_2: 'Donaties worden zeer gewaardeerd: ',
FOOTER_3: 'Client-side wallet genereren door ',
@ -82,6 +160,8 @@ module.exports = {
'MyEtherWallet is een gratis, open-source service toegewijd aan jouw privacy en beveiliging. Des te meer donaties we ontvangen, des te meer tijd we zullen spenderen aan nieuwe functies, aan de hand van jouw terugkoppeling, en we je kunnen geven wat jij wilt. Wij zijn slechts twee mensen die de wereld een stukje beter willen maken. Help jij mee? ',
sidebar_donate: 'Doneer ',
sidebar_thanks: 'BEDANKT!!! ',
sidebar_DisplayOnTrezor: 'Toon adres op TREZOR',
sidebar_DisplayOnLedger: 'Toon adres op Ledger',
/* Decrypt Panel */
decrypt_Access: 'Hoe wil je toegang tot je wallet? ',
@ -96,8 +176,8 @@ module.exports = {
MNEM_prev: 'Vorige Adressen ',
/* Hardware wallets */
x_Ledger: 'Ledger Nano S ',
ADD_Ledger_1: 'Verbind je Ledger Nano S ',
x_Ledger: 'Ledger Wallet ',
ADD_Ledger_1: 'Verbind je Ledger Wallet ',
ADD_Ledger_2: 'Open de Ethereum applicatie (of een contract applicatie) ',
ADD_Ledger_3:
'Controleer of "Browser Support" is ingeschakeld in je instellingen ',
@ -106,9 +186,16 @@ module.exports = {
ADD_Ledger_0a: 'Her-open MyEtherWallet met een veilige (SSL) verbinding ',
ADD_Ledger_0b:
'Her-open MyEtherWallet door gebruik te maken van [Chrome](https://www.google.com/chrome/browser/desktop/) of [Opera](https://www.opera.com/) ',
ADD_Ledger_scan: 'Verbind met Ledger Nano S ',
ADD_Ledger_scan: 'Verbind met Ledger Wallet ',
x_Trezor: 'TREZOR ',
ADD_Trezor_scan: 'Verbind met TREZOR ',
ADD_MetaMask: 'Verbind met MetaMask ',
x_DigitalBitbox: 'Digital Bitbox ',
ADD_DigitalBitbox_0a:
'Her-open MyEtherWallet met een veilige (SSL) verbinding ',
ADD_DigitalBitbox_0b:
'Her-open MyEtherWallet door gebruik te maken van [Chrome](https://www.google.com/chrome/browser/desktop/) of [Opera](https://www.opera.com/) ',
ADD_DigitalBitbox_scan: 'Verbind met Digital Bitbox ',
/* Add Wallet */
ADD_Label_1: 'Wat wil je doen? ',
@ -120,6 +207,10 @@ module.exports = {
ADD_Radio_4: 'Voeg een te bekijken account toe ',
ADD_Radio_5: 'Plak/type Mnemonic ',
ADD_Radio_5_Path: 'Selecteer HD derivation path ',
ADD_Radio_5_woTrezor: '(Jaxx, Metamask, Exodus, imToken)',
ADD_Radio_5_withTrezor: '(Jaxx, Metamask, Exodus, imToken, TREZOR)',
ADD_Radio_5_PathAlternative: '(Ledger)',
ADD_Radio_5_PathTrezor: '(TREZOR)',
ADD_Radio_5_PathCustom: 'Custom',
ADD_Label_2: 'Verzin een Nickname: ',
ADD_Label_3: 'Je wallet is versleuteld. Geef je wachtwoord ',
@ -154,14 +245,15 @@ module.exports = {
/* Generate Wallets */
GEN_desc: 'Als je meerdere wallets wilt genereren, kun je dat hier doen ',
GEN_Label_1: 'Geef een sterk wachtwoord (ten minste 9 karakters) ',
GEN_Placeholder_1: 'Vergeet NIET om dit op te slaan! ',
GEN_Label_1: 'Voer een sterk wachtwoord in (minimaal 9 karakters) ',
GEN_Placeholder_1: 'Vergeet NIET om dit wachtwoord op te slaan! ',
GEN_SuccessMsg: 'Gelukt! Je wallet is gegenereerd. ',
GEN_Label_2:
'Sla je Keystore of Prive Sleutel op. Vergeet je wachtwoord hierboven niet. ',
GEN_Label_2: 'Sla je "Keystore" bestand op.',
GEN_Label_3: 'Sla je adres op. ',
GEN_Label_4:
'Optioneel: Druk je papieren wallet af, of bewaar hem als QR code.',
GEN_Aria_1: '',
GEN_Aria_2: '',
/* Bulk Generate Wallets */
BULK_Label_1: 'Aantal te genereren wallets ',
@ -200,8 +292,6 @@ module.exports = {
/* Send Transaction */
TRANS_desc:
'Als je Tokens wilt versturen, gebruik dan de "Verzend Token" pagina i.p.v. deze pagina. ',
TRANS_warning:
'Als je gebruik maakt van de "Enkel ETH" of "Enkel ETC" functies zul je de transactie uitvoeren via een contract. Sommige diensten hebben problemen met het accepteren van deze transacties. Lees meer. ',
TRANS_advanced: '+Geavanceerd: Voeg Data toe ',
TRANS_data: 'Data ',
TRANS_gas: 'Gas Limit ',
@ -225,7 +315,7 @@ module.exports = {
'Dit werd weergegeven in Stap 1 op je online computer. ',
OFFLINE_Step2_Label_4: 'Gas Limiet ',
OFFLINE_Step2_Label_4b:
'21000 is de standaard gas limiet. Als je (naar) een contract verstuurd of data toegoegd, zou je dit anders moeten instellen. Alle onbenutte gas zal aan je worden teruggestuurd. ',
'21000 is de standaard gas limiet. Als je (naar) een contract verstuurd of data toevoegd, zou je dit anders moeten instellen. Alle onbenutte gas zal aan je worden teruggestuurd. ',
OFFLINE_Step2_Label_5: 'Nonce ',
OFFLINE_Step2_Label_5b:
'Dit werd weergegeven in Stap 1 op je online computer. ',
@ -320,20 +410,22 @@ module.exports = {
'Deze eenheid bestaat niet, kies alsjeblieft een van de volgende eenheden ',
ERROR_5: 'Ongeldig adres. ',
ERROR_6: 'Ongeldig wachtwoord. ',
ERROR_7: 'Ongeldig bedrag. ',
ERROR_8: 'Ongeldige gas limiet. ',
ERROR_9: 'Ongeldige data waarde. ',
ERROR_10: 'Ongeldige gas bedrag. ',
ERROR_11: 'Ongeldige nonce. ',
ERROR_7: 'Ongeldig bedrag. (Moet een getal zijn. Probeer 0-18.) ', // 7
ERROR_8:
'Ongeldige gas limiet. (Moet een getal zijn. Probeer 21000-4000000.) ', // 8
ERROR_9: 'Ongeldige data waarde. (Moet hexadecimaal zijn.) ', // 9
ERROR_10:
'Ongeldige gas bedrag. (Moet een getal zijn. Probeer 20 GWEI / 20000000000 WEI.) ',
ERROR_11: 'Ongeldige nonce. (Moet een getal zijn.) ', // 11
ERROR_12: 'Ongeldige gesigneerde transactie. ',
ERROR_13: 'Een wallet met deze nickname bestaat reeds. ',
ERROR_14: 'Wallet niet gevonden. ',
ERROR_15:
'Het ziet er niet naar uit dat een proposal met dit ID bestaat of dat er een fout is opgetreden bij het lezenvan dit proposal. ',
'Het ziet er niet naar uit dat een proposal met dit ID bestaat of dat er een fout is opgetreden bij het lezen van dit proposal. ',
ERROR_16:
'Een wallet met dit adres bestaat reeds. Check alsjeblileft je wallet pagina. ',
ERROR_17:
'Je hebt mininaal 0.01 ether in je account nodig om de in de gas kosten te voorzien. Voeg alsjeblieft wat ether toe en probeer het opnieuw. ',
'Ontoereikend saldo. Het account waarvan je probeert te versturen bevat niet voldoende saldo. Je hebt mininaal 0.01 ether in je account nodig om de in de gas kosten te voorzien. Voeg alsjeblieft wat ether toe en probeer het opnieuw. ',
ERROR_18:
'Alle gas zou worden verbruikt op deze transactie. Dit betekend dat je al gestemd hebt op dit proposal of dat de debateerperiode is verstreken. ',
ERROR_19: 'Ongeldig symbol ',
@ -354,15 +446,24 @@ module.exports = {
ERROR_30: 'Voer een valide ENS naam in ',
ERROR_31: 'Ongeldige geheime zin ',
ERROR_32:
'Could not connect to the node. Please refresh the page, or see the help page for more troubleshooting suggestions. ',
'Kon niet met de node verbinden. Ververs de pagina, probeer een andere node (rechterbovenhoek) en/of check je firewall instellingen. Check bij een custom node je configuratie.', // 32
ERROR_33:
"De wallet die je hebt geopend matched niet bij het adres van de eigenaar owner's. ", // 33
ERROR_34:
'De naam die je probeert de onthullen ("reveal") matched niet met de naam die je hebt ingevoerd. ', // 34
ERROR_35:
'Input adres is niet ge-checksummed. <a href="https://myetherwallet.groovehq.com/knowledge_base/topics/not-checksummed-shows-when-i-enter-an-address" target="_blank" rel="noopener"> Meer info</a>', // 35
ERROR_36: 'Voer een geldige TX hash in', // 36
ERROR_37: 'Voer een geldige hex string in (0-9, a-f)', // 37
SUCCESS_1: 'Geldig adres ',
SUCCESS_2: 'Wallet succesvol ontsleuteld ',
SUCCESS_3:
'TX was broadcast to the blockchain. Click to see your transaction & verify it was mined and does not have any out of gas or contract execution errors. TX ID: ', //'Transactie verzonden. TX ID ',
'Je TX is naar het netwerk verzonden (ge-broadcast), en is in afwachting om ge-mined en bevestigd te worden. Ten tijden van ICOs, kan het zijn dat het bevestigen ervan 3+ uur duurt. Gebruik de Verify & Check knoppen hieronder on de status te volgen. TX Hash: ', //'Transactie verzonden. TX Hash ',
SUCCESS_4: 'Je Wallet is succesvol toegevoegd ',
SUCCESS_5: 'Bestand Geselecteerd ',
SUCCESS_6: 'You are successfully connected ',
SUCCESS_7: 'Message Signature Verified',
SUCCESS_6: 'Je bent succesvol verbonden ',
SUCCESS_7: 'Bericht Ondertekening Geverifieerd',
WARN_Send_Link:
'Je bent hier gekomen via een link waarbij het adres, bedrag, gas of data velden al ingevuld zijn. Indien gewenst kun je elk veld nog aanpassen voor het verzenden. Ontgrendel je wallet on te beginnen. ',
@ -371,7 +472,7 @@ module.exports = {
GETH_Nonce: 'Nonce te laag ',
GETH_Cheap: 'Gas prijs te laag voor acceptatie ',
GETH_Balance: 'Ontoereikend saldo ',
GETH_NonExistentAccount: 'Account bestaat niet of account saldo te laag ',
GETH_NonExistentAccount: 'Account bestaat niet of account saldo te laag ',
GETH_InsufficientFunds: 'Ontoereikend saldo voor gas * prijs + waarde ',
GETH_IntrinsicGas: 'Intrinsiek gas te laag ',
GETH_GasLimit: 'Overstijgt blok gas limiet ',
@ -424,7 +525,7 @@ module.exports = {
HELP_Remind_Desc_2:
'MyEtherWallet.com & MyEtherWallet CX zijn geen "web wallets". Je maakt bij ons geen account aan noch geef je ooit je Ether aan ons in bezit. Alle gegevens verlaten nooit je computer/je browser. We helpen je alleen gemakkelijk toegang te verkrijgen tot de blockchain zodat je er informatie in kunt opslaan en kunt uitlezen. ',
HELP_Remind_Desc_3:
'Als je je prive sleutel en wachtwoord niet opslaat, is er geen enkele manier om toegang tot je wallet te verkrijgen of het saldo dat het bevat. Maak back-up`s en bewaar deze op meerdere fysieke lokaties en dus niet alleen op je eigen computer! ',
'Als je je prive sleutel en wachtwoord niet opslaat, is er geen enkele manier om toegang tot je wallet te verkrijgen of het saldo dat het bevat. Maak back-ups en bewaar deze op meerdere fysieke lokaties en dus niet alleen op je eigen computer! ',
HELP_0_Title: '0) Ik ben nieuw. Waar begin ik? ',
HELP_0_Desc_1:
@ -444,7 +545,7 @@ module.exports = {
HELP_1_Desc_4: 'klik "GENENEREER". ',
HELP_1_Desc_5: 'Je wallet is nu gegenereerd. ',
HELP_2a_Title: '2a) Hoe bewaar/back-up ik mijn wallet? ',
HELP_2a_Title: 'Hoe bewaar/back-up ik mijn wallet? ',
HELP_2a_Desc_1:
'Zorg altijd voor een goede back-up van je wallet op meerdere fysiek verschillende lokaties - bijvoorbeeld op een USB drive en/of op een vel papier. ',
HELP_2a_Desc_2:
@ -462,7 +563,7 @@ module.exports = {
'2b) Hoe doe ik veilig / offline / cold storage met MyEtherWallet? ',
HELP_2b_Desc_1:
'Ga naar onze github: [https://github.com/kvhnuke/etherwallet/releases/latest](https://github.com/kvhnuke/etherwallet/releases/latest). ',
HELP_2b_Desc_2: 'Klik `dist-vX.X.X.X.zip`. ',
HELP_2b_Desc_2: 'Klik `etherwallet-vX.X.X.X.zip`. ',
HELP_2b_Desc_3: 'Verplaats de zip naar een offline (airgapped) computer. ',
HELP_2b_Desc_4: 'Unzip het en dubbel-klik `index.html`. ',
HELP_2b_Desc_5: 'Genereer een wallet met een sterk wachtwoord. ',
@ -510,7 +611,7 @@ module.exports = {
HELP_4_Desc_12:
'Een pop-up zal verschijnen. Controleer dat het bedrag en het adres waarnaar je gaat verzenden correct zijn. Klik vervolgens op de "Ja, ik weet het zeker! Maak de transactie." knop. ',
HELP_4_Desc_13:
'De transactie zal worden verstuurt. Het TX ID zal worden weergegeven. Je kunt op dit TX ID klikken om het in de blockchain te bekijken. ',
'De transactie zal worden verstuurt. Het TX Hash zal worden weergegeven. Je kunt op dit TX Hash klikken om het in de blockchain te bekijken. ',
HELP_4CX_Title: '4) Hoe verzend ik Ether met MyEtherWallet CX? ',
HELP_4CX_Desc_1:
@ -576,7 +677,7 @@ module.exports = {
HELP_7_Desc_14:
'Een pop-up zal verschijnen. Controleer dat het bedrag en het adres waarnaar je gaat verzenden correct zijn. Klik vervolgens op de "Ja, ik weet het zeker! Maak de transactie." knop. ',
HELP_7_Desc_15:
'De transactie zal worden verstuurt. Het TX ID zal worden weergegeven. Je kunt op dit TX ID klikken om het in de blockchain te bekijken. ',
'De transactie zal worden verstuurt. Het TX Hash zal worden weergegeven. Je kunt op dit TX Hash klikken om het in de blockchain te bekijken. ',
HELP_8_Title: '8) Wat gebeurd er als deze website stopt? ',
HELP_8_Desc_1:

View File

@ -4,6 +4,82 @@
module.exports = {
code: 'no',
data: {
/* New Generics */
x_CancelReplaceTx: 'Kanseller eller erstatt transaksjon',
x_CancelTx: 'Kanseller transaksjon',
x_PasswordDesc:
'Dette passordet * krypterer * din private nøkkel. Det fungerer ikke som "seed" for å generere nøklene dine. **Du vil trenge dette passordet + din private nøkkel for å låse opp lommeboken din.**',
x_ReadMore: 'Les mer',
x_ReplaceTx: 'Erstatt transaksjon',
x_TransHash: 'Transaksjonens hash',
x_TXFee: 'Tr.avgift',
x_TxHash: 'Tr.hash',
/* Check TX Status */
NAV_CheckTxStatus: 'Sjekk transaksjonsstatus',
NAV_TxStatus: 'Transaksjonsstatus',
tx_Details: 'Transaksjonsdetaljer',
tx_Summary:
'I perioder med høy aktivitet (som f.eks. under ICO-er), kan transaksjoner stå på vent i flere timer, og i verste fall i flere dager. Dette verktøyet har som mål å gi deg muligheten til å finne og "avbryte" / erstatte disse transaksjonene. ** Dette er ikke vanligvis noe du kan gjøre. Det bør ikke stoles på, og vil bare kunne fungere når det ligger mange transaksjoner i kø. [Vennligst les mer om dette verktøyet her.](https://myetherwallet.groovehq.com/knowledge_base/topics/how-can-i-check-on-the-status-of-my-transaction-can-i-cancel-override-overwrite-replace-or-do-anything-once-a-transaction-has-been-sent)**',
tx_notFound: 'Transaksjon ikke funnet',
tx_notFound_1:
'Denne transaksjonen finnes ikke i transaksjonskøen til noden du er tilkoblet.',
tx_notFound_2:
'Hvis du nettopp har sendt transaksjonen, vennligst vent 15 sekunder og trykk "Sjekk transaksjonsstatus"-knappen igjen. ',
tx_notFound_3:
'Den kan fortsatt befinne seg i transaksjonskøen til en annen node, i påvente av å bli behandlet (inkludert i blokkjeden). ',
tx_notFound_4:
'Bruk rullegardinmenyen øverst til høyre og velg en annen ETH-node. (f.eks. `ETH (Etherscan.io)` eller `ETH (Infura.io)` eller `ETH (MyEtherWallet)`), og sjekk igjen.',
tx_foundInPending: 'Ventende transaksjon funnet',
tx_foundInPending_1:
'Din transaksjon ble funnet i transaksjonskøen til noden du er tilkoblet. ',
tx_foundInPending_2:
'Den står for øyeblikket på vent (på å bli inkludert i blokkjeden). ',
tx_foundInPending_3:
'Det er en mulighet for at du kan "kansellere" eller erstatte denne transaksjonen. Lås opp lommeboken din nedenfor.',
tx_FoundOnChain: 'Transaksjon funnet',
tx_FoundOnChain_1:
'Transaksjonen din var vellykket og ligger i blokkkjeden.',
tx_FoundOnChain_2:
'**Hvis du ser et rødt utropstegn `( ! )` eller `BAD INSTRUCTION` eller `OUT OF GAS` feilmelding**, så betyr dette at transaksjonen ikke var vellykket. Du kan ikke "kansellere" eller erstatte denne transaksjonen. I stedet kan du sende en ny transaksjon. Hvis du fikk en "Out of Gas"-feilmelding, bør du doble gas-grensen som du spesifiserte i utgangspunktet. ',
tx_FoundOnChain_3:
'**Hvis du ikke ser noen feil, var transaksjonen vellykket.** Dine ETH eller Tokens er der du sendte dem. Hvis du ikke ser disse ETH eller Tokens der du sendte dem, og det har gått mer enn 24 timer, vennligst [kontakt vedkommende service](https://myetherwallet.groovehq.com/knowledge_base/topics/i-have-a-question-but-its-not-about-myetherwallet-dot-com-what-do-i-do). Send dem en *lenke* til transaksjonen din og spør dem pent om å se på situasjonen din.',
/* Gen Wallet Updates */
GEN_Help_1: 'Bruk',
GEN_Help_2: 'for å få tilgang til kontoen din.',
GEN_Help_3: 'Enheten din * er * lommeboken din.',
GEN_Help_4: 'Guider & FAQ',
GEN_Help_5: 'Hvordan opprette en lommebok',
GEN_Help_6: 'Komme i gang',
GEN_Help_7:
'Ta godt vare på det · Lag en sikkerhetskopi · Ikke del den med noen · Ikke mist det · Det kan ikke gjenopprettes hvis du mister det.',
GEN_Help_8: 'Lastes ikke filen ned? ',
GEN_Help_9: 'Prøv å bruke Google Chrome ',
GEN_Help_10: 'Høyreklikk & velg "lagre linken som". Filnavn: ',
GEN_Help_11: 'Ikke åpne denne filen på datamaskinen din ',
GEN_Help_12:
'Bruk den sammen med passordet du oppga til å låse opp lommeboken din via MyEtherWallet (eller Mist, Geth, Parity og andre lommebok-klienter.) ',
GEN_Help_13: 'Hvordan sikkerhetskopiere Keystore-filen ',
GEN_Help_14: 'Hva er disse ulike formatene? ',
GEN_Help_15: 'Unngå tap &amp; tyveri av midlene dine.',
GEN_Help_16: 'Hva er disse ulike formatene? ',
GEN_Help_17: 'Hvorfor bør jeg gjøre dette?',
GEN_Help_18: 'For å ha en ekstra sikkerhetskopi.',
GEN_Help_19: 'I tilfelle du noen gang glemmer passordet ditt.',
GEN_Help_20: 'Kald-lagring',
GET_ConfButton: 'Jeg forstår. Fortsett. ',
GEN_Label_5: 'Lagre din `Private Nøkkel`. ',
GEN_Unlock: 'Lås opp lommeboken for å se adressen. ',
GAS_PRICE_Desc:
'Gas-pris er beløpet du betaler per gas-enhet. `Transaksjonsavgift = gas-pris * gas-grense` & betales til "utgraverne" for å inkludere transaksjonen din i en blokk. Høyere gas-pris = raskere transaksjon, men dyrere. Standardinnstillingen er `21 GWEI`. ',
GAS_LIMIT_Desc:
'Gas-grense er mengden gas som sendes med transaksjonen din. `Tr.avg.` = gas-pris * gas-grense & betales til "utgraverne" for å inkludere transaksjonen din i en blokk. Å øke dette tallet vil ikke få gjennom transaksjonen din raskere. Ulike typer transaksjoner krever ulik mengde gas. F.eks. koster det `21 000` å sende ETH og ~`200 000` å sende tokens. ',
NONCE_Desc:
'"Nonce" er antall transaksjoner som noensinne har blitt sendt fra en gitt adresse. Det sikrer at transaksjoner sendes i riktig rekkefølge, og ikke mer enn én gang. ',
TXFEE_Desc:
'Transaksjonsavgiften betales til "utgraverne" for å inkludere transaksjonen din i en blokk. Det er `gas-grense` * `gas-pris`. [Du kan regne om GWEI -> ETH her](https://www.myetherwallet.com/helpers.html)',
/* Navigation*/
NAV_AddWallet: 'Legg til lommebok ',
NAV_BulkGenerate: 'Opprett flere lommebøker ',
@ -11,6 +87,7 @@ module.exports = {
NAV_Contracts: 'Kontrakt ',
NAV_DeployContract: 'Utplasser kontrakt ',
NAV_ENS: 'ENS',
NAV_GenerateWallet_alt: 'Ny lommebok ',
NAV_GenerateWallet: 'Opprett lommebok ',
NAV_Help: 'Hjelp ',
NAV_InteractContract: 'Samhandle med Kontrakt ',
@ -27,7 +104,7 @@ module.exports = {
/* General */
x_Access: 'Åpne ',
x_AddessDesc:
'Du kjenner kanskje dette som ditt "kontonummer" eller din "offentlige nøkkel". Dette er informasjonen som du sender til folk så de kan sende deg ether (en lang rekke tilfeldige tall og bokstaver som starter med "0x"). Ikonet er en enkel måte å kjenne igjen adressen din på. ',
'Din `adresse` kalles også for `kontonummer` eller `offentlig nøkkel`. Det er denne du sender til folk så de kan sende deg Ether eller Tokens. Find det fargerike adresse-ikonet. Forsikre deg om at det er likt med ikonet på papir-lommeboken din og ellers hver gang du oppgir adressen din. ',
x_Address: 'Din adresse ',
x_Cancel: 'x_Annuler ',
x_CSV: 'CSV-fil (ukryptert) ',
@ -39,6 +116,7 @@ module.exports = {
x_Keystore2: 'Keystore-fil (UTC / JSON) ',
x_KeystoreDesc:
'Denne Keystore-filen samsvarer med formatet som brukes av Mist, så du enkelt kan importere den i fremtiden. Det er den anbefalte filen å laste ned og sikkerhetskopiere. ',
x_MetaMask: 'Metamask / Mist ',
x_Mnemonic: 'Mnemonisk Frase ',
x_ParityPhrase: 'Parity-frase ',
x_Password: 'Passord ',
@ -83,6 +161,8 @@ module.exports = {
'MyEtherWallet er en gratis åpen-kildekode-service som er dedikert til å ivareta ditt personvern og din sikkerhet. Jo flere donasjoner vi får, jo mer tid kan vi bruke til å lage nye funksjoner, lytte til tilbakemeldinger, og gi deg det du ønsker. Vi er bare to personer som prøver å forandre verden. Vil du hjelpe oss? ',
sidebar_donate: 'Doner ',
sidebar_thanks: 'TAKK!!! ',
sidebar_DisplayOnTrezor: 'Display address on TREZOR',
sidebar_DisplayOnLedger: 'Display address on Ledger',
/* Decrypt Panel */
decrypt_Access: 'Hvordan ønsker du å få tilgang til lommeboken din? ',
@ -98,6 +178,10 @@ module.exports = {
ADD_Radio_3: 'Lim/skriv inn din private nøkkel ',
ADD_Radio_4: 'Legg til en konto for overvåkning ',
ADD_Radio_5_Path: 'Velg "HD derivation" variant ',
ADD_Radio_5_woTrezor: '(Jaxx, Metamask, Exodus, imToken)',
ADD_Radio_5_withTrezor: '(Jaxx, Metamask, Exodus, imToken, TREZOR)',
ADD_Radio_5_PathAlternative: '(Ledger)',
ADD_Radio_5_PathTrezor: '(TREZOR)',
ADD_Radio_5_PathCustom: '(tilpasset) ',
ADD_Radio_5: 'Lim inn/tast din mnemoniske frase ',
ADD_Label_2: 'Lag et kallenavn: ',
@ -109,10 +193,11 @@ module.exports = {
ADD_Label_6: 'Lås opp lommeboen din ',
ADD_Label_6_short: 'Lås opp ',
ADD_Label_7: 'Legg til konto ',
ADD_Label_8: 'Password (optional): ',
/* Hardware wallets */
x_Ledger: 'Ledger Nano S ',
ADD_Ledger_1: 'Koble til din Ledger Nano S ',
x_Ledger: 'Ledger Wallet ',
ADD_Ledger_1: 'Koble til din Ledger Wallet ',
ADD_Ledger_2: 'Åpne Ethereum-applikasjonen (eller kontraktsapplikasjonen) ',
ADD_Ledger_3: 'Sjekk at nettleserstøtte er aktivert i innstillingene. ',
ADD_Ledger_4:
@ -121,10 +206,19 @@ module.exports = {
'Åpne MyEtherWallet på nytt på en sikker (SSL) forbindelse. ',
ADD_Ledger_0b:
'Åpne MyEtherWallet på nytt med [Chrome](https://www.google.com/chrome/browser/desktop/) eller [Opera](https://www.opera.com/) ',
ADD_Ledger_scan: 'Koble til Ledger Nano S ',
ADD_Ledger_scan: 'Koble til Ledger Wallet ',
ADD_MetaMask: 'Connect to MetaMask ',
x_Trezor: 'TREZOR ',
ADD_Trezor_scan: 'Koble til TREZOR ',
ADD_Trezor_select: 'Dette er en TREZOR seed ',
x_DigitalBitbox: 'Digital Bitbox ',
ADD_DigitalBitbox_0a:
'Åpne MyEtherWallet på nytt på en sikker (SSL) forbindelse. ',
ADD_DigitalBitbox_0b:
'Åpne MyEtherWallet på nytt med [Chrome](https://www.google.com/chrome/browser/desktop/) eller [Opera](https://www.opera.com/) ',
ADD_DigitalBitbox_scan: 'Connect your Digital Bitbox ',
/* Generate Wallets */
GEN_desc: 'Hvis du vil opprette flere lommebøker, kan du gjøre det her ',
@ -136,6 +230,8 @@ module.exports = {
GEN_Label_3: 'Lagre adressen din. ',
GEN_Label_4:
'Valgfritt: Skriv ut din papir-lommebok, eller lagre en QR-kode-versjon.',
GEN_Aria_1: '',
GEN_Aria_2: '',
/* Bulk Generate Wallets */
BULK_Label_1: 'Antall lommebøker som skal opprettes ',
@ -146,7 +242,6 @@ module.exports = {
SEND_addr: 'Til-adresse ',
SEND_amount: 'Beløp som skal sendes ',
SEND_amount_short: 'Beløp ',
//SEND_custom : 'Tilpasning ',
SEND_gas: 'Gas ',
SEND_TransferTotal: 'Overfør total tilgjengelig saldo ', // updated to read 'Send Entire Balance'
SEND_generate: 'Generer transaksjon ',
@ -286,6 +381,7 @@ module.exports = {
SWAP_start_CTA: 'Start byttet ',
SWAP_ref_num: 'Ditt referansenummer ',
SWAP_time: 'Gjenstående tid til å sende ',
SWAP_elapsed: 'Time elapsed since sent ',
SWAP_progress_1: 'Ordre initiert ',
SWAP_progress_2: 'Venter på dine ', // Waiting for your BTC...
SWAP_progress_3: 'Mottatt! ', // ETH Received!
@ -320,6 +416,8 @@ module.exports = {
VIEWWALLET_Subtitle_Short:
'Dette gir deg muligheten til å laste ned ulike versjoner av private nøkler og skrive ut papirlommeboken din på nytt. ',
VIEWWALLET_SuccessMsg: 'Suksess! Her er detaljene om din lommebok. ',
VIEWWALLET_ShowPrivKey: '(show)',
VIEWWALLET_HidePrivKey: '(hide)',
/* Chrome Extension */
CX_error_1:
@ -336,11 +434,12 @@ module.exports = {
'Denne enheten eksisterer ikke, vennligst benytt en av de følgende enhetene ',
ERROR_5: 'Ugyldig adresse. ',
ERROR_6: 'Ugyldig passord. ',
ERROR_7: 'Ugyldig beløp. ',
ERROR_8: 'Ugyldig gas-grense. ',
ERROR_9: 'Ugyldig dataverdi. ',
ERROR_10: 'Ugyldig gas-mengde. ',
ERROR_11: 'Ugyldig nonce. ',
ERROR_7: 'Ugyldig beløp. (Må være heltall. Prøv 0-18.) ', // 7
ERROR_8: 'Ugyldig gas-grense. (Må være heltall. Prøv 21000-4000000.) ', // 8
ERROR_9: 'Ugyldig dataverdi. (Må være hex.) ', // 9
ERROR_10:
'Ugyldig gas-mengde. (Må være heltall. Prøv 20 GWEI / 20000000000 WEI.) ',
ERROR_11: 'Ugyldig nonce. (Må være heltall.) ', // 11
ERROR_12: 'Ugyldig signert transaksjon. ',
ERROR_13: 'En lommebok med dette kallenavnet eksisterer allerede. ',
ERROR_14: 'Lommebok ikke funnet. ',
@ -349,7 +448,7 @@ module.exports = {
ERROR_16:
'En lommebok med denne adressen er allerede lagret. Vennligst sjekk lommebok-siden din. ',
ERROR_17:
'Du trenger minst 0,01 ether på kontoen din for å dekke gas-kostnaden. Vennligst legg til litt ether og prøv igjen. ',
'Utilstrekkelige midler. Kontoen du prøver å sende transaksjon fra har ikke nok midler. Du trenger minst 0,01 ether på kontoen din for å dekke gas-kostnaden. Vennligst legg til litt ether og prøv igjen. ',
ERROR_18:
'All gas vil bli brukt på denne transaksjonen. Dette betyr at du allerede har stemt på dette forslaget, eller at debatt-perioden er over. ',
ERROR_19: 'Ugyldig symbol ',
@ -370,15 +469,24 @@ module.exports = {
ERROR_30: 'Vennligst oppgi et gyldig ENS-navn ',
ERROR_31: 'Ugyldig hemmelig frase ',
ERROR_32:
'Kunne ikke bytte node eller koble til noden du valgte. Vennligst last inn siden på nytt og prøv igjen. ',
'Kunne ikke bytte node eller koble til noden du valgte. Last inn siden på nytt, prøv en annen node (øverste høyre hjørnet), sjekk brannmur-innstillingene. Hvis du bruker din egen node, sjekk konfigurasjonen.', // 32
ERROR_33:
'Lommeboken du har låst opp stemmer ikke overens med eierens adresse. ', // 33
ERROR_34:
'Navnet du prøver å avsløre er ikke likt navnet du har tastet inn. ', // 34
ERROR_35:
'Input-adressen har ingen sjekk-sum. <a href="https://myetherwallet.groovehq.com/knowledge_base/topics/not-checksummed-shows-when-i-enter-an-address" target="_blank" rel="noopener"> More info</a>', // 35
ERROR_36: 'Enter valid TX hash', // 36
ERROR_37: 'Enter valid hex string (0-9, a-f)', // 37
SUCCESS_1: 'Gyldig adresse ',
SUCCESS_2: 'Dekrypteringen av lommeboken var vellykket ',
SUCCESS_3:
'TX was broadcast to the blockchain. Click to see your transaction & verify it was mined and does not have any out of gas or contract execution errors. TX ID: ', //'Transaksjonen ble sendt inn. TX ID ',
'Transaksjonen ble kringkastet til blokkjeden. Klikk for å se transaksjonen din og verifisere at den ble inkludert (mined), og at den ikke ga noen tom-for-gas- eller kontrakt-utførelsesfeil. TX Hash: ', //'Transaksjonen ble sendt inn. TX Hash ',
SUCCESS_4: 'Lommeboken din ble lagt til ',
SUCCESS_5: 'Valgt fil ',
SUCCESS_6: 'Tilkobling ble opprettet ',
SUCCESS_7: 'Message Signature Verified',
SUCCESS_7: 'Meldingssignatur bekreftet',
WARN_Send_Link:
'Du ankom via en lenke hvor adresse, verdi, gas, datafelt og/eller transaksjonstype (sendingsmodus) var ferdigutfylt. Du kan endre denne informasjonen før du sender. Lås opp lommeboken din for å komme i gang. ',
@ -415,8 +523,8 @@ module.exports = {
translate_version: '0.4 ',
Translator_Desc: 'Takk til oversetterne våre ',
TranslatorName_1:
'[mrstormlars](https://www.myetherwallet.com/?gaslimit=21000&to=0x6Dd9530b2Cb8B2d7d9f7D5D898b6456EC5D94f08&value=1.0#send-transaction) ',
TranslatorAddr_1: '0x6Dd9530b2Cb8B2d7d9f7D5D898b6456EC5D94f08 ',
'[mrstormlars](https://www.myetherwallet.com/?gaslimit=21000&to=mrstormlars.eth&value=1.0#send-transaction) ',
TranslatorAddr_1: '',
/* Translator 1 : Insert Comments Here */
TranslatorName_2: '',
TranslatorAddr_2: '',
@ -462,7 +570,7 @@ module.exports = {
HELP_1_Desc_4: 'Klikk "OPPRETT". ',
HELP_1_Desc_5: 'Din lommebok har nå blitt opprettet. ',
HELP_2a_Title: '2a) Hvordan lagrer/sikkerhetskopierer jeg lommeboken min? ',
HELP_2a_Title: 'Hvordan lagrer/sikkerhetskopierer jeg lommeboken min? ',
HELP_2a_Desc_1:
'Du bør alltid sikkerhetskopiere lommeboken din eksternt og på flere fysiske lokasjoner - som f.eks. på en USB-disk og/eller på et papirark. ',
HELP_2a_Desc_2:
@ -480,7 +588,7 @@ module.exports = {
'2b) Hvordan kan jeg lagre ether sikkert / offline / "kaldt" med MyEtherWallet? ',
HELP_2b_Desc_1:
'Gå til vår github: [https://github.com/kvhnuke/etherwallet/releases/latest](https://github.com/kvhnuke/etherwallet/releases/latest). ',
HELP_2b_Desc_2: 'Klikk `dist-vX.X.X.X.zip`. ',
HELP_2b_Desc_2: 'Klikk `etherwallet-vX.X.X.X.zip`. ',
HELP_2b_Desc_3: 'Flytt zip-fila til en frakoblet datamaskin. ',
HELP_2b_Desc_4: 'Pakk ut zip-fila (unzip) og dobbeltklikk `index.html`. ',
HELP_2b_Desc_5: 'Opprett en lommebok med et sterkt passord. ',
@ -528,7 +636,7 @@ module.exports = {
HELP_4_Desc_12:
'En pop-up vil dukke opp. Verifiser at beløp og adresse du sender til er korrekt. Klikk så "Ja, jeg er sikker! Gjennomfør transaksjonen."-knappen. ',
HELP_4_Desc_13:
'Transaksjonen vil bli sendt inn. Transaksjons-ID-en (TX-ID) vil vises. Du kan klikke på TX ID for å se den på blokkjeden. ',
'Transaksjonen vil bli sendt inn. Transaksjons-ID-en (TX-ID) vil vises. Du kan klikke på TX Hash for å se den på blokkjeden. ',
HELP_4CX_Title:
'4) Hvordan sender jeg ether med MyEtherWallet CX (Chrome-utvidelsen)? ',
@ -595,7 +703,7 @@ module.exports = {
HELP_7_Desc_14:
'En pop-up vil dukke opp. Verifiser at beløp og adresse du sender til er korrekt. Klikk så "Ja, jeg er sikker! Gjennomfør transaksjonen."-knappen. ',
HELP_7_Desc_15:
'Transaksjonen vil bli sendt inn. Transaksjons-ID-en (TX-ID) vil vises. Du kan klikke på TX ID for å se den på blokkjeden. ',
'Transaksjonen vil bli sendt inn. Transaksjons-ID-en (TX-ID) vil vises. Du kan klikke på TX Hash for å se den på blokkjeden. ',
HELP_8_Title: '8) Hva skjer hvis nettsiden går ned? ',
HELP_8_Desc_1:

View File

@ -4,6 +4,81 @@
module.exports = {
code: 'pl',
data: {
/* New Generics */
x_CancelReplaceTx: 'Cancel or Replace Transaction',
x_CancelTx: 'Cancel Transaction',
x_PasswordDesc:
'This password * encrypts * your private key. This does not act as a seed to generate your keys. **You will need this password + your private key to unlock your wallet.**',
x_ReadMore: 'Read More',
x_ReplaceTx: 'Replace Transaction',
x_TransHash: 'Transaction Hash',
x_TXFee: 'TX Fee',
x_TxHash: 'TX Hash',
/* Check TX Status */
NAV_CheckTxStatus: 'Check TX Status',
NAV_TxStatus: 'TX Status',
tx_Details: 'Transaction Details',
tx_Summary:
'During times of high volume (like during ICOs) transactions can be pending for hours, if not days. This tool aims to give you the ability to find and "cancel" / replace these TXs. ** This is not typically something you can do. It should not be relied upon & will only work when the TX Pools are full. [Please, read about this tool here.](https://myetherwallet.groovehq.com/knowledge_base/topics/how-can-i-check-on-the-status-of-my-transaction-can-i-cancel-override-overwrite-replace-or-do-anything-once-a-transaction-has-been-sent)**',
tx_notFound: 'Transaction Not Found',
tx_notFound_1:
'This TX cannot be found in the TX Pool of the node you are connected to.',
tx_notFound_2:
'If you just sent the transaction, please wait 15 seconds and press the "Check TX Status" button again. ',
tx_notFound_3:
'It could still be in the TX Pool of a different node, waiting to be mined.',
tx_notFound_4:
'Please use the dropdown in the top-right & select a different ETH node (e.g. `ETH (Etherscan.io)` or `ETH (Infura.io)` or `ETH (MyEtherWallet)`) and check again.',
tx_foundInPending: 'Pending Transaction Found',
tx_foundInPending_1:
'Your transaction was located in the TX Pool of the node you are connected to. ',
tx_foundInPending_2: 'It is currently pending (waiting to be mined). ',
tx_foundInPending_3:
'There is a chance you can "cancel" or replace this transaction. Unlock your wallet below.',
tx_FoundOnChain: 'Transaction Found',
tx_FoundOnChain_1:
'Your transaction was successfully mined and is on the blockchain.',
tx_FoundOnChain_2:
'**If you see a red `( ! )`, a `BAD INSTRUCTION` or `OUT OF GAS` error message**, it means that the transaction was not successfully *sent*. You cannot cancel or replace this transaction. Instead, send a new transaction. If you received an "Out of Gas" error, you should double the gas limit you specified originally.',
tx_FoundOnChain_3:
'**If you do not see any errors, your transaction was successfully sent.** Your ETH or Tokens are where you sent them. If you cannot see this ETH or Tokens credited in your other wallet / exchange account, and it has been 24+ hours since you sent, please [contact that service](https://myetherwallet.groovehq.com/knowledge_base/topics/i-have-a-question-but-its-not-about-myetherwallet-dot-com-what-do-i-do). Send them the *link* to your transaction and ask them, nicely, to look into your situation.',
/* Gen Wallet Updates */
GEN_Help_1: 'Use your',
GEN_Help_2: 'to access your account.',
GEN_Help_3: 'Your device * is * your wallet.',
GEN_Help_4: 'Guides & FAQ',
GEN_Help_5: 'How to Create a Wallet',
GEN_Help_6: 'Getting Started',
GEN_Help_7:
"Keep it safe · Make a backup · Don't share it with anyone · Don't lose it · It cannot be recovered if you lose it.",
GEN_Help_8: 'Not Downloading a File? ',
GEN_Help_9: 'Try using Google Chrome ',
GEN_Help_10: 'Right click & save file as. Filename: ',
GEN_Help_11: "Don't open this file on your computer ",
GEN_Help_12:
'Use it to unlock your wallet via MyEtherWallet (or Mist, Geth, Parity and other wallet clients.) ',
GEN_Help_13: 'How to Back Up Your Keystore File ',
GEN_Help_14: 'What are these Different Formats? ',
GEN_Help_15: 'Preventing loss &amp; theft of your funds.',
GEN_Help_16: 'What are these Different Formats?',
GEN_Help_17: 'Why Should I?',
GEN_Help_18: 'To have a secondary backup.',
GEN_Help_19: 'In case you ever forget your password.',
GEN_Help_20: 'Cold Storage',
GET_ConfButton: 'I understand. Continue.',
GEN_Label_5: 'Save Your `Private Key`. ',
GEN_Unlock: 'Unlock your wallet to see your address',
GAS_PRICE_Desc:
'Gas Price is the amount you pay per unit of gas. `TX fee = gas price * gas limit` & is paid to miners for including your TX in a block. Higher the gas price = faster transaction, but more expensive. Default is `21 GWEI`.',
GAS_LIMIT_Desc:
'Gas limit is the amount of gas to send with your TX. `TX fee` = gas price * gas limit & is paid to miners for including your TX in a block. Increasing this number will not get your TX mined faster. Sending ETH = `21000`. Sending Tokens = ~`200000`.',
NONCE_Desc:
'The nonce is the number of transactions sent from a given address. It ensures transactions are sent in order & not more than once.',
TXFEE_Desc:
'The TX Fee is paid to miners for including your TX in a block. Is is the `gas limit` * `gas price`. [You can convert GWEI -> ETH here](https://www.myetherwallet.com/helpers.html)',
/* Navigation*/
NAV_AddWallet: 'Dodaj Portfel ',
NAV_BulkGenerate: 'Generuj Hurtowo ',
@ -11,6 +86,7 @@ module.exports = {
NAV_Contracts: 'Kontrakt ',
NAV_DeployContract: 'Wyślij Kontrakt ',
NAV_ENS: 'ENS',
NAV_GenerateWallet_alt: 'New Wallet ',
NAV_GenerateWallet: 'Wygeneruj Portfel ',
NAV_Help: 'Pomoc ',
NAV_InteractContract: 'Pracuj z Kontraktem ',
@ -27,7 +103,7 @@ module.exports = {
/* General */
x_Access: 'Dostęp ',
x_AddessDesc:
'Inaczej "Numer konta" lub "Klucz publiczny". Wysyłasz go innym aby mogli Ci wysłać ether. Ikona umożliwia łatwe rozpoznanie Twojego adresu. ',
'Your Address can also be known as you `Account #` or your `Public Key`. It is what you share with people so they can send you Ether or Tokens. Find the colorful address icon. Make sure it matches your paper wallet & whenever you enter your address somewhere. Inaczej "Numer konta" lub "Klucz publiczny". Wysyłasz go innym aby mogli Ci wysłać ether. Ikona umożliwia łatwe rozpoznanie Twojego adresu. ',
x_Address: 'Twój Adres ',
x_Cancel: 'Anuluj ',
x_CSV: 'Plik CSV (nieszyfrowany) ',
@ -39,6 +115,7 @@ module.exports = {
x_Keystore2: 'Plik Keystore (UTC / JSON) ',
x_KeystoreDesc:
'Ten plik Keystore odpowiada formatowi stosowanemu przez Mist, więc może być w prosty sposób zaimportowany w przyszłości. Jest to zalecana forma pliku do pobrania i przechowywania jako kopii zapasowej. ',
x_MetaMask: 'Metamask / Mist ',
x_Mnemonic: 'Mnemonik ',
x_ParityPhrase: 'Fraza Parity ',
x_Password: 'Hasło ',
@ -82,6 +159,8 @@ module.exports = {
'MyEtherWallet jest darmową, otwarto-źródłową usługą stworzoną dla Twojej prywatności i bezpieczeństwa. Im więcej darowizn zbierzemy, tym więcej czasu będziemy w stanie poświęcić na dodawanie nowych funkcjonalności, analizowanie informacji zwrotnych oraz spełnianie waszych oczekiwań. Jesteśmy jedynie dwójką ludzi starającą się zmienić świat. Pomóż nam! ',
sidebar_donate: 'Prześlij darowiznę ',
sidebar_thanks: 'DZIĘKUJEMY!!! ',
sidebar_DisplayOnTrezor: 'Display address on TREZOR',
sidebar_DisplayOnLedger: 'Display address on Ledger',
/* Decrypt Panel */
decrypt_Access: 'Jak chciałbyś uzyskać dostęp do Twojego portfela? ',
@ -98,6 +177,10 @@ module.exports = {
ADD_Radio_4: 'Dodaj Konto do Obserwacji ',
ADD_Radio_5: 'Wklej/Wpisz Swój Mnemonik ',
ADD_Radio_5_Path: 'Wybierz ścieżkę portfela HD ',
ADD_Radio_5_woTrezor: '(Jaxx, Metamask, Exodus, imToken)',
ADD_Radio_5_withTrezor: '(Jaxx, Metamask, Exodus, imToken, TREZOR)',
ADD_Radio_5_PathAlternative: '(Ledger)',
ADD_Radio_5_PathTrezor: '(TREZOR)',
ADD_Radio_5_PathCustom: '(Niestandardowy) ',
ADD_Label_2: 'Utwórz Nazwę Użytkownika: ',
ADD_Label_3: 'Twój portfel jest zaszyfrowany. Podaj hasło ',
@ -108,6 +191,7 @@ module.exports = {
ADD_Label_6: 'Odblokuj Portfel ',
ADD_Label_6_short: 'Odblokuj ',
ADD_Label_7: 'Dodaj konto ',
ADD_Label_8: 'Password (optional): ',
/* Generate Wallets */
GEN_desc: 'Jeżeli chcesz wygenerować wiele portfeli możesz to zrobić tu ',
@ -119,6 +203,8 @@ module.exports = {
GEN_Label_3: 'Zapisz swój adres. ',
GEN_Label_4:
'Opcjonalnie: Wydrukuj swój Portfel Papierowy, lub zachowaj obrazek z kodem QR. ',
GEN_Aria_1: '',
GEN_Aria_2: '',
/* Bulk Generate Wallets */
BULK_Label_1: 'Ilość Portfeli do Wygenerowania ',
@ -253,6 +339,8 @@ module.exports = {
VIEWWALLET_Subtitle_Short:
'Ta zakładka pozwala Ci na pobranie różnych typów kluczy prywatnych oraz ponowne wydrukowanie portfeli papierowych. ',
VIEWWALLET_SuccessMsg: 'Sukces! Oto dane twojego portfela. ',
VIEWWALLET_ShowPrivKey: '(show)',
VIEWWALLET_HidePrivKey: '(hide)',
/* Mnemonic */
MNEM_1: 'Wybierz adres, którego chcesz użyć. ',
@ -262,8 +350,8 @@ module.exports = {
MNEM_prev: 'Poprzednie Adresy ',
/* Hardware wallets */
x_Ledger: 'Ledger Nano S ',
ADD_Ledger_1: 'Podłącz swój Ledger Nano S ',
x_Ledger: 'Ledger Wallet ',
ADD_Ledger_1: 'Podłącz swój Ledger Wallet ',
ADD_Ledger_2: 'Otwórz aplikację Ethereum (lub aplikację kontraktu) ',
ADD_Ledger_3:
'Sprawdź czy opcja Obsługa Przeglądarki jest włączona w Ustawieniach ',
@ -273,10 +361,19 @@ module.exports = {
'Otwórz MyEtherWallet ponownie na bezpiecznym połączeniu (SSL) ',
ADD_Ledger_0b:
'Otwórz MyEtherWallet w [Chrome](https://www.google.com/chrome/browser/desktop/) lub [Opera](https://www.opera.com/) ',
ADD_Ledger_scan: 'Połącz z Ledger Nano S ',
ADD_Ledger_scan: 'Połącz z Ledger Wallet ',
ADD_MetaMask: 'Connect to MetaMask ',
x_Trezor: 'TREZOR ',
ADD_Trezor_scan: 'Połącz z TREZOR ',
ADD_Trezor_select: 'To jest ziarno (seed) TREZOR',
x_DigitalBitbox: 'Digital Bitbox ',
ADD_DigitalBitbox_0a:
'Otwórz MyEtherWallet ponownie na bezpiecznym połączeniu (SSL) ',
ADD_DigitalBitbox_0b:
'Otwórz MyEtherWallet w [Chrome](https://www.google.com/chrome/browser/desktop/) lub [Opera](https://www.opera.com/) ',
ADD_DigitalBitbox_scan: 'Połącz z Digital Bitbox ',
/* Chrome Extension */
CX_error_1:
@ -315,6 +412,7 @@ module.exports = {
SWAP_start_CTA: 'Rozpocznij Wymianę ',
SWAP_ref_num: 'Twój numer referencyjny ',
SWAP_time: 'Pozostały czas na wysyłkę ',
SWAP_elapsed: 'Time elapsed since sent ',
SWAP_progress_1: 'Zlecenie Rozpoczęte ',
SWAP_progress_2: 'Oczekiwanie na Twoje ', // Waiting for your BTC...
SWAP_progress_3: 'Otrzymano! ', // ETH Received!
@ -334,11 +432,12 @@ module.exports = {
'Ta jednostka nie istnieje, użyj jednej z następujących jednostek ',
ERROR_5: 'Błędny adres. ',
ERROR_6: 'Błędne hasło. ',
ERROR_7: 'Błędna wartość. ',
ERROR_8: 'Błędny limit paliwa. ',
ERROR_9: 'Błędne dane. ',
ERROR_10: 'Błędna ilość paliwa. ',
ERROR_11: 'Błędny wyróżnik. ',
ERROR_7: 'Błędna wartość. (Must be integer. Try 0-18.) ', // 7
ERROR_8: 'Błędny limit paliwa. (Must be integer. Try 21000-4000000.) ', // 8
ERROR_9: 'Błędne dane. (Must be hex.) ', // 9
ERROR_10:
'Błędna ilość paliwa. (Must be integer. Try 20 GWEI / 20000000000 WEI.) ',
ERROR_11: 'Błędny wyróżnik. (Must be integer.) ', // 11
ERROR_12: 'Błąd podpisu transakcji. ',
ERROR_13: 'Portfel z tą nazwą już istnieje. ',
ERROR_14: 'Nie znaleziono portfela. ',
@ -347,7 +446,7 @@ module.exports = {
ERROR_16:
'Portfel z tym adresem już istnieje w konfiguracji. Sprawdź zakładkę portfeli. ',
ERROR_17:
'Musisz mieć **0.01 ETH** na koncie, aby pokryć koszty paliwa. Doładuj konto i spróbuj ponownie. ',
'Niewystarczające środki. Konto, z którego wysyłasz transakcję nie posiada wystarczających funduszy. Musisz mieć **0.01 ETH** na koncie, aby pokryć koszty paliwa. Doładuj konto i spróbuj ponownie. ',
ERROR_18:
'Całe paliwo było by zużyte w tej transakcji. Oznacza to, że głosowałeś już w tej propozycji albo minął termin głosowania. ',
ERROR_19: 'Nieprawidłowy symbol ',
@ -368,11 +467,20 @@ module.exports = {
ERROR_30: 'Wpisz poprawną nazwę ENS ',
ERROR_31: 'Błędna tajna fraza (secret phrase) ',
ERROR_32:
'Nie można połączyć z węzłem. Odśwież witrynę lub odwiedź stronę pomocy, aby uzyskać sugestie rozwiązania problemu. ',
'Nie można połączyć z węzłem. Refresh your page, try a different node (upper right corner), check your firewall settings. If custom node, check your configs.', // 32
ERROR_33:
"The wallet you have unlocked does not match the owner's address. ", // 33
ERROR_34:
'The name you are attempting to reveal does not match the name you have entered. ', // 34
ERROR_35:
'Input address is not checksummed. <a href="https://myetherwallet.groovehq.com/knowledge_base/topics/not-checksummed-shows-when-i-enter-an-address" target="_blank" rel="noopener"> More info</a>', // 35
ERROR_36: 'Enter valid TX hash', // 36
ERROR_37: 'Enter valid hex string (0-9, a-f)', // 37
SUCCESS_1: 'Prawidłowy adres ',
SUCCESS_2: 'Portfel został odszyfrowany ',
SUCCESS_3:
'TX was broadcast to the blockchain. Click to see your transaction & verify it was mined and does not have any out of gas or contract execution errors. TX ID: ', //'Transakcja zgłoszona. TX ID ',
'Your TX has been broadcast to the network. It is waiting to be mined & confirmed. During ICOs, it may take 3+ hours to confirm. Use the Verify & Check buttons below to see. TX Hash: ', //'Transakcja zgłoszona. TX Hash ',
SUCCESS_4: 'Twój portfel został dodany ',
SUCCESS_5: 'Wybrany plik ',
SUCCESS_6: 'Uzyskano połączenie: ',
@ -461,7 +569,7 @@ module.exports = {
HELP_1_Desc_4: 'Kliknij "GENERUJ". ',
HELP_1_Desc_5: 'Twój nowy portfel został właśnie wygenerowany. ',
HELP_2a_Title: '2a) Jak mam zapisać/wykonać kopię mojego portfela? ',
HELP_2a_Title: 'Jak mam zapisać/wykonać kopię mojego portfela? ',
HELP_2a_Desc_1:
'Zawsze powinieneś wykonać zewnętrzną kopię bezpieczeństwa w wielu fizycznie niezależnych lokalizacjach - na przykład na nośniku USB i/lub kartce papieru. ',
HELP_2a_Desc_2:
@ -479,7 +587,7 @@ module.exports = {
'2b) Jak mogę utworzyć portfel w 100% odizolowany od sieci globalnej (Cold Wallet) wykorzystując MyEtherWallet? ',
HELP_2b_Desc_1:
'Wejdź na nasze konto github: [https://github.com/kvhnuke/etherwallet/releases/latest](https://github.com/kvhnuke/etherwallet/releases/latest). ',
HELP_2b_Desc_2: 'Pobierz `dist-vX.X.X.X.zip`. ',
HELP_2b_Desc_2: 'Pobierz `etherwallet-vX.X.X.X.zip`. ',
HELP_2b_Desc_3: 'Przenieś paczkę zip na odizolowany system. ',
HELP_2b_Desc_4: 'Rozpakuj paczkę i kliknij 2-krotnie `index.html`. ',
HELP_2b_Desc_5: 'Wygeneruj portfel przy użyciu silnego hasła. ',
@ -527,7 +635,7 @@ module.exports = {
HELP_4_Desc_12:
'Pojawi się okienko z potwierdzeniem. Zweryfikuj czy kwota i adres, na który wysyłasz są prawidłowe. Następnie kliknij "Tak, jestem pewien! Zatwierdź Transakcję.". ',
HELP_4_Desc_13:
'Transakcja zostanie wysłana i zostanie wyświetlony TX ID. Możesz kliknąć TX ID, aby zobaczyć tą transakcję w eksploratorze bloków. ',
'Transakcja zostanie wysłana i zostanie wyświetlony TX Hash. Możesz kliknąć TX Hash, aby zobaczyć tą transakcję w eksploratorze bloków. ',
HELP_4CX_Title: '4)Jak wysłać Ether używając MyEtherWallet CX? ',
HELP_4CX_Desc_1:
@ -593,7 +701,7 @@ module.exports = {
HELP_7_Desc_14:
'Wyskoczy okienko. Zweryfikuj czy kwota i adres na który wysyłasz są prawidłowe. Następnie kliknij "Tak, jestem pewien! Zatwierdź transakcję.". ',
HELP_7_Desc_15:
'Transakcja zostanie zatwierdzona. TX ID zostanie wyświetlone. Możesz kliknąć TX ID aby zobaczyć status transakcji w eksploratorze. ',
'Transakcja zostanie zatwierdzona. TX Hash zostanie wyświetlone. Możesz kliknąć TX Hash aby zobaczyć status transakcji w eksploratorze. ',
HELP_8_Title: '8) Co się stanie, jeżeli wasza strona zniknie z sieci? ',
HELP_8_Desc_1:

View File

@ -4,6 +4,83 @@
module.exports = {
code: 'pt',
data: {
HELP_2a_Title: 'How do I save/backup my wallet? ',
/* New Generics */
x_CancelReplaceTx: 'Cancel or Replace Transaction',
x_CancelTx: 'Cancel Transaction',
x_PasswordDesc:
'This password * encrypts * your private key. This does not act as a seed to generate your keys. **You will need this password + your private key to unlock your wallet.**',
x_ReadMore: 'Read More',
x_ReplaceTx: 'Replace Transaction',
x_TransHash: 'Transaction Hash',
x_TXFee: 'TX Fee',
x_TxHash: 'TX Hash',
/* Check TX Status */
NAV_CheckTxStatus: 'Check TX Status',
NAV_TxStatus: 'TX Status',
tx_Details: 'Transaction Details',
tx_Summary:
'During times of high volume (like during ICOs) transactions can be pending for hours, if not days. This tool aims to give you the ability to find and "cancel" / replace these TXs. ** This is not typically something you can do. It should not be relied upon & will only work when the TX Pools are full. [Please, read about this tool here.](https://myetherwallet.groovehq.com/knowledge_base/topics/how-can-i-check-on-the-status-of-my-transaction-can-i-cancel-override-overwrite-replace-or-do-anything-once-a-transaction-has-been-sent)**',
tx_notFound: 'Transaction Not Found',
tx_notFound_1:
'This TX cannot be found in the TX Pool of the node you are connected to.',
tx_notFound_2:
'If you just sent the transaction, please wait 15 seconds and press the "Check TX Status" button again. ',
tx_notFound_3:
'It could still be in the TX Pool of a different node, waiting to be mined.',
tx_notFound_4:
'Please use the dropdown in the top-right & select a different ETH node (e.g. `ETH (Etherscan.io)` or `ETH (Infura.io)` or `ETH (MyEtherWallet)`) and check again.',
tx_foundInPending: 'Pending Transaction Found',
tx_foundInPending_1:
'Your transaction was located in the TX Pool of the node you are connected to. ',
tx_foundInPending_2: 'It is currently pending (waiting to be mined). ',
tx_foundInPending_3:
'There is a chance you can "cancel" or replace this transaction. Unlock your wallet below.',
tx_FoundOnChain: 'Transaction Found',
tx_FoundOnChain_1:
'Your transaction was successfully mined and is on the blockchain.',
tx_FoundOnChain_2:
'**If you see a red `( ! )`, a `BAD INSTRUCTION` or `OUT OF GAS` error message**, it means that the transaction was not successfully *sent*. You cannot cancel or replace this transaction. Instead, send a new transaction. If you received an "Out of Gas" error, you should double the gas limit you specified originally.',
tx_FoundOnChain_3:
'**If you do not see any errors, your transaction was successfully sent.** Your ETH or Tokens are where you sent them. If you cannot see this ETH or Tokens credited in your other wallet / exchange account, and it has been 24+ hours since you sent, please [contact that service](https://myetherwallet.groovehq.com/knowledge_base/topics/i-have-a-question-but-its-not-about-myetherwallet-dot-com-what-do-i-do). Send them the *link* to your transaction and ask them, nicely, to look into your situation.',
/* Gen Wallet Updates */
GEN_Help_1: 'Use your',
GEN_Help_2: 'to access your account.',
GEN_Help_3: 'Your device * is * your wallet.',
GEN_Help_4: 'Guides & FAQ',
GEN_Help_5: 'How to Create a Wallet',
GEN_Help_6: 'Getting Started',
GEN_Help_7:
"Keep it safe · Make a backup · Don't share it with anyone · Don't lose it · It cannot be recovered if you lose it.",
GEN_Help_8: 'Not Downloading a File? ',
GEN_Help_9: 'Try using Google Chrome ',
GEN_Help_10: 'Right click & save file as. Filename: ',
GEN_Help_11: "Don't open this file on your computer ",
GEN_Help_12:
'Use it to unlock your wallet via MyEtherWallet (or Mist, Geth, Parity and other wallet clients.) ',
GEN_Help_13: 'How to Back Up Your Keystore File ',
GEN_Help_14: 'What are these Different Formats? ',
GEN_Help_15: 'Preventing loss &amp; theft of your funds.',
GEN_Help_16: 'What are these Different Formats?',
GEN_Help_17: 'Why Should I?',
GEN_Help_18: 'To have a secondary backup.',
GEN_Help_19: 'In case you ever forget your password.',
GEN_Help_20: 'Cold Storage',
GET_ConfButton: 'I understand. Continue.',
GEN_Label_5: 'Save Your `Private Key`. ',
GEN_Unlock: 'Unlock your wallet to see your address',
GAS_PRICE_Desc:
'Gas Price is the amount you pay per unit of gas. `TX fee = gas price * gas limit` & is paid to miners for including your TX in a block. Higher the gas price = faster transaction, but more expensive. Default is `21 GWEI`.',
GAS_LIMIT_Desc:
'Gas limit is the amount of gas to send with your TX. `TX fee` = gas price * gas limit & is paid to miners for including your TX in a block. Increasing this number will not get your TX mined faster. Sending ETH = `21000`. Sending Tokens = ~`200000`.',
NONCE_Desc:
'The nonce is the number of transactions sent from a given address. It ensures transactions are sent in order & not more than once.',
TXFEE_Desc:
'The TX Fee is paid to miners for including your TX in a block. Is is the `gas limit` * `gas price`. [You can convert GWEI -> ETH here](https://www.myetherwallet.com/helpers.html)',
/* Navigation*/
NAV_AddWallet: 'Adicionar Carteira ',
NAV_BulkGenerate: 'Gerar Bulk ',
@ -11,6 +88,7 @@ module.exports = {
NAV_Contracts: 'Contratos ',
NAV_DeployContract: 'Implantar Contrato ',
NAV_ENS: 'ENS',
NAV_GenerateWallet_alt: 'New Wallet ',
NAV_GenerateWallet: 'Gerar Carteira ',
NAV_Help: 'Ajuda ',
NAV_InteractContract: 'Interact with Contract ',
@ -27,7 +105,7 @@ module.exports = {
/* General */
x_Access: 'Access ',
x_AddessDesc:
'Você deve saber sua "Conta #" ou sua "Chave Pública". É o que você enviar para que as pessoas possam enviar-lhe ether. Esse ícone é uma maneira fácil de reconhecer o seu endereço. ',
'Your Address can also be known as you `Account #` or your `Public Key`. It is what you share with people so they can send you Ether or Tokens. Find the colorful address icon. Make sure it matches your paper wallet & whenever you enter your address somewhere. Você deve saber sua "Conta #" ou sua "Chave Pública". É o que você enviar para que as pessoas possam enviar-lhe ether. Esse ícone é uma maneira fácil de reconhecer o seu endereço. ',
x_Address: 'Seu Endereço ',
x_Cancel: 'Cancelar ',
x_CSV: 'Arquivo CSV (não criptografado) ',
@ -40,6 +118,7 @@ module.exports = {
x_Keystore2: 'Arquivo de armazenamento de chaves (UTC / JSON) ',
x_KeystoreDesc:
'Este arquivo de armazenamento de chaves corresponde ao formato usado pela Mist para que você possa facilmente importá-lo no futuro. É recomendado que o arquivo seja transferido e feito seu backup. ',
x_MetaMask: 'Metamask / Mist ',
x_Mnemonic: 'Frase Mnemonic ',
x_ParityPhrase: 'Parity Phrase ',
x_Password: 'Senha ',
@ -84,6 +163,8 @@ module.exports = {
'MyEtherWallet é grátis, um serviço de fonte aberta dedicado a sua privacidade e segurança. Quanto mais doações nós recebermos, mais podemos gastar criando novidade, ouvindo seu feedback, e entregando o que você deseja. Somos apenas duas pessoas tentando mudar o mundo. Ajude-nos? ',
sidebar_donate: 'De ',
sidebar_thanks: 'OBRIGADO!!! ',
sidebar_DisplayOnTrezor: 'Display address on TREZOR',
sidebar_DisplayOnLedger: 'Display address on Ledger',
/* Decrypt Panel */
decrypt_Access: 'Como você gostaria de acessar sua carteira? ',
@ -100,6 +181,11 @@ module.exports = {
ADD_Radio_4: 'Adicionar uma conta para ver ',
ADD_Radio_5: 'Cole/Digite sua Mnemonic ',
ADD_Radio_5_Path: 'Select HD derivation path ',
ADD_Radio_5_woTrezor: '(Jaxx, Metamask, Exodus, imToken)',
ADD_Radio_5_withTrezor: '(Jaxx, Metamask, Exodus, imToken, TREZOR)',
ADD_Radio_5_PathAlternative: '(Ledger)',
ADD_Radio_5_PathTrezor: '(TREZOR)',
ADD_Radio_5_PathCustom: 'Custom',
ADD_Label_2: 'Crie um Apelido: ',
ADD_Label_3: 'Sua carteira é criptografada. Por favor, insira a senha ',
ADD_Label_4: 'Adicionar uma conta para ver ',
@ -109,6 +195,7 @@ module.exports = {
ADD_Label_6: 'Desbloqueie sua Carteira ',
ADD_Label_6_short: 'Desbloqueie ',
ADD_Label_7: 'Adicionar Conta ',
ADD_Label_8: 'Password (optional): ',
/* Generate Wallets */
GEN_desc:
@ -121,6 +208,8 @@ module.exports = {
GEN_Label_3: 'Salve Seu Enderço. ',
GEN_Label_4:
'Opcional: Imprima sua carteira de papel, ou guarde a versão do código QR. ',
GEN_Aria_1: '',
GEN_Aria_2: '',
/* Bulk Generate Wallets */
BULK_Label_1: 'Número de Carteiras a gerar ',
@ -237,6 +326,8 @@ module.exports = {
VIEWWALLET_Subtitle_Short:
'This allows you to download different versions of private keys and re-print your paper wallet. ',
VIEWWALLET_SuccessMsg: 'Success! Here are your wallet details. ',
VIEWWALLET_ShowPrivKey: '(show)',
VIEWWALLET_HidePrivKey: '(hide)',
/* Mnemonic */
MNEM_1:
@ -263,6 +354,12 @@ module.exports = {
x_Trezor: 'TREZOR ',
ADD_Trezor_scan: 'Connect to TREZOR ',
ADD_Trezor_select: 'This is a TREZOR seed ',
x_DigitalBitbox: 'Digital Bitbox ',
ADD_DigitalBitbox_0a: 'Re-abra MyEtherWallet em uma conexão (SSL) segura ',
ADD_DigitalBitbox_0b:
'Re-abra MyEtherWallet usando [Chrome](https://www.google.com/chrome/browser/desktop/) ou [Opera](https://www.opera.com/) ',
ADD_DigitalBitbox_scan: 'Conectar-se a Digital Bitbox ',
ADD_MetaMask: 'Connect to MetaMask ',
/* Node Switcher */
NODE_Title: 'Set Up Your Custom Node',
@ -300,6 +397,7 @@ module.exports = {
SWAP_start_CTA: 'Start Swap ',
SWAP_ref_num: 'Your reference number ',
SWAP_time: 'Time remaining to send ',
SWAP_elapsed: 'Time elapsed since sent ',
SWAP_progress_1: 'Order Initiated ',
SWAP_progress_2: 'Waiting for your ', // Waiting for your BTC...
SWAP_progress_3: 'Received! ', // ETH Received!
@ -327,57 +425,69 @@ module.exports = {
CX_quicksend: 'QuickSend ', // if no appropriate translation, just use "Send"
/* Error Messages */
ERROR_0: 'Please enter valid amount. ',
ERROR_0: 'Please enter a valid amount.', // 0
ERROR_1:
'Your password must be at least 9 characters. Please ensure it is a strong password. ',
ERROR_2: "Sorry! We don't recognize this type of wallet file. ",
ERROR_3: 'This is not a valid wallet file. ',
'Your password must be at least 9 characters. Please ensure it is a strong password. ', // 1
ERROR_2: "Sorry! We don't recognize this type of wallet file. ", // 2
ERROR_3: 'This is not a valid wallet file. ', // 3
ERROR_4:
"This unit doesn't exists, please use the one of the following units ",
ERROR_5: 'Invalid address. ',
ERROR_6: 'Invalid password. ',
ERROR_7: 'Invalid amount. ',
ERROR_8: 'Invalid gas limit. ',
ERROR_9: 'Invalid data value. ',
ERROR_10: 'Invalid gas amount. ',
ERROR_11: 'Invalid nonce. ',
ERROR_12: 'Invalid signed transaction. ',
ERROR_13: 'A wallet with this nickname already exists. ',
ERROR_14: 'Wallet not found. ',
"This unit doesn't exists, please use the one of the following units ", // 4
ERROR_5: 'Please enter a valid address. ', // 5
ERROR_6: 'Please enter a valid password. ', // 6
ERROR_7: 'Please enter valid decimals (Must be integer, 0-18). ', // 7
ERROR_8:
'Please enter a valid gas limit (Must be integer. Try 21000-4000000). ', // 8
ERROR_9: 'Please enter a valid data value (Must be hex). ', // 9
ERROR_10:
'Please enter a valid gas price. (Must be integer. Try 20 GWEI (20000000000 WEI)',
ERROR_11: 'Please enter a valid nonce (Must be integer).', // 11
ERROR_12: 'Invalid signed transaction. ', // 12
ERROR_13: 'A wallet with this nickname already exists. ', // 13
ERROR_14: 'Wallet not found. ', // 14
ERROR_15:
"It doesn't look like a proposal with this ID exists yet or there is an error reading this proposal. ",
"Whoops. It doesn't look like a proposal with this ID exists yet or there is an error reading this proposal. ", // 15 - NOT USED
ERROR_16:
'A wallet with this address already exists in storage. Please check your wallets page. ',
'A wallet with this address already exists in storage. Please check your wallets page. ', // 16
ERROR_17:
'You need to have **0.01 ETH** in your account to cover the cost of gas. Please add some ETH and try again. ',
'Account you are sending from does not have enough funds. If sending tokens, you must have 0.01 ETH in your account to cover the cost of gas. ', // 17
ERROR_18:
'All gas would be used on this transaction. This means you have already voted on this proposal or the debate period has ended. ',
ERROR_19: 'Invalid symbol ',
'All gas would be used on this transaction. This means you have already voted on this proposal or the debate period has ended.', // 18
ERROR_19: 'Please enter a valid symbol', // 19
ERROR_20: 'Não é um token ERC-20 válido ',
ERROR_21:
'Não foi possível estimar o gás. Não há fundos suficientes na conta, ou o endereço do contrato de recebimento iria lançar um erro. Sinta-se livre para definir manualmente o gás e prossiga. A mensagem de erro ao enviar pode ser mais informativa. ',
ERROR_22: 'Please enter valid node name ',
ERROR_22: 'Please enter a valid node name', // 22
ERROR_23:
'Please enter valid URL. If you are connecting via HTTPS, your node must be over HTTPS ',
ERROR_24: 'Please enter valid port ',
ERROR_25: 'Please enter valid chain ID ',
ERROR_26: 'Please enter valid ABI ',
ERROR_27: 'Minimum amount: 0.01. Maximum Amount: ',
'Please enter a valid URL. If you are on https, your URL must be https', // 23
ERROR_24: 'Please enter a valid port. ', // 24
ERROR_25: 'Please enter a valid chain ID. ', // 25
ERROR_26: 'Please enter a valid ABI. ', // 26
ERROR_27: 'Minimum amount: 0.01. Max amount: ', // 27
ERROR_28:
'**Você precisa do seu arquivo de armazenamento de chaves & senha** (ou Chave Privada) para acessar essa carteira no futuro. Por favor, salve e armazene ela externamente! Não há como recuperar uma carteira se você não salvar isso. Leia a [página de ajuda](https://www.myetherwallet.com/#help) para instruções. ',
ERROR_29: 'Please enter valid user and password ',
ERROR_30: 'Please enter valid ENS name ',
ERROR_31: 'Invalid secret phrase ',
ERROR_29: 'Please enter a valid user and password. ', // 29
ERROR_30: 'Please enter a valid name (7+ characters, limited punctuation) ', // 30
ERROR_31: 'Please enter a valid secret phrase. ', // 31
ERROR_32:
'Could not connect to the node. Please refresh the page, or see the help page for more troubleshooting suggestions. ',
'Could not connect to the node. Refresh your page, try a different node (upper right corner), check your firewall settings. If custom node, check your configs.', // 32
ERROR_33:
"The wallet you have unlocked does not match the owner's address. ", // 33
ERROR_34:
'The name you are attempting to reveal does not match the name you have entered. ', // 34
ERROR_35:
'Input address is not checksummed. <a href="https://myetherwallet.groovehq.com/knowledge_base/topics/not-checksummed-shows-when-i-enter-an-address" target="_blank" rel="noopener"> More info</a>', // 35
ERROR_36: 'Enter valid TX hash', // 36
ERROR_37: 'Enter valid hex string (0-9, a-f)', // 37
SUCCESS_1: 'Valid address ',
SUCCESS_2: 'Wallet successfully decrypted ',
SUCCESS_3:
'TX was broadcast to the blockchain. Click to see your transaction & verify it was mined and does not have any out of gas or contract execution errors. TX ID: ', //'Transaction submitted. TX ID ',
'Your TX has been broadcast to the network. It is waiting to be mined & confirmed. During ICOs, it may take 3+ hours to confirm. Use the Verify & Check buttons below to see. TX Hash: ',
SUCCESS_4: 'Your wallet was successfully added ',
SUCCESS_5: 'File Selected ',
SUCCESS_6: 'You are successfully connected ',
SUCCESS_7: 'Message Signature Verified',
/* Geth Error Messages */
GETH_InvalidSender: 'Invalid sender ',
GETH_Nonce: 'Nonce too low ',
@ -401,7 +511,7 @@ module.exports = {
PARITY_InsufficientGasPrice:
"Transaction fee is too low. It does not satisfy your node's minimal fee (minimal: {}, got: {}). Try increasing the fee.",
PARITY_InsufficientBalance:
'Insufficient funds. Account you try to send transaction from does not have enough funds. Required {} and got: {}.',
'Insufficient funds. Account you try to send transaction from does not have enough funds. Required {} wei and got: {} wei.',
PARITY_GasLimitExceeded:
'Transaction cost exceeds current gas limit. Limit: {}, got: {}. Try decreasing supplied gas.',
PARITY_InvalidGasLimit: 'Supplied gas is beyond limit.',
@ -458,7 +568,6 @@ module.exports = {
HELP_1_Desc_4: 'Click "GENERATE". ',
HELP_1_Desc_5: 'Your wallet has now been generated. ',
HELP_2a_Title: '2a) How do I save/backup my wallet? ',
HELP_2a_Desc_1:
'You should always back up your wallet externally and in multiple physical locations - like on a USB drive and/or a piece of paper. ',
HELP_2a_Desc_2:
@ -476,7 +585,7 @@ module.exports = {
'2b) How do I safely / offline / cold storage with MyEtherWallet? ',
HELP_2b_Desc_1:
'Go to [https://github.com/kvhnuke/etherwallet/releases/latest](https://github.com/kvhnuke/etherwallet/releases/latest). ',
HELP_2b_Desc_2: 'Click on `dist-vX.X.X.X.zip`. ',
HELP_2b_Desc_2: 'Click on `etherwallet-vX.X.X.X.zip`. ',
HELP_2b_Desc_3: 'Move zip to an airgapped computer. ',
HELP_2b_Desc_4: 'Unzip it and double-click `index.html`. ',
HELP_2b_Desc_5: 'Generate a wallet with a strong password. ',
@ -523,7 +632,7 @@ module.exports = {
HELP_4_Desc_12:
'A pop-up will appear. Verify that the amount and the address you are sending to are correct. Then click "Yes, I am sure! Make transaction." button. ',
HELP_4_Desc_13:
'The transaction will be submitted. The TX ID will display. You can click that TX ID to see it on the blockchain. ',
'The transaction will be submitted. The TX Hash will display. You can click that TX Hash to see it on the blockchain. ',
HELP_4CX_Title: '4) How do I send Ether using MyEtherWallet CX? ',
HELP_4CX_Desc_1:
@ -590,7 +699,7 @@ module.exports = {
HELP_7_Desc_14:
'A pop-up will appear. Verify that the amount and the address you are sending to are correct. Then click "Yes, I am sure! Make transaction." button. ',
HELP_7_Desc_15:
'The transaction will be submitted. The TX ID will display. You can click that TX ID to see it on the blockchain. ',
'The transaction will be submitted. The TX Hash will display. You can click that TX Hash to see it on the blockchain. ',
HELP_8_Title: '8) What happens if your site goes down? ',
HELP_8_Desc_1:

View File

@ -4,6 +4,83 @@
module.exports = {
code: 'ru',
data: {
HELP_2a_Title: 'How do I save/backup my wallet? ',
/* New Generics */
x_CancelReplaceTx: 'Cancel or Replace Transaction',
x_CancelTx: 'Cancel Transaction',
x_PasswordDesc:
'This password * encrypts * your private key. This does not act as a seed to generate your keys. **You will need this password + your private key to unlock your wallet.**',
x_ReadMore: 'Read More',
x_ReplaceTx: 'Replace Transaction',
x_TransHash: 'Transaction Hash',
x_TXFee: 'TX Fee',
x_TxHash: 'TX Hash',
/* Check TX Status */
NAV_CheckTxStatus: 'Check TX Status',
NAV_TxStatus: 'TX Status',
tx_Details: 'Transaction Details',
tx_Summary:
'During times of high volume (like during ICOs) transactions can be pending for hours, if not days. This tool aims to give you the ability to find and "cancel" / replace these TXs. ** This is not typically something you can do. It should not be relied upon & will only work when the TX Pools are full. [Please, read about this tool here.](https://myetherwallet.groovehq.com/knowledge_base/topics/how-can-i-check-on-the-status-of-my-transaction-can-i-cancel-override-overwrite-replace-or-do-anything-once-a-transaction-has-been-sent)**',
tx_notFound: 'Transaction Not Found',
tx_notFound_1:
'This TX cannot be found in the TX Pool of the node you are connected to.',
tx_notFound_2:
'If you just sent the transaction, please wait 15 seconds and press the "Check TX Status" button again. ',
tx_notFound_3:
'It could still be in the TX Pool of a different node, waiting to be mined.',
tx_notFound_4:
'Please use the dropdown in the top-right & select a different ETH node (e.g. `ETH (Etherscan.io)` or `ETH (Infura.io)` or `ETH (MyEtherWallet)`) and check again.',
tx_foundInPending: 'Pending Transaction Found',
tx_foundInPending_1:
'Your transaction was located in the TX Pool of the node you are connected to. ',
tx_foundInPending_2: 'It is currently pending (waiting to be mined). ',
tx_foundInPending_3:
'There is a chance you can "cancel" or replace this transaction. Unlock your wallet below.',
tx_FoundOnChain: 'Transaction Found',
tx_FoundOnChain_1:
'Your transaction was successfully mined and is on the blockchain.',
tx_FoundOnChain_2:
'**If you see a red `( ! )`, a `BAD INSTRUCTION` or `OUT OF GAS` error message**, it means that the transaction was not successfully *sent*. You cannot cancel or replace this transaction. Instead, send a new transaction. If you received an "Out of Gas" error, you should double the gas limit you specified originally.',
tx_FoundOnChain_3:
'**If you do not see any errors, your transaction was successfully sent.** Your ETH or Tokens are where you sent them. If you cannot see this ETH or Tokens credited in your other wallet / exchange account, and it has been 24+ hours since you sent, please [contact that service](https://myetherwallet.groovehq.com/knowledge_base/topics/i-have-a-question-but-its-not-about-myetherwallet-dot-com-what-do-i-do). Send them the *link* to your transaction and ask them, nicely, to look into your situation.',
/* Gen Wallet Updates */
GEN_Help_1: 'Use your',
GEN_Help_2: 'to access your account.',
GEN_Help_3: 'Your device * is * your wallet.',
GEN_Help_4: 'Guides & FAQ',
GEN_Help_5: 'How to Create a Wallet',
GEN_Help_6: 'Getting Started',
GEN_Help_7:
"Keep it safe · Make a backup · Don't share it with anyone · Don't lose it · It cannot be recovered if you lose it.",
GEN_Help_8: 'Not Downloading a File? ',
GEN_Help_9: 'Try using Google Chrome ',
GEN_Help_10: 'Right click & save file as. Filename: ',
GEN_Help_11: "Don't open this file on your computer ",
GEN_Help_12:
'Use it to unlock your wallet via MyEtherWallet (or Mist, Geth, Parity and other wallet clients.) ',
GEN_Help_13: 'How to Back Up Your Keystore File ',
GEN_Help_14: 'What are these Different Formats? ',
GEN_Help_15: 'Preventing loss &amp; theft of your funds.',
GEN_Help_16: 'What are these Different Formats?',
GEN_Help_17: 'Why Should I?',
GEN_Help_18: 'To have a secondary backup.',
GEN_Help_19: 'In case you ever forget your password.',
GEN_Help_20: 'Cold Storage',
GET_ConfButton: 'I understand. Continue.',
GEN_Label_5: 'Save Your `Private Key`. ',
GEN_Unlock: 'Unlock your wallet to see your address',
GAS_PRICE_Desc:
'Gas Price is the amount you pay per unit of gas. `TX fee = gas price * gas limit` & is paid to miners for including your TX in a block. Higher the gas price = faster transaction, but more expensive. Default is `21 GWEI`.',
GAS_LIMIT_Desc:
'Gas limit is the amount of gas to send with your TX. `TX fee` = gas price * gas limit & is paid to miners for including your TX in a block. Increasing this number will not get your TX mined faster. Sending ETH = `21000`. Sending Tokens = ~`200000`.',
NONCE_Desc:
'The nonce is the number of transactions sent from a given address. It ensures transactions are sent in order & not more than once.',
TXFEE_Desc:
'The TX Fee is paid to miners for including your TX in a block. Is is the `gas limit` * `gas price`. [You can convert GWEI -> ETH here](https://www.myetherwallet.com/helpers.html)',
/* Navigation*/
NAV_AddWallet: 'Добавить кошелёк ',
NAV_BulkGenerate: 'Создать несколько кошельков ',
@ -11,6 +88,7 @@ module.exports = {
NAV_Contracts: 'контракт ',
NAV_DeployContract: 'Опубликовать контракт ',
NAV_ENS: 'ENS',
NAV_GenerateWallet_alt: 'New Wallet ',
NAV_GenerateWallet: 'Создать кошелёк ',
NAV_Help: 'Справка ',
NAV_InteractContract: 'Interact with Contract ',
@ -27,7 +105,7 @@ module.exports = {
/* General */
x_Access: 'Подключиться ',
x_AddessDesc:
'Это можно назвать "номер Вашего счёта" или "Ваш открытый ключ". Вы сообщаете этот адрес людям, чтобы они могли отправлять Вам эфир (ether). Картинка позволяет легко опознать Ваш адрес среди других адресов. ',
'Your Address can also be known as you `Account #` or your `Public Key`. It is what you share with people so they can send you Ether or Tokens. Find the colorful address icon. Make sure it matches your paper wallet & whenever you enter your address somewhere. Это можно назвать "номер Вашего счёта" или "Ваш открытый ключ". Вы сообщаете этот адрес людям, чтобы они могли отправлять Вам эфир (ether). Картинка позволяет легко опознать Ваш адрес среди других адресов. ',
x_Address: 'Ваш адрес ',
x_Cancel: 'Отменить ',
x_CSV: 'Файл CSV (не зашифрован) ',
@ -39,6 +117,7 @@ module.exports = {
x_Keystore2: 'Файл Keystore (UTC / JSON) ',
x_KeystoreDesc:
'Этот файл Keystore использует формат совместимый с Mist. Вы сможете в будущем импортировать его. Рекомендуется скачать этот файл и сделать резервную копию. ',
x_MetaMask: 'Metamask / Mist ',
x_Mnemonic: 'Кодовая фраза ',
x_ParityPhrase: 'Parity Phrase ',
x_Password: 'Пароль ',
@ -82,6 +161,8 @@ module.exports = {
'MyEtherWallet — это бесплатный сервис с открытым исходным кодом, заботящийся о Вашей безопасности и неприкосновенности Вашей частной жизни. Чем больше пожертвований мы получаем, тем больше времени мы проводим, добавляя новые возможности, прислушиваясь к Вашим пожеланиям и предоставляя Вам то, что Вам необходимо. Мы — всего лишь два человека, пытающиеся изменить Мир. Вы поможете нам? ',
sidebar_donate: 'Пожертвовать ',
sidebar_thanks: 'СПАСИБО!!! ',
sidebar_DisplayOnTrezor: 'Display address on TREZOR',
sidebar_DisplayOnLedger: 'Display address on Ledger',
/* Decrypt Panel */
decrypt_Access:
@ -99,6 +180,10 @@ module.exports = {
ADD_Radio_4: 'Добавить счёт в список слежения ',
ADD_Radio_5: 'Скопируйте или введите кодовую фразу ',
ADD_Radio_5_Path: 'Select HD derivation path ',
ADD_Radio_5_woTrezor: '(Jaxx, Metamask, Exodus, imToken)',
ADD_Radio_5_withTrezor: '(Jaxx, Metamask, Exodus, imToken, TREZOR)',
ADD_Radio_5_PathAlternative: '(Ledger)',
ADD_Radio_5_PathTrezor: '(TREZOR)',
ADD_Radio_5_PathCustom: '(Custom) ',
ADD_Label_2: 'Присвоить название: ',
ADD_Label_3: 'Ваш кошелёк зашифрован. Пожалуйста, введите пароль ',
@ -109,6 +194,7 @@ module.exports = {
ADD_Label_6: 'Отпереть кошелёк ',
ADD_Label_6_short: 'Отпереть ',
ADD_Label_7: 'Добавить счёт ',
ADD_Label_8: 'Password (optional): ',
/* Generate Wallets */
GEN_desc:
@ -121,6 +207,8 @@ module.exports = {
GEN_Label_3: 'Сохраните Ваш адрес. ',
GEN_Label_4:
'Напечатайте бумажный кошелёк или сохраните QR код. (по желанию) ',
GEN_Aria_1: '',
GEN_Aria_2: '',
/* Bulk Generate Wallets */
BULK_Label_1: 'Сколько кошельков создать ',
@ -131,6 +219,7 @@ module.exports = {
SEND_addr: 'Адрес получателя ',
SEND_amount: 'Сумма перевода ',
SEND_amount_short: 'Сумма ',
SEND_custom: 'Добавить свой токен ',
SEND_gas: 'Газ ',
SEND_TransferTotal: 'Перевести весь доступный баланс ', // updated to be shorter
SEND_generate: 'Сформировать транзакцию ',
@ -238,6 +327,8 @@ module.exports = {
VIEWWALLET_Subtitle_Short:
'Позволяет Вам скачать Ваши закрытые ключи в различных форматах, а также повторно напечатать Ваши бумажные кошельки. ',
VIEWWALLET_SuccessMsg: 'Поздравляем! Вот информация о Вашем кошельке. ',
VIEWWALLET_ShowPrivKey: '(show)',
VIEWWALLET_HidePrivKey: '(hide)',
/* Chrome Extension */
CX_error_1:
@ -276,6 +367,7 @@ module.exports = {
SWAP_start_CTA: 'Начать обмен ',
SWAP_ref_num: 'Идентификатор операции ',
SWAP_time: 'Время до отправки ',
SWAP_elapsed: 'Time elapsed since sent ',
SWAP_progress_1: 'Заявка выставлена ',
SWAP_progress_2: 'Ждём получения ваших ', // Waiting for your BTC...
SWAP_progress_3: 'Получено! ', // ETH Received!
@ -303,7 +395,6 @@ module.exports = {
'Одна кодовая фраза может использоваться для получения доступа к нескольким кошелькам или адресам. Пожалуйста, выберите адрес, который вы хотите использовать в этот раз. ',
MNEM_more: 'Следующие адреса ',
MNEM_prev: 'Предыдущие адреса ',
SEND_custom: 'Добавить свой токен ',
TOKEN_hide: 'Спрятать токены ',
TOKEN_show: 'Отправить все токены ',
TRANS_gas: 'Лимит газа ', // changd in ENG to Gas Limit:
@ -311,8 +402,8 @@ module.exports = {
'Вы попали сюда по ссылке, которая уже содержит в себе адрес, сумму, лимит газа и дополнительные параметры транзакции. ВЫ можете изменить эти данные перед отправкой транзакции. Для начала отоприте ваш кошелёк. ',
/* Hardware wallets */
x_Ledger: 'Ledger Nano S ',
ADD_Ledger_1: 'Присоедините ваш Ledger Nano S ',
x_Ledger: 'Ledger Wallet ',
ADD_Ledger_1: 'Присоедините ваш Ledger Wallet ',
ADD_Ledger_2: 'Запустите приложение Ethereum (или приложение контракта) ',
ADD_Ledger_3:
'Убедитесь, что использование из браузера разрешено в настройках ',
@ -322,10 +413,94 @@ module.exports = {
'Перезапустите MyEtherWallet через безопасное (SSL) соединение ',
ADD_Ledger_0b:
'Перезапустите MyEtherWallet с браузере [Chrome](https://www.google.com/chrome/browser/desktop/) или [Opera](https://www.opera.com/) ',
ADD_Ledger_scan: 'Подключиться к Ledger Nano S ',
ADD_Ledger_scan: 'Подключиться к Ledger Wallet ',
ADD_MetaMask: 'Connect to MetaMask ',
x_Trezor: 'TREZOR ',
ADD_Trezor_scan: 'Подключиться к TREZOR ',
ADD_Trezor_select: 'Это код восстановления TREZOR ',
x_DigitalBitbox: 'Digital Bitbox ',
ADD_DigitalBitbox_0a:
'Перезапустите MyEtherWallet через безопасное (SSL) соединение ',
ADD_DigitalBitbox_0b:
'Перезапустите MyEtherWallet с браузере [Chrome](https://www.google.com/chrome/browser/desktop/) или [Opera](https://www.opera.com/) ',
ADD_DigitalBitbox_scan: 'Подключиться к Digital Bitbox ',
/* Error Messages */
ERROR_0: 'Пожалуйста, введите сумму корректно. ',
ERROR_1:
'Пароль должен содержать не менее 9 символов. Пожалуйста, используйте сложный пароль. ',
ERROR_2: 'К сожалению, мы не смогли определить формат файла кошелька. ',
ERROR_3: 'Этот файл не является файлом кошелька. ',
ERROR_4:
'Такая единица измерения не существует. Пожалуйста, укажите одну из следующих единиц измерения ',
ERROR_5: 'Неправильный адрес. ',
ERROR_6: 'Неверный пароль. ',
ERROR_7: 'Некорректная сумма. (Must be integer. Try 0-18.) ', // 7
ERROR_8:
'Некорректно указан лимит газа. (Must be integer. Try 21000-4000000.) ', // 8
ERROR_9: 'Недопустимые данные. (Must be hex.) ', // 9
ERROR_10:
'Некорректно указано количество газа. (Must be integer. Try 20 GWEI / 20000000000 WEI.) ',
ERROR_11: 'Неверный номер перевода (nonce). (Must be integer.) ', // 11
ERROR_12: 'Подписанная транзакция некорректна. ',
ERROR_13: 'Кошелёк с таким названием уже существует. ',
ERROR_14: 'Кошелёк не найден. ',
ERROR_15:
'Предложение с таким идентификатором не существует или при чтении предложения произошла ошибка. ',
ERROR_16:
'Кошелёк с таким адресом уже находится в хранилище. Просмотрите в списке кошельков. ',
ERROR_17:
'Недостаточно средств. На счёте, с которого вы пытаетесь отправить транзакцию, не хватает средств. Вам необходимо иметь не менее 0.01 эфира (ether) на Вашем счету, чтобы покрыть расходы на газ. Пожалуйста, пложите немного эфира (ether) на счёт и попробуйте снова. ',
ERROR_18:
'Транзакция могла бы истратить весь газ. Это значит, что Вы уже голосовали по данному предложению, или период обсуждения данного предложения закончился. ',
ERROR_19: 'Неправильный символ ',
ERROR_20: 'Not a valid ERC-20 token', // 20
ERROR_21:
'Could not estimate gas. There are not enough funds in the account, or the receiving contract address would throw an error. Feel free to manually set the gas and proceed. The error message upon sending may be more informative.', // 21
ERROR_22: 'Please enter a valid node name', // 22
ERROR_23:
'Please enter a valid URL. If you are on https, your URL must be https', // 23
ERROR_24: 'Please enter a valid port. ', // 24
ERROR_25: 'Please enter a valid chain ID. ', // 25
ERROR_26: 'Please enter a valid ABI. ', // 26
ERROR_27: 'Minimum amount: 0.01. Maximum Amount: ',
ERROR_28:
'В будущем, для доступа к этому кошельку **Вам понадобится либо файл Keystore/JSON вместе с паролем, либо закрытый ключ**. Пожалуйста, сохраните их и сделайте резервную копию! Если Вы потеряете их, то не сможете восстановить доступ к Вашему кошельку. Обратитесь к [справке](https://www.myetherwallet.com/#help) за инструкциями. ',
ERROR_29: 'Please enter a valid user and password. ', // 29
ERROR_30: 'Please enter a valid name (7+ characters, limited punctuation) ', // 30
ERROR_31: 'Please enter a valid secret phrase. ', // 31
ERROR_32:
'Could not connect to the node. Refresh your page, try a different node (upper right corner), check your firewall settings. If custom node, check your configs.', // 32
ERROR_33:
"The wallet you have unlocked does not match the owner's address. ", // 33
ERROR_34:
'The name you are attempting to reveal does not match the name you have entered. ', // 34
ERROR_35:
'Input address is not checksummed. <a href="https://myetherwallet.groovehq.com/knowledge_base/topics/not-checksummed-shows-when-i-enter-an-address" target="_blank" rel="noopener"> More info</a>', // 35
ERROR_36: 'Enter valid TX hash', // 36
ERROR_37: 'Enter valid hex string (0-9, a-f)', // 37
SUCCESS_1: 'Адрес указан верно ',
SUCCESS_2: 'Кошелёк успешно расшифрован ',
SUCCESS_3:
'Your TX has been broadcast to the network. It is waiting to be mined & confirmed. During ICOs, it may take 3+ hours to confirm. Use the Verify & Check buttons below to see. TX Hash: ',
SUCCESS_4: 'Ваш кошелёк успешно добавлен ',
SUCCESS_5: 'Выбранный файл ',
SUCCESS_6: 'You are successfully connected ',
SUCCESS_7: 'Message Signature Verified',
/* Geth Error Messages */
GETH_InvalidSender: 'Неверный адрес отправителя ',
GETH_Nonce: 'Номер перевода (nonce) слишком мал ',
GETH_Cheap: 'Цена газа слишком низкая ',
GETH_Balance: 'Баланс недостаточен ',
GETH_NonExistentAccount: 'Счёт не существует или баланс счёта слишком мал ',
GETH_InsufficientFunds: 'Недостаточно средств для ГАЗ * ЦЕНА + СУММА ',
GETH_IntrinsicGas: 'Недостаточно газа для выполнения транзакции ',
GETH_GasLimit: 'Превышен лимит газа на блок ',
GETH_NegativeValue: 'Отрицательная сумма ',
/* Parity Error Messages */
PARITY_AlreadyImported: 'Транзакция с данным хэшем уже импортирована.',
@ -343,69 +518,6 @@ module.exports = {
'Цена транзакции превышает текущий лимит газа. Лимит: {}, цена: {}. Поробуйте уменьшить отведённое количество газа.',
PARITY_InvalidGasLimit: 'Отведённое количество газа меньше лимита.',
/* Error Messages */
ERROR_0: 'Пожалуйста, введите сумму корректно. ',
ERROR_1:
'Пароль должен содержать не менее 9 символов. Пожалуйста, используйте сложный пароль. ',
ERROR_2: 'К сожалению, мы не смогли определить формат файла кошелька. ',
ERROR_3: 'Этот файл не является файлом кошелька. ',
ERROR_4:
'Такая единица измерения не существует. Пожалуйста, укажите одну из следующих единиц измерения ',
ERROR_5: 'Неправильный адрес. ',
ERROR_6: 'Неверный пароль. ',
ERROR_7: 'Некорректная сумма. ',
ERROR_8: 'Некорректно указан лимит газа. ',
ERROR_9: 'Недопустимые данные. ',
ERROR_10: 'Некорректно указано количество газа. ',
ERROR_11: 'Неверный номер перевода (nonce). ',
ERROR_12: 'Подписанная транзакция некорректна. ',
ERROR_13: 'Кошелёк с таким названием уже существует. ',
ERROR_14: 'Кошелёк не найден. ',
ERROR_15:
'Предложение с таким идентификатором не существует или при чтении предложения произошла ошибка. ',
ERROR_16:
'Кошелёк с таким адресом уже находится в хранилище. Просмотрите в списке кошельков. ',
ERROR_17:
'Вам необходимо иметь не менее 0.01 эфира (ether) на Вашем счету, чтобы покрыть расходы на газ. Пожалуйста, пложите немного эфира (ether) на счёт и попробуйте снова. ',
ERROR_18:
'Транзакция могла бы истратить весь газ. Это значит, что Вы уже голосовали по данному предложению, или период обсуждения данного предложения закончился. ',
ERROR_19: 'Неправильный символ ',
ERROR_20: 'Not a valid ERC-20 token ',
ERROR_21:
'Could not estimate gas. There are not enough funds in the account, or the receiving contract address would throw an error. Feel free to manually set the gas and proceed. The error message upon sending may be more informative. ',
ERROR_22: 'Please enter valid node name ',
ERROR_23:
'Please enter valid URL. If you are connecting via HTTPS, your node must be over HTTPS ',
ERROR_24: 'Please enter valid port ',
ERROR_25: 'Please enter valid chain ID ',
ERROR_26: 'Please enter valid ABI ',
ERROR_27: 'Minimum amount: 0.01. Maximum Amount: ',
ERROR_28:
'В будущем, для доступа к этому кошельку **Вам понадобится либо файл Keystore/JSON вместе с паролем, либо закрытый ключ**. Пожалуйста, сохраните их и сделайте резервную копию! Если Вы потеряете их, то не сможете восстановить доступ к Вашему кошельку. Обратитесь к [справке](https://www.myetherwallet.com/#help) за инструкциями. ',
ERROR_29: 'Please enter valid user and password ',
ERROR_30: 'Please enter valid ENS name ',
ERROR_31: 'Invalid secret phrase ',
ERROR_32:
'Could not connect to the node. Please refresh the page, or see the help page for more troubleshooting suggestions. ',
SUCCESS_1: 'Адрес указан верно ',
SUCCESS_2: 'Кошелёк успешно расшифрован ',
SUCCESS_3:
'TX was broadcast to the blockchain. Click to see your transaction & verify it was mined and does not have any out of gas or contract execution errors. TX ID: ', //'Транзакция отправлена на выполнение. TX ID ',
SUCCESS_4: 'Ваш кошелёк успешно добавлен ',
SUCCESS_5: 'Выбранный файл ',
SUCCESS_6: 'You are successfully connected ',
SUCCESS_7: 'Message Signature Verified',
/* Geth Error Messages */
GETH_InvalidSender: 'Неверный адрес отправителя ',
GETH_Nonce: 'Номер перевода (nonce) слишком мал ',
GETH_Cheap: 'Цена газа слишком низкая ',
GETH_Balance: 'Баланс недостаточен ',
GETH_NonExistentAccount: 'Счёт не существует или баланс счёта слишком мал ',
GETH_InsufficientFunds: 'Недостаточно средств для ГАЗ * ЦЕНА + СУММА ',
GETH_IntrinsicGas: 'Недостаточно газа для выполнения транзакции ',
GETH_GasLimit: 'Превышен лимит газа на блок ',
GETH_NegativeValue: 'Отрицательная сумма ',
/* Tranlsation Info */
translate_version: '0.3 ',
Translator_Desc: 'Спасибо нашим переводчикам ',
@ -457,7 +569,6 @@ module.exports = {
HELP_1_Desc_4: 'Click "GENERATE". ',
HELP_1_Desc_5: 'Your wallet has now been generated. ',
HELP_2a_Title: '2a) How do I save/backup my wallet? ',
HELP_2a_Desc_1:
'You should always back up your wallet externally and in multiple physical locations - like on a USB drive and/or a piece of paper. ',
HELP_2a_Desc_2:
@ -475,7 +586,7 @@ module.exports = {
'2b) How do I safely / offline / cold storage with MyEtherWallet? ',
HELP_2b_Desc_1:
'Go to [https://github.com/kvhnuke/etherwallet/releases/latest](https://github.com/kvhnuke/etherwallet/releases/latest). ',
HELP_2b_Desc_2: 'Click on `dist-vX.X.X.X.zip`. ',
HELP_2b_Desc_2: 'Click on `etherwallet-vX.X.X.X.zip`. ',
HELP_2b_Desc_3: 'Move zip to an airgapped computer. ',
HELP_2b_Desc_4: 'Unzip it and double-click `index.html`. ',
HELP_2b_Desc_5: 'Generate a wallet with a strong password. ',
@ -522,7 +633,7 @@ module.exports = {
HELP_4_Desc_12:
'A pop-up will appear. Verify that the amount and the address you are sending to are correct. Then click "Yes, I am sure! Make transaction." button. ',
HELP_4_Desc_13:
'The transaction will be submitted. The TX ID will display. You can click that TX ID to see it on the blockchain. ',
'The transaction will be submitted. The TX Hash will display. You can click that TX Hash to see it on the blockchain. ',
HELP_4CX_Title: '4) How do I send Ether using MyEtherWallet CX? ',
HELP_4CX_Desc_1:
@ -589,7 +700,7 @@ module.exports = {
HELP_7_Desc_14:
'A pop-up will appear. Verify that the amount and the address you are sending to are correct. Then click "Yes, I am sure! Make transaction." button. ',
HELP_7_Desc_15:
'The transaction will be submitted. The TX ID will display. You can click that TX ID to see it on the blockchain. ',
'The transaction will be submitted. The TX Hash will display. You can click that TX Hash to see it on the blockchain. ',
HELP_8_Title: '8) What happens if your site goes down? ',
HELP_8_Desc_1:

View File

@ -4,6 +4,83 @@
module.exports = {
code: 'sk',
data: {
HELP_2a_Title: 'How do I save/backup my wallet? ',
/* New Generics */
x_CancelReplaceTx: 'Cancel or Replace Transaction',
x_CancelTx: 'Cancel Transaction',
x_PasswordDesc:
'This password * encrypts * your private key. This does not act as a seed to generate your keys. **You will need this password + your private key to unlock your wallet.**',
x_ReadMore: 'Read More',
x_ReplaceTx: 'Replace Transaction',
x_TransHash: 'Transaction Hash',
x_TXFee: 'TX Fee',
x_TxHash: 'TX Hash',
/* Check TX Status */
NAV_CheckTxStatus: 'Check TX Status',
NAV_TxStatus: 'TX Status',
tx_Details: 'Transaction Details',
tx_Summary:
'During times of high volume (like during ICOs) transactions can be pending for hours, if not days. This tool aims to give you the ability to find and "cancel" / replace these TXs. ** This is not typically something you can do. It should not be relied upon & will only work when the TX Pools are full. [Please, read about this tool here.](https://myetherwallet.groovehq.com/knowledge_base/topics/how-can-i-check-on-the-status-of-my-transaction-can-i-cancel-override-overwrite-replace-or-do-anything-once-a-transaction-has-been-sent)**',
tx_notFound: 'Transaction Not Found',
tx_notFound_1:
'This TX cannot be found in the TX Pool of the node you are connected to.',
tx_notFound_2:
'If you just sent the transaction, please wait 15 seconds and press the "Check TX Status" button again. ',
tx_notFound_3:
'It could still be in the TX Pool of a different node, waiting to be mined.',
tx_notFound_4:
'Please use the dropdown in the top-right & select a different ETH node (e.g. `ETH (Etherscan.io)` or `ETH (Infura.io)` or `ETH (MyEtherWallet)`) and check again.',
tx_foundInPending: 'Pending Transaction Found',
tx_foundInPending_1:
'Your transaction was located in the TX Pool of the node you are connected to. ',
tx_foundInPending_2: 'It is currently pending (waiting to be mined). ',
tx_foundInPending_3:
'There is a chance you can "cancel" or replace this transaction. Unlock your wallet below.',
tx_FoundOnChain: 'Transaction Found',
tx_FoundOnChain_1:
'Your transaction was successfully mined and is on the blockchain.',
tx_FoundOnChain_2:
'**If you see a red `( ! )`, a `BAD INSTRUCTION` or `OUT OF GAS` error message**, it means that the transaction was not successfully *sent*. You cannot cancel or replace this transaction. Instead, send a new transaction. If you received an "Out of Gas" error, you should double the gas limit you specified originally.',
tx_FoundOnChain_3:
'**If you do not see any errors, your transaction was successfully sent.** Your ETH or Tokens are where you sent them. If you cannot see this ETH or Tokens credited in your other wallet / exchange account, and it has been 24+ hours since you sent, please [contact that service](https://myetherwallet.groovehq.com/knowledge_base/topics/i-have-a-question-but-its-not-about-myetherwallet-dot-com-what-do-i-do). Send them the *link* to your transaction and ask them, nicely, to look into your situation.',
/* Gen Wallet Updates */
GEN_Help_1: 'Use your',
GEN_Help_2: 'to access your account.',
GEN_Help_3: 'Your device * is * your wallet.',
GEN_Help_4: 'Guides & FAQ',
GEN_Help_5: 'How to Create a Wallet',
GEN_Help_6: 'Getting Started',
GEN_Help_7:
"Keep it safe · Make a backup · Don't share it with anyone · Don't lose it · It cannot be recovered if you lose it.",
GEN_Help_8: 'Not Downloading a File? ',
GEN_Help_9: 'Try using Google Chrome ',
GEN_Help_10: 'Right click & save file as. Filename: ',
GEN_Help_11: "Don't open this file on your computer ",
GEN_Help_12:
'Use it to unlock your wallet via MyEtherWallet (or Mist, Geth, Parity and other wallet clients.) ',
GEN_Help_13: 'How to Back Up Your Keystore File ',
GEN_Help_14: 'What are these Different Formats? ',
GEN_Help_15: 'Preventing loss &amp; theft of your funds.',
GEN_Help_16: 'What are these Different Formats?',
GEN_Help_17: 'Why Should I?',
GEN_Help_18: 'To have a secondary backup.',
GEN_Help_19: 'In case you ever forget your password.',
GEN_Help_20: 'Cold Storage',
GET_ConfButton: 'I understand. Continue.',
GEN_Label_5: 'Save Your `Private Key`. ',
GEN_Unlock: 'Unlock your wallet to see your address',
GAS_PRICE_Desc:
'Gas Price is the amount you pay per unit of gas. `TX fee = gas price * gas limit` & is paid to miners for including your TX in a block. Higher the gas price = faster transaction, but more expensive. Default is `21 GWEI`.',
GAS_LIMIT_Desc:
'Gas limit is the amount of gas to send with your TX. `TX fee` = gas price * gas limit & is paid to miners for including your TX in a block. Increasing this number will not get your TX mined faster. Sending ETH = `21000`. Sending Tokens = ~`200000`.',
NONCE_Desc:
'The nonce is the number of transactions sent from a given address. It ensures transactions are sent in order & not more than once.',
TXFEE_Desc:
'The TX Fee is paid to miners for including your TX in a block. Is is the `gas limit` * `gas price`. [You can convert GWEI -> ETH here](https://www.myetherwallet.com/helpers.html)',
/* Navigation*/
NAV_AddWallet: 'Pridať peňaženku ',
NAV_BulkGenerate: 'Bulk Generate ',
@ -11,6 +88,7 @@ module.exports = {
NAV_Contracts: 'Contracts ',
NAV_DeployContract: 'Deploy Contract ',
NAV_ENS: 'ENS',
NAV_GenerateWallet_alt: 'New Wallet ',
NAV_GenerateWallet: 'Vytvoriť peňaženku ',
NAV_Help: 'Pomoc ',
NAV_InteractContract: 'Interact with Contract ',
@ -27,7 +105,7 @@ module.exports = {
/* General */
x_Access: 'Access ',
x_AddessDesc:
'Možno to poznate ako vaše "Konto #" alebo váš "Verejný Kľúč". Adresa je to, čo pošlete ľudom, aby vám mohli poslať ETH. Táto ikona vám pomôže rozpoznať vašu adresu. ',
'Your Address can also be known as you `Account #` or your `Public Key`. It is what you share with people so they can send you Ether or Tokens. Find the colorful address icon. Make sure it matches your paper wallet & whenever you enter your address somewhere. Možno to poznate ako vaše "Konto #" alebo váš "Verejný Kľúč". Adresa je to, čo pošlete ľudom, aby vám mohli poslať ETH. Táto ikona vám pomôže rozpoznať vašu adresu. ',
x_Address: 'Vaša Adresa ',
x_Cancel: 'Zrušiť ',
x_CSV: 'CSV súbor (nezašifrovaný) ',
@ -39,6 +117,7 @@ module.exports = {
x_Keystore2: 'Keystore Súbor (UTC / JSON) ',
x_KeystoreDesc:
'Tento Keystore súbor je rovnakého formatu ako Mist takže ho budete môcť jednoducho importovať. Tento subor odporúčame stiahnuť a zálohovať. ',
x_MetaMask: 'Metamask / Mist ',
x_Mnemonic: 'Mnemonic Phrase (MetaMask / Jaxx ) ',
x_ParityPhrase: 'Parity Phrase ',
x_Password: 'Heslo ',
@ -65,7 +144,7 @@ module.exports = {
/* Footer */
FOOTER_1:
'Open-Source, client-side tool for easily &amp; securely interacting with the Ethereum network. ',
'Free, open-source, client-side interface for generating Ethereum wallets &amp; more. Interact with the Ethereum blockchain easily &amp; securely. Double-check the URL ( .com ) before unlocking your wallet.',
FOOTER_1b: 'Vytvorené ',
FOOTER_2: 'Dotácie srdečne vítane: ',
FOOTER_3: 'Client-side wallet generation by ',
@ -82,6 +161,8 @@ module.exports = {
'MyEtherWallet is a free, open-source service dedicated to your privacy and security. The more donations we receive, the more time we spend creating new features, listening to your feedback, and giving you what you want. We are just two people trying to change the world. Help us? ',
sidebar_donate: 'Donate ',
sidebar_thanks: 'THANK YOU!!! ',
sidebar_DisplayOnTrezor: 'Display address on TREZOR',
sidebar_DisplayOnLedger: 'Display address on Ledger',
/* Decrypt Panel */
decrypt_Access: 'How would you like to access your wallet? ',
@ -98,6 +179,10 @@ module.exports = {
ADD_Radio_4: 'Add an Account to Watch ',
ADD_Radio_5: 'Paste/Type Your Mnemonic ',
ADD_Radio_5_Path: 'Select HD derivation path ',
ADD_Radio_5_woTrezor: '(Jaxx, Metamask, Exodus, imToken)',
ADD_Radio_5_withTrezor: '(Jaxx, Metamask, Exodus, imToken, TREZOR)',
ADD_Radio_5_PathAlternative: '(Ledger)',
ADD_Radio_5_PathTrezor: '(TREZOR)',
ADD_Radio_5_PathCustom: 'Custom',
ADD_Label_2: 'Create a Nickname: ',
ADD_Label_3: 'Your wallet is encrypted. Please enter the password ',
@ -108,15 +193,18 @@ module.exports = {
ADD_Label_6: 'Unlock your Wallet ',
ADD_Label_6_short: 'Unlock ',
ADD_Label_7: 'Add Account ',
ADD_Label_8: 'Password (optional): ',
/* Generate Wallets */
GEN_desc: 'If you want to generate multiple wallets, you can do so here ',
GEN_Label_1: 'Enter a strong password (at least 9 characters) ',
GEN_Placeholder_1: 'Do NOT forget to save this! ',
GEN_SuccessMsg: 'Success! Your wallet has been generated. ',
GEN_Label_2: "Save your Wallet File. Don't forget your password. ",
GEN_Label_2: 'Save your Wallet File. ',
GEN_Label_3: 'Save Your Address. ',
GEN_Label_4: 'Optional: Print your paper wallet or store a QR code.',
GEN_Label_4: 'Print paper wallet or a QR code.',
GEN_Aria_1: '',
GEN_Aria_2: '',
/* Bulk Generate Wallets */
BULK_Label_1: 'Number of Wallets To Generate ',
@ -234,6 +322,8 @@ module.exports = {
VIEWWALLET_Subtitle_Short:
'This allows you to download different versions of private keys and re-print your paper wallet. ',
VIEWWALLET_SuccessMsg: 'Success! Here are your wallet details. ',
VIEWWALLET_ShowPrivKey: '(show)',
VIEWWALLET_HidePrivKey: '(hide)',
/* Mnemonic */
MNEM_1: 'Please select the address you would like to interact with. ',
@ -243,20 +333,28 @@ module.exports = {
MNEM_prev: 'Previous Addresses ',
/* Hardware wallets */
x_Ledger: 'Ledger Nano S ',
ADD_Ledger_1: 'Connect your Ledger Nano S ',
x_Ledger: 'Ledger Wallet ',
ADD_Ledger_1: 'Connect your Ledger Wallet ',
ADD_Ledger_2: 'Open the Ethereum application (or a contract application) ',
ADD_Ledger_3: 'Verify that Browser Support is enabled in Settings ',
ADD_Ledger_4:
'If no Browser Support is found in settings, verify that you have [Firmware >1.2](https://www.ledgerwallet.com/apps/manager) ',
ADD_Ledger_0a: 'Re-open MyEtherWallet on a secure (SSL) connection ',
ADD_Ledger_0a:
'You must access MyEtherWallet via a secure (SSL / HTTPS) connection to connect. ',
ADD_Ledger_0b:
'Re-open MyEtherWallet using [Chrome](https://www.google.com/chrome/browser/desktop/) or [Opera](https://www.opera.com/) ',
ADD_Ledger_scan: 'Connect to Ledger Nano S ',
ADD_Ledger_scan: 'Connect to Ledger Wallet ',
ADD_MetaMask: 'Connect to MetaMask ',
x_Trezor: 'TREZOR ',
ADD_Trezor_scan: 'Connect to TREZOR ',
ADD_Trezor_select: 'This is a TREZOR seed ',
x_DigitalBitbox: 'Digital Bitbox ',
ADD_DigitalBitbox_0a: 'Re-open MyEtherWallet on a secure (SSL) connection ',
ADD_DigitalBitbox_0b:
'Re-open MyEtherWallet using [Chrome](https://www.google.com/chrome/browser/desktop/) or [Opera](https://www.opera.com/) ',
ADD_DigitalBitbox_scan: 'Connect your Digital Bitbox ',
/* Chrome Extension */
CX_error_1:
@ -299,6 +397,7 @@ module.exports = {
SWAP_start_CTA: 'Start Swap ',
SWAP_ref_num: 'Your reference number ',
SWAP_time: 'Time remaining to send ',
SWAP_elapsed: 'Time elapsed since sent ',
SWAP_progress_1: 'Order Initiated ',
SWAP_progress_2: 'Waiting for your ', // Waiting for your BTC...
SWAP_progress_3: 'Received! ', // ETH Received!
@ -321,53 +420,64 @@ module.exports = {
'Include a specific reason for the message so it cannot be reused for a different purpose. ',
/* Error Messages */
ERROR_0: 'Please enter valid amount. ',
ERROR_0: 'Please enter a valid amount.', // 0
ERROR_1:
'Your password must be at least 9 characters. Please ensure it is a strong password. ',
ERROR_2: "Sorry! We don't recognize this type of wallet file. ",
ERROR_3: 'This is not a valid wallet file. ',
'Your password must be at least 9 characters. Please ensure it is a strong password. ', // 1
ERROR_2: "Sorry! We don't recognize this type of wallet file. ", // 2
ERROR_3: 'This is not a valid wallet file. ', // 3
ERROR_4:
"This unit doesn't exists, please use the one of the following units ",
ERROR_5: 'Invalid address. ',
ERROR_6: 'Invalid password. ',
ERROR_7: 'Invalid amount. ',
ERROR_8: 'Invalid gas limit. ',
ERROR_9: 'Invalid data value. ',
ERROR_10: 'Invalid gas amount. ',
ERROR_11: 'Invalid nonce. ',
ERROR_12: 'Invalid signed transaction. ',
ERROR_13: 'A wallet with this nickname already exists. ',
ERROR_14: 'Wallet not found. ',
"This unit doesn't exists, please use the one of the following units ", // 4
ERROR_5: 'Please enter a valid address. ', // 5
ERROR_6: 'Please enter a valid password. ', // 6
ERROR_7: 'Please enter valid decimals (Must be integer, 0-18). ', // 7
ERROR_8:
'Please enter a valid gas limit (Must be integer. Try 21000-4000000). ', // 8
ERROR_9: 'Please enter a valid data value (Must be hex). ', // 9
ERROR_10:
'Please enter a valid gas price. (Must be integer. Try 20 GWEI (20000000000 WEI)',
ERROR_11: 'Please enter a valid nonce (Must be integer).', // 11
ERROR_12: 'Invalid signed transaction. ', // 12
ERROR_13: 'A wallet with this nickname already exists. ', // 13
ERROR_14: 'Wallet not found. ', // 14
ERROR_15:
"It doesn't look like a proposal with this ID exists yet or there is an error reading this proposal. ",
"Whoops. It doesn't look like a proposal with this ID exists yet or there is an error reading this proposal. ", // 15 - NOT USED
ERROR_16:
'A wallet with this address already exists in storage. Please check your wallets page. ',
'A wallet with this address already exists in storage. Please check your wallets page. ', // 16
ERROR_17:
'You need to have **0.01 ETH** in your account to cover the cost of gas. Please add some ETH and try again. ',
'Account you are sending from does not have enough funds. If sending tokens, you must have 0.01 ETH in your account to cover the cost of gas. ', // 17
ERROR_18:
'All gas would be used on this transaction. This means you have already voted on this proposal or the debate period has ended. ',
ERROR_19: 'Invalid symbol ',
ERROR_20: 'Not a valid ERC-20 token ',
'All gas would be used on this transaction. This means you have already voted on this proposal or the debate period has ended.', // 18
ERROR_19: 'Please enter a valid symbol', // 19
ERROR_20: 'Not a valid ERC-20 token', // 20
ERROR_21:
'Could not estimate gas. There are not enough funds in the account, or the receiving contract address would throw an error. Feel free to manually set the gas and proceed. The error message upon sending may be more informative. ',
ERROR_22: 'Please enter valid node name ',
'Could not estimate gas. There are not enough funds in the account, or the receiving contract address would throw an error. Feel free to manually set the gas and proceed. The error message upon sending may be more informative.', // 21
ERROR_22: 'Please enter a valid node name', // 22
ERROR_23:
'Please enter valid URL. If you are connecting via HTTPS, your node must be over HTTPS ',
ERROR_24: 'Please enter valid port ',
ERROR_25: 'Please enter valid chain ID ',
ERROR_26: 'Please enter valid ABI ',
ERROR_27: 'Minimum amount: 0.01. Maximum Amount: ',
'Please enter a valid URL. If you are on https, your URL must be https', // 23
ERROR_24: 'Please enter a valid port. ', // 24
ERROR_25: 'Please enter a valid chain ID. ', // 25
ERROR_26: 'Please enter a valid ABI. ', // 26
ERROR_27: 'Minimum amount: 0.01. Max amount: ', // 27
ERROR_28:
'**You need your Keystore File & Password** (or Private Key) to access this wallet in the future. Please save & back it up externally! There is no way to recover a wallet if you do not save it. Read the [help page](https://www.myetherwallet.com/#help) for instructions. ',
ERROR_29: 'Please enter valid user and password ',
ERROR_30: 'Please enter valid ENS name ',
ERROR_31: 'Invalid secret phrase ',
'You need this `Keystore File + Password` or the `Private Key` (next page) to access this wallet in the future. ', // 28
ERROR_29: 'Please enter a valid user and password. ', // 29
ERROR_30: 'Please enter a valid name (7+ characters, limited punctuation) ', // 30
ERROR_31: 'Please enter a valid secret phrase. ', // 31
ERROR_32:
'Could not connect to the node. Please refresh the page, or see the help page for more troubleshooting suggestions. ',
'Could not connect to the node. Refresh your page, try a different node (upper right corner), check your firewall settings. If custom node, check your configs.', // 32
ERROR_33:
"The wallet you have unlocked does not match the owner's address. ", // 33
ERROR_34:
'The name you are attempting to reveal does not match the name you have entered. ', // 34
ERROR_35:
'Input address is not checksummed. <a href="https://myetherwallet.groovehq.com/knowledge_base/topics/not-checksummed-shows-when-i-enter-an-address" target="_blank" rel="noopener"> More info</a>', // 35
ERROR_36: 'Enter valid TX hash', // 36
ERROR_37: 'Enter valid hex string (0-9, a-f)', // 37
SUCCESS_1: 'Valid address ',
SUCCESS_2: 'Wallet successfully decrypted ',
SUCCESS_3:
'TX was broadcast to the blockchain. Click to see your transaction & verify it was mined and does not have any out of gas or contract execution errors. TX ID: ', //'Transaction submitted. TX ID ',
'Your TX has been broadcast to the network. It is waiting to be mined & confirmed. During ICOs, it may take 3+ hours to confirm. Use the Verify & Check buttons below to see. TX Hash: ', //'Your TX has been broadcast to the network. It is waiting to be mined & confirmed. During ICOs, it may take 3+ hours to confirm. Use the Verify & Check buttons below to see. TX Hash: ', //
SUCCESS_4: 'Your wallet was successfully added ',
SUCCESS_5: 'File Selected ',
SUCCESS_6: 'You are successfully connected ',
@ -398,7 +508,7 @@ module.exports = {
PARITY_InsufficientGasPrice:
"Transaction fee is too low. It does not satisfy your node's minimal fee (minimal: {}, got: {}). Try increasing the fee.",
PARITY_InsufficientBalance:
'Insufficient funds. Account you try to send transaction from does not have enough funds. Required {} and got: {}.',
'Insufficient funds. Account you try to send transaction from does not have enough funds. Required {} wei and got: {} wei.',
PARITY_GasLimitExceeded:
'Transaction cost exceeds current gas limit. Limit: {}, got: {}. Try decreasing supplied gas.',
PARITY_InvalidGasLimit: 'Supplied gas is beyond limit.',
@ -453,7 +563,6 @@ module.exports = {
HELP_1_Desc_4: 'Click "GENERATE". ',
HELP_1_Desc_5: 'Your wallet has now been generated. ',
HELP_2a_Title: '2a) How do I save/backup my wallet? ',
HELP_2a_Desc_1:
'You should always back up your wallet externally and in multiple physical locations - like on a USB drive and/or a piece of paper. ',
HELP_2a_Desc_2:
@ -471,7 +580,7 @@ module.exports = {
'2b) How do I safely / offline / cold storage with MyEtherWallet? ',
HELP_2b_Desc_1:
'Go to [https://github.com/kvhnuke/etherwallet/releases/latest](https://github.com/kvhnuke/etherwallet/releases/latest). ',
HELP_2b_Desc_2: 'Click on `dist-vX.X.X.X.zip`. ',
HELP_2b_Desc_2: 'Click on `etherwallet-vX.X.X.X.zip`. ',
HELP_2b_Desc_3: 'Move zip to an airgapped computer. ',
HELP_2b_Desc_4: 'Unzip it and double-click `index.html`. ',
HELP_2b_Desc_5: 'Generate a wallet with a strong password. ',
@ -518,7 +627,7 @@ module.exports = {
HELP_4_Desc_12:
'A pop-up will appear. Verify that the amount and the address you are sending to are correct. Then click "Yes, I am sure! Make transaction." button. ',
HELP_4_Desc_13:
'The transaction will be submitted. The TX ID will display. You can click that TX ID to see it on the blockchain. ',
'The transaction will be submitted. The TX Hash will display. You can click that TX Hash to see it on the blockchain. ',
HELP_4CX_Title: '4) How do I send Ether using MyEtherWallet CX? ',
HELP_4CX_Desc_1:
@ -585,7 +694,7 @@ module.exports = {
HELP_7_Desc_14:
'A pop-up will appear. Verify that the amount and the address you are sending to are correct. Then click "Yes, I am sure! Make transaction." button. ',
HELP_7_Desc_15:
'The transaction will be submitted. The TX ID will display. You can click that TX ID to see it on the blockchain. ',
'The transaction will be submitted. The TX Hash will display. You can click that TX Hash to see it on the blockchain. ',
HELP_8_Title: '8) What happens if your site goes down? ',
HELP_8_Desc_1:

View File

@ -4,6 +4,83 @@
module.exports = {
code: 'sl',
data: {
HELP_2a_Title: 'How do I save/backup my wallet? ',
/* New Generics */
x_CancelReplaceTx: 'Cancel or Replace Transaction',
x_CancelTx: 'Cancel Transaction',
x_PasswordDesc:
'This password * encrypts * your private key. This does not act as a seed to generate your keys. **You will need this password + your private key to unlock your wallet.**',
x_ReadMore: 'Read More',
x_ReplaceTx: 'Replace Transaction',
x_TransHash: 'Transaction Hash',
x_TXFee: 'TX Fee',
x_TxHash: 'TX Hash',
/* Check TX Status */
NAV_CheckTxStatus: 'Check TX Status',
NAV_TxStatus: 'TX Status',
tx_Details: 'Transaction Details',
tx_Summary:
'During times of high volume (like during ICOs) transactions can be pending for hours, if not days. This tool aims to give you the ability to find and "cancel" / replace these TXs. ** This is not typically something you can do. It should not be relied upon & will only work when the TX Pools are full. [Please, read about this tool here.](https://myetherwallet.groovehq.com/knowledge_base/topics/how-can-i-check-on-the-status-of-my-transaction-can-i-cancel-override-overwrite-replace-or-do-anything-once-a-transaction-has-been-sent)**',
tx_notFound: 'Transaction Not Found',
tx_notFound_1:
'This TX cannot be found in the TX Pool of the node you are connected to.',
tx_notFound_2:
'If you just sent the transaction, please wait 15 seconds and press the "Check TX Status" button again. ',
tx_notFound_3:
'It could still be in the TX Pool of a different node, waiting to be mined.',
tx_notFound_4:
'Please use the dropdown in the top-right & select a different ETH node (e.g. `ETH (Etherscan.io)` or `ETH (Infura.io)` or `ETH (MyEtherWallet)`) and check again.',
tx_foundInPending: 'Pending Transaction Found',
tx_foundInPending_1:
'Your transaction was located in the TX Pool of the node you are connected to. ',
tx_foundInPending_2: 'It is currently pending (waiting to be mined). ',
tx_foundInPending_3:
'There is a chance you can "cancel" or replace this transaction. Unlock your wallet below.',
tx_FoundOnChain: 'Transaction Found',
tx_FoundOnChain_1:
'Your transaction was successfully mined and is on the blockchain.',
tx_FoundOnChain_2:
'**If you see a red `( ! )`, a `BAD INSTRUCTION` or `OUT OF GAS` error message**, it means that the transaction was not successfully *sent*. You cannot cancel or replace this transaction. Instead, send a new transaction. If you received an "Out of Gas" error, you should double the gas limit you specified originally.',
tx_FoundOnChain_3:
'**If you do not see any errors, your transaction was successfully sent.** Your ETH or Tokens are where you sent them. If you cannot see this ETH or Tokens credited in your other wallet / exchange account, and it has been 24+ hours since you sent, please [contact that service](https://myetherwallet.groovehq.com/knowledge_base/topics/i-have-a-question-but-its-not-about-myetherwallet-dot-com-what-do-i-do). Send them the *link* to your transaction and ask them, nicely, to look into your situation.',
/* Gen Wallet Updates */
GEN_Help_1: 'Use your',
GEN_Help_2: 'to access your account.',
GEN_Help_3: 'Your device * is * your wallet.',
GEN_Help_4: 'Guides & FAQ',
GEN_Help_5: 'How to Create a Wallet',
GEN_Help_6: 'Getting Started',
GEN_Help_7:
"Keep it safe · Make a backup · Don't share it with anyone · Don't lose it · It cannot be recovered if you lose it.",
GEN_Help_8: 'Not Downloading a File? ',
GEN_Help_9: 'Try using Google Chrome ',
GEN_Help_10: 'Right click & save file as. Filename: ',
GEN_Help_11: "Don't open this file on your computer ",
GEN_Help_12:
'Use it to unlock your wallet via MyEtherWallet (or Mist, Geth, Parity and other wallet clients.) ',
GEN_Help_13: 'How to Back Up Your Keystore File ',
GEN_Help_14: 'What are these Different Formats? ',
GEN_Help_15: 'Preventing loss &amp; theft of your funds.',
GEN_Help_16: 'What are these Different Formats?',
GEN_Help_17: 'Why Should I?',
GEN_Help_18: 'To have a secondary backup.',
GEN_Help_19: 'In case you ever forget your password.',
GEN_Help_20: 'Cold Storage',
GET_ConfButton: 'I understand. Continue.',
GEN_Label_5: 'Save Your `Private Key`. ',
GEN_Unlock: 'Unlock your wallet to see your address',
GAS_PRICE_Desc:
'Gas Price is the amount you pay per unit of gas. `TX fee = gas price * gas limit` & is paid to miners for including your TX in a block. Higher the gas price = faster transaction, but more expensive. Default is `21 GWEI`.',
GAS_LIMIT_Desc:
'Gas limit is the amount of gas to send with your TX. `TX fee` = gas price * gas limit & is paid to miners for including your TX in a block. Increasing this number will not get your TX mined faster. Sending ETH = `21000`. Sending Tokens = ~`200000`.',
NONCE_Desc:
'The nonce is the number of transactions sent from a given address. It ensures transactions are sent in order & not more than once.',
TXFEE_Desc:
'The TX Fee is paid to miners for including your TX in a block. Is is the `gas limit` * `gas price`. [You can convert GWEI -> ETH here](https://www.myetherwallet.com/helpers.html)',
/* Navigation*/
NAV_AddWallet: 'Dodaj Denarnico ',
NAV_BulkGenerate: 'Ustvari Serijo Denarnic ',
@ -11,6 +88,7 @@ module.exports = {
NAV_Contracts: 'Contracts ',
NAV_DeployContract: 'Deploy Contract ',
NAV_ENS: 'ENS',
NAV_GenerateWallet_alt: 'New Wallet ',
NAV_GenerateWallet: 'Ustvari Denarnico ',
NAV_Help: 'Pomoč ',
NAV_InteractContract: 'Interact with Contract ',
@ -27,7 +105,7 @@ module.exports = {
/* General */
x_Access: 'Access ',
x_AddessDesc:
'To je vaš "Naslov #" oziroma vaš "Osebni Ključ". Ta naslov lahko pošljete drugim, zato da vedo kam vam poslati ether. Ta ikona je unikatna, je grafični prikaz številke vašega naslova in vam ga pomaga lažje prepoznati. ',
'Your Address can also be known as you `Account #` or your `Public Key`. It is what you share with people so they can send you Ether or Tokens. Find the colorful address icon. Make sure it matches your paper wallet & whenever you enter your address somewhere. To je vaš "Naslov #" oziroma vaš "Osebni Ključ". Ta naslov lahko pošljete drugim, zato da vedo kam vam poslati ether. Ta ikona je unikatna, je grafični prikaz številke vašega naslova in vam ga pomaga lažje prepoznati. ',
x_Address: 'Vaš Naslov ',
x_Cancel: 'Prekliči ',
x_CSV: 'CSV datoteka (nekriptirana) ',
@ -40,6 +118,7 @@ module.exports = {
x_Keystore2: 'Datoteka za Shrambo ključa Keystore (UTC / JSON) ',
x_KeystoreDesc:
'Ta datoteka za shrambo osebnega ključa Keystore se ujema s formatom datoteke, ki jo uporabljata programa Mist, kar pomeni da ga lahko v prihodnosti enostavno izvozite iz te internetne strani in uvozite v Mist ali Geth. Priporočamo vam da to datoteko prenesete na vaš računalnik in jo shranite na varnem mestu. Za dodatno varnost priporočamo, da datoteko shranite na večih napravah. ',
x_MetaMask: 'Metamask / Mist ',
x_Mnemonic: 'Mnemonic Phrase ',
x_ParityPhrase: 'Parity Phrase ',
x_Password: 'Geslo ',
@ -91,6 +170,7 @@ module.exports = {
SWAP_start_CTA: 'Start Swap ',
SWAP_ref_num: 'Your reference number ',
SWAP_time: 'Time remaining to send ',
SWAP_elapsed: 'Time elapsed since sent ',
SWAP_progress_1: 'Order Initiated ',
SWAP_progress_2: 'Waiting for your ', // Waiting for your BTC...
SWAP_progress_3: 'Received! ', // ETH Received!
@ -120,19 +200,28 @@ module.exports = {
MNEM_prev: 'Previous Addresses ',
/* Hardware wallets */
x_Ledger: 'Ledger Nano S ',
ADD_Ledger_1: 'Connect your Ledger Nano S ',
x_Ledger: 'Ledger Wallet ',
ADD_Ledger_1: 'Connect your Ledger Wallet ',
ADD_Ledger_2: 'Open the Ethereum application (or a contract application) ',
ADD_Ledger_3: 'Verify that Browser Support is enabled in Settings ',
ADD_Ledger_4:
'If no Browser Support is found in settings, verify that you have [Firmware >1.2](https://www.ledgerwallet.com/apps/manager) ',
ADD_Ledger_0a: 'Re-open MyEtherWallet on a secure (SSL) connection ',
ADD_Ledger_0a:
'You must access MyEtherWallet via a secure (SSL / HTTPS) connection to connect. ',
ADD_Ledger_0b:
'Re-open MyEtherWallet using [Chrome](https://www.google.com/chrome/browser/desktop/) or [Opera](https://www.opera.com/) ',
ADD_Ledger_scan: 'Connect to Ledger Nano S ',
ADD_Ledger_scan: 'Connect to Ledger Wallet ',
ADD_MetaMask: 'Connect to MetaMask ',
x_Trezor: 'TREZOR ',
ADD_Trezor_scan: 'Connect to TREZOR ',
ADD_Trezor_select: 'This is a TREZOR seed ',
x_DigitalBitbox: 'Digital Bitbox ',
ADD_DigitalBitbox_0a: 'Re-open MyEtherWallet on a secure (SSL) connection ',
ADD_DigitalBitbox_0b:
'Re-open MyEtherWallet using [Chrome](https://www.google.com/chrome/browser/desktop/) or [Opera](https://www.opera.com/) ',
ADD_DigitalBitbox_scan: 'Connect your Digital Bitbox ',
/* Header */
MEW_Warning_1:
@ -146,6 +235,7 @@ module.exports = {
/* Footer */
FOOTER_1:
'Odprto-kodni, JavaScript, orodje za generiranje Ether Denarnic in pošiljanje transakcij za splošno uporabo. ',
FOOTER_1b: 'Created by ',
FOOTER_2: 'Donacije so zelo dobrodošle: ',
FOOTER_3: 'Generacija Denarnic za splošno uporabo je ustvaril ',
FOOTER_4: 'Disclaimer ',
@ -161,6 +251,8 @@ module.exports = {
'MyEtherWallet je brezplačna, odprto-kodna, platforma, ki skrbi za vaše privatne informacije in vašo varnost. Več donacij ko dobimo, več časa lahko posvetimo ustvarjanju novih funkcij, ter se lahko bolje posvetimo vašim željam, da tko da vam vedno lahko ponudimo karseda najboljši produkt. MyEtherWallet je ekipa dveh ljudi, ki se trudi spremeniti svet. Hvaležni bomo vaše pomoči. ',
sidebar_donate: 'Doniraj ',
sidebar_thanks: 'Najlepša vam hvala!!! ',
sidebar_DisplayOnTrezor: 'Display address on TREZOR',
sidebar_DisplayOnLedger: 'Display address on Ledger',
/* Decrypt Panel */
decrypt_Access: 'Kako bi želeli dostopati do vaše denarnice? ',
@ -177,6 +269,10 @@ module.exports = {
ADD_Radio_4: 'Dodaj Račun, ki ga Želite Opazovati ',
ADD_Radio_5: 'Paste/Type Your Mnemonic ',
ADD_Radio_5_Path: 'Select HD derivation path ',
ADD_Radio_5_woTrezor: '(Jaxx, Metamask, Exodus, imToken)',
ADD_Radio_5_withTrezor: '(Jaxx, Metamask, Exodus, imToken, TREZOR)',
ADD_Radio_5_PathAlternative: '(Ledger)',
ADD_Radio_5_PathTrezor: '(TREZOR)',
ADD_Radio_5_PathCustom: 'Custom',
ADD_Label_2: 'Ustvari Vzdevek: ',
ADD_Label_3: 'Vaša denarnica je kriptirana. Prosim unesite geslo ',
@ -187,6 +283,7 @@ module.exports = {
ADD_Label_6: 'Odklenite vašo Denarnico ',
ADD_Label_6_short: 'Odkleni ',
ADD_Label_7: 'Dodaj Račun ',
ADD_Label_8: 'Password (optional): ',
/* Generate Wallets */
GEN_desc: 'Če želite ustvariti več denarnic, lahko to storite tukaj ',
@ -198,6 +295,8 @@ module.exports = {
GEN_Label_3: 'Shranite Vaš Naslov. ',
GEN_Label_4:
'Neobvezno: Natisnite svojo papirnato denarnico, ali shranite QR kodo vaše denarnice.',
GEN_Aria_1: '',
GEN_Aria_2: '',
/* Bulk Generate Wallets */
BULK_Label_1: 'Number of Wallets To Generate ',
@ -208,7 +307,6 @@ module.exports = {
SEND_addr: 'To Address ',
SEND_amount: 'Amount to Send ',
SEND_amount_short: 'Amount ',
// SEND_custom : 'Custom ',
SEND_gas: 'Gas ',
SEND_TransferTotal: 'Send Entire Balance ',
SEND_generate: 'Generate Signed Transaction ',
@ -315,6 +413,8 @@ module.exports = {
VIEWWALLET_Subtitle_Short:
'This allows you to download different versions of private keys and re-print your paper wallet. ',
VIEWWALLET_SuccessMsg: 'Success! Here are your wallet details. ',
VIEWWALLET_ShowPrivKey: '(show)',
VIEWWALLET_HidePrivKey: '(hide)',
/* Chrome Extension */
CX_error_1:
@ -322,53 +422,64 @@ module.exports = {
CX_quicksend: 'QuickSend ', // if no appropriate translation, just use "Send"
/* Error Messages */
ERROR_0: 'Please enter valid amount. ',
ERROR_0: 'Please enter a valid amount.', // 0
ERROR_1:
'Your password must be at least 9 characters. Please ensure it is a strong password. ',
ERROR_2: "Sorry! We don't recognize this type of wallet file. ",
ERROR_3: 'This is not a valid wallet file. ',
'Your password must be at least 9 characters. Please ensure it is a strong password. ', // 1
ERROR_2: "Sorry! We don't recognize this type of wallet file. ", // 2
ERROR_3: 'This is not a valid wallet file. ', // 3
ERROR_4:
"This unit doesn't exists, please use the one of the following units ",
ERROR_5: 'Invalid address. ',
ERROR_6: 'Invalid password. ',
ERROR_7: 'Invalid amount. ',
ERROR_8: 'Invalid gas limit. ',
ERROR_9: 'Invalid data value. ',
ERROR_10: 'Invalid gas amount. ',
ERROR_11: 'Invalid nonce. ',
ERROR_12: 'Invalid signed transaction. ',
ERROR_13: 'A wallet with this nickname already exists. ',
ERROR_14: 'Wallet not found. ',
"This unit doesn't exists, please use the one of the following units ", // 4
ERROR_5: 'Please enter a valid address. ', // 5
ERROR_6: 'Please enter a valid password. ', // 6
ERROR_7: 'Please enter valid decimals (Must be integer, 0-18). ', // 7
ERROR_8:
'Please enter a valid gas limit (Must be integer. Try 21000-4000000). ', // 8
ERROR_9: 'Please enter a valid data value (Must be hex). ', // 9
ERROR_10:
'Please enter a valid gas price. (Must be integer. Try 20 GWEI (20000000000 WEI)',
ERROR_11: 'Please enter a valid nonce (Must be integer).', // 11
ERROR_12: 'Invalid signed transaction. ', // 12
ERROR_13: 'A wallet with this nickname already exists. ', // 13
ERROR_14: 'Wallet not found. ', // 14
ERROR_15:
"It doesn't look like a proposal with this ID exists yet or there is an error reading this proposal. ",
"Whoops. It doesn't look like a proposal with this ID exists yet or there is an error reading this proposal. ", // 15 - NOT USED
ERROR_16:
'A wallet with this address already exists in storage. Please check your wallets page. ',
'A wallet with this address already exists in storage. Please check your wallets page. ', // 16
ERROR_17:
'You need to have **0.01 ETH** in your account to cover the cost of gas. Please add some ETH and try again. ',
'Account you are sending from does not have enough funds. If sending tokens, you must have 0.01 ETH in your account to cover the cost of gas. ', // 17
ERROR_18:
'All gas would be used on this transaction. This means you have already voted on this proposal or the debate period has ended. ',
ERROR_19: 'Invalid symbol ',
ERROR_20: 'Not a valid ERC-20 token ',
'All gas would be used on this transaction. This means you have already voted on this proposal or the debate period has ended.', // 18
ERROR_19: 'Please enter a valid symbol', // 19
ERROR_20: 'Not a valid ERC-20 token', // 20
ERROR_21:
'Could not estimate gas. There are not enough funds in the account, or the receiving contract address would throw an error. Feel free to manually set the gas and proceed. The error message upon sending may be more informative. ',
ERROR_22: 'Please enter valid node name ',
'Could not estimate gas. There are not enough funds in the account, or the receiving contract address would throw an error. Feel free to manually set the gas and proceed. The error message upon sending may be more informative.', // 21
ERROR_22: 'Please enter a valid node name', // 22
ERROR_23:
'Please enter valid URL. If you are connecting via HTTPS, your node must be over HTTPS ',
ERROR_24: 'Please enter valid port ',
ERROR_25: 'Please enter valid chain ID ',
ERROR_26: 'Please enter valid ABI ',
ERROR_27: 'Minimum amount: 0.01. Maximum Amount: ',
'Please enter a valid URL. If you are on https, your URL must be https', // 23
ERROR_24: 'Please enter a valid port. ', // 24
ERROR_25: 'Please enter a valid chain ID. ', // 25
ERROR_26: 'Please enter a valid ABI. ', // 26
ERROR_27: 'Minimum amount: 0.01. Max amount: ', // 27
ERROR_28:
'**Za dostop te denarnice v prihodnosti podrebujete vašo Datoteko za hrambo osebnega ključa Keystore/JSON ter geslo ali osebni ključ**. Prosimo vas da to datoteko shranite na enem ali več varnih mestih! V primeru da to datoteko izgubite, denarnice in vašega Ethra nihče ne mora obnoviti, kar pomeni da bo dostop do vašega Ethra za vedno izgubljen. Za več informacij preberite [help page](https://www.myetherwallet.com/#help). ',
ERROR_29: 'Please enter valid user and password ',
ERROR_30: 'Please enter valid ENS name ',
ERROR_31: 'Invalid secret phrase ',
ERROR_29: 'Please enter a valid user and password. ', // 29
ERROR_30: 'Please enter a valid name (7+ characters, limited punctuation) ', // 30
ERROR_31: 'Please enter a valid secret phrase. ', // 31
ERROR_32:
'Could not connect to the node. Please refresh the page, or see the help page for more troubleshooting suggestions. ',
'Could not connect to the node. Refresh your page, try a different node (upper right corner), check your firewall settings. If custom node, check your configs.', // 32
ERROR_33:
"The wallet you have unlocked does not match the owner's address. ", // 33
ERROR_34:
'The name you are attempting to reveal does not match the name you have entered. ', // 34
ERROR_35:
'Input address is not checksummed. <a href="https://myetherwallet.groovehq.com/knowledge_base/topics/not-checksummed-shows-when-i-enter-an-address" target="_blank" rel="noopener"> More info</a>', // 35
ERROR_36: 'Enter valid TX hash', // 36
ERROR_37: 'Enter valid hex string (0-9, a-f)', // 37
SUCCESS_1: 'Valid address ',
SUCCESS_2: 'Wallet successfully decrypted ',
SUCCESS_3:
'TX was broadcast to the blockchain. Click to see your transaction & verify it was mined and does not have any out of gas or contract execution errors. TX ID: ', //'Transaction submitted. TX ID ',
'Your TX has been broadcast to the network. It is waiting to be mined & confirmed. During ICOs, it may take 3+ hours to confirm. Use the Verify & Check buttons below to see. TX Hash: ', //'Your TX has been broadcast to the network. It is waiting to be mined & confirmed. During ICOs, it may take 3+ hours to confirm. Use the Verify & Check buttons below to see. TX Hash: ', //
SUCCESS_4: 'Your wallet was successfully added ',
SUCCESS_5: 'File Selected ',
SUCCESS_6: 'You are successfully connected ',
@ -399,7 +510,7 @@ module.exports = {
PARITY_InsufficientGasPrice:
"Transaction fee is too low. It does not satisfy your node's minimal fee (minimal: {}, got: {}). Try increasing the fee.",
PARITY_InsufficientBalance:
'Insufficient funds. Account you try to send transaction from does not have enough funds. Required {} and got: {}.',
'Insufficient funds. Account you try to send transaction from does not have enough funds. Required {} wei and got: {} wei.',
PARITY_GasLimitExceeded:
'Transaction cost exceeds current gas limit. Limit: {}, got: {}. Try decreasing supplied gas.',
PARITY_InvalidGasLimit: 'Supplied gas is beyond limit.',
@ -454,7 +565,6 @@ module.exports = {
HELP_1_Desc_4: 'Click "GENERATE". ',
HELP_1_Desc_5: 'Your wallet has now been generated. ',
HELP_2a_Title: '2a) How do I save/backup my wallet? ',
HELP_2a_Desc_1:
'You should always back up your wallet externally and in multiple physical locations - like on a USB drive and/or a piece of paper. ',
HELP_2a_Desc_2:
@ -472,7 +582,7 @@ module.exports = {
'2b) How do I safely / offline / cold storage with MyEtherWallet? ',
HELP_2b_Desc_1:
'Go to [https://github.com/kvhnuke/etherwallet/releases/latest](https://github.com/kvhnuke/etherwallet/releases/latest). ',
HELP_2b_Desc_2: 'Click on `dist-vX.X.X.X.zip`. ',
HELP_2b_Desc_2: 'Click on `etherwallet-vX.X.X.X.zip`. ',
HELP_2b_Desc_3: 'Move zip to an airgapped computer. ',
HELP_2b_Desc_4: 'Unzip it and double-click `index.html`. ',
HELP_2b_Desc_5: 'Generate a wallet with a strong password. ',
@ -519,7 +629,7 @@ module.exports = {
HELP_4_Desc_12:
'A pop-up will appear. Verify that the amount and the address you are sending to are correct. Then click "Yes, I am sure! Make transaction." button. ',
HELP_4_Desc_13:
'The transaction will be submitted. The TX ID will display. You can click that TX ID to see it on the blockchain. ',
'The transaction will be submitted. The TX Hash will display. You can click that TX Hash to see it on the blockchain. ',
HELP_4CX_Title: '4) How do I send Ether using MyEtherWallet CX? ',
HELP_4CX_Desc_1:
@ -586,7 +696,7 @@ module.exports = {
HELP_7_Desc_14:
'A pop-up will appear. Verify that the amount and the address you are sending to are correct. Then click "Yes, I am sure! Make transaction." button. ',
HELP_7_Desc_15:
'The transaction will be submitted. The TX ID will display. You can click that TX ID to see it on the blockchain. ',
'The transaction will be submitted. The TX Hash will display. You can click that TX Hash to see it on the blockchain. ',
HELP_8_Title: '8) What happens if your site goes down? ',
HELP_8_Desc_1:

View File

@ -4,6 +4,83 @@
module.exports = {
code: 'sv',
data: {
HELP_2a_Title: 'How do I save/backup my wallet? ',
/* New Generics */
x_CancelReplaceTx: 'Cancel or Replace Transaction',
x_CancelTx: 'Cancel Transaction',
x_PasswordDesc:
'This password * encrypts * your private key. This does not act as a seed to generate your keys. **You will need this password + your private key to unlock your wallet.**',
x_ReadMore: 'Read More',
x_ReplaceTx: 'Replace Transaction',
x_TransHash: 'Transaction Hash',
x_TXFee: 'TX Fee',
x_TxHash: 'TX Hash',
/* Check TX Status */
NAV_CheckTxStatus: 'Check TX Status',
NAV_TxStatus: 'TX Status',
tx_Details: 'Transaction Details',
tx_Summary:
'During times of high volume (like during ICOs) transactions can be pending for hours, if not days. This tool aims to give you the ability to find and "cancel" / replace these TXs. ** This is not typically something you can do. It should not be relied upon & will only work when the TX Pools are full. [Please, read about this tool here.](https://myetherwallet.groovehq.com/knowledge_base/topics/how-can-i-check-on-the-status-of-my-transaction-can-i-cancel-override-overwrite-replace-or-do-anything-once-a-transaction-has-been-sent)**',
tx_notFound: 'Transaction Not Found',
tx_notFound_1:
'This TX cannot be found in the TX Pool of the node you are connected to.',
tx_notFound_2:
'If you just sent the transaction, please wait 15 seconds and press the "Check TX Status" button again. ',
tx_notFound_3:
'It could still be in the TX Pool of a different node, waiting to be mined.',
tx_notFound_4:
'Please use the dropdown in the top-right & select a different ETH node (e.g. `ETH (Etherscan.io)` or `ETH (Infura.io)` or `ETH (MyEtherWallet)`) and check again.',
tx_foundInPending: 'Pending Transaction Found',
tx_foundInPending_1:
'Your transaction was located in the TX Pool of the node you are connected to. ',
tx_foundInPending_2: 'It is currently pending (waiting to be mined). ',
tx_foundInPending_3:
'There is a chance you can "cancel" or replace this transaction. Unlock your wallet below.',
tx_FoundOnChain: 'Transaction Found',
tx_FoundOnChain_1:
'Your transaction was successfully mined and is on the blockchain.',
tx_FoundOnChain_2:
'**If you see a red `( ! )`, a `BAD INSTRUCTION` or `OUT OF GAS` error message**, it means that the transaction was not successfully *sent*. You cannot cancel or replace this transaction. Instead, send a new transaction. If you received an "Out of Gas" error, you should double the gas limit you specified originally.',
tx_FoundOnChain_3:
'**If you do not see any errors, your transaction was successfully sent.** Your ETH or Tokens are where you sent them. If you cannot see this ETH or Tokens credited in your other wallet / exchange account, and it has been 24+ hours since you sent, please [contact that service](https://myetherwallet.groovehq.com/knowledge_base/topics/i-have-a-question-but-its-not-about-myetherwallet-dot-com-what-do-i-do). Send them the *link* to your transaction and ask them, nicely, to look into your situation.',
/* Gen Wallet Updates */
GEN_Help_1: 'Use your',
GEN_Help_2: 'to access your account.',
GEN_Help_3: 'Your device * is * your wallet.',
GEN_Help_4: 'Guides & FAQ',
GEN_Help_5: 'How to Create a Wallet',
GEN_Help_6: 'Getting Started',
GEN_Help_7:
"Keep it safe · Make a backup · Don't share it with anyone · Don't lose it · It cannot be recovered if you lose it.",
GEN_Help_8: 'Not Downloading a File? ',
GEN_Help_9: 'Try using Google Chrome ',
GEN_Help_10: 'Right click & save file as. Filename: ',
GEN_Help_11: "Don't open this file on your computer ",
GEN_Help_12:
'Use it to unlock your wallet via MyEtherWallet (or Mist, Geth, Parity and other wallet clients.) ',
GEN_Help_13: 'How to Back Up Your Keystore File ',
GEN_Help_14: 'What are these Different Formats? ',
GEN_Help_15: 'Preventing loss &amp; theft of your funds.',
GEN_Help_16: 'What are these Different Formats?',
GEN_Help_17: 'Why Should I?',
GEN_Help_18: 'To have a secondary backup.',
GEN_Help_19: 'In case you ever forget your password.',
GEN_Help_20: 'Cold Storage',
GET_ConfButton: 'I understand. Continue.',
GEN_Label_5: 'Save Your `Private Key`. ',
GEN_Unlock: 'Unlock your wallet to see your address',
GAS_PRICE_Desc:
'Gas Price is the amount you pay per unit of gas. `TX fee = gas price * gas limit` & is paid to miners for including your TX in a block. Higher the gas price = faster transaction, but more expensive. Default is `21 GWEI`.',
GAS_LIMIT_Desc:
'Gas limit is the amount of gas to send with your TX. `TX fee` = gas price * gas limit & is paid to miners for including your TX in a block. Increasing this number will not get your TX mined faster. Sending ETH = `21000`. Sending Tokens = ~`200000`.',
NONCE_Desc:
'The nonce is the number of transactions sent from a given address. It ensures transactions are sent in order & not more than once.',
TXFEE_Desc:
'The TX Fee is paid to miners for including your TX in a block. Is is the `gas limit` * `gas price`. [You can convert GWEI -> ETH here](https://www.myetherwallet.com/helpers.html)',
/* Navigation*/
NAV_AddWallet: 'Lägg till Plånbok ',
NAV_BulkGenerate: 'Mass Generera ',
@ -11,6 +88,7 @@ module.exports = {
NAV_Contracts: 'Contracts ',
NAV_DeployContract: 'Deploy Contract ',
NAV_ENS: 'ENS',
NAV_GenerateWallet_alt: 'New Wallet ',
NAV_GenerateWallet: 'Generera Plånbok ',
NAV_Help: 'Hjälp ',
NAV_InteractContract: 'Interact with Contract ',
@ -27,7 +105,7 @@ module.exports = {
/* General */
x_Access: 'Access ',
x_AddessDesc:
'Det här är vad som ibland kallas "Publik Nyckel", "Adress" eller "Konto nr". Det är vad du ger människor så att de kan skicka dig ether. Den här ikonen är ett enkelt sätt att känna igen din adress. ',
'Your Address can also be known as you `Account #` or your `Public Key`. It is what you share with people so they can send you Ether or Tokens. Find the colorful address icon. Make sure it matches your paper wallet & whenever you enter your address somewhere. Det här är vad som ibland kallas "Publik Nyckel", "Adress" eller "Konto nr". Det är vad du ger människor så att de kan skicka dig ether. Den här ikonen är ett enkelt sätt att känna igen din adress. ',
x_Address: 'Din Adress ',
x_Cancel: 'Avbryt ',
x_CSV: 'CSV fil (okrypterad) ',
@ -39,6 +117,7 @@ module.exports = {
x_Keystore2: 'Keystore Fil (UTC / JSON) ',
x_KeystoreDesc:
'Den här Keystore filen matchar formatet som används av Mist så du kan enkelt importera det i framtiden. Det är det rekommenderade format att hämta för backup. ',
x_MetaMask: 'Metamask / Mist ',
x_Mnemonic: 'Mnemonic Phrase ',
x_Password: 'Lösenord ',
x_Print: 'Skriv Ut Pappers Plånbok ',
@ -47,7 +126,6 @@ module.exports = {
x_PrintShort: 'Skriv Ut ',
x_PrivKey: 'Privat Nyckel (okrypterad) ',
x_PrivKey2: 'Privat Nyckel ',
// x_PrivKey2 : 'Private Key ',
x_PrivKeyDesc:
'Det här är en okrypterad variant av din privata nyckel, vilket betyder att ett lösenord inte är nödvändigt. Om någon skulle hitta din okrypterade privata nyckel, så kan dom få tillgång till din plånbok utan lösenord. Av den anledningen så rekomenderas en krypterad variant av plånboken istället. ',
x_Save: 'Spara ',
@ -66,7 +144,7 @@ module.exports = {
/* Footer */
FOOTER_1:
'Open-Source, client-side tool for easily &amp; securely interacting with the Ethereum network. ',
'Free, open-source, client-side interface for generating Ethereum wallets &amp; more. Interact with the Ethereum blockchain easily &amp; securely. Double-check the URL ( .com ) before unlocking your wallet.',
FOOTER_1b: 'Created by ',
FOOTER_2: 'Donations greatly appreciated ',
FOOTER_3: 'Client-side wallet generation by ',
@ -83,6 +161,8 @@ module.exports = {
sidebar_thanks: 'TACK!!! ',
sidebar_TokenBal: 'Token Saldon ',
sidebar_TransHistory: 'Transaktionshistorik ',
sidebar_DisplayOnTrezor: 'Display address on TREZOR',
sidebar_DisplayOnLedger: 'Display address on Ledger',
/* Decrypt Panel */
decrypt_Access: 'How would you like to access your wallet? ',
@ -97,18 +177,27 @@ module.exports = {
MNEM_prev: 'Previous Addresses ',
/* Hardware wallets */
x_Ledger: 'Ledger Nano S ',
ADD_Ledger_1: 'Connect your Ledger Nano S ',
x_Ledger: 'Ledger Wallet ',
ADD_Ledger_1: 'Connect your Ledger Wallet ',
ADD_Ledger_2: 'Open the Ethereum application (or a contract application) ',
ADD_Ledger_3: 'Verify that Browser Support is enabled in Settings ',
ADD_Ledger_4:
'If no Browser Support is found in settings, verify that you have [Firmware >1.2](https://www.ledgerwallet.com/apps/manager) ',
ADD_Ledger_0a: 'Re-open MyEtherWallet on a secure (SSL) connection ',
ADD_Ledger_0a:
'You must access MyEtherWallet via a secure (SSL / HTTPS) connection to connect. ',
ADD_Ledger_0b:
'Re-open MyEtherWallet using [Chrome](https://www.google.com/chrome/browser/desktop/) or [Opera](https://www.opera.com/) ',
ADD_Ledger_scan: 'Connect to Ledger Nano S ',
ADD_Ledger_scan: 'Connect to Ledger Wallet ',
ADD_MetaMask: 'Connect to MetaMask ',
x_Trezor: 'TREZOR ',
ADD_Trezor_scan: 'Connect to TREZOR ',
x_DigitalBitbox: 'Digital Bitbox ',
ADD_DigitalBitbox_0a: 'Re-open MyEtherWallet on a secure (SSL) connection ',
ADD_DigitalBitbox_0b:
'Re-open MyEtherWallet using [Chrome](https://www.google.com/chrome/browser/desktop/) or [Opera](https://www.opera.com/) ',
ADD_DigitalBitbox_scan: 'Connect your Digital Bitbox ',
/* Add Wallet */
ADD_Label_1: 'What would you like to do? ',
@ -120,6 +209,10 @@ module.exports = {
ADD_Radio_4: 'Add an Account to Watch ',
ADD_Radio_5: 'Paste/Type Your Mnemonic ',
ADD_Radio_5_Path: 'Select HD derivation path ',
ADD_Radio_5_woTrezor: '(Jaxx, Metamask, Exodus, imToken)',
ADD_Radio_5_withTrezor: '(Jaxx, Metamask, Exodus, imToken, TREZOR)',
ADD_Radio_5_PathAlternative: '(Ledger)',
ADD_Radio_5_PathTrezor: '(TREZOR)',
ADD_Radio_5_PathCustom: 'Custom',
ADD_Label_2: 'Create a Nickname ',
ADD_Label_3: 'Your wallet is encrypted. Please enter the password. ',
@ -130,15 +223,18 @@ module.exports = {
ADD_Label_6: 'Unlock your Wallet ',
ADD_Label_6_short: 'Unlock ',
ADD_Label_7: 'Add Account ',
ADD_Label_8: 'Password (optional): ',
/* Generate Wallets */
GEN_desc: 'If you want to generate multiple wallets, you can do so here ',
GEN_Label_1: 'Enter a strong password (at least 9 characters) ',
GEN_Placeholder_1: 'Do NOT forget to save this! ',
GEN_SuccessMsg: 'Success! Your wallet has been generated. ',
GEN_Label_2: "Save your Wallet File. Don't forget your password. ",
GEN_Label_2: 'Save your Wallet File. ',
GEN_Label_3: 'Save Your Address. ',
GEN_Label_4: 'Optional: Print your paper wallet or store a QR code.',
GEN_Label_4: 'Print paper wallet or a QR code.',
GEN_Aria_1: '',
GEN_Aria_2: '',
/* Bulk Generate Wallets */
BULK_Label_1: 'Antal Plånböcker att Generera ',
@ -239,13 +335,55 @@ module.exports = {
VIEWWALLET_Subtitle_Short:
'This allows you to download different versions of private keys and re-print your paper wallet. ',
VIEWWALLET_SuccessMsg: 'Success! Here are your wallet details. ',
VIEWWALLET_ShowPrivKey: '(show)',
VIEWWALLET_HidePrivKey: '(hide)',
/* Deploy Contracts */
/* Contracts */
CONTRACT_Title: 'Contract Address ',
CONTRACT_Title_2: 'Select Existing Contract ',
CONTRACT_Json: 'ABI / JSON Interface ',
CONTRACT_Interact_Title: 'Read / Write Contract ',
CONTRACT_Interact_CTA: 'Select a function ',
CONTRACT_ByteCode: 'Byte Code ',
CONTRACT_Read: 'READ ',
CONTRACT_Write: 'WRITE ',
DEP_generate: 'Generate Bytecode ',
DEP_generated: 'Generated Bytecode ',
DEP_signtx: 'Sign Transaction ',
DEP_interface: 'Generated Interface ',
/* Node Switcher */
NODE_Title: 'Set Up Your Custom Node',
NODE_Subtitle: 'To connect to a local node...',
NODE_Warning:
'Your node must be HTTPS in order to connect to it via MyEtherWallet.com. You can [download the MyEtherWallet repo & run it locally](https://github.com/kvhnuke/etherwallet/releases/latest) to connect to any node. Or, get free SSL certificate via [LetsEncrypt](https://letsencrypt.org/)',
NODE_Name: 'Node Name',
NODE_Port: 'Node Port',
NODE_CTA: 'Save & Use Custom Node',
/* Swap / Exchange */
SWAP_rates: 'Current Rates ',
SWAP_init_1: 'I want to swap my ',
SWAP_init_2: ' for ', // "I want to swap my X ETH for X BTC"
SWAP_init_CTA: "Let's do this! ", // or "Continue"
SWAP_information: 'Your Information ',
SWAP_send_amt: 'Amount to send ',
SWAP_rec_amt: 'Amount to receive ',
SWAP_your_rate: 'Your rate ',
SWAP_rec_add: 'Your Receiving Address ',
SWAP_start_CTA: 'Start Swap ',
SWAP_ref_num: 'Your reference number ',
SWAP_time: 'Time remaining to send ',
SWAP_elapsed: 'Time elapsed since sent ',
SWAP_progress_1: 'Order Initiated ',
SWAP_progress_2: 'Waiting for your ', // Waiting for your BTC...
SWAP_progress_3: 'Received! ', // ETH Received!
SWAP_progress_4: 'Sending your {{orderResult.output.currency}} ',
SWAP_progress_5: 'Order Complete ',
SWAP_order_CTA: 'Please send ', // Please send 1 ETH...
SWAP_unlock:
'Unlock your wallet to send ETH or Tokens directly from this page. ',
/* Sign Message */
MSG_message: 'Message ',
MSG_date: 'Date ',
@ -264,53 +402,64 @@ module.exports = {
CX_quicksend: 'QuickSend ', // if no appropriate translation, just use "Send"
/* Error Messages */
ERROR_0: 'Please enter valid amount. ',
ERROR_0: 'Please enter a valid amount.', // 0
ERROR_1:
'Your password must be at least 9 characters. Please ensure it is a strong password. ',
ERROR_2: "Sorry! We don't recognize this type of wallet file. ",
ERROR_3: 'This is not a valid wallet file. ',
'Your password must be at least 9 characters. Please ensure it is a strong password. ', // 1
ERROR_2: "Sorry! We don't recognize this type of wallet file. ", // 2
ERROR_3: 'This is not a valid wallet file. ', // 3
ERROR_4:
"This unit doesn't exists, please use the one of the following units ",
ERROR_5: 'Invalid address. ',
ERROR_6: 'Invalid password. ',
ERROR_7: 'Invalid amount. ',
ERROR_8: 'Invalid gas limit. ',
ERROR_9: 'Invalid data value. ',
ERROR_10: 'Invalid gas amount. ',
ERROR_11: 'Invalid nonce. ',
ERROR_12: 'Invalid signed transaction. ',
ERROR_13: 'A wallet with this nickname already exists. ',
ERROR_14: 'Wallet not found. ',
"This unit doesn't exists, please use the one of the following units ", // 4
ERROR_5: 'Please enter a valid address. ', // 5
ERROR_6: 'Please enter a valid password. ', // 6
ERROR_7: 'Please enter valid decimals (Must be integer, 0-18). ', // 7
ERROR_8:
'Please enter a valid gas limit (Must be integer. Try 21000-4000000). ', // 8
ERROR_9: 'Please enter a valid data value (Must be hex). ', // 9
ERROR_10:
'Please enter a valid gas price. (Must be integer. Try 20 GWEI (20000000000 WEI)',
ERROR_11: 'Please enter a valid nonce (Must be integer).', // 11
ERROR_12: 'Invalid signed transaction. ', // 12
ERROR_13: 'A wallet with this nickname already exists. ', // 13
ERROR_14: 'Wallet not found. ', // 14
ERROR_15:
"It doesn't look like a proposal with this ID exists yet or there is an error reading this proposal. ",
"Whoops. It doesn't look like a proposal with this ID exists yet or there is an error reading this proposal. ", // 15 - NOT USED
ERROR_16:
'A wallet with this address already exists in storage. Please check your wallets page. ',
'A wallet with this address already exists in storage. Please check your wallets page. ', // 16
ERROR_17:
'You need to have **0.01 ETH** in your account to cover the cost of gas. Please add some ETH and try again. ',
'Account you are sending from does not have enough funds. If sending tokens, you must have 0.01 ETH in your account to cover the cost of gas. ', // 17
ERROR_18:
'All gas would be used on this transaction. This means you have already voted on this proposal or the debate period has ended. ',
ERROR_19: 'Invalid symbol ',
ERROR_20: 'Not a valid ERC-20 token ',
'All gas would be used on this transaction. This means you have already voted on this proposal or the debate period has ended.', // 18
ERROR_19: 'Please enter a valid symbol', // 19
ERROR_20: 'Not a valid ERC-20 token', // 20
ERROR_21:
'Could not estimate gas. There are not enough funds in the account, or the receiving contract address would throw an error. Feel free to manually set the gas and proceed. The error message upon sending may be more informative. ',
ERROR_22: 'Please enter valid node name ',
'Could not estimate gas. There are not enough funds in the account, or the receiving contract address would throw an error. Feel free to manually set the gas and proceed. The error message upon sending may be more informative.', // 21
ERROR_22: 'Please enter a valid node name', // 22
ERROR_23:
'Please enter valid URL. If you are connecting via HTTPS, your node must be over HTTPS ',
ERROR_24: 'Please enter valid port ',
ERROR_25: 'Please enter valid chain ID ',
ERROR_26: 'Please enter valid ABI ',
ERROR_27: 'Minimum amount: 0.01. Maximum Amount: ',
'Please enter a valid URL. If you are on https, your URL must be https', // 23
ERROR_24: 'Please enter a valid port. ', // 24
ERROR_25: 'Please enter a valid chain ID. ', // 25
ERROR_26: 'Please enter a valid ABI. ', // 26
ERROR_27: 'Minimum amount: 0.01. Max amount: ', // 27
ERROR_28:
'**You need your Keystore File & Password** (or Private Key) to access this wallet in the future. Please save & back it up externally! There is no way to recover a wallet if you do not save it. Read the [help page](https://www.myetherwallet.com/#help) for instructions. ',
ERROR_29: 'Please enter valid user and password ',
ERROR_30: 'Please enter valid ENS name ',
ERROR_31: 'Invalid secret phrase ',
'You need this `Keystore File + Password` or the `Private Key` (next page) to access this wallet in the future. ', // 28
ERROR_29: 'Please enter a valid user and password. ', // 29
ERROR_30: 'Please enter a valid name (7+ characters, limited punctuation) ', // 30
ERROR_31: 'Please enter a valid secret phrase. ', // 31
ERROR_32:
'Could not connect to the node. Please refresh the page, or see the help page for more troubleshooting suggestions. ',
'Could not connect to the node. Refresh your page, try a different node (upper right corner), check your firewall settings. If custom node, check your configs.', // 32
ERROR_33:
"The wallet you have unlocked does not match the owner's address. ", // 33
ERROR_34:
'The name you are attempting to reveal does not match the name you have entered. ', // 34
ERROR_35:
'Input address is not checksummed. <a href="https://myetherwallet.groovehq.com/knowledge_base/topics/not-checksummed-shows-when-i-enter-an-address" target="_blank" rel="noopener"> More info</a>', // 35
ERROR_36: 'Enter valid TX hash', // 36
ERROR_37: 'Enter valid hex string (0-9, a-f)', // 37
SUCCESS_1: 'Valid address ',
SUCCESS_2: 'Wallet successfully decrypted ',
SUCCESS_3:
'TX was broadcast to the blockchain. Click to see your transaction & verify it was mined and does not have any out of gas or contract execution errors. TX ID: ', //'Transaction submitted. TX ID ',
'Your TX has been broadcast to the network. It is waiting to be mined & confirmed. During ICOs, it may take 3+ hours to confirm. Use the Verify & Check buttons below to see. TX Hash: ', //'Your TX has been broadcast to the network. It is waiting to be mined & confirmed. During ICOs, it may take 3+ hours to confirm. Use the Verify & Check buttons below to see. TX Hash: ', //
SUCCESS_4: 'Your wallet was successfully added ',
SUCCESS_5: 'File Selected ',
SUCCESS_6: 'You are successfully connected ',
@ -396,7 +545,6 @@ module.exports = {
HELP_1_Desc_4: 'Click "GENERATE". ',
HELP_1_Desc_5: 'Your wallet has now been generated. ',
HELP_2a_Title: '2a) How do I save/backup my wallet? ',
HELP_2a_Desc_1:
'You should always back up your wallet externally and in multiple physical locations - like on a USB drive and/or a piece of paper. ',
HELP_2a_Desc_2:
@ -414,7 +562,7 @@ module.exports = {
'2b) How do I safely / offline / cold storage with MyEtherWallet? ',
HELP_2b_Desc_1:
'Go to [https://github.com/kvhnuke/etherwallet/releases/latest](https://github.com/kvhnuke/etherwallet/releases/latest). ',
HELP_2b_Desc_2: 'Click on `dist-vX.X.X.X.zip`. ',
HELP_2b_Desc_2: 'Click on `etherwallet-vX.X.X.X.zip`. ',
HELP_2b_Desc_3: 'Move zip to an airgapped computer. ',
HELP_2b_Desc_4: 'Unzip it and double-click `index.html`. ',
HELP_2b_Desc_5: 'Generate a wallet with a strong password. ',
@ -461,7 +609,7 @@ module.exports = {
HELP_4_Desc_12:
'A pop-up will appear. Verify that the amount and the address you are sending to are correct. Then click "Yes, I am sure! Make transaction." button. ',
HELP_4_Desc_13:
'The transaction will be submitted. The TX ID will display. You can click that TX ID to see it on the blockchain. ',
'The transaction will be submitted. The TX Hash will display. You can click that TX Hash to see it on the blockchain. ',
HELP_4CX_Title: '4) How do I send Ether using MyEtherWallet CX? ',
HELP_4CX_Desc_1:
@ -528,7 +676,7 @@ module.exports = {
HELP_7_Desc_14:
'A pop-up will appear. Verify that the amount and the address you are sending to are correct. Then click "Yes, I am sure! Make transaction." button. ',
HELP_7_Desc_15:
'The transaction will be submitted. The TX ID will display. You can click that TX ID to see it on the blockchain. ',
'The transaction will be submitted. The TX Hash will display. You can click that TX Hash to see it on the blockchain. ',
HELP_8_Title: '8) What happens if your site goes down? ',
HELP_8_Desc_1:

View File

@ -4,6 +4,83 @@
module.exports = {
code: 'tr',
data: {
HELP_2a_Title: 'How do I save/backup my wallet? ',
/* New Generics */
x_CancelReplaceTx: 'Cancel or Replace Transaction',
x_CancelTx: 'Cancel Transaction',
x_PasswordDesc:
'This password * encrypts * your private key. This does not act as a seed to generate your keys. **You will need this password + your private key to unlock your wallet.**',
x_ReadMore: 'Read More',
x_ReplaceTx: 'Replace Transaction',
x_TransHash: 'Transaction Hash',
x_TXFee: 'TX Fee',
x_TxHash: 'TX Hash',
/* Check TX Status */
NAV_CheckTxStatus: 'Check TX Status',
NAV_TxStatus: 'TX Status',
tx_Details: 'Transaction Details',
tx_Summary:
'During times of high volume (like during ICOs) transactions can be pending for hours, if not days. This tool aims to give you the ability to find and "cancel" / replace these TXs. ** This is not typically something you can do. It should not be relied upon & will only work when the TX Pools are full. [Please, read about this tool here.](https://myetherwallet.groovehq.com/knowledge_base/topics/how-can-i-check-on-the-status-of-my-transaction-can-i-cancel-override-overwrite-replace-or-do-anything-once-a-transaction-has-been-sent)**',
tx_notFound: 'Transaction Not Found',
tx_notFound_1:
'This TX cannot be found in the TX Pool of the node you are connected to.',
tx_notFound_2:
'If you just sent the transaction, please wait 15 seconds and press the "Check TX Status" button again. ',
tx_notFound_3:
'It could still be in the TX Pool of a different node, waiting to be mined.',
tx_notFound_4:
'Please use the dropdown in the top-right & select a different ETH node (e.g. `ETH (Etherscan.io)` or `ETH (Infura.io)` or `ETH (MyEtherWallet)`) and check again.',
tx_foundInPending: 'Pending Transaction Found',
tx_foundInPending_1:
'Your transaction was located in the TX Pool of the node you are connected to. ',
tx_foundInPending_2: 'It is currently pending (waiting to be mined). ',
tx_foundInPending_3:
'There is a chance you can "cancel" or replace this transaction. Unlock your wallet below.',
tx_FoundOnChain: 'Transaction Found',
tx_FoundOnChain_1:
'Your transaction was successfully mined and is on the blockchain.',
tx_FoundOnChain_2:
'**If you see a red `( ! )`, a `BAD INSTRUCTION` or `OUT OF GAS` error message**, it means that the transaction was not successfully *sent*. You cannot cancel or replace this transaction. Instead, send a new transaction. If you received an "Out of Gas" error, you should double the gas limit you specified originally.',
tx_FoundOnChain_3:
'**If you do not see any errors, your transaction was successfully sent.** Your ETH or Tokens are where you sent them. If you cannot see this ETH or Tokens credited in your other wallet / exchange account, and it has been 24+ hours since you sent, please [contact that service](https://myetherwallet.groovehq.com/knowledge_base/topics/i-have-a-question-but-its-not-about-myetherwallet-dot-com-what-do-i-do). Send them the *link* to your transaction and ask them, nicely, to look into your situation.',
/* Gen Wallet Updates */
GEN_Help_1: 'Use your',
GEN_Help_2: 'to access your account.',
GEN_Help_3: 'Your device * is * your wallet.',
GEN_Help_4: 'Guides & FAQ',
GEN_Help_5: 'How to Create a Wallet',
GEN_Help_6: 'Getting Started',
GEN_Help_7:
"Keep it safe · Make a backup · Don't share it with anyone · Don't lose it · It cannot be recovered if you lose it.",
GEN_Help_8: 'Not Downloading a File? ',
GEN_Help_9: 'Try using Google Chrome ',
GEN_Help_10: 'Right click & save file as. Filename: ',
GEN_Help_11: "Don't open this file on your computer ",
GEN_Help_12:
'Use it to unlock your wallet via MyEtherWallet (or Mist, Geth, Parity and other wallet clients.) ',
GEN_Help_13: 'How to Back Up Your Keystore File ',
GEN_Help_14: 'What are these Different Formats? ',
GEN_Help_15: 'Preventing loss &amp; theft of your funds.',
GEN_Help_16: 'What are these Different Formats?',
GEN_Help_17: 'Why Should I?',
GEN_Help_18: 'To have a secondary backup.',
GEN_Help_19: 'In case you ever forget your password.',
GEN_Help_20: 'Cold Storage',
GET_ConfButton: 'I understand. Continue.',
GEN_Label_5: 'Save Your `Private Key`. ',
GEN_Unlock: 'Unlock your wallet to see your address',
GAS_PRICE_Desc:
'Gas Price is the amount you pay per unit of gas. `TX fee = gas price * gas limit` & is paid to miners for including your TX in a block. Higher the gas price = faster transaction, but more expensive. Default is `21 GWEI`.',
GAS_LIMIT_Desc:
'Gas limit is the amount of gas to send with your TX. `TX fee` = gas price * gas limit & is paid to miners for including your TX in a block. Increasing this number will not get your TX mined faster. Sending ETH = `21000`. Sending Tokens = ~`200000`.',
NONCE_Desc:
'The nonce is the number of transactions sent from a given address. It ensures transactions are sent in order & not more than once.',
TXFEE_Desc:
'The TX Fee is paid to miners for including your TX in a block. Is is the `gas limit` * `gas price`. [You can convert GWEI -> ETH here](https://www.myetherwallet.com/helpers.html)',
/* Navigation*/
NAV_AddWallet: 'Cüzdan ekle ',
NAV_BulkGenerate: 'Birkaç Cüzdan oluştur ',
@ -11,6 +88,7 @@ module.exports = {
NAV_Contracts: 'Sözleşmeler ',
NAV_DeployContract: 'Sözleşme kur ',
NAV_ENS: 'ENS',
NAV_GenerateWallet_alt: 'New Wallet ',
NAV_GenerateWallet: 'Cüzdan oluştur ',
NAV_Help: 'Yardim et ',
NAV_InteractContract: 'Interact with Contract ',
@ -27,7 +105,7 @@ module.exports = {
/* General */
x_Access: 'Erişim ',
x_AddessDesc:
'Bu "hesap numarası" veya "genel anahtar" dir. Birisi ether göndermek istiyorsa bu adresi kullanmasi gerekir. Ikon adresini kontrol etmek kolay bir yoldur ',
'Your Address can also be known as you `Account #` or your `Public Key`. It is what you share with people so they can send you Ether or Tokens. Find the colorful address icon. Make sure it matches your paper wallet & whenever you enter your address somewhere. Bu "hesap numarası" veya "genel anahtar" dir. Birisi ether göndermek istiyorsa bu adresi kullanmasi gerekir. Ikon adresini kontrol etmek kolay bir yoldur ',
x_Address: 'Adresin ',
x_Cancel: 'Iptal et ',
x_CSV: 'CSV dosya (şifrelenmemis) ',
@ -39,6 +117,7 @@ module.exports = {
x_Keystore2: 'Keystore dosya (UTC / JSON) ',
x_KeystoreDesc:
'This Keystore file matches the format used by Mist so you can easily import it in the future. It is the recommended file to download and back up. ',
x_MetaMask: 'Metamask / Mist ',
x_Mnemonic: 'Mnemonic Phrase ',
x_ParityPhrase: 'Parity Phrase ',
x_Password: 'Parola ',
@ -82,6 +161,8 @@ module.exports = {
'MyEtherWallet gizlilik ve güvenlike adanmış ücretsiz ve açık kaynak kodlu bir hizmettir. Ne kadar cok bagis edilirse o kadar cok yeni özellik programlamaya, görüşlerinizi işlemeye yatitim yapabiliriz. Biz sadece dünyayı değiştirmek isteyen iki kişiyiz. Bize yardım edermisin? ',
sidebar_donate: 'Bağışta bulun ',
sidebar_thanks: 'TEŞEKKÜRLER!!! ',
sidebar_DisplayOnTrezor: 'Display address on TREZOR',
sidebar_DisplayOnLedger: 'Display address on Ledger',
/* Decrypt Panel */
decrypt_Access: 'Cüzdanını nasıl acmak istersin? ',
@ -89,8 +170,8 @@ module.exports = {
decrypt_Select: 'Bir cüzdan sec: ',
/* Add Wallet */
ADD_Label_1: 'Ne yapmak istiyorsun? ',
ADD_Radio_1: 'Yeni cüzdan olustur ',
ADD_Label_1: 'Ne yapmak istiyorsunuz? ',
ADD_Radio_1: 'Yeni cüzdan olusturun ',
ADD_Radio_2: 'Cüzdan dosyayi sec (Keystore / JSON) ',
ADD_Radio_2_alt: 'Cüzdan dosyayi sec ',
ADD_Radio_2_short: 'CÜZDAN DOSYAYI SEC... ',
@ -113,6 +194,7 @@ module.exports = {
ADD_Label_6: 'Cüzdani ac ',
ADD_Label_6_short: 'Ac ',
ADD_Label_7: 'Hesap ekle ',
ADD_Label_8: 'Password (optional): ',
/* Generate Wallets */
GEN_desc:
@ -125,6 +207,8 @@ module.exports = {
GEN_Label_3: 'Adresini kaydet. ',
GEN_Label_4:
'Isteye bagli: Cüzdanin kağıt versiyonunu yazdir veya QR code versiyonunu sakla.',
GEN_Aria_1: '',
GEN_Aria_2: '',
/* Bulk Generate Wallets */
BULK_Label_1: 'Oluşturulacak cüzdan sayısı ',
@ -135,7 +219,7 @@ module.exports = {
SEND_addr: 'Bu Adrese gönder ',
SEND_amount: 'Gönderilecek miktar ',
SEND_amount_short: 'Miktar ',
// SEND_custom : 'Kullaniciya özel ', /*maybe another word here too */
SEND_custom: 'Özel Token Ekle ',
SEND_gas: 'Gas ',
SEND_TransferTotal: 'Tüm dengeyi gönder ',
SEND_generate: 'Generate Transaction ',
@ -143,12 +227,13 @@ module.exports = {
SEND_signed: 'Imzali İşlem ',
SEND_trans: 'Islemi gönder ',
SENDModal_Title: 'Uyarı! ',
SEND_custom: 'Özel Token Ekle ',
/* full sentence reads "You are about to send "10 ETH" to address "0x1234". Are you sure you want to do this? " */
SENDModal_Content_1: 'şu an ',
SENDModal_Content_2: 'bu adresse ',
SENDModal_Content_3: 'Göndermek üzeresin. Emin misin? ',
SENDModal_Content_4:
'NOTE: If you encounter an error, you most likely need to add ether to your account to cover the gas cost of sending tokens. Gas is paid in ether. ',
SENDModal_No: 'Hayir, cikar beni burdan! ',
SENDModal_Yes: 'Evet, eminim! Islemi tamamla. ',
@ -272,6 +357,7 @@ module.exports = {
SWAP_start_CTA: 'Start Swap ',
SWAP_ref_num: 'Your reference number ',
SWAP_time: 'Time remaining to send ',
SWAP_elapsed: 'Time elapsed since sent ',
SWAP_progress_1: 'Order Initiated ',
SWAP_progress_2: 'Waiting for your ', // Waiting for your BTC...
SWAP_progress_3: 'Received! ', // ETH Received!
@ -301,19 +387,26 @@ module.exports = {
MNEM_prev: 'Önceki Adresler ',
/* Hardware wallets */
x_Ledger: 'Ledger Nano S ',
ADD_Ledger_1: 'Connect your Ledger Nano S ',
x_Ledger: 'Ledger Wallet ',
ADD_Ledger_1: 'Connect your Ledger Wallet ',
ADD_Ledger_2: 'Open the Ethereum application (or a contract application) ',
ADD_Ledger_3: 'Verify that Browser Support is enabled in Settings ',
ADD_Ledger_4:
'If no Browser Support is found in settings, verify that you have [Firmware >1.2](https://www.ledgerwallet.com/apps/manager) ',
ADD_Ledger_0a: 'Re-open MyEtherWallet on a secure (SSL) connection ',
ADD_Ledger_0a:
'You must access MyEtherWallet via a secure (SSL / HTTPS) connection to connect. ',
ADD_Ledger_0b:
'Re-open MyEtherWallet using [Chrome](https://www.google.com/chrome/browser/desktop/) or [Opera](https://www.opera.com/) ',
ADD_Ledger_scan: "Ledger Nano S'e bağlan ",
ADD_Ledger_scan: "Ledger Wallet'e bağlan ",
ADD_MetaMask: 'Connect to MetaMask ',
x_Trezor: 'TREZOR ',
ADD_Trezor_scan: "TREZOR'a bağlan ",
ADD_Trezor_select: 'This is a TREZOR seed ',
x_DigitalBitbox: 'Digital Bitbox ',
ADD_DigitalBitbox_0a: 'Re-open MyEtherWallet on a secure (SSL) connection ',
ADD_DigitalBitbox_0b:
'Re-open MyEtherWallet using [Chrome](https://www.google.com/chrome/browser/desktop/) or [Opera](https://www.opera.com/) ',
ADD_DigitalBitbox_scan: 'Connect your Digital Bitbox ',
/* View Wallet Details */
VIEWWALLET_Subtitle:
@ -321,6 +414,8 @@ module.exports = {
VIEWWALLET_Subtitle_Short:
'This allows you to download different versions of private keys and re-print your paper wallet. ',
VIEWWALLET_SuccessMsg: 'Success! Here are your wallet details. ',
VIEWWALLET_ShowPrivKey: '(show)',
VIEWWALLET_HidePrivKey: '(hide)',
/* Chrome Extension */
CX_error_1:
@ -333,28 +428,28 @@ module.exports = {
"Sifren en az 9 sembol'dan olusmasi lazim. Güçlü bir parola sectiginden emin ol. ",
ERROR_2: "Sorry! We don't recognize this type of wallet file. ",
ERROR_3: 'Geçerli bir cüzdan dosyası değil. ',
ERROR_4:
"This unit doesn't exists, please use the one of the following units Var olmayan bir birim, bu birimlerden birini kullan lütfen ",
ERROR_4: 'Var olmayan bir birim, bu birimlerden birini kullan lütfen ',
ERROR_5: 'Geçersiz adres. ',
ERROR_6: 'Geçersiz parola. ',
ERROR_7: 'Yetersiz bakiye. ' /* yetersiz bakiye */,
ERROR_8: 'Geçersiz gas limit. ',
ERROR_9: 'Geçersiz data value. ',
ERROR_10: 'Yetersiz gas. ' /* yetersiz gas */,
ERROR_11: 'Geçersiz veri. ',
ERROR_7: 'Yetersiz bakiye. (Must be integer. Try 0-18.) ', // 7
ERROR_8: 'Geçersiz gas limit. (Must be integer. Try 21000-4000000.) ', // 8
ERROR_9: 'Geçersiz data value. (Must be hex.) ', // 9
ERROR_10:
'Yetersiz gas. (Must be integer. Try 20 GWEI / 20000000000 WEI.) ',
ERROR_11: 'Geçersiz veri. (Must be integer.) ', // 11
ERROR_12: 'Geçersiz imzali isleme. ',
ERROR_13: 'Secdigin Nickname baska bir cüzdanda kullaniliyor. ',
ERROR_14: 'Cüzdan bulunmadi. ',
ERROR_15:
'It doesnt look like a proposal with this ID exists yet or there is an error reading this proposal. ',
"Whoops. It doesn't look like a proposal with this ID exists yet or there is an error reading this proposal. ", // 15 - NOT USED
ERROR_16:
'A wallet with this address already exists in storage. Please check your wallets page. ',
'Bu adrese sahip bir cüzdan zaten depolama alanında mevcut. Lütfen cüzdan sayfanızı kontrol edin. ',
ERROR_17:
'You need to have **0.01 ETH** in your account to cover the cost of gas. Please add some ether and try again. ',
'Account you are sending from does not have enough funds. If sending tokens, you must have 0.01 ETH in your account to cover the cost of gas. ', // 17
ERROR_18:
'All gas would be used on this transaction. This means you have already voted on this proposal or the debate period has ended. ',
'All gas would be used on this transaction. This means you have already voted on this proposal or the debate period has ended.', // 18
ERROR_19: 'Geçersiz sembol ',
ERROR_20: "Geçerli bir ERC-20 token'i değil ",
ERROR_20: "Geçersiz ERC-20 token'i ",
ERROR_21:
'Could not estimate gas. There are not enough funds in the account, or the receiving contract address would throw an error. Feel free to manually set the gas and proceed. The error message upon sending may be more informative. ',
ERROR_22: 'Please enter valid node name ',
@ -363,27 +458,36 @@ module.exports = {
ERROR_24: 'Lütfen geçerli port numarası yaz ',
ERROR_25: 'Lütfen geçerli zincir kimliği (ID) yaz ',
ERROR_26: 'Lütfen geçerli bir ABI yaz ',
ERROR_27: 'Minimum amount: 0.01. Maximum Amount: ',
ERROR_27: 'Minimum miktar: 0.01. Maximum miktar: ',
ERROR_28:
'Ilerde cüzdanini acmak icin **Keystore dosyan ve parolan veya özel anahtarin** lazim olacak. Lütfen kaydet ve dista yedekle! Kaydedilmemiş cüzdanini kurtarmanin hiçbir yolu yoktur. Talimatlar icin yardim [help page](https://www.myetherwallet.com/#help) sayfasini oku ',
ERROR_29: 'Lütfen geçerli kullanıcı ve şifreyi yaz ',
ERROR_30: 'Lütfen geçerli ENS isim yaz ',
ERROR_31: 'Geçersiz gizli cümle (phrase) ',
ERROR_32:
'Could not connect to the node. Please refresh the page, or see the help page for more troubleshooting suggestions. ',
'Düğüme bağlanılamadı. Refresh your page, try a different node (upper right corner), check your firewall settings. If custom node, check your configs.', // 32
ERROR_33:
"The wallet you have unlocked does not match the owner's address. ", // 33
ERROR_34:
'The name you are attempting to reveal does not match the name you have entered. ', // 34
ERROR_35:
'Input address is not checksummed. <a href="https://myetherwallet.groovehq.com/knowledge_base/topics/not-checksummed-shows-when-i-enter-an-address" target="_blank" rel="noopener"> More info</a>', // 35
ERROR_36: 'Enter valid TX hash', // 36
ERROR_37: 'Enter valid hex string (0-9, a-f)', // 37
SUCCESS_1: 'Geçerli adres ',
SUCCESS_2: 'Cüzdan basariyla desifre edildi ',
SUCCESS_3:
'TX was broadcast to the blockchain. Click to see your transaction & verify it was mined and does not have any out of gas or contract execution errors. TX ID: ', //'İşlem teslim edildi TX ID ',
"TX blockchain'e yayınlandı. İşleminizi görmek ve mayınlandığını doğrulamak veya herhangi bir gaz veya sözleşme yürütme hatası bulunmadığını görmek için tıklayın. TX Kimliği: ", //'İşlem teslim edildi TX Hash ',
SUCCESS_4: 'Cüzdanın başarıyla eklendi ',
SUCCESS_5: 'Dosya secildi ',
SUCCESS_6: 'You are successfully connected ',
SUCCESS_7: 'Message Signature Verified',
SUCCESS_6: 'Başarıyla bağlandı ',
SUCCESS_7: 'Mesaj imzası doğrulandi ',
WARN_Send_Link:
'You arrived via a link that has the address, value, gas, data fields, or transaction type (send mode) filled in for you. You can change any information before sending. Unlock your wallet to get started. ',
"Işlem türü (gönderme modu), adres, miktar, gaz ve veri alanları sizin için doldurulmus olan bir bağlantı'ile geldiniz. Göndermeden önce herhangi bir bilgiyi değiştirebilirsiniz. Başlamak için cüzdanınızıın. ",
/* Geth Error Messages */
GETH_InvalidSender: 'Invalid sender ',
GETH_InvalidSender: 'Geçersiz gönderici ',
GETH_Nonce: 'Nonce too low ',
GETH_Cheap: 'Gas price too low for acceptance ',
GETH_Balance: 'Insufficient balance ',
@ -391,8 +495,8 @@ module.exports = {
'Account does not exist or account balance too low ',
GETH_InsufficientFunds: 'Insufficient funds for gas * price + value ',
GETH_IntrinsicGas: 'Intrinsic gas too low ',
GETH_GasLimit: 'Exceeds block gas limit ',
GETH_NegativeValue: 'Negative value ',
GETH_GasLimit: 'Gaz block sınırınııyor ',
GETH_NegativeValue: 'Negatif değer ',
/* Parity Error Messages */
PARITY_AlreadyImported:
@ -405,7 +509,7 @@ module.exports = {
PARITY_InsufficientGasPrice:
"Transaction fee is too low. It does not satisfy your node's minimal fee (minimal: {}, got: {}). Try increasing the fee.",
PARITY_InsufficientBalance:
'Insufficient funds. Account you try to send transaction from does not have enough funds. Required {} and got: {}.',
'Insufficient funds. Account you try to send transaction from does not have enough funds. Required {} wei and got: {} wei.',
PARITY_GasLimitExceeded:
'Transaction cost exceeds current gas limit. Limit: {}, got: {}. Try decreasing supplied gas.',
PARITY_InvalidGasLimit: 'Supplied gas is beyond limit.',
@ -461,7 +565,6 @@ module.exports = {
HELP_1_Desc_4: 'Click "GENERATE". ',
HELP_1_Desc_5: 'Your wallet has now been generated. ',
HELP_2a_Title: '2a) How do I save/backup my wallet? ',
HELP_2a_Desc_1:
'You should always back up your wallet externally and in multiple physical locations - like on a USB drive and/or a piece of paper. ',
HELP_2a_Desc_2:
@ -479,7 +582,7 @@ module.exports = {
'2b) How do I safely / offline / cold storage with MyEtherWallet? ',
HELP_2b_Desc_1:
'Go to [https://github.com/kvhnuke/etherwallet/releases/latest](https://github.com/kvhnuke/etherwallet/releases/latest). ',
HELP_2b_Desc_2: 'Click on `dist-vX.X.X.X.zip`. ',
HELP_2b_Desc_2: 'Click on `etherwallet-vX.X.X.X.zip`. ',
HELP_2b_Desc_3: 'Move zip to an airgapped computer. ',
HELP_2b_Desc_4: 'Unzip it and double-click `index.html`. ',
HELP_2b_Desc_5: 'Generate a wallet with a strong password. ',
@ -526,7 +629,7 @@ module.exports = {
HELP_4_Desc_12:
'A pop-up will appear. Verify that the amount and the address you are sending to are correct. Then click "Yes, I am sure! Make transaction." button. ',
HELP_4_Desc_13:
'The transaction will be submitted. The TX ID will display. You can click that TX ID to see it on the blockchain. ',
'The transaction will be submitted. The TX Hash will display. You can click that TX Hash to see it on the blockchain. ',
HELP_4CX_Title: '4) How do I send Ether using MyEtherWallet CX? ',
HELP_4CX_Desc_1:
@ -593,7 +696,7 @@ module.exports = {
HELP_7_Desc_14:
'A pop-up will appear. Verify that the amount and the address you are sending to are correct. Then click "Yes, I am sure! Make transaction." button. ',
HELP_7_Desc_15:
'The transaction will be submitted. The TX ID will display. You can click that TX ID to see it on the blockchain. ',
'The transaction will be submitted. The TX Hash will display. You can click that TX Hash to see it on the blockchain. ',
HELP_8_Title: '8) What happens if your site goes down? ',
HELP_8_Desc_1:

View File

@ -4,6 +4,81 @@
module.exports = {
code: 'vi',
data: {
/* New Generics */
x_CancelReplaceTx: 'Cancel or Replace Transaction',
x_CancelTx: 'Cancel Transaction',
x_PasswordDesc:
'This password * encrypts * your private key. This does not act as a seed to generate your keys. **You will need this password + your private key to unlock your wallet.**',
x_ReadMore: 'Read More',
x_ReplaceTx: 'Replace Transaction',
x_TransHash: 'Transaction Hash',
x_TXFee: 'TX Fee',
x_TxHash: 'TX Hash',
/* Check TX Status */
NAV_CheckTxStatus: 'Check TX Status',
NAV_TxStatus: 'TX Status',
tx_Details: 'Transaction Details',
tx_Summary:
'During times of high volume (like during ICOs) transactions can be pending for hours, if not days. This tool aims to give you the ability to find and "cancel" / replace these TXs. ** This is not typically something you can do. It should not be relied upon & will only work when the TX Pools are full. [Please, read about this tool here.](https://myetherwallet.groovehq.com/knowledge_base/topics/how-can-i-check-on-the-status-of-my-transaction-can-i-cancel-override-overwrite-replace-or-do-anything-once-a-transaction-has-been-sent)**',
tx_notFound: 'Transaction Not Found',
tx_notFound_1:
'This TX cannot be found in the TX Pool of the node you are connected to.',
tx_notFound_2:
'If you just sent the transaction, please wait 15 seconds and press the "Check TX Status" button again. ',
tx_notFound_3:
'It could still be in the TX Pool of a different node, waiting to be mined.',
tx_notFound_4:
'Please use the dropdown in the top-right & select a different ETH node (e.g. `ETH (Etherscan.io)` or `ETH (Infura.io)` or `ETH (MyEtherWallet)`) and check again.',
tx_foundInPending: 'Pending Transaction Found',
tx_foundInPending_1:
'Your transaction was located in the TX Pool of the node you are connected to. ',
tx_foundInPending_2: 'It is currently pending (waiting to be mined). ',
tx_foundInPending_3:
'There is a chance you can "cancel" or replace this transaction. Unlock your wallet below.',
tx_FoundOnChain: 'Transaction Found',
tx_FoundOnChain_1:
'Your transaction was successfully mined and is on the blockchain.',
tx_FoundOnChain_2:
'**If you see a red `( ! )`, a `BAD INSTRUCTION` or `OUT OF GAS` error message**, it means that the transaction was not successfully *sent*. You cannot cancel or replace this transaction. Instead, send a new transaction. If you received an "Out of Gas" error, you should double the gas limit you specified originally.',
tx_FoundOnChain_3:
'**If you do not see any errors, your transaction was successfully sent.** Your ETH or Tokens are where you sent them. If you cannot see this ETH or Tokens credited in your other wallet / exchange account, and it has been 24+ hours since you sent, please [contact that service](https://myetherwallet.groovehq.com/knowledge_base/topics/i-have-a-question-but-its-not-about-myetherwallet-dot-com-what-do-i-do). Send them the *link* to your transaction and ask them, nicely, to look into your situation.',
/* Gen Wallet Updates */
GEN_Help_1: 'Use your',
GEN_Help_2: 'to access your account.',
GEN_Help_3: 'Your device * is * your wallet.',
GEN_Help_4: 'Guides & FAQ',
GEN_Help_5: 'How to Create a Wallet',
GEN_Help_6: 'Getting Started',
GEN_Help_7:
"Keep it safe · Make a backup · Don't share it with anyone · Don't lose it · It cannot be recovered if you lose it.",
GEN_Help_8: 'Not Downloading a File? ',
GEN_Help_9: 'Try using Google Chrome ',
GEN_Help_10: 'Right click & save file as. Filename: ',
GEN_Help_11: "Don't open this file on your computer ",
GEN_Help_12:
'Use it to unlock your wallet via MyEtherWallet (or Mist, Geth, Parity and other wallet clients.) ',
GEN_Help_13: 'How to Back Up Your Keystore File ',
GEN_Help_14: 'What are these Different Formats? ',
GEN_Help_15: 'Preventing loss &amp; theft of your funds.',
GEN_Help_16: 'What are these Different Formats?',
GEN_Help_17: 'Why Should I?',
GEN_Help_18: 'To have a secondary backup.',
GEN_Help_19: 'In case you ever forget your password.',
GEN_Help_20: 'Cold Storage',
GET_ConfButton: 'I understand. Continue.',
GEN_Label_5: 'Save Your `Private Key`. ',
GEN_Unlock: 'Unlock your wallet to see your address',
GAS_PRICE_Desc:
'Gas Price is the amount you pay per unit of gas. `TX fee = gas price * gas limit` & is paid to miners for including your TX in a block. Higher the gas price = faster transaction, but more expensive. Default is `21 GWEI`.',
GAS_LIMIT_Desc:
'Gas limit is the amount of gas to send with your TX. `TX fee` = gas price * gas limit & is paid to miners for including your TX in a block. Increasing this number will not get your TX mined faster. Sending ETH = `21000`. Sending Tokens = ~`200000`.',
NONCE_Desc:
'The nonce is the number of transactions sent from a given address. It ensures transactions are sent in order & not more than once.',
TXFEE_Desc:
'The TX Fee is paid to miners for including your TX in a block. Is is the `gas limit` * `gas price`. [You can convert GWEI -> ETH here](https://www.myetherwallet.com/helpers.html)',
/* Navigation*/
NAV_AddWallet: 'Thêm Ví ',
NAV_BulkGenerate: 'Tạo Nhiều Ví ',
@ -11,6 +86,7 @@ module.exports = {
NAV_Contracts: 'Hợp Đồng ',
NAV_DeployContract: 'Phát Triển Hợp Đồng ',
NAV_ENS: 'ENS',
NAV_GenerateWallet_alt: 'New Wallet ',
NAV_GenerateWallet: 'Tạo Ví ',
NAV_Help: 'Trợ Giúp ',
NAV_InteractContract: 'Interact with Contract ',
@ -27,7 +103,7 @@ module.exports = {
/* General */
x_Access: 'Access ',
x_AddessDesc:
'Bạn có thể xem đây là Địa chỉ ví cá nhân của bạn. Bạn có thể gửi "Địa chỉ ví" này đến người mà bạn muốn nhận ETH từ họ. Biểu tượng bên cạnh giúp việc nhận dạng "Địa chỉ ví" của bạn dễ dàng hơn. ',
'Your Address can also be known as you `Account #` or your `Public Key`. It is what you share with people so they can send you Ether or Tokens. Find the colorful address icon. Make sure it matches your paper wallet & whenever you enter your address somewhere. Bạn có thể xem đây là Địa chỉ ví cá nhân của bạn. Bạn có thể gửi "Địa chỉ ví" này đến người mà bạn muốn nhận ETH từ họ. Biểu tượng bên cạnh giúp việc nhận dạng "Địa chỉ ví" của bạn dễ dàng hơn. ',
x_Address: 'Địa Chỉ Của Bạn ',
x_Cancel: 'Huỷ ',
x_CSV: 'Định Dạng CSV (Không mã hoá) ',
@ -40,6 +116,7 @@ module.exports = {
x_Keystore2: 'Định Dạng Keystore (UTC / JSON) ',
x_KeystoreDesc:
'Định dạng Keystore là tập một tin chứa dữ liệu ví đã được mã hoá của Private Key và sử dụng cho Mist. Do đó bạn có thể dễ dàng bỏ nó vào bên trong Mist và tiếp tục sử dụng ví của bạn. Đây là một tập tin được đề xuất nhằm sao lưu dữ liệu ví cá nhân. ',
x_MetaMask: 'Metamask / Mist ',
x_Mnemonic: 'Cụm từ dễ nhớ ',
x_ParityPhrase: 'Parity Phrase ',
x_Password: 'Mật Khẩu ',
@ -66,7 +143,7 @@ module.exports = {
/* Footer */
FOOTER_1:
'Open-Source, client-side tool for easily &amp; securely interacting with the Ethereum network. ',
'Free, open-source, client-side interface for generating Ethereum wallets &amp; more. Interact with the Ethereum blockchain easily &amp; securely. Double-check the URL ( .com ) before unlocking your wallet.',
FOOTER_1b: 'Nhà Phát Triển: ',
FOOTER_2:
'Quyên Góp & Ủng Hộ Vào "Quỹ Phát Triển" Từ Bạn Là Một Hành Động Đáng Trân Trọng: ',
@ -84,6 +161,8 @@ module.exports = {
'MyEtherWallet là một ứng dụng miễn phí được xây dựng trên mã nguồn mở nhằm bảo vệ quyền riêng tư và sự bảo mật của người sử dụng. các khoản quyên góp mà chúng tôi nhận được sẽ giúp chúng tôi có cơ hội dành nhiều thơi gian hơn cho việc lắng nghe những phản hồi từ người sử dụng nhằm tạo ra những ứng dụng mới nhằm đáp ứng những mong muốn từ người sử dụng. Chúng tôi hiện tại là hai cá nhân đang cố gắng làm cho thế giới ngày một tốt hơn. Hãy cùng chung giúp chúng tôi ',
sidebar_donate: 'Quyên Góp ',
sidebar_thanks: 'Xin Chân Thành Cảm Ơn!!! ',
sidebar_DisplayOnTrezor: 'Display address on TREZOR',
sidebar_DisplayOnLedger: 'Display address on Ledger',
/* Decrypt Panel */
decrypt_Access: 'Làm thế nào đễ truy cập vào ví của bạn? ',
@ -100,6 +179,10 @@ module.exports = {
ADD_Radio_4: 'Thêm Tài Khoản đễ Theo Dõi ',
ADD_Radio_5: 'Dán/Điền ký tự dễ nhớ của bạn ',
ADD_Radio_5_Path: 'Select HD derivation path ',
ADD_Radio_5_woTrezor: '(Jaxx, Metamask, Exodus, imToken)',
ADD_Radio_5_withTrezor: '(Jaxx, Metamask, Exodus, imToken, TREZOR)',
ADD_Radio_5_PathAlternative: '(Ledger)',
ADD_Radio_5_PathTrezor: '(TREZOR)',
ADD_Radio_5_PathCustom: 'Custom',
ADD_Label_2: 'Tạo Tên Gọi: ',
ADD_Label_3: 'Ví của bạn sẽ được giải mã. Xin vui lòng điền mật khẩu ',
@ -110,6 +193,7 @@ module.exports = {
ADD_Label_6: 'Mở Khoá Cho Ví Của Bạn ',
ADD_Label_6_short: 'Mở Khoá ',
ADD_Label_7: 'Thêm Tài Khoản ',
ADD_Label_8: 'Password (optional): ',
/* Generate Wallets */
GEN_desc:
@ -122,6 +206,8 @@ module.exports = {
'Lưu lại tập tin chứa định dạng Keystore/JSON hoặc Private Key. Đừng quên mật khẩu mà bạn đã tạo phía trên. ',
GEN_Label_3: 'Địa Chỉ Ví (bạn cần lưu lại cho việc sử dụng). ',
GEN_Label_4: 'Bạn có thể in ví giấy hoặc lưu giữ mã QR một cách cẩn thận. ',
GEN_Aria_1: '',
GEN_Aria_2: '',
/* Bulk Generate Wallets */
BULK_Label_1: 'Số Lượng Ví Cần Tạo ',
@ -247,6 +333,7 @@ module.exports = {
SWAP_start_CTA: 'Start Swap ',
SWAP_ref_num: 'Your reference number ',
SWAP_time: 'Time remaining to send ',
SWAP_elapsed: 'Time elapsed since sent ',
SWAP_progress_1: 'Order Initiated ',
SWAP_progress_2: 'Waiting for your ', // Waiting for your BTC...
SWAP_progress_3: 'Received! ', // ETH Received!
@ -272,8 +359,8 @@ module.exports = {
x_Trezor: 'TREZOR ',
ADD_Trezor_scan: 'Connect to TREZOR ',
ADD_Trezor_select: 'This is a TREZOR seed ',
x_Ledger: 'Ledger Nano S ',
ADD_Ledger_1: 'Kết Nối Với Ledger Nano S Của Bạn ',
x_Ledger: 'Ledger Wallet ',
ADD_Ledger_1: 'Kết Nối Với Ledger Wallet Của Bạn ',
ADD_Ledger_2:
'Mở Lên Ứng Dụng Của Ethereum (Hoặc một ứng dụng của Hợp Đồng) ',
ADD_Ledger_3:
@ -285,6 +372,13 @@ module.exports = {
ADD_Ledger_0b:
'Sử dụng [Chrome](https://www.google.com/chrome/browser/desktop/) hoặc [Opera](https://www.opera.com/) Để mở lại trang MyEtherWallet ',
ADD_Ledger_scan: 'Kết nối với Ledger Nano S ',
ADD_MetaMask: 'Connect to MetaMask ',
x_DigitalBitbox: 'Digital Bitbox ',
ADD_DigitalBitbox_0a:
'Hảy mở lại trang MyEtherWallet trên một kết nối có tính bảo mật (SSL) ',
ADD_DigitalBitbox_0b:
'Sử dụng [Chrome](https://www.google.com/chrome/browser/desktop/) hoặc [Opera](https://www.opera.com/) Để mở lại trang MyEtherWallet ',
ADD_DigitalBitbox_scan: 'Kết nối với Digital Bitbox ',
/* Deploy Contracts */
DEP_generate: 'Tạo Bytecode ',
@ -318,6 +412,8 @@ module.exports = {
'Việc này cho phép bạn tải về các phiên bản khác nhau của Private Key và in lại ví giấy của bạn. ',
VIEWWALLET_SuccessMsg:
'Đã Thành Công! Đây là thông tin chi tiết về Ví của bạn. ',
VIEWWALLET_ShowPrivKey: '(show)',
VIEWWALLET_HidePrivKey: '(hide)',
/* Mnemonic */
MNEM_1: 'Xin vui lòng, Chọn địa chỉ mà bạn muốn tương tác. ',
@ -342,11 +438,13 @@ module.exports = {
'Đơn vị này không tồn tại, xin vui lòng sử dụng một trong những đơn vị sau đây ',
ERROR_5: 'Địa chỉ không hợp lệ. ',
ERROR_6: 'Mật khẩu không hợp lệ. ',
ERROR_7: 'Tổng số không hợp lệ. ',
ERROR_8: 'Giới hạn gas không hợp lệ. ',
ERROR_9: 'Dữ liệu không hợp lệ. ',
ERROR_10: 'Tổng số gas không hợp lệ. ',
ERROR_11: 'Nonce không hợp lệ. ',
ERROR_7: 'Tổng số không hợp lệ. (Must be integer. Try 0-18.) ', // 7
ERROR_8:
'Giới hạn gas không hợp lệ. (Must be integer. Try 21000-4000000.) ', // 8
ERROR_9: 'Dữ liệu không hợp lệ. (Must be hex.) ', // 9
ERROR_10:
'Tổng số gas không hợp lệ. (Must be integer. Try 20 GWEI / 20000000000 WEI.) ',
ERROR_11: 'Nonce không hợp lệ. (Must be integer.) ', // 11
ERROR_12: 'Chữ ký giao dịch không hợp lệ. ',
ERROR_13: 'Tên gọi này đã được sữ dụng. ',
ERROR_14: 'Không tìm thấy Ví. ',
@ -362,25 +460,34 @@ module.exports = {
ERROR_20:
'Không tồn tại trên hệ thống ERC-20 token. Nếu bạn phải chờ lâu. Xin vui lòng thử lại lần nữa!. ',
ERROR_21:
'Could not estimate gas. There are not enough funds in the account, or the receiving contract address would throw an error. Feel free to manually set the gas and proceed. The error message upon sending may be more informative. ',
ERROR_22: 'Please enter valid node name ',
'Could not estimate gas. There are not enough funds in the account, or the receiving contract address would throw an error. Feel free to manually set the gas and proceed. The error message upon sending may be more informative.', // 21
ERROR_22: 'Please enter a valid node name', // 22
ERROR_23:
'Please enter valid URL. If you are connecting via HTTPS, your node must be over HTTPS ',
ERROR_24: 'Please enter valid port ',
ERROR_25: 'Please enter valid chain ID ',
ERROR_26: 'Please enter valid ABI ',
ERROR_27: 'Minimum amount: 0.01. Maximum Amount: ',
'Please enter a valid URL. If you are on https, your URL must be https', // 23
ERROR_24: 'Please enter a valid port. ', // 24
ERROR_25: 'Please enter a valid chain ID. ', // 25
ERROR_26: 'Please enter a valid ABI. ', // 26
ERROR_27: 'Minimum amount: 0.01. Max amount: ', // 27
ERROR_28:
'**Bạn cần sử dụng tập tin chứa định dạng Keystore/JSON cùng với Mật khẩu hoặc Private Key của bạn** cho việc đăng nhập vào ví này trong tương lai. Hãy sao lưu và cất giữ nó cẩn thận tại kho lưu trữ của bạn! Không có cách nào đễ khôi phục Ví của bạn nếu bạn không sao lưu dữ liệu ví lại. Đọc Thêm [trang trợ giúp] (https://www.myetherwallet.com/#help) đễ được hướng dẫn cụ thể. ',
ERROR_29: 'Please enter valid user and password ',
ERROR_30: 'Please enter valid ENS name ',
ERROR_31: 'Invalid secret phrase ',
ERROR_29: 'Please enter a valid user and password. ', // 29
ERROR_30: 'Please enter a valid name (7+ characters, limited punctuation) ', // 30
ERROR_31: 'Please enter a valid secret phrase. ', // 31
ERROR_32:
'Could not connect to the node. Please refresh the page, or see the help page for more troubleshooting suggestions. ',
'Could not connect to the node. Refresh your page, try a different node (upper right corner), check your firewall settings. If custom node, check your configs.', // 32
ERROR_33:
"The wallet you have unlocked does not match the owner's address. ", // 33
ERROR_34:
'The name you are attempting to reveal does not match the name you have entered. ', // 34
ERROR_35:
'Input address is not checksummed. <a href="https://myetherwallet.groovehq.com/knowledge_base/topics/not-checksummed-shows-when-i-enter-an-address" target="_blank" rel="noopener"> More info</a>', // 35
ERROR_36: 'Enter valid TX hash', // 36
ERROR_37: 'Enter valid hex string (0-9, a-f)', // 37
SUCCESS_1: 'Địa Chỉ Hợp Lệ ',
SUCCESS_2: 'Ví đã được giải mã thành công ',
SUCCESS_3:
'TX was broadcast to the blockchain. Click to see your transaction & verify it was mined and does not have any out of gas or contract execution errors. TX ID: ', //'Giao dịch đã gửi đi, TX ID: ',
'Your TX has been broadcast to the network. It is waiting to be mined & confirmed. During ICOs, it may take 3+ hours to confirm. Use the Verify & Check buttons below to see. TX Hash: ',
SUCCESS_4: 'Ví của bạn đã được thêm thành công: ',
SUCCESS_5: 'Tập Tin Được Chọn ',
SUCCESS_6: 'You are successfully connected ',
@ -467,7 +574,7 @@ module.exports = {
HELP_1_Desc_4: 'Chọn "Tạo Ví". ',
HELP_1_Desc_5: 'Ví của bạn sẽ được tạo ngay bây giờ. ',
HELP_2a_Title: '2a) Làm thế nào dễ sao lưu Ví? ',
HELP_2a_Title: 'Làm thế nào dễ sao lưu Ví? ',
HELP_2a_Desc_1:
'Bạn nên sao lưu tập tin Ví của bạn bên ngoài máy tính và tại nhiều nơi khác nhau - như trên USB hoặc/và một tờ giấy. ',
HELP_2a_Desc_2:
@ -485,7 +592,7 @@ module.exports = {
'2b) Làm thế nào dễ bảo mật Ví / offline / lưu trữ lạnh cùng với MyEtherWallet? ',
HELP_2b_Desc_1:
'Đến trang github của chúng tôi: [https://github.com/kvhnuke/etherwallet/releases/latest](https://github.com/kvhnuke/etherwallet/releases/latest). ',
HELP_2b_Desc_2: 'Chọn vào ô `dist-vX.X.X.X.zip`. ',
HELP_2b_Desc_2: 'Chọn vào ô `etherwallet-vX.X.X.X.zip`. ',
HELP_2b_Desc_3: 'Chuyển tiếp tập tin zip đi đến máy tính airgapped. ',
HELP_2b_Desc_4:
'Giải nén tập tin Zip và nhấn kép chuột vào tập tin `index.html`. ',
@ -534,7 +641,7 @@ module.exports = {
HELP_4_Desc_12:
'Một cửa sổ yêu cầu sẽ xuất hiện. Xác nhận lại số lượng cần gửi và địa chỉ đến. Sau đó chọn vào ô "Có, tôi chắc chắn! Hãy thực hiện giao dịch.". ',
HELP_4_Desc_13:
'Giao dịch của bạn sẽ được gửi đi. TX ID sẽ xuất hiện trên màn hình. Bạn có thể chọn vào TX ID dễ xem nó trên blockchain. ',
'Giao dịch của bạn sẽ được gửi đi. TX Hash sẽ xuất hiện trên màn hình. Bạn có thể chọn vào TX Hash dễ xem nó trên blockchain. ',
HELP_4CX_Title:
'4) Làm thế nào dễ gửi đi Ether bằng cách sử dụng MyEtherWallet CX? ',

View File

@ -4,6 +4,83 @@
module.exports = {
code: 'zhcn',
data: {
HELP_2a_Title: 'How do I save/backup my wallet? ',
/* New Generics */
x_CancelReplaceTx: 'Cancel or Replace Transaction',
x_CancelTx: 'Cancel Transaction',
x_PasswordDesc:
'This password * encrypts * your private key. This does not act as a seed to generate your keys. **You will need this password + your private key to unlock your wallet.**',
x_ReadMore: 'Read More',
x_ReplaceTx: 'Replace Transaction',
x_TransHash: 'Transaction Hash',
x_TXFee: 'TX Fee',
x_TxHash: 'TX Hash',
/* Check TX Status */
NAV_CheckTxStatus: 'Check TX Status',
NAV_TxStatus: 'TX Status',
tx_Details: 'Transaction Details',
tx_Summary:
'During times of high volume (like during ICOs) transactions can be pending for hours, if not days. This tool aims to give you the ability to find and "cancel" / replace these TXs. ** This is not typically something you can do. It should not be relied upon & will only work when the TX Pools are full. [Please, read about this tool here.](https://myetherwallet.groovehq.com/knowledge_base/topics/how-can-i-check-on-the-status-of-my-transaction-can-i-cancel-override-overwrite-replace-or-do-anything-once-a-transaction-has-been-sent)**',
tx_notFound: 'Transaction Not Found',
tx_notFound_1:
'This TX cannot be found in the TX Pool of the node you are connected to.',
tx_notFound_2:
'If you just sent the transaction, please wait 15 seconds and press the "Check TX Status" button again. ',
tx_notFound_3:
'It could still be in the TX Pool of a different node, waiting to be mined.',
tx_notFound_4:
'Please use the dropdown in the top-right & select a different ETH node (e.g. `ETH (Etherscan.io)` or `ETH (Infura.io)` or `ETH (MyEtherWallet)`) and check again.',
tx_foundInPending: 'Pending Transaction Found',
tx_foundInPending_1:
'Your transaction was located in the TX Pool of the node you are connected to. ',
tx_foundInPending_2: 'It is currently pending (waiting to be mined). ',
tx_foundInPending_3:
'There is a chance you can "cancel" or replace this transaction. Unlock your wallet below.',
tx_FoundOnChain: 'Transaction Found',
tx_FoundOnChain_1:
'Your transaction was successfully mined and is on the blockchain.',
tx_FoundOnChain_2:
'**If you see a red `( ! )`, a `BAD INSTRUCTION` or `OUT OF GAS` error message**, it means that the transaction was not successfully *sent*. You cannot cancel or replace this transaction. Instead, send a new transaction. If you received an "Out of Gas" error, you should double the gas limit you specified originally.',
tx_FoundOnChain_3:
'**If you do not see any errors, your transaction was successfully sent.** Your ETH or Tokens are where you sent them. If you cannot see this ETH or Tokens credited in your other wallet / exchange account, and it has been 24+ hours since you sent, please [contact that service](https://myetherwallet.groovehq.com/knowledge_base/topics/i-have-a-question-but-its-not-about-myetherwallet-dot-com-what-do-i-do). Send them the *link* to your transaction and ask them, nicely, to look into your situation.',
/* Gen Wallet Updates */
GEN_Help_1: 'Use your',
GEN_Help_2: 'to access your account.',
GEN_Help_3: 'Your device * is * your wallet.',
GEN_Help_4: 'Guides & FAQ',
GEN_Help_5: 'How to Create a Wallet',
GEN_Help_6: 'Getting Started',
GEN_Help_7:
"Keep it safe · Make a backup · Don't share it with anyone · Don't lose it · It cannot be recovered if you lose it.",
GEN_Help_8: 'Not Downloading a File? ',
GEN_Help_9: 'Try using Google Chrome ',
GEN_Help_10: 'Right click & save file as. Filename: ',
GEN_Help_11: "Don't open this file on your computer ",
GEN_Help_12:
'Use it to unlock your wallet via MyEtherWallet (or Mist, Geth, Parity and other wallet clients.) ',
GEN_Help_13: 'How to Back Up Your Keystore File ',
GEN_Help_14: 'What are these Different Formats? ',
GEN_Help_15: 'Preventing loss &amp; theft of your funds.',
GEN_Help_16: 'What are these Different Formats?',
GEN_Help_17: 'Why Should I?',
GEN_Help_18: 'To have a secondary backup.',
GEN_Help_19: 'In case you ever forget your password.',
GEN_Help_20: 'Cold Storage',
GET_ConfButton: 'I understand. Continue.',
GEN_Label_5: 'Save Your `Private Key`. ',
GEN_Unlock: 'Unlock your wallet to see your address',
GAS_PRICE_Desc:
'Gas Price is the amount you pay per unit of gas. `TX fee = gas price * gas limit` & is paid to miners for including your TX in a block. Higher the gas price = faster transaction, but more expensive. Default is `21 GWEI`.',
GAS_LIMIT_Desc:
'Gas limit is the amount of gas to send with your TX. `TX fee` = gas price * gas limit & is paid to miners for including your TX in a block. Increasing this number will not get your TX mined faster. Sending ETH = `21000`. Sending Tokens = ~`200000`.',
NONCE_Desc:
'The nonce is the number of transactions sent from a given address. It ensures transactions are sent in order & not more than once.',
TXFEE_Desc:
'The TX Fee is paid to miners for including your TX in a block. Is is the `gas limit` * `gas price`. [You can convert GWEI -> ETH here](https://www.myetherwallet.com/helpers.html)',
/* Navigation*/
NAV_AddWallet: '添加钱包 ',
NAV_BulkGenerate: '批量生成 ',
@ -11,6 +88,7 @@ module.exports = {
NAV_Contracts: '合同 ',
NAV_DeployContract: '部署合约 ',
NAV_ENS: 'ENS',
NAV_GenerateWallet_alt: 'New Wallet ',
NAV_GenerateWallet: '生成钱包 ',
NAV_Help: '帮助 ',
NAV_InteractContract: 'Interact with Contract ',
@ -18,6 +96,7 @@ module.exports = {
NAV_MyWallets: '我的钱包 ',
NAV_Offline: '离线发送 ',
NAV_SendEther: '发送以太币 / 发送代币 ', //combined these tabs
NAV_SendTokens: 'Send Tokens ',
NAV_SignMsg: 'Sign Message ',
NAV_Swap: 'Swap ',
NAV_ViewWallet: '查看钱包信息 ',
@ -25,7 +104,8 @@ module.exports = {
/* General */
x_Access: 'Access ',
x_AddessDesc: '你可以把地址理解为你的“账户”或者“公钥”。你将地址告诉别人,他们就可以向你发送以太币。那个图标有助于判别你的地址。 ',
x_AddessDesc:
'Your Address can also be known as you `Account #` or your `Public Key`. It is what you share with people so they can send you Ether or Tokens. Find the colorful address icon. Make sure it matches your paper wallet & whenever you enter your address somewhere. 你可以把地址理解为你的“账户”或者“公钥”。你将地址告诉别人,他们就可以向你发送以太币。那个图标有助于判别你的地址。 ',
x_Address: '你的地址 ',
x_Cancel: '拒绝 ',
x_CSV: 'CSV文件未加密 ',
@ -37,6 +117,7 @@ module.exports = {
x_Keystore2: 'Keystore File (UTC / JSON) ',
x_KeystoreDesc:
'这个Keystore/JSON文件和Mist、Geth使用的钱包文件是一样的所以将来你可以非常容易地导入。 It is the recommended file to download and back up.推荐下载和备份这个文件。 ',
x_MetaMask: 'Metamask / Mist ',
x_Mnemonic: 'Mnemonic Phrase ',
x_ParityPhrase: 'Parity Phrase ',
x_Password: '密码 ',
@ -76,6 +157,8 @@ module.exports = {
'MyEtherWallet是保护你的隐私和安全的免费、开源服务。 我们收到的捐赠越多,我们开发新特性、听取你的反馈的时间就越多。我们只是两个尝试改变世界的两个开发者。您能帮助我们吗? ',
sidebar_donate: '捐赠 ',
sidebar_thanks: '感谢你!!! ',
sidebar_DisplayOnTrezor: 'Display address on TREZOR',
sidebar_DisplayOnLedger: 'Display address on Ledger',
/* Decrypt Panel */
decrypt_Access: '你将怎样使用钱包? ',
@ -92,6 +175,10 @@ module.exports = {
ADD_Radio_4: '添加一个查看账户 ',
ADD_Radio_5: 'Paste/Type Your Mnemonic ',
ADD_Radio_5_Path: 'Select HD derivation path ',
ADD_Radio_5_woTrezor: '(Jaxx, Metamask, Exodus, imToken)',
ADD_Radio_5_withTrezor: '(Jaxx, Metamask, Exodus, imToken, TREZOR)',
ADD_Radio_5_PathAlternative: '(Ledger)',
ADD_Radio_5_PathTrezor: '(TREZOR)',
ADD_Radio_5_PathCustom: 'Custom',
ADD_Label_2: '生成一个钱包昵称: ',
ADD_Label_3: '你的钱包被加密,请输入密码: ',
@ -101,6 +188,7 @@ module.exports = {
ADD_Label_6: '解锁钱包 ',
ADD_Label_6_short: '解锁 ',
ADD_Label_7: '增加账户 ',
ADD_Label_8: 'Password (optional): ',
/* Generate Wallets */
GEN_desc: '如果你想生成多个钱包,你可以在这里进行: ',
@ -110,6 +198,8 @@ module.exports = {
GEN_Label_2: '保存你的Keystore或者私钥。不要忘记你的密码。 ',
GEN_Label_3: '保存你的地址。 ',
GEN_Label_4: '打印你的纸钱包,或者存储二维码。(可选) ',
GEN_Aria_1: '',
GEN_Aria_2: '',
/* Bulk Generate Wallets */
BULK_Label_1: '打算生成的钱包数量 ',
@ -120,7 +210,6 @@ module.exports = {
SEND_addr: '发送至地址: ',
SEND_amount: '转账数额: ',
SEND_amount_short: '数额 ',
// SEND_custom : 'Custom ',
SEND_gas: 'Gas ',
SEND_TransferTotal: '发送所有余额 ',
SEND_generate: '生成交易 ',
@ -223,6 +312,8 @@ module.exports = {
'这允许你下载不同格式的私钥和重新打印你的纸钱包。为了将[你的账户导入到Geth/Mist](http://ethereum.stackexchange.com/questions/465/how-to-import-a-plain-private-key-into-geth/),你可能需要这个操作。如果你想查看你的余额,我们推荐使用区块浏览器,例如[etherscan.io](http://etherscan.io/)。 ',
VIEWWALLET_Subtitle_Short: '这允许你下载不同格式的私钥和重新打印你的纸钱包。 ',
VIEWWALLET_SuccessMsg: '成功!这是你的钱包细节! ',
VIEWWALLET_ShowPrivKey: '(show)',
VIEWWALLET_HidePrivKey: '(hide)',
/* Chrome Extension */
CX_error_1: '你没有已保存的钱包。点击["添加钱包"](/cx-wallet.html#add-wallet),添加一个钱包。 ',
@ -260,6 +351,7 @@ module.exports = {
SWAP_start_CTA: 'Start Swap ',
SWAP_ref_num: 'Your reference number ',
SWAP_time: 'Time remaining to send ',
SWAP_elapsed: 'Time elapsed since sent ',
SWAP_progress_1: 'Order Initiated ',
SWAP_progress_2: 'Waiting for your ', // Waiting for your BTC...
SWAP_progress_3: 'Received! ', // ETH Received!
@ -289,19 +381,28 @@ module.exports = {
MNEM_prev: 'Previous Addresses ',
/* Hardware wallets */
x_Ledger: 'Ledger Nano S ',
ADD_Ledger_1: 'Connect your Ledger Nano S ',
x_Ledger: 'Ledger Wallet ',
ADD_Ledger_1: 'Connect your Ledger Wallet ',
ADD_Ledger_2: 'Open the Ethereum application (or a contract application) ',
ADD_Ledger_3: 'Verify that Browser Support is enabled in Settings ',
ADD_Ledger_4:
'If no Browser Support is found in settings, verify that you have [Firmware >1.2](https://www.ledgerwallet.com/apps/manager) ',
ADD_Ledger_0a: 'Re-open MyEtherWallet on a secure (SSL) connection ',
ADD_Ledger_0a:
'You must access MyEtherWallet via a secure (SSL / HTTPS) connection to connect. ',
ADD_Ledger_0b:
'Re-open MyEtherWallet using [Chrome](https://www.google.com/chrome/browser/desktop/) or [Opera](https://www.opera.com/) ',
ADD_Ledger_scan: 'Connect to Ledger Nano S ',
ADD_Ledger_scan: 'Connect to Ledger Wallet ',
ADD_MetaMask: 'Connect to MetaMask ',
x_Trezor: 'TREZOR ',
ADD_Trezor_scan: 'Connect to TREZOR ',
ADD_Trezor_select: 'This is a TREZOR seed ',
x_DigitalBitbox: 'Digital Bitbox ',
ADD_DigitalBitbox_0a: 'Re-open MyEtherWallet on a secure (SSL) connection ',
ADD_DigitalBitbox_0b:
'Re-open MyEtherWallet using [Chrome](https://www.google.com/chrome/browser/desktop/) or [Opera](https://www.opera.com/) ',
ADD_DigitalBitbox_scan: 'Connect your Digital Bitbox ',
/* Error Messages */
ERROR_0: '请输入有效数额。 ',
@ -312,11 +413,11 @@ module.exports = {
"This unit doesn't exists, please use the one of the following units 这个单位不存在,请用下面给出的单位 ",
ERROR_5: '无效地址。 ',
ERROR_6: '无效密码。 ',
ERROR_7: '无效数额。 ',
ERROR_8: '无效gas上限。 ',
ERROR_9: '无效数据值。 ',
ERROR_10: '无效gas数额。 ',
ERROR_11: '无效nonce。 ',
ERROR_7: '无效数额。(Must be integer. Try 0-18.) ', // 7
ERROR_8: '无效gas上限。(Must be integer. Try 21000-4000000.) ', // 8
ERROR_9: '无效数据值。(Must be hex.) ', // 9
ERROR_10: '无效gas数额。(Must be integer. Try 20 GWEI / 20000000000 WEI.)',
ERROR_11: '无效nonce。(Must be integer.)', // 11
ERROR_12: '无效签名交易。 ',
ERROR_13: '已经有一个钱包使用该昵称。 ',
ERROR_14: '找不到钱包。 ',
@ -325,27 +426,36 @@ module.exports = {
ERROR_17: '你的账户需要至少0.01以太币已支付gas费用。请添加一些以太币再次尝试。 ',
ERROR_18: '所有的gas将用于这笔交易。 这意味着你已经对这个提议进行投票或者辩论期已经结束。 ',
ERROR_19: '无效符号 ',
ERROR_20: 'Not a valid ERC-20 token ',
ERROR_20: 'Not a valid ERC-20 token', // 20
ERROR_21:
'Could not estimate gas. There are not enough funds in the account, or the receiving contract address would throw an error. Feel free to manually set the gas and proceed. The error message upon sending may be more informative. ',
ERROR_22: 'Please enter valid node name ',
'Could not estimate gas. There are not enough funds in the account, or the receiving contract address would throw an error. Feel free to manually set the gas and proceed. The error message upon sending may be more informative.', // 21
ERROR_22: 'Please enter a valid node name', // 22
ERROR_23:
'Please enter valid URL. If you are connecting via HTTPS, your node must be over HTTPS ',
ERROR_24: 'Please enter valid port ',
ERROR_25: 'Please enter valid chain ID ',
ERROR_26: 'Please enter valid ABI ',
ERROR_27: 'Minimum amount: 0.01. Maximum Amount: ',
'Please enter a valid URL. If you are on https, your URL must be https', // 23
ERROR_24: 'Please enter a valid port. ', // 24
ERROR_25: 'Please enter a valid chain ID. ', // 25
ERROR_26: 'Please enter a valid ABI. ', // 26
ERROR_27: 'Minimum amount: 0.01. Max amount: ', // 27
ERROR_28:
'将来使用钱包时你需要Keystore文件或者私钥。 请做好保存和备份。 如果你没有保存,没有办法恢复钱包。 请阅读[帮助页面](https://www.myetherwallet.com/#help),获得更多信息。 ',
ERROR_29: 'Please enter valid user and password ',
ERROR_30: 'Please enter valid ENS name ',
ERROR_31: 'Invalid secret phrase ',
ERROR_29: 'Please enter a valid user and password. ', // 29
ERROR_30: 'Please enter a valid name (7+ characters, limited punctuation) ', // 30
ERROR_31: 'Please enter a valid secret phrase. ', // 31
ERROR_32:
'Could not connect to the node. Please refresh the page, or see the help page for more troubleshooting suggestions. ',
'Could not connect to the node. Refresh your page, try a different node (upper right corner), check your firewall settings. If custom node, check your configs.', // 32
ERROR_33:
"The wallet you have unlocked does not match the owner's address. ", // 33
ERROR_34:
'The name you are attempting to reveal does not match the name you have entered. ', // 34
ERROR_35:
'Input address is not checksummed. <a href="https://myetherwallet.groovehq.com/knowledge_base/topics/not-checksummed-shows-when-i-enter-an-address" target="_blank" rel="noopener"> More info</a>', // 35
ERROR_36: 'Enter valid TX hash', // 36
ERROR_37: 'Enter valid hex string (0-9, a-f)', // 37
SUCCESS_1: '有效地址 ',
SUCCESS_2: '钱包解密成功 ',
SUCCESS_3:
'TX was broadcast to the blockchain. Click to see your transaction & verify it was mined and does not have any out of gas or contract execution errors. TX ID: ', //'交易已提交。TX ID ',
'Your TX has been broadcast to the network. It is waiting to be mined & confirmed. During ICOs, it may take 3+ hours to confirm. Use the Verify & Check buttons below to see. TX Hash: ', //'Your TX has been broadcast to the network. It is waiting to be mined & confirmed. During ICOs, it may take 3+ hours to confirm. Use the Verify & Check buttons below to see. TX Hash: ', //
SUCCESS_4: '成功添加你的钱包: ',
SUCCESS_5: '选择的文件: ',
SUCCESS_6: 'You are successfully connected ',
@ -375,7 +485,7 @@ module.exports = {
PARITY_InsufficientGasPrice:
"Transaction fee is too low. It does not satisfy your node's minimal fee (minimal: {}, got: {}). Try increasing the fee.",
PARITY_InsufficientBalance:
'Insufficient funds. Account you try to send transaction from does not have enough funds. Required {} and got: {}.',
'Insufficient funds. Account you try to send transaction from does not have enough funds. Required {} wei and got: {} wei.',
PARITY_GasLimitExceeded:
'Transaction cost exceeds current gas limit. Limit: {}, got: {}. Try decreasing supplied gas.',
PARITY_InvalidGasLimit: 'Supplied gas is beyond limit.',
@ -431,7 +541,6 @@ module.exports = {
HELP_1_Desc_4: 'Click "GENERATE". ',
HELP_1_Desc_5: 'Your wallet has now been generated. ',
HELP_2a_Title: '2a) How do I save/backup my wallet? ',
HELP_2a_Desc_1:
'You should always back up your wallet externally and in multiple physical locations - like on a USB drive and/or a piece of paper. ',
HELP_2a_Desc_2:
@ -449,7 +558,7 @@ module.exports = {
'2b) How do I safely / offline / cold storage with MyEtherWallet? ',
HELP_2b_Desc_1:
'Go to [https://github.com/kvhnuke/etherwallet/releases/latest](https://github.com/kvhnuke/etherwallet/releases/latest). ',
HELP_2b_Desc_2: 'Click on `dist-vX.X.X.X.zip`. ',
HELP_2b_Desc_2: 'Click on `etherwallet-vX.X.X.X.zip`. ',
HELP_2b_Desc_3: 'Move zip to an airgapped computer. ',
HELP_2b_Desc_4: 'Unzip it and double-click `index.html`. ',
HELP_2b_Desc_5: 'Generate a wallet with a strong password. ',
@ -496,7 +605,7 @@ module.exports = {
HELP_4_Desc_12:
'A pop-up will appear. Verify that the amount and the address you are sending to are correct. Then click "Yes, I am sure! Make transaction." button. ',
HELP_4_Desc_13:
'The transaction will be submitted. The TX ID will display. You can click that TX ID to see it on the blockchain. ',
'The transaction will be submitted. The TX Hash will display. You can click that TX Hash to see it on the blockchain. ',
HELP_4CX_Title: '4) How do I send Ether using MyEtherWallet CX? ',
HELP_4CX_Desc_1:
@ -563,7 +672,7 @@ module.exports = {
HELP_7_Desc_14:
'A pop-up will appear. Verify that the amount and the address you are sending to are correct. Then click "Yes, I am sure! Make transaction." button. ',
HELP_7_Desc_15:
'The transaction will be submitted. The TX ID will display. You can click that TX ID to see it on the blockchain. ',
'The transaction will be submitted. The TX Hash will display. You can click that TX Hash to see it on the blockchain. ',
HELP_8_Title: '8) What happens if your site goes down? ',
HELP_8_Desc_1:

View File

@ -4,6 +4,77 @@
module.exports = {
code: 'zhtw',
data: {
HELP_2a_Title: '我要怎麼儲存/備份錢包? ',
/* New Generics */
x_CancelReplaceTx: '取消或取代交易',
x_CancelTx: '取消交易',
x_PasswordDesc:
'這組密碼用來 * 加密 * 您的錢包。 並非用來作為產生金鑰的種子。 **您需要這組密碼以及您的金鑰才能解鎖錢包。**',
x_ReadMore: '繼續閱讀',
x_ReplaceTx: '取代交易',
x_TransHash: '交易雜湊值',
x_TXFee: '交易手續費',
x_TxHash: '交易雜湊值',
/* Check TX Status */
NAV_CheckTxStatus: '檢查交易狀態',
NAV_TxStatus: '交易狀態',
tx_Details: '交易細節',
tx_Summary:
'During times of high volume (like during ICOs) transactions can be pending for hours, if not days. This tool aims to give you the ability to find and "cancel" / replace these TXs. ** This is not typically something you can do. It should not be relied upon & will only work when the TX Pools are full. [Please, read about this tool here.](https://myetherwallet.groovehq.com/knowledge_base/topics/how-can-i-check-on-the-status-of-my-transaction-can-i-cancel-override-overwrite-replace-or-do-anything-once-a-transaction-has-been-sent)**',
tx_notFound: '查無交易',
tx_notFound_1: '無法在您所連接的節點之交易池找到這筆交易。',
tx_notFound_2: '如果您才剛送出交易,請等待 15 秒鐘後再按下 "檢查交易狀態" 按鈕。 ',
tx_notFound_3: '這筆交易可能仍在在其他節點的交易池中等待被確認。',
tx_notFound_4:
'請用右上角的下拉式選單來選取其他 ETH 節點 (例如: `ETH (Etherscan.io)` 、 `ETH (Infura.io)` 或 `ETH (MyEtherWallet)`) 並再檢查一次。',
tx_foundInPending: '找到等待中的交易',
tx_foundInPending_1: '您的交易存在於你所連接的節點交易池中。 ',
tx_foundInPending_2: '此筆交易正在等待中 (等待確認). ',
tx_foundInPending_3: '您有機會 "取消" 或取代這筆交易。 請在底下解鎖錢包。',
tx_FoundOnChain: '找到交易',
tx_FoundOnChain_1: '您的交易已經成功被確認且存在於區塊鏈上。',
tx_FoundOnChain_2:
'**If you see a red `( ! )`, a `BAD INSTRUCTION` or `OUT OF GAS` error message**, it means that the transaction was not successfully *sent*. You cannot cancel or replace this transaction. Instead, send a new transaction. If you received an "Out of Gas" error, you should double the gas limit you specified originally.',
tx_FoundOnChain_3:
'**If you do not see any errors, your transaction was successfully sent.** Your ETH or Tokens are where you sent them. If you cannot see this ETH or Tokens credited in your other wallet / exchange account, and it has been 24+ hours since you sent, please [contact that service](https://myetherwallet.groovehq.com/knowledge_base/topics/i-have-a-question-but-its-not-about-myetherwallet-dot-com-what-do-i-do). Send them the *link* to your transaction and ask them, nicely, to look into your situation.',
/* Gen Wallet Updates */
GEN_Help_1: '使用您的',
GEN_Help_2: '來存取您的帳戶。 ',
GEN_Help_3: '您的裝置 * 就是 * 您的錢包。',
GEN_Help_4: '指南 & 問與答',
GEN_Help_5: '如何建立錢包',
GEN_Help_6: '入門',
GEN_Help_7:
"Keep it safe · Make a backup · Don't share it with anyone · Don't lose it · It cannot be recovered if you lose it.",
GEN_Help_8: 'Not Downloading a File? ',
GEN_Help_9: '改用 Google Chrome 看看 ',
GEN_Help_10: 'Right click & save file as. Filename: ',
GEN_Help_11: "Don't open this file on your computer ",
GEN_Help_12:
'Use it to unlock your wallet via MyEtherWallet (or Mist, Geth, Parity and other wallet clients.) ',
GEN_Help_13: 'How to Back Up Your Keystore File ',
GEN_Help_14: 'What are these Different Formats? ',
GEN_Help_15: 'Preventing loss &amp; theft of your funds.',
GEN_Help_16: 'What are these Different Formats?',
GEN_Help_17: 'Why Should I?',
GEN_Help_18: 'To have a secondary backup.',
GEN_Help_19: 'In case you ever forget your password.',
GEN_Help_20: 'Cold Storage',
GET_ConfButton: 'I understand. Continue.',
GEN_Label_5: 'Save Your `Private Key`. ',
GEN_Unlock: 'Unlock your wallet to see your address',
GAS_PRICE_Desc:
'Gas Price is the amount you pay per unit of gas. `TX fee = gas price * gas limit` & is paid to miners for including your TX in a block. Higher the gas price = faster transaction, but more expensive. Default is `21 GWEI`.',
GAS_LIMIT_Desc:
'Gas limit is the amount of gas to send with your TX. `TX fee` = gas price * gas limit & is paid to miners for including your TX in a block. Increasing this number will not get your TX mined faster. Sending ETH = `21000`. Sending Tokens = ~`200000`.',
NONCE_Desc:
'The nonce is the number of transactions sent from a given address. It ensures transactions are sent in order & not more than once.',
TXFEE_Desc:
'The TX Fee is paid to miners for including your TX in a block. Is is the `gas limit` * `gas price`. [You can convert GWEI -> ETH here](https://www.myetherwallet.com/helpers.html)',
/* Navigation*/
NAV_AddWallet: '新增錢包 ',
NAV_BulkGenerate: '批量產生 ',
@ -11,8 +82,9 @@ module.exports = {
NAV_Contracts: '合約 ',
NAV_DeployContract: '部署合約 ',
NAV_ENS: 'ENS',
NAV_GenerateWallet_alt: '建立新錢包 ',
NAV_GenerateWallet: '產生錢包 ',
NAV_Help: '助 ',
NAV_Help: '助 ',
NAV_InteractContract: '和合約互動 ',
NAV_Multisig: '多重簽署 ',
NAV_MyWallets: '我的錢包 ',
@ -26,7 +98,8 @@ module.exports = {
/* General */
x_Access: '存取合約 ',
x_AddessDesc: '你可以把地址當作是你的"帳號"或者"公鑰"。將地址告訴他人,他人就能發送乙太幣給你。這個圖標能幫助你判別地址。 ',
x_AddessDesc:
'Your Address can also be known as you `Account #` or your `Public Key`. It is what you share with people so they can send you Ether or Tokens. Find the colorful address icon. Make sure it matches your paper wallet & whenever you enter your address somewhere. 你可以把地址當作是你的"帳號"或者"公鑰"。將地址告訴他人,他人就能發送乙太幣給你。這個圖標能幫助你判別地址。 ',
x_Address: '你的地址 ',
x_Cancel: '取消 ',
x_CSV: 'CSV 檔 (未加密) ',
@ -37,6 +110,7 @@ module.exports = {
x_Keystore: 'Keystore 檔 (UTC / JSON · 推薦 · 經過加密) ',
x_Keystore2: 'Keystore 檔 (UTC / JSON) ',
x_KeystoreDesc: '此Keystore檔和Mist錢包相容因此你可以輕鬆地匯入錢包。我們推薦你下載並備份此檔案。 ',
x_MetaMask: 'Metamask / Mist ',
x_Mnemonic: '助憶口令 ',
x_ParityPhrase: 'Parity口令 ',
x_Password: '密碼 ',
@ -76,6 +150,8 @@ module.exports = {
'MyEtherWallet是注重你的隱私和安全的免費、開源服務。如果有更多捐贈我們就能花更多時間開發新功能、聽取你的建議並且滿足你的需要。我們只是兩個想要改變世界的人。幫助我們 ',
sidebar_donate: '捐贈 ',
sidebar_thanks: '謝謝你!!! ',
sidebar_DisplayOnTrezor: 'Display address on TREZOR',
sidebar_DisplayOnLedger: 'Display address on Ledger',
/* Decrypt Panel */
decrypt_Access: '你想要如何存取你的錢包? ',
@ -90,17 +166,27 @@ module.exports = {
MNEM_prev: '之前的地址 ',
/* Hardware wallets */
x_Ledger: 'Ledger Nano S 錢包',
ADD_Ledger_1: '連接至你的 Ledger Nano S ',
x_Ledger: 'Ledger Wallet 錢包',
ADD_Ledger_0a:
'You must access MyEtherWallet via a secure (SSL / HTTPS) connection to connect. ',
ADD_Ledger_1: '連接至你的 Ledger Wallet ',
ADD_Ledger_2: '開啟基於以太坊開發的應用程式(或一個寫成合約的應用程式) ',
ADD_Ledger_3: '確認已經開啟設定選項中的瀏覽器支援選項',
ADD_Ledger_4:
'如果在設定選項中找不到瀏覽器支援選項,請確認你的韌體版本新於[1.2版](https://www.ledgerwallet.com/apps/manager)',
ADD_Ledger_0b:
'以 [Chrome](https://www.google.com/chrome/browser/desktop/) 或 [Opera](https://www.opera.com/) 瀏覽器重新開啟MyEtherWallet',
ADD_Ledger_scan: '連接至 Ledger Nano S ',
ADD_Ledger_scan: '連接至 Ledger Wallet ',
ADD_MetaMask: 'Connect to MetaMask ',
x_Trezor: 'TREZOR 錢包 ',
ADD_Trezor_scan: '連接至 TREZOR ',
x_DigitalBitbox: 'Digital Bitbox ',
ADD_DigitalBitbox_0a: 'Re-open MyEtherWallet on a secure (SSL) connection ',
ADD_DigitalBitbox_0b:
'以 [Chrome](https://www.google.com/chrome/browser/desktop/) 或 [Opera](https://www.opera.com/) 瀏覽器重新開啟MyEtherWallet',
ADD_DigitalBitbox_scan: '連接至 Digital Bitbox ',
/* Add Wallet */
ADD_Label_1: '你想要做什麼? ',
@ -112,6 +198,10 @@ module.exports = {
ADD_Radio_4: '監視一個帳戶 ',
ADD_Radio_5: '貼上/輸入 你的助憶口令 ',
ADD_Radio_5_Path: 'Select HD derivation path ',
ADD_Radio_5_woTrezor: '(Jaxx, Metamask, Exodus, imToken)',
ADD_Radio_5_withTrezor: '(Jaxx, Metamask, Exodus, imToken, TREZOR)',
ADD_Radio_5_PathAlternative: '(Ledger)',
ADD_Radio_5_PathTrezor: '(TREZOR)',
ADD_Radio_5_PathCustom: 'Custom',
ADD_Label_2: '新增一個暱稱 ',
ADD_Label_3: '你的錢包經過加密。請輸入密碼。 ',
@ -121,6 +211,7 @@ module.exports = {
ADD_Label_6: '解鎖你的錢包 ',
ADD_Label_6_short: '解鎖 ',
ADD_Label_7: '新增帳戶 ',
ADD_Label_8: 'Password (optional): ',
/* My Wallet */
MYWAL_Nick: '錢包暱稱 ',
@ -148,6 +239,8 @@ module.exports = {
GEN_Label_2: '存下你的Keystore檔。 別忘記上方的密碼。 ',
GEN_Label_3: '記下你的地址。 ',
GEN_Label_4: '印出你的紙錢包或存下QR碼版本的資料。可選的 ',
GEN_Aria_1: '',
GEN_Aria_2: '',
/* Bulk Generate Wallets */
BULK_Label_1: '要產生的錢包數量 ',
@ -207,6 +300,7 @@ module.exports = {
OFFLINE_Step2_Label_4: 'Gas 總量 ',
OFFLINE_Step2_Label_4b:
'21000 是預設的gas總量單純轉錢。如果你是要執行合約則會不一樣。多給的gas如果沒有用完會退還給你。',
OFFLINE_Step2_Label_5: 'Nonce ',
OFFLINE_Step2_Label_5b: '這會顯示於你步驟一連網裝置上。',
OFFLINE_Step2_Label_6: '交易的Data ',
OFFLINE_Step2_Label_6b: '並非必需的Data通常只有在你執行合約的時候才需要。 ',
@ -273,6 +367,8 @@ module.exports = {
'這可以讓你下載不同版本的私鑰並且重新印製出你的紙錢包。你可能會需要這個功能來將你的帳戶[讀入Geth/Mist](http://ethereum.stackexchange.com/questions/465/how-to-import-a-plain-private-key-into-geth/)。 如果你想要檢查你的帳號餘額,我們建議你使用區塊鏈瀏覽網頁像是[etherscan.io](http://etherscan.io/)。 ',
VIEWWALLET_Subtitle_Short: '這可以讓你下載不同版本的私鑰並且重新印製出你的紙錢包。 ',
VIEWWALLET_SuccessMsg: '成功!這些是你的錢包內容。 ',
VIEWWALLET_ShowPrivKey: '(show)',
VIEWWALLET_HidePrivKey: '(hide)',
/* Chrome Extension */
CX_error_1: '你沒有儲存過任何錢包。 點擊["新增錢包"](/cx-wallet.html#add-wallet)來新增一個錢包! ',
@ -286,11 +382,11 @@ module.exports = {
ERROR_4: '這個單位並不存在,請使用以下的單位 ',
ERROR_5: '無效的地址。 ',
ERROR_6: '無效的密碼。 ',
ERROR_7: '無效的數量。 ',
ERROR_8: '無效的gas上限。 ',
ERROR_9: '無效的data。 ',
ERROR_10: '無效的gas數量。 ',
ERROR_11: '無效的nonce值。 ',
ERROR_7: '無效的數量。(Must be integer. Try 0-18.) ', // 7
ERROR_8: '無效的gas上限。(Must be integer. Try 21000-4000000.) ', // 8
ERROR_9: '無效的data。(Must be hex.) ', // 9
ERROR_10: '無效的gas數量。(Must be integer. Try 20 GWEI / 20000000000 WEI.)',
ERROR_11: '無效的nonce值。(Must be integer.)', // 11
ERROR_12: '無效的已簽名交易。 ',
ERROR_13: '已經有一個使用相同暱稱的錢包存在。 ',
ERROR_14: '找不到錢包。 ',
@ -299,7 +395,7 @@ module.exports = {
ERROR_16: '儲存裝置中已經有一個包含這個地址的錢包存在。 請見錢包頁面。 ',
ERROR_17: '你帳戶中必須有至少 **0.01 ETH** 來支付gas的成本。 請添加一些 ETH 並重試。 ',
ERROR_18:
'All gas would be used on this transaction. This means you have already voted on this proposal or the debate period has ended. ',
'All gas would be used on this transaction. This means you have already voted on this proposal or the debate period has ended.', // 18
ERROR_19: '無效的符號 ',
ERROR_20: '並不是一個有效的 ERC-20 代幣 ',
ERROR_21:
@ -313,14 +409,23 @@ module.exports = {
ERROR_28:
'**以後你會需要密碼和Keystore檔案** (或私鑰)來存取你的錢包。請儲存並備份在額外的地方!如果沒有儲存你是沒有機會找回這個錢包的。 詳見[幫助頁面](https://www.myetherwallet.com/#help)來獲取更多資訊。 ',
ERROR_29: '請輸入有效的使用者及密碼 ',
ERROR_30: 'Please enter valid ENS name ',
ERROR_31: 'Invalid secret phrase ',
ERROR_30: 'Please enter a valid name (7+ characters, limited punctuation) ', // 30
ERROR_31: 'Please enter a valid secret phrase. ', // 31
ERROR_32:
'Could not connect to the node. Please refresh the page, or see the help page for more troubleshooting suggestions. ',
'Could not connect to the node. Refresh your page, try a different node (upper right corner), check your firewall settings. If custom node, check your configs.', // 32
ERROR_33:
"The wallet you have unlocked does not match the owner's address. ", // 33
ERROR_34:
'The name you are attempting to reveal does not match the name you have entered. ', // 34
ERROR_35:
'Input address is not checksummed. <a href="https://myetherwallet.groovehq.com/knowledge_base/topics/not-checksummed-shows-when-i-enter-an-address" target="_blank" rel="noopener"> More info</a>', // 35
ERROR_36: 'Enter valid TX hash', // 36
ERROR_37: 'Enter valid hex string (0-9, a-f)', // 37
SUCCESS_1: '有效的地址 ',
SUCCESS_2: '成功解密錢包 ',
SUCCESS_3:
'TX was broadcast to the blockchain. Click to see your transaction & verify it was mined and does not have any out of gas or contract execution errors. TX ID: ', //'交易已傳送。 交易的ID ',
'Your TX has been broadcast to the network. It is waiting to be mined & confirmed. During ICOs, it may take 3+ hours to confirm. Use the Verify & Check buttons below to see. TX Hash: ', //'Your TX has been broadcast to the network. It is waiting to be mined & confirmed. During ICOs, it may take 3+ hours to confirm. Use the Verify & Check buttons below to see. TX Hash: ', //
SUCCESS_4: '成功新增你的錢包 ',
SUCCESS_5: '已選擇檔案 ',
SUCCESS_6: 'You are successfully connected ',
@ -362,8 +467,8 @@ module.exports = {
TranslatorName_2: 'NIC',
TranslatorAddr_2: ' ',
/* Translator 2 : Insert Comments Here */
TranslatorName_3: ' ',
TranslatorAddr_3: ' ',
TranslatorName_3: 'frankurcrazy ',
TranslatorAddr_3: '0xaf7c8edca9c241faf8f3f4a496da9479310e5fe9 ',
/* Translator 3 : Insert Comments Here */
TranslatorName_4: ' ',
TranslatorAddr_4: ' ',
@ -403,7 +508,6 @@ module.exports = {
HELP_1_Desc_4: 'Click "GENERATE". ',
HELP_1_Desc_5: 'Your wallet has now been generated. ',
HELP_2a_Title: '2a) How do I save/backup my wallet? ',
HELP_2a_Desc_1:
'You should always back up your wallet externally and in multiple physical locations - like on a USB drive and/or a piece of paper. ',
HELP_2a_Desc_2:
@ -421,7 +525,7 @@ module.exports = {
'2b) How do I safely / offline / cold storage with MyEtherWallet? ',
HELP_2b_Desc_1:
'Go to [https://github.com/kvhnuke/etherwallet/releases/latest](https://github.com/kvhnuke/etherwallet/releases/latest). ',
HELP_2b_Desc_2: 'Click on `dist-vX.X.X.X.zip`. ',
HELP_2b_Desc_2: 'Click on `etherwallet-vX.X.X.X.zip`. ',
HELP_2b_Desc_3: 'Move zip to an airgapped computer. ',
HELP_2b_Desc_4: 'Unzip it and double-click `index.html`. ',
HELP_2b_Desc_5: 'Generate a wallet with a strong password. ',
@ -468,7 +572,7 @@ module.exports = {
HELP_4_Desc_12:
'A pop-up will appear. Verify that the amount and the address you are sending to are correct. Then click "Yes, I am sure! Make transaction." button. ',
HELP_4_Desc_13:
'The transaction will be submitted. The TX ID will display. You can click that TX ID to see it on the blockchain. ',
'The transaction will be submitted. The TX Hash will display. You can click that TX Hash to see it on the blockchain. ',
HELP_4CX_Title: '4) How do I send Ether using MyEtherWallet CX? ',
HELP_4CX_Desc_1:
@ -535,7 +639,7 @@ module.exports = {
HELP_7_Desc_14:
'A pop-up will appear. Verify that the amount and the address you are sending to are correct. Then click "Yes, I am sure! Make transaction." button. ',
HELP_7_Desc_15:
'The transaction will be submitted. The TX ID will display. You can click that TX ID to see it on the blockchain. ',
'The transaction will be submitted. The TX Hash will display. You can click that TX Hash to see it on the blockchain. ',
HELP_8_Title: '8) What happens if your site goes down? ',
HELP_8_Desc_1:
@ -696,7 +800,7 @@ module.exports = {
HELP_SecCX_Desc_6:
'If we were to encrypt these items, you would need to enter a password each time you wanted to view your account balance or view the nicknames. If this concerns you, we recommend you use MyEtherWallet.com instead of this Chrome Extension. ',
HELP_Sec_Title: 'Security ',
HELP_Sec_Title: '安全性 ',
HELP_Sec_Desc_1:
'If one of your first questions is "Why should I trust these people?", that is a good thing. Hopefully the following will help ease your fears. ',
HELP_Sec_Desc_2:

View File

@ -1,57 +0,0 @@
// ad-hoc parser for translation strings
import React from 'react';
const BOLD_REGEXP = /(\*\*)(.*?)\1/;
const LINK_REGEXP = /\[([^\[]+)\]\(([^\)]+)\)/;
function decodeHTMLEntities(text) {
var entities = [['amp', '&'], ['lt', '<'], ['gt', '>']];
for (var i = 0, max = entities.length; i < max; ++i)
text = text.replace(
new RegExp('&' + entities[i][0] + ';', 'g'),
entities[i][1]
);
return text;
}
function linkify(mdString: string) {
const parts = mdString.split(LINK_REGEXP);
if (parts.length === 1) {
return decodeHTMLEntities(parts[0]);
}
const result = [];
let key = 0;
let i = 0;
while (i + 1 < parts.length) {
result.push(decodeHTMLEntities(parts[i]));
result.push(
<a key={'linkify-' + key} href={parts[i + 2]} target="_blank">
{parts[i + 1]}
</a>
);
key++;
i += 3;
}
result.push(decodeHTMLEntities(parts[parts.length - 1]));
return result.filter(Boolean);
}
export function markupToReact(mdString: string) {
const parts = mdString.split(BOLD_REGEXP);
if (parts.length === 1) {
return linkify(parts[0]);
}
let result = [];
let key = 0;
let i = 0;
while (i + 1 < parts.length) {
result = result.concat(linkify(parts[i]));
result.push(<b key={'boldify-' + key}>{parts[i + 2]}</b>);
key++;
i += 3;
}
result = result.concat(linkify(parts.pop()));
return result.filter(Boolean);
}

View File

@ -1,5 +1,6 @@
// @flow
import React from 'react';
// import React from 'react';
import type { Element } from 'react';
import { renderToString } from 'react-dom/server';
type PrintOptions = {
@ -8,7 +9,7 @@ type PrintOptions = {
popupFeatures?: Object
};
export default function(element: React.Element<*>, opts: PrintOptions = {}) {
export default function(element: Element<*>, opts: PrintOptions = {}) {
const options = {
styles: '',
printTimeout: 500,

67
package-lock.json generated
View File

@ -2339,6 +2339,28 @@
"recast": "0.11.23"
}
},
"commonmark": {
"version": "0.24.0",
"resolved": "https://registry.npmjs.org/commonmark/-/commonmark-0.24.0.tgz",
"integrity": "sha1-uA3gGCxUY1VkOqFdsSv7KCNoJ48=",
"requires": {
"entities": "1.1.1",
"mdurl": "1.0.1",
"string.prototype.repeat": "0.2.0"
}
},
"commonmark-react-renderer": {
"version": "4.3.3",
"resolved": "https://registry.npmjs.org/commonmark-react-renderer/-/commonmark-react-renderer-4.3.3.tgz",
"integrity": "sha1-nEvKE4vIMoe655LM8TNzi+nLxvo=",
"requires": {
"in-publish": "2.0.0",
"lodash.assign": "4.2.0",
"lodash.isplainobject": "4.0.6",
"pascalcase": "0.1.1",
"xss-filters": "1.2.7"
}
},
"concat-map": {
"version": "0.0.1",
"resolved": "https://registry.npmjs.org/concat-map/-/concat-map-0.0.1.tgz",
@ -3416,8 +3438,7 @@
"entities": {
"version": "1.1.1",
"resolved": "https://registry.npmjs.org/entities/-/entities-1.1.1.tgz",
"integrity": "sha1-blwtClYhtdra7O+AuQ7ftc13cvA=",
"dev": true
"integrity": "sha1-blwtClYhtdra7O+AuQ7ftc13cvA="
},
"envify": {
"version": "3.4.1",
@ -6352,8 +6373,7 @@
"in-publish": {
"version": "2.0.0",
"resolved": "https://registry.npmjs.org/in-publish/-/in-publish-2.0.0.tgz",
"integrity": "sha1-4g/146KvwmkDILbcVSaCqcf631E=",
"dev": true
"integrity": "sha1-4g/146KvwmkDILbcVSaCqcf631E="
},
"indent-string": {
"version": "2.1.0",
@ -7830,8 +7850,7 @@
"lodash.assign": {
"version": "4.2.0",
"resolved": "https://registry.npmjs.org/lodash.assign/-/lodash.assign-4.2.0.tgz",
"integrity": "sha1-DZnzzNem0mHRm9rrkkUAXShYCOc=",
"dev": true
"integrity": "sha1-DZnzzNem0mHRm9rrkkUAXShYCOc="
},
"lodash.assignin": {
"version": "4.2.0",
@ -7914,6 +7933,11 @@
"integrity": "sha1-QVxEePK8wwEgwizhDtMib30+GOA=",
"dev": true
},
"lodash.isplainobject": {
"version": "4.0.6",
"resolved": "https://registry.npmjs.org/lodash.isplainobject/-/lodash.isplainobject-4.0.6.tgz",
"integrity": "sha1-fFJqUtibRcRcxpC4gWO+BJf1UMs="
},
"lodash.keys": {
"version": "3.1.2",
"resolved": "https://registry.npmjs.org/lodash.keys/-/lodash.keys-3.1.2.tgz",
@ -8153,6 +8177,11 @@
"integrity": "sha1-3oGf282E3M2PrlnGrreWFbnSZqw=",
"dev": true
},
"mdurl": {
"version": "1.0.1",
"resolved": "https://registry.npmjs.org/mdurl/-/mdurl-1.0.1.tgz",
"integrity": "sha1-/oWy7HWlkDfyrf7BAP1sYBdhFS4="
},
"media-typer": {
"version": "0.3.0",
"resolved": "https://registry.npmjs.org/media-typer/-/media-typer-0.3.0.tgz",
@ -9137,6 +9166,11 @@
"integrity": "sha1-yKuMkiO6NIiKpkopeyiFO+wY2lY=",
"dev": true
},
"pascalcase": {
"version": "0.1.1",
"resolved": "https://registry.npmjs.org/pascalcase/-/pascalcase-0.1.1.tgz",
"integrity": "sha1-s2PlXoAGym/iF4TS2yK9FdeRfxQ="
},
"path-browserify": {
"version": "0.0.0",
"resolved": "https://registry.npmjs.org/path-browserify/-/path-browserify-0.0.0.tgz",
@ -10172,6 +10206,17 @@
}
}
},
"react-markdown": {
"version": "2.5.0",
"resolved": "https://registry.npmjs.org/react-markdown/-/react-markdown-2.5.0.tgz",
"integrity": "sha1-scYZBP7liViGgDvZ332yPD3DqJ4=",
"requires": {
"commonmark": "0.24.0",
"commonmark-react-renderer": "4.3.3",
"in-publish": "2.0.0",
"prop-types": "15.5.10"
}
},
"react-proxy": {
"version": "3.0.0-alpha.1",
"resolved": "https://registry.npmjs.org/react-proxy/-/react-proxy-3.0.0-alpha.1.tgz",
@ -11543,6 +11588,11 @@
"strip-ansi": "3.0.1"
}
},
"string.prototype.repeat": {
"version": "0.2.0",
"resolved": "https://registry.npmjs.org/string.prototype.repeat/-/string.prototype.repeat-0.2.0.tgz",
"integrity": "sha1-q6Nt4I3O5qWjN9SbLqHaGyj8Ds8="
},
"stringstream": {
"version": "0.0.5",
"resolved": "https://registry.npmjs.org/stringstream/-/stringstream-0.0.5.tgz",
@ -12760,6 +12810,11 @@
"integrity": "sha1-TYuPHszTQZqjYgYb7O9RXh5VljU=",
"dev": true
},
"xss-filters": {
"version": "1.2.7",
"resolved": "https://registry.npmjs.org/xss-filters/-/xss-filters-1.2.7.tgz",
"integrity": "sha1-Wfod4gHzby80cNysX1jMwoMLCpo="
},
"xtend": {
"version": "4.0.1",
"resolved": "https://registry.npmjs.org/xtend/-/xtend-4.0.1.tgz",

View File

@ -24,6 +24,7 @@
"qrcode": "^0.8.2",
"react": "^15.4.2",
"react-dom": "^15.4.2",
"react-markdown": "^2.5.0",
"react-redux": "^5.0.3",
"react-router": "^3.0.0",
"react-router-redux": "^4.0.8",

View File

@ -1,87 +0,0 @@
import React from 'react';
import { markupToReact } from 'translations/markup';
describe('markupToReact', () => {
it('passes plain string as is', () => {
const value = 'string';
const expected = 'string';
expect(markupToReact(value)).toEqual(expected);
});
it('transforms bold syntax', () => {
let value = '**foo**';
let expected = [<b key="boldify-0">foo</b>];
expect(markupToReact(value)).toEqual(expected);
value = '**foo** bar';
expected = [<b key="boldify-0">foo</b>, ' bar'];
expect(markupToReact(value)).toEqual(expected);
value = 'bar **foo**';
expected = ['bar ', <b key="boldify-0">foo</b>];
expect(markupToReact(value)).toEqual(expected);
value = 'bar **foo** baz';
expected = ['bar ', <b key="boldify-0">foo</b>, ' baz'];
expect(markupToReact(value)).toEqual(expected);
value = '**foo****bar**';
expected = [<b key="boldify-0">foo</b>, <b key="boldify-1">bar</b>];
expect(markupToReact(value)).toEqual(expected);
});
it('transforms link syntax', () => {
let value = '[foo](http://google.com)';
let expected = [
<a key="linkify-0" href="http://google.com" target="_blank">foo</a>
];
expect(markupToReact(value)).toEqual(expected);
value = '[foo](http://google.com) bar';
expected = [
<a key="linkify-0" href="http://google.com" target="_blank">foo</a>,
' bar'
];
expect(markupToReact(value)).toEqual(expected);
value = 'bar [foo](http://google.com)';
expected = [
'bar ',
<a key="linkify-0" href="http://google.com" target="_blank">foo</a>
];
expect(markupToReact(value)).toEqual(expected);
value = 'bar [foo](http://google.com) baz';
expected = [
'bar ',
<a key="linkify-0" href="http://google.com" target="_blank">foo</a>,
' baz'
];
expect(markupToReact(value)).toEqual(expected);
value = '[foo](http://google.com)[bar](http://google.ca)';
expected = [
<a key="linkify-0" href="http://google.com" target="_blank">foo</a>,
<a key="linkify-1" href="http://google.ca" target="_blank">bar</a>
];
expect(markupToReact(value)).toEqual(expected);
});
it('converts mixed syntax', () => {
let value = 'Bold **foo** link [foo](http://google.com) text';
let expected = [
'Bold ',
<b key="boldify-0">foo</b>,
' link ',
<a key="linkify-0" href="http://google.com" target="_blank">foo</a>,
' text'
];
expect(markupToReact(value)).toEqual(expected);
});
it('converts html entities', () => {
let value = '&amp;&amp;';
let expected = '&&';
expect(markupToReact(value)).toEqual(expected);
});
});