diff --git a/core/src/egui/popup.rs b/core/src/egui/popup.rs index 749bcf0..8f3674b 100644 --- a/core/src/egui/popup.rs +++ b/core/src/egui/popup.rs @@ -166,7 +166,7 @@ impl<'panel> PopupPanel<'panel> { ui.add_space(8.); ui.vertical_centered(|ui| { - if ui.medium_button("Close").clicked() { + if ui.medium_button(i18n("Close")).clicked() { close_popup = true; } }); diff --git a/core/src/frame.rs b/core/src/frame.rs index eabb24d..5a558fd 100644 --- a/core/src/frame.rs +++ b/core/src/frame.rs @@ -154,7 +154,7 @@ fn close_maximize_minimize(ui: &mut egui::Ui, is_fullscreen: bool, is_maximized: RichText::new(X.to_string()).size(button_height), )) // .add(Button::new(RichText::new("❌").size(button_height))) - .on_hover_text("Close the window"); + .on_hover_text(i18n("Close the window")); if close_response.clicked() { ui.ctx().send_viewport_cmd(egui::ViewportCommand::Close); } diff --git a/core/src/modules/donations.rs b/core/src/modules/donations.rs index 501851e..169af89 100644 --- a/core/src/modules/donations.rs +++ b/core/src/modules/donations.rs @@ -83,7 +83,7 @@ impl ModuleT for Donations { ui.add_space(8.); - ui.label(i18n("The Kaspa NG software represents an ongoing effort focused on building a state-of-the-art software platform dedicated to the Kaspa BlockDAG cryptocurrency network. Ideological at its core, this software has a strong focus on security, privacy, performance, and decentralization.")); + ui.label(i18n("The Kaspa NG software represents an ongoing effort focused on building a state-of-the-art software platform dedicated to the Kaspa BlockDAG cryptocurrency network. Ideological at its core, this software prioritizes security, privacy, performance, and decentralization.")); ui.label(" "); ui.label(i18n("Because of its focus on security and performance, this software is entirely developed in Rust, demanding significantly more time and effort compared to other traditional modern web-driven software.")); ui.label(" "); diff --git a/core/src/modules/metrics.rs b/core/src/modules/metrics.rs index 194ceae..473860b 100644 --- a/core/src/modules/metrics.rs +++ b/core/src/modules/metrics.rs @@ -131,7 +131,7 @@ impl ModuleT for Metrics { }) .with_min_width(240.) .with_max_height(screen_rect_height * 0.8) - .with_caption("Settings") + .with_caption(i18n("Settings")) .with_close_button(true) .build(ui); diff --git a/core/src/modules/request.rs b/core/src/modules/request.rs index affc27d..bb356d3 100644 --- a/core/src/modules/request.rs +++ b/core/src/modules/request.rs @@ -211,7 +211,7 @@ impl ModuleT for Request { }) .with_footer(|_ctx, ui| { - if ui.large_button("Close").clicked() { + if ui.large_button(i18n("Close")).clicked() { *close.borrow_mut() = true; } }) diff --git a/core/src/modules/scanner.rs b/core/src/modules/scanner.rs index f9508b3..1e27409 100644 --- a/core/src/modules/scanner.rs +++ b/core/src/modules/scanner.rs @@ -155,7 +155,7 @@ impl ModuleT for Scanner { ui.label(i18n("The node is currently syncing with the Kaspa p2p network. Please wait for the node to sync.")); ui.add_space(16.); - if ui.large_button("Close").clicked() { + if ui.large_button(i18n("Close")).clicked() { *back.borrow_mut() = true; } diff --git a/core/src/modules/settings/mod.rs b/core/src/modules/settings/mod.rs index fad723a..2dffd02 100644 --- a/core/src/modules/settings/mod.rs +++ b/core/src/modules/settings/mod.rs @@ -152,12 +152,12 @@ impl Settings { let mut node_settings_error = None; - CollapsingHeader::new("Kaspa p2p Network & Node Connection") + CollapsingHeader::new(i18n("Kaspa p2p Network & Node Connection")) .default_open(true) .show(ui, |ui| { - CollapsingHeader::new("Kaspa Network") + CollapsingHeader::new(i18n("Kaspa Network")) .default_open(true) .show(ui, |ui| { ui.horizontal_wrapped(|ui|{ @@ -168,7 +168,7 @@ impl Settings { }); - CollapsingHeader::new("Kaspa Node") + CollapsingHeader::new(i18n("Kaspa Node")) .default_open(true) .show(ui, |ui| { ui.horizontal_wrapped(|ui|{ @@ -218,7 +218,7 @@ impl Settings { #[cfg(not(target_arch = "wasm32"))] if self.settings.node.node_kind.is_config_capable() { - CollapsingHeader::new("Cache Memory Size") + CollapsingHeader::new(i18n("Cache Memory Size")) .default_open(true) .show(ui, |ui| { ui.horizontal_wrapped(|ui|{ diff --git a/core/src/modules/wallet_secret.rs b/core/src/modules/wallet_secret.rs index 2e0449d..0c84fe6 100644 --- a/core/src/modules/wallet_secret.rs +++ b/core/src/modules/wallet_secret.rs @@ -108,7 +108,7 @@ impl ModuleT for WalletSecret { ui.label(i18n("This feature requires an open wallet")); }) .with_footer(|_,ui| { - if ui.large_button("Close").clicked() { + if ui.large_button(i18n("Close")).clicked() { *back.borrow_mut() = true; } }) diff --git a/core/src/network.rs b/core/src/network.rs index edaaa7f..bcb41ca 100644 --- a/core/src/network.rs +++ b/core/src/network.rs @@ -20,9 +20,9 @@ pub enum Network { impl std::fmt::Display for Network { fn fmt(&self, f: &mut std::fmt::Formatter<'_>) -> std::fmt::Result { match self { - Network::Mainnet => write!(f, "mainnet"), - Network::Testnet10 => write!(f, "testnet-10"), - Network::Testnet11 => write!(f, "testnet-11"), + Network::Mainnet => write!(f, "{}", Network::Mainnet.name()), + Network::Testnet10 => write!(f, "{}", Network::Testnet10.name()), + Network::Testnet11 => write!(f, "{}", Network::Testnet11.name()), } } } @@ -130,8 +130,8 @@ impl Network { pub fn name(&self) -> &str { match self { Network::Mainnet => i18n("Mainnet"), - Network::Testnet10 => i18n("Testnet-10"), - Network::Testnet11 => i18n("Testnet-11"), + Network::Testnet10 => i18n("Testnet 10"), + Network::Testnet11 => i18n("Testnet 11"), } } diff --git a/core/src/status.rs b/core/src/status.rs index bfa9aea..17631ab 100644 --- a/core/src/status.rs +++ b/core/src/status.rs @@ -318,7 +318,7 @@ impl<'core> Status<'core> { if ui .add( Label::new(RichText::new(i18n( - "Click to try an another server...", + "Click to try another server...", ))) .sense(Sense::click()), ) diff --git a/resources/i18n/i18n.json b/resources/i18n/i18n.json index 8568c0f..a39f87a 100644 --- a/resources/i18n/i18n.json +++ b/resources/i18n/i18n.json @@ -2,7 +2,13 @@ "enabled": [ "en", "de", - "ro" + "es", + "id", + "nl", + "pl", + "ro", + "ru", + "uk" ], "aliases": { "en-GB": "en", @@ -30,6 +36,7 @@ "hi": "Hindi", "hr": "Croatian", "hu": "Hungarian", + "id": "Indonesian", "is": "Icelandic", "it": "Italiano", "ja": "日本語", @@ -55,6 +62,7 @@ "uk": "Ukrainian", "ur": "Urdu", "vi": "Vietnamese", + "zh": "Chinese", "zh_HANS": "中文", "zh_HANT": "繁體中文" }, @@ -70,7 +78,7 @@ "10 BPS test network": "10 BPS test network", "12 word mnemonic": "12-Wort Merktext", "24 word mnemonic": "24-Wort Merkspruch", - "24h Change": "24h Change", + "24h Change": "24h Marktpreisänderung", "A binary at another location is spawned a child process (experimental, for development purposes only).": "Ein Programm an einer anderen Lokation hat einen Kind-Prozess gestartet (experimentell, nur für Entwickler).", "A random node will be selected on startup": "Beim Start wird ein zufälliger Knoten ausgewählt", "A wallet is stored in a file on your computer.": "Das Wallet wird in einer Datei auf Ihrem Computer abgespeichert.", @@ -79,7 +87,7 @@ "Account:": "Konto:", "Activate custom daemon arguments": "Erweiterte Dienst-Argumente aktivieren", "Active p2p Peers": "Aktive p2p-Verbindungen", - "Address derivation scan": "Address derivation scan", + "Address derivation scan": "Abgeleitete Adressen suchen", "Address:": "Adresse:", "Advanced": "Erweitert", "All": "Alle", @@ -88,7 +96,7 @@ "Apply": "Anwenden", "Balance: N/A": "Kontostand: N/A", "Bandwidth": "Bandbreite", - "Because of its focus on security and performance, this software is entirely developed in Rust, demanding significantly more time and effort compared to other traditional modern web-driven software.": "Because of its focus on security and performance, this software is entirely developed in Rust, demanding significantly more time and effort compared to other traditional modern web-driven software.", + "Because of its focus on security and performance, this software is entirely developed in Rust, demanding significantly more time and effort compared to other traditional modern web-driven software.": "Durch den Fokus auf Sicherheit und Leistung, wurde diese Software vollständig in Rust entwickelt, was einen signifikant höheren Einsatz und Zeitaufwand gegenüber herkömmlicher, Web-basierter Software bedeutet.", "Bezier Curves": "Bezier-Kurven", "Block DAG": "Block DAG", "Block Scale": "Block-Skalierung", @@ -100,6 +108,7 @@ "Build": "Bauen", "CONNECTED": "VERBUNDEN", "CPU": "CPU", + "Cache Memory Size": "Grösse Zwischenspeicher", "Cache Memory Size:": "Grösse des Cache-Speichers:", "Cancel": "Abbrechen", "Cannot delete data folder while the node is running": "Datenverzeichnis kann nicht gelöscht werden, solange der Knoten läuft", @@ -110,7 +119,7 @@ "Check for Software Updates on GitHub": "GitHub auf Updates überprüfen", "Check for Updates": "Auf Aktualisierungen prüfen", "Clear": "Löschen", - "Click to try an another server...": "Klicken, um auf einen anderen Server zu versuchen...", + "Click to try another server...": "Versuche anderen Server...", "Client RPC": "Client RPC", "Close": "Schliessen", "Confirm wallet password": "Wallet-Passwort bestätigen", @@ -121,7 +130,7 @@ "Connects to a Remote Rusty Kaspa Node via wRPC.": "Verbindet zu einem entfernten Rusty Kaspa Knoten via wRPC.", "Conservative": "Zurückhaltend", "Continue": "Weiter", - "Contributions directed toward this project directly fuel the Kaspa NG software and its ecosystem.": "Contributions directed toward this project directly fuel the Kaspa NG software and its ecosystem.", + "Contributions directed toward this project directly fuel the Kaspa NG software and its ecosystem.": "Spenden an das Projekt fliessen direkt in die Weiterentwicklung von Kaspa NG sowie dessen Ökosystem.", "Copied to clipboard": "In die Zwischenablage kopiert", "Copy": "Kopieren", "Copy logs to clipboard": "Logs in die Zwischenablage kopieren", @@ -208,9 +217,11 @@ "Kaspa NG on GitHub": "Kaspa NG auf GitHub", "Kaspa NG online": "Kaspa NG online", "Kaspa Network": "Kaspa-Netzwerk", + "Kaspa Node": "Kaspa Knoten", + "Kaspa p2p Network & Node Connection": "Kaspa p2p Netzwerk & Knotenverbindungen", "Kaspa p2p Node": "Kaspa p2p Knoten", "Kaspa p2p Node & Connection": "Kaspa p2p Knoten und Verbindung", - "Key Perf.": "Key Perf.", + "Key Perf.": "Leistung", "Language:": "Sprache:", "Large (1 BPS)": "Gross (1 BPS)", "Levels": "Ebenen", @@ -243,6 +254,7 @@ "No peers": "Keine Verbindungen", "No public node selected - please select a public node": "Kein öffentlicher Knoten ausgewählt - bitte öffentlichen Knoten auswählen", "No transactions": "Keine Transaktionen", + "No wallets found, please create a new wallet": "Keine Wallets gefunden, bitte neues Wallet anlegen", "Node": "Knoten", "Node Status": "Status des Knotens", "Noise": "Rauschen", @@ -257,7 +269,7 @@ "Outbound": "Ausgehend", "Overview": "Übersicht", "Parents": "Eltern", - "Past Median Time": "Past Median Time", + "Past Median Time": "Durchschnitt letzter Blockzeiten", "Payment & Recovery Password": "Zahlungs- und Wiederherstellungspasswort", "Payment Request": "Zahlungsanforderung", "Peers": "Verbindungen", @@ -273,13 +285,12 @@ "Please enter an amount": "Bitte Betrag eingeben", "Please enter the account name": "Bitte den Kontoname eingeben", "Please enter the wallet secret": "Bitte Wallet-Merktext eingeben", - "Please note that this is an alpha release. Until this message is removed, avoid using this software with mainnet funds.": "Bitte beachten, dass es sich hier um ein Alpha-Release handelt. Solange diese Meldung nicht entfernt wurde, sollte die Software nicht mit Mainnet-Guthaben verwendet werden.", "Please note that this is an alpha release. Until this message is removed, please avoid using the wallet with mainnet funds.": "Bitte beachten, dass das ein Alpha-Release ist. Solange diese Meldung nicht entfernt wurde, bitte die Verwendung mit Mainnet-Wallets vermeiden.", "Please note, copying to clipboard carries a risk of exposing your mnemonic to malware.": "Bitte beachten: Das Kopieren in die Zwischenablage birgt das Risiko, dass ihre Merktext von einer Malware ausgelesen werden kann.", "Please select an account type": "Bitte Kontotyp auswählen", "Please select the private key to export": "Bitte zu exportierenden privaten Schlüssel auswählen", "Please set node to 'Disabled' to delete the data folder": "Um den Datenordner zu löschen, bitte den Knoten auf 'Deaktiviert' stellen", - "Please specify the name of the default account. The wallet will be created with a default account. Once created, you will be able to create additional accounts as you need.": "Please specify the name of the default account. The wallet will be created with a default account. Once created, you will be able to create additional accounts as you need.", + "Please specify the name of the default account. The wallet will be created with a default account. Once created, you will be able to create additional accounts as you need.": "Bitte geben Sie den Name des Standardkontos an. Das Wallet wird mit einem Standardkonto angelegt. Einmal erzeugt, können nach Bedarf weitere Konten angelegt werden.", "Please specify the name of the new wallet": "Bitte Name des neuen Wallet eingeben", "Please specify the private key type for the new wallet": "Bitte Typ des privaten Schlüssels für das neue Wallet angeben", "Please wait for the node to sync or connect to a remote node.": "Bitte warten, bis der Knoten synchronisiert bzw. zu einem entfernten Knoten verbunden ist.", @@ -314,7 +325,7 @@ "Rust Wallet SDK": "Rust Wallet SDK", "Rusty Kaspa on GitHub": "Rusty Kaspa auf GitHub", "Secret is too weak": "Geheimschlüssel zu schwach", - "Secret score:": "Secret score:", + "Secret score:": "Passwortstärke", "Select Account": "Konto auswählen", "Select Available Server": "Verfügbaren Server auswählen", "Select Private Key Type": "Typ des privaten Schlüssels auswählen", @@ -336,8 +347,8 @@ "Stage": "Stufe", "Starting...": "Starte...", "Statistics": "Statistiken", - "Stor Read": "Stor Read", - "Stor Write": "Stor Write", + "Stor Read": "Speicher lesen", + "Stor Write": "Speicher schreiben", "Storage": "Speicher", "Storage Read": "Lesezugriff", "Storage Read/s": "Speicher lesen/s", @@ -352,28 +363,26 @@ "Syncing...": "Synchronisiere...", "System": "System", "TPS": "TPS", + "Testnet 10": "Testnetz 10", + "Testnet 10 (1 BPS)": "Testnetz 10 (1 BPS)", "Testnet 11": "Testnetz 11", + "Testnet 11 (10 BPS)": "Testnetz 11 (10 BPS)", "Testnet 11 is not yet enabled for public testing. You can, however, configure the node to connect to the private developer testnet in the Settings panel.": "Testnetz 11 ist im Moment für öffentliche Tests noch nicht aktiviert. Sie können aber in den Einstellungen die Verbindung zu einem privaten Entwickler-Testnetz einstellen.", - "Testnet-10": "Testnetz 10", - "Testnet-10 (1 BPS)": "Testnetz-10 (1 BPS)", - "Testnet-11": "Testnet-11", - "Testnet-11 (10 BPS)": "Testnet-11 (10 BPS)", - "The Kaspa NG software represents an ongoing effort focused on building a state-of-the-art software platform dedicated to the Kaspa BlockDAG cryptocurrency network. Ideological at its core, this software has a strong focus on security, privacy, performance, and decentralization.": "The Kaspa NG software represents an ongoing effort focused on building a state-of-the-art software platform dedicated to the Kaspa BlockDAG cryptocurrency network. Ideological at its core, this software has a strong focus on security, privacy, performance, and decentralization.", - "The Kaspa NG software represents an ongoing effort focused on building a state-of-the-art software platform dedicated to the Kaspa BlockDAG cryptocurrency network. Ideological at its core, this software prioritizes security, privacy, performance, and decentralization.": "The Kaspa NG software represents an ongoing effort focused on building a state-of-the-art software platform dedicated to the Kaspa BlockDAG cryptocurrency network. Ideological at its core, this software prioritizes security, privacy, performance, and decentralization.", + "The Kaspa NG software represents an ongoing effort focused on building a state-of-the-art software platform dedicated to the Kaspa BlockDAG cryptocurrency network. Ideological at its core, this software prioritizes security, privacy, performance, and decentralization.": "Kaspa NG repräsentiert einen fortwährenden Einsatz, für das Kaspa BlockDAG Kryptowährung eine Software-Platform basierend auf aktuellem Stand der Technik zu entwickeln. Der ideologische Focus priorisiert dabei Sicherheit, Privatsphäre, Leistung und Dezentralisierung.", "The balance may be out of date during node sync": "Der Kontostand ist während der Synchronisation des Knotens mglw. nicht aktuell", "The following will guide you through the process of creating or importing a wallet.": "Im folgenden werden Sie durch den Prozess von Wallet-Erzeugung und -Import geführt", "The node is currently syncing with the Kaspa p2p network.": "Der Knoten synchronisiert sich mit dem Kaspa p2p-Netzwerk.", "The node is currently syncing with the Kaspa p2p network. Account balances may be out of date.": "Der Knoten synchronisiert sich momentan mit dem Kaspa p2p Netzwerk. Die Kontostände können daher nicht aktuell sein.", "The node is spawned as a child daemon process (recommended).": "Der Knoten wurde als Kind-Prozess gestartet (empfohlen).", - "The node runs as a part of the Kaspa-NG application process. This reduces communication overhead (experimental).": "The node runs as a part of the Kaspa-NG application process. This reduces communication overhead (experimental).", + "The node runs as a part of the Kaspa-NG application process. This reduces communication overhead (experimental).": "Der Knoten läuft als Teil des Kaspa NG Applikationsprozesses. Das reduziert den Kommunikationsaufwand (experimentell).", "Theme Color": "Farbschema", "Theme Color:": "Farbschema:", "Theme Style": "Thema", "Theme Style:": "Thema:", - "This wallet will never ask you for this mnemonic phrase unless you manually initiate a private key recovery.": "This wallet will never ask you for this mnemonic phrase unless you manually initiate a private key recovery.", + "This wallet will never ask you for this mnemonic phrase unless you manually initiate a private key recovery.": "Das Wallet wird niemals nach Ihrem Merktext fragen, solange Sie nicht die Wiederherstellung des privaten Schlüssels starten.", "Threshold": "Schwellwert", "Time Offset:": "Zeitversatz:", - "Tip Hashes": "Tip Hashes", + "Tip Hashes": "BlockDAG-Spitzen", "Tools ⏷": "Werkzeuge⏷", "Total Rx": "Gesamt Rx", "Total Rx/s": "Gesamt Rx/s", @@ -395,7 +404,7 @@ "Uptime:": "Laufzeit:", "Use 50%-75% of available system memory": "Benutze 50 %-75%des verfügbaren Systemspeichers", "Use all available system memory": "Gesamten verfügbaren Systemspeicher verwenden", - "User Agent": "Anwenderprogramm", + "User Agent": "Programm", "User Interface": "Benutzeroberfläche", "Very dangerous (may be cracked within few seconds)": "Sehr gefährlich (mglw. innerhalb von Sekunden gebrochen)", "Virt Parents": "Virt Eltern", @@ -419,7 +428,7 @@ "You can create multiple wallets, but only one wallet can be open at a time.": "Sie können mehrere Wallets anlegen aber nur ein Wallet kann jeweils geöffnet sein.", "You must be connected to a node...": "Sie müssen zu einem Knoten verbunden sein", "Your default wallet private key mnemonic is:": "Ihr Merktext zum privaten Schlüssel des Standard-Wallet ist:", - "Your mnemonic phrase allows your to re-create your private key. The person who has access to this mnemonic will have full control of the Kaspa stored in it. Keep your mnemonic safe. Write it down and store it in a safe, preferably in a fire-resistant location. Do not store your mnemonic on this computer or a mobile device. This wallet will never ask you for this mnemonic phrase unless you manually initiate a private key recovery.": "Your mnemonic phrase allows your to re-create your private key. The person who has access to this mnemonic will have full control of the Kaspa stored in it. Keep your mnemonic safe. Write it down and store it in a safe, preferably in a fire-resistant location. Do not store your mnemonic on this computer or a mobile device. This wallet will never ask you for this mnemonic phrase unless you manually initiate a private key recovery.", + "Your mnemonic phrase allows your to re-create your private key. The person who has access to this mnemonic will have full control of the Kaspa stored in it. Keep your mnemonic safe. Write it down and store it in a safe, preferably in a fire-resistant location. Do not store your mnemonic on this computer or a mobile device. This wallet will never ask you for this mnemonic phrase unless you manually initiate a private key recovery.": "Ihr Merktext erlaubt es, Ihren privaten Schlüssel wiederherzustellen. Jeder mit Zugriff auf diesen Merktext hat die volle Kontrolle über die darin enthaltenen Kaspa. Bitte verwahren Sie den Merktext sicher. Schreiben Sie ihn auf und verwahren Sie ihn an einem sicheren, idealerweise brandgeschütztem Ort. Speichern Sie den Merktext keinesfalls auf einem Computer oder einem Mobiltelefon! Das Wallet wird niemals nach dem Merktext fragen, solange Sie nicht die Wiederherstellung des privaten Schlüssels starten.", "Your private key mnemonic is:": "Ihre privater Merkhilfeschlüssel ist: ", "Your wallet has been created and is ready to use.": "Ihr Wallet wurde angelegt und ist bereit zur Verwendung.", "Zoom": "Vergrösserung", @@ -486,6 +495,7 @@ "Build": "Build", "CONNECTED": "CONNECTED", "CPU": "CPU", + "Cache Memory Size": "Cache Memory Size", "Cache Memory Size:": "Cache Memory Size:", "Cancel": "Cancel", "Cannot delete data folder while the node is running": "Cannot delete data folder while the node is running", @@ -496,9 +506,10 @@ "Check for Software Updates on GitHub": "Check for Software Updates on GitHub", "Check for Updates": "Check for Updates", "Clear": "Clear", - "Click to try an another server...": "Click to try an another server...", + "Click to try another server...": "Click to try another server...", "Client RPC": "Client RPC", "Close": "Close", + "Close the window": "Close the window", "Confirm wallet password": "Confirm wallet password", "Connect to a local node (localhost)": "Connect to a local node (localhost)", "Connecting to": "Connecting to", @@ -594,6 +605,8 @@ "Kaspa NG on GitHub": "Kaspa NG on GitHub", "Kaspa NG online": "Kaspa NG online", "Kaspa Network": "Kaspa Network", + "Kaspa Node": "Kaspa Node", + "Kaspa p2p Network & Node Connection": "Kaspa p2p Network & Node Connection", "Kaspa p2p Node": "Kaspa p2p Node", "Kaspa p2p Node & Connection": "Kaspa p2p Node & Connection", "Key Perf.": "Key Perf.", @@ -629,6 +642,7 @@ "No peers": "No peers", "No public node selected - please select a public node": "No public node selected - please select a public node", "No transactions": "No transactions", + "No wallets found, please create a new wallet": "No wallets found, please create a new wallet", "Node": "Node", "Node Status": "Node Status", "Noise": "Noise", @@ -659,7 +673,6 @@ "Please enter an amount": "Please enter an amount", "Please enter the account name": "Please enter the account name", "Please enter the wallet secret": "Please enter the wallet secret", - "Please note that this is an alpha release. Until this message is removed, avoid using this software with mainnet funds.": "Please note that this is an alpha release. Until this message is removed, avoid using this software with mainnet funds.", "Please note that this is an alpha release. Until this message is removed, please avoid using the wallet with mainnet funds.": "Please note that this is an alpha release. Until this message is removed, please avoid using the wallet with mainnet funds.", "Please note, copying to clipboard carries a risk of exposing your mnemonic to malware.": "Please note, copying to clipboard carries a risk of exposing your mnemonic to malware.", "Please select an account type": "Please select an account type", @@ -738,13 +751,11 @@ "Syncing...": "Syncing...", "System": "System", "TPS": "TPS", + "Testnet 10": "Testnet 10", + "Testnet 10 (1 BPS)": "Testnet 10 (1 BPS)", "Testnet 11": "Testnet 11", + "Testnet 11 (10 BPS)": "Testnet 11 (10 BPS)", "Testnet 11 is not yet enabled for public testing. You can, however, configure the node to connect to the private developer testnet in the Settings panel.": "Testnet 11 is not yet enabled for public testing. You can, however, configure the node to connect to the private developer testnet in the Settings panel.", - "Testnet-10": "Testnet-10", - "Testnet-10 (1 BPS)": "Testnet-10 (1 BPS)", - "Testnet-11": "Testnet-11", - "Testnet-11 (10 BPS)": "Testnet-11 (10 BPS)", - "The Kaspa NG software represents an ongoing effort focused on building a state-of-the-art software platform dedicated to the Kaspa BlockDAG cryptocurrency network. Ideological at its core, this software has a strong focus on security, privacy, performance, and decentralization.": "The Kaspa NG software represents an ongoing effort focused on building a state-of-the-art software platform dedicated to the Kaspa BlockDAG cryptocurrency network. Ideological at its core, this software has a strong focus on security, privacy, performance, and decentralization.", "The Kaspa NG software represents an ongoing effort focused on building a state-of-the-art software platform dedicated to the Kaspa BlockDAG cryptocurrency network. Ideological at its core, this software prioritizes security, privacy, performance, and decentralization.": "The Kaspa NG software represents an ongoing effort focused on building a state-of-the-art software platform dedicated to the Kaspa BlockDAG cryptocurrency network. Ideological at its core, this software prioritizes security, privacy, performance, and decentralization.", "The balance may be out of date during node sync": "The balance may be out of date during node sync", "The following will guide you through the process of creating or importing a wallet.": "The following will guide you through the process of creating or importing a wallet.", @@ -836,9 +847,779 @@ "wRPC JSON Tx/s": "wRPC JSON Tx/s", "wRPC URL:": "wRPC URL:" }, - "es": {}, + "es": { + "1 BPS test network": "Red de pruebas 1 BPS", + "10 BPS test network": "Red de pruebas 10 BPS", + "12 word mnemonic": "Mnemotécnica de 12 palabras", + "24 word mnemonic": "Mnemotécnica de 24 palabras", + "24h Change": "Cambio en 24h", + "A binary at another location is spawned a child process (experimental, for development purposes only).": "Un binario en otra ubicación a creado un proceso dependiente (experimental, únicamente para desarrollo)", + "A random node will be selected on startup": "Se seleccionará un nodo aleatoriamente al inicio", + "A wallet is stored in a file on your computer.": "Hay una billetera en un archivo de su ordenador", + "Account Index": "Índice de la cuenta", + "Account Name": "Nombre de la cuenta", + "Account:": "Cuenta:", + "Activate custom daemon arguments": "Activar argumentos del daemon personalizado ", + "Active p2p Peers": "Usuarios p2p activos", + "Address derivation scan": "Escaneo de derivación de dirección", + "Address:": "Dirección:", + "Advanced": "Avanzado", + "All": "Todo", + "Allow custom arguments for the Rusty Kaspa daemon": "Permitir argumentos personalizados para el daemon de Rusty Kaspa", + "Allows you to take screenshots from within the application": "Permite tomar capturas de pantalla desde dentro de la aplicación", + "Apply": "Aplicar", + "Balance: N/A": "Saldo: N/A", + "Bandwidth": "Ancho de banda", + "Because of its focus on security and performance, this software is entirely developed in Rust, demanding significantly more time and effort compared to other traditional modern web-driven software.": "Como está centrado en la seguridad y el rendimiento, este software se ha desarrollado por completo en Rust, lo que ha requerido significativamente más tiempo y esfuerzo que otros softwares tradicionalmente desarrollados para web.", + "Bezier Curves": "Curvas Bezier", + "Block DAG": "Block DAG", + "Block Scale": "Escala de bloques", + "Blocks": "Bloques", + "Bodies": "Cuerpos", + "Borsh Active Connections": "Conexiones Activas Borsh", + "Borsh Connection Attempts": "Intentos de Conexión Borsh", + "Borsh Handshake Failures": "Fallos Handshake Borsh", + "Build": "Versión", + "CONNECTED": "CONECTADO", + "CPU": "CPU", + "Cache Memory Size": "Tamaño memoria caché", + "Cache Memory Size:": "Tamaño memoria caché:", + "Cancel": "Cancelar", + "Cannot delete data folder while the node is running": "No se puede eliminar la carpeta de datos mientras el nodo está activo", + "Capture a screenshot": "Tomar captura de pantalla", + "Center VSPC": "Centrar VSPC", + "Chain Blocks": "Bloques de la Cadena", + "Change Address": "Cambiar dirección", + "Check for Software Updates on GitHub": "Compruebe si hay actualizaciones de software en Github", + "Check for Updates": "Comprobar actualizaciones", + "Clear": "Borrar", + "Click to try another server...": "Haz clic para probar otro servidor", + "Client RPC": "RPC cliente", + "Close": "Cerrar", + "Confirm wallet password": "Confirme contraseña de la billetera", + "Connect to a local node (localhost)": "Conectar a nodo local (localhost)", + "Connecting to": "Conectar a", + "Connection": "Conexión", + "Connections": "Conexiones", + "Connects to a Remote Rusty Kaspa Node via wRPC.": "Conecta a un Nodo Rusty Kaspa Remoto por wRPC", + "Conservative": "Conservador", + "Continue": "Continuar", + "Contributions directed toward this project directly fuel the Kaspa NG software and its ecosystem.": "Las contribuciones a este proyecto apoyan directamente al software Kaspa NG y su ecosistema", + "Copied to clipboard": "Copiado al portapapeles", + "Copy": "Copiar", + "Copy logs to clipboard": "Copia los registros al portapapeles", + "Create New Account": "Crear cuenta nueva", + "Create New Wallet": "Crear billetera nueva", + "Create new wallet": "Crear billetera nueva", + "Creating Account": "Creando cuenta", + "Creating Wallet": "Creando billetera", + "Custom": "Personalizado", + "Custom Public Node": "Nodo Público Personalizado", + "Custom arguments:": "Argumentos personalizados:", + "DAA": "DAA", + "DAA Offset": "Desviación DAA", + "DAA Range": "Rango DAA", + "DB Blocks": "Bloques DB", + "DB Headers": "Encabezamientos DB", + "Database Blocks": "Bloques en Base de Datos", + "Database Headers": "Encabezamientos Base de Datos", + "Decrypting wallet, please wait...": "Desencriptando billetera, por favor espere...", + "Default": "Por defecto", + "Default Account Name": "Nombre por defecto de la cuenta", + "Delete Data Folder": "Eliminar carpeta de datos", + "Dependencies": "Dependencias", + "Derivation Indexes": "Índices de derivación", + "Details": "Detalles", + "Developer Mode": "Modo desarrollador", + "Developer Resources": "Recursos para desarrolladores", + "Developer mode enables advanced and experimental features": "El modo Desarrollador activa funciones avanzadas y experimentales", + "Difficulty": "Dificultad", + "Dimensions": "Dimensiones", + "Disable password score restrictions": "Desactivar las restricciones de calidad de contraseña", + "Disabled": "Desactivado", + "Disables node connectivity (Offline Mode).": "Desactiva la conectividad del nodo (modo fuera de linea)", + "Discord": "Discord", + "Donations": "Donaciones", + "Double click on the graph to re-center...": "Haz doble clic en el gráfico para volver a centrar", + "ECDSA": "ECDSA", + "Enable Market Monitor": "Activar Monitor del Mercado", + "Enable UPnP": "Activar UPnP", + "Enable custom daemon arguments": "Activar argumentos del daemon personalizado", + "Enable experimental features": "Activar funciones experimentales", + "Enable gRPC": "Activar gRPC", + "Enable optional BIP39 passphrase": "Habilitar frase de contraseña opcional BIP39", + "Enable screen capture": "Habilitar captura de pantalla", + "Enables features currently in development": "Habilita funciones actualmente en desarrollo", + "Enter": "Intro", + "Enter account name (optional)": "Introduce un nombre de cuenta (opcional)", + "Enter first account name": "Introduce el primer nombre de cuenta", + "Enter phishing hint": "Introduce una pregunta de seguridad", + "Enter the amount": "Introduce la cantidad", + "Enter the password for your wallet": "Introduce la contraseña para tu billetera", + "Enter the password to unlock your wallet": "Introduce la contraseña para desbloquear tu billetera", + "Enter wallet name": "Introduce el nombre de la billetera", + "Enter wallet password": "Introduce la contraseña de la billetera", + "Enter your wallet secret": "Introduce la clave secreta de tu billetera", + "Explorer": "Explorador", + "Export Wallet Data": "Exportar Datos de la Billetera", + "Faucet": "Faucet", + "File Handles": "Manejadores de Ficheros", + "Filename:": "Nombre del Fichero:", + "Final Amount:": "Cantidad Final:", + "GitHub Release": "Versión de GitHub", + "Go to Settings": "Ir a Configuración", + "Handles": "Manejadores", + "Headers": "Cabeceras", + "IBD:": "IBD:", + "If not specified, the account will be represented by the numeric id.": "Si no se especifica, la cuenta se representará por su id numérico", + "If you are running locally, use: ": "Si está ejecutando localmente, usar:", + "Import existing": "Importar existente", + "Inbound": "Entrante", + "Include QoS Priority Fees": "Incluir Comisiones por Prioridad QoS", + "Integrated Daemon": "Daemon integrado", + "Invalid daemon arguments": "Argumentos del daemon no válidos", + "Invalid network type - expected: testnet-10 connected to: testnet-11": "Tipo de red inválido - se esperaba: testnet-10 conectado a: testnet-11", + "Invalid wRPC URL": "URL wRPC inválida", + "Json Active Connections": "Conexiones Json Activas", + "Json Connection Attempts": "Intentos de Conexión Json", + "Json Handshake Failures": "Fallos de Handshake Json", + "Kaspa Discord": "Discord de Kaspa", + "Kaspa Integration Guide": "Guía de Integración Kaspa", + "Kaspa NG": "Kaspa NG", + "Kaspa NG Online": "Kaspa NG Online", + "Kaspa NG Web App": "Kaspa NG Web App", + "Kaspa NG on GitHub": "Kaspa NG en GitHub", + "Kaspa NG online": "Kaspa NG online", + "Kaspa Network": "Red Kaspa", + "Kaspa Node": "Nodo Kaspa", + "Kaspa p2p Network & Node Connection": "Red p2p de Kaspa & Nodo de Conexión", + "Kaspa p2p Node": "Nodo p2p de Kaspa", + "Kaspa p2p Node & Connection": "Nodo & conexión p2p de Kaspa", + "Key Perf.": "Indicadores Clave", + "Language:": "Idioma:", + "Large (1 BPS)": "Grande (1 BPS)", + "Levels": "Niveles", + "License Information": "Información de Licencia", + "Local": "Local", + "Local p2p Node Configuration": "Configuración Local Nodo p2p", + "Logs": "Logs", + "MT": "MT", + "Main Kaspa network": "Red Principal de Kaspa", + "Mainnet": "Mainnet", + "Mainnet (Main Kaspa network)": "Mainnet (Red Principal de Kaspa)", + "Managed by the Rusty Kaspa daemon": "Gestionado por el daemon de Rusty Kaspa", + "Market": "Mercado", + "Market Cap": "Cap. de Mercado", + "Market Monitor": "Monitor de Mercado", + "Mass Processed": "Procesado Masivo", + "Medium Narrow": "Medio Estrecho", + "Medium Wide": "Medio Ancho", + "Memory": "Memoria", + "Mempool": "Pool de memoria", + "Mempool Size": "Tamaño Pool Memoria", + "Metrics": "Métricas", + "Metrics are not currently available": "Las métricas no están disponibles actualmente", + "NPM Modules for NodeJS": "Módulos NPM para NodeJS", + "Network": "Red", + "Network Difficulty": "Complejidad de Red", + "Network Fees:": "Comisiones de Red:", + "Network Interface": "Interfaz de Red", + "Network Peers": "Usuarios de Red", + "No peers": "Sin usuarios", + "No public node selected - please select a public node": "Ningún nodo público seleccionado - por favor seleccione un nodo público", + "No transactions": "Sin transacciones", + "No wallets found, please create a new wallet": "No se encontraron billeteras, por favor cree una nueva", + "Node": "Nodo", + "Node Status": "Status del Nodo:", + "Noise": "Ruido", + "None": "Ninguno", + "Not Connected": "No Conectado", + "Not connected": "No conectado", + "Notifications": "Notificaciones", + "Open Data Folder": "Abrir Carpeta de Datos", + "Opening wallet:": "Abriendo billetera:", + "Optional": "Opcional", + "Other operations": "Otras operaciones", + "Outbound": "Saliente", + "Overview": "Visión General", + "Parents": "Padres", + "Past Median Time": "Mediana de Tiempo", + "Payment & Recovery Password": "Contraseña de Pagos y Recuperación", + "Payment Request": "Solicitud de Pago", + "Peers": "Usuarios", + "Performance": "Rendimiento", + "Phishing Hint": "Pregunta de Seguridad", + "Ping:": "Ping:", + "Please Confirm Deletion": "Por favor Confirme la Eliminación", + "Please configure your Kaspa NG settings": "Por favor configure sus parámetros de Kaspa NG", + "Please connect to Kaspa p2p node": "Por favor conéctese a un nodo p2p de Kaspa", + "Please create a stronger password": "Por favor cree una contraseña más segura", + "Please enter": "Por favor introduzca", + "Please enter KAS amount to send": "Por favor introduzca la cantidad de KAS que desea enviar", + "Please enter an amount": "Por favor introduzca una cantidad ", + "Please enter the account name": "Por favor introduzca el nombre de la cuenta", + "Please enter the wallet secret": "Por favor introduzca la clave secreta de la billetera", + "Please note that this is an alpha release. Until this message is removed, please avoid using the wallet with mainnet funds.": "Por favor, considere que esto es una versión alfa. Hasta que se elimine este mensaje, por favor evite usar la billetera con fondos de mainnet.", + "Please note, copying to clipboard carries a risk of exposing your mnemonic to malware.": "Por favor, considere que copiar al portapapeles conlleva un riesgo de exponer su mnemotécnica a malware.", + "Please select an account type": "Por favor seleccione un tipo de cuenta", + "Please select the private key to export": "Por favor, seleccione la clave privada a exportar", + "Please set node to 'Disabled' to delete the data folder": "Por favor configure el nodo como 'Deshabilitado' para borrar la carpeta de datos", + "Please specify the name of the default account. The wallet will be created with a default account. Once created, you will be able to create additional accounts as you need.": "Por favor, especifique el nombre de la cuenta por defecto. La billetera se creará con una cuenta por defecto. Una vez creada, podrá crear tantas cuentas adicionales como necesite.", + "Please specify the name of the new wallet": "Por favor, especifique el nombre de la nueva billetera.", + "Please specify the private key type for the new wallet": "Por favor, especifique el tipo de clave privada para la nueva billetera", + "Please wait for the node to sync or connect to a remote node.": "Por favor, espere a que el nodo se sincronice o conecte con un nodo remoto.", + "Please wait for the node to sync...": "Por favor espere a que el nodo se sincronice...", + "Please wait...": "Por favor espere...", + "Presets": "Config.", + "Price": "Precio", + "Private Key Mnemonic": "Clave privada Mnemotécnica", + "Processed Bodies": "Cuerpos Procesados", + "Processed Dependencies": "Dependencias Procesadas", + "Processed Headers": "Cabeceras Procesadas", + "Processed Mass Counts": "Cuentas de Procesados Masivos", + "Processed Transactions": "Transacciones Procesadas", + "Protocol:": "Protocolo:", + "Public Node": "Nodo Público:", + "Public Nodes": "Nodos Públicos", + "Public Server": "Servidor Público", + "Public p2p Nodes for": "Nodos públicos p2p para", + "Random Public Node": "Nodo Público Aleatorio", + "Range:": "Rango:", + "Receive Address": "Dirección de Recepción:", + "Recommended arguments for the remote node: ": "Parámetros recomendados para el nodo remoto:", + "Remote": "Remoto", + "Remote Connection:": "Conexión Remota:", + "Remote p2p Node Configuration": "Configuración del Nodo p2p Remoto", + "Removes security restrictions, allows for single-letter passwords": "Elimina restricciones de seguridad, permite contraseñas sencillas, sólo letras", + "Reset Settings": "Reiniciar Ajustes", + "Reset VSPC": "Reiniciar VSPC", + "Resident Memory": "Memoria Residente", + "Resources": "Recursos", + "Resulting daemon arguments:": "Argumentos del daemon arrojados:", + "Rust Wallet SDK": "SDK Billetera Rust", + "Rusty Kaspa on GitHub": "Rusty Kaspa en GitHub", + "Secret is too weak": "La clave secreta es demasiado débil", + "Secret score:": "Puntuación de la clave secreta:", + "Select Account": "Selecciona Cantidad", + "Select Available Server": "Seleccione Servidor Disponible", + "Select Private Key Type": "Seleccione Tipo de Clave Privada", + "Select Public Node": "Seleccione Nodo Público ", + "Select Wallet": "Seleccione Billetera", + "Select a wallet to unlock": "Seleccione una billetera para desbloquear", + "Send": "Enviar", + "Services": "Servicios", + "Settings": "Configuración", + "Show DAA": "Mostrar DAA", + "Show Grid": "Mostrar Rejilla", + "Show VSPC": "Mostrar VSPC", + "Show balances in alternate currencies for testnet coins": "Mostrar saldos en divisas alternativas para las monedas en testnet", + "Show password": "Mostrar contraseña", + "Shows balances in alternate currencies (BTC, USD) when using testnet coins as if you are on mainnet": "Mostrar saldos en divisas alternativas (BTC, USD) cuando se usen monedas en testnet como si estuviera en mainnet", + "Skip": "Omitir", + "Small (10 BPS)": "Pequeño (10 BPS)", + "Spread": "Propagación", + "Stage": "Fase", + "Starting...": "Iniciando...", + "Statistics": "Estadísticas", + "Stor Read": "Lectura Alm.", + "Stor Write": "Escritura Alm.", + "Storage": "Almacenamiento", + "Storage Read": "Lectura Almacenamiento", + "Storage Read/s": "Lectura/s Almacenamiento", + "Storage Write": "Escritura Almacenamiento", + "Storage Write/s": "Escritura/s Almacenamiento", + "Submitted Blocks": "Bloques Enviados", + "Supporting Kaspa NG development": "Apoyar el desarrollo de Kaspa NG", + "Syncing Cryptographic Proof...": "Sincronizando Prueba Criptográfica...", + "Syncing DAG Blocks...": "Sincronizando Bloques DAG...", + "Syncing Headers...": "Sincronizando Cabeceras...", + "Syncing UTXO entries...": "Sincronizando entradas UTXO...", + "Syncing...": "Sincronizando...", + "System": "Sistema", + "TPS": "TPS", + "Testnet 10": "Testnet 10", + "Testnet 10 (1 BPS)": "Testnet 10 (1 BPS)", + "Testnet 11": "Testnet 11", + "Testnet 11 (10 BPS)": "Testnet 11 (10 BPS)", + "Testnet 11 is not yet enabled for public testing. You can, however, configure the node to connect to the private developer testnet in the Settings panel.": "Testnet 11 no está aún habilitada para pruebas públicas. Puede, no obstante, configurar el nodo para conectarse a la testnet privada de desarrollo en el panel de Configuración.", + "The Kaspa NG software represents an ongoing effort focused on building a state-of-the-art software platform dedicated to the Kaspa BlockDAG cryptocurrency network. Ideological at its core, this software prioritizes security, privacy, performance, and decentralization.": "KASPA NG representa el esfuerzo por construir una plataforma software de última generación dedicada a la red BlockDAG de Kaspa. Tal como su proyecto matriz, este software prioriza la seguridad, privacidad, rendimiento y descentralización.", + "The balance may be out of date during node sync": "El saldo puede estar desactualizado durante la sincronización del nodo", + "The following will guide you through the process of creating or importing a wallet.": "Le guiaremos en el proceso de creación o importación de una billetera.", + "The node is currently syncing with the Kaspa p2p network.": "El nodo está actualmente sincronizándose con la red p2p de Kaspa.", + "The node is currently syncing with the Kaspa p2p network. Account balances may be out of date.": "El nodo está actualmente sincronizándose con la red p2p de Kaspa. Los saldos de la cuenta pueden estar desactualizados.", + "The node is spawned as a child daemon process (recommended).": "El nodo se ha creado como un proceso daemon dependiente (recomendado).", + "The node runs as a part of the Kaspa-NG application process. This reduces communication overhead (experimental).": "El nodo se ejecuta como parte del proceso de la aplicación Kaspa-NG. Esto reduce un gasto excesivo en comunicación (experimental).", + "Theme Color": "Color del Tema", + "Theme Color:": "Color del Tema:", + "Theme Style": "Estilo del Tema", + "Theme Style:": "Estilo del Tema:", + "This wallet will never ask you for this mnemonic phrase unless you manually initiate a private key recovery.": "Esta billetera nunca te solicitará esta frase mnemotécnica a menos que inicie manualmente una recuperación de la clave privada.", + "Threshold": "Umbral", + "Time Offset:": "Desplazamiento de Tiempo:", + "Tip Hashes": "Tip Hashes", + "Tools ⏷": "Herramientas ⏷", + "Total Rx": "Rx Total", + "Total Rx/s": "Rx/s Total", + "Total Tx": "Tx Total", + "Total Tx/s": "Tx/s Total", + "Track in the background": "Rastrear en segundo plano", + "Transactions": "Transacciones", + "Transactions:": "Transacciones:", + "Type": "Tipo", + "UTXO Manager": "Manager UTXO", + "UTXOs": "UTXOs", + "UTXOs:": "UTXOs:", + "Unable to change node settings until the problem is resolved": "No se puede cambiar la configuración del nodo hasta que se resuelva el problema", + "Unlock": "Desbloquear", + "Unlock Wallet": "Desbloquear Billetera", + "Unlocking": "Desbloqueando", + "Update Available to version": "Actualizar Disponible a versión", + "Updating...": "Actualizando...", + "Uptime:": "Tiempo activo:", + "Use 50%-75% of available system memory": "Usar 50 %-75% de la memoria del sistema disponible", + "Use all available system memory": "Usar toda la memoria del sistema disponible", + "User Agent": "Agente de Usuario", + "User Interface": "Interfaz de Usuario", + "Very dangerous (may be cracked within few seconds)": "Muy peligroso (puede ser crackeado en unos pocos segundos)", + "Virt Parents": "Padres Virt", + "Virtual DAA Score": "Puntuación DAA Virtual", + "Virtual Memory": "Memoria Virtual", + "Virtual Parent Hashes": "Hashes Padres Virtuales", + "Volume": "Volumen", + "WASM SDK for JavaScript and TypeScript": "SDK WASM para JavaScript y TypeScript", + "Wallet": "Billetera", + "Wallet Created": "Billetera Creada", + "Wallet Encryption Password": "Contraseña de Encriptación de la Billetera", + "Wallet Name": "Nombre de la Billetera", + "Wallet Secret": "Clave Secreta de la Billetera", + "Wallet password is used to encrypt your wallet data.": "La contraseña de la billetera se usa para encriptar los datos de la billetera.", + "Wallet:": "Billetera:", + "We greatly appreciate your help in backing our efforts.": "Agradecemos enormemente tu ayuda para recompensar nuestros esfuerzos.", + "Welcome to Kaspa NG": "Bienvenidos a Kaspa NG", + "Xpub Keys": "Claves Xpub", + "You are currently not connected to the Kaspa node.": "No está conectado actualmente al nodo Kaspa.", + "You can configure remote connection in Settings": "Puede configurar la conexión remota en Configuración", + "You can create multiple wallets, but only one wallet can be open at a time.": "Puede crear múltiples billeteras, pero sólo una puede estar abierta a la vez", + "You must be connected to a node...": "Debe estar conectado a un nodo...", + "Your default wallet private key mnemonic is:": "Tu clave privada mnemotécnica por defecto es:", + "Your mnemonic phrase allows your to re-create your private key. The person who has access to this mnemonic will have full control of the Kaspa stored in it. Keep your mnemonic safe. Write it down and store it in a safe, preferably in a fire-resistant location. Do not store your mnemonic on this computer or a mobile device. This wallet will never ask you for this mnemonic phrase unless you manually initiate a private key recovery.": "Su frase mnemotécnica permite recrear su clave privada. Cualquier persona que tenga acceso a esta frase mnemotécnica, tendrá control total sobre el Kaspa almacenada en ella. Mantenga su frase mnemotécnica a salvo. Escríbala y guárdela en un lugar seguro, preferiblemente en un lugar ignífugo. No guarde su frase mnemotécnica en un ordenador o dipositivo móvil. Esta billetera nunca le pedirá esta frase mnemotécnica a menos que inicie manualmente una recuperación de la clave privada.", + "Your private key mnemonic is:": "Su frase privada mnemotécnica es:", + "Your wallet has been created and is ready to use.": "Su billetera ha sido creada y está lista para su uso", + "Zoom": "Zoom", + "amount to send": "cantidad para enviar", + "bye!": "¡Adiós!", + "gRPC Network Interface & Port": "Interfaz de Red y Puerto gRPC", + "gRPC Rx": "Rx gRPC", + "gRPC Rx/s": "Rx/s gRPC", + "gRPC Tx": "Tx gRPC", + "gRPC Tx/s": "Tx/s gRPC", + "of": "de", + "p2p RPC": "RPC p2p", + "p2p Rx": "Rx p2p", + "p2p Rx/s": "Rx/s p2p", + "p2p Tx": "Tx p2p", + "p2p Tx/s": "Tx/s p2p", + "peer": "usuario", + "peers": "usuarios", + "wRPC Borsh Rx": "Rx Borsh wRPC", + "wRPC Borsh Rx/s": "Rx/s Borsh wRPC", + "wRPC Borsh Tx": "Tx Borsh wRPC", + "wRPC Borsh Tx/s": "Tx/s Borsh wRPC", + "wRPC Connection Settings": "Configuración Conexión wRPC", + "wRPC Encoding:": "Codificación wRPC:", + "wRPC JSON Rx": "Rx JSON wRPC", + "wRPC JSON Rx/s": "Rx/s JSON wRPC", + "wRPC JSON Tx": "Tx JSON wRPC", + "wRPC JSON Tx/s": "Tx/s JSON wRPC", + "wRPC URL:": "URL wRPC:" + }, "et": {}, - "fa": {}, + "fa": { + "1 BPS test network": "شبکه تست 1 بلاک در ثانیه", + "10 BPS test network": "شبکه تست 10 بلاک در ثانیه", + "12 word mnemonic": "عبارت یادآور 12 کلمه ای", + "24 word mnemonic": "عبارت یادآور 24 کلمه ای", + "24h Change": "تغییر 24 ساعته", + "A binary at another location is spawned a child process (experimental, for development purposes only).": "یک باینری در مکان دیگری یک پردازش فرزند ایجاد می شود (تجربی، فقط برای اهداف توسعه دهندگی).", + "A random node will be selected on startup": "یک نود تصادفی در راه اندازی انتخاب خواهد شد", + "A wallet is stored in a file on your computer.": "یک کیف پول در فایلی در رایانه شما ذخیره می شود.", + "Account Index": "فهرست راهنمای حساب", + "Account Name": "نام حساب", + "Account:": "حساب:", + "Activate custom daemon arguments": "فعال کردن آرگومان های سرویس سفارشی ", + "Active p2p Peers": "فعال سازی همتایان p2p", + "Address derivation scan": "اسکن مشتق آدرس", + "Address:": "آدرس:", + "Advanced": "پیشرفته", + "All": "همه", + "Allow custom arguments for the Rusty Kaspa daemon": "اجازه دادن آرگومان های سفارشی برای سرویس Rusty Kaspa ", + "Allows you to take screenshots from within the application": "به شما امکان می دهد از داخل برنامه اسکرین شات بگیرید", + "Apply": "اعمال کردن", + "Balance: N/A": "موجودی: در دسترس نیست", + "Bandwidth": "پهنای باند", + "Because of its focus on security and performance, this software is entirely developed in Rust, demanding significantly more time and effort compared to other traditional modern web-driven software.": "به دلیل تمرکز بر امنیت و عملکرد، این نرم افزار به طور کامل در Rust توسعه یافته است و در مقایسه با سایر نرم افزارهای سنتی مدرن مبتنی بر وب، زمان و تلاش بیشتری را می طلبد.", + "Bezier Curves": "منحنی های Bezier", + "Block DAG": "Block DAG", + "Block Scale": "مقیاس بلاک", + "Blocks": "بلاک ها", + "Bodies": "اجسام", + "Borsh Active Connections": "اتصالات فعال Borsh", + "Borsh Connection Attempts": "تلاش ها برای اتصال Borsh", + "Borsh Handshake Failures": "عدم موفقیت در تبادل اطلاعات با Borsh", + "Build": "ساختن", + "CONNECTED": "وصل شد", + "CPU": "CPU", + "Cache Memory Size": "اندازه حافظه کش", + "Cache Memory Size:": "اندازه حافظه کش:", + "Cancel": "لغو", + "Cannot delete data folder while the node is running": "در حالی که نود در حال اجرا است، نمی توان پوشه داده ها را حذف کرد", + "Capture a screenshot": "اسکرین شات بگیرید", + "Center VSPC": "مرکز VSPC", + "Chain Blocks": "بلوک های زنجیره ای", + "Change Address": "تغییر آدرس", + "Check for Software Updates on GitHub": "بررسی بروز رسانی های نرم افزار در GitHub ", + "Check for Updates": "بررسی بروز رسانی ها", + "Clear": "پاک کردن", + "Click to try another server...": "روی سرور دیگری کلیک کنید...", + "Client RPC": "کلاینت RPC", + "Close": "بستن", + "Confirm wallet password": "تایید کلمه عبور کیف پول", + "Connect to a local node (localhost)": "اتصال به یک نود محلی (میزبان محلی)", + "Connecting to": "ارتباط با", + "Connection": "اتصال", + "Connections": "اتصال ها", + "Connects to a Remote Rusty Kaspa Node via wRPC.": "از طریق wRPC به یک Remote Rusty Kaspa Node متصل می شود.", + "Conservative": "با دوام", + "Continue": "ادامه", + "Contributions directed toward this project directly fuel the Kaspa NG software and its ecosystem.": "مشارکت های انجام شده در این پروژه به طور مستقیم به نرم افزار Kaspa NG و اکوسیستم آن کمک می کند.", + "Copied to clipboard": "در کلیپ بورد کپی شد", + "Copy": "کپی", + "Copy logs to clipboard": "کپی گزارش‌ها را در کلیپ بورد ", + "Create New Account": "ایجاد حساب کاربری جدید", + "Create New Wallet": "ایجاد کردن کیف پول جدید", + "Create new wallet": "ساختن کیف پول جدید", + "Creating Account": "ایجاد حساب کاربری", + "Creating Wallet": "ساختن کیف پول", + "Custom": "سفارشی", + "Custom Public Node": "نود عمومی سفارشی", + "Custom arguments:": "آرگومان های سفارشی:", + "DAA": "ترتیب دستیابى داده ها DAA", + "DAA Offset": " نقطه آغازین ترتیب دستیابى داده ها DAA", + "DAA Range": "محدوده ترتیب دستیابى داده ها DAA", + "DB Blocks": "بلاک های پایگاه داده", + "DB Headers": "سربرگ های DB", + "Database Blocks": "بلاک های پایگاه داده ها", + "Database Headers": "سربرگ های پایگاه داده ها", + "Decrypting wallet, please wait...": "در حال رمزگشایی کیف پول، لطفا صبر کنید...", + "Default": "پیش فرض", + "Default Account Name": "نام حساب پیش فرض", + "Delete Data Folder": "پوشه داده ها را حذف کنید", + "Dependencies": "وابستگی ها", + "Derivation Indexes": "شاخص های مشتق", + "Details": "جزییات", + "Developer Mode": "تنظیمات برنامه نویسی", + "Developer Resources": "منابع برنامه نویسی", + "Developer mode enables advanced and experimental features": "حالت برنامه نویسی ویژگی های پیشرفته و آزمایشی را فعال می کند", + "Difficulty": "سختی", + "Dimensions": "ابعاد", + "Disable password score restrictions": "غیرفعال کردن محدودیت امتیاز کلمه عبور", + "Disabled": "غیرفعال ", + "Disables node connectivity (Offline Mode).": "اتصال نود را غیرفعال می کند (حالت آفلاین).", + "Discord": "دیسکورد", + "Donations": "کمک های مالی", + "Double click on the graph to re-center...": "روی نمودار دوبار کلیک کنید تا دوباره در وسط قرار دهید...", + "ECDSA": "ECDSA", + "Enable Market Monitor": "فعال سازی مشاهده بازار", + "Enable UPnP": "فعال سازی UPnP", + "Enable custom daemon arguments": "آرگومان های سرویس سفارشی را فعال کنید", + "Enable experimental features": "فعال سازی ویژگی های آزمایشی", + "Enable gRPC": "فعال سازی gRPC", + "Enable optional BIP39 passphrase": "فعال کردن عبارت عبور اختیاری BIP39 ", + "Enable screen capture": "فعال کردن ضبط صفحه", + "Enables features currently in development": "فعال سازی ویژگی‌هایی که در حال توسعه هستند", + "Enter": "ورود", + "Enter account name (optional)": "نام حساب را وارد کنید (اختیاری)", + "Enter first account name": "نام اولین حساب کاربری را وارد کنید", + "Enter phishing hint": "وارد کردن راهنمایی فیشینگ", + "Enter the amount": "مقدار را وارد کنید", + "Enter the password for your wallet": "رمز عبور کیف پول خود را وارد کنید", + "Enter the password to unlock your wallet": "کلمه عبور را برای باز کردن کیف پول خود وارد کنید", + "Enter wallet name": "وارد کردن نام کیف پول", + "Enter wallet password": "وارد کردن کلمه عبور کیف پول", + "Enter your wallet secret": "رمز کیف پول خود را وارد کنید", + "Explorer": "کاوشگر", + "Export Wallet Data": "صدور داده های کیف پول", + "Faucet": "فاست", + "File Handles": "دسته های فایل", + "Filename:": "نام فایل:", + "Final Amount:": "مبلغ نهایی:", + "GitHub Release": "انتشار GitHub", + "Go to Settings": "برو به تنظیمات", + "Handles": "دستگیره ها", + "Headers": "سربرگ ها", + "IBD:": "IBD:", + "If not specified, the account will be represented by the numeric id.": "اگر مشخص نشده باشد، حساب با شناسه عددی نشان داده می شود.", + "If you are running locally, use: ": "اگر بصورت محلی اجرا می کنید،استفاده کنید از:", + "Import existing": "وارد کردن موجود", + "Inbound": "ورودی", + "Include QoS Priority Fees": "شامل هزینه های اولویت QoS", + "Integrated Daemon": "سرویس یکپارچه", + "Invalid daemon arguments": "نامعتبر بودن آرگومان های سرویس نامعتبر", + "Invalid network type - expected: testnet-10 connected to: testnet-11": "نوع شبکه مورد نظر نامعتبر است: شبکه تست-10 متصل به: شبکه تست-11 ", + "Invalid wRPC URL": "آدرس wPRC نامعتبر", + "Json Active Connections": "اتصالات فعال Json", + "Json Connection Attempts": "تلاش های اتصال Json", + "Json Handshake Failures": "عدم موفقیت در تبادل اطلاعات با Json", + "Kaspa Discord": "دیسکورد Kaspa", + "Kaspa Integration Guide": "راهنمای ادغام Kaspa", + "Kaspa NG": "Kaspa NG", + "Kaspa NG Online": "Kaspa NG آنلاین", + "Kaspa NG Web App": "اپلیکشین تحت وب Kaspa NG", + "Kaspa NG on GitHub": "Kaspa NG در GitHub", + "Kaspa NG online": "Kaspa NG آنلاین", + "Kaspa Network": "شبکه Kaspa", + "Kaspa Node": "نود Kaspa", + "Kaspa p2p Network & Node Connection": "شبکه Kaspa p2p و اتصال نود", + "Kaspa p2p Node": "نود Kaspa p2p", + "Kaspa p2p Node & Connection": "اتصال و نود Kaspa p2p", + "Key Perf.": "عملکرد کلیدی", + "Language:": "زبان:", + "Large (1 BPS)": "بزرگ (1 BPS)", + "Levels": "سطوح", + "License Information": "اطلاعات مجوز", + "Local": "محلی", + "Local p2p Node Configuration": "پیکربندی نود p2p محلی", + "Logs": "گزارشات", + "MT": "MT", + "Main Kaspa network": "شبکه اصلی Kaspa", + "Mainnet": "شبکه اصلی", + "Mainnet (Main Kaspa network)": "شبکه اصلی (شبکه اصلی Kaspa)", + "Managed by the Rusty Kaspa daemon": "مدیریت توسط سرویس Rusty Kaspa ", + "Market": "بازار", + "Market Cap": "ارزش بازاری", + "Market Monitor": "مشاهده بازار", + "Mass Processed": "پردازش انبوه", + "Medium Narrow": "ابزار باریک کردن", + "Medium Wide": "ابزار گسترده کردن", + "Memory": "حافظه", + "Mempool": "استخر حافظه", + "Mempool Size": "سایز استخر حافظه", + "Metrics": "معیارها", + "Metrics are not currently available": "معیارها در حال حاضر در دسترس نیستند", + "NPM Modules for NodeJS": "ماژول های NPM برای NodeJS", + "Network": "شبکه", + "Network Difficulty": "سختی شبکه", + "Network Fees:": "هزینه شبکه:", + "Network Interface": "رابط شبکه", + "Network Peers": "همتایان شبکه", + "No peers": "بدون همتایان", + "No public node selected - please select a public node": "هیچ نود عمومی انتخاب نشده است - لطفاً یک نود عمومی انتخاب کنید", + "No transactions": "بدون تراکنش", + "No wallets found, please create a new wallet": "کیف پولی یافت نشد، لطفا یک کیف پول جدید ایجاد کنید", + "Node": "نود", + "Node Status": "وضعیت نود", + "Noise": "سر و صدا", + "None": "هیچ کدام", + "Not Connected": "متصل نیست", + "Not connected": "متصل نیست", + "Notifications": "اعلان ها", + "Open Data Folder": "پوشه داده را باز کنید", + "Opening wallet:": "بازکردن کیف پول:", + "Optional": "اختیاری", + "Other operations": "سایر عملیات", + "Outbound": "خروجی", + "Overview": "بررسی ", + "Parents": "سرمنشا ها", + "Past Median Time": "زمان میانه گذشته", + "Payment & Recovery Password": "رمز پرداخت و بازیابی", + "Payment Request": "درخواست پرداخت", + "Peers": "همتایان", + "Performance": "کارایی", + "Phishing Hint": "راهنمایی فیشینگ", + "Ping:": "پینگ:", + "Please Confirm Deletion": "لطفا حذف را تایید کنید", + "Please configure your Kaspa NG settings": "لطفا تنظیمات Kaspa NG خود را پیکربندی کنید", + "Please connect to Kaspa p2p node": "لطفا به نود Kaspa p2p متصل شوید", + "Please create a stronger password": "لطفا یک رمز عبور سخت تری ایجاد کنید", + "Please enter": "لطفا وارد کنید", + "Please enter KAS amount to send": "لطفا مبلغ KAS را برای ارسال وارد کنید", + "Please enter an amount": "لطفا یک مقدار وارد کنید", + "Please enter the account name": "لطفا نام حساب را وارد کنید", + "Please enter the wallet secret": "لطفا رمز کیف پول را وارد کنید", + "Please note that this is an alpha release. Until this message is removed, please avoid using the wallet with mainnet funds.": "لطفا توجه داشته باشید که این نسخه آلفا است. تا زمانی که این پیام حذف نشود، لطفا از استفاده از کیف پول با سرمایه اصلی خودداری کنید.", + "Please note, copying to clipboard carries a risk of exposing your mnemonic to malware.": "لطفاً توجه داشته باشید، کپی کردن در کلیپ بورد خطر قرار دادن عبارت یادآور شما را در معرض بدافزار قرار می دهد.", + "Please select an account type": "لطفا یک نوع حساب را انتخاب کنید", + "Please select the private key to export": "لطفا کلید خصوصی را برای صدور انتخاب کنید", + "Please set node to 'Disabled' to delete the data folder": "لطفاً نود را روی 'غیرفعال' تنظیم کنید تا پوشه داده ها حذف شود", + "Please specify the name of the default account. The wallet will be created with a default account. Once created, you will be able to create additional accounts as you need.": "لطفا نام حساب پیش فرض را مشخص کنید. کیف پول با یک حساب پیش فرض ایجاد می شود. پس از ایجاد، می توانید حساب های اضافی را در صورت نیاز ایجاد کنید.", + "Please specify the name of the new wallet": "لطفاً نام کیف پول جدید را مشخص کنید", + "Please specify the private key type for the new wallet": "لطفا نوع کلید خصوصی را برای کیف پول جدید مشخص کنید", + "Please wait for the node to sync or connect to a remote node.": "لطفا منتظر بمانید تا نود همگام شود یا به یک نود راه دور متصل شود.", + "Please wait for the node to sync...": "لطفا صبر کنید تا نود همگام شود...", + "Please wait...": "لطفا صبر کنید...", + "Presets": "تنظیمات از پیش تعیین شده", + "Price": "قیمت", + "Private Key Mnemonic": "کلید خصوصی عبارت یادآور", + "Processed Bodies": "اجسام فرآوری شده", + "Processed Dependencies": "وابستگی های پردازش شده", + "Processed Headers": "هدرهای پردازش شده", + "Processed Mass Counts": "شمارش انبوه پردازش شده", + "Processed Transactions": "تراکنش های پردازش شده", + "Protocol:": "پروتکل:", + "Public Node": "نود عمومی", + "Public Nodes": "نودهای عمومی", + "Public Server": "سرور عمومی", + "Public p2p Nodes for": "نودهای عمومی p2p برای", + "Random Public Node": "نود عمومی تصادفی", + "Range:": "دامنه:", + "Receive Address": "آدرس دریافتی", + "Recommended arguments for the remote node: ": "آرگومان های توصیه شده برای نود راه دور:", + "Remote": "از راه دور", + "Remote Connection:": "اتصال از راه دور:", + "Remote p2p Node Configuration": "پیکربندی از راه دور نود p2p", + "Removes security restrictions, allows for single-letter passwords": "محدودیت‌های امنیتی را حذف می‌کند، اجازه می‌دهد کلمه های عبور تک حرفی را انتخاب کنید", + "Reset Settings": "بازنشانی تنظیمات", + "Reset VSPC": "VSPC را بازنشانی کنید", + "Resident Memory": "حافظه مقیم", + "Resources": "منابع", + "Resulting daemon arguments:": "آرگومان های سرویس حاصل:", + "Rust Wallet SDK": "بسته توسعه نرم افزار کیف پول Rust ", + "Rusty Kaspa on GitHub": "Rusty Kaspa در GitHub", + "Secret is too weak": "رمز خیلی ضعیف است", + "Secret score:": "امتیاز رمز:", + "Select Account": "انتخاب حساب", + "Select Available Server": "انتخاب سرور در دسترس", + "Select Private Key Type": "نوع کلید خصوصی را انتخاب کنید", + "Select Public Node": "انتخاب نود عمومی", + "Select Wallet": "انتخاب کیف پول", + "Select a wallet to unlock": "یک کیف پول را برای باز کردن انتخاب کنید", + "Send": "ارسال", + "Services": "سرویس ها", + "Settings": "تنظیمات", + "Show DAA": "نمایش ترتیب دستیابى داده ها DAA", + "Show Grid": "نمایش جدول", + "Show VSPC": "نمایش VSPC", + "Show balances in alternate currencies for testnet coins": "نمایش موجودی در ارزهای جایگزین برای کوین های شبکه تست", + "Show password": "نشان دادن کلمه عبور", + "Shows balances in alternate currencies (BTC, USD) when using testnet coins as if you are on mainnet": "موجودی ارزهای جایگزین (BTC، USD) را در هنگام استفاده از کوین های شبکه آزمایشی به گونه ای نشان می دهد که گویی در شبکه اصلی هستید", + "Skip": "صرف نظر", + "Small (10 BPS)": "کوچک (10 BPS)", + "Spread": "گسترش", + "Stage": "مرحله", + "Starting...": "شروع...", + "Statistics": "آمار", + "Stor Read": "خواندن ذخیره غیرمتمرکز", + "Stor Write": " نگارش ذخیره غیرمتمرکز", + "Storage": "ذخیره غیرمتمرکز", + "Storage Read": "خواندن ذخیره غیرمتمرکز", + "Storage Read/s": "خواندن ذخیره غیرمتمرکز", + "Storage Write": " نگارش ذخیره غیرمتمرکز", + "Storage Write/s": " نگارش ذخیره غیرمتمرکز", + "Submitted Blocks": "بلاک های ارسال شده", + "Supporting Kaspa NG development": "حمایت از توسعه Kaspa NG", + "Syncing Cryptographic Proof...": "همگام سازی عیار رمزنگاری...", + "Syncing DAG Blocks...": "در حال همگام سازی بلاک های DAG...", + "Syncing Headers...": "در حال همگام سازی سربرگ ها...", + "Syncing UTXO entries...": "در حال همگام سازی ورودی های UTXO...", + "Syncing...": "همگام سازی...", + "System": "سیستم", + "TPS": "تراکنش در ثانیه", + "Testnet 10": "شبکه تست 10", + "Testnet 10 (1 BPS)": "شبکه تست 10 (1 BPS)", + "Testnet 11": "شبکه تست 11", + "Testnet 11 (10 BPS)": "شبکه تست 11 (10 BPS)", + "Testnet 11 is not yet enabled for public testing. You can, however, configure the node to connect to the private developer testnet in the Settings panel.": "شبکه تست 11 هنوز برای آزمایش عمومی فعال نشده است. با این حال، می‌توانید نود را برای اتصال به شبکه آزمایشی برنامه نویسی خصوصی در پانل تنظیمات پیکربندی کنید.", + "The Kaspa NG software represents an ongoing effort focused on building a state-of-the-art software platform dedicated to the Kaspa BlockDAG cryptocurrency network. Ideological at its core, this software prioritizes security, privacy, performance, and decentralization.": "نرم‌افزار Kaspa NG بیانگر تلاشی مداوم است که بر ساختن یک پلت‌فرم نرم‌افزاری پیشرفته حول شبکه ارز دیجیتال Kaspa BlockDAG متمرکز شده است. این نرم افزار ذاتا امنیت، حریم خصوصی، عملکرد و تمرکززدایی را در اولویت قرار می دهد.", + "The balance may be out of date during node sync": "موجودی ممکن است در طول همگام سازی نود منسوخ باشد", + "The following will guide you through the process of creating or importing a wallet.": "موارد زیر شما را در فرآیند ایجاد یا وارد کردن کیف پول راهنمایی می کند.", + "The node is currently syncing with the Kaspa p2p network.": "نود در حال حاضر با شبکه p2p Kaspa همگام سازی می شود.", + "The node is currently syncing with the Kaspa p2p network. Account balances may be out of date.": "در حال حاضر نود با شبکه p2p Kaspa همگام سازی می شود. موجودی حساب ممکن است منسوخ باشد.", + "The node is spawned as a child daemon process (recommended).": "نود بعنوان یک فرآیند فرزند ایجاد می شود (توصیه می شود).", + "The node runs as a part of the Kaspa-NG application process. This reduces communication overhead (experimental).": "نود به عنوان بخشی از فرآیند برنامه Kaspa-NG اجرا می شود. این باعث کاهش هزینه های ارتباطی می شود (آزمایشی).", + "Theme Color": "رنگ زمینه", + "Theme Color:": "رنگ زمینه:", + "Theme Style": "سبک زمینه", + "Theme Style:": "سبک زمینه:", + "This wallet will never ask you for this mnemonic phrase unless you manually initiate a private key recovery.": "این کیف پول هرگز از شما این عبارت یادآور را نمی خواهد مگر اینکه به صورت دستی بازیابی کلید خصوصی را شروع کنید.", + "Threshold": "آستانه", + "Time Offset:": "زمان آغازین", + "Tip Hashes": "Tip Hashes", + "Tools ⏷": "ابزار ⏷", + "Total Rx": "مجموع Rx", + "Total Rx/s": "مجموع Rx/s", + "Total Tx": "مجموع تراکنش", + "Total Tx/s": "مجموع تراکنش ها در ثانیه", + "Track in the background": "پیگیری در پس زمینه", + "Transactions": "تراکنش ها", + "Transactions:": "تراکنش ها:", + "Type": "نوع", + "UTXO Manager": "مدیر UTXO", + "UTXOs": "UTXOs", + "UTXOs:": "UTXOs:", + "Unable to change node settings until the problem is resolved": "تا زمانی که مشکل حل نشود، امکان تغییر تنظیمات نود وجود ندارد", + "Unlock": "باز کردن", + "Unlock Wallet": "بازکردن کیف پول", + "Unlocking": "بازکردن", + "Update Available to version": "به‌روزرسانی در نسخه کنونی", + "Updating...": "در حال بروز رسانی...", + "Uptime:": "آپتایم:", + "Use 50%-75% of available system memory": "از 50 حافظه موجود سیستم %-75% استفاده کنید", + "Use all available system memory": "استفاده از تمام حافظه های موجود سیستم ", + "User Agent": "عامل کاربر", + "User Interface": "رابط کاربری", + "Very dangerous (may be cracked within few seconds)": "بسیار خطرناک (ممکن است در عرض چند ثانیه کرک شود)", + "Virt Parents": "سرمنشا مجازی", + "Virtual DAA Score": "امتیاز ترتیب دستیابى داده ها DAA مجازی", + "Virtual Memory": "حافظه مجازی", + "Virtual Parent Hashes": "هش های سرمنشا مجازی", + "Volume": "حجم معاملات", + "WASM SDK for JavaScript and TypeScript": "WASM SDK for JavaScript and TypeScript", + "Wallet": "کیف پول", + "Wallet Created": "کیف پول ایجاد شد", + "Wallet Encryption Password": "کلمه عبور رمزگذاری کیف پول", + "Wallet Name": "نام کیف پول", + "Wallet Secret": "رمز کیف پول", + "Wallet password is used to encrypt your wallet data.": "کلمه عبور کیف پول، برای رمزگذاری داده های کیف پول شما استفاده می شود.", + "Wallet:": "کیف پول:", + "We greatly appreciate your help in backing our efforts.": "از کمک شما در حمایت از تلاش هایمان قدردانی می کنیم.", + "Welcome to Kaspa NG": "به Kaspa NG خوش آمدید", + "Xpub Keys": "کلیدهای Xpub", + "You are currently not connected to the Kaspa node.": "شما در حال حاضر به نود Kaspa متصل نیستید.", + "You can configure remote connection in Settings": "می توانید اتصال از راه دور را در تنظیمات پیکربندی کنید", + "You can create multiple wallets, but only one wallet can be open at a time.": "شما می توانید چندین کیف پول ایجاد کنید، اما تنها یک کیف پول می تواند در یک زمان باز باشد.", + "You must be connected to a node...": "شما باید به یک نود متصل باشید...", + "Your default wallet private key mnemonic is:": "کلید خصوصی عبارت یادآور کیف پول شما این هست:", + "Your mnemonic phrase allows your to re-create your private key. The person who has access to this mnemonic will have full control of the Kaspa stored in it. Keep your mnemonic safe. Write it down and store it in a safe, preferably in a fire-resistant location. Do not store your mnemonic on this computer or a mobile device. This wallet will never ask you for this mnemonic phrase unless you manually initiate a private key recovery.": "عبارت یادآور شما به شما امکان می دهد کلید خصوصی خود را دوباره ایجاد کنید. شخصی که به این عبارت یادآور دسترسی داشته باشد، کنترل کامل Kaspa ذخیره شده در آن را خواهد داشت. عبارت یادآور خود را ایمن نگه دارید. آن را یادداشت کنید و در یک گاوصندوق، ترجیحا در مکانی مقاوم در برابر آتش نگهداری کنید. عبارت یادآور خود را در این رایانه یا دستگاه تلفن همراه ذخیره نکنید. این کیف پول هرگز از شما این عبارت یاآور را نمی خواهد مگر اینکه به صورت دستی بازیابی کلید خصوصی را شروع کنید.", + "Your private key mnemonic is:": "کلید خصوصی عبارت یادآور شما این هست:", + "Your wallet has been created and is ready to use.": "کیف پول شما ساخته شده و آماده استفاده است.", + "Zoom": "بزرگنمایی", + "amount to send": "مبلغ برای ارسال", + "bye!": "خداحافظ!", + "gRPC Network Interface & Port": "رابط و پورت شبکه gRPC", + "gRPC Rx": "gRPC Rx", + "gRPC Rx/s": "gRPC Rx/s", + "gRPC Tx": "تراکنش gRPC", + "gRPC Tx/s": "تراکنش در ثانیه gRPC", + "of": "از", + "p2p RPC": "p2p RPC", + "p2p Rx": "p2p Rx", + "p2p Rx/s": "p2p Rx/s", + "p2p Tx": "تراکنش های p2p", + "p2p Tx/s": "تراکنش در ثانیه p2p", + "peer": "همتا", + "peers": "همتایان", + "wRPC Borsh Rx": "wRPC Borsh Rx", + "wRPC Borsh Rx/s": "wRPC Borsh Rx/s", + "wRPC Borsh Tx": "تراکنش wRPC Borsh", + "wRPC Borsh Tx/s": "تراکنش در ثانیه wRPC Borsh", + "wRPC Connection Settings": "تنظیمات اتصال wRPC", + "wRPC Encoding:": "رمزگذاری wRPC:", + "wRPC JSON Rx": "wRPC JSON Rx", + "wRPC JSON Rx/s": "wRPC JSON Rx/s", + "wRPC JSON Tx": "تراکنش wRPC JSON", + "wRPC JSON Tx/s": "تراکنش در ثانیه wRPC JSON", + "wRPC URL:": "آدرس wRPC:" + }, "fi": {}, "fil": {}, "fr": {}, @@ -846,6 +1627,392 @@ "hi": {}, "hr": {}, "hu": {}, + "id": { + "1 BPS test network": "1 jaringan uji BPS", + "10 BPS test network": "10 jaringan uji BPS", + "12 word mnemonic": "mnemonik 12 kata", + "24 word mnemonic": "mnemonik 24 kata", + "24h Change": "Perubahan 24 jam", + "A binary at another location is spawned a child process (experimental, for development purposes only).": "Biner di lokasi lain menghasilkan proses anak (eksperimental, untuk tujuan pengembangan saja).", + "A random node will be selected on startup": "Node acak akan dipilih saat startup", + "A wallet is stored in a file on your computer.": "Dompet disimpan dalam file di komputer Anda.", + "Account Index": "Indeks Akun", + "Account Name": "Nama akun", + "Account:": "Akun:", + "Activate custom daemon arguments": "Aktifkan argumen daemon khusus", + "Active p2p Peers": "Rekan p2p aktif", + "Address derivation scan": "Pemindaian derivasi alamat", + "Address:": "Alamat:", + "Advanced": "Lanjutan", + "All": "Semua", + "Allow custom arguments for the Rusty Kaspa daemon": "Izinkan argumen khusus untuk daemon Rusty Kaspa", + "Allows you to take screenshots from within the application": "Memungkinkan Anda mengambil tangkapan layar dari dalam aplikasi", + "Apply": "Menerapkan", + "Balance: N/A": "Saldo: N/A", + "Bandwidth": "Bandwidth", + "Because of its focus on security and performance, this software is entirely developed in Rust, demanding significantly more time and effort compared to other traditional modern web-driven software.": "Karena fokusnya pada keamanan dan kinerja, perangkat lunak ini sepenuhnya dikembangkan di Rust, sehingga memerlukan lebih banyak waktu dan tenaga dibandingkan dengan perangkat lunak tradisional berbasis web modern lainnya.", + "Bezier Curves": "Kurva Bezier", + "Block DAG": "Blok DAG", + "Block Scale": "Skala Blok", + "Blocks": "Blok", + "Bodies": "Badan", + "Borsh Active Connections": "Koneksi Aktif Borsh", + "Borsh Connection Attempts": "Upaya Koneksi Borsh", + "Borsh Handshake Failures": "Kegagalan Borsh Handshake", + "Build": "Bangun", + "CONNECTED": "TERHUBUNG", + "CPU": "CPU", + "Cache Memory Size": "Ukuran Memori Cache", + "Cache Memory Size:": "Ukuran Memori Cache:", + "Cancel": "Batal", + "Cannot delete data folder while the node is running": "Tidak dapat menghapus folder data saat node sedang berjalan", + "Capture a screenshot": "Ambil tangkapan layar", + "Center VSPC": "Pusat VSPC", + "Chain Blocks": "Blok Rantai", + "Change Address": "Ubah Alamat", + "Check for Software Updates on GitHub": "Periksa Pembaruan Perangkat Lunak di GitHub", + "Check for Updates": "Periksa Pembaruan", + "Clear": "Kosongkan", + "Click to try another server...": "Klik untuk mencoba server lain...", + "Client RPC": " Klien RPC", + "Close": "Tutup", + "Confirm wallet password": "Konfirmasikan kata sandi dompet", + "Connect to a local node (localhost)": "Hubungkan ke node lokal (localhost)", + "Connecting to": "Hubungkan ke", + "Connection": "Koneksi", + "Connections": "Koneksi", + "Connects to a Remote Rusty Kaspa Node via wRPC.": "Terhubung ke Node Kaspa Rusty Jarak Jauh melalui wRPC.", + "Conservative": "Konservatif", + "Continue": "Lanjutkan", + "Contributions directed toward this project directly fuel the Kaspa NG software and its ecosystem.": "Kontribusi yang diarahkan pada proyek ini secara langsung mendorong perangkat lunak Kaspa NG dan ekosistemnya.", + "Copied to clipboard": "Disalin ke papan klip", + "Copy": "Salin", + "Copy logs to clipboard": "Salin log ke papan klip", + "Create New Account": "Buat akun baru", + "Create New Wallet": "Buat Dompet Baru", + "Create new wallet": "Buat dompet baru", + "Creating Account": "Membuat akun", + "Creating Wallet": "Membuat Dompet", + "Custom": "Kustom", + "Custom Public Node": "Node Publik Khusus", + "Custom arguments:": "Argumen khusus:", + "DAA": "DAA", + "DAA Offset": "Pengimbangan DAA", + "DAA Range": "Rentang DAA", + "DB Blocks": "Blok DB", + "DB Headers": "Header DB", + "Database Blocks": "Blok Basis Data", + "Database Headers": "Header Basis Data", + "Decrypting wallet, please wait...": "Mendekripsi dompet, harap tunggu...", + "Default": "Bawaan", + "Default Account Name": "Nama Akun Bawaan", + "Delete Data Folder": "Hapus Folder Data", + "Dependencies": "Ketergantungan", + "Derivation Indexes": "Indeks Derivasi", + "Details": "Detail", + "Developer Mode": "Mode pengembang", + "Developer Resources": "Sumber Daya Pengembang", + "Developer mode enables advanced and experimental features": "Mode pengembang mengaktifkan fitur lanjutan dan eksperimental", + "Difficulty": "Kesulitan", + "Dimensions": "Ukuran", + "Disable password score restrictions": "Nonaktifkan pembatasan skor kata sandi", + "Disabled": "Dengan disabilitas", + "Disables node connectivity (Offline Mode).": "Menonaktifkan konektivitas node (Mode Offline).", + "Discord": "Discord", + "Donations": "Sumbangan", + "Double click on the graph to re-center...": "Klik dua kali pada grafik untuk memusatkan kembali...", + "ECDSA": "ECDSA", + "Enable Market Monitor": "Aktifkan Monitor Pasar", + "Enable UPnP": "Aktifkan UPnP", + "Enable custom daemon arguments": "Aktifkan argumen daemon khusus", + "Enable experimental features": "Aktifkan fitur eksperimental", + "Enable gRPC": "Aktifkan gRPC", + "Enable optional BIP39 passphrase": "Aktifkan frasa sandi BIP39 opsional", + "Enable screen capture": "Aktifkan tangkapan layar", + "Enables features currently in development": "Mengaktifkan fitur yang sedang dalam pengembangan", + "Enter": "Memasuki", + "Enter account name (optional)": "Masukkan nama akun (opsional)", + "Enter first account name": "Masukkan nama akun pertama", + "Enter phishing hint": "Masukkan petunjuk phishing", + "Enter the amount": "Masukkan jumlahnya", + "Enter the password for your wallet": "Masukkan kata sandi untuk dompet Anda", + "Enter the password to unlock your wallet": "Masukkan kata sandi untuk membuka kunci dompet Anda", + "Enter wallet name": "Masukkan nama dompet", + "Enter wallet password": "Masukkan kata sandi dompet", + "Enter your wallet secret": "Masukkan kata rahasia dompet Anda", + "Explorer": "Penjelajah", + "Export Wallet Data": "Ekspor Data Dompet", + "Faucet": "Keran", + "File Handles": "Tangani File", + "Filename:": "Nama file:", + "Final Amount:": "Jumlah akhir:", + "GitHub Release": "Rilis GitHub", + "Go to Settings": "Pergi ke pengaturan", + "Handles": "Menangani", + "Headers": "Header", + "IBD:": "IBD:", + "If not specified, the account will be represented by the numeric id.": "Jika tidak ditentukan, akun akan diwakili oleh id numerik.", + "If you are running locally, use: ": "Jika Anda menjalankan secara lokal, gunakan: ", + "Import existing": "Impor yang sudah ada", + "Inbound": "Masuk", + "Include QoS Priority Fees": "Sertakan Biaya Prioritas QoS", + "Integrated Daemon": "Daemon Terintegrasi", + "Invalid daemon arguments": "Argumen daemon tidak valid", + "Invalid network type - expected: testnet-10 connected to: testnet-11": "Jenis jaringan tidak valid - diharapkan: testnet-10 terhubung ke: testnet-11", + "Invalid wRPC URL": "URL wRPC tidak valid", + "Json Active Connections": "Koneksi Aktif Json", + "Json Connection Attempts": "Upaya Koneksi Json", + "Json Handshake Failures": "Kegagalan Jabat Tangan Json", + "Kaspa Discord": "Discord Kaspa", + "Kaspa Integration Guide": "Panduan Integrasi Kaspa", + "Kaspa NG": "Kaspa NG", + "Kaspa NG Online": "Kaspa NG Online", + "Kaspa NG Web App": "Aplikasi Web Kaspa NG", + "Kaspa NG on GitHub": "Kaspa NG di GitHub", + "Kaspa NG online": "Kaspa NG online", + "Kaspa Network": "Jaringan Kaspa", + "Kaspa Node": "Node Kaspa", + "Kaspa p2p Network & Node Connection": "Jaringan Kaspa p2p", + "Kaspa p2p Node": "Kaspa p2p Node", + "Kaspa p2p Node & Connection": "Kaspa p2p Node", + "Key Perf.": "Kunci Perf.", + "Language:": "Bahasa:", + "Large (1 BPS)": "Besar (1 BPS)", + "Levels": "Tingkat", + "License Information": "Informasi Lisensi", + "Local": "Lokal", + "Local p2p Node Configuration": "Konfigurasi Node p2p lokal", + "Logs": "Log", + "MT": "MT", + "Main Kaspa network": "Jaringan utama Kaspa", + "Mainnet": "Mainnet", + "Mainnet (Main Kaspa network)": "Mainnet (jaringan Kaspa Utama)", + "Managed by the Rusty Kaspa daemon": "Dikelola oleh daemon Rusty Kaspa", + "Market": "Pasar", + "Market Cap": "Kapitalisasi Pasar", + "Market Monitor": "Pemantau Pasar", + "Mass Processed": "Diproses Massal", + "Medium Narrow": "Sedang Sempit", + "Medium Wide": "Lebar Sedang", + "Memory": "Penyimpanan", + "Mempool": "Mempool", + "Mempool Size": "Ukuran Mempool", + "Metrics": "Metrik", + "Metrics are not currently available": "Metrik saat ini tidak tersedia", + "NPM Modules for NodeJS": "Modul NPM untuk NodeJS", + "Network": "Jaringan", + "Network Difficulty": "Kesulitan Jaringan", + "Network Fees:": "Biaya Jaringan:", + "Network Interface": "Antarmuka Jaringan", + "Network Peers": "Jaringan Peers", + "No peers": "Tidak ada peers", + "No public node selected - please select a public node": "Tidak ada node publik yang dipilih - silakan pilih node publik", + "No transactions": "Tidak ada transaksi", + "No wallets found, please create a new wallet": "Tidak ada dompet yang ditemukan, silakan buat dompet baru", + "Node": "node", + "Node Status": "Status Node", + "Noise": "Kebisingan", + "None": "Tidak ada", + "Not Connected": "Tidak terhubung", + "Not connected": "Tidak terhubung", + "Notifications": "Pemberitahuan", + "Open Data Folder": "Buka Folder Data", + "Opening wallet:": "Membuka dompet:", + "Optional": "Opsional", + "Other operations": "Operasi lainnya", + "Outbound": "Keluar", + "Overview": "Ringkasan", + "Parents": "Induk", + "Past Median Time": "Waktu Median yang Lalu", + "Payment & Recovery Password": "Pembayaran", + "Payment Request": "Permintaan pembayaran", + "Peers": "Peers", + "Performance": "Performa", + "Phishing Hint": "Petunjuk Phishing", + "Ping:": "Ping:", + "Please Confirm Deletion": "Harap Konfirmasi Penghapusan", + "Please configure your Kaspa NG settings": "Silakan konfigurasikan pengaturan Kaspa NG Anda", + "Please connect to Kaspa p2p node": "Silakan sambungkan ke node p2p Kaspa", + "Please create a stronger password": "Harap buat kata sandi yang lebih kuat", + "Please enter": "Silakan masuk", + "Please enter KAS amount to send": "Silakan masukkan jumlah KAS yang akan dikirim", + "Please enter an amount": "Silakan masukkan jumlah", + "Please enter the account name": "Silakan masukkan nama akun", + "Please enter the wallet secret": "Silakan masukkan kata rahasia dompet", + "Please note that this is an alpha release. Until this message is removed, please avoid using the wallet with mainnet funds.": "Harap dicatat bahwa ini adalah rilis alfa. Sampai pesan ini dihapus, harap hindari penggunaan dompet dengan dana mainnet.", + "Please note, copying to clipboard carries a risk of exposing your mnemonic to malware.": "Harap diperhatikan, menyalin ke papan klip berisiko membuat mnemonik Anda terkena malware.", + "Please select an account type": "Silakan pilih jenis akun", + "Please select the private key to export": "Silakan pilih kunci pribadi yang akan diekspor", + "Please set node to 'Disabled' to delete the data folder": "Silakan atur node ke 'Disabled' untuk menghapus folder data", + "Please specify the name of the default account. The wallet will be created with a default account. Once created, you will be able to create additional accounts as you need.": "Silakan tentukan nama akun bawaan. Dompet akan dibuat dengan akun Bawaan. Setelah dibuat, Anda akan dapat membuat akun tambahan sesuai kebutuhan. ", + "Please specify the name of the new wallet": "Silakan tentukan nama dompet baru", + "Please specify the private key type for the new wallet": "Silakan tentukan jenis kunci pribadi untuk dompet baru", + "Please wait for the node to sync or connect to a remote node.": "Harap tunggu hingga node disinkronkan atau terhubung ke node jarak jauh.", + "Please wait for the node to sync...": "Harap tunggu hingga node disinkronkan...", + "Please wait...": "Harap tunggu...", + "Presets": "Preset", + "Price": "Harga", + "Private Key Mnemonic": "Mnemonik Kunci Pribadi", + "Processed Bodies": "Badan yang Diproses", + "Processed Dependencies": "Ketergantungan yang Diproses", + "Processed Headers": "Header yang Diproses", + "Processed Mass Counts": "Penghitungan Massa yang Diproses", + "Processed Transactions": "Transaksi yang Diproses", + "Protocol:": "Protokol:", + "Public Node": "Node Publik", + "Public Nodes": "Node Publik", + "Public Server": "Server Publik", + "Public p2p Nodes for": "Node p2p publik untuk", + "Random Public Node": "Node Publik Acak", + "Range:": "Jangkauan:", + "Receive Address": "Alamat Penerimaan", + "Recommended arguments for the remote node: ": "Argumen yang disarankan untuk node jarak jauh: ", + "Remote": "Remot", + "Remote Connection:": "Koneksi Jarak Jauh:", + "Remote p2p Node Configuration": "Konfigurasi Node p2p jarak jauh", + "Removes security restrictions, allows for single-letter passwords": "Menghapus batasan keamanan, memungkinkan kata sandi satu huruf", + "Reset Settings": "Atur Ulang Pengaturan", + "Reset VSPC": "Setel ulang VSPC", + "Resident Memory": "Memori Residen", + "Resources": "Sumber daya", + "Resulting daemon arguments:": "Argumen daemon yang dihasilkan:", + "Rust Wallet SDK": "SDK Dompet Karat", + "Rusty Kaspa on GitHub": "Rusty Kaspa di GitHub", + "Secret is too weak": "Rahasia terlalu lemah", + "Secret score:": "Skor rahasia:", + "Select Account": "Pilih Akun", + "Select Available Server": "Pilih Server yang Tersedia", + "Select Private Key Type": "Pilih Jenis Kunci Pribadi", + "Select Public Node": "Pilih Node Publik", + "Select Wallet": "Pilih Dompet", + "Select a wallet to unlock": "Pilih dompet untuk dibuka kuncinya", + "Send": "Kirim", + "Services": "Layanan", + "Settings": "Pengaturan", + "Show DAA": "Tampilkan DAA", + "Show Grid": "Tampilkan Kotak", + "Show VSPC": "Tampilkan VSPC", + "Show balances in alternate currencies for testnet coins": "Tampilkan saldo dalam mata uang alternatif untuk koin testnet", + "Show password": "Tampilkan kata sandi", + "Shows balances in alternate currencies (BTC, USD) when using testnet coins as if you are on mainnet": "Menampilkan saldo dalam mata uang alternatif (BTC, USD) saat menggunakan koin testnet seolah-olah Anda berada di mainnet", + "Skip": "Lewati", + "Small (10 BPS)": "Kecil (10 BPS)", + "Spread": "Sebarkan", + "Stage": "Panggung", + "Starting...": "Memulai...", + "Statistics": "Statistik", + "Stor Read": "Penyimpanan Baca", + "Stor Write": "Penyimpanan Tulis", + "Storage": "Penyimpanan", + "Storage Read": "Penyimpanan Baca", + "Storage Read/s": "Penyimpanan Baca/dtk", + "Storage Write": "Penyimpanan Tulis", + "Storage Write/s": "Penyimpanan Tulis/dtk", + "Submitted Blocks": "Blok yang Dikirim", + "Supporting Kaspa NG development": "Dukung pengembangan Kaspa NG", + "Syncing Cryptographic Proof...": "Menyinkronkan Bukti Kriptografi...", + "Syncing DAG Blocks...": "Menyinkronkan Blok DAG...", + "Syncing Headers...": "Menyinkronkan Header...", + "Syncing UTXO entries...": "Menyinkronkan entri UTXO...", + "Syncing...": "Menyinkronkan...", + "System": "Sistem", + "TPS": "TPS", + "Testnet 10": "Testnet 10", + "Testnet 10 (1 BPS)": "Testnet 10 (1 BPS)", + "Testnet 11": "Testnet 11", + "Testnet 11 (10 BPS)": "Tesnet 11 (10 BPS)", + "Testnet 11 is not yet enabled for public testing. You can, however, configure the node to connect to the private developer testnet in the Settings panel.": "Testnet 11 belum diaktifkan untuk pengujian publik. ", + "The Kaspa NG software represents an ongoing effort focused on building a state-of-the-art software platform dedicated to the Kaspa BlockDAG cryptocurrency network. Ideological at its core, this software prioritizes security, privacy, performance, and decentralization.": "Perangkat lunak Kaspa NG mewakili upaya berkelanjutan yang berfokus pada pembangunan platform perangkat lunak canggih yang didedikasikan untuk jaringan mata uang kripto Kaspa BlockDAG. ", + "The balance may be out of date during node sync": "Saldo mungkin kedaluwarsa selama sinkronisasi node", + "The following will guide you through the process of creating or importing a wallet.": "Berikut ini akan memandu Anda melalui proses pembuatan atau impor dompet.", + "The node is currently syncing with the Kaspa p2p network.": "Node saat ini sedang melakukan sinkronisasi dengan jaringan Kaspa p2p.", + "The node is currently syncing with the Kaspa p2p network. Account balances may be out of date.": "Node saat ini sedang melakukan sinkronisasi dengan jaringan Kaspa p2p. ", + "The node is spawned as a child daemon process (recommended).": "Node ini dihasilkan sebagai proses daemon anak (disarankan).", + "The node runs as a part of the Kaspa-NG application process. This reduces communication overhead (experimental).": "Node berjalan sebagai bagian dari proses aplikasi Kaspa-NG. Hal ini mengurangi overhead komunikasi (eksperimental).", + "Theme Color": "Warna Tema", + "Theme Color:": "Warna Tema:", + "Theme Style": "Gaya Tema", + "Theme Style:": "Gaya Tema:", + "This wallet will never ask you for this mnemonic phrase unless you manually initiate a private key recovery.": "Dompet ini tidak akan pernah menanyakan frasa mnemonik ini kecuali Anda memulai pemulihan kunci pribadi secara manual.", + "Threshold": "Ambang Batas", + "Time Offset:": "Waktu Offset:", + "Tip Hashes": "Tip Hash", + "Tools ⏷": "Alat ⏷", + "Total Rx": "Jumlah Rx", + "Total Rx/s": "Total Rx/dtk", + "Total Tx": "Jumlah Tx", + "Total Tx/s": "Jumlah Tx/dtk", + "Track in the background": "Lacak di latar belakang", + "Transactions": "Transaksi", + "Transactions:": "Transaksi:", + "Type": "Jenis", + "UTXO Manager": "Manajer UTXO", + "UTXOs": "UTXO", + "UTXOs:": "UTXO:", + "Unable to change node settings until the problem is resolved": "Tidak dapat mengubah pengaturan node hingga masalah teratasi", + "Unlock": "Buka kunci", + "Unlock Wallet": "Buka Dompet", + "Unlocking": "Membuka kunci", + "Update Available to version": "Pembaruan Tersedia untuk versi", + "Updating...": "Memperbarui...", + "Uptime:": "Waktu Aktif:", + "Use 50%-75% of available system memory": "Gunakan 50%-75% dari memori sistem yang tersedia", + "Use all available system memory": "Gunakan semua memori sistem yang tersedia", + "User Agent": "Agen pengguna", + "User Interface": "Antarmuka pengguna", + "Very dangerous (may be cracked within few seconds)": "Sangat berbahaya (mungkin retak dalam beberapa detik)", + "Virt Parents": "Orang Tua yang Berbudi Luhur", + "Virtual DAA Score": "Skor DAA Virtual", + "Virtual Memory": "Memori Virtual", + "Virtual Parent Hashes": "Hash Induk Virtual", + "Volume": "Volume", + "WASM SDK for JavaScript and TypeScript": "WASM SDK untuk JavaScript dan TypeScript", + "Wallet": "Dompet", + "Wallet Created": "Dompet Dibuat", + "Wallet Encryption Password": "Kata Sandi Enkripsi Dompet", + "Wallet Name": "Nama Dompet", + "Wallet Secret": "Dompet Rahasia", + "Wallet password is used to encrypt your wallet data.": "Kata sandi dompet digunakan untuk mengenkripsi data dompet Anda.", + "Wallet:": "Dompet:", + "We greatly appreciate your help in backing our efforts.": "Kami sangat menghargai bantuan Anda dalam mendukung upaya kami.", + "Welcome to Kaspa NG": "Selamat datang di Kaspa NG", + "Xpub Keys": "Kunci Xpub", + "You are currently not connected to the Kaspa node.": "Anda saat ini tidak terhubung ke node Kaspa.", + "You can configure remote connection in Settings": "Anda dapat mengonfigurasi koneksi jarak jauh di Pengaturan", + "You can create multiple wallets, but only one wallet can be open at a time.": "Anda dapat membuat beberapa dompet, namun hanya satu dompet yang dapat dibuka dalam satu waktu.", + "You must be connected to a node...": "Anda harus terhubung ke sebuah node...", + "Your default wallet private key mnemonic is:": "Mnemonik kunci pribadi dompet default Anda adalah:", + "Your mnemonic phrase allows your to re-create your private key. The person who has access to this mnemonic will have full control of the Kaspa stored in it. Keep your mnemonic safe. Write it down and store it in a safe, preferably in a fire-resistant location. Do not store your mnemonic on this computer or a mobile device. This wallet will never ask you for this mnemonic phrase unless you manually initiate a private key recovery.": "Frasa mnemonik Anda memungkinkan Anda untuk membuat ulang kunci pribadi Anda. Orang yang memiliki akses ke mnemonik ini akan memiliki kontrol penuh atas Kaspa yang tersimpan di dalamnya. Simpanlah mnemonik Anda dengan aman. Tuliskan dan simpan di tempat yang aman, sebaiknya di tempat yang tahan api. Jangan simpan mnemonik Anda di komputer atau perangkat seluler. Dompet ini tidak akan pernah meminta frasa mnemonik ini kecuali jika anda melakukan pemulihan kunci pribadi secara manual.", + "Your private key mnemonic is:": "Mnemonik kunci pribadi Anda adalah:", + "Your wallet has been created and is ready to use.": "Dompet Anda telah dibuat dan siap digunakan.", + "Zoom": "Perbesar", + "amount to send": "jumlah yang akan dikirim", + "bye!": "selamat tinggal!", + "gRPC Network Interface & Port": "Antarmuka Jaringan gRPC", + "gRPC Rx": "gRPC Rx", + "gRPC Rx/s": "gRPC Rx/dtk", + "gRPC Tx": "gRPC Tx", + "gRPC Tx/s": "gRPC Tx/dtk", + "of": "dari", + "p2p RPC": "p2p RPC", + "p2p Rx": "p2p Rx", + "p2p Rx/s": "p2p Rx/dtk", + "p2p Tx": "p2p Tx", + "p2p Tx/s": "p2p Tx/dtk", + "peer": "peer", + "peers": "peers", + "wRPC Borsh Rx": "wRPC Borsh Rx", + "wRPC Borsh Rx/s": "wRPC Borsh Rx/s", + "wRPC Borsh Tx": "wRPC Borsh Tx", + "wRPC Borsh Tx/s": "wRPC Borsh Tx/dtk", + "wRPC Connection Settings": "Pengaturan Koneksi wRPC", + "wRPC Encoding:": "Pengkodean wRPC:", + "wRPC JSON Rx": "wRPC JSON Rx", + "wRPC JSON Rx/s": "wRPC JSON Rx/dtk", + "wRPC JSON Tx": "wRPC JSON Tx", + "wRPC JSON Tx/s": "wRPC JSON Tx/dtk", + "wRPC URL:": "URL wRPC:" + }, "is": {}, "it": {}, "ja": {}, @@ -853,10 +2020,777 @@ "lt": {}, "mn": {}, "nb": {}, - "nl": {}, + "nl": { + "1 BPS test network": "1 BPS testnetwerk", + "10 BPS test network": "10 BPS testnetwerk", + "12 word mnemonic": "12 word mnemonic", + "24 word mnemonic": "24-woordige mnemonische code of zin", + "24h Change": "24h Change", + "A binary at another location is spawned a child process (experimental, for development purposes only).": "Een binair bestand op een andere locatie genereert een 'childprocess' (experimenteel, alleen voor ontwikkelingsdoeleinden).", + "A random node will be selected on startup": "A random node will be selected on startup", + "A wallet is stored in a file on your computer.": "A wallet is stored in a file on your computer.", + "Account Index": "Account Index", + "Account Name": "Account Name", + "Account:": "Account:", + "Activate custom daemon arguments": "Activeer custom daemon arguments", + "Active p2p Peers": "Actieve p2p Peers", + "Address derivation scan": "Address derivation scan", + "Address:": "Address:", + "Advanced": "Geavanceerd", + "All": "Alle", + "Allow custom arguments for the Rusty Kaspa daemon": "Allow custom arguments for the Rusty Kaspa daemon", + "Allows you to take screenshots from within the application": "Hiermee kun je schermafbeeldingen maken vanuit de applicatie.", + "Apply": "Toepassen", + "Balance: N/A": "Balance: N/A", + "Bandwidth": "Bandwidth", + "Because of its focus on security and performance, this software is entirely developed in Rust, demanding significantly more time and effort compared to other traditional modern web-driven software.": "Vanwege de focus op beveiliging en prestaties is deze software volledig ontwikkeld in Rust, wat aanzienlijk meer tijd en moeite vergt in vergelijking met andere traditionele moderne webgestuurde software.", + "Bezier Curves": "Bezier Curves", + "Block DAG": "Block DAG", + "Block Scale": "Block Scale", + "Blocks": "Blocks", + "Bodies": "Bodies", + "Borsh Active Connections": "Borsh Active Connections", + "Borsh Connection Attempts": "Borsh Verbindingspogingen", + "Borsh Handshake Failures": "Borsh Handshake Failures", + "Build": "Build", + "CONNECTED": "CONNECTED", + "CPU": "CPU", + "Cache Memory Size:": "Cachegeheugen grootte:", + "Cancel": "Cancel", + "Cannot delete data folder while the node is running": "Kan de gegevensmap niet verwijderen terwijl de node aan het draaien is.", + "Capture a screenshot": "Een schermafbeelding maken", + "Center VSPC": "Center VSPC", + "Chain Blocks": "Chain Blocks", + "Change Address": "Wisseladres", + "Check for Software Updates on GitHub": "Check for Software Updates on GitHub", + "Check for Updates": "Controleren op updates", + "Clear": "Leegmaken", + "Click to try another server...": "Click to try another server...", + "Client RPC": "Client RPC", + "Close": "Close", + "Confirm wallet password": "Confirm wallet password", + "Connect to a local node (localhost)": "Verbind met een lokale node (localhost)", + "Connecting to": "Connecting to", + "Connection": "Connection", + "Connections": "Verbindingen", + "Connects to a Remote Rusty Kaspa Node via wRPC.": "Connects to a Remote Rusty Kaspa Node via wRPC.", + "Conservative": "Conservative", + "Continue": "Continue", + "Contributions directed toward this project directly fuel the Kaspa NG software and its ecosystem.": "Contributions directed toward this project directly fuel the Kaspa NG software and its ecosystem.", + "Copied to clipboard": "Copied to clipboard", + "Copy": "Copy", + "Copy logs to clipboard": "Copy logs to clipboard", + "Create New Account": "Create New Account", + "Create New Wallet": "Create New Wallet", + "Create new wallet": "Create new wallet", + "Creating Account": "Account aanmaken", + "Creating Wallet": "Wallet aanmaken", + "Custom": "Custom", + "Custom Public Node": "Custom Public Node", + "Custom arguments:": "Custom arguments:", + "DAA": "DAA", + "DAA Offset": "DAA Offset", + "DAA Range": "DAA Range", + "DB Blocks": "DB Blocks", + "DB Headers": "DB Headers", + "Database Blocks": "Database Blocks", + "Database Headers": "Database Headers", + "Decrypting wallet, please wait...": "Wallet aan het ontsleutelen, even geduld ...", + "Default": "Standaard", + "Default Account Name": "Default Account Name", + "Delete Data Folder": "Delete Data Folder", + "Dependencies": "Dependencies", + "Derivation Indexes": "Derivation Indexes", + "Details": "Details", + "Developer Mode": "Developer Mode", + "Developer Resources": "Developer Resources", + "Developer mode enables advanced and experimental features": "Developer mode enables advanced and experimental features", + "Difficulty": "Moeilijkheid", + "Dimensions": "Dimensions", + "Disable password score restrictions": "Disable password score restrictions", + "Disabled": "Uitgeschakeld", + "Disables node connectivity (Offline Mode).": "Disables node connectivity (Offline Mode).", + "Discord": "Discord", + "Donations": "Donations", + "Double click on the graph to re-center...": "Double click on the graph to re-center...", + "ECDSA": "ECDSA", + "Enable Market Monitor": "Enable Market Monitor", + "Enable UPnP": "Enable UPnP", + "Enable custom daemon arguments": "Schakel custom daemon-arguments in", + "Enable experimental features": "Enable experimental features", + "Enable gRPC": "Enable gRPC", + "Enable optional BIP39 passphrase": "Schakel optionele BIP39 wachtwoordzin in", + "Enable screen capture": "Schakel schermopname in", + "Enables features currently in development": "Enables features currently in development", + "Enter": "Enter", + "Enter account name (optional)": "Voer accountnaam in (optioneel)", + "Enter first account name": "Enter first account name", + "Enter phishing hint": "Enter phishing hint", + "Enter the amount": "Vul een hoeveelheid in", + "Enter the password for your wallet": "Voer het wachtwoord van je wallet in", + "Enter the password to unlock your wallet": "Enter the password to unlock your wallet", + "Enter wallet name": "Enter wallet name", + "Enter wallet password": "Enter wallet password", + "Enter your wallet secret": "Enter your wallet secret", + "Explorer": "Explorer", + "Export Wallet Data": "Export Wallet Data", + "Faucet": "Faucet", + "File Handles": "File Handles", + "Filename:": "Filename:", + "Final Amount:": "Final Amount:", + "GitHub Release": "GitHub Release", + "Go to Settings": "Go to Settings", + "Handles": "Handles", + "Headers": "Headers", + "IBD:": "IBD:", + "If not specified, the account will be represented by the numeric id.": "If not specified, the account will be represented by the numeric id.", + "If you are running locally, use: ": "Wanneer je 'lokaal runt', gebruik dan:", + "Import existing": "Import existing", + "Inbound": "Inkomend", + "Include QoS Priority Fees": "Include QoS Priority Fees", + "Integrated Daemon": "Integrated Daemon", + "Invalid daemon arguments": "Ongeldige daemon arguments", + "Invalid network type - expected: testnet-10 connected to: testnet-11": "Invalid network type - expected: testnet-10 connected to: testnet-11", + "Invalid wRPC URL": "Invalid wRPC URL", + "Json Active Connections": "Json Active Connections", + "Json Connection Attempts": "Json Connection Attempts", + "Json Handshake Failures": "Json Handshake Failures", + "Kaspa Discord": "Kaspa Discord", + "Kaspa Integration Guide": "Kaspa Integratiehandleiding", + "Kaspa NG": "Kaspa NG", + "Kaspa NG Online": "Kaspa NG Online", + "Kaspa NG Web App": "Kaspa NG Web App", + "Kaspa NG on GitHub": "Kaspa NG op GitHub", + "Kaspa NG online": "Kaspa NG online", + "Kaspa Network": "Kaspa Network", + "Kaspa p2p Node": "Kaspa p2p Node", + "Kaspa p2p Node & Connection": "Kaspa p2p Node & Connection", + "Key Perf.": "Key Perf.", + "Language:": "Language:", + "Large (1 BPS)": "Large (1 BPS)", + "Levels": "Levels", + "License Information": "Licentie informatie", + "Local": "Local", + "Local p2p Node Configuration": "Local p2p Node Configuratie", + "Logs": "Logs", + "MT": "MT", + "Main Kaspa network": "Main Kaspa network", + "Mainnet": "Mainnet", + "Mainnet (Main Kaspa network)": "Mainnet (Main Kaspa network)", + "Managed by the Rusty Kaspa daemon": "Managed by the Rusty Kaspa daemon", + "Market": "Market", + "Market Cap": "Market Cap", + "Market Monitor": "Market Monitor", + "Mass Processed": "Mass Processed", + "Medium Narrow": "Medium Narrow", + "Medium Wide": "Medium Wide", + "Memory": "Geheugen", + "Mempool": "Mempool", + "Mempool Size": "Mempool Size", + "Metrics": "Metrics", + "Metrics are not currently available": "Statistieken zijn momenteel niet beschikbaar", + "NPM Modules for NodeJS": "NPM Modules for NodeJS", + "Network": "Netwerk", + "Network Difficulty": "Network Difficulty", + "Network Fees:": "Network Fees:", + "Network Interface": "Network Interface", + "Network Peers": "Netwerk Peers", + "No peers": "Geen peers", + "No public node selected - please select a public node": "Geen public node geselecteerd - selecteer alsjeblieft een public node", + "No transactions": "No transactions", + "No wallets found, please create a new wallet": "No wallets found, please create a new wallet", + "Node": "Node", + "Node Status": "Node Status", + "Noise": "Noise", + "None": "None", + "Not Connected": "Not Connected", + "Not connected": "Niet verbonden", + "Notifications": "Notifications", + "Open Data Folder": "Open Gegevensmap", + "Opening wallet:": "Opening wallet:", + "Optional": "Optioneel", + "Other operations": "Other operations", + "Outbound": "Outbound", + "Overview": "Overzicht", + "Parents": "Parents", + "Past Median Time": "Past Median Time", + "Payment & Recovery Password": "Betaling & Herstel Wachtwoord", + "Payment Request": "Betalingsverzoek", + "Peers": "peers", + "Performance": "Performance", + "Phishing Hint": "Phishing Hint", + "Ping:": "Ping:", + "Please Confirm Deletion": "Please Confirm Deletion", + "Please configure your Kaspa NG settings": "Gelieve je Kaspa NG instellingen te configureren", + "Please connect to Kaspa p2p node": "Maak alsjeblieft verbinding met de Kaspa p2p-node.", + "Please create a stronger password": "Maak alsjeblieft een sterker wachtwoord", + "Please enter": "Please enter", + "Please enter KAS amount to send": "Voer alsjeblieft een hoeveelheid KAS in om te verzenden.", + "Please enter an amount": "Vul alsjeblieft een hoeveelheid in.", + "Please enter the account name": "Voer alsjeblieft de naam van het account in.", + "Please enter the wallet secret": "Please enter the wallet secret", + "Please note that this is an alpha release. Until this message is removed, please avoid using the wallet with mainnet funds.": "Please note that this is an alpha release. Until this message is removed, please avoid using the wallet with mainnet funds.", + "Please note, copying to clipboard carries a risk of exposing your mnemonic to malware.": "Let op, het kopiëren naar het klembord brengt het risico met zich mee dat uw mnemonische zin wordt blootgesteld aan malware.", + "Please select an account type": "Please select an account type", + "Please select the private key to export": "Please select the private key to export", + "Please set node to 'Disabled' to delete the data folder": "Gelieve de node in te stellen op 'Uitgeschakeld' om de gegevensmap te verwijderen.", + "Please specify the name of the default account. The wallet will be created with a default account. Once created, you will be able to create additional accounts as you need.": "Please specify the name of the default account. The wallet will be created with a default account. Once created, you will be able to create additional accounts as you need.", + "Please specify the name of the new wallet": "Gelieve de naam van de nieuwe wallet op te geven.", + "Please specify the private key type for the new wallet": "Please specify the private key type for the new wallet", + "Please wait for the node to sync or connect to a remote node.": "Please wait for the node to sync or connect to a remote node.", + "Please wait for the node to sync...": "Please wait for the node to sync...", + "Please wait...": "Please wait...", + "Presets": "Presets", + "Price": "Price", + "Private Key Mnemonic": "Private Key Mnemonic", + "Processed Bodies": "Processed Bodies", + "Processed Dependencies": "Processed Dependencies", + "Processed Headers": "Processed Headers", + "Processed Mass Counts": "Verwerkte Mass Counts", + "Processed Transactions": "Verwerkte transacties", + "Protocol:": "Protocol:", + "Public Node": "Public Node", + "Public Nodes": "Public Nodes", + "Public Server": "Public Server", + "Public p2p Nodes for": "Public p2p Nodes for", + "Random Public Node": "Willekeurige Public Node", + "Range:": "Range:", + "Receive Address": "Receive Address", + "Recommended arguments for the remote node: ": "Recommended arguments for the remote node: ", + "Remote": "Remote", + "Remote Connection:": "Externe verbinding:", + "Remote p2p Node Configuration": "Remote p2p Node Configuration", + "Removes security restrictions, allows for single-letter passwords": "Removes security restrictions, allows for single-letter passwords", + "Reset Settings": "Reset Settings", + "Reset VSPC": "Reset VSPC", + "Resident Memory": "Resident Geheugen", + "Resources": "Resources", + "Resulting daemon arguments:": "Resulterende daemon arguments:", + "Rust Wallet SDK": "Rust Wallet SDK", + "Rusty Kaspa on GitHub": "Rusty Kaspa on GitHub", + "Secret is too weak": "'Secret' is te zwak", + "Secret score:": "Secret score:", + "Select Account": "Selecteer Account", + "Select Available Server": "Select Available Server", + "Select Private Key Type": "Selecteer Private Key type", + "Select Public Node": "Select Public Node", + "Select Wallet": "Select Wallet", + "Select a wallet to unlock": "Selecteer een wallet om te ontgrendelen", + "Send": "Send", + "Services": "Services", + "Settings": "Instellingen", + "Show DAA": "Show DAA", + "Show Grid": "Show Grid", + "Show VSPC": "Show VSPC", + "Show balances in alternate currencies for testnet coins": "Show balances in alternate currencies for testnet coins", + "Show password": "Show password", + "Shows balances in alternate currencies (BTC, USD) when using testnet coins as if you are on mainnet": "Shows balances in alternate currencies (BTC, USD) when using testnet coins as if you are on mainnet", + "Skip": "Overslaan", + "Small (10 BPS)": "Klein (10 BPS)", + "Spread": "Spread", + "Stage": "Fase", + "Starting...": "Starting...", + "Statistics": "Statistics", + "Stor Read": "Stor Read", + "Stor Write": "Stor Write", + "Storage": "Storage", + "Storage Read": "Storage Read", + "Storage Read/s": "Storage Read/s", + "Storage Write": "Storage Write", + "Storage Write/s": "Storage Write/s", + "Submitted Blocks": "Submitted Blocks", + "Supporting Kaspa NG development": "Supporting Kaspa NG development", + "Syncing Cryptographic Proof...": "Syncing Cryptographic Proof...", + "Syncing DAG Blocks...": "Syncing DAG Blocks...", + "Syncing Headers...": "Headers syncen", + "Syncing UTXO entries...": "Syncen van UTXO entries...", + "Syncing...": "Syncing...", + "System": "Systeem", + "TPS": "TPS", + "Testnet 10": "Testnet 10", + "Testnet 10 (1 BPS)": "Testnet 10 (1 BPS)", + "Testnet 11": "Testnet 11", + "Testnet 11 (10 BPS)": "Testnet 11 (10 BPS)", + "Testnet 11 is not yet enabled for public testing. You can, however, configure the node to connect to the private developer testnet in the Settings panel.": "Testnet 11 is not yet enabled for public testing. You can, however, configure the node to connect to the private developer testnet in the Settings panel.", + "The Kaspa NG software represents an ongoing effort focused on building a state-of-the-art software platform dedicated to the Kaspa BlockDAG cryptocurrency network. Ideological at its core, this software prioritizes security, privacy, performance, and decentralization.": "The Kaspa NG software represents an ongoing effort focused on building a state-of-the-art software platform dedicated to the Kaspa BlockDAG cryptocurrency network. Ideological at its core, this software prioritizes security, privacy, performance, and decentralization.", + "The balance may be out of date during node sync": "Het saldo kan verouderd zijn tijdens het synchroniseren van de node", + "The following will guide you through the process of creating or importing a wallet.": "The following will guide you through the process of creating or importing a wallet.", + "The node is currently syncing with the Kaspa p2p network.": "The node is currently syncing with the Kaspa p2p network.", + "The node is currently syncing with the Kaspa p2p network. Account balances may be out of date.": "De node synchroniseert momenteel met het Kaspa p2p-netwerk. Accountbalansen kunnen verouderd zijn.", + "The node is spawned as a child daemon process (recommended).": "De node is gespawned als een child daemon proces (aangeraden).", + "The node runs as a part of the Kaspa-NG application process. This reduces communication overhead (experimental).": "The node runs as a part of the Kaspa-NG application process. This reduces communication overhead (experimental).", + "Theme Color": "Thema kleur", + "Theme Color:": "Theme Color:", + "Theme Style": "Theme Style", + "Theme Style:": "Theme Style:", + "This wallet will never ask you for this mnemonic phrase unless you manually initiate a private key recovery.": "This wallet will never ask you for this mnemonic phrase unless you manually initiate a private key recovery.", + "Threshold": "Threshold", + "Time Offset:": "Time Offset:", + "Tip Hashes": "Tip Hashes", + "Tools ⏷": "Tools ⏷", + "Total Rx": "Total Rx", + "Total Rx/s": "Total Rx/s", + "Total Tx": "Totale Tx", + "Total Tx/s": "Total Tx/s", + "Track in the background": "Tracken op de achtergrond", + "Transactions": "Transacties", + "Transactions:": "Transacties:", + "Type": "Type", + "UTXO Manager": "UTXO Manager", + "UTXOs": "UTXOs", + "UTXOs:": "UTXOs:", + "Unable to change node settings until the problem is resolved": "Unable to change node settings until the problem is resolved", + "Unlock": "Unlock", + "Unlock Wallet": "Wallet ontgrendelen", + "Unlocking": "Unlocken", + "Update Available to version": "Update Available to version", + "Updating...": "Bijwerken...", + "Uptime:": "Uptime:", + "Use 50%-75% of available system memory": "Gebruik 50%-75% van het beschikbare systeemgeheugen", + "Use all available system memory": "Use all available system memory", + "User Agent": "User Agent", + "User Interface": "Gebruikersinterface", + "Very dangerous (may be cracked within few seconds)": "Zeer gevaarlijk (kan binnen enkele seconden worden gekraakt)", + "Virt Parents": "Virt Parents", + "Virtual DAA Score": "Virtual DAA Score", + "Virtual Memory": "Virtual Memory", + "Virtual Parent Hashes": "Virtual Parent Hashes", + "Volume": "Volume", + "WASM SDK for JavaScript and TypeScript": "WASM SDK for JavaScript and TypeScript", + "Wallet": "Wallet", + "Wallet Created": "Wallet Created", + "Wallet Encryption Password": "Wallet Versleutelingswachtwoord ", + "Wallet Name": "Wallet Name", + "Wallet Secret": "Wallet Secret", + "Wallet password is used to encrypt your wallet data.": "Wallet password is used to encrypt your wallet data.", + "Wallet:": "Wallet:", + "We greatly appreciate your help in backing our efforts.": "We greatly appreciate your help in backing our efforts.", + "Welcome to Kaspa NG": "Welkom bij Kaspa NG", + "Xpub Keys": "Xpub Keys", + "You are currently not connected to the Kaspa node.": "Je bent momenteel niet verbonden met de Kaspa-node.", + "You can configure remote connection in Settings": "Je kunt de externe verbinding configureren in Instellingen", + "You can create multiple wallets, but only one wallet can be open at a time.": "You can create multiple wallets, but only one wallet can be open at a time.", + "You must be connected to a node...": "You must be connected to a node...", + "Your default wallet private key mnemonic is:": "Your default wallet private key mnemonic is:", + "Your mnemonic phrase allows your to re-create your private key. The person who has access to this mnemonic will have full control of the Kaspa stored in it. Keep your mnemonic safe. Write it down and store it in a safe, preferably in a fire-resistant location. Do not store your mnemonic on this computer or a mobile device. This wallet will never ask you for this mnemonic phrase unless you manually initiate a private key recovery.": "Your mnemonic phrase allows your to re-create your private key. The person who has access to this mnemonic will have full control of the Kaspa stored in it. Keep your mnemonic safe. Write it down and store it in a safe, preferably in a fire-resistant location. Do not store your mnemonic on this computer or a mobile device. This wallet will never ask you for this mnemonic phrase unless you manually initiate a private key recovery.", + "Your private key mnemonic is:": "Your private key mnemonic is:", + "Your wallet has been created and is ready to use.": "Je wallet is aangemaakt en klaar voor gebruik.", + "Zoom": "Zoom", + "amount to send": "amount to send", + "bye!": "tot ziens!", + "gRPC Network Interface & Port": "gRPC Netwerkinterface & Poort", + "gRPC Rx": "gRPC Rx", + "gRPC Rx/s": "gRPC Rx/s", + "gRPC Tx": "gRPC Tx", + "gRPC Tx/s": "gRPC Tx/s", + "of": "of", + "p2p RPC": "p2p RPC", + "p2p Rx": "p2p Rx", + "p2p Rx/s": "p2p Rx/s", + "p2p Tx": "p2p Tx", + "p2p Tx/s": "p2p Tx/s", + "peer": "peer", + "peers": "peers", + "wRPC Borsh Rx": "wRPC Borsh Rx/s", + "wRPC Borsh Rx/s": "wRPC Borsh Rx/s", + "wRPC Borsh Tx": "wRPC Borsh Rx/s", + "wRPC Borsh Tx/s": "wRPC Borsh Tx/s", + "wRPC Connection Settings": "wRPC Verbindingsinstellingen", + "wRPC Encoding:": "wRPC-codering", + "wRPC JSON Rx": "wRPC JSON Rx", + "wRPC JSON Rx/s": "wRPC JSON Rx/s", + "wRPC JSON Tx": "wRPC JSON Tx", + "wRPC JSON Tx/s": "wRPC JSON Tx/s", + "wRPC URL:": "wRPC URL:" + }, "no": {}, "pa": {}, - "pl": {}, + "pl": { + "1 BPS test network": "sieć testowa 1 BPS", + "10 BPS test network": "sieć testowa 10 BPS", + "12 word mnemonic": "Mnemonik składający się z 12 słów", + "24 word mnemonic": "Mnemonik składający się z 24 słów", + "24h Change": "Zmiana 24h", + "A binary at another location is spawned a child process (experimental, for development purposes only).": "Plik binarny w innej lokalizacji jest generowany jako proces potomny (eksperymentalny, wyłącznie do celów programistycznych).", + "A random node will be selected on startup": "Podczas uruchamiania zostanie wybrany losowy węzeł", + "A wallet is stored in a file on your computer.": "Portfel przechowywany w pliku na Twoim komputerze.", + "Account Index": "Indeks konta", + "Account Name": "Nazwa konta", + "Account:": "Konto:", + "Activate custom daemon arguments": "Aktywuj niestandardowe argumenty demona", + "Active p2p Peers": "Aktywni partnerzy p2p", + "Address derivation scan": "Skanowanie wyprowadzania adresu", + "Address:": "Adres:", + "Advanced": "Zaawansowane", + "All": "Wszystko", + "Allow custom arguments for the Rusty Kaspa daemon": "Zezwalaj na niestandardowe argumenty dla demona Rusty Kaspa", + "Allows you to take screenshots from within the application": "Umożliwia wykonywanie zrzutów ekranu z poziomu aplikacji", + "Apply": "Zastosuj", + "Balance: N/A": "Saldo: nie dostępne", + "Bandwidth": "Przepustowość łącza", + "Because of its focus on security and performance, this software is entirely developed in Rust, demanding significantly more time and effort compared to other traditional modern web-driven software.": "Ze względu na skupienie się na bezpieczeństwie i wydajności, oprogramowanie to zostało w całości opracowane w języku Rust, co wymaga znacznie więcej czasu i wysiłku w porównaniu do innych tradycyjnych, nowoczesnych programów internetowych.", + "Bezier Curves": "Krzywe Beziera", + "Block DAG": "Zablokuj DAG", + "Block Scale": "Skala blokowa", + "Blocks": "Bloki", + "Bodies": "Ciała", + "Borsh Active Connections": "Aktywne połączenia Borsh", + "Borsh Connection Attempts": "Próby połączenia Borsha", + "Borsh Handshake Failures": "Błędy Handshake Borsha", + "Build": "Wersja", + "CONNECTED": "POŁĄCZONY", + "CPU": "CPU", + "Cache Memory Size": "Rozmiar pamięci podręcznej", + "Cache Memory Size:": "Rozmiar pamięci podręcznej:", + "Cancel": "Anuluj", + "Cannot delete data folder while the node is running": "Nie można usunąć folderu danych, gdy węzeł jest uruchomiony", + "Capture a screenshot": "Zrób zrzut ekranu", + "Center VSPC": "Centrum VSPC", + "Chain Blocks": "Bloki łańcuchowe", + "Change Address": "Zmiana adresu", + "Check for Software Updates on GitHub": "Sprawdź dostępność aktualizacji oprogramowania w GitHub", + "Check for Updates": "Sprawdź aktualizacje", + "Clear": "Wyczyść", + "Click to try another server...": "Kliknij by wybrać inny serwer...", + "Client RPC": "Klient RPC", + "Close": "Zamknij", + "Confirm wallet password": "Potwierdź hasło do portfela", + "Connect to a local node (localhost)": "Połącz się z węzłem lokalnym (localhost)", + "Connecting to": "Łączenie z", + "Connection": "Połączono", + "Connections": "Połączenia", + "Connects to a Remote Rusty Kaspa Node via wRPC.": "Łączy się ze zdalnym węzłem Rusty Kaspa za pośrednictwem wRPC.", + "Conservative": "Konserwatywny", + "Continue": "Kontynuuj", + "Contributions directed toward this project directly fuel the Kaspa NG software and its ecosystem.": "Wkład w ten projekt bezpośrednio napędza oprogramowanie Kaspa NG i jego ekosystem.", + "Copied to clipboard": "Skopiowane do schowka", + "Copy": "Kopiuj", + "Copy logs to clipboard": "Skopiuj logi do schowka", + "Create New Account": "Stwórz nowe konto", + "Create New Wallet": "Utwórz nowy portfel", + "Create new wallet": "Utwórz nowy portfel", + "Creating Account": "Tworzenie konta", + "Creating Wallet": "Tworzenie portfela", + "Custom": "Niestandardowe", + "Custom Public Node": "Niestandardowy węzeł publiczny", + "Custom arguments:": "Argumenty niestandardowe:", + "DAA": "DAA", + "DAA Offset": "Przesunięcie DAA", + "DAA Range": "Zakres DAA", + "DB Blocks": "Bloki DB", + "DB Headers": "Nagłówki DB", + "Database Blocks": "Bloki baz danych", + "Database Headers": "Nagłówki bazy danych", + "Decrypting wallet, please wait...": "Odszyfrowywanie portfela, proszę czekać...", + "Default": "Domyślny", + "Default Account Name": "Domyślna nazwa konta", + "Delete Data Folder": "Usuń folder danych", + "Dependencies": "Zależności", + "Derivation Indexes": "Indeksy pochodne", + "Details": "Szczegóły", + "Developer Mode": "Tryb dewelopera", + "Developer Resources": "Zasoby dla programistów", + "Developer mode enables advanced and experimental features": "Tryb programisty umożliwia korzystanie z zaawansowanych i eksperymentalnych funkcji", + "Difficulty": "Trudność", + "Dimensions": "Wymiary", + "Disable password score restrictions": "Wyłącz ograniczenia punktacji hasła", + "Disabled": "Wyłączony", + "Disables node connectivity (Offline Mode).": "Wyłącza łączność węzła (tryb offline).", + "Discord": "Discord", + "Donations": "Darowizny", + "Double click on the graph to re-center...": "Kliknij dwukrotnie wykres, aby ponownie wyśrodkować...", + "ECDSA": "ECDSA", + "Enable Market Monitor": "Włącz Monitor rynku", + "Enable UPnP": "Włącz UPnP", + "Enable custom daemon arguments": "Włącz niestandardowe argumenty demona", + "Enable experimental features": "Włącz funkcje eksperymentalne", + "Enable gRPC": "Włącz gRPC", + "Enable optional BIP39 passphrase": "Włącz opcjonalne hasło BIP39", + "Enable screen capture": "Włącz przechwytywanie ekranu", + "Enables features currently in development": "Włącza funkcje testowe - aktualnie opracowywane", + "Enter": "Enter", + "Enter account name (optional)": "Wpisz nazwę konta (opcjonalnie)", + "Enter first account name": "Wpisz pierwszą nazwę konta", + "Enter phishing hint": "Wpisz wskazówkę dotyczącą phishingu", + "Enter the amount": "Wprowadź kwotę", + "Enter the password for your wallet": "Wpisz hasło do swojego portfela", + "Enter the password to unlock your wallet": "Wprowadź hasło, aby odblokować swój portfel", + "Enter wallet name": "Wpisz nazwę portfela", + "Enter wallet password": "Wprowadź hasło do portfela", + "Enter your wallet secret": "Wprowadź sekret swojego portfela", + "Explorer": "Eksplorator", + "Export Wallet Data": "Eksportuj dane portfela", + "Faucet": "Kran", + "File Handles": "Uchwyty plików", + "Filename:": "Nazwa pliku:", + "Final Amount:": "Końcowa kwota:", + "GitHub Release": "Wydanie GitHuba", + "Go to Settings": "Przejdź do ustawień", + "Handles": "Uchwyty", + "Headers": "Nagłówki", + "IBD:": "IBD:", + "If not specified, the account will be represented by the numeric id.": "Jeśli nie zostanie określony, konto będzie reprezentowane przez identyfikator numeryczny.", + "If you are running locally, use: ": "Jeśli używasz lokalnie, użyj: ", + "Import existing": "Importuj istniejące", + "Inbound": "Przychodzące", + "Include QoS Priority Fees": "Uwzględnij opłaty za priorytet QoS", + "Integrated Daemon": "Zintegrowany demon", + "Invalid daemon arguments": "Nieprawidłowe argumenty demona", + "Invalid network type - expected: testnet-10 connected to: testnet-11": "Nieprawidłowy typ sieci - oczekiwano: testnet-10 podłączony do: testnet-11", + "Invalid wRPC URL": "Nieprawidłowy adres URL wRPC", + "Json Active Connections": "Aktywne połączenia Jsona", + "Json Connection Attempts": "Próby połączenia Json", + "Json Handshake Failures": "Błędy Handshake Json", + "Kaspa Discord": "Discord Kaspy", + "Kaspa Integration Guide": "Przewodnik integracji Kaspy", + "Kaspa NG": "Kaspa NG", + "Kaspa NG Online": "Kaspa NG Online", + "Kaspa NG Web App": "Aplikacja internetowa Kaspa NG", + "Kaspa NG on GitHub": "Kaspa NG na GitHubie", + "Kaspa NG online": "Kaspa NG online", + "Kaspa Network": "Sieć Kaspa", + "Kaspa Node": "Węzeł Kaspa", + "Kaspa p2p Network & Node Connection": "Sieć p2p Kaspa oraz połączenie z węzłem", + "Kaspa p2p Node": "Węzeł Kaspa p2p", + "Kaspa p2p Node & Connection": "Węzeł Kaspa p2p", + "Key Perf.": "Kluczowa wydajność", + "Language:": "Język:", + "Large (1 BPS)": "Duży (1 BPS)", + "Levels": "Poziomy", + "License Information": "Informacje o licencji", + "Local": "Lokalny", + "Local p2p Node Configuration": "Konfiguracja lokalnego węzła p2p", + "Logs": "Dzienniki", + "MT": "MT", + "Main Kaspa network": "Główna sieć Kaspa", + "Mainnet": "Sieć główna", + "Mainnet (Main Kaspa network)": "Mainnet (główna sieć Kaspa)", + "Managed by the Rusty Kaspa daemon": "Zarządzany przez demona Rusty Kaspa", + "Market": "Rynek", + "Market Cap": "Kapitalizacja rynkowa", + "Market Monitor": "Monitor rynku", + "Mass Processed": "Przetworzone masowo", + "Medium Narrow": "Średnio wąski", + "Medium Wide": "Średnio szeroki", + "Memory": "Pamięć", + "Mempool": "Pamięć", + "Mempool Size": "Rozmiar pamięci", + "Metrics": "Metryka", + "Metrics are not currently available": "Dane nie są obecnie dostępne", + "NPM Modules for NodeJS": "Moduły NPM dla NodeJS", + "Network": "Sieć", + "Network Difficulty": "Trudność sieci", + "Network Fees:": "Opłaty sieciowe:", + "Network Interface": "Interfejs sieciowy", + "Network Peers": "Peers Sieci", + "No peers": "Brak Peers", + "No public node selected - please select a public node": "Nie wybrano węzła publicznego — wybierz węzeł publiczny", + "No transactions": "Brak transakcji", + "No wallets found, please create a new wallet": "Nie znaleziono portfeli, proszę utworzyć nowy.", + "Node": "Węzeł", + "Node Status": "Stan węzła", + "Noise": "Hałas", + "None": "Brak", + "Not Connected": "Nie połączony", + "Not connected": "Nie połączony", + "Notifications": "Powiadomienia", + "Open Data Folder": "Otwórz folder danych", + "Opening wallet:": "Otwieranie portfela:", + "Optional": "Opcjonalny", + "Other operations": "Inne operacje", + "Outbound": "Wychodzące", + "Overview": "Przegląd", + "Parents": "Rodzice", + "Past Median Time": "Przeszły średni czas", + "Payment & Recovery Password": "Zapłata", + "Payment Request": "Żądanie zapłaty", + "Peers": "Peers", + "Performance": "Wydajność", + "Phishing Hint": "Wskazówka dotycząca phishingu", + "Ping:": "Ping:", + "Please Confirm Deletion": "Proszę potwierdzić usunięcie", + "Please configure your Kaspa NG settings": "Proszę skonfigurować ustawienia Kaspa NG", + "Please connect to Kaspa p2p node": "Proszę połączyć się z węzłem p2p Kaspa", + "Please create a stronger password": "Utwórz silniejsze hasło", + "Please enter": "Podaj", + "Please enter KAS amount to send": "Proszę wpisać kwotę KAS do wysłania", + "Please enter an amount": "Proszę wpisać kwotę", + "Please enter the account name": "Proszę wpisać nazwę konta", + "Please enter the wallet secret": "Proszę podać sekret portfela", + "Please note that this is an alpha release. Until this message is removed, please avoid using the wallet with mainnet funds.": "Należy pamiętać, że jest to wersja alfa. Do momentu usunięcia tej wiadomości nie łącz portfela z Mainnet.", + "Please note, copying to clipboard carries a risk of exposing your mnemonic to malware.": "Pamiętaj, że kopiowanie do schowka niesie ze sobą ryzyko narażenia Twojego mnemonika na złośliwe oprogramowanie.", + "Please select an account type": "Proszę wybrać typ konta", + "Please select the private key to export": "Wybierz klucz prywatny do wyeksportowania", + "Please set node to 'Disabled' to delete the data folder": "Aby usunąć folder danych, ustaw węzeł na 'Wyłączony'.", + "Please specify the name of the default account. The wallet will be created with a default account. Once created, you will be able to create additional accounts as you need.": "Proszę podać nazwę konta domyślnego. ", + "Please specify the name of the new wallet": "Podaj nazwę nowego portfela", + "Please specify the private key type for the new wallet": "Proszę określić typ klucza prywatnego dla nowego portfela", + "Please wait for the node to sync or connect to a remote node.": "Poczekaj, aż węzeł się zsynchronizuje lub połączy się z węzłem zdalnym.", + "Please wait for the node to sync...": "Poczekaj, aż węzeł się zsynchronizuje...", + "Please wait...": "Proszę czekać...", + "Presets": "Ustawienia wstępne", + "Price": "Cena", + "Private Key Mnemonic": "Mnemonik klucza prywatnego", + "Processed Bodies": "Przetworzone ciała", + "Processed Dependencies": "Przetworzone zależności", + "Processed Headers": "Przetworzone nagłówki", + "Processed Mass Counts": "Liczniki przetworzonej masy", + "Processed Transactions": "Przetworzone transakcje", + "Protocol:": "Protokół:", + "Public Node": "Węzeł publiczny", + "Public Nodes": "Węzły publiczne", + "Public Server": "Serwer publiczny", + "Public p2p Nodes for": "Publiczne węzły p2p dla", + "Random Public Node": "Losowy węzeł publiczny", + "Range:": "Zakres:", + "Receive Address": "Adres do odbioru", + "Recommended arguments for the remote node: ": "Zalecane argumenty dla zdalnego węzła: ", + "Remote": "Zdalny", + "Remote Connection:": "Zdalne połączenie:", + "Remote p2p Node Configuration": "Zdalna konfiguracja węzła p2p", + "Removes security restrictions, allows for single-letter passwords": "Usuwa ograniczenia bezpieczeństwa, umożliwia stosowanie haseł jednoliterowych", + "Reset Settings": "Resetowanie ustawień", + "Reset VSPC": "Zresetuj VSPC", + "Resident Memory": "Pamięć rezydenta", + "Resources": "Zasoby", + "Resulting daemon arguments:": "Wynikowe argumenty demona:", + "Rust Wallet SDK": "Pakiet SDK portfela Rust", + "Rusty Kaspa on GitHub": "Rusty Kaspa na GitHubie", + "Secret is too weak": "Sekret jest za słaby", + "Secret score:": "Sekretny wynik:", + "Select Account": "Wybierz Konto", + "Select Available Server": "Wybierz Dostępny serwer", + "Select Private Key Type": "Wybierz Typ klucza prywatnego", + "Select Public Node": "Wybierz węzeł publiczny", + "Select Wallet": "Wybierz Portfel", + "Select a wallet to unlock": "Wybierz portfel do odblokowania", + "Send": "Wyślij", + "Services": "Usługi", + "Settings": "Ustawienia", + "Show DAA": "Pokaż DAA", + "Show Grid": "Pokaż siatkę", + "Show VSPC": "Pokaż VSPC", + "Show balances in alternate currencies for testnet coins": "Pokaż salda w alternatywnych walutach dla monet testnetowych", + "Show password": "Pokaż hasło", + "Shows balances in alternate currencies (BTC, USD) when using testnet coins as if you are on mainnet": "Pokazuje salda w alternatywnych walutach (BTC, USD) podczas korzystania z monet testnetowych, tak jakbyś był w sieci głównej", + "Skip": "Pomiń", + "Small (10 BPS)": "Mały (10 BPS)", + "Spread": "Rozpowszechnienie", + "Stage": "Scena", + "Starting...": "Startowy...", + "Statistics": "Statystyka", + "Stor Read": "Odczyty dysku", + "Stor Write": "Zapisy dysku", + "Storage": "Dysk", + "Storage Read": "Odczyty pamięci", + "Storage Read/s": "Pamięć Odczyt/s", + "Storage Write": "Zapis do pamięci", + "Storage Write/s": "Pamięć Zapis/s", + "Submitted Blocks": "Przesłane bloki", + "Supporting Kaspa NG development": "Wspieranie rozwoju Kaspa NG", + "Syncing Cryptographic Proof...": "Synchronizowanie dowodu kryptograficznego...", + "Syncing DAG Blocks...": "Synchronizowanie bloków DAG...", + "Syncing Headers...": "Synchronizowanie nagłówków...", + "Syncing UTXO entries...": "Synchronizowanie wpisów UTXO...", + "Syncing...": "Synchronizowanie...", + "System": "System", + "TPS": "TPS", + "Testnet 10": "Sieć testowa 10", + "Testnet 10 (1 BPS)": "Sieć testowa 10 (1 BPS)", + "Testnet 11": "Sieć testowa 11", + "Testnet 11 (10 BPS)": "Sieć testowa 11 (10 BPS)", + "Testnet 11 is not yet enabled for public testing. You can, however, configure the node to connect to the private developer testnet in the Settings panel.": "Testnet 11 nie jest jeszcze udostępniony do testów publicznych. Możesz jednak skonfigurować węzeł tak, aby łączył się z prywatną siecią testową w panelu Ustawienia.", + "The Kaspa NG software represents an ongoing effort focused on building a state-of-the-art software platform dedicated to the Kaspa BlockDAG cryptocurrency network. Ideological at its core, this software prioritizes security, privacy, performance, and decentralization.": "Oprogramowanie Kaspa NG reprezentuje ciągły wysiłek skupiony na budowaniu najnowocześniejszej platformy oprogramowania dedykowanej sieci kryptowalut Kaspa BlockDAG. Oprogramowanie to skupia się na bezpieczeństwie, prywatności, wydajności i decentralizacji.", + "The balance may be out of date during node sync": "Saldo może być nieaktualne podczas synchronizacji węzła", + "The following will guide you through the process of creating or importing a wallet.": "Ta instrukcja przeprowadzi Cię przez proces tworzenia lub importowania portfela.", + "The node is currently syncing with the Kaspa p2p network.": "Węzeł aktualnie synchronizuje się z siecią p2p Kaspa.", + "The node is currently syncing with the Kaspa p2p network. Account balances may be out of date.": "Węzeł aktualnie synchronizuje się z siecią p2p Kaspa. ", + "The node is spawned as a child daemon process (recommended).": "Węzeł jest uruchamiany jako proces demona podrzędnego (zalecane).", + "The node runs as a part of the Kaspa-NG application process. This reduces communication overhead (experimental).": "Węzeł działa w ramach procesu aplikacyjnego Kaspa-NG. Zmniejsza to obciążenie komunikacyjne (eksperymentalne).", + "Theme Color": "Kolor motywu", + "Theme Color:": "Kolor motywu:", + "Theme Style": "Styl motywu", + "Theme Style:": "Styl motywu:", + "This wallet will never ask you for this mnemonic phrase unless you manually initiate a private key recovery.": "Ten portfel nigdy nie poprosi Cię o podanie tego mnemonicznego wyrażenia, chyba że ręcznie zainicjujesz odzyskiwanie klucza prywatnego.", + "Threshold": "Próg", + "Time Offset:": "Przesunięcie czasu:", + "Tip Hashes": "Wskazówki Hashe", + "Tools ⏷": "Narzędzia ⏷", + "Total Rx": "Całkowity odbiór", + "Total Rx/s": "Całkowity Rx/s", + "Total Tx": "Całkowity przesył", + "Total Tx/s": "Całkowity Tx/s", + "Track in the background": "Śledź w tle", + "Transactions": "Transakcje", + "Transactions:": "Transakcje:", + "Type": "Typ", + "UTXO Manager": "Menedżer UTXO", + "UTXOs": "UTXO", + "UTXOs:": "UTXO:", + "Unable to change node settings until the problem is resolved": "Nie można zmienić ustawień węzła, dopóki problem nie zostanie rozwiązany", + "Unlock": "Odblokuj", + "Unlock Wallet": "Odblokuj portfel", + "Unlocking": "Odblokowanie", + "Update Available to version": "Aktualizacja Dostępna dla wersji", + "Updating...": "Aktualizowanie...", + "Uptime:": "Czas pracy:", + "Use 50%-75% of available system memory": "Użyj 50%-75% dostępnej pamięci systemowej", + "Use all available system memory": "Wykorzystaj całą dostępną pamięć systemową", + "User Agent": "Agent użytkownika", + "User Interface": "Interfejs użytkownika", + "Very dangerous (may be cracked within few seconds)": "Bardzo niebezpieczne (może zostać złamane w ciągu kilku sekund)", + "Virt Parents": "Virt Rodzice", + "Virtual DAA Score": "Wirtualny wynik DAA", + "Virtual Memory": "Pamięć wirtualna", + "Virtual Parent Hashes": "Wirtualne skróty nadrzędne", + "Volume": "Tom", + "WASM SDK for JavaScript and TypeScript": "WASM SDK dla JavaScript i TypeScript", + "Wallet": "Portfel", + "Wallet Created": "Portfel utworzono", + "Wallet Encryption Password": "Hasło szyfrowania portfela", + "Wallet Name": "Nazwa portfela", + "Wallet Secret": "Sekret portfela", + "Wallet password is used to encrypt your wallet data.": "Hasło do portfela służy do szyfrowania danych portfela.", + "Wallet:": "Portfel:", + "We greatly appreciate your help in backing our efforts.": "Jesteśmy bardzo wdzięczni za pomoc we wsparciu naszych wysiłków.", + "Welcome to Kaspa NG": "Witamy w Kaspa NG", + "Xpub Keys": "Klucze Xpuba", + "You are currently not connected to the Kaspa node.": "Obecnie nie masz połączenia z węzłem Kaspa.", + "You can configure remote connection in Settings": "Połączenie zdalne możesz skonfigurować w Ustawieniach", + "You can create multiple wallets, but only one wallet can be open at a time.": "Możesz utworzyć wiele portfeli, ale jednocześnie może być otwarty tylko jeden.", + "You must be connected to a node...": "Musisz być podłączony do węzła...", + "Your default wallet private key mnemonic is:": "Twój domyślny mnemonik klucza prywatnego portfela to:", + "Your mnemonic phrase allows your to re-create your private key. The person who has access to this mnemonic will have full control of the Kaspa stored in it. Keep your mnemonic safe. Write it down and store it in a safe, preferably in a fire-resistant location. Do not store your mnemonic on this computer or a mobile device. This wallet will never ask you for this mnemonic phrase unless you manually initiate a private key recovery.": "Twoja fraza mnemoniczna umożliwia odtworzenie klucza prywatnego. Osoba mająca dostęp do tego mnemonika będzie miała pełną kontrolę nad przechowywaną w nim Kaspą. Chroń swój mnemonik. Zapisz go i przechowuj w sejfie, najlepiej w miejscu ognioodpornym. Nie przechowuj swojego mnemonika na tym komputerze lub urządzeniu mobilnym. Ten portfel nigdy nie poprosi Cię o podanie tego mnemonicznego wyrażenia, chyba że ręcznie zainicjujesz odzyskiwanie klucza prywatnego.", + "Your private key mnemonic is:": "Twój mnemonik klucza prywatnego to:", + "Your wallet has been created and is ready to use.": "Twój portfel został utworzony i jest gotowy do użycia.", + "Zoom": "Powiększenie", + "amount to send": "kwota do wysłania", + "bye!": "do widzenia!", + "gRPC Network Interface & Port": "Interfejs sieciowy gRPC", + "gRPC Rx": "gRPC Rx", + "gRPC Rx/s": "gRPC Rx/s", + "gRPC Tx": "gRPC Tx", + "gRPC Tx/s": "gRPC Tx/s", + "of": "z", + "p2p RPC": "p2pRPC", + "p2p Rx": "odbiór p2p", + "p2p Rx/s": "p2p Rx/s", + "p2p Tx": "p2p Tx", + "p2p Tx/s": "p2p Transmisja/s", + "peer": "peer", + "peers": "peers", + "wRPC Borsh Rx": "Odbiór wRPC Borsh", + "wRPC Borsh Rx/s": "wRPC Borsh Rx/s", + "wRPC Borsh Tx": "Wysyłka wRPC Borsh", + "wRPC Borsh Tx/s": "wRPC Borsh Tx/s", + "wRPC Connection Settings": "Ustawienia połączenia wRPC", + "wRPC Encoding:": "Kodowanie wRPC:", + "wRPC JSON Rx": "Odbiór wRPC JSON", + "wRPC JSON Rx/s": "wRPC JSON Rx/s", + "wRPC JSON Tx": "Wysyłka wRPC JSON", + "wRPC JSON Tx/s": "wRPC JSON Tx/s", + "wRPC URL:": "Adres URL wRPC:" + }, "pt": {}, "ro": { "1 BPS test network": "1 BPS rețea de test", @@ -893,8 +2827,10 @@ "Build": "Construiește", "CONNECTED": "CONECTAT", "CPU": "Procesor", + "Cache Memory Size": "Mărimea Memoriei Cache", "Cache Memory Size:": "Marimea Memoriei Cache", "Cancel": "Anulează", + "Cannot delete data folder while the node is running": "Folderul de date nu poate fi șters în timp ce node-ul este pornit", "Capture a screenshot": "Capturați o captură de ecran", "Center VSPC": "Center VSPC", "Chain Blocks": "Blocuri din lanț", @@ -902,7 +2838,7 @@ "Check for Software Updates on GitHub": "Verificați actualizările de software pe GitHub", "Check for Updates": "Verifică pentru actualizări", "Clear": "Șterge", - "Click to try an another server...": "Faceți clic pentru a încerca un alt server...", + "Click to try another server...": "Apasă pentru a încerca adăugarea unui alt server...", "Client RPC": "Client RPC", "Close": "Închide", "Confirm wallet password": "Confirmă parola portofelului", @@ -975,6 +2911,7 @@ "File Handles": "File Handles", "Filename:": "Nume fișier:", "Final Amount:": "Suma Finală:", + "GitHub Release": "GitHub Release", "Go to Settings": "Mergi la Setări", "Handles": "Handles", "Headers": "Antete", @@ -985,6 +2922,7 @@ "Inbound": "Intrare", "Include QoS Priority Fees": "Includeți Taxele de Prioritate QoS", "Integrated Daemon": "Daemon integrat", + "Invalid daemon arguments": "Argumente daemon invalide", "Invalid network type - expected: testnet-10 connected to: testnet-11": "Tip de rețea invalid - așteptat: testnet-10 conectat la: testnet-11", "Invalid wRPC URL": "URL wRPC invalid", "Json Active Connections": "Conexiuni Json Active", @@ -998,6 +2936,8 @@ "Kaspa NG on GitHub": "Kaspa NG pe GitHub", "Kaspa NG online": "Kaspa NG online", "Kaspa Network": "Rețea Kaspa", + "Kaspa Node": "Node Kaspa", + "Kaspa p2p Network & Node Connection": "Rețeaua p2p Kaspa & Conexiune Node", "Kaspa p2p Node": "Nod Kaspa p2p", "Kaspa p2p Node & Connection": "Nod și Conexiune Kaspa p2p", "Key Perf.": "Key Perf.", @@ -1007,6 +2947,7 @@ "License Information": "Informații despre licență", "Local": "Local", "Local p2p Node Configuration": "Configurarea Nodului p2p Local", + "Logs": "Loguri", "MT": "MT", "Main Kaspa network": "Rețeaua Kaspa principală", "Mainnet": "Mainnet", @@ -1032,6 +2973,8 @@ "No peers": "Fara parteneri", "No public node selected - please select a public node": "Nu a fost selectat niciun nod public - vă rugăm să selectați un nod public", "No transactions": "Nicio tranzacție", + "No wallets found, please create a new wallet": "Niciun portofel nu a fost gasit, te rog sa creezi un nou portofel", + "Node": "Node", "Node Status": "Nod Status", "Noise": "Gălăgie", "None": "Nici unul", @@ -1043,6 +2986,7 @@ "Optional": "Opțional", "Other operations": "Alte oprațiuni", "Outbound": "Ieșire", + "Overview": "Privire de ansamblu", "Parents": "Parinți", "Past Median Time": "Timpul Median Trecut", "Payment & Recovery Password": "Plată și Parolă de Recuperare", @@ -1060,7 +3004,6 @@ "Please enter an amount": "Vă rugăm să introduceți o sumă", "Please enter the account name": "Vă rugăm să introduceți numele contului", "Please enter the wallet secret": "Te rog să introduci secretul portofelului", - "Please note that this is an alpha release. Until this message is removed, avoid using this software with mainnet funds.": "Vă rugăm să rețineți că aceasta este o versiune alpha. Până când acest mesaj nu va fi eliminat, evitați să utilizați acest software cu fonduri din rețeaua principală.", "Please note that this is an alpha release. Until this message is removed, please avoid using the wallet with mainnet funds.": "Vă rugăm să rețineți că aceasta este o versiune alpha. Până când acest mesaj nu va fi eliminat, vă rugăm să evitați utilizarea portofelului cu fonduri din rețeaua principală (mainnet).", "Please note, copying to clipboard carries a risk of exposing your mnemonic to malware.": "Vă rugăm să rețineți că copierea în clipboard prezintă riscul expunerii mnemonicului dvs. către malware-uri.", "Please select an account type": "Te rog sa alegi un tip de cont", @@ -1139,13 +3082,11 @@ "Syncing...": "Se sincronizează...", "System": "Sistem", "TPS": "TPS", + "Testnet 10": "Testnet 10", + "Testnet 10 (1 BPS)": "Testnet 10 (1 BPS)", "Testnet 11": "Testnet 11", + "Testnet 11 (10 BPS)": "Testnet 11 (10 BPS)", "Testnet 11 is not yet enabled for public testing. You can, however, configure the node to connect to the private developer testnet in the Settings panel.": "Testnet 11 nu este încă activat pentru testarea publică. Cu toate acestea, puteți configura nodul pentru a se conecta la testnetul privat pentru dezvoltatori în panoul de setări.", - "Testnet-10": "Testnet-10", - "Testnet-10 (1 BPS)": "Testnet-10 (1 BPS)", - "Testnet-11": "Testnet-11", - "Testnet-11 (10 BPS)": "Testnet-11 (10 BPS)", - "The Kaspa NG software represents an ongoing effort focused on building a state-of-the-art software platform dedicated to the Kaspa BlockDAG cryptocurrency network. Ideological at its core, this software has a strong focus on security, privacy, performance, and decentralization.": "Software-ul Kaspa NG reprezintă un efort continuu concentrat pe construirea unei platforme software de ultimă generație dedicată rețelei de criptomonede Kaspa BlockDAG. Ideologic în centrul său, acest software se concentrează puternic pe securitate, confidențialitate, performanță și descentralizare.", "The Kaspa NG software represents an ongoing effort focused on building a state-of-the-art software platform dedicated to the Kaspa BlockDAG cryptocurrency network. Ideological at its core, this software prioritizes security, privacy, performance, and decentralization.": "Software-ul Kaspa NG reprezintă un efort continuu concentrat pe construirea unei platforme software de ultimă generație dedicată rețelei de criptomonede Kaspa BlockDAG. Cu o bază ideologică puternică, acest software acordă prioritate securității, confidențialității, performanței și descentralizării.", "The balance may be out of date during node sync": "Soldul poate fi afișat eronat în timpul sincronizării nodului.", "The following will guide you through the process of creating or importing a wallet.": "Următoarele instrucțiuni vă vor ghida prin procesul de creare sau importare a unui portofel.", @@ -1177,6 +3118,7 @@ "Unlock": "Deblocare", "Unlock Wallet": "Deblochează portofel", "Unlocking": "Deblocare", + "Update Available to version": "Actualizează Disponibil la versiune", "Updating...": "Se actualizează...", "Uptime:": "Perioadă de activitate:", "Use 50%-75% of available system memory": "Folosește 50 %-75%din memoria disponibilă a sistemului", @@ -1190,6 +3132,7 @@ "Virtual Parent Hashes": "Virtual Parent Hashes", "Volume": "Volum", "WASM SDK for JavaScript and TypeScript": "WASM SDK pentru JavaScript și TypeScript", + "Wallet": "Portofel", "Wallet Created": "Portofel Creat", "Wallet Encryption Password": "Parolă de Criptare a Portofelului", "Wallet Name": "Nume Portofel", @@ -1235,7 +3178,392 @@ "wRPC JSON Tx/s": "wRPC JSON Tx/s", "wRPC URL:": "wRPC URL: " }, - "ru": {}, + "ru": { + "1 BPS test network": "1 BPS тестовая сеть", + "10 BPS test network": "10 BPS тестовая сеть", + "12 word mnemonic": "12 слов мнемонической фразы", + "24 word mnemonic": "24 слова мнемонической фразы", + "24h Change": "Изменение за 24 часа", + "A binary at another location is spawned a child process (experimental, for development purposes only).": "Бинарный файл в другом месте порождает дочерний процесс (экспериментально, только для разработки).", + "A random node will be selected on startup": "При запуске будет выбрана случайная нода.", + "A wallet is stored in a file on your computer.": "Кошелёк хранится в файле на вашем компьютере.", + "Account Index": "Индекс аккаунта", + "Account Name": "Имя аккаунта", + "Account:": "Аккаунт:", + "Activate custom daemon arguments": "Активировать пользовательские аргументы службы", + "Active p2p Peers": "Активные p2p пиры", + "Address derivation scan": "Сканирование производных адреса", + "Address:": "Адрес:", + "Advanced": "Расширенные", + "All": "Все", + "Allow custom arguments for the Rusty Kaspa daemon": "Разрешить настраиваемые аргументы для службы Rusty Kaspa.", + "Allows you to take screenshots from within the application": "Позволяет вам делать скриншоты прямо из приложения", + "Apply": "Применить", + "Balance: N/A": "Баланс: Недоступен", + "Bandwidth": "Пропускная способность", + "Because of its focus on security and performance, this software is entirely developed in Rust, demanding significantly more time and effort compared to other traditional modern web-driven software.": "Из-за своего акцента на безопасности и производительности, это программное обеспечение полностью разработано на Rust, что требует значительно больше времени и усилий по сравнению с другими традиционными современными веб-ориентированными программами.", + "Bezier Curves": "Кривые Безье", + "Block DAG": "Block DAG", + "Block Scale": "Размер блока", + "Blocks": "Блоки", + "Bodies": "Тела блоков", + "Borsh Active Connections": "Активные соединения Borsh", + "Borsh Connection Attempts": "Попытки Borsh-подключения", + "Borsh Handshake Failures": "Сбои при установлении связи Borsh", + "Build": "Сборка", + "CONNECTED": "ПОДКЛЮЧЕНО", + "CPU": "ЦПУ", + "Cache Memory Size": "Размер кэш-памяти", + "Cache Memory Size:": "Размер кэш-памяти:", + "Cancel": "Отменить", + "Cannot delete data folder while the node is running": "Невозможно удалить папку с данными, пока нода работает.", + "Capture a screenshot": "Сделать снимок экрана", + "Center VSPC": "Центр VSPC", + "Chain Blocks": "Цепочка блоков", + "Change Address": "Изменить адрес", + "Check for Software Updates on GitHub": "Проверьте наличие обновлений программного обеспечения на GitHub.", + "Check for Updates": "Проверить наличие обновлений", + "Clear": "Чисто", + "Click to try another server...": "Нажмите, чтобы попробовать другой сервер...", + "Client RPC": "Клиент RPC", + "Close": "Закрыть", + "Confirm wallet password": "Подтвердите пароль кошелька", + "Connect to a local node (localhost)": "Подключитесь к локальной ноде (localhost)", + "Connecting to": "Подключение к", + "Connection": "Соединение", + "Connections": "Соединения", + "Connects to a Remote Rusty Kaspa Node via wRPC.": "Подключается к удалённой ноде Rusty Kaspa через wRPC.", + "Conservative": "Консервативный", + "Continue": "Продолжить", + "Contributions directed toward this project directly fuel the Kaspa NG software and its ecosystem.": "Взносы, направленные на этот проект, непосредственно поддерживают программное обеспечение Kaspa NG и его экосистему.", + "Copied to clipboard": "Скопировано в буфер обмена", + "Copy": "Копировать", + "Copy logs to clipboard": "Копирование журналов в буфер обмена", + "Create New Account": "Создать новый аккаунт", + "Create New Wallet": "Создать новый кошелёк", + "Create new wallet": "Создать новый кошелёк", + "Creating Account": "Создание аккаунта", + "Creating Wallet": "Создание кошелька", + "Custom": "Пользовательский", + "Custom Public Node": "Пользовательская общедоступная нода", + "Custom arguments:": "Пользовательские аргументы:", + "DAA": "DAA", + "DAA Offset": "DAA-смещение", + "DAA Range": "DAA-диапазон", + "DB Blocks": "DB Блоки", + "DB Headers": "DB Заголовки", + "Database Blocks": "Блоки базы данных", + "Database Headers": "Заголовки базы данных", + "Decrypting wallet, please wait...": "Расшифровка кошелька, пожалуйста, подождите...", + "Default": "По умолчанию", + "Default Account Name": "Имя аккаунта по умолчанию", + "Delete Data Folder": "Удалить папку с данными", + "Dependencies": "Зависимости", + "Derivation Indexes": "Индексы производных", + "Details": "Детали", + "Developer Mode": "Режим разработчика", + "Developer Resources": "Ресурсы разработчика", + "Developer mode enables advanced and experimental features": "Режим разработчика позволяет использовать расширенные и экспериментальные функции", + "Difficulty": "Сложность", + "Dimensions": "Размеры", + "Disable password score restrictions": "Отключить ограничения по оценке сложности пароля", + "Disabled": "Отключено", + "Disables node connectivity (Offline Mode).": "Отключает соединение ноды (оффлайн режим).", + "Discord": "Discord", + "Donations": "Пожертвования", + "Double click on the graph to re-center...": "Дважды щёлкните по графику, чтобы центрировать его...", + "ECDSA": "ECDSA", + "Enable Market Monitor": "Включить мониторинг рынка", + "Enable UPnP": "Включить UPnP", + "Enable custom daemon arguments": "Включить пользовательские аргументы службы", + "Enable experimental features": "Включить экспериментальные функции", + "Enable gRPC": "Включить gRPC", + "Enable optional BIP39 passphrase": "Включить дополнительную фразу BIP39", + "Enable screen capture": "Включить захват экрана", + "Enables features currently in development": "Включает функции, находящиеся в разработке", + "Enter": "Ввод", + "Enter account name (optional)": "Введите имя аккаунта (необязательно)", + "Enter first account name": "Введите имя аккаунта", + "Enter phishing hint": "Введите фишинговую подсказку", + "Enter the amount": "Введите сумму", + "Enter the password for your wallet": "Введите пароль для вашего кошелька", + "Enter the password to unlock your wallet": "Введите пароль для разблокировки вашего кошелька", + "Enter wallet name": "Введите имя кошелька", + "Enter wallet password": "Введите пароль кошелька", + "Enter your wallet secret": "Введите секрет своего кошелька", + "Explorer": "Обозреватель", + "Export Wallet Data": "Экспорт данных кошелька", + "Faucet": "Криптокран", + "File Handles": "Файловые дескрипторы", + "Filename:": "Имя файла:", + "Final Amount:": "Окончательная сумма:", + "GitHub Release": "GitHub Релиз", + "Go to Settings": "Перейдите в Настройки", + "Handles": "Дескрипторы", + "Headers": "Заголовки", + "IBD:": "IBD:", + "If not specified, the account will be represented by the numeric id.": "Если не указано, учётная запись будет представлена числовым идентификатором.", + "If you are running locally, use: ": "Если вы работаете локально, используйте:", + "Import existing": "Импорт существующих", + "Inbound": "Входящий", + "Include QoS Priority Fees": "Включают плату за приоритет QoS", + "Integrated Daemon": "Интегрированная служба", + "Invalid daemon arguments": "Неверные аргументы службы", + "Invalid network type - expected: testnet-10 connected to: testnet-11": "Неверный тип сети - ожидается: testnet-10 подключено к: testnet-11", + "Invalid wRPC URL": "Неверный URL wRPC", + "Json Active Connections": "Активные Json-соединения", + "Json Connection Attempts": "Попытки подключения Json", + "Json Handshake Failures": "Сбои при Json-соединении", + "Kaspa Discord": "Kaspa Discord", + "Kaspa Integration Guide": "Kaspa Руководство по интеграции", + "Kaspa NG": "Kaspa NG", + "Kaspa NG Online": "Kaspa NG Online", + "Kaspa NG Web App": "Kaspa NG Web App", + "Kaspa NG on GitHub": "Kaspa NG на GitHub", + "Kaspa NG online": "Kaspa NG онлайн", + "Kaspa Network": "Kaspa Сеть", + "Kaspa Node": "Kaspa Нода", + "Kaspa p2p Network & Node Connection": "Kaspa p2p-соединение с сетью и нодой", + "Kaspa p2p Node": "Kaspa p2p-нода", + "Kaspa p2p Node & Connection": "Kaspa p2p-нода и соединение", + "Key Perf.": "Ключевая производительность", + "Language:": "Язык:", + "Large (1 BPS)": "Большой (1 BPS)", + "Levels": "Уровни", + "License Information": "Информация о лицензии", + "Local": "Лосальный", + "Local p2p Node Configuration": "Локальная конфигурация p2p-ноды", + "Logs": "Журналы", + "MT": "Ср.время", + "Main Kaspa network": "Основная сеть Kaspa", + "Mainnet": "Основная сеть", + "Mainnet (Main Kaspa network)": "Основная сеть (Основная сеть Kaspa)", + "Managed by the Rusty Kaspa daemon": "Управляется службой Rusty Kaspa", + "Market": "Рынок", + "Market Cap": "Рыночная капитализация", + "Market Monitor": "Мониторинг рынка", + "Mass Processed": "Массовая обработка", + "Medium Narrow": "Средний узкий", + "Medium Wide": "Средний широкий", + "Memory": "Память", + "Mempool": "Mempool", + "Mempool Size": "Размер Mempool", + "Metrics": "Метрики", + "Metrics are not currently available": "Метрики в настоящее время недоступны", + "NPM Modules for NodeJS": "NPM модули для NodeJS", + "Network": "Сеть", + "Network Difficulty": "Сложность сети", + "Network Fees:": "Сетевые комиссии:", + "Network Interface": "Сетевой интерфейс", + "Network Peers": "Сетевые пиры", + "No peers": "Нет пиров", + "No public node selected - please select a public node": "Не выбрана общедоступная нода - пожалуйста, выберите общедоступную ноду", + "No transactions": "Нет транзакций", + "No wallets found, please create a new wallet": "Нет найденных кошельков, пожалуйста, создайте новый кошелёк", + "Node": "Нода", + "Node Status": "Статус ноды", + "Noise": "Шум", + "None": "Ни одного", + "Not Connected": "Не подключено", + "Not connected": "Не подключено", + "Notifications": "Уведомления", + "Open Data Folder": "Открыть папку с данными", + "Opening wallet:": "Открытие кошелька:", + "Optional": "Дополнительно", + "Other operations": "Другие операции", + "Outbound": "Исходящий", + "Overview": "Обзор", + "Parents": "Родители", + "Past Median Time": "Прошлое среднее время", + "Payment & Recovery Password": "Оплата и восстановление пароля", + "Payment Request": "Запрос на оплату", + "Peers": "Пиры", + "Performance": "Производительность", + "Phishing Hint": "Фишинговая подсказка", + "Ping:": "Пинг:", + "Please Confirm Deletion": "Пожалуйста, подтвердите удаление", + "Please configure your Kaspa NG settings": "Пожалуйста, настройте свои параметры Kaspa NG", + "Please connect to Kaspa p2p node": "Пожалуйста, подключитесь к p2p-ноде Kaspa", + "Please create a stronger password": "Пожалуйста, создайте более надёжный пароль", + "Please enter": "Пожалуйста, введите", + "Please enter KAS amount to send": "Пожалуйста, введите сумму KAS для отправки", + "Please enter an amount": "Пожалуйста, введите сумму", + "Please enter the account name": "Пожалуйста, введите имя аккаунта", + "Please enter the wallet secret": "Пожалуйста, введите секрет кошелька", + "Please note that this is an alpha release. Until this message is removed, please avoid using the wallet with mainnet funds.": "Пожалуйста, обратите внимание, что это альфа-версия. Пока это сообщение не будет удалено, пожалуйста, избегайте использования кошелька с основными средствами.", + "Please note, copying to clipboard carries a risk of exposing your mnemonic to malware.": "Пожалуйста, обратите внимание, что копирование в буфер обмена несёт риск раскрытия вашей мнемоники вредоносным программам.", + "Please select an account type": "Пожалуйста, выберите тип аккаунта", + "Please select the private key to export": "Пожалуйста, выберите приватный ключ для экспорта", + "Please set node to 'Disabled' to delete the data folder": "Пожалуйста, установите значение ноды 'Отключено', чтобы удалить папку с данными", + "Please specify the name of the default account. The wallet will be created with a default account. Once created, you will be able to create additional accounts as you need.": "Пожалуйста, укажите имя аккаунта по умолчанию. Кошелёк будет создан с аккаунтом по умолчанию. После создания вы сможете создавать дополнительные аккаунты по мере необходимости.", + "Please specify the name of the new wallet": "Пожалуйста, укажите имя нового кошелька", + "Please specify the private key type for the new wallet": "Пожалуйста, укажите тип приватного ключа для нового кошелька", + "Please wait for the node to sync or connect to a remote node.": "Пожалуйста, подождите, пока нода синхронизируется или подключится к удалённой ноде.", + "Please wait for the node to sync...": "Пожалуйста, подождите, пока нода синхронизируется...", + "Please wait...": "Пожалуйста, подождите...", + "Presets": "Предустановки", + "Price": "Цена", + "Private Key Mnemonic": "Приватный ключ мнемоники", + "Processed Bodies": "Обработанные тела блоков", + "Processed Dependencies": "Обработанные зависимости", + "Processed Headers": "Обработанные заголовки", + "Processed Mass Counts": "Обработанные счетчики массы", + "Processed Transactions": "Обработанные транзакции", + "Protocol:": "Протокол:", + "Public Node": "Публичная нода", + "Public Nodes": "Публичные ноды", + "Public Server": "Публичный сервер", + "Public p2p Nodes for": "Публичные p2p-ноды для", + "Random Public Node": "Случайная публичная нода", + "Range:": "Диапазон:", + "Receive Address": "Адрес получения", + "Recommended arguments for the remote node: ": "Рекомендуемые аргументы для удалённой ноды:", + "Remote": "Удалённый", + "Remote Connection:": "Удалённое подключение:", + "Remote p2p Node Configuration": " Конфигурация удалённой p2p-ноды", + "Removes security restrictions, allows for single-letter passwords": "Удаляет ограничения безопасности, позволяет использовать однобуквенные пароли", + "Reset Settings": "Сбросить настройки", + "Reset VSPC": "Сбросить VSPC", + "Resident Memory": "Резидентная память", + "Resources": "Ресурсы", + "Resulting daemon arguments:": "Результирующие аргументы службы:", + "Rust Wallet SDK": "Rust Wallet SDK", + "Rusty Kaspa on GitHub": "Rusty Kaspa на GitHub", + "Secret is too weak": "Секрет слишком слабый", + "Secret score:": "Оценка секрета:", + "Select Account": "Выберите аккаунт", + "Select Available Server": "Выберите доступный сервер", + "Select Private Key Type": "Выберите тип приватного ключа", + "Select Public Node": "Выберите публичную ноду", + "Select Wallet": "Выберите кошелёк", + "Select a wallet to unlock": "Выберите кошелёк для разблокировки", + "Send": "Отправить", + "Services": "Сервисы", + "Settings": "Настройки", + "Show DAA": "Показать DAA", + "Show Grid": "Показать сетку", + "Show VSPC": "Показать VSPC", + "Show balances in alternate currencies for testnet coins": "Показывайте балансы в альтернативных валютах для тестовых монет", + "Show password": "Показать пароль", + "Shows balances in alternate currencies (BTC, USD) when using testnet coins as if you are on mainnet": "Показывает балансы в альтернативных валютах (BTC, USD), когда используются тестовые монеты, как будто вы находитесь на основной сети", + "Skip": "Пропустить", + "Small (10 BPS)": "Маленький (10 BPS)", + "Spread": "Разброс", + "Stage": "Этап", + "Starting...": "Начало...", + "Statistics": "Статистика", + "Stor Read": "Чтение с диска", + "Stor Write": "Запись на диск", + "Storage": "Диск", + "Storage Read": "Чтение с диска", + "Storage Read/s": "Чтение с диска/сек.", + "Storage Write": "Запись на диск", + "Storage Write/s": "Запись на диск/сек.", + "Submitted Blocks": "Отправленные блоки", + "Supporting Kaspa NG development": "Поддержка разработки Kaspa NG", + "Syncing Cryptographic Proof...": "Синхронизация криптографического доказательства...", + "Syncing DAG Blocks...": "Синхронизация блоков DAG...", + "Syncing Headers...": "Синхронизация заголовков...", + "Syncing UTXO entries...": "Синхронизация UTXO-записей...", + "Syncing...": "Синхронизация...", + "System": "Система", + "TPS": "TPS", + "Testnet 10": "Testnet 10", + "Testnet 10 (1 BPS)": "Testnet 10 (1 BPS)", + "Testnet 11": "Testnet 11", + "Testnet 11 (10 BPS)": "Testnet 11 (10 BPS)", + "Testnet 11 is not yet enabled for public testing. You can, however, configure the node to connect to the private developer testnet in the Settings panel.": "Testnet 11 ещё не активирована для публичного тестирования. Однако вы можете настроить ноду для подключения к частной тестовой сети разработчиков в панели настроек.", + "The Kaspa NG software represents an ongoing effort focused on building a state-of-the-art software platform dedicated to the Kaspa BlockDAG cryptocurrency network. Ideological at its core, this software prioritizes security, privacy, performance, and decentralization.": "Программное обеспечение Kaspa NG представляет собой непрерывную работу, направленную на создание современной программной платформы, предназначенной для криптовалютной сети Kaspa BlockDAG. Идеологическое по своей сути, это программное обеспечение уделяет приоритетное внимание безопасности, конфиденциальности, производительности и децентрализации.", + "The balance may be out of date during node sync": "Баланс может быть устаревшим во время синхронизации ноды", + "The following will guide you through the process of creating or importing a wallet.": "Следующее руководство поможет вам пройти процесс создания или импорта кошелька.", + "The node is currently syncing with the Kaspa p2p network.": "В настоящее время нода синхронизируется с p2p-сетью Kaspa.", + "The node is currently syncing with the Kaspa p2p network. Account balances may be out of date.": "В настоящее время нода синхронизируется с p2p-сетью Kaspa.. Балансы счетов могут быть устаревшими.", + "The node is spawned as a child daemon process (recommended).": "Нода создаётся в качестве дочерней службы/процесса (рекомендуется).", + "The node runs as a part of the Kaspa-NG application process. This reduces communication overhead (experimental).": "Нода работает в рамках процесса приложения Kaspa-NG. Это снижает накладные расходы на связь (экспериментально).", + "Theme Color": "Цвет темы", + "Theme Color:": "Цвет темы:", + "Theme Style": "Стиль темы", + "Theme Style:": "Стиль темы:", + "This wallet will never ask you for this mnemonic phrase unless you manually initiate a private key recovery.": "Этот кошелёк никогда не будет запрашивать у вас эту мнемоническую фразу, если вы не инициируете восстановление приватного ключа вручную.", + "Threshold": "Предел", + "Time Offset:": "Смещение времени:", + "Tip Hashes": "Хэши советов", + "Tools ⏷": "Инструменты ⏷", + "Total Rx": "Общий Rx", + "Total Rx/s": "Общий Rx/s", + "Total Tx": "Общий Tx", + "Total Tx/s": "Общий Tx/s", + "Track in the background": "Отслеживание в фоновом режиме", + "Transactions": "Транзакции", + "Transactions:": "Транзакции:", + "Type": "Тип", + "UTXO Manager": "UTXO Менеджер", + "UTXOs": "UTXOs", + "UTXOs:": "UTXOs:", + "Unable to change node settings until the problem is resolved": "Невозможно изменить настройки ноды, пока проблема не будет решена.", + "Unlock": "Разблокировать", + "Unlock Wallet": "Разблокировать кошелёк", + "Unlocking": "Разблокировка", + "Update Available to version": "Доступно обновление до версии", + "Updating...": "Обновление...", + "Uptime:": "Время работы:", + "Use 50%-75% of available system memory": "Используйте 50%-75% от доступной системной памяти", + "Use all available system memory": "Используйте всю доступную системную память", + "User Agent": "User Agent", + "User Interface": "Пользовательский интерфейс", + "Very dangerous (may be cracked within few seconds)": "Очень опасно (может быть взломано за несколько секунд)", + "Virt Parents": "Вирт. родители", + "Virtual DAA Score": "Виртуальный балл DAA", + "Virtual Memory": "Виртуальная память", + "Virtual Parent Hashes": "Хэши виртуальных родителей", + "Volume": "Объём", + "WASM SDK for JavaScript and TypeScript": "WASM SDK для JavaScript и TypeScript", + "Wallet": "Кошелёк", + "Wallet Created": "Кошелёк создан", + "Wallet Encryption Password": "Пароль шифрования кошелька", + "Wallet Name": "Имя кошелька", + "Wallet Secret": "Секрет кошелька", + "Wallet password is used to encrypt your wallet data.": "Пароль кошелька используется для шифрования данных вашего кошелька.", + "Wallet:": "Кошелёк:", + "We greatly appreciate your help in backing our efforts.": "Мы очень ценим вашу помощь в поддержке наших усилий.", + "Welcome to Kaspa NG": "Добро пожаловать в Kaspa NG", + "Xpub Keys": "Xpub Ключи", + "You are currently not connected to the Kaspa node.": "Вы в настоящее время не подключены к ноде Kaspa.", + "You can configure remote connection in Settings": "Вы можете настроить удалённое подключение в настройках.", + "You can create multiple wallets, but only one wallet can be open at a time.": "Вы можете создать несколько кошельков, но только один кошелёк может быть открыт в данный момент.", + "You must be connected to a node...": "Вы должны быть подключены к ноде...", + "Your default wallet private key mnemonic is:": "Ваш мнемонический приватный ключ кошелька по умолчанию:", + "Your mnemonic phrase allows your to re-create your private key. The person who has access to this mnemonic will have full control of the Kaspa stored in it. Keep your mnemonic safe. Write it down and store it in a safe, preferably in a fire-resistant location. Do not store your mnemonic on this computer or a mobile device. This wallet will never ask you for this mnemonic phrase unless you manually initiate a private key recovery.": "Ваша мнемоническая фраза позволяет вам воссоздать ваш приватный ключ. Человек, у которого есть доступ к этой мнемонике, будет иметь полный контроль над Kaspa, хранящимся в ней. Храните вашу мнемоническую фразу в безопасности. Запишите её и сохраните в надёжном месте, желательно в огнестойком месте. Не храните вашу мнемоническую фразу на этом компьютере или мобильном устройстве. Этот кошелёк никогда не будет запрашивать у вас эту мнемоническую фразу, если вы не инициируете восстановление приватного ключа вручную.", + "Your private key mnemonic is:": "Ваш мнемонический приватный ключ:", + "Your wallet has been created and is ready to use.": "Ваш кошелёк был создан и готов к использованию.", + "Zoom": "Масштабирование", + "amount to send": "сумма для отправки", + "bye!": "пока!", + "gRPC Network Interface & Port": "gRPC Сетевой интерфейс и порт", + "gRPC Rx": "gRPC Rx", + "gRPC Rx/s": "gRPC Rx/s", + "gRPC Tx": "gRPC Tx", + "gRPC Tx/s": "gRPC Tx/s", + "of": "из", + "p2p RPC": "p2p RPC", + "p2p Rx": "p2p Rx", + "p2p Rx/s": "p2p Rx/s", + "p2p Tx": "p2p Tx", + "p2p Tx/s": "p2p Tx/s", + "peer": "пир", + "peers": "пиры", + "wRPC Borsh Rx": "wRPC Borsh Rx", + "wRPC Borsh Rx/s": "wRPC Borsh Rx/s", + "wRPC Borsh Tx": "wRPC Borsh Tx", + "wRPC Borsh Tx/s": "wRPC Borsh Tx/s", + "wRPC Connection Settings": "Настройки подключения wRPC", + "wRPC Encoding:": "Кодирование wRPC:", + "wRPC JSON Rx": "wRPC JSON Rx", + "wRPC JSON Rx/s": "wRPC JSON Rx/s", + "wRPC JSON Tx": "wRPC JSON Tx", + "wRPC JSON Tx/s": "wRPC JSON Tx/s", + "wRPC URL:": "wRPC URL:" + }, "sk": {}, "sl": {}, "sr": {}, @@ -1244,9 +3572,780 @@ "te": {}, "th": {}, "tr": {}, - "uk": {}, + "uk": { + "1 BPS test network": "Тестова мережа 1 BPS", + "10 BPS test network": "10 BPS тестова мережа", + "12 word mnemonic": "12-слівна мнемонічна фраза", + "24 word mnemonic": "24-слівний мнемонічний код", + "24h Change": "Зміна за 24 години", + "A binary at another location is spawned a child process (experimental, for development purposes only).": "Бінарний файл на іншому місці породжує дочірній процес (експериментально, лише для розробки).", + "A random node will be selected on startup": "Під час запуску буде вибрано випадковий вузол", + "A wallet is stored in a file on your computer.": "Гаманець зберігається у файлі на вашому комп'ютері.", + "Account Index": "Індекс облікового запису", + "Account Name": "Назва облікового запису", + "Account:": "Обліковий запис:", + "Activate custom daemon arguments": "Активація користувацьких аргументів демона", + "Active p2p Peers": "Активні P2P піри", + "Address derivation scan": "Сканування похідних адрес", + "Address:": "Адреса:", + "Advanced": "Розширені", + "All": "Всі", + "Allow custom arguments for the Rusty Kaspa daemon": "Дозволяє користувачам встановлювати свої аргументи для демона Rusty Kaspa", + "Allows you to take screenshots from within the application": "Дозволяє робити скріншоти з програми", + "Apply": "Застосувати", + "Balance: N/A": "Баланс: Н/Д", + "Bandwidth": "Пропускна здатність", + "Because of its focus on security and performance, this software is entirely developed in Rust, demanding significantly more time and effort compared to other traditional modern web-driven software.": "Через свою спрямованість на безпеку та продуктивність, це програмне забезпечення повністю розроблене на Rust, що вимагає значно більше часу та зусиль порівняно з іншими традиційними сучасними веб-додатками.", + "Bezier Curves": "Криві Безьє", + "Block DAG": "Блок DAG", + "Block Scale": "Масштаб блоку", + "Blocks": "Блоки", + "Bodies": "Тіла", + "Borsh Active Connections": "Активні підключення Borsh", + "Borsh Connection Attempts": "Спроби підключення до Borsh", + "Borsh Handshake Failures": "Невдачі рукостискання Borsh", + "Build": "Збудувати", + "CONNECTED": "ПІДКЛЮЧЕНО", + "CPU": "ЦП", + "Cache Memory Size": "Розмір кеш-пам'яті:", + "Cache Memory Size:": "Розмір кеш-пам'яті:", + "Cancel": "Скасувати", + "Cannot delete data folder while the node is running": "Неможливо видалити папку даних під час роботи вузла", + "Capture a screenshot": "Зробити знімок екрана", + "Center VSPC": "Центрувати VSPC", + "Chain Blocks": "Блоки ланцюга", + "Change Address": "Змінити адресу", + "Check for Software Updates on GitHub": "Перевірити оновлення програмного забезпечення на GitHub", + "Check for Updates": "Перевірити наявність оновлень", + "Clear": "Очистити", + "Click to try another server...": "Клацніть, щоб спробувати інший сервер...", + "Client RPC": "Клієнтський RPC", + "Close": "Закрити", + "Confirm wallet password": "Підтвердити пароль гаманця", + "Connect to a local node (localhost)": "Підключитися до локального вузла (localhost)", + "Connecting to": "Підключення до", + "Connection": "Підключення", + "Connections": "Підключення", + "Connects to a Remote Rusty Kaspa Node via wRPC.": "Підключається до віддаленого вузла Rusty Kaspa через wRPC.", + "Conservative": "Консервативний", + "Continue": "Продовжити", + "Contributions directed toward this project directly fuel the Kaspa NG software and its ecosystem.": "Внески, спрямовані на цей проект, безпосередньо підтримують програмне забезпечення Kaspa NG та його екосистему.", + "Copied to clipboard": "Скопійовано в буфер обміну", + "Copy": "Копіювати", + "Copy logs to clipboard": "Скопіювати лог-журнали в буфер обміну", + "Create New Account": "Створити новий обліковий запис", + "Create New Wallet": "Створити новий гаманець", + "Create new wallet": "Створити новий гаманець", + "Creating Account": "Створення облікового запису", + "Creating Wallet": "Створення гаманця", + "Custom": "Користувацький", + "Custom Public Node": "Нестандартний публічний вузол", + "Custom arguments:": "Спеціальні аргументи:", + "DAA": "DAA", + "DAA Offset": "Зсув DAA", + "DAA Range": "Діапазон DAA", + "DB Blocks": "Блоки БД", + "DB Headers": "Заголовки БД", + "Database Blocks": "Блоки БД", + "Database Headers": "Заголовки БД", + "Decrypting wallet, please wait...": "Розшифровка гаманця, зачекайте, будь ласка...", + "Default": "За замовчуванням", + "Default Account Name": "Назва облікового запису за замовчуванням", + "Delete Data Folder": "Видалити папку з даними", + "Dependencies": "Залежності", + "Derivation Indexes": "Індекси похідних", + "Details": "Деталі", + "Developer Mode": "Режим розробника", + "Developer Resources": "Ресурси для розробників", + "Developer mode enables advanced and experimental features": "Режим розробника вмикає розширені та експериментальні функції", + "Difficulty": "Складність", + "Dimensions": "Виміри", + "Disable password score restrictions": "Вимкнути правила безпеки паролю", + "Disabled": "Вимкнено", + "Disables node connectivity (Offline Mode).": "Вимикає підключення вузла (офлайн-режим).", + "Discord": "Discord", + "Donations": "Пожертви", + "Double click on the graph to re-center...": "Двічі клацніть на графіку, щоб рецентрувати...", + "ECDSA": "ECDSA", + "Enable Market Monitor": "Увімкнути монітор ринку", + "Enable UPnP": "Увімкнути UPnP", + "Enable custom daemon arguments": "Увімкнути користувацькі аргументи демона", + "Enable experimental features": "Увімкнути експериментальні функції", + "Enable gRPC": "Увімкнути gRPC", + "Enable optional BIP39 passphrase": "Увімкнути необов'язкову додаткову фразу BIP39", + "Enable screen capture": "Увімкнути захоплення екрана", + "Enables features currently in development": "Вмикає функції, які наразі у розробці", + "Enter": "Введіть", + "Enter account name (optional)": "Введіть назву облікового запису (необов'язково)", + "Enter first account name": "Введіть ім'я першого облікового запису", + "Enter phishing hint": "Введіть підказку для розпізнавання фішинг-шахрайства", + "Enter the amount": "Введіть суму", + "Enter the password for your wallet": "Введіть пароль для вашого гаманця", + "Enter the password to unlock your wallet": "Введіть пароль, щоб розблокувати свій гаманець", + "Enter wallet name": "Введіть назву гаманця", + "Enter wallet password": "Введіть пароль гаманця", + "Enter your wallet secret": "Введіть секрет свого гаманця", + "Explorer": "Дослідник", + "Export Wallet Data": "Експорт даних гаманця", + "Faucet": "Кран", + "File Handles": "Дескриптори файлу", + "Filename:": "Ім'я файлу:", + "Final Amount:": "Кінцева сума:", + "GitHub Release": "Реліз GitHub", + "Go to Settings": "Перейти до Налаштувань", + "Handles": "Дескриптори", + "Headers": "Заголовки", + "IBD:": "Початкове завантаження блоків:", + "If not specified, the account will be represented by the numeric id.": "Якщо не вказано, обліковий запис буде представлений числовим ідентифікатором.", + "If you are running locally, use: ": "Якщо ви запускаєте локально, використовуйте:", + "Import existing": "Імпортувати існуючий", + "Inbound": "Вхідний", + "Include QoS Priority Fees": "Враховувати плату за пріоритет якості сервісу QoS", + "Integrated Daemon": "Інтегрований демон", + "Invalid daemon arguments": "Недійсні аргументи демона", + "Invalid network type - expected: testnet-10 connected to: testnet-11": "Недійсний тип мережі - очікується: тестова мережа-10; підключено до: тестова мережа-11", + "Invalid wRPC URL": "Недійсний URL wRPC", + "Json Active Connections": "Активні з'єднання Json", + "Json Connection Attempts": "Спроби підключення Json", + "Json Handshake Failures": "Помилки рукостискання Json", + "Kaspa Discord": "Kaspa Discord", + "Kaspa Integration Guide": "Посібник з інтеграції Kaspa", + "Kaspa NG": "Kaspa NG", + "Kaspa NG Online": "Kaspa NG онлайн", + "Kaspa NG Web App": "Веб-додаток Kaspa NG", + "Kaspa NG on GitHub": "Kaspa NG на GitHub", + "Kaspa NG online": "Kaspa NG онлайн", + "Kaspa Network": "Мережа Kaspa", + "Kaspa Node": "Вузол Kaspa", + "Kaspa p2p Network & Node Connection": "Підключення до P2P-мережі та вузлів Kaspa", + "Kaspa p2p Node": "P2P Вузол Kaspa", + "Kaspa p2p Node & Connection": "Підключення та P2P вузол Kaspa", + "Key Perf.": "Ключові показники", + "Language:": "Мова:", + "Large (1 BPS)": "Велика (1 BPS)", + "Levels": "Рівні", + "License Information": "Інформація про ліцензію", + "Local": "Локальний", + "Local p2p Node Configuration": "Локальна конфігурація вузла P2P", + "Logs": "Логи", + "MT": "MT", + "Main Kaspa network": "Основна мережа Kaspa", + "Mainnet": "Основна мережа", + "Mainnet (Main Kaspa network)": "Mainnet (Основна мережа Kaspa)", + "Managed by the Rusty Kaspa daemon": "Управляється демоном Rusty Kaspa", + "Market": "Ринок", + "Market Cap": "Капіталізація ринку", + "Market Monitor": "Огляд ринку", + "Mass Processed": "Оброблено маси", + "Medium Narrow": "Середній Вузький", + "Medium Wide": "Середній Широкий", + "Memory": "Пам'ять", + "Mempool": "Пул пам'яті", + "Mempool Size": "Розмір пула пам'яті", + "Metrics": "Метрики", + "Metrics are not currently available": "Метрики на даний момент недоступні", + "NPM Modules for NodeJS": "Модулі NPM для NodeJS", + "Network": "Мережа", + "Network Difficulty": "Складність мережі", + "Network Fees:": "Комісія мережі:", + "Network Interface": "Мережевий інтерфейс", + "Network Peers": "Піри мережі", + "No peers": "Немає пірів", + "No public node selected - please select a public node": "Не вибрано жодного публічного вузла - будь ласка, виберіть публічний вузол", + "No transactions": "Немає транзакцій", + "No wallets found, please create a new wallet": "Не знайдено гаманців, будь ласка, створіть новий гаманец", + "Node": "Вузол", + "Node Status": "Статус вузла", + "Noise": "Шум", + "None": "Нічого", + "Not Connected": "Не підключено", + "Not connected": "Немає з'єднання", + "Notifications": "Сповіщення", + "Open Data Folder": "Відкрити папку з даними", + "Opening wallet:": "Відкриття гаманця:", + "Optional": "Додатково", + "Other operations": "Інші операції", + "Outbound": "Вихідний", + "Overview": "Огляд", + "Parents": "Батьки", + "Past Median Time": "Минула медіана часу", + "Payment & Recovery Password": "Пароль для оплати та відновлення", + "Payment Request": "Запит на оплату", + "Peers": "Піри", + "Performance": "Продуктивність", + "Phishing Hint": "Підказка щодо шахрайства - фішингу", + "Ping:": "Пінг:", + "Please Confirm Deletion": "Будь ласка, підтвердіть видалення", + "Please configure your Kaspa NG settings": "Будь ласка, налаштуйте параметри Kaspa NG", + "Please connect to Kaspa p2p node": "Будь ласка, підключіться до P2P вузла Kaspa", + "Please create a stronger password": "Будь ласка, створіть надійніший пароль", + "Please enter": "Будь ласка, введіть", + "Please enter KAS amount to send": "Будь ласка, введіть суму KAS для відправки", + "Please enter an amount": "Будь ласка, введіть суму", + "Please enter the account name": "Будь ласка, введіть назву облікового запису", + "Please enter the wallet secret": "Будь ласка, введіть секрет гаманця", + "Please note that this is an alpha release. Until this message is removed, please avoid using the wallet with mainnet funds.": "Зверніть увагу, що це альфа-версія. Доки це повідомлення не буде видалено - уникайте використання цього програмного забезпечення з коштами основної мережі.", + "Please note, copying to clipboard carries a risk of exposing your mnemonic to malware.": "Зверніть увагу, копіювання в буфер обміну може призвести до ризику викриття вашого мнемонічного коду вірусам.", + "Please select an account type": "Будь ласка, виберіть тип облікового запису", + "Please select the private key to export": "Будь ласка, виберіть приватний ключ для експорту", + "Please set node to 'Disabled' to delete the data folder": "Будь ласка, встановіть вузол на 'Вимкнено', для видалення папки з даними", + "Please specify the name of the default account. The wallet will be created with a default account. Once created, you will be able to create additional accounts as you need.": "Будь ласка, вкажіть назву основного облікового запису. Гаманець буде створено з основним обліковим записом. Після створення ви зможете створити додаткові облікові записи за потребою.", + "Please specify the name of the new wallet": "Будь ласка, вкажіть назву нового гаманця", + "Please specify the private key type for the new wallet": "Будь ласка, вкажіть тип приватного ключа для нового гаманця", + "Please wait for the node to sync or connect to a remote node.": "Будь ласка, зачекайте, поки вузол синхронізується або підключиться до віддаленого вузла.", + "Please wait for the node to sync...": "Будь ласка, зачекайте, поки вузол синхронізується...", + "Please wait...": "Будь ласка, зачекайте...", + "Presets": "Пресети", + "Price": "Ціна", + "Private Key Mnemonic": "Мнемоніка приватного ключа", + "Processed Bodies": "Оброблені тіла", + "Processed Dependencies": "Оброблені залежності", + "Processed Headers": "Оброблені заголовки", + "Processed Mass Counts": "Кількість оброблених мас", + "Processed Transactions": "Оброблені транзакції", + "Protocol:": "Протокол:", + "Public Node": "Публічний вузол", + "Public Nodes": "Публічні вузли", + "Public Server": "Публічний сервер", + "Public p2p Nodes for": "Публічні вузли P2P для", + "Random Public Node": "Випадковий публічний вузол", + "Range:": "Діапазон:", + "Receive Address": "Адреса отримання", + "Recommended arguments for the remote node: ": "Рекомендовані аргументи для віддаленого вузла:", + "Remote": "Віддалено", + "Remote Connection:": "Віддалене підключення:", + "Remote p2p Node Configuration": "Віддалена конфігурація вузла P2P", + "Removes security restrictions, allows for single-letter passwords": "Знімає обмеження на безпеку, дозволяє використовувати однолітерні паролі", + "Reset Settings": "Скинути налаштування", + "Reset VSPC": "Скинути VSPC", + "Resident Memory": "Резидентна пам'ять", + "Resources": "Ресурси", + "Resulting daemon arguments:": "Результати аргументів демона:", + "Rust Wallet SDK": "Rust Wallet SDK", + "Rusty Kaspa on GitHub": "Rusty Kaspa на GitHub", + "Secret is too weak": "Секрет занадто слабкий", + "Secret score:": "Оцінка секрету:", + "Select Account": "Вибрати обліковий запис", + "Select Available Server": "Вибрати доступний сервер", + "Select Private Key Type": "Оберіть тип приватного ключа", + "Select Public Node": "Вибрати публічний вузол", + "Select Wallet": "Вибрати гаманець", + "Select a wallet to unlock": "Виберіть гаманець для розблокування", + "Send": "Надіслати", + "Services": "Сервіси", + "Settings": "Налаштування", + "Show DAA": "Показати DAA", + "Show Grid": "Показати сітку", + "Show VSPC": "Показати VSPC", + "Show balances in alternate currencies for testnet coins": "Показувати баланси в альтернативних валютах для монет тестової мережі", + "Show password": "Показати пароль", + "Shows balances in alternate currencies (BTC, USD) when using testnet coins as if you are on mainnet": "Показує баланси в інших валютах (BTC, USD) при використанні монет тестової мережі, якщо ви в основній мережі", + "Skip": "Пропустити", + "Small (10 BPS)": "Малий (10 BPS)", + "Spread": "Поширення", + "Stage": "Етап", + "Starting...": "Запуск...", + "Statistics": "Статистика", + "Stor Read": "Читання з сховища", + "Stor Write": "Запис у сховище", + "Storage": "Сховище", + "Storage Read": "Читання з сховища", + "Storage Read/s": "Операції читання зі сховища", + "Storage Write": "Запис у сховище", + "Storage Write/s": "Операції запису до сховища", + "Submitted Blocks": "Надіслані блоки", + "Supporting Kaspa NG development": "Підтримка розвитку Kaspa NG", + "Syncing Cryptographic Proof...": "Синхронізація криптографічного доказу...", + "Syncing DAG Blocks...": "Синхронізація блоків DAG...", + "Syncing Headers...": "Синхронізація заголовків...", + "Syncing UTXO entries...": "Синхронізація записів UTXO...", + "Syncing...": "Синхронізація...", + "System": "Система", + "TPS": "Транзакцій/сек. TPS", + "Testnet 10": "Тестова мережа 10", + "Testnet 10 (1 BPS)": "Тестова мережа 10 (1 BPS)", + "Testnet 11": "Тестова мережа 11", + "Testnet 11 (10 BPS)": "Тестова мережа 11 (10 BPS)", + "Testnet 11 is not yet enabled for public testing. You can, however, configure the node to connect to the private developer testnet in the Settings panel.": "Тестова мережа 11 ще не активована для публічного тестування. Однак ви можете налаштувати вузол для підключення до приватної тестової мережі розробника в панелі Налаштування.", + "The Kaspa NG software represents an ongoing effort focused on building a state-of-the-art software platform dedicated to the Kaspa BlockDAG cryptocurrency network. Ideological at its core, this software prioritizes security, privacy, performance, and decentralization.": "Програмне забезпечення Kaspa NG є результатом постійних зусиль, спрямованих на створення передової програмної платформи, присвяченої криптовалютній мережі Kaspa BlockDAG. Ідеологічне за своєю суттю, це програмне забезпечення має сильний акцент на безпеці, конфіденційності, продуктивності та децентралізації.", + "The balance may be out of date during node sync": "Баланс може бути застарілим під час синхронізації вузла", + "The following will guide you through the process of creating or importing a wallet.": "Далі ви дізнаєтеся, як створити або імпортувати гаманець.", + "The node is currently syncing with the Kaspa p2p network.": "Вузол в даний час синхронізується з P2P мережею Kaspa.", + "The node is currently syncing with the Kaspa p2p network. Account balances may be out of date.": "Наразі вузол синхронізується з P2P мережею Kaspa. Баланси облікових записів можуть бути застарілими.", + "The node is spawned as a child daemon process (recommended).": "Вузол створюється як дочірній демон (рекомендовано).", + "The node runs as a part of the Kaspa-NG application process. This reduces communication overhead (experimental).": "Вузол працює як частина процесу додатку Kaspa-NG. Це зменшує накладні витрати на зв'язок (експериментально).", + "Theme Color": "Колір теми", + "Theme Color:": "Колір теми:", + "Theme Style": "Стиль теми", + "Theme Style:": "Стиль теми:", + "This wallet will never ask you for this mnemonic phrase unless you manually initiate a private key recovery.": "Цей гаманець ніколи не запитає вас про цю мнемонічну фразу, якщо ви не ініціюєте відновлення приватного ключа вручну.", + "Threshold": "Поріг", + "Time Offset:": "Зсув часу:", + "Tip Hashes": "Хеші вершин", + "Tools ⏷": "Інструменти", + "Total Rx": "Загалом отримань", + "Total Rx/s": "Загалом отримань/сек.", + "Total Tx": "Загалом відправлень", + "Total Tx/s": "Загалом відправлень/сек.", + "Track in the background": "Відстеження в фоновому режимі", + "Transactions": "Транзакції", + "Transactions:": "Транзакції:", + "Type": "Тип", + "UTXO Manager": "Менеджер UTXO", + "UTXOs": "UTXOs", + "UTXOs:": "UTXOs:", + "Unable to change node settings until the problem is resolved": "Неможливо змінити налаштування вузла, доки проблема не буде вирішена", + "Unlock": "Розблокувати", + "Unlock Wallet": "Розблокувати гаманець", + "Unlocking": "Розблокування", + "Update Available to version": "Доступне оновлення до версії", + "Updating...": "Оновлення...", + "Uptime:": "Час роботи:", + "Use 50%-75% of available system memory": "Використовувати 50%-75% від доступної пам'яті системи", + "Use all available system memory": "Використовувати весь доступний обсяг оперативної пам'яті системи", + "User Agent": "Агент користувача", + "User Interface": "Інтерфейс користувача", + "Very dangerous (may be cracked within few seconds)": "Дуже небезпечно (може бути зламаний за кілька секунд)", + "Virt Parents": "Віртуальні батьки", + "Virtual DAA Score": "Віртуальний показник DAA", + "Virtual Memory": "Віртуальна пам'ять", + "Virtual Parent Hashes": "Віртуальні хеші батьків", + "Volume": "Об'єм", + "WASM SDK for JavaScript and TypeScript": "WASM SDK для JavaScript та TypeScript", + "Wallet": "Гаманець", + "Wallet Created": "Гаманець створено", + "Wallet Encryption Password": "Пароль шифрування гаманця", + "Wallet Name": "Назва гаманця", + "Wallet Secret": "Секрет гаманця", + "Wallet password is used to encrypt your wallet data.": "Пароль гаманця використовується для шифрування даних вашого гаманця.", + "Wallet:": "Гаманець:", + "We greatly appreciate your help in backing our efforts.": "Ми високо цінуємо вашу допомогу в підтримці наших зусиль.", + "Welcome to Kaspa NG": "Ласкаво просимо до Kaspa NG", + "Xpub Keys": "Ключі Xpub", + "You are currently not connected to the Kaspa node.": "Зараз ви не підключені до вузла Kaspa.", + "You can configure remote connection in Settings": "Ви можете налаштувати віддалене підключення в Налаштуваннях", + "You can create multiple wallets, but only one wallet can be open at a time.": "Ви можете створити кілька гаманців, але одночасно може бути відкритий лише один гаманець.", + "You must be connected to a node...": "Ви повинні бути підключені до вузла...", + "Your default wallet private key mnemonic is:": "Ваш мнемонічний приватний ключ для даного гаманця:", + "Your mnemonic phrase allows your to re-create your private key. The person who has access to this mnemonic will have full control of the Kaspa stored in it. Keep your mnemonic safe. Write it down and store it in a safe, preferably in a fire-resistant location. Do not store your mnemonic on this computer or a mobile device. This wallet will never ask you for this mnemonic phrase unless you manually initiate a private key recovery.": "Ваша мнемонічна фраза дозволяє повторно створити ваш приватний ключ. Особа, яка має доступ до цієї мнемонічної фрази, матиме повний контроль над Kaspa, що зберігається у ньому. Зберігайте вашу мнемонічну фразу в безпеці. Запишіть її та зберігайте у сейфі, бажано у вогнетривкому місці. Не зберігайте мнемонічну фразу на цьому комп'ютері або мобільному пристрої. Цей гаманець ніколи не запитає вас про цю мнемонічну фразу, якщо ви не ініціюєте відновлення приватного ключа вручну.", + "Your private key mnemonic is:": "Мнемоніка вашого приватного ключа:", + "Your wallet has been created and is ready to use.": "Ваш гаманець створено і він готовий до використання.", + "Zoom": "Масштаб", + "amount to send": "сума для відправки", + "bye!": "до побачення!", + "gRPC Network Interface & Port": "Інтерфейс та порт мережі gRPC", + "gRPC Rx": "gRPC отримань", + "gRPC Rx/s": "gRPC отримань/сек.", + "gRPC Tx": "gRPC відправлень", + "gRPC Tx/s": "gRPC відправлень/сек.", + "of": "з", + "p2p RPC": "P2P RPC", + "p2p Rx": "P2P отримань", + "p2p Rx/s": "P2P отримань/сек.", + "p2p Tx": "P2P відправлень", + "p2p Tx/s": "P2P відправлень/сек.", + "peer": "пір", + "peers": "піри", + "wRPC Borsh Rx": "wRPC Borsh отримань", + "wRPC Borsh Rx/s": "wRPC Borsh отримань/сек.", + "wRPC Borsh Tx": "wRPC Borsh відправлень", + "wRPC Borsh Tx/s": "wRPC Borsh отримань/сек.", + "wRPC Connection Settings": "Налаштування підключення wRPC", + "wRPC Encoding:": "Кодування wRPC:", + "wRPC JSON Rx": "wRPC JSON отримань", + "wRPC JSON Rx/s": "wRPC JSON отримань/сек.", + "wRPC JSON Tx": "wRPC JSON відправлень", + "wRPC JSON Tx/s": "wRPC JSON відправлень/сек.", + "wRPC URL:": "wRPC URL:" + }, "ur": {}, "vi": {}, + "zh": { + "1 BPS test network": "1 BPS 测试网", + "10 BPS test network": "10 BPS 测试网", + "12 word mnemonic": "12 词助记词", + "24 word mnemonic": "24 词助记词", + "24h Change": "24 小时变化", + "A binary at another location is spawned a child process (experimental, for development purposes only).": "在另一个位置的二进制文件生成了一个子进程(实验性功能,仅用于开发目的)。", + "A random node will be selected on startup": "启动时将随机选择一个节点", + "A wallet is stored in a file on your computer.": "钱包存储在您电脑上的一个文件中。", + "Account Index": "账户索引", + "Account Name": "账户名称", + "Account:": "账户:", + "Activate custom daemon arguments": "激活自定义守护进程参数", + "Active p2p Peers": "活跃 P2P 对等节点", + "Address derivation scan": "地址派生扫描", + "Address:": "钱包地址:", + "Advanced": "高级", + "All": "全部", + "Allow custom arguments for the Rusty Kaspa daemon": "允许对 Rusty Kaspa 守护程序使用自定义参数", + "Allows you to take screenshots from within the application": "允许您从应用程序内截取屏幕截图", + "Apply": "应用", + "Balance: N/A": "余额:N/A", + "Bandwidth": "带宽", + "Because of its focus on security and performance, this software is entirely developed in Rust, demanding significantly more time and effort compared to other traditional modern web-driven software.": "由于该软件注重安全性和性能,因此完全使用 Rust 开发,与其他传统的现代 Web 驱动软件相比,需要更多的时间和精力。", + "Bezier Curves": "贝塞尔曲线", + "Block DAG": "Block DAG", + "Block Scale": "区块规模", + "Blocks": "区块", + "Bodies": "区块体", + "Borsh Active Connections": "Borsh 活跃连接", + "Borsh Connection Attempts": "Borsh 连接尝试", + "Borsh Handshake Failures": "Borsh 握手失败", + "Build": "构建号", + "CONNECTED": "已连接", + "CPU": "CPU", + "Cache Memory Size": "缓存内存大小", + "Cache Memory Size:": "缓存内存大小:", + "Cancel": "取消", + "Cannot delete data folder while the node is running": "不支持在节点运行过程中删除数据目录", + "Capture a screenshot": "截屏", + "Center VSPC": "居中 VSPC", + "Chain Blocks": "链区块", + "Change Address": "找零地址", + "Check for Software Updates on GitHub": "在 GitHub 上检查软件更新", + "Check for Updates": "检查更新", + "Clear": "清除", + "Click to try another server...": "点击尝试另外一个服务器...", + "Client RPC": "客户端 RPC", + "Close": "关闭", + "Confirm wallet password": "确认钱包密码", + "Connect to a local node (localhost)": "连接到一个本地节点 (localhost)", + "Connecting to": "正在连接到", + "Connection": "连接", + "Connections": "连接", + "Connects to a Remote Rusty Kaspa Node via wRPC.": "通过 wRPC 连接远程 Rusty Kaspa 节点", + "Conservative": "保守的", + "Continue": "继续", + "Contributions directed toward this project directly fuel the Kaspa NG software and its ecosystem.": "对该项目的捐赠将直接促进 Kaspa NG 软件及其生态系统的发展。", + "Copied to clipboard": "复制到剪切板", + "Copy": "复制", + "Copy logs to clipboard": "拷贝日志到剪贴板", + "Create New Account": "创建新账户", + "Create New Wallet": "创建新钱包", + "Create new wallet": "创建新钱包", + "Creating Account": "创建账户", + "Creating Wallet": "创建钱包", + "Custom": "自定义", + "Custom Public Node": "定制公共节点", + "Custom arguments:": "自定义参数:", + "DAA": "DAA", + "DAA Offset": "DAA 偏移量", + "DAA Range": "DAA 区间", + "DB Blocks": "数据库区块", + "DB Headers": "数据库区块头", + "Database Blocks": "数据库区块", + "Database Headers": "数据库区块头", + "Decrypting wallet, please wait...": "解密钱包中,请稍等...", + "Default": "默认", + "Default Account Name": "默认账户名", + "Delete Data Folder": "删除数据目录", + "Dependencies": "依赖项", + "Derivation Indexes": "派生索引", + "Details": "详情", + "Developer Mode": "开发者模式", + "Developer Resources": "开发者资源", + "Developer mode enables advanced and experimental features": "开发者模式启用高级和实验性功能", + "Difficulty": "难度", + "Dimensions": "维度", + "Disable password score restrictions": "禁用密码强度限制", + "Disabled": "禁用", + "Disables node connectivity (Offline Mode).": "关闭节点连接(离线模式)。", + "Discord": "Discord", + "Donations": "捐赠", + "Double click on the graph to re-center...": "双击图表以重新居中...", + "ECDSA": "ECDSA", + "Enable Market Monitor": "启用市场数据监测", + "Enable UPnP": "启用 UPnP", + "Enable custom daemon arguments": "启用定制守护进程参数", + "Enable experimental features": "启用实验性功能", + "Enable gRPC": "启用 gRPC", + "Enable optional BIP39 passphrase": "启用可选的 BIP39 密码短语", + "Enable screen capture": "启用屏幕截屏", + "Enables features currently in development": "启用目前正在开发中的功能", + "Enter": "输入", + "Enter account name (optional)": "输入账户名称 (可选)", + "Enter first account name": "输入第一个账户名称", + "Enter phishing hint": "输入防钓鱼提示", + "Enter the amount": "输入金额", + "Enter the password for your wallet": "输入您的钱包密码", + "Enter the password to unlock your wallet": "输入密码解锁您的钱包", + "Enter wallet name": "输入钱包名称", + "Enter wallet password": "输入钱包密码", + "Enter your wallet secret": "输入您的钱包密钥", + "Explorer": "浏览器", + "Export Wallet Data": "导出钱包数据", + "Faucet": "水龙头", + "File Handles": "文件句柄", + "Filename:": "文件名:", + "Final Amount:": "最终金额:", + "GitHub Release": "GitHub 发布版本", + "Go to Settings": "前往设置", + "Handles": "句柄", + "Headers": "区块头", + "IBD:": "IBD:", + "If not specified, the account will be represented by the numeric id.": "如果没有指定,该账户将以数字 ID 形式展示", + "If you are running locally, use: ": "如果您在本地运行,请使用:", + "Import existing": "导入已有", + "Inbound": "入站", + "Include QoS Priority Fees": "包含 QoS 优先级费用", + "Integrated Daemon": "集成守护程序", + "Invalid daemon arguments": "无效守护进程参数", + "Invalid network type - expected: testnet-10 connected to: testnet-11": "网络类型无效 - 预期连接至:测试网-10,实际连接至:测试网-11", + "Invalid wRPC URL": "无效的 wRPC URL", + "Json Active Connections": "Json 活跃连接", + "Json Connection Attempts": "Json 连接尝试", + "Json Handshake Failures": "Json 握手失败", + "Kaspa Discord": "Kaspa Discord", + "Kaspa Integration Guide": "Kaspa 集成指南", + "Kaspa NG": "Kaspa NG", + "Kaspa NG Online": "Kaspa NG 在线", + "Kaspa NG Web App": "Kaspa NG 网页应用", + "Kaspa NG on GitHub": "Kaspa NG 的 Github 链接", + "Kaspa NG online": "Kaspa NG 在线", + "Kaspa Network": "Kaspa 网络", + "Kaspa Node": "Kaspa 节点", + "Kaspa p2p Network & Node Connection": "Kaspa P2P 网络和节点连接", + "Kaspa p2p Node": "Kaspa P2P 节点", + "Kaspa p2p Node & Connection": "Kaspa P2P 节点和连接", + "Key Perf.": "关键性能。", + "Language:": "语言:", + "Large (1 BPS)": "大号(1 BPS)", + "Levels": "层级", + "License Information": "许可证信息", + "Local": "本地", + "Local p2p Node Configuration": "本地 P2P 节点设置", + "Logs": "日志", + "MT": "MT", + "Main Kaspa network": " Kaspa 主网", + "Mainnet": "主网", + "Mainnet (Main Kaspa network)": "主网(Kaspa 主网)", + "Managed by the Rusty Kaspa daemon": "由 Rusty Kaspa 守护进程管理", + "Market": "市场", + "Market Cap": "市值", + "Market Monitor": "市场监测", + "Mass Processed": "已处理质量", + "Medium Narrow": "中等窄幅", + "Medium Wide": "中等宽度", + "Memory": "内存", + "Mempool": "内存池", + "Mempool Size": "内存池大小", + "Metrics": "指标", + "Metrics are not currently available": "当前无法获取指标数据", + "NPM Modules for NodeJS": "适用于 NodeJS 的 NPM 模块", + "Network": "网络", + "Network Difficulty": "网络难度", + "Network Fees:": "网络费用:", + "Network Interface": "网络接口", + "Network Peers": "网络对等节点", + "No peers": "没有对等节点", + "No public node selected - please select a public node": "未选择公共节点,需选择一个公共节点", + "No transactions": "无转账交易", + "No wallets found, please create a new wallet": "未找到钱包,请创建一个新钱包", + "Node": "节点", + "Node Status": "节点状态", + "Noise": "噪音", + "None": "无", + "Not Connected": "未连接", + "Not connected": "未连接", + "Notifications": "通知", + "Open Data Folder": "打开数据目录", + "Opening wallet:": "打开钱包中:", + "Optional": "可选", + "Other operations": "其他操作", + "Outbound": "出站", + "Overview": "全局", + "Parents": "父节点", + "Past Median Time": "过去的中位时间", + "Payment & Recovery Password": "支付和恢复密码", + "Payment Request": "付款请求", + "Peers": "对等节点", + "Performance": "性能", + "Phishing Hint": "钓鱼提示", + "Ping:": "Ping:", + "Please Confirm Deletion": "请确认删除", + "Please configure your Kaspa NG settings": "调整您的 Kaspa NG 设置", + "Please connect to Kaspa p2p node": "请连接到 Kaspa P2P 节点", + "Please create a stronger password": "创建一个更复杂的密码", + "Please enter": "输入", + "Please enter KAS amount to send": "请输入要发送的 KAS 金额", + "Please enter an amount": "输入金额", + "Please enter the account name": "输入账户名称", + "Please enter the wallet secret": "输入钱包密钥", + "Please note that this is an alpha release. Until this message is removed, please avoid using the wallet with mainnet funds.": "请注意,这是一个 Alpha 测试版本。在这条消息被移除之前,请避免使用该钱包处理主网资金。", + "Please note, copying to clipboard carries a risk of exposing your mnemonic to malware.": "请注意,复制到剪贴板可能会将您的助记词暴露给恶意软件。", + "Please select an account type": "请选择账户类型", + "Please select the private key to export": "选择您要导出的钱包私钥", + "Please set node to 'Disabled' to delete the data folder": "请将节点设为「禁用」从而删除数据目录", + "Please specify the name of the default account. The wallet will be created with a default account. Once created, you will be able to create additional accounts as you need.": "需指定默认账户的名称,创建钱包时将使用默认账户;创建后,您可以根据需要创建其他账户。", + "Please specify the name of the new wallet": "为新钱包指定名称", + "Please specify the private key type for the new wallet": "为新建的钱包指定私钥类型", + "Please wait for the node to sync or connect to a remote node.": "请等待节点同步或连接到远程节点。", + "Please wait for the node to sync...": "请等待节点同步...", + "Please wait...": "请稍作等待...", + "Presets": "预设", + "Price": "价格", + "Private Key Mnemonic": "私钥助记词", + "Processed Bodies": "已处理区块体", + "Processed Dependencies": "处理的依赖项", + "Processed Headers": "已处理的区块头", + "Processed Mass Counts": "已处理质量计数", + "Processed Transactions": "已处理的交易", + "Protocol:": "协议:", + "Public Node": "公共节点", + "Public Nodes": "公共节点", + "Public Server": "公共服务器", + "Public p2p Nodes for": "将公共 P2P 节点用于", + "Random Public Node": "随机公共节点", + "Range:": "范围:", + "Receive Address": "接收地址", + "Recommended arguments for the remote node: ": "远程节点的推荐参数:", + "Remote": "远程", + "Remote Connection:": "远程连接: ", + "Remote p2p Node Configuration": "远程 P2P 节点设置", + "Removes security restrictions, allows for single-letter passwords": "移除安全限制,允许使用单字母密码", + "Reset Settings": "重置设定", + "Reset VSPC": "重置虚拟选定父链", + "Resident Memory": "常驻内存", + "Resources": "资源", + "Resulting daemon arguments:": "结果守护进程参数: ", + "Rust Wallet SDK": "Rust 钱包 SDK", + "Rusty Kaspa on GitHub": "GitHub 上的 Rusty Kaspa", + "Secret is too weak": "密码太简单", + "Secret score:": "密钥得分:", + "Select Account": "选择账户", + "Select Available Server": "选择可用服务器", + "Select Private Key Type": "选择私钥类型", + "Select Public Node": "选择公共节点", + "Select Wallet": "选择钱包", + "Select a wallet to unlock": "选择一个钱包进行解锁", + "Send": "发送", + "Services": "服务", + "Settings": "设置", + "Show DAA": "显示 DAA", + "Show Grid": "显示网格", + "Show VSPC": "显示 VSPC", + "Show balances in alternate currencies for testnet coins": "用其他货币单位展示测试网代币余额", + "Show password": "显示密码", + "Shows balances in alternate currencies (BTC, USD) when using testnet coins as if you are on mainnet": "使用测试网代币时,像主网那样以其他货币单位(如 BTC,USD)进行展示", + "Skip": "跳过", + "Small (10 BPS)": "小 (10 BPS)", + "Spread": "差价", + "Stage": "阶段", + "Starting...": "启动中...", + "Statistics": "统计", + "Stor Read": "存储读取", + "Stor Write": "存储写入", + "Storage": "存储", + "Storage Read": "存储读取", + "Storage Read/s": "存储读取/每秒", + "Storage Write": "存储写入", + "Storage Write/s": "存储写入/每秒", + "Submitted Blocks": "已提交区块", + "Supporting Kaspa NG development": "支持 Kaspa NG 开发", + "Syncing Cryptographic Proof...": "正在同步加密证明...", + "Syncing DAG Blocks...": "正在同步 DAG 区块...", + "Syncing Headers...": "正在同步区块头...", + "Syncing UTXO entries...": "同步 UTXO 条目中...", + "Syncing...": "同步中...", + "System": "系统", + "TPS": "TPS", + "Testnet 10": "测试网 10", + "Testnet 10 (1 BPS)": "测试网 10(1 BPS)", + "Testnet 11": "测试网 11", + "Testnet 11 (10 BPS)": "测试网 11(10 BPS)", + "Testnet 11 is not yet enabled for public testing. You can, however, configure the node to connect to the private developer testnet in the Settings panel.": "测试网 11 还未开放公开测试。但您可以在设置面板中配置节点,以连接到私有开发者测试网。", + "The Kaspa NG software represents an ongoing effort focused on building a state-of-the-art software platform dedicated to the Kaspa BlockDAG cryptocurrency network. Ideological at its core, this software prioritizes security, privacy, performance, and decentralization.": "Kaspa NG 代表了一项持续的努力,致力于构建一个专门服务于 Kaspa BlockDAG 加密货币网络的先进软件平台。这款软件在其核心具有强烈的理念导向,优先考虑安全性、隐私性、性能和去中心化。", + "The balance may be out of date during node sync": "节点同步中显示的账户余额可能不是最新的", + "The following will guide you through the process of creating or importing a wallet.": "以下内容将指导您完成创建或导入钱包的过程。", + "The node is currently syncing with the Kaspa p2p network.": "节点目前正在与 Kaspa P2P 网络同步。", + "The node is currently syncing with the Kaspa p2p network. Account balances may be out of date.": "此节点正在与 Kaspa P2P 网络同步中,因此显示的账户余额可能不正确。", + "The node is spawned as a child daemon process (recommended).": "生成一个用于子守护进程节点(推荐)。", + "The node runs as a part of the Kaspa-NG application process. This reduces communication overhead (experimental).": "节点作为 Kaspa-NG 应用进程的一部分运行,有助于减少通信开销(实验性功能)。", + "Theme Color": "主题颜色", + "Theme Color:": "主题颜色", + "Theme Style": "主题风格", + "Theme Style:": "主题风格:", + "This wallet will never ask you for this mnemonic phrase unless you manually initiate a private key recovery.": "除非您手动输入私钥进行恢复操作,否则钱包不会向您询问密钥助记词", + "Threshold": "阈值", + "Time Offset:": "时间偏移量:", + "Tip Hashes": "尖端哈希值", + "Tools ⏷": "工具", + "Total Rx": "全部接收", + "Total Rx/s": "全部接收/每秒", + "Total Tx": "全部发送", + "Total Tx/s": "总发送/每秒", + "Track in the background": "在后台追踪", + "Transactions": "交易", + "Transactions:": "交易:", + "Type": "类型", + "UTXO Manager": "UTXO 管理", + "UTXOs": "UTXOs", + "UTXOs:": "UTXOs:", + "Unable to change node settings until the problem is resolved": "在问题解决之前无法更改节点设置", + "Unlock": "解锁", + "Unlock Wallet": "解锁钱包", + "Unlocking": "解锁中", + "Update Available to version": "更新可用版本", + "Updating...": "更新中...", + "Uptime:": "启动时间:", + "Use 50%-75% of available system memory": "使用 50%-75% 的可用系统内存", + "Use all available system memory": "使用系统全部可用内存", + "User Agent": "用户代理", + "User Interface": "用户界面", + "Very dangerous (may be cracked within few seconds)": "非常危险 (可在几秒钟内被破解)", + "Virt Parents": "虚拟父节点", + "Virtual DAA Score": "虚拟 DAA 得分", + "Virtual Memory": "虚拟内存", + "Virtual Parent Hashes": "虚拟父哈希", + "Volume": "量级", + "WASM SDK for JavaScript and TypeScript": "适用于 JavaScript 和 TypeScript 的 WASM SDK", + "Wallet": "钱包", + "Wallet Created": "钱包已创建", + "Wallet Encryption Password": "钱包加密密码", + "Wallet Name": "钱包名称", + "Wallet Secret": "钱包密钥", + "Wallet password is used to encrypt your wallet data.": "钱包密码会用于保护您的钱包数据", + "Wallet:": "钱包:", + "We greatly appreciate your help in backing our efforts.": "非常感谢您对我们的支持。", + "Welcome to Kaspa NG": "欢迎来到 Kaspa NG", + "Xpub Keys": "Xpub Keys", + "You are currently not connected to the Kaspa node.": "你当前未连接到 Kaspa 节点。", + "You can configure remote connection in Settings": "您可以在设置中配置远程连接", + "You can create multiple wallets, but only one wallet can be open at a time.": "您可以创建多个钱包,但每次只能打开一个钱包。", + "You must be connected to a node...": "您必须连接至一个节点...", + "Your default wallet private key mnemonic is:": "您默认钱包的私钥助记词是:", + "Your mnemonic phrase allows your to re-create your private key. The person who has access to this mnemonic will have full control of the Kaspa stored in it. Keep your mnemonic safe. Write it down and store it in a safe, preferably in a fire-resistant location. Do not store your mnemonic on this computer or a mobile device. This wallet will never ask you for this mnemonic phrase unless you manually initiate a private key recovery.": "您的助记词短语使您能够重新创建私钥。任何能够访问此助记词的人将完全控制其中存储的 Kaspa。请妥善保管您的助记词。将其写下来并存放在一个安全的地方,最好是防火的地点。不要在这台电脑或移动设备上存储您的助记词。除非您手动启动私钥恢复,否则此钱包永远不会要求您提供助记词短语。", + "Your private key mnemonic is:": "您的私钥助记词是:", + "Your wallet has been created and is ready to use.": "您的钱包创建完成,已可以使用。", + "Zoom": "缩放", + "amount to send": "待发送金额", + "bye!": "再见!", + "gRPC Network Interface & Port": "gRPC 网络接口和端口", + "gRPC Rx": "gRPC 接收", + "gRPC Rx/s": " gRPC 接收/每秒", + "gRPC Tx": "gRPC 发送", + "gRPC Tx/s": "gRPC 发送/每秒", + "of": "of", + "p2p RPC": "P2P RPC", + "p2p Rx": "P2P 接收", + "p2p Rx/s": "P2P 接收/每秒", + "p2p Tx": "P2P 发送", + "p2p Tx/s": "P2P 发送/每秒", + "peer": "对等节点", + "peers": "对等节点", + "wRPC Borsh Rx": "wRPC Borsh 接收", + "wRPC Borsh Rx/s": "wRPC Borsh 接收/秒", + "wRPC Borsh Tx": "wRPC Borsh 发送", + "wRPC Borsh Tx/s": "wRPC Borsh 发送/每秒", + "wRPC Connection Settings": "wRPC 连接设置", + "wRPC Encoding:": "wRPC 编码:", + "wRPC JSON Rx": "wRPC JSON 接收", + "wRPC JSON Rx/s": "wRPC JSON 接收/每秒", + "wRPC JSON Tx": "wRPC JSON 发送", + "wRPC JSON Tx/s": "wRPC JSON 发送/每秒", + "wRPC URL:": "wRPC URL:" + }, "zh_HANS": {}, "zh_HANT": {} }